##// END OF EJS Templates
Adds an optional LDAP filter (#1060)....
Jean-Philippe Lang -
r8924:60741b3e1c02
parent child
Show More

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

1 NO CONTENT: new file 100644
NO CONTENT: new file 100644
The requested commit or file is too big and content was truncated. Show full diff
@@ -1,131 +1,151
1 # Redmine - project management software
1 # Redmine - project management software
2 # Copyright (C) 2006-2011 Jean-Philippe Lang
2 # Copyright (C) 2006-2011 Jean-Philippe Lang
3 #
3 #
4 # This program is free software; you can redistribute it and/or
4 # This program is free software; you can redistribute it and/or
5 # modify it under the terms of the GNU General Public License
5 # modify it under the terms of the GNU General Public License
6 # as published by the Free Software Foundation; either version 2
6 # as published by the Free Software Foundation; either version 2
7 # of the License, or (at your option) any later version.
7 # of the License, or (at your option) any later version.
8 #
8 #
9 # This program is distributed in the hope that it will be useful,
9 # This program is distributed in the hope that it will be useful,
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 # GNU General Public License for more details.
12 # GNU General Public License for more details.
13 #
13 #
14 # You should have received a copy of the GNU General Public License
14 # You should have received a copy of the GNU General Public License
15 # along with this program; if not, write to the Free Software
15 # along with this program; if not, write to the Free Software
16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
17
17
18 require 'iconv'
18 require 'iconv'
19 require 'net/ldap'
19 require 'net/ldap'
20
20
21 class AuthSourceLdap < AuthSource
21 class AuthSourceLdap < AuthSource
22 validates_presence_of :host, :port, :attr_login
22 validates_presence_of :host, :port, :attr_login
23 validates_length_of :name, :host, :maximum => 60, :allow_nil => true
23 validates_length_of :name, :host, :maximum => 60, :allow_nil => true
24 validates_length_of :account, :account_password, :base_dn, :maximum => 255, :allow_nil => true
24 validates_length_of :account, :account_password, :base_dn, :filter, :maximum => 255, :allow_blank => true
25 validates_length_of :attr_login, :attr_firstname, :attr_lastname, :attr_mail, :maximum => 30, :allow_nil => true
25 validates_length_of :attr_login, :attr_firstname, :attr_lastname, :attr_mail, :maximum => 30, :allow_nil => true
26 validates_numericality_of :port, :only_integer => true
26 validates_numericality_of :port, :only_integer => true
27 validate :validate_filter
27
28
28 before_validation :strip_ldap_attributes
29 before_validation :strip_ldap_attributes
29
30
30 def initialize(attributes=nil, *args)
31 def initialize(attributes=nil, *args)
31 super
32 super
32 self.port = 389 if self.port == 0
33 self.port = 389 if self.port == 0
33 end
34 end
34
35
35 def authenticate(login, password)
36 def authenticate(login, password)
36 return nil if login.blank? || password.blank?
37 return nil if login.blank? || password.blank?
37 attrs = get_user_dn(login)
38 attrs = get_user_dn(login)
38
39
39 if attrs && attrs[:dn] && authenticate_dn(attrs[:dn], password)
40 if attrs && attrs[:dn] && authenticate_dn(attrs[:dn], password)
40 logger.debug "Authentication successful for '#{login}'" if logger && logger.debug?
41 logger.debug "Authentication successful for '#{login}'" if logger && logger.debug?
41 return attrs.except(:dn)
42 return attrs.except(:dn)
42 end
43 end
43 rescue Net::LDAP::LdapError => e
44 rescue Net::LDAP::LdapError => e
44 raise AuthSourceException.new(e.message)
45 raise AuthSourceException.new(e.message)
45 end
46 end
46
47
47 # test the connection to the LDAP
48 # test the connection to the LDAP
48 def test_connection
49 def test_connection
49 ldap_con = initialize_ldap_con(self.account, self.account_password)
50 ldap_con = initialize_ldap_con(self.account, self.account_password)
50 ldap_con.open { }
51 ldap_con.open { }
51 rescue Net::LDAP::LdapError => text
52 rescue Net::LDAP::LdapError => text
52 raise "LdapError: " + text
53 raise "LdapError: " + text
53 end
54 end
54
55
55 def auth_method_name
56 def auth_method_name
56 "LDAP"
57 "LDAP"
57 end
58 end
58
59
59 private
60 private
60
61
62 def ldap_filter
63 if filter.present?
64 Net::LDAP::Filter.construct(filter)
65 end
66 rescue Net::LDAP::LdapError
67 nil
68 end
69
70 def validate_filter
71 if filter.present? && ldap_filter.nil?
72 errors.add(:filter, :invalid)
73 end
74 end
75
61 def strip_ldap_attributes
76 def strip_ldap_attributes
62 [:attr_login, :attr_firstname, :attr_lastname, :attr_mail].each do |attr|
77 [:attr_login, :attr_firstname, :attr_lastname, :attr_mail].each do |attr|
63 write_attribute(attr, read_attribute(attr).strip) unless read_attribute(attr).nil?
78 write_attribute(attr, read_attribute(attr).strip) unless read_attribute(attr).nil?
64 end
79 end
65 end
80 end
66
81
67 def initialize_ldap_con(ldap_user, ldap_password)
82 def initialize_ldap_con(ldap_user, ldap_password)
68 options = { :host => self.host,
83 options = { :host => self.host,
69 :port => self.port,
84 :port => self.port,
70 :encryption => (self.tls ? :simple_tls : nil)
85 :encryption => (self.tls ? :simple_tls : nil)
71 }
86 }
72 options.merge!(:auth => { :method => :simple, :username => ldap_user, :password => ldap_password }) unless ldap_user.blank? && ldap_password.blank?
87 options.merge!(:auth => { :method => :simple, :username => ldap_user, :password => ldap_password }) unless ldap_user.blank? && ldap_password.blank?
73 Net::LDAP.new options
88 Net::LDAP.new options
74 end
89 end
75
90
76 def get_user_attributes_from_ldap_entry(entry)
91 def get_user_attributes_from_ldap_entry(entry)
77 {
92 {
78 :dn => entry.dn,
93 :dn => entry.dn,
79 :firstname => AuthSourceLdap.get_attr(entry, self.attr_firstname),
94 :firstname => AuthSourceLdap.get_attr(entry, self.attr_firstname),
80 :lastname => AuthSourceLdap.get_attr(entry, self.attr_lastname),
95 :lastname => AuthSourceLdap.get_attr(entry, self.attr_lastname),
81 :mail => AuthSourceLdap.get_attr(entry, self.attr_mail),
96 :mail => AuthSourceLdap.get_attr(entry, self.attr_mail),
82 :auth_source_id => self.id
97 :auth_source_id => self.id
83 }
98 }
84 end
99 end
85
100
86 # Return the attributes needed for the LDAP search. It will only
101 # Return the attributes needed for the LDAP search. It will only
87 # include the user attributes if on-the-fly registration is enabled
102 # include the user attributes if on-the-fly registration is enabled
88 def search_attributes
103 def search_attributes
89 if onthefly_register?
104 if onthefly_register?
90 ['dn', self.attr_firstname, self.attr_lastname, self.attr_mail]
105 ['dn', self.attr_firstname, self.attr_lastname, self.attr_mail]
91 else
106 else
92 ['dn']
107 ['dn']
93 end
108 end
94 end
109 end
95
110
96 # Check if a DN (user record) authenticates with the password
111 # Check if a DN (user record) authenticates with the password
97 def authenticate_dn(dn, password)
112 def authenticate_dn(dn, password)
98 if dn.present? && password.present?
113 if dn.present? && password.present?
99 initialize_ldap_con(dn, password).bind
114 initialize_ldap_con(dn, password).bind
100 end
115 end
101 end
116 end
102
117
103 # Get the user's dn and any attributes for them, given their login
118 # Get the user's dn and any attributes for them, given their login
104 def get_user_dn(login)
119 def get_user_dn(login)
105 ldap_con = initialize_ldap_con(self.account, self.account_password)
120 ldap_con = initialize_ldap_con(self.account, self.account_password)
106 login_filter = Net::LDAP::Filter.eq( self.attr_login, login )
121 login_filter = Net::LDAP::Filter.eq( self.attr_login, login )
107 object_filter = Net::LDAP::Filter.eq( "objectClass", "*" )
122 object_filter = Net::LDAP::Filter.eq( "objectClass", "*" )
108 attrs = {}
123 attrs = {}
109
124
125 search_filter = object_filter & login_filter
126 if f = ldap_filter
127 search_filter = search_filter & f
128 end
129
110 ldap_con.search( :base => self.base_dn,
130 ldap_con.search( :base => self.base_dn,
111 :filter => object_filter & login_filter,
131 :filter => search_filter,
112 :attributes=> search_attributes) do |entry|
132 :attributes=> search_attributes) do |entry|
113
133
114 if onthefly_register?
134 if onthefly_register?
115 attrs = get_user_attributes_from_ldap_entry(entry)
135 attrs = get_user_attributes_from_ldap_entry(entry)
116 else
136 else
117 attrs = {:dn => entry.dn}
137 attrs = {:dn => entry.dn}
118 end
138 end
119
139
120 logger.debug "DN found for #{login}: #{attrs[:dn]}" if logger && logger.debug?
140 logger.debug "DN found for #{login}: #{attrs[:dn]}" if logger && logger.debug?
121 end
141 end
122
142
123 attrs
143 attrs
124 end
144 end
125
145
126 def self.get_attr(entry, attr_name)
146 def self.get_attr(entry, attr_name)
127 if !attr_name.blank?
147 if !attr_name.blank?
128 entry[attr_name].is_a?(Array) ? entry[attr_name].first : entry[attr_name]
148 entry[attr_name].is_a?(Array) ? entry[attr_name].first : entry[attr_name]
129 end
149 end
130 end
150 end
131 end
151 end
@@ -1,44 +1,47
1 <%= error_messages_for 'auth_source' %>
1 <%= error_messages_for 'auth_source' %>
2
2
3 <div class="box">
3 <div class="box">
4 <!--[form:auth_source]-->
4 <!--[form:auth_source]-->
5 <p><label for="auth_source_name"><%=l(:field_name)%> <span class="required">*</span></label>
5 <p><label for="auth_source_name"><%=l(:field_name)%> <span class="required">*</span></label>
6 <%= text_field 'auth_source', 'name' %></p>
6 <%= text_field 'auth_source', 'name' %></p>
7
7
8 <p><label for="auth_source_host"><%=l(:field_host)%> <span class="required">*</span></label>
8 <p><label for="auth_source_host"><%=l(:field_host)%> <span class="required">*</span></label>
9 <%= text_field 'auth_source', 'host' %></p>
9 <%= text_field 'auth_source', 'host' %></p>
10
10
11 <p><label for="auth_source_port"><%=l(:field_port)%> <span class="required">*</span></label>
11 <p><label for="auth_source_port"><%=l(:field_port)%> <span class="required">*</span></label>
12 <%= text_field 'auth_source', 'port', :size => 6 %> <%= check_box 'auth_source', 'tls' %> LDAPS</p>
12 <%= text_field 'auth_source', 'port', :size => 6 %> <%= check_box 'auth_source', 'tls' %> LDAPS</p>
13
13
14 <p><label for="auth_source_account"><%=l(:field_account)%></label>
14 <p><label for="auth_source_account"><%=l(:field_account)%></label>
15 <%= text_field 'auth_source', 'account' %></p>
15 <%= text_field 'auth_source', 'account' %></p>
16
16
17 <p><label for="auth_source_account_password"><%=l(:field_password)%></label>
17 <p><label for="auth_source_account_password"><%=l(:field_password)%></label>
18 <%= password_field 'auth_source', 'account_password', :name => 'ignore',
18 <%= password_field 'auth_source', 'account_password', :name => 'ignore',
19 :value => ((@auth_source.new_record? || @auth_source.account_password.blank?) ? '' : ('x'*15)),
19 :value => ((@auth_source.new_record? || @auth_source.account_password.blank?) ? '' : ('x'*15)),
20 :onfocus => "this.value=''; this.name='auth_source[account_password]';",
20 :onfocus => "this.value=''; this.name='auth_source[account_password]';",
21 :onchange => "this.name='auth_source[account_password]';" %></p>
21 :onchange => "this.name='auth_source[account_password]';" %></p>
22
22
23 <p><label for="auth_source_base_dn"><%=l(:field_base_dn)%> <span class="required">*</span></label>
23 <p><label for="auth_source_base_dn"><%=l(:field_base_dn)%> <span class="required">*</span></label>
24 <%= text_field 'auth_source', 'base_dn', :size => 60 %></p>
24 <%= text_field 'auth_source', 'base_dn', :size => 60 %></p>
25
25
26 <p><label for="auth_source_custom_filter"><%=l(:field_ldap_filter)%></label>
27 <%= text_field 'auth_source', 'filter', :size => 60 %></p>
28
26 <p><label for="auth_source_onthefly_register"><%=l(:field_onthefly)%></label>
29 <p><label for="auth_source_onthefly_register"><%=l(:field_onthefly)%></label>
27 <%= check_box 'auth_source', 'onthefly_register' %></p>
30 <%= check_box 'auth_source', 'onthefly_register' %></p>
28 </div>
31 </div>
29
32
30 <fieldset class="box"><legend><%=l(:label_attribute_plural)%></legend>
33 <fieldset class="box"><legend><%=l(:label_attribute_plural)%></legend>
31 <p><label for="auth_source_attr_login"><%=l(:field_login)%> <span class="required">*</span></label>
34 <p><label for="auth_source_attr_login"><%=l(:field_login)%> <span class="required">*</span></label>
32 <%= text_field 'auth_source', 'attr_login', :size => 20 %></p>
35 <%= text_field 'auth_source', 'attr_login', :size => 20 %></p>
33
36
34 <p><label for="auth_source_attr_firstname"><%=l(:field_firstname)%></label>
37 <p><label for="auth_source_attr_firstname"><%=l(:field_firstname)%></label>
35 <%= text_field 'auth_source', 'attr_firstname', :size => 20 %></p>
38 <%= text_field 'auth_source', 'attr_firstname', :size => 20 %></p>
36
39
37 <p><label for="auth_source_attr_lastname"><%=l(:field_lastname)%></label>
40 <p><label for="auth_source_attr_lastname"><%=l(:field_lastname)%></label>
38 <%= text_field 'auth_source', 'attr_lastname', :size => 20 %></p>
41 <%= text_field 'auth_source', 'attr_lastname', :size => 20 %></p>
39
42
40 <p><label for="auth_source_attr_mail"><%=l(:field_mail)%></label>
43 <p><label for="auth_source_attr_mail"><%=l(:field_mail)%></label>
41 <%= text_field 'auth_source', 'attr_mail', :size => 20 %></p>
44 <%= text_field 'auth_source', 'attr_mail', :size => 20 %></p>
42 </fieldset>
45 </fieldset>
43 <!--[eoform:auth_source]-->
46 <!--[eoform:auth_source]-->
44
47
@@ -1,1025 +1,1026
1 ar:
1 ar:
2 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
2 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
3 direction: rtl
3 direction: rtl
4 date:
4 date:
5 formats:
5 formats:
6 # Use the strftime parameters for formats.
6 # Use the strftime parameters for formats.
7 # When no format has been given, it uses default.
7 # When no format has been given, it uses default.
8 # You can provide other formats here if you like!
8 # You can provide other formats here if you like!
9 default: "%m/%d/%Y"
9 default: "%m/%d/%Y"
10 short: "%b %d"
10 short: "%b %d"
11 long: "%B %d, %Y"
11 long: "%B %d, %Y"
12
12
13 day_names: [الاحد, الاثنين, الثلاثاء, الاربعاء, الخميس, الجمعة, السبت]
13 day_names: [الاحد, الاثنين, الثلاثاء, الاربعاء, الخميس, الجمعة, السبت]
14 abbr_day_names: [أح, اث, ث, ار, خ, ج, س]
14 abbr_day_names: [أح, اث, ث, ار, خ, ج, س]
15
15
16 # Don't forget the nil at the beginning; there's no such thing as a 0th month
16 # Don't forget the nil at the beginning; there's no such thing as a 0th month
17 month_names: [~, كانون الثاني, شباط, آذار, نيسان, أيار, حزيران, تموز, آب, أيلول, تشرين الأول, تشرين الثاني, كانون الأول]
17 month_names: [~, كانون الثاني, شباط, آذار, نيسان, أيار, حزيران, تموز, آب, أيلول, تشرين الأول, تشرين الثاني, كانون الأول]
18 abbr_month_names: [~, كانون الثاني, شباط, آذار, نيسان, أيار, حزيران, تموز, آب, أيلول, تشرين الأول, تشرين الثاني, كانون الأول]
18 abbr_month_names: [~, كانون الثاني, شباط, آذار, نيسان, أيار, حزيران, تموز, آب, أيلول, تشرين الأول, تشرين الثاني, كانون الأول]
19 # Used in date_select and datime_select.
19 # Used in date_select and datime_select.
20 order:
20 order:
21 - :السنة
21 - :السنة
22 - :الشهر
22 - :الشهر
23 - :اليوم
23 - :اليوم
24
24
25 time:
25 time:
26 formats:
26 formats:
27 default: "%m/%d/%Y %I:%M %p"
27 default: "%m/%d/%Y %I:%M %p"
28 time: "%I:%M %p"
28 time: "%I:%M %p"
29 short: "%d %b %H:%M"
29 short: "%d %b %H:%M"
30 long: "%B %d, %Y %H:%M"
30 long: "%B %d, %Y %H:%M"
31 am: "صباحا"
31 am: "صباحا"
32 pm: "مساءا"
32 pm: "مساءا"
33
33
34 datetime:
34 datetime:
35 distance_in_words:
35 distance_in_words:
36 half_a_minute: "نصف دقيقة"
36 half_a_minute: "نصف دقيقة"
37 less_than_x_seconds:
37 less_than_x_seconds:
38 one: "أقل من ثانية"
38 one: "أقل من ثانية"
39 other: "ثواني %{count}أقل من "
39 other: "ثواني %{count}أقل من "
40 x_seconds:
40 x_seconds:
41 one: "ثانية"
41 one: "ثانية"
42 other: "%{count}ثواني "
42 other: "%{count}ثواني "
43 less_than_x_minutes:
43 less_than_x_minutes:
44 one: "أقل من دقيقة"
44 one: "أقل من دقيقة"
45 other: "دقائق%{count}أقل من "
45 other: "دقائق%{count}أقل من "
46 x_minutes:
46 x_minutes:
47 one: "دقيقة"
47 one: "دقيقة"
48 other: "%{count} دقائق"
48 other: "%{count} دقائق"
49 about_x_hours:
49 about_x_hours:
50 one: "حوالي ساعة"
50 one: "حوالي ساعة"
51 other: "ساعات %{count}حوالي "
51 other: "ساعات %{count}حوالي "
52 x_days:
52 x_days:
53 one: "يوم"
53 one: "يوم"
54 other: "%{count} أيام"
54 other: "%{count} أيام"
55 about_x_months:
55 about_x_months:
56 one: "حوالي شهر"
56 one: "حوالي شهر"
57 other: "أشهر %{count} حوالي"
57 other: "أشهر %{count} حوالي"
58 x_months:
58 x_months:
59 one: "شهر"
59 one: "شهر"
60 other: "%{count} أشهر"
60 other: "%{count} أشهر"
61 about_x_years:
61 about_x_years:
62 one: "حوالي سنة"
62 one: "حوالي سنة"
63 other: "سنوات %{count}حوالي "
63 other: "سنوات %{count}حوالي "
64 over_x_years:
64 over_x_years:
65 one: "اكثر من سنة"
65 one: "اكثر من سنة"
66 other: "سنوات %{count}أكثر من "
66 other: "سنوات %{count}أكثر من "
67 almost_x_years:
67 almost_x_years:
68 one: "تقريبا سنة"
68 one: "تقريبا سنة"
69 other: "سنوات %{count} نقريبا"
69 other: "سنوات %{count} نقريبا"
70 number:
70 number:
71 format:
71 format:
72 separator: "."
72 separator: "."
73 delimiter: ""
73 delimiter: ""
74 precision: 3
74 precision: 3
75
75
76 human:
76 human:
77 format:
77 format:
78 delimiter: ""
78 delimiter: ""
79 precision: 1
79 precision: 1
80 storage_units:
80 storage_units:
81 format: "%n %u"
81 format: "%n %u"
82 units:
82 units:
83 byte:
83 byte:
84 one: "Byte"
84 one: "Byte"
85 other: "Bytes"
85 other: "Bytes"
86 kb: "kB"
86 kb: "kB"
87 mb: "MB"
87 mb: "MB"
88 gb: "GB"
88 gb: "GB"
89 tb: "TB"
89 tb: "TB"
90
90
91 # Used in array.to_sentence.
91 # Used in array.to_sentence.
92 support:
92 support:
93 array:
93 array:
94 sentence_connector: "و"
94 sentence_connector: "و"
95 skip_last_comma: خطأ
95 skip_last_comma: خطأ
96
96
97 activerecord:
97 activerecord:
98 errors:
98 errors:
99 template:
99 template:
100 header:
100 header:
101 one: " %{model} خطأ يمنع تخزين"
101 one: " %{model} خطأ يمنع تخزين"
102 other: " %{model} يمنع تخزين%{count}خطأ رقم "
102 other: " %{model} يمنع تخزين%{count}خطأ رقم "
103 messages:
103 messages:
104 inclusion: "غير مدرجة على القائمة"
104 inclusion: "غير مدرجة على القائمة"
105 exclusion: "محجوز"
105 exclusion: "محجوز"
106 invalid: "غير صالح"
106 invalid: "غير صالح"
107 confirmation: "غير متطابق"
107 confirmation: "غير متطابق"
108 accepted: "مقبولة"
108 accepted: "مقبولة"
109 empty: "لا يمكن ان تكون فارغة"
109 empty: "لا يمكن ان تكون فارغة"
110 blank: "لا يمكن ان تكون فارغة"
110 blank: "لا يمكن ان تكون فارغة"
111 too_long: " %{count}طويلة جدا، الحد الاقصى هو )"
111 too_long: " %{count}طويلة جدا، الحد الاقصى هو )"
112 too_short: " %{count}قصيرة جدا، الحد الادنى هو)"
112 too_short: " %{count}قصيرة جدا، الحد الادنى هو)"
113 wrong_length: " %{count}خطأ في الطول، يجب ان يكون )"
113 wrong_length: " %{count}خطأ في الطول، يجب ان يكون )"
114 taken: "لقد اتخذت سابقا"
114 taken: "لقد اتخذت سابقا"
115 not_a_number: "ليس رقما"
115 not_a_number: "ليس رقما"
116 not_a_date: "ليس تاريخا صالحا"
116 not_a_date: "ليس تاريخا صالحا"
117 greater_than: "%{count}يجب ان تكون اكثر من "
117 greater_than: "%{count}يجب ان تكون اكثر من "
118 greater_than_or_equal_to: "%{count}يجب ان تكون اكثر من او تساوي"
118 greater_than_or_equal_to: "%{count}يجب ان تكون اكثر من او تساوي"
119 equal_to: "%{count}يجب ان تساوي"
119 equal_to: "%{count}يجب ان تساوي"
120 less_than: " %{count}يجب ان تكون اقل من"
120 less_than: " %{count}يجب ان تكون اقل من"
121 less_than_or_equal_to: " %{count}يجب ان تكون اقل من او تساوي"
121 less_than_or_equal_to: " %{count}يجب ان تكون اقل من او تساوي"
122 odd: "must be odd"
122 odd: "must be odd"
123 even: "must be even"
123 even: "must be even"
124 greater_than_start_date: "يجب ان تكون اكثر من تاريخ البداية"
124 greater_than_start_date: "يجب ان تكون اكثر من تاريخ البداية"
125 not_same_project: "لا ينتمي الى نفس المشروع"
125 not_same_project: "لا ينتمي الى نفس المشروع"
126 circular_dependency: "هذه العلاقة سوف تخلق علاقة تبعية دائرية"
126 circular_dependency: "هذه العلاقة سوف تخلق علاقة تبعية دائرية"
127 cant_link_an_issue_with_a_descendant: "لا يمكن ان تكون المشكلة مرتبطة بواحدة من المهام الفرعية"
127 cant_link_an_issue_with_a_descendant: "لا يمكن ان تكون المشكلة مرتبطة بواحدة من المهام الفرعية"
128
128
129 actionview_instancetag_blank_option: الرجاء التحديد
129 actionview_instancetag_blank_option: الرجاء التحديد
130
130
131 general_text_No: 'لا'
131 general_text_No: 'لا'
132 general_text_Yes: 'نعم'
132 general_text_Yes: 'نعم'
133 general_text_no: 'لا'
133 general_text_no: 'لا'
134 general_text_yes: 'نعم'
134 general_text_yes: 'نعم'
135 general_lang_name: 'Arabic (عربي)'
135 general_lang_name: 'Arabic (عربي)'
136 general_csv_separator: ','
136 general_csv_separator: ','
137 general_csv_decimal_separator: '.'
137 general_csv_decimal_separator: '.'
138 general_csv_encoding: ISO-8859-1
138 general_csv_encoding: ISO-8859-1
139 general_pdf_encoding: UTF-8
139 general_pdf_encoding: UTF-8
140 general_first_day_of_week: '7'
140 general_first_day_of_week: '7'
141
141
142 notice_account_updated: لقد تم تجديد الحساب بنجاح.
142 notice_account_updated: لقد تم تجديد الحساب بنجاح.
143 notice_account_invalid_creditentials: اسم المستخدم او كلمة المرور غير صحيحة
143 notice_account_invalid_creditentials: اسم المستخدم او كلمة المرور غير صحيحة
144 notice_account_password_updated: لقد تم تجديد كلمة المرور بنجاح.
144 notice_account_password_updated: لقد تم تجديد كلمة المرور بنجاح.
145 notice_account_wrong_password: كلمة المرور غير صحيحة
145 notice_account_wrong_password: كلمة المرور غير صحيحة
146 notice_account_register_done: لقد تم انشاء حسابك بنجاح، الرجاء تأكيد الطلب من البريد الالكتروني
146 notice_account_register_done: لقد تم انشاء حسابك بنجاح، الرجاء تأكيد الطلب من البريد الالكتروني
147 notice_account_unknown_email: مستخدم غير معروف.
147 notice_account_unknown_email: مستخدم غير معروف.
148 notice_can_t_change_password: هذا الحساب يستخدم جهاز خارجي غير مصرح به لا يمكن تغير كلمة المرور
148 notice_can_t_change_password: هذا الحساب يستخدم جهاز خارجي غير مصرح به لا يمكن تغير كلمة المرور
149 notice_account_lost_email_sent: لقد تم ارسال رسالة على بريدك بالتعليمات اللازمة لتغير كلمة المرور
149 notice_account_lost_email_sent: لقد تم ارسال رسالة على بريدك بالتعليمات اللازمة لتغير كلمة المرور
150 notice_account_activated: لقد تم تفعيل حسابك، يمكنك الدخول الان
150 notice_account_activated: لقد تم تفعيل حسابك، يمكنك الدخول الان
151 notice_successful_create: لقد تم الانشاء بنجاح
151 notice_successful_create: لقد تم الانشاء بنجاح
152 notice_successful_update: لقد تم التحديث بنجاح
152 notice_successful_update: لقد تم التحديث بنجاح
153 notice_successful_delete: لقد تم الحذف بنجاح
153 notice_successful_delete: لقد تم الحذف بنجاح
154 notice_successful_connection: لقد تم الربط بنجاح
154 notice_successful_connection: لقد تم الربط بنجاح
155 notice_file_not_found: الصفحة التي تحاول الدخول اليها غير موجوده او تم حذفها
155 notice_file_not_found: الصفحة التي تحاول الدخول اليها غير موجوده او تم حذفها
156 notice_locking_conflict: تم تحديث البيانات عن طريق مستخدم آخر.
156 notice_locking_conflict: تم تحديث البيانات عن طريق مستخدم آخر.
157 notice_not_authorized: غير مصرح لك الدخول الى هذه المنطقة.
157 notice_not_authorized: غير مصرح لك الدخول الى هذه المنطقة.
158 notice_not_authorized_archived_project: المشروع الذي تحاول الدخول اليه تم ارشفته
158 notice_not_authorized_archived_project: المشروع الذي تحاول الدخول اليه تم ارشفته
159 notice_email_sent: "%{value}تم ارسال رسالة الى "
159 notice_email_sent: "%{value}تم ارسال رسالة الى "
160 notice_email_error: " (%{value})لقد حدث خطأ ما اثناء ارسال الرسالة الى "
160 notice_email_error: " (%{value})لقد حدث خطأ ما اثناء ارسال الرسالة الى "
161 notice_feeds_access_key_reseted: كلمة الدخول RSSلقد تم تعديل .
161 notice_feeds_access_key_reseted: كلمة الدخول RSSلقد تم تعديل .
162 notice_api_access_key_reseted: كلمة الدخولAPIلقد تم تعديل .
162 notice_api_access_key_reseted: كلمة الدخولAPIلقد تم تعديل .
163 notice_failed_to_save_issues: "فشل في حفظ الملف"
163 notice_failed_to_save_issues: "فشل في حفظ الملف"
164 notice_failed_to_save_members: "فشل في حفظ الاعضاء: %{errors}."
164 notice_failed_to_save_members: "فشل في حفظ الاعضاء: %{errors}."
165 notice_no_issue_selected: "لم يتم تحديد شيء، الرجاء تحديد المسألة التي تريد"
165 notice_no_issue_selected: "لم يتم تحديد شيء، الرجاء تحديد المسألة التي تريد"
166 notice_account_pending: "لقد تم انشاء حسابك، الرجاء الانتظار حتى تتم الموافقة"
166 notice_account_pending: "لقد تم انشاء حسابك، الرجاء الانتظار حتى تتم الموافقة"
167 notice_default_data_loaded: تم تحميل التكوين الافتراضي بنجاح
167 notice_default_data_loaded: تم تحميل التكوين الافتراضي بنجاح
168 notice_unable_delete_version: غير قادر على مسح النسخة.
168 notice_unable_delete_version: غير قادر على مسح النسخة.
169 notice_unable_delete_time_entry: غير قادر على مسح وقت الدخول.
169 notice_unable_delete_time_entry: غير قادر على مسح وقت الدخول.
170 notice_issue_done_ratios_updated: لقد تم تحديث النسب.
170 notice_issue_done_ratios_updated: لقد تم تحديث النسب.
171 notice_gantt_chart_truncated: " (%{max})لقد تم اقتطاع الرسم البياني لانه تجاوز الاحد الاقصى لعدد العناصر المسموح عرضها "
171 notice_gantt_chart_truncated: " (%{max})لقد تم اقتطاع الرسم البياني لانه تجاوز الاحد الاقصى لعدد العناصر المسموح عرضها "
172 notice_issue_successful_create: "%{id}لقد تم انشاء "
172 notice_issue_successful_create: "%{id}لقد تم انشاء "
173
173
174
174
175 error_can_t_load_default_data: "لم يتم تحميل التكوين الافتراضي كاملا %{value}"
175 error_can_t_load_default_data: "لم يتم تحميل التكوين الافتراضي كاملا %{value}"
176 error_scm_not_found: "لم يتم العثور على ادخال في المستودع"
176 error_scm_not_found: "لم يتم العثور على ادخال في المستودع"
177 error_scm_command_failed: "حدث خطأ عند محاولة الوصول الى المستودع: %{value}"
177 error_scm_command_failed: "حدث خطأ عند محاولة الوصول الى المستودع: %{value}"
178 error_scm_annotate: "الادخال غير موجود."
178 error_scm_annotate: "الادخال غير موجود."
179 error_scm_annotate_big_text_file: "لا يمكن حفظ الادخال لانه تجاوز الحد الاقصى لحجم الملف."
179 error_scm_annotate_big_text_file: "لا يمكن حفظ الادخال لانه تجاوز الحد الاقصى لحجم الملف."
180 error_issue_not_found_in_project: 'لم يتم العثور على المخرج او انه ينتمي الى مشروع اخر'
180 error_issue_not_found_in_project: 'لم يتم العثور على المخرج او انه ينتمي الى مشروع اخر'
181 error_no_tracker_in_project: 'لا يوجد متتبع لهذا المشروع، الرجاء التحقق من إعدادات المشروع. '
181 error_no_tracker_in_project: 'لا يوجد متتبع لهذا المشروع، الرجاء التحقق من إعدادات المشروع. '
182 error_no_default_issue_status: 'لم يتم التعرف على اي وضع افتراضي، الرجاء التحقق من التكوين الخاص بك (اذهب الى إدارة-إصدار الحالات)'
182 error_no_default_issue_status: 'لم يتم التعرف على اي وضع افتراضي، الرجاء التحقق من التكوين الخاص بك (اذهب الى إدارة-إصدار الحالات)'
183 error_can_not_delete_custom_field: غير قادر على حذف الحقل المظلل
183 error_can_not_delete_custom_field: غير قادر على حذف الحقل المظلل
184 error_can_not_delete_tracker: "هذا المتتبع يحتوي على مسائل نشطة ولا يمكن حذفه"
184 error_can_not_delete_tracker: "هذا المتتبع يحتوي على مسائل نشطة ولا يمكن حذفه"
185 error_can_not_remove_role: "هذا الدور قيد الاستخدام، لا يمكن حذفه"
185 error_can_not_remove_role: "هذا الدور قيد الاستخدام، لا يمكن حذفه"
186 error_can_not_reopen_issue_on_closed_version: 'لا يمكن إعادة فتح قضية معينه لاصدار مقفل'
186 error_can_not_reopen_issue_on_closed_version: 'لا يمكن إعادة فتح قضية معينه لاصدار مقفل'
187 error_can_not_archive_project: لا يمكن ارشفة هذا المشروع
187 error_can_not_archive_project: لا يمكن ارشفة هذا المشروع
188 error_issue_done_ratios_not_updated: "لم يتم تحديث النسب"
188 error_issue_done_ratios_not_updated: "لم يتم تحديث النسب"
189 error_workflow_copy_source: 'الرجاء اختيار المتتبع او الادوار'
189 error_workflow_copy_source: 'الرجاء اختيار المتتبع او الادوار'
190 error_workflow_copy_target: 'الرجاء اختيار هدف المتتبع او هدف الادوار'
190 error_workflow_copy_target: 'الرجاء اختيار هدف المتتبع او هدف الادوار'
191 error_unable_delete_issue_status: 'غير قادر على حذف حالة القضية'
191 error_unable_delete_issue_status: 'غير قادر على حذف حالة القضية'
192 error_unable_to_connect: "تعذر الاتصال(%{value})"
192 error_unable_to_connect: "تعذر الاتصال(%{value})"
193 error_attachment_too_big: " (%{max_size})لا يمكن تحميل هذا الملف، لقد تجاوز الحد الاقصى المسموح به "
193 error_attachment_too_big: " (%{max_size})لا يمكن تحميل هذا الملف، لقد تجاوز الحد الاقصى المسموح به "
194 warning_attachments_not_saved: "%{count}تعذر حفظ الملف"
194 warning_attachments_not_saved: "%{count}تعذر حفظ الملف"
195
195
196 mail_subject_lost_password: " %{value}كلمة المرور الخاصة بك "
196 mail_subject_lost_password: " %{value}كلمة المرور الخاصة بك "
197 mail_body_lost_password: 'لتغير كلمة المرور، انقر على الروابط التالية:'
197 mail_body_lost_password: 'لتغير كلمة المرور، انقر على الروابط التالية:'
198 mail_subject_register: " %{value}تفعيل حسابك "
198 mail_subject_register: " %{value}تفعيل حسابك "
199 mail_body_register: 'لتفعيل حسابك، انقر على الروابط التالية:'
199 mail_body_register: 'لتفعيل حسابك، انقر على الروابط التالية:'
200 mail_body_account_information_external: " %{value}اصبح بامكانك استخدام حسابك للدخول"
200 mail_body_account_information_external: " %{value}اصبح بامكانك استخدام حسابك للدخول"
201 mail_body_account_information: معلومات حسابك
201 mail_body_account_information: معلومات حسابك
202 mail_subject_account_activation_request: "%{value}طلب تفعيل الحساب "
202 mail_subject_account_activation_request: "%{value}طلب تفعيل الحساب "
203 mail_body_account_activation_request: " (%{value})تم تسجيل حساب جديد، بانتظار الموافقة:"
203 mail_body_account_activation_request: " (%{value})تم تسجيل حساب جديد، بانتظار الموافقة:"
204 mail_subject_reminder: "%{count}تم تأجيل المهام التالية "
204 mail_subject_reminder: "%{count}تم تأجيل المهام التالية "
205 mail_body_reminder: "%{count}يجب ان تقوم بتسليم المهام التالية :"
205 mail_body_reminder: "%{count}يجب ان تقوم بتسليم المهام التالية :"
206 mail_subject_wiki_content_added: "'%{id}' تم اضافة صفحة ويكي"
206 mail_subject_wiki_content_added: "'%{id}' تم اضافة صفحة ويكي"
207 mail_body_wiki_content_added: "The '%{id}' تم اضافة صفحة ويكي من قبل %{author}."
207 mail_body_wiki_content_added: "The '%{id}' تم اضافة صفحة ويكي من قبل %{author}."
208 mail_subject_wiki_content_updated: "'%{id}' تم تحديث صفحة ويكي"
208 mail_subject_wiki_content_updated: "'%{id}' تم تحديث صفحة ويكي"
209 mail_body_wiki_content_updated: "The '%{id}'تم تحديث صفحة ويكي من قبل %{author}."
209 mail_body_wiki_content_updated: "The '%{id}'تم تحديث صفحة ويكي من قبل %{author}."
210
210
211 gui_validation_error: خطأ
211 gui_validation_error: خطأ
212 gui_validation_error_plural: "%{count}أخطاء"
212 gui_validation_error_plural: "%{count}أخطاء"
213
213
214 field_name: الاسم
214 field_name: الاسم
215 field_description: الوصف
215 field_description: الوصف
216 field_summary: الملخص
216 field_summary: الملخص
217 field_is_required: مطلوب
217 field_is_required: مطلوب
218 field_firstname: الاسم الاول
218 field_firstname: الاسم الاول
219 field_lastname: الاسم الاخير
219 field_lastname: الاسم الاخير
220 field_mail: البريد الالكتروني
220 field_mail: البريد الالكتروني
221 field_filename: اسم الملف
221 field_filename: اسم الملف
222 field_filesize: حجم الملف
222 field_filesize: حجم الملف
223 field_downloads: التنزيل
223 field_downloads: التنزيل
224 field_author: المؤلف
224 field_author: المؤلف
225 field_created_on: تم الانشاء في
225 field_created_on: تم الانشاء في
226 field_updated_on: تم التحديث
226 field_updated_on: تم التحديث
227 field_field_format: تنسيق الحقل
227 field_field_format: تنسيق الحقل
228 field_is_for_all: لكل المشروعات
228 field_is_for_all: لكل المشروعات
229 field_possible_values: قيم محتملة
229 field_possible_values: قيم محتملة
230 field_regexp: التعبير العادي
230 field_regexp: التعبير العادي
231 field_min_length: الحد الادنى للطول
231 field_min_length: الحد الادنى للطول
232 field_max_length: الحد الاعلى للطول
232 field_max_length: الحد الاعلى للطول
233 field_value: القيمة
233 field_value: القيمة
234 field_category: الفئة
234 field_category: الفئة
235 field_title: العنوان
235 field_title: العنوان
236 field_project: المشروع
236 field_project: المشروع
237 field_issue: القضية
237 field_issue: القضية
238 field_status: الحالة
238 field_status: الحالة
239 field_notes: ملاحظات
239 field_notes: ملاحظات
240 field_is_closed: القضية مغلقة
240 field_is_closed: القضية مغلقة
241 field_is_default: القيمة الافتراضية
241 field_is_default: القيمة الافتراضية
242 field_tracker: المتتبع
242 field_tracker: المتتبع
243 field_subject: الموضوع
243 field_subject: الموضوع
244 field_due_date: تاريخ الاستحقاق
244 field_due_date: تاريخ الاستحقاق
245 field_assigned_to: المحال اليه
245 field_assigned_to: المحال اليه
246 field_priority: الأولوية
246 field_priority: الأولوية
247 field_fixed_version: الاصدار المستهدف
247 field_fixed_version: الاصدار المستهدف
248 field_user: المستخدم
248 field_user: المستخدم
249 field_principal: الرئيسي
249 field_principal: الرئيسي
250 field_role: دور
250 field_role: دور
251 field_homepage: الصفحة الرئيسية
251 field_homepage: الصفحة الرئيسية
252 field_is_public: عام
252 field_is_public: عام
253 field_parent: مشروع فرعي من
253 field_parent: مشروع فرعي من
254 field_is_in_roadmap: القضايا المعروضة في خارطة الطريق
254 field_is_in_roadmap: القضايا المعروضة في خارطة الطريق
255 field_login: تسجيل الدخول
255 field_login: تسجيل الدخول
256 field_mail_notification: ملاحظات على البريد الالكتروني
256 field_mail_notification: ملاحظات على البريد الالكتروني
257 field_admin: المدير
257 field_admin: المدير
258 field_last_login_on: اخر اتصال
258 field_last_login_on: اخر اتصال
259 field_language: لغة
259 field_language: لغة
260 field_effective_date: تاريخ
260 field_effective_date: تاريخ
261 field_password: كلمة المرور
261 field_password: كلمة المرور
262 field_new_password: كلمة المرور الجديدة
262 field_new_password: كلمة المرور الجديدة
263 field_password_confirmation: تأكيد
263 field_password_confirmation: تأكيد
264 field_version: إصدار
264 field_version: إصدار
265 field_type: نوع
265 field_type: نوع
266 field_host: المضيف
266 field_host: المضيف
267 field_port: المنفذ
267 field_port: المنفذ
268 field_account: الحساب
268 field_account: الحساب
269 field_base_dn: DN قاعدة
269 field_base_dn: DN قاعدة
270 field_attr_login: سمة الدخول
270 field_attr_login: سمة الدخول
271 field_attr_firstname: سمة الاسم الاول
271 field_attr_firstname: سمة الاسم الاول
272 field_attr_lastname: سمة الاسم الاخير
272 field_attr_lastname: سمة الاسم الاخير
273 field_attr_mail: سمة البريد الالكتروني
273 field_attr_mail: سمة البريد الالكتروني
274 field_onthefly: إنشاء حساب مستخدم على تحرك
274 field_onthefly: إنشاء حساب مستخدم على تحرك
275 field_start_date: تاريخ البدية
275 field_start_date: تاريخ البدية
276 field_done_ratio: "% تم"
276 field_done_ratio: "% تم"
277 field_auth_source: وضع المصادقة
277 field_auth_source: وضع المصادقة
278 field_hide_mail: إخفاء بريدي الإلكتروني
278 field_hide_mail: إخفاء بريدي الإلكتروني
279 field_comments: تعليق
279 field_comments: تعليق
280 field_url: رابط
280 field_url: رابط
281 field_start_page: صفحة البداية
281 field_start_page: صفحة البداية
282 field_subproject: المشروع الفرعي
282 field_subproject: المشروع الفرعي
283 field_hours: ساعات
283 field_hours: ساعات
284 field_activity: النشاط
284 field_activity: النشاط
285 field_spent_on: تاريخ
285 field_spent_on: تاريخ
286 field_identifier: المعرف
286 field_identifier: المعرف
287 field_is_filter: استخدم كتصفية
287 field_is_filter: استخدم كتصفية
288 field_issue_to: القضايا المتصلة
288 field_issue_to: القضايا المتصلة
289 field_delay: تأخير
289 field_delay: تأخير
290 field_assignable: يمكن ان تستند القضايا الى هذا الدور
290 field_assignable: يمكن ان تستند القضايا الى هذا الدور
291 field_redirect_existing_links: إعادة توجيه الروابط الموجودة
291 field_redirect_existing_links: إعادة توجيه الروابط الموجودة
292 field_estimated_hours: الوقت المتوقع
292 field_estimated_hours: الوقت المتوقع
293 field_column_names: أعمدة
293 field_column_names: أعمدة
294 field_time_entries: وقت الدخول
294 field_time_entries: وقت الدخول
295 field_time_zone: المنطقة الزمنية
295 field_time_zone: المنطقة الزمنية
296 field_searchable: يمكن البحث فيه
296 field_searchable: يمكن البحث فيه
297 field_default_value: القيمة الافتراضية
297 field_default_value: القيمة الافتراضية
298 field_comments_sorting: اعرض التعليقات
298 field_comments_sorting: اعرض التعليقات
299 field_parent_title: صفحة الوالدين
299 field_parent_title: صفحة الوالدين
300 field_editable: يمكن اعادة تحريره
300 field_editable: يمكن اعادة تحريره
301 field_watcher: مراقب
301 field_watcher: مراقب
302 field_identity_url: افتح الرابط الخاص بالهوية الشخصية
302 field_identity_url: افتح الرابط الخاص بالهوية الشخصية
303 field_content: المحتويات
303 field_content: المحتويات
304 field_group_by: مجموعة النتائج عن طريق
304 field_group_by: مجموعة النتائج عن طريق
305 field_sharing: مشاركة
305 field_sharing: مشاركة
306 field_parent_issue: مهمة الوالدين
306 field_parent_issue: مهمة الوالدين
307 field_member_of_group: "مجموعة المحال"
307 field_member_of_group: "مجموعة المحال"
308 field_assigned_to_role: "دور المحال"
308 field_assigned_to_role: "دور المحال"
309 field_text: حقل نصي
309 field_text: حقل نصي
310 field_visible: غير مرئي
310 field_visible: غير مرئي
311 field_warn_on_leaving_unsaved: "الرجاء التحذير عند مغادرة صفحة والنص غير محفوظ"
311 field_warn_on_leaving_unsaved: "الرجاء التحذير عند مغادرة صفحة والنص غير محفوظ"
312 field_issues_visibility: القضايا المرئية
312 field_issues_visibility: القضايا المرئية
313 field_is_private: خاص
313 field_is_private: خاص
314 field_commit_logs_encoding: رسائل الترميز
314 field_commit_logs_encoding: رسائل الترميز
315 field_scm_path_encoding: ترميز المسار
315 field_scm_path_encoding: ترميز المسار
316 field_path_to_repository: مسار المستودع
316 field_path_to_repository: مسار المستودع
317 field_root_directory: دليل الجذر
317 field_root_directory: دليل الجذر
318 field_cvsroot: CVSجذر
318 field_cvsroot: CVSجذر
319 field_cvs_module: وحدة
319 field_cvs_module: وحدة
320
320
321 setting_app_title: عنوان التطبيق
321 setting_app_title: عنوان التطبيق
322 setting_app_subtitle: العنوان الفرعي للتطبيق
322 setting_app_subtitle: العنوان الفرعي للتطبيق
323 setting_welcome_text: نص الترحيب
323 setting_welcome_text: نص الترحيب
324 setting_default_language: اللغة الافتراضية
324 setting_default_language: اللغة الافتراضية
325 setting_login_required: مطلوب المصادقة
325 setting_login_required: مطلوب المصادقة
326 setting_self_registration: التسجيل الذاتي
326 setting_self_registration: التسجيل الذاتي
327 setting_attachment_max_size: الحد الاقصى للملفات المرفقة
327 setting_attachment_max_size: الحد الاقصى للملفات المرفقة
328 setting_issues_export_limit: الحد الاقصى لقضايا التصدير
328 setting_issues_export_limit: الحد الاقصى لقضايا التصدير
329 setting_mail_from: انبعاثات عنوان بريدك
329 setting_mail_from: انبعاثات عنوان بريدك
330 setting_bcc_recipients: مستلمين النسخ المخفية (bcc)
330 setting_bcc_recipients: مستلمين النسخ المخفية (bcc)
331 setting_plain_text_mail: نص عادي (no HTML)
331 setting_plain_text_mail: نص عادي (no HTML)
332 setting_host_name: اسم ومسار المستخدم
332 setting_host_name: اسم ومسار المستخدم
333 setting_text_formatting: تنسيق النص
333 setting_text_formatting: تنسيق النص
334 setting_wiki_compression: ضغط تاريخ الويكي
334 setting_wiki_compression: ضغط تاريخ الويكي
335 setting_feeds_limit: Atom feeds الحد الاقصى لعدد البنود في
335 setting_feeds_limit: Atom feeds الحد الاقصى لعدد البنود في
336 setting_default_projects_public: المشاريع الجديده متاحة للجميع افتراضيا
336 setting_default_projects_public: المشاريع الجديده متاحة للجميع افتراضيا
337 setting_autofetch_changesets: الإحضار التلقائي
337 setting_autofetch_changesets: الإحضار التلقائي
338 setting_sys_api_enabled: من ادارة المستودع WS تمكين
338 setting_sys_api_enabled: من ادارة المستودع WS تمكين
339 setting_commit_ref_keywords: مرجعية الكلمات المفتاحية
339 setting_commit_ref_keywords: مرجعية الكلمات المفتاحية
340 setting_commit_fix_keywords: تصحيح الكلمات المفتاحية
340 setting_commit_fix_keywords: تصحيح الكلمات المفتاحية
341 setting_autologin: الدخول التلقائي
341 setting_autologin: الدخول التلقائي
342 setting_date_format: تنسيق التاريخ
342 setting_date_format: تنسيق التاريخ
343 setting_time_format: تنسيق الوقت
343 setting_time_format: تنسيق الوقت
344 setting_cross_project_issue_relations: السماح بادارج القضايا في هذا المشروع
344 setting_cross_project_issue_relations: السماح بادارج القضايا في هذا المشروع
345 setting_issue_list_default_columns: الاعمدة الافتراضية المعروضة في قائمة القضية
345 setting_issue_list_default_columns: الاعمدة الافتراضية المعروضة في قائمة القضية
346 setting_repositories_encodings: ترميز المرفقات والمستودعات
346 setting_repositories_encodings: ترميز المرفقات والمستودعات
347 setting_emails_header: رأس رسائل البريد الإلكتروني
347 setting_emails_header: رأس رسائل البريد الإلكتروني
348 setting_emails_footer: ذيل رسائل البريد الإلكتروني
348 setting_emails_footer: ذيل رسائل البريد الإلكتروني
349 setting_protocol: بروتوكول
349 setting_protocol: بروتوكول
350 setting_per_page_options: الكائنات لكل خيارات الصفحة
350 setting_per_page_options: الكائنات لكل خيارات الصفحة
351 setting_user_format: تنسيق عرض المستخدم
351 setting_user_format: تنسيق عرض المستخدم
352 setting_activity_days_default: الايام المعروضة على نشاط المشروع
352 setting_activity_days_default: الايام المعروضة على نشاط المشروع
353 setting_display_subprojects_issues: عرض القضايا الفرعية للمشارع الرئيسية بشكل افتراضي
353 setting_display_subprojects_issues: عرض القضايا الفرعية للمشارع الرئيسية بشكل افتراضي
354 setting_enabled_scm: SCM تمكين
354 setting_enabled_scm: SCM تمكين
355 setting_mail_handler_body_delimiters: "اقتطاع رسائل البريد الإلكتروني بعد هذه الخطوط"
355 setting_mail_handler_body_delimiters: "اقتطاع رسائل البريد الإلكتروني بعد هذه الخطوط"
356 setting_mail_handler_api_enabled: للرسائل الواردةWS تمكين
356 setting_mail_handler_api_enabled: للرسائل الواردةWS تمكين
357 setting_mail_handler_api_key: API مفتاح
357 setting_mail_handler_api_key: API مفتاح
358 setting_sequential_project_identifiers: انشاء معرفات المشروع المتسلسلة
358 setting_sequential_project_identifiers: انشاء معرفات المشروع المتسلسلة
359 setting_gravatar_enabled: كأيقونة مستخدمGravatar استخدام
359 setting_gravatar_enabled: كأيقونة مستخدمGravatar استخدام
360 setting_gravatar_default: الافتراضيةGravatar صورة
360 setting_gravatar_default: الافتراضيةGravatar صورة
361 setting_diff_max_lines_displayed: الحد الاقصى لعدد الخطوط
361 setting_diff_max_lines_displayed: الحد الاقصى لعدد الخطوط
362 setting_file_max_size_displayed: الحد الأقصى لحجم النص المعروض على الملفات المرفقة
362 setting_file_max_size_displayed: الحد الأقصى لحجم النص المعروض على الملفات المرفقة
363 setting_repository_log_display_limit: الحد الاقصى لعدد التنقيحات المعروضة على ملف السجل
363 setting_repository_log_display_limit: الحد الاقصى لعدد التنقيحات المعروضة على ملف السجل
364 setting_openid: السماح بدخول اسم المستخدم المفتوح والتسجيل
364 setting_openid: السماح بدخول اسم المستخدم المفتوح والتسجيل
365 setting_password_min_length: الحد الادني لطول كلمة المرور
365 setting_password_min_length: الحد الادني لطول كلمة المرور
366 setting_new_project_user_role_id: الدور المسند الى المستخدم غير المسؤول الذي يقوم بإنشاء المشروع
366 setting_new_project_user_role_id: الدور المسند الى المستخدم غير المسؤول الذي يقوم بإنشاء المشروع
367 setting_default_projects_modules: تمكين الوحدات النمطية للمشاريع الجديدة بشكل افتراضي
367 setting_default_projects_modules: تمكين الوحدات النمطية للمشاريع الجديدة بشكل افتراضي
368 setting_issue_done_ratio: حساب نسبة القضية المنتهية
368 setting_issue_done_ratio: حساب نسبة القضية المنتهية
369 setting_issue_done_ratio_issue_field: استخدم حقل القضية
369 setting_issue_done_ratio_issue_field: استخدم حقل القضية
370 setting_issue_done_ratio_issue_status: استخدم وضع القضية
370 setting_issue_done_ratio_issue_status: استخدم وضع القضية
371 setting_start_of_week: بدأ التقويم
371 setting_start_of_week: بدأ التقويم
372 setting_rest_api_enabled: تمكين باقي خدمات الويب
372 setting_rest_api_enabled: تمكين باقي خدمات الويب
373 setting_cache_formatted_text: النص المسبق تنسيقه في ذاكرة التخزين المؤقت
373 setting_cache_formatted_text: النص المسبق تنسيقه في ذاكرة التخزين المؤقت
374 setting_default_notification_option: خيار الاعلام الافتراضي
374 setting_default_notification_option: خيار الاعلام الافتراضي
375 setting_commit_logtime_enabled: تميكن وقت الدخول
375 setting_commit_logtime_enabled: تميكن وقت الدخول
376 setting_commit_logtime_activity_id: النشاط في وقت الدخول
376 setting_commit_logtime_activity_id: النشاط في وقت الدخول
377 setting_gantt_items_limit: الحد الاقصى لعدد العناصر المعروضة على المخطط
377 setting_gantt_items_limit: الحد الاقصى لعدد العناصر المعروضة على المخطط
378 setting_issue_group_assignment: السماح للإحالة الى المجموعات
378 setting_issue_group_assignment: السماح للإحالة الى المجموعات
379 setting_default_issue_start_date_to_creation_date: استخدام التاريخ الحالي كتاريخ بدأ للقضايا الجديدة
379 setting_default_issue_start_date_to_creation_date: استخدام التاريخ الحالي كتاريخ بدأ للقضايا الجديدة
380
380
381 permission_add_project: إنشاء مشروع
381 permission_add_project: إنشاء مشروع
382 permission_add_subprojects: إنشاء مشاريع فرعية
382 permission_add_subprojects: إنشاء مشاريع فرعية
383 permission_edit_project: تعديل مشروع
383 permission_edit_project: تعديل مشروع
384 permission_select_project_modules: تحديد شكل المشروع
384 permission_select_project_modules: تحديد شكل المشروع
385 permission_manage_members: إدارة الاعضاء
385 permission_manage_members: إدارة الاعضاء
386 permission_manage_project_activities: ادارة اصدارات المشروع
386 permission_manage_project_activities: ادارة اصدارات المشروع
387 permission_manage_versions: ادارة الاصدارات
387 permission_manage_versions: ادارة الاصدارات
388 permission_manage_categories: ادارة انواع القضايا
388 permission_manage_categories: ادارة انواع القضايا
389 permission_view_issues: عرض القضايا
389 permission_view_issues: عرض القضايا
390 permission_add_issues: اضافة القضايا
390 permission_add_issues: اضافة القضايا
391 permission_edit_issues: تعديل القضايا
391 permission_edit_issues: تعديل القضايا
392 permission_manage_issue_relations: ادارة علاقات القضايا
392 permission_manage_issue_relations: ادارة علاقات القضايا
393 permission_set_issues_private: تعين قضايا عامة او خاصة
393 permission_set_issues_private: تعين قضايا عامة او خاصة
394 permission_set_own_issues_private: تعين القضايا الخاصة بك كقضايا عامة او خاصة
394 permission_set_own_issues_private: تعين القضايا الخاصة بك كقضايا عامة او خاصة
395 permission_add_issue_notes: اضافة ملاحظات
395 permission_add_issue_notes: اضافة ملاحظات
396 permission_edit_issue_notes: تعديل ملاحظات
396 permission_edit_issue_notes: تعديل ملاحظات
397 permission_edit_own_issue_notes: تعديل ملاحظاتك
397 permission_edit_own_issue_notes: تعديل ملاحظاتك
398 permission_move_issues: تحريك القضايا
398 permission_move_issues: تحريك القضايا
399 permission_delete_issues: حذف القضايا
399 permission_delete_issues: حذف القضايا
400 permission_manage_public_queries: ادارة الاستعلامات العامة
400 permission_manage_public_queries: ادارة الاستعلامات العامة
401 permission_save_queries: حفظ الاستعلامات
401 permission_save_queries: حفظ الاستعلامات
402 permission_view_gantt: عرض طريقة"جانت"
402 permission_view_gantt: عرض طريقة"جانت"
403 permission_view_calendar: عرض التقويم
403 permission_view_calendar: عرض التقويم
404 permission_view_issue_watchers: عرض قائمة المراقبين
404 permission_view_issue_watchers: عرض قائمة المراقبين
405 permission_add_issue_watchers: اضافة مراقبين
405 permission_add_issue_watchers: اضافة مراقبين
406 permission_delete_issue_watchers: حذف مراقبين
406 permission_delete_issue_watchers: حذف مراقبين
407 permission_log_time: الوقت المستغرق بالدخول
407 permission_log_time: الوقت المستغرق بالدخول
408 permission_view_time_entries: عرض الوقت المستغرق
408 permission_view_time_entries: عرض الوقت المستغرق
409 permission_edit_time_entries: تعديل الدخولات الزمنية
409 permission_edit_time_entries: تعديل الدخولات الزمنية
410 permission_edit_own_time_entries: تعديل الدخولات الشخصية
410 permission_edit_own_time_entries: تعديل الدخولات الشخصية
411 permission_manage_news: ادارة الاخبار
411 permission_manage_news: ادارة الاخبار
412 permission_comment_news: اخبار التعليقات
412 permission_comment_news: اخبار التعليقات
413 permission_manage_documents: ادارة المستندات
413 permission_manage_documents: ادارة المستندات
414 permission_view_documents: عرض المستندات
414 permission_view_documents: عرض المستندات
415 permission_manage_files: ادارة الملفات
415 permission_manage_files: ادارة الملفات
416 permission_view_files: عرض الملفات
416 permission_view_files: عرض الملفات
417 permission_manage_wiki: ادارة ويكي
417 permission_manage_wiki: ادارة ويكي
418 permission_rename_wiki_pages: اعادة تسمية صفحات ويكي
418 permission_rename_wiki_pages: اعادة تسمية صفحات ويكي
419 permission_delete_wiki_pages: حذق صفحات ويكي
419 permission_delete_wiki_pages: حذق صفحات ويكي
420 permission_view_wiki_pages: عرض ويكي
420 permission_view_wiki_pages: عرض ويكي
421 permission_view_wiki_edits: عرض تاريخ ويكي
421 permission_view_wiki_edits: عرض تاريخ ويكي
422 permission_edit_wiki_pages: تعديل صفحات ويكي
422 permission_edit_wiki_pages: تعديل صفحات ويكي
423 permission_delete_wiki_pages_attachments: حذف المرفقات
423 permission_delete_wiki_pages_attachments: حذف المرفقات
424 permission_protect_wiki_pages: حماية صفحات ويكي
424 permission_protect_wiki_pages: حماية صفحات ويكي
425 permission_manage_repository: ادارة المستودعات
425 permission_manage_repository: ادارة المستودعات
426 permission_browse_repository: استعراض المستودعات
426 permission_browse_repository: استعراض المستودعات
427 permission_view_changesets: عرض طاقم التغيير
427 permission_view_changesets: عرض طاقم التغيير
428 permission_commit_access: الوصول
428 permission_commit_access: الوصول
429 permission_manage_boards: ادارة المنتديات
429 permission_manage_boards: ادارة المنتديات
430 permission_view_messages: عرض الرسائل
430 permission_view_messages: عرض الرسائل
431 permission_add_messages: نشر الرسائل
431 permission_add_messages: نشر الرسائل
432 permission_edit_messages: تحرير الرسائل
432 permission_edit_messages: تحرير الرسائل
433 permission_edit_own_messages: تحرير الرسائل الخاصة
433 permission_edit_own_messages: تحرير الرسائل الخاصة
434 permission_delete_messages: حذف الرسائل
434 permission_delete_messages: حذف الرسائل
435 permission_delete_own_messages: حذف الرسائل الخاصة
435 permission_delete_own_messages: حذف الرسائل الخاصة
436 permission_export_wiki_pages: تصدير صفحات ويكي
436 permission_export_wiki_pages: تصدير صفحات ويكي
437 permission_manage_subtasks: ادارة المهام الفرعية
437 permission_manage_subtasks: ادارة المهام الفرعية
438
438
439 project_module_issue_tracking: تعقب القضايا
439 project_module_issue_tracking: تعقب القضايا
440 project_module_time_tracking: التعقب الزمني
440 project_module_time_tracking: التعقب الزمني
441 project_module_news: الاخبار
441 project_module_news: الاخبار
442 project_module_documents: المستندات
442 project_module_documents: المستندات
443 project_module_files: الملفات
443 project_module_files: الملفات
444 project_module_wiki: ويكي
444 project_module_wiki: ويكي
445 project_module_repository: المستودع
445 project_module_repository: المستودع
446 project_module_boards: المنتديات
446 project_module_boards: المنتديات
447 project_module_calendar: التقويم
447 project_module_calendar: التقويم
448 project_module_gantt: جانت
448 project_module_gantt: جانت
449
449
450 label_user: المستخدم
450 label_user: المستخدم
451 label_user_plural: المستخدمين
451 label_user_plural: المستخدمين
452 label_user_new: مستخدم جديد
452 label_user_new: مستخدم جديد
453 label_user_anonymous: مجهول الهوية
453 label_user_anonymous: مجهول الهوية
454 label_project: مشروع
454 label_project: مشروع
455 label_project_new: مشروع جديد
455 label_project_new: مشروع جديد
456 label_project_plural: مشاريع
456 label_project_plural: مشاريع
457 label_x_projects:
457 label_x_projects:
458 zero: لا يوجد مشاريع
458 zero: لا يوجد مشاريع
459 one: مشروع واحد
459 one: مشروع واحد
460 other: "%{count} مشاريع"
460 other: "%{count} مشاريع"
461 label_project_all: كل المشاريع
461 label_project_all: كل المشاريع
462 label_project_latest: احدث المشاريع
462 label_project_latest: احدث المشاريع
463 label_issue: قضية
463 label_issue: قضية
464 label_issue_new: قضية جديدة
464 label_issue_new: قضية جديدة
465 label_issue_plural: قضايا
465 label_issue_plural: قضايا
466 label_issue_view_all: عرض كل القضايا
466 label_issue_view_all: عرض كل القضايا
467 label_issues_by: " %{value}القضية لصحابها"
467 label_issues_by: " %{value}القضية لصحابها"
468 label_issue_added: تم اضافة القضية
468 label_issue_added: تم اضافة القضية
469 label_issue_updated: تم تحديث القضية
469 label_issue_updated: تم تحديث القضية
470 label_issue_note_added: تم اضافة الملاحظة
470 label_issue_note_added: تم اضافة الملاحظة
471 label_issue_status_updated: تم تحديث الحالة
471 label_issue_status_updated: تم تحديث الحالة
472 label_issue_priority_updated: تم تحديث الاولويات
472 label_issue_priority_updated: تم تحديث الاولويات
473 label_document: مستند
473 label_document: مستند
474 label_document_new: مستند جديد
474 label_document_new: مستند جديد
475 label_document_plural: مستندات
475 label_document_plural: مستندات
476 label_document_added: تم اضافة مستند
476 label_document_added: تم اضافة مستند
477 label_role: دور
477 label_role: دور
478 label_role_plural: ادوار
478 label_role_plural: ادوار
479 label_role_new: دور جديد
479 label_role_new: دور جديد
480 label_role_and_permissions: الادوار والاذن
480 label_role_and_permissions: الادوار والاذن
481 label_role_anonymous: مجهول الهوية
481 label_role_anonymous: مجهول الهوية
482 label_role_non_member: ليس عضو
482 label_role_non_member: ليس عضو
483 label_member: عضو
483 label_member: عضو
484 label_member_new: عضو جديد
484 label_member_new: عضو جديد
485 label_member_plural: اعضاء
485 label_member_plural: اعضاء
486 label_tracker: المتتبع
486 label_tracker: المتتبع
487 label_tracker_plural: المتتبعين
487 label_tracker_plural: المتتبعين
488 label_tracker_new: متتبع جديد
488 label_tracker_new: متتبع جديد
489 label_workflow: سير العمل
489 label_workflow: سير العمل
490 label_issue_status: وضع القضية
490 label_issue_status: وضع القضية
491 label_issue_status_plural: اوضاع القضية
491 label_issue_status_plural: اوضاع القضية
492 label_issue_status_new: وضع جديد
492 label_issue_status_new: وضع جديد
493 label_issue_category: نوع القضية
493 label_issue_category: نوع القضية
494 label_issue_category_plural: انواع القضايا
494 label_issue_category_plural: انواع القضايا
495 label_issue_category_new: نوع جديد
495 label_issue_category_new: نوع جديد
496 label_custom_field: تخصيص حقل
496 label_custom_field: تخصيص حقل
497 label_custom_field_plural: تخصيص حقول
497 label_custom_field_plural: تخصيص حقول
498 label_custom_field_new: حقل مخصص جديد
498 label_custom_field_new: حقل مخصص جديد
499 label_enumerations: التعدادات
499 label_enumerations: التعدادات
500 label_enumeration_new: قيمة جديدة
500 label_enumeration_new: قيمة جديدة
501 label_information: معلومة
501 label_information: معلومة
502 label_information_plural: معلومات
502 label_information_plural: معلومات
503 label_please_login: برجى تسجيل الدخول
503 label_please_login: برجى تسجيل الدخول
504 label_register: تسجيل
504 label_register: تسجيل
505 label_login_with_open_id_option: او الدخول بهوية مفتوحة
505 label_login_with_open_id_option: او الدخول بهوية مفتوحة
506 label_password_lost: فقدت كلمة السر
506 label_password_lost: فقدت كلمة السر
507 label_home: الصفحة الرئيسية
507 label_home: الصفحة الرئيسية
508 label_my_page: الصفحة الخاصة بي
508 label_my_page: الصفحة الخاصة بي
509 label_my_account: حسابي
509 label_my_account: حسابي
510 label_my_projects: مشاريعي الخاصة
510 label_my_projects: مشاريعي الخاصة
511 label_my_page_block: حجب صفحتي الخاصة
511 label_my_page_block: حجب صفحتي الخاصة
512 label_administration: الإدارة
512 label_administration: الإدارة
513 label_login: تسجيل الدخول
513 label_login: تسجيل الدخول
514 label_logout: تسجيل الخروج
514 label_logout: تسجيل الخروج
515 label_help: مساعدة
515 label_help: مساعدة
516 label_reported_issues: أبلغ القضايا
516 label_reported_issues: أبلغ القضايا
517 label_assigned_to_me_issues: المسائل المعنية إلى
517 label_assigned_to_me_issues: المسائل المعنية إلى
518 label_last_login: آخر اتصال
518 label_last_login: آخر اتصال
519 label_registered_on: مسجل على
519 label_registered_on: مسجل على
520 label_activity: النشاط
520 label_activity: النشاط
521 label_overall_activity: النشاط العام
521 label_overall_activity: النشاط العام
522 label_user_activity: "قيمة النشاط"
522 label_user_activity: "قيمة النشاط"
523 label_new: جديدة
523 label_new: جديدة
524 label_logged_as: تم تسجيل دخولك
524 label_logged_as: تم تسجيل دخولك
525 label_environment: البيئة
525 label_environment: البيئة
526 label_authentication: المصادقة
526 label_authentication: المصادقة
527 label_auth_source: وضع المصادقة
527 label_auth_source: وضع المصادقة
528 label_auth_source_new: وضع مصادقة جديدة
528 label_auth_source_new: وضع مصادقة جديدة
529 label_auth_source_plural: أوضاع المصادقة
529 label_auth_source_plural: أوضاع المصادقة
530 label_subproject_plural: مشاريع فرعية
530 label_subproject_plural: مشاريع فرعية
531 label_subproject_new: مشروع فرعي جديد
531 label_subproject_new: مشروع فرعي جديد
532 label_and_its_subprojects: "قيمةالمشاريع الفرعية الخاصة بك"
532 label_and_its_subprojects: "قيمةالمشاريع الفرعية الخاصة بك"
533 label_min_max_length: الحد الاقصى والادنى للطول
533 label_min_max_length: الحد الاقصى والادنى للطول
534 label_list: قائمة
534 label_list: قائمة
535 label_date: تاريخ
535 label_date: تاريخ
536 label_integer: عدد صحيح
536 label_integer: عدد صحيح
537 label_float: تعويم
537 label_float: تعويم
538 label_boolean: منطقية
538 label_boolean: منطقية
539 label_string: النص
539 label_string: النص
540 label_text: نص طويل
540 label_text: نص طويل
541 label_attribute: سمة
541 label_attribute: سمة
542 label_attribute_plural: السمات
542 label_attribute_plural: السمات
543 label_download: "تحميل"
543 label_download: "تحميل"
544 label_download_plural: "تحميل"
544 label_download_plural: "تحميل"
545 label_no_data: لا توجد بيانات للعرض
545 label_no_data: لا توجد بيانات للعرض
546 label_change_status: تغيير الوضع
546 label_change_status: تغيير الوضع
547 label_history: التاريخ
547 label_history: التاريخ
548 label_attachment: الملف
548 label_attachment: الملف
549 label_attachment_new: ملف جديد
549 label_attachment_new: ملف جديد
550 label_attachment_delete: حذف الملف
550 label_attachment_delete: حذف الملف
551 label_attachment_plural: الملفات
551 label_attachment_plural: الملفات
552 label_file_added: الملف المضاف
552 label_file_added: الملف المضاف
553 label_report: تقرير
553 label_report: تقرير
554 label_report_plural: التقارير
554 label_report_plural: التقارير
555 label_news: الأخبار
555 label_news: الأخبار
556 label_news_new: إضافة الأخبار
556 label_news_new: إضافة الأخبار
557 label_news_plural: الأخبار
557 label_news_plural: الأخبار
558 label_news_latest: آخر الأخبار
558 label_news_latest: آخر الأخبار
559 label_news_view_all: عرض كل الأخبار
559 label_news_view_all: عرض كل الأخبار
560 label_news_added: الأخبار المضافة
560 label_news_added: الأخبار المضافة
561 label_news_comment_added: إضافة التعليقات على أخبار
561 label_news_comment_added: إضافة التعليقات على أخبار
562 label_settings: إعدادات
562 label_settings: إعدادات
563 label_overview: لمحة عامة
563 label_overview: لمحة عامة
564 label_version: الإصدار
564 label_version: الإصدار
565 label_version_new: الإصدار الجديد
565 label_version_new: الإصدار الجديد
566 label_version_plural: الإصدارات
566 label_version_plural: الإصدارات
567 label_close_versions: أكملت إغلاق الإصدارات
567 label_close_versions: أكملت إغلاق الإصدارات
568 label_confirmation: تأكيد
568 label_confirmation: تأكيد
569 label_export_to: 'متوفرة أيضا في:'
569 label_export_to: 'متوفرة أيضا في:'
570 label_read: القراءة...
570 label_read: القراءة...
571 label_public_projects: المشاريع العامة
571 label_public_projects: المشاريع العامة
572 label_open_issues: فتح قضية
572 label_open_issues: فتح قضية
573 label_open_issues_plural: فتح قضايا
573 label_open_issues_plural: فتح قضايا
574 label_closed_issues: قضية مغلقة
574 label_closed_issues: قضية مغلقة
575 label_closed_issues_plural: قضايا مغلقة
575 label_closed_issues_plural: قضايا مغلقة
576 label_x_open_issues_abbr_on_total:
576 label_x_open_issues_abbr_on_total:
577 zero: 0 مفتوح / %{total}
577 zero: 0 مفتوح / %{total}
578 one: 1 مفتوح / %{total}
578 one: 1 مفتوح / %{total}
579 other: "%{count} مفتوح / %{total}"
579 other: "%{count} مفتوح / %{total}"
580 label_x_open_issues_abbr:
580 label_x_open_issues_abbr:
581 zero: 0 مفتوح
581 zero: 0 مفتوح
582 one: 1 مقتوح
582 one: 1 مقتوح
583 other: "%{count} مفتوح"
583 other: "%{count} مفتوح"
584 label_x_closed_issues_abbr:
584 label_x_closed_issues_abbr:
585 zero: 0 مغلق
585 zero: 0 مغلق
586 one: 1 مغلق
586 one: 1 مغلق
587 other: "%{count} مغلق"
587 other: "%{count} مغلق"
588 label_total: الإجمالي
588 label_total: الإجمالي
589 label_permissions: أذونات
589 label_permissions: أذونات
590 label_current_status: الوضع الحالي
590 label_current_status: الوضع الحالي
591 label_new_statuses_allowed: يسمح بادراج حالات جديدة
591 label_new_statuses_allowed: يسمح بادراج حالات جديدة
592 label_all: جميع
592 label_all: جميع
593 label_none: لا شيء
593 label_none: لا شيء
594 label_nobody: لا أحد
594 label_nobody: لا أحد
595 label_next: القادم
595 label_next: القادم
596 label_previous: السابق
596 label_previous: السابق
597 label_used_by: التي يستخدمها
597 label_used_by: التي يستخدمها
598 label_details: التفاصيل
598 label_details: التفاصيل
599 label_add_note: إضافة ملاحظة
599 label_add_note: إضافة ملاحظة
600 label_per_page: كل صفحة
600 label_per_page: كل صفحة
601 label_calendar: التقويم
601 label_calendar: التقويم
602 label_months_from: بعد أشهر من
602 label_months_from: بعد أشهر من
603 label_gantt: جانت
603 label_gantt: جانت
604 label_internal: الداخلية
604 label_internal: الداخلية
605 label_last_changes: "آخر التغييرات %{count}"
605 label_last_changes: "آخر التغييرات %{count}"
606 label_change_view_all: عرض كافة التغييرات
606 label_change_view_all: عرض كافة التغييرات
607 label_personalize_page: تخصيص هذه الصفحة
607 label_personalize_page: تخصيص هذه الصفحة
608 label_comment: تعليق
608 label_comment: تعليق
609 label_comment_plural: تعليقات
609 label_comment_plural: تعليقات
610 label_x_comments:
610 label_x_comments:
611 zero: لا يوجد تعليقات
611 zero: لا يوجد تعليقات
612 one: تعليق واحد
612 one: تعليق واحد
613 other: "%{count} تعليقات"
613 other: "%{count} تعليقات"
614 label_comment_add: إضافة تعليق
614 label_comment_add: إضافة تعليق
615 label_comment_added: تم إضافة التعليق
615 label_comment_added: تم إضافة التعليق
616 label_comment_delete: حذف التعليقات
616 label_comment_delete: حذف التعليقات
617 label_query: استعلام مخصص
617 label_query: استعلام مخصص
618 label_query_plural: استعلامات مخصصة
618 label_query_plural: استعلامات مخصصة
619 label_query_new: استعلام جديد
619 label_query_new: استعلام جديد
620 label_my_queries: استعلاماتي المخصصة
620 label_my_queries: استعلاماتي المخصصة
621 label_filter_add: إضافة عامل تصفية
621 label_filter_add: إضافة عامل تصفية
622 label_filter_plural: عوامل التصفية
622 label_filter_plural: عوامل التصفية
623 label_equals: يساوي
623 label_equals: يساوي
624 label_not_equals: لا يساوي
624 label_not_equals: لا يساوي
625 label_in_less_than: في أقل من
625 label_in_less_than: في أقل من
626 label_in_more_than: في أكثر من
626 label_in_more_than: في أكثر من
627 label_greater_or_equal: '>='
627 label_greater_or_equal: '>='
628 label_less_or_equal: '< ='
628 label_less_or_equal: '< ='
629 label_between: بين
629 label_between: بين
630 label_in: في
630 label_in: في
631 label_today: اليوم
631 label_today: اليوم
632 label_all_time: كل الوقت
632 label_all_time: كل الوقت
633 label_yesterday: بالأمس
633 label_yesterday: بالأمس
634 label_this_week: هذا الأسبوع
634 label_this_week: هذا الأسبوع
635 label_last_week: الأسبوع الماضي
635 label_last_week: الأسبوع الماضي
636 label_last_n_days: "ايام %{count} اخر"
636 label_last_n_days: "ايام %{count} اخر"
637 label_this_month: هذا الشهر
637 label_this_month: هذا الشهر
638 label_last_month: الشهر الماضي
638 label_last_month: الشهر الماضي
639 label_this_year: هذا العام
639 label_this_year: هذا العام
640 label_date_range: نطاق التاريخ
640 label_date_range: نطاق التاريخ
641 label_less_than_ago: أقل من قبل أيام
641 label_less_than_ago: أقل من قبل أيام
642 label_more_than_ago: أكثر من قبل أيام
642 label_more_than_ago: أكثر من قبل أيام
643 label_ago: منذ أيام
643 label_ago: منذ أيام
644 label_contains: يحتوي على
644 label_contains: يحتوي على
645 label_not_contains: لا يحتوي على
645 label_not_contains: لا يحتوي على
646 label_day_plural: أيام
646 label_day_plural: أيام
647 label_repository: المستودع
647 label_repository: المستودع
648 label_repository_plural: المستودعات
648 label_repository_plural: المستودعات
649 label_browse: تصفح
649 label_browse: تصفح
650 label_modification: "%{count} تغير"
650 label_modification: "%{count} تغير"
651 label_modification_plural: "%{count}تغيرات "
651 label_modification_plural: "%{count}تغيرات "
652 label_branch: فرع
652 label_branch: فرع
653 label_tag: ربط
653 label_tag: ربط
654 label_revision: مراجعة
654 label_revision: مراجعة
655 label_revision_plural: تنقيحات
655 label_revision_plural: تنقيحات
656 label_revision_id: " %{value}مراجعة"
656 label_revision_id: " %{value}مراجعة"
657 label_associated_revisions: التنقيحات المرتبطة
657 label_associated_revisions: التنقيحات المرتبطة
658 label_added: إضافة
658 label_added: إضافة
659 label_modified: تعديل
659 label_modified: تعديل
660 label_copied: نسخ
660 label_copied: نسخ
661 label_renamed: إعادة تسمية
661 label_renamed: إعادة تسمية
662 label_deleted: حذف
662 label_deleted: حذف
663 label_latest_revision: آخر تنقيح
663 label_latest_revision: آخر تنقيح
664 label_latest_revision_plural: أحدث المراجعات
664 label_latest_revision_plural: أحدث المراجعات
665 label_view_revisions: عرض التنقيحات
665 label_view_revisions: عرض التنقيحات
666 label_view_all_revisions: عرض كافة المراجعات
666 label_view_all_revisions: عرض كافة المراجعات
667 label_max_size: الحد الأقصى للحجم
667 label_max_size: الحد الأقصى للحجم
668 label_sort_highest: التحرك إلى أعلى
668 label_sort_highest: التحرك إلى أعلى
669 label_sort_higher: تحريك لأعلى
669 label_sort_higher: تحريك لأعلى
670 label_sort_lower: تحريك لأسفل
670 label_sort_lower: تحريك لأسفل
671 label_sort_lowest: الانتقال إلى أسفل
671 label_sort_lowest: الانتقال إلى أسفل
672 label_roadmap: خارطة الطريق
672 label_roadmap: خارطة الطريق
673 label_roadmap_due_in: " %{value}تستحق في "
673 label_roadmap_due_in: " %{value}تستحق في "
674 label_roadmap_overdue: "%{value}تأخير"
674 label_roadmap_overdue: "%{value}تأخير"
675 label_roadmap_no_issues: لا يوجد قضايا لهذا الإصدار
675 label_roadmap_no_issues: لا يوجد قضايا لهذا الإصدار
676 label_search: البحث
676 label_search: البحث
677 label_result_plural: النتائج
677 label_result_plural: النتائج
678 label_all_words: كل الكلمات
678 label_all_words: كل الكلمات
679 label_wiki: ويكي
679 label_wiki: ويكي
680 label_wiki_edit: تحرير ويكي
680 label_wiki_edit: تحرير ويكي
681 label_wiki_edit_plural: عمليات تحرير ويكي
681 label_wiki_edit_plural: عمليات تحرير ويكي
682 label_wiki_page: صفحة ويكي
682 label_wiki_page: صفحة ويكي
683 label_wiki_page_plural: ويكي صفحات
683 label_wiki_page_plural: ويكي صفحات
684 label_index_by_title: الفهرس حسب العنوان
684 label_index_by_title: الفهرس حسب العنوان
685 label_index_by_date: الفهرس حسب التاريخ
685 label_index_by_date: الفهرس حسب التاريخ
686 label_current_version: الإصدار الحالي
686 label_current_version: الإصدار الحالي
687 label_preview: معاينة
687 label_preview: معاينة
688 label_feed_plural: موجز ويب
688 label_feed_plural: موجز ويب
689 label_changes_details: تفاصيل جميع التغييرات
689 label_changes_details: تفاصيل جميع التغييرات
690 label_issue_tracking: تعقب القضايا
690 label_issue_tracking: تعقب القضايا
691 label_spent_time: أمضى بعض الوقت
691 label_spent_time: أمضى بعض الوقت
692 label_overall_spent_time: الوقت الذي تم انفاقه كاملا
692 label_overall_spent_time: الوقت الذي تم انفاقه كاملا
693 label_f_hour: "%{value} ساعة"
693 label_f_hour: "%{value} ساعة"
694 label_f_hour_plural: "%{value} ساعات"
694 label_f_hour_plural: "%{value} ساعات"
695 label_time_tracking: تعقب الوقت
695 label_time_tracking: تعقب الوقت
696 label_change_plural: التغييرات
696 label_change_plural: التغييرات
697 label_statistics: إحصاءات
697 label_statistics: إحصاءات
698 label_commits_per_month: يثبت في الشهر
698 label_commits_per_month: يثبت في الشهر
699 label_commits_per_author: يثبت لكل مؤلف
699 label_commits_per_author: يثبت لكل مؤلف
700 label_diff: الاختلافات
700 label_diff: الاختلافات
701 label_view_diff: عرض الاختلافات
701 label_view_diff: عرض الاختلافات
702 label_diff_inline: مضمنة
702 label_diff_inline: مضمنة
703 label_diff_side_by_side: جنبا إلى جنب
703 label_diff_side_by_side: جنبا إلى جنب
704 label_options: خيارات
704 label_options: خيارات
705 label_copy_workflow_from: نسخ سير العمل من
705 label_copy_workflow_from: نسخ سير العمل من
706 label_permissions_report: تقرير أذونات
706 label_permissions_report: تقرير أذونات
707 label_watched_issues: شاهد القضايا
707 label_watched_issues: شاهد القضايا
708 label_related_issues: القضايا ذات الصلة
708 label_related_issues: القضايا ذات الصلة
709 label_applied_status: تطبيق مركز
709 label_applied_status: تطبيق مركز
710 label_loading: تحميل...
710 label_loading: تحميل...
711 label_relation_new: علاقة جديدة
711 label_relation_new: علاقة جديدة
712 label_relation_delete: حذف العلاقة
712 label_relation_delete: حذف العلاقة
713 label_relates_to: ذات الصلة إلى
713 label_relates_to: ذات الصلة إلى
714 label_duplicates: التكرارات
714 label_duplicates: التكرارات
715 label_duplicated_by: ازدواج
715 label_duplicated_by: ازدواج
716 label_blocks: حظر
716 label_blocks: حظر
717 label_blocked_by: حظر بواسطة
717 label_blocked_by: حظر بواسطة
718 label_precedes: يسبق
718 label_precedes: يسبق
719 label_follows: يتبع
719 label_follows: يتبع
720 label_end_to_start: نهاية لبدء
720 label_end_to_start: نهاية لبدء
721 label_end_to_end: نهاية إلى نهاية
721 label_end_to_end: نهاية إلى نهاية
722 label_start_to_start: بدء إلى بدء
722 label_start_to_start: بدء إلى بدء
723 label_start_to_end: بداية لنهاية
723 label_start_to_end: بداية لنهاية
724 label_stay_logged_in: تسجيل الدخول في
724 label_stay_logged_in: تسجيل الدخول في
725 label_disabled: تعطيل
725 label_disabled: تعطيل
726 label_show_completed_versions: أكملت إظهار إصدارات
726 label_show_completed_versions: أكملت إظهار إصدارات
727 label_me: لي
727 label_me: لي
728 label_board: المنتدى
728 label_board: المنتدى
729 label_board_new: منتدى جديد
729 label_board_new: منتدى جديد
730 label_board_plural: المنتديات
730 label_board_plural: المنتديات
731 label_board_locked: تأمين
731 label_board_locked: تأمين
732 label_board_sticky: لزجة
732 label_board_sticky: لزجة
733 label_topic_plural: المواضيع
733 label_topic_plural: المواضيع
734 label_message_plural: رسائل
734 label_message_plural: رسائل
735 label_message_last: آخر رسالة
735 label_message_last: آخر رسالة
736 label_message_new: رسالة جديدة
736 label_message_new: رسالة جديدة
737 label_message_posted: تم اضافة الرسالة
737 label_message_posted: تم اضافة الرسالة
738 label_reply_plural: الردود
738 label_reply_plural: الردود
739 label_send_information: إرسال معلومات الحساب للمستخدم
739 label_send_information: إرسال معلومات الحساب للمستخدم
740 label_year: سنة
740 label_year: سنة
741 label_month: شهر
741 label_month: شهر
742 label_week: أسبوع
742 label_week: أسبوع
743 label_date_from: من
743 label_date_from: من
744 label_date_to: إلى
744 label_date_to: إلى
745 label_language_based: استناداً إلى لغة المستخدم
745 label_language_based: استناداً إلى لغة المستخدم
746 label_sort_by: " %{value}الترتيب حسب "
746 label_sort_by: " %{value}الترتيب حسب "
747 label_send_test_email: ارسل رسالة الكترونية كاختبار
747 label_send_test_email: ارسل رسالة الكترونية كاختبار
748 label_feeds_access_key: RSS مفتاح دخول
748 label_feeds_access_key: RSS مفتاح دخول
749 label_missing_feeds_access_key: مفقودRSS مفتاح دخول
749 label_missing_feeds_access_key: مفقودRSS مفتاح دخول
750 label_feeds_access_key_created_on: "RSS تم انشاء مفتاح %{value} منذ"
750 label_feeds_access_key_created_on: "RSS تم انشاء مفتاح %{value} منذ"
751 label_module_plural: الوحدات النمطية
751 label_module_plural: الوحدات النمطية
752 label_added_time_by: " تم اضافته من قبل%{author} %{age} منذ"
752 label_added_time_by: " تم اضافته من قبل%{author} %{age} منذ"
753 label_updated_time_by: " تم تحديثه من قبل%{author} %{age} منذ"
753 label_updated_time_by: " تم تحديثه من قبل%{author} %{age} منذ"
754 label_updated_time: "تم التحديث %{value} منذ"
754 label_updated_time: "تم التحديث %{value} منذ"
755 label_jump_to_a_project: الانتقال إلى مشروع...
755 label_jump_to_a_project: الانتقال إلى مشروع...
756 label_file_plural: الملفات
756 label_file_plural: الملفات
757 label_changeset_plural: اعدادات التغير
757 label_changeset_plural: اعدادات التغير
758 label_default_columns: الاعمدة الافتراضية
758 label_default_columns: الاعمدة الافتراضية
759 label_no_change_option: (أي تغيير)
759 label_no_change_option: (أي تغيير)
760 label_bulk_edit_selected_issues: تحرير القضايا المظللة
760 label_bulk_edit_selected_issues: تحرير القضايا المظللة
761 label_bulk_edit_selected_time_entries: تعديل كل الإدخالات في كل الاوقات
761 label_bulk_edit_selected_time_entries: تعديل كل الإدخالات في كل الاوقات
762 label_theme: الموضوع
762 label_theme: الموضوع
763 label_default: الافتراضي
763 label_default: الافتراضي
764 label_search_titles_only: البحث في العناوين فقط
764 label_search_titles_only: البحث في العناوين فقط
765 label_user_mail_option_all: "جميع الخيارات"
765 label_user_mail_option_all: "جميع الخيارات"
766 label_user_mail_option_selected: "الخيارات المظللة فقط"
766 label_user_mail_option_selected: "الخيارات المظللة فقط"
767 label_user_mail_option_none: "لم يتم تحديد اي خيارات"
767 label_user_mail_option_none: "لم يتم تحديد اي خيارات"
768 label_user_mail_option_only_my_events: "السماح لي فقط بمشاهدة الاحداث الخاصة"
768 label_user_mail_option_only_my_events: "السماح لي فقط بمشاهدة الاحداث الخاصة"
769 label_user_mail_option_only_assigned: "فقط الخيارات التي تم تعيينها"
769 label_user_mail_option_only_assigned: "فقط الخيارات التي تم تعيينها"
770 label_user_mail_option_only_owner: "فقط للخيارات التي املكها"
770 label_user_mail_option_only_owner: "فقط للخيارات التي املكها"
771 label_user_mail_no_self_notified: "لا تريد اعلامك بالتغيرات التي تجريها بنفسك"
771 label_user_mail_no_self_notified: "لا تريد اعلامك بالتغيرات التي تجريها بنفسك"
772 label_registration_activation_by_email: حساب التنشيط عبر البريد الإلكتروني
772 label_registration_activation_by_email: حساب التنشيط عبر البريد الإلكتروني
773 label_registration_manual_activation: تنشيط الحساب اليدوي
773 label_registration_manual_activation: تنشيط الحساب اليدوي
774 label_registration_automatic_activation: تنشيط الحساب التلقائي
774 label_registration_automatic_activation: تنشيط الحساب التلقائي
775 label_display_per_page: "لكل صفحة: %{value}"
775 label_display_per_page: "لكل صفحة: %{value}"
776 label_age: العمر
776 label_age: العمر
777 label_change_properties: تغيير الخصائص
777 label_change_properties: تغيير الخصائص
778 label_general: عامة
778 label_general: عامة
779 label_more: أكثر
779 label_more: أكثر
780 label_scm: scm
780 label_scm: scm
781 label_plugins: الإضافات
781 label_plugins: الإضافات
782 label_ldap_authentication: مصادقة LDAP
782 label_ldap_authentication: مصادقة LDAP
783 label_downloads_abbr: D/L
783 label_downloads_abbr: D/L
784 label_optional_description: وصف اختياري
784 label_optional_description: وصف اختياري
785 label_add_another_file: إضافة ملف آخر
785 label_add_another_file: إضافة ملف آخر
786 label_preferences: تفضيلات
786 label_preferences: تفضيلات
787 label_chronological_order: في ترتيب زمني
787 label_chronological_order: في ترتيب زمني
788 label_reverse_chronological_order: في ترتيب زمني عكسي
788 label_reverse_chronological_order: في ترتيب زمني عكسي
789 label_planning: التخطيط
789 label_planning: التخطيط
790 label_incoming_emails: رسائل البريد الإلكتروني الوارد
790 label_incoming_emails: رسائل البريد الإلكتروني الوارد
791 label_generate_key: إنشاء مفتاح
791 label_generate_key: إنشاء مفتاح
792 label_issue_watchers: المراقبون
792 label_issue_watchers: المراقبون
793 label_example: مثال
793 label_example: مثال
794 label_display: العرض
794 label_display: العرض
795 label_sort: فرز
795 label_sort: فرز
796 label_ascending: تصاعدي
796 label_ascending: تصاعدي
797 label_descending: تنازلي
797 label_descending: تنازلي
798 label_date_from_to: من %{start} الى %{end}
798 label_date_from_to: من %{start} الى %{end}
799 label_wiki_content_added: إضافة صفحة ويكي
799 label_wiki_content_added: إضافة صفحة ويكي
800 label_wiki_content_updated: تحديث صفحة ويكي
800 label_wiki_content_updated: تحديث صفحة ويكي
801 label_group: مجموعة
801 label_group: مجموعة
802 label_group_plural: المجموعات
802 label_group_plural: المجموعات
803 label_group_new: مجموعة جديدة
803 label_group_new: مجموعة جديدة
804 label_time_entry_plural: أمضى بعض الوقت
804 label_time_entry_plural: أمضى بعض الوقت
805 label_version_sharing_none: لم يشارك
805 label_version_sharing_none: لم يشارك
806 label_version_sharing_descendants: يشارك
806 label_version_sharing_descendants: يشارك
807 label_version_sharing_hierarchy: مع التسلسل الهرمي للمشروع
807 label_version_sharing_hierarchy: مع التسلسل الهرمي للمشروع
808 label_version_sharing_tree: مع شجرة المشروع
808 label_version_sharing_tree: مع شجرة المشروع
809 label_version_sharing_system: مع جميع المشاريع
809 label_version_sharing_system: مع جميع المشاريع
810 label_update_issue_done_ratios: تحديث قضيةالنسب
810 label_update_issue_done_ratios: تحديث قضيةالنسب
811 label_copy_source: مصدر
811 label_copy_source: مصدر
812 label_copy_target: الهدف
812 label_copy_target: الهدف
813 label_copy_same_as_target: نفس الهدف
813 label_copy_same_as_target: نفس الهدف
814 label_display_used_statuses_only: عرض الحالات المستخدمة من قبل هذا "تعقب" فقط
814 label_display_used_statuses_only: عرض الحالات المستخدمة من قبل هذا "تعقب" فقط
815 label_api_access_key: مفتاح الوصول إلى API
815 label_api_access_key: مفتاح الوصول إلى API
816 label_missing_api_access_key: API لم يتم الحصول على مفتاح الوصول
816 label_missing_api_access_key: API لم يتم الحصول على مفتاح الوصول
817 label_api_access_key_created_on: " API إنشاء مفتاح الوصول إلى"
817 label_api_access_key_created_on: " API إنشاء مفتاح الوصول إلى"
818 label_profile: الملف الشخصي
818 label_profile: الملف الشخصي
819 label_subtask_plural: المهام الفرعية
819 label_subtask_plural: المهام الفرعية
820 label_project_copy_notifications: إرسال إشعار الى البريد الإلكتروني عند نسخ المشروع
820 label_project_copy_notifications: إرسال إشعار الى البريد الإلكتروني عند نسخ المشروع
821 label_principal_search: "البحث عن مستخدم أو مجموعة:"
821 label_principal_search: "البحث عن مستخدم أو مجموعة:"
822 label_user_search: "البحث عن المستخدم:"
822 label_user_search: "البحث عن المستخدم:"
823 label_additional_workflow_transitions_for_author: الانتقالات الإضافية المسموح بها عند المستخدم صاحب البلاغ
823 label_additional_workflow_transitions_for_author: الانتقالات الإضافية المسموح بها عند المستخدم صاحب البلاغ
824 label_additional_workflow_transitions_for_assignee: الانتقالات الإضافية المسموح بها عند المستخدم المحال إليه
824 label_additional_workflow_transitions_for_assignee: الانتقالات الإضافية المسموح بها عند المستخدم المحال إليه
825 label_issues_visibility_all: جميع القضايا
825 label_issues_visibility_all: جميع القضايا
826 label_issues_visibility_public: جميع القضايا الخاصة
826 label_issues_visibility_public: جميع القضايا الخاصة
827 label_issues_visibility_own: القضايا التي أنشأها المستخدم
827 label_issues_visibility_own: القضايا التي أنشأها المستخدم
828 label_git_report_last_commit: اعتماد التقرير الأخير للملفات والدلائل
828 label_git_report_last_commit: اعتماد التقرير الأخير للملفات والدلائل
829 label_parent_revision: الوالدين
829 label_parent_revision: الوالدين
830 label_child_revision: الطفل
830 label_child_revision: الطفل
831 label_export_options: "%{export_format} خيارات التصدير"
831 label_export_options: "%{export_format} خيارات التصدير"
832
832
833 button_login: دخول
833 button_login: دخول
834 button_submit: تثبيت
834 button_submit: تثبيت
835 button_save: حفظ
835 button_save: حفظ
836 button_check_all: نحديد الكل
836 button_check_all: نحديد الكل
837 button_uncheck_all: عدم تحديد الكل
837 button_uncheck_all: عدم تحديد الكل
838 button_collapse_all: تقليص الكل
838 button_collapse_all: تقليص الكل
839 button_expand_all: عرض الكل
839 button_expand_all: عرض الكل
840 button_delete: حذف
840 button_delete: حذف
841 button_create: انشاء
841 button_create: انشاء
842 button_create_and_continue: انشاء واستمرار
842 button_create_and_continue: انشاء واستمرار
843 button_test: اختبار
843 button_test: اختبار
844 button_edit: تعديل
844 button_edit: تعديل
845 button_edit_associated_wikipage: "تغير صفحة ويكي: %{page_title}"
845 button_edit_associated_wikipage: "تغير صفحة ويكي: %{page_title}"
846 button_add: اضافة
846 button_add: اضافة
847 button_change: تغير
847 button_change: تغير
848 button_apply: تطبيق
848 button_apply: تطبيق
849 button_clear: واضح
849 button_clear: واضح
850 button_lock: قفل
850 button_lock: قفل
851 button_unlock: الغاء القفل
851 button_unlock: الغاء القفل
852 button_download: تنزيل
852 button_download: تنزيل
853 button_list: قائمة
853 button_list: قائمة
854 button_view: عرض
854 button_view: عرض
855 button_move: تحرك
855 button_move: تحرك
856 button_move_and_follow: تحرك واتبع
856 button_move_and_follow: تحرك واتبع
857 button_back: رجوع
857 button_back: رجوع
858 button_cancel: إلغاء
858 button_cancel: إلغاء
859 button_activate: تنشيط
859 button_activate: تنشيط
860 button_sort: ترتيب
860 button_sort: ترتيب
861 button_log_time: وقت الدخول
861 button_log_time: وقت الدخول
862 button_rollback: الرجوع الى هذا الاصدار
862 button_rollback: الرجوع الى هذا الاصدار
863 button_watch: يشاهد
863 button_watch: يشاهد
864 button_unwatch: إلغاء المشاهدة
864 button_unwatch: إلغاء المشاهدة
865 button_reply: رد
865 button_reply: رد
866 button_archive: الارشيف
866 button_archive: الارشيف
867 button_unarchive: إلغاء الارشفة
867 button_unarchive: إلغاء الارشفة
868 button_reset: إعادة
868 button_reset: إعادة
869 button_rename: إعادة التسمية
869 button_rename: إعادة التسمية
870 button_change_password: تغير كلمة المرور
870 button_change_password: تغير كلمة المرور
871 button_copy: نسخ
871 button_copy: نسخ
872 button_copy_and_follow: نسخ واتباع
872 button_copy_and_follow: نسخ واتباع
873 button_annotate: تعليق
873 button_annotate: تعليق
874 button_update: تحديث
874 button_update: تحديث
875 button_configure: تكوين
875 button_configure: تكوين
876 button_quote: يقتبس
876 button_quote: يقتبس
877 button_duplicate: يضاعف
877 button_duplicate: يضاعف
878 button_show: يظهر
878 button_show: يظهر
879 button_edit_section: يعدل هذا الجزء
879 button_edit_section: يعدل هذا الجزء
880 button_export: يستورد
880 button_export: يستورد
881
881
882 status_active: نشيط
882 status_active: نشيط
883 status_registered: مسجل
883 status_registered: مسجل
884 status_locked: مقفل
884 status_locked: مقفل
885
885
886 version_status_open: مفتوح
886 version_status_open: مفتوح
887 version_status_locked: مقفل
887 version_status_locked: مقفل
888 version_status_closed: مغلق
888 version_status_closed: مغلق
889
889
890 field_active: فعال
890 field_active: فعال
891
891
892 text_select_mail_notifications: حدد الامور التي يجب ابلاغك بها عن طريق البريد الالكتروني
892 text_select_mail_notifications: حدد الامور التي يجب ابلاغك بها عن طريق البريد الالكتروني
893 text_regexp_info: مثال. ^[A-Z0-9]+$
893 text_regexp_info: مثال. ^[A-Z0-9]+$
894 text_min_max_length_info: الحد الاقصى والادني لطول المعلومات
894 text_min_max_length_info: الحد الاقصى والادني لطول المعلومات
895 text_project_destroy_confirmation: هل أنت متأكد من أنك تريد حذف هذا المشروع والبيانات ذات الصلة؟
895 text_project_destroy_confirmation: هل أنت متأكد من أنك تريد حذف هذا المشروع والبيانات ذات الصلة؟
896 text_subprojects_destroy_warning: "subproject(s): سيتم حذف أيضا."
896 text_subprojects_destroy_warning: "subproject(s): سيتم حذف أيضا."
897 text_workflow_edit: حدد دوراً وتعقب لتحرير سير العمل
897 text_workflow_edit: حدد دوراً وتعقب لتحرير سير العمل
898 text_are_you_sure: هل أنت متأكد؟
898 text_are_you_sure: هل أنت متأكد؟
899 text_are_you_sure_with_children: "حذف الموضوع وجميع المسائل المتعلقة بالطفل؟"
899 text_are_you_sure_with_children: "حذف الموضوع وجميع المسائل المتعلقة بالطفل؟"
900 text_journal_changed: "%{label} تغير %{old} الى %{new}"
900 text_journal_changed: "%{label} تغير %{old} الى %{new}"
901 text_journal_changed_no_detail: "%{label} تم التحديث"
901 text_journal_changed_no_detail: "%{label} تم التحديث"
902 text_journal_set_to: "%{label} تغير الى %{value}"
902 text_journal_set_to: "%{label} تغير الى %{value}"
903 text_journal_deleted: "%{label} تم الحذف (%{old})"
903 text_journal_deleted: "%{label} تم الحذف (%{old})"
904 text_journal_added: "%{label} %{value} تم الاضافة"
904 text_journal_added: "%{label} %{value} تم الاضافة"
905 text_tip_issue_begin_day: قضية بدأت اليوم
905 text_tip_issue_begin_day: قضية بدأت اليوم
906 text_tip_issue_end_day: قضية انتهت اليوم
906 text_tip_issue_end_day: قضية انتهت اليوم
907 text_tip_issue_begin_end_day: قضية بدأت وانتهت اليوم
907 text_tip_issue_begin_end_day: قضية بدأت وانتهت اليوم
908 text_caracters_maximum: "%{count} الحد الاقصى."
908 text_caracters_maximum: "%{count} الحد الاقصى."
909 text_caracters_minimum: "الحد الادنى %{count}"
909 text_caracters_minimum: "الحد الادنى %{count}"
910 text_length_between: "الطول %{min} بين %{max} رمز"
910 text_length_between: "الطول %{min} بين %{max} رمز"
911 text_tracker_no_workflow: لم يتم تحديد سير العمل لهذا المتتبع
911 text_tracker_no_workflow: لم يتم تحديد سير العمل لهذا المتتبع
912 text_unallowed_characters: رموز غير مسموحة
912 text_unallowed_characters: رموز غير مسموحة
913 text_comma_separated: مسموح رموز متنوعة يفصلها فاصلة .
913 text_comma_separated: مسموح رموز متنوعة يفصلها فاصلة .
914 text_line_separated: مسموح رموز متنوعة يفصلها سطور
914 text_line_separated: مسموح رموز متنوعة يفصلها سطور
915 text_issues_ref_in_commit_messages: الرجوع واصلاح القضايا في رسائل المشتكين
915 text_issues_ref_in_commit_messages: الرجوع واصلاح القضايا في رسائل المشتكين
916 text_issue_added: "القضية %{id} تم ابلاغها عن طريق %{author}."
916 text_issue_added: "القضية %{id} تم ابلاغها عن طريق %{author}."
917 text_issue_updated: "القضية %{id} تم تحديثها عن طريق %{author}."
917 text_issue_updated: "القضية %{id} تم تحديثها عن طريق %{author}."
918 text_wiki_destroy_confirmation: هل انت متأكد من رغبتك في حذف هذا الويكي ومحتوياته؟
918 text_wiki_destroy_confirmation: هل انت متأكد من رغبتك في حذف هذا الويكي ومحتوياته؟
919 text_issue_category_destroy_question: "بعض القضايا (%{count}) مرتبطة بهذه الفئة، ماذا تريد ان تفعل بها؟"
919 text_issue_category_destroy_question: "بعض القضايا (%{count}) مرتبطة بهذه الفئة، ماذا تريد ان تفعل بها؟"
920 text_issue_category_destroy_assignments: حذف الفئة
920 text_issue_category_destroy_assignments: حذف الفئة
921 text_issue_category_reassign_to: اعادة تثبيت البنود في الفئة
921 text_issue_category_reassign_to: اعادة تثبيت البنود في الفئة
922 text_user_mail_option: "بالنسبة للمشاريع غير المحددة، سوف يتم ابلاغك عن المشاريع التي تشاهدها او تشارك بها فقط!"
922 text_user_mail_option: "بالنسبة للمشاريع غير المحددة، سوف يتم ابلاغك عن المشاريع التي تشاهدها او تشارك بها فقط!"
923 text_no_configuration_data: "الادوار والمتتبع وحالات القضية ومخطط سير العمل لم يتم تحديد وضعها الافتراضي بعد. "
923 text_no_configuration_data: "الادوار والمتتبع وحالات القضية ومخطط سير العمل لم يتم تحديد وضعها الافتراضي بعد. "
924 text_load_default_configuration: احمل الاعدادات الافتراضية
924 text_load_default_configuration: احمل الاعدادات الافتراضية
925 text_status_changed_by_changeset: " طبق التغيرات المعينة على %{value}."
925 text_status_changed_by_changeset: " طبق التغيرات المعينة على %{value}."
926 text_time_logged_by_changeset: "تم تطبيق التغيرات المعينة على %{value}."
926 text_time_logged_by_changeset: "تم تطبيق التغيرات المعينة على %{value}."
927 text_issues_destroy_confirmation: هل انت متأكد من حذف البنود المظللة؟'
927 text_issues_destroy_confirmation: هل انت متأكد من حذف البنود المظللة؟'
928 text_issues_destroy_descendants_confirmation: "سوف يؤدي هذا الى حذف %{count} المهام الفرعية ايضا."
928 text_issues_destroy_descendants_confirmation: "سوف يؤدي هذا الى حذف %{count} المهام الفرعية ايضا."
929 text_time_entries_destroy_confirmation: "هل انت متأكد من رغبتك في حذف الادخالات الزمنية المحددة؟"
929 text_time_entries_destroy_confirmation: "هل انت متأكد من رغبتك في حذف الادخالات الزمنية المحددة؟"
930 text_select_project_modules: قم بتحديد الوضع المناسب لهذا المشروع:'
930 text_select_project_modules: قم بتحديد الوضع المناسب لهذا المشروع:'
931 text_default_administrator_account_changed: تم تعديل الاعدادات الافتراضية لحساب المدير
931 text_default_administrator_account_changed: تم تعديل الاعدادات الافتراضية لحساب المدير
932 text_file_repository_writable: المرفقات قابلة للكتابة
932 text_file_repository_writable: المرفقات قابلة للكتابة
933 text_plugin_assets_writable: الدليل المساعد قابل للكتابة
933 text_plugin_assets_writable: الدليل المساعد قابل للكتابة
934 text_destroy_time_entries_question: " ساعة على القضية التي تود حذفها، ماذا تريد ان تفعل؟ %{hours} تم تثبيت"
934 text_destroy_time_entries_question: " ساعة على القضية التي تود حذفها، ماذا تريد ان تفعل؟ %{hours} تم تثبيت"
935 text_destroy_time_entries: قم بحذف الساعات المسجلة
935 text_destroy_time_entries: قم بحذف الساعات المسجلة
936 text_assign_time_entries_to_project: ثبت الساعات المسجلة على التقرير
936 text_assign_time_entries_to_project: ثبت الساعات المسجلة على التقرير
937 text_reassign_time_entries: 'اعادة تثبيت الساعات المسجلة لهذه القضية:'
937 text_reassign_time_entries: 'اعادة تثبيت الساعات المسجلة لهذه القضية:'
938 text_user_wrote: "%{value} كتب:"
938 text_user_wrote: "%{value} كتب:"
939 text_enumeration_destroy_question: "%{count} الكائنات المعنية لهذه القيمة"
939 text_enumeration_destroy_question: "%{count} الكائنات المعنية لهذه القيمة"
940 text_enumeration_category_reassign_to: اعادة تثبيت الكائنات التالية لهذه القيمة:'
940 text_enumeration_category_reassign_to: اعادة تثبيت الكائنات التالية لهذه القيمة:'
941 text_email_delivery_not_configured: "لم يتم تسليم البريد الالكتروني"
941 text_email_delivery_not_configured: "لم يتم تسليم البريد الالكتروني"
942 text_diff_truncated: '... لقد تم اقتطلع هذا الجزء لانه تجاوز الحد الاقصى المسموح بعرضه'
942 text_diff_truncated: '... لقد تم اقتطلع هذا الجزء لانه تجاوز الحد الاقصى المسموح بعرضه'
943 text_custom_field_possible_values_info: 'سطر لكل قيمة'
943 text_custom_field_possible_values_info: 'سطر لكل قيمة'
944 text_wiki_page_nullify_children: "الاحتفاظ بصفحات الطفل كصفحات جذر"
944 text_wiki_page_nullify_children: "الاحتفاظ بصفحات الطفل كصفحات جذر"
945 text_wiki_page_destroy_children: "حذف صفحات الطفل وجميع أولادهم"
945 text_wiki_page_destroy_children: "حذف صفحات الطفل وجميع أولادهم"
946 text_wiki_page_reassign_children: "إعادة تعيين صفحات تابعة لهذه الصفحة الأصلية"
946 text_wiki_page_reassign_children: "إعادة تعيين صفحات تابعة لهذه الصفحة الأصلية"
947 text_own_membership_delete_confirmation: "انت على وشك إزالة بعض أو كافة الأذونات الخاصة بك، لن تكون قادراً على تحرير هذا المشروع بعد ذلك. هل أنت متأكد من أنك تريد المتابعة؟"
947 text_own_membership_delete_confirmation: "انت على وشك إزالة بعض أو كافة الأذونات الخاصة بك، لن تكون قادراً على تحرير هذا المشروع بعد ذلك. هل أنت متأكد من أنك تريد المتابعة؟"
948 text_zoom_in: تصغير
948 text_zoom_in: تصغير
949 text_zoom_out: تكبير
949 text_zoom_out: تكبير
950 text_warn_on_leaving_unsaved: "الصفحة تحتوي على نص غير مخزن، سوف يفقد النص اذا تم الخروج من الصفحة."
950 text_warn_on_leaving_unsaved: "الصفحة تحتوي على نص غير مخزن، سوف يفقد النص اذا تم الخروج من الصفحة."
951 text_scm_path_encoding_note: "الافتراضي: UTF-8"
951 text_scm_path_encoding_note: "الافتراضي: UTF-8"
952 text_git_repository_note: مستودع فارغ ومحلي
952 text_git_repository_note: مستودع فارغ ومحلي
953 text_mercurial_repository_note: مستودع محلي
953 text_mercurial_repository_note: مستودع محلي
954 text_scm_command: امر
954 text_scm_command: امر
955 text_scm_command_version: اصدار
955 text_scm_command_version: اصدار
956 text_scm_config: الرجاء اعادة تشغيل التطبيق
956 text_scm_config: الرجاء اعادة تشغيل التطبيق
957 text_scm_command_not_available: الامر غير متوفر، الرجاء التحقق من لوحة التحكم
957 text_scm_command_not_available: الامر غير متوفر، الرجاء التحقق من لوحة التحكم
958
958
959 default_role_manager: مدير
959 default_role_manager: مدير
960 default_role_developer: مطور
960 default_role_developer: مطور
961 default_role_reporter: مراسل
961 default_role_reporter: مراسل
962 default_tracker_bug: الشوائب
962 default_tracker_bug: الشوائب
963 default_tracker_feature: خاصية
963 default_tracker_feature: خاصية
964 default_tracker_support: دعم
964 default_tracker_support: دعم
965 default_issue_status_new: جديد
965 default_issue_status_new: جديد
966 default_issue_status_in_progress: جاري التحميل
966 default_issue_status_in_progress: جاري التحميل
967 default_issue_status_resolved: الحل
967 default_issue_status_resolved: الحل
968 default_issue_status_feedback: التغذية الراجعة
968 default_issue_status_feedback: التغذية الراجعة
969 default_issue_status_closed: مغلق
969 default_issue_status_closed: مغلق
970 default_issue_status_rejected: مرفوض
970 default_issue_status_rejected: مرفوض
971 default_doc_category_user: مستندات المستخدم
971 default_doc_category_user: مستندات المستخدم
972 default_doc_category_tech: المستندات التقنية
972 default_doc_category_tech: المستندات التقنية
973 default_priority_low: قليل
973 default_priority_low: قليل
974 default_priority_normal: عادي
974 default_priority_normal: عادي
975 default_priority_high: عالي
975 default_priority_high: عالي
976 default_priority_urgent: طارئ
976 default_priority_urgent: طارئ
977 default_priority_immediate: مباشرة
977 default_priority_immediate: مباشرة
978 default_activity_design: تصميم
978 default_activity_design: تصميم
979 default_activity_development: تطوير
979 default_activity_development: تطوير
980
980
981 enumeration_issue_priorities: الاولويات
981 enumeration_issue_priorities: الاولويات
982 enumeration_doc_categories: تصنيف المستندات
982 enumeration_doc_categories: تصنيف المستندات
983 enumeration_activities: الانشطة
983 enumeration_activities: الانشطة
984 enumeration_system_activity: نشاط النظام
984 enumeration_system_activity: نشاط النظام
985 description_filter: فلترة
985 description_filter: فلترة
986 description_search: حقل البحث
986 description_search: حقل البحث
987 description_choose_project: مشاريع
987 description_choose_project: مشاريع
988 description_project_scope: مجال البحث
988 description_project_scope: مجال البحث
989 description_notes: ملاحظات
989 description_notes: ملاحظات
990 description_message_content: محتويات الرسالة
990 description_message_content: محتويات الرسالة
991 description_query_sort_criteria_attribute: نوع الترتيب
991 description_query_sort_criteria_attribute: نوع الترتيب
992 description_query_sort_criteria_direction: اتجاه الترتيب
992 description_query_sort_criteria_direction: اتجاه الترتيب
993 description_user_mail_notification: إعدادات البريد الالكتروني
993 description_user_mail_notification: إعدادات البريد الالكتروني
994 description_available_columns: الاعمدة المتوفرة
994 description_available_columns: الاعمدة المتوفرة
995 description_selected_columns: الاعمدة المحددة
995 description_selected_columns: الاعمدة المحددة
996 description_all_columns: كل الاعمدة
996 description_all_columns: كل الاعمدة
997 description_issue_category_reassign: اختر التصنيف
997 description_issue_category_reassign: اختر التصنيف
998 description_wiki_subpages_reassign: اختر صفحة جديدة
998 description_wiki_subpages_reassign: اختر صفحة جديدة
999 description_date_range_list: اختر المجال من القائمة
999 description_date_range_list: اختر المجال من القائمة
1000 description_date_range_interval: اختر المدة عن طريق اختيار تاريخ البداية والنهاية
1000 description_date_range_interval: اختر المدة عن طريق اختيار تاريخ البداية والنهاية
1001 description_date_from: ادخل تاريخ البداية
1001 description_date_from: ادخل تاريخ البداية
1002 description_date_to: ادخل تاريخ الانتهاء
1002 description_date_to: ادخل تاريخ الانتهاء
1003 text_rmagick_available: RMagick available (optional)
1003 text_rmagick_available: RMagick available (optional)
1004 text_wiki_page_destroy_question: This page has %{descendants} child page(s) and descendant(s). What do you want to do?
1004 text_wiki_page_destroy_question: This page has %{descendants} child page(s) and descendant(s). What do you want to do?
1005 text_repository_usernames_mapping: |-
1005 text_repository_usernames_mapping: |-
1006 Select or update the Redmine user mapped to each username found in the repository log.
1006 Select or update the Redmine user mapped to each username found in the repository log.
1007 Users with the same Redmine and repository username or email are automatically mapped.
1007 Users with the same Redmine and repository username or email are automatically mapped.
1008 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1008 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1009 label_x_issues:
1009 label_x_issues:
1010 zero: 0 قضية
1010 zero: 0 قضية
1011 one: 1 قضية
1011 one: 1 قضية
1012 other: "%{count} قضايا"
1012 other: "%{count} قضايا"
1013 label_repository_new: New repository
1013 label_repository_new: New repository
1014 field_repository_is_default: Main repository
1014 field_repository_is_default: Main repository
1015 label_copy_attachments: Copy attachments
1015 label_copy_attachments: Copy attachments
1016 label_item_position: "%{position}/%{count}"
1016 label_item_position: "%{position}/%{count}"
1017 label_completed_versions: Completed versions
1017 label_completed_versions: Completed versions
1018 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1018 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1019 field_multiple: Multiple values
1019 field_multiple: Multiple values
1020 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1020 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1021 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1021 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1022 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1022 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1023 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1023 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1024 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1024 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1025 permission_manage_related_issues: Manage related issues
1025 permission_manage_related_issues: Manage related issues
1026 field_ldap_filter: LDAP filter
@@ -1,1023 +1,1024
1 bg:
1 bg:
2 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
2 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
3 direction: ltr
3 direction: ltr
4 date:
4 date:
5 formats:
5 formats:
6 # Use the strftime parameters for formats.
6 # Use the strftime parameters for formats.
7 # When no format has been given, it uses default.
7 # When no format has been given, it uses default.
8 # You can provide other formats here if you like!
8 # You can provide other formats here if you like!
9 default: "%d-%m-%Y"
9 default: "%d-%m-%Y"
10 short: "%b %d"
10 short: "%b %d"
11 long: "%B %d, %Y"
11 long: "%B %d, %Y"
12
12
13 day_names: [Неделя, Понеделник, Вторник, Сряда, Четвъртък, Петък, Събота]
13 day_names: [Неделя, Понеделник, Вторник, Сряда, Четвъртък, Петък, Събота]
14 abbr_day_names: [Нед, Пон, Вто, Сря, Чет, Пет, Съб]
14 abbr_day_names: [Нед, Пон, Вто, Сря, Чет, Пет, Съб]
15
15
16 # Don't forget the nil at the beginning; there's no such thing as a 0th month
16 # Don't forget the nil at the beginning; there's no such thing as a 0th month
17 month_names: [~, Януари, Февруари, Март, Април, Май, Юни, Юли, Август, Септември, Октомври, Ноември, Декември]
17 month_names: [~, Януари, Февруари, Март, Април, Май, Юни, Юли, Август, Септември, Октомври, Ноември, Декември]
18 abbr_month_names: [~, Яну, Фев, Мар, Апр, Май, Юни, Юли, Авг, Сеп, Окт, Ное, Дек]
18 abbr_month_names: [~, Яну, Фев, Мар, Апр, Май, Юни, Юли, Авг, Сеп, Окт, Ное, Дек]
19 # Used in date_select and datime_select.
19 # Used in date_select and datime_select.
20 order:
20 order:
21 - :year
21 - :year
22 - :month
22 - :month
23 - :day
23 - :day
24
24
25 time:
25 time:
26 formats:
26 formats:
27 default: "%a, %d %b %Y %H:%M:%S %z"
27 default: "%a, %d %b %Y %H:%M:%S %z"
28 time: "%H:%M"
28 time: "%H:%M"
29 short: "%d %b %H:%M"
29 short: "%d %b %H:%M"
30 long: "%B %d, %Y %H:%M"
30 long: "%B %d, %Y %H:%M"
31 am: "am"
31 am: "am"
32 pm: "pm"
32 pm: "pm"
33
33
34 datetime:
34 datetime:
35 distance_in_words:
35 distance_in_words:
36 half_a_minute: "half a minute"
36 half_a_minute: "half a minute"
37 less_than_x_seconds:
37 less_than_x_seconds:
38 one: "по-малко от 1 секунда"
38 one: "по-малко от 1 секунда"
39 other: "по-малко от %{count} секунди"
39 other: "по-малко от %{count} секунди"
40 x_seconds:
40 x_seconds:
41 one: "1 секунда"
41 one: "1 секунда"
42 other: "%{count} секунди"
42 other: "%{count} секунди"
43 less_than_x_minutes:
43 less_than_x_minutes:
44 one: "по-малко от 1 минута"
44 one: "по-малко от 1 минута"
45 other: "по-малко от %{count} минути"
45 other: "по-малко от %{count} минути"
46 x_minutes:
46 x_minutes:
47 one: "1 минута"
47 one: "1 минута"
48 other: "%{count} минути"
48 other: "%{count} минути"
49 about_x_hours:
49 about_x_hours:
50 one: "около 1 час"
50 one: "около 1 час"
51 other: "около %{count} часа"
51 other: "около %{count} часа"
52 x_days:
52 x_days:
53 one: "1 ден"
53 one: "1 ден"
54 other: "%{count} дена"
54 other: "%{count} дена"
55 about_x_months:
55 about_x_months:
56 one: "около 1 месец"
56 one: "около 1 месец"
57 other: "около %{count} месеца"
57 other: "около %{count} месеца"
58 x_months:
58 x_months:
59 one: "1 месец"
59 one: "1 месец"
60 other: "%{count} месеца"
60 other: "%{count} месеца"
61 about_x_years:
61 about_x_years:
62 one: "около 1 година"
62 one: "около 1 година"
63 other: "около %{count} години"
63 other: "около %{count} години"
64 over_x_years:
64 over_x_years:
65 one: "над 1 година"
65 one: "над 1 година"
66 other: "над %{count} години"
66 other: "над %{count} години"
67 almost_x_years:
67 almost_x_years:
68 one: "почти 1 година"
68 one: "почти 1 година"
69 other: "почти %{count} години"
69 other: "почти %{count} години"
70
70
71 number:
71 number:
72 format:
72 format:
73 separator: "."
73 separator: "."
74 delimiter: ""
74 delimiter: ""
75 precision: 3
75 precision: 3
76
76
77 human:
77 human:
78 format:
78 format:
79 delimiter: ""
79 delimiter: ""
80 precision: 1
80 precision: 1
81 storage_units:
81 storage_units:
82 format: "%n %u"
82 format: "%n %u"
83 units:
83 units:
84 byte:
84 byte:
85 one: байт
85 one: байт
86 other: байта
86 other: байта
87 kb: "KB"
87 kb: "KB"
88 mb: "MB"
88 mb: "MB"
89 gb: "GB"
89 gb: "GB"
90 tb: "TB"
90 tb: "TB"
91
91
92 # Used in array.to_sentence.
92 # Used in array.to_sentence.
93 support:
93 support:
94 array:
94 array:
95 sentence_connector: "и"
95 sentence_connector: "и"
96 skip_last_comma: false
96 skip_last_comma: false
97
97
98 activerecord:
98 activerecord:
99 errors:
99 errors:
100 template:
100 template:
101 header:
101 header:
102 one: "1 грешка попречи този %{model} да бъде записан"
102 one: "1 грешка попречи този %{model} да бъде записан"
103 other: "%{count} грешки попречиха този %{model} да бъде записан"
103 other: "%{count} грешки попречиха този %{model} да бъде записан"
104 messages:
104 messages:
105 inclusion: "не съществува в списъка"
105 inclusion: "не съществува в списъка"
106 exclusion: запазено"
106 exclusion: запазено"
107 invalid: невалидно"
107 invalid: невалидно"
108 confirmation: "липсва одобрение"
108 confirmation: "липсва одобрение"
109 accepted: "трябва да се приеме"
109 accepted: "трябва да се приеме"
110 empty: "не може да е празно"
110 empty: "не може да е празно"
111 blank: "не може да е празно"
111 blank: "не може да е празно"
112 too_long: прекалено дълго"
112 too_long: прекалено дълго"
113 too_short: прекалено късо"
113 too_short: прекалено късо"
114 wrong_length: с грешна дължина"
114 wrong_length: с грешна дължина"
115 taken: "вече съществува"
115 taken: "вече съществува"
116 not_a_number: "не е число"
116 not_a_number: "не е число"
117 not_a_date: невалидна дата"
117 not_a_date: невалидна дата"
118 greater_than: "трябва да бъде по-голям[a/о] от %{count}"
118 greater_than: "трябва да бъде по-голям[a/о] от %{count}"
119 greater_than_or_equal_to: "трябва да бъде по-голям[a/о] от или равен[a/o] на %{count}"
119 greater_than_or_equal_to: "трябва да бъде по-голям[a/о] от или равен[a/o] на %{count}"
120 equal_to: "трябва да бъде равен[a/o] на %{count}"
120 equal_to: "трябва да бъде равен[a/o] на %{count}"
121 less_than: "трябва да бъде по-малък[a/o] от %{count}"
121 less_than: "трябва да бъде по-малък[a/o] от %{count}"
122 less_than_or_equal_to: "трябва да бъде по-малък[a/o] от или равен[a/o] на %{count}"
122 less_than_or_equal_to: "трябва да бъде по-малък[a/o] от или равен[a/o] на %{count}"
123 odd: "трябва да бъде нечетен[a/o]"
123 odd: "трябва да бъде нечетен[a/o]"
124 even: "трябва да бъде четен[a/o]"
124 even: "трябва да бъде четен[a/o]"
125 greater_than_start_date: "трябва да е след началната дата"
125 greater_than_start_date: "трябва да е след началната дата"
126 not_same_project: "не е от същия проект"
126 not_same_project: "не е от същия проект"
127 circular_dependency: "Тази релация ще доведе до безкрайна зависимост"
127 circular_dependency: "Тази релация ще доведе до безкрайна зависимост"
128 cant_link_an_issue_with_a_descendant: "Една задача не може да бъде свързвана към своя подзадача"
128 cant_link_an_issue_with_a_descendant: "Една задача не може да бъде свързвана към своя подзадача"
129
129
130 actionview_instancetag_blank_option: Изберете
130 actionview_instancetag_blank_option: Изберете
131
131
132 general_text_No: 'Не'
132 general_text_No: 'Не'
133 general_text_Yes: 'Да'
133 general_text_Yes: 'Да'
134 general_text_no: 'не'
134 general_text_no: 'не'
135 general_text_yes: 'да'
135 general_text_yes: 'да'
136 general_lang_name: 'Bulgarian (Български)'
136 general_lang_name: 'Bulgarian (Български)'
137 general_csv_separator: ','
137 general_csv_separator: ','
138 general_csv_decimal_separator: '.'
138 general_csv_decimal_separator: '.'
139 general_csv_encoding: UTF-8
139 general_csv_encoding: UTF-8
140 general_pdf_encoding: UTF-8
140 general_pdf_encoding: UTF-8
141 general_first_day_of_week: '1'
141 general_first_day_of_week: '1'
142
142
143 notice_account_updated: Профилът е обновен успешно.
143 notice_account_updated: Профилът е обновен успешно.
144 notice_account_invalid_creditentials: Невалиден потребител или парола.
144 notice_account_invalid_creditentials: Невалиден потребител или парола.
145 notice_account_password_updated: Паролата е успешно променена.
145 notice_account_password_updated: Паролата е успешно променена.
146 notice_account_wrong_password: Грешна парола
146 notice_account_wrong_password: Грешна парола
147 notice_account_register_done: Профилът е създаден успешно.
147 notice_account_register_done: Профилът е създаден успешно.
148 notice_account_unknown_email: Непознат e-mail.
148 notice_account_unknown_email: Непознат e-mail.
149 notice_can_t_change_password: Този профил е с външен метод за оторизация. Невъзможна смяна на паролата.
149 notice_can_t_change_password: Този профил е с външен метод за оторизация. Невъзможна смяна на паролата.
150 notice_account_lost_email_sent: Изпратен ви е e-mail с инструкции за избор на нова парола.
150 notice_account_lost_email_sent: Изпратен ви е e-mail с инструкции за избор на нова парола.
151 notice_account_activated: Профилът ви е активиран. Вече може да влезете в системата.
151 notice_account_activated: Профилът ви е активиран. Вече може да влезете в системата.
152 notice_successful_create: Успешно създаване.
152 notice_successful_create: Успешно създаване.
153 notice_successful_update: Успешно обновяване.
153 notice_successful_update: Успешно обновяване.
154 notice_successful_delete: Успешно изтриване.
154 notice_successful_delete: Успешно изтриване.
155 notice_successful_connection: Успешно свързване.
155 notice_successful_connection: Успешно свързване.
156 notice_file_not_found: Несъществуваща или преместена страница.
156 notice_file_not_found: Несъществуваща или преместена страница.
157 notice_locking_conflict: Друг потребител променя тези данни в момента.
157 notice_locking_conflict: Друг потребител променя тези данни в момента.
158 notice_not_authorized: Нямате право на достъп до тази страница.
158 notice_not_authorized: Нямате право на достъп до тази страница.
159 notice_not_authorized_archived_project: Проектът, който се опитвате да видите е архивиран. Ако смятате, че това не е правилно, обърнете се към администратора за разархивиране.
159 notice_not_authorized_archived_project: Проектът, който се опитвате да видите е архивиран. Ако смятате, че това не е правилно, обърнете се към администратора за разархивиране.
160 notice_email_sent: "Изпратен e-mail на %{value}"
160 notice_email_sent: "Изпратен e-mail на %{value}"
161 notice_email_error: "Грешка при изпращане на e-mail (%{value})"
161 notice_email_error: "Грешка при изпращане на e-mail (%{value})"
162 notice_feeds_access_key_reseted: Вашия ключ за RSS достъп беше променен.
162 notice_feeds_access_key_reseted: Вашия ключ за RSS достъп беше променен.
163 notice_api_access_key_reseted: Вашият API ключ за достъп беше изчистен.
163 notice_api_access_key_reseted: Вашият API ключ за достъп беше изчистен.
164 notice_failed_to_save_issues: "Неуспешен запис на %{count} задачи от %{total} избрани: %{ids}."
164 notice_failed_to_save_issues: "Неуспешен запис на %{count} задачи от %{total} избрани: %{ids}."
165 notice_failed_to_save_time_entries: "Невъзможност за запис на %{count} записа за използвано време от %{total} избрани: %{ids}."
165 notice_failed_to_save_time_entries: "Невъзможност за запис на %{count} записа за използвано време от %{total} избрани: %{ids}."
166 notice_failed_to_save_members: "Невъзможност за запис на член(ове): %{errors}."
166 notice_failed_to_save_members: "Невъзможност за запис на член(ове): %{errors}."
167 notice_no_issue_selected: "Няма избрани задачи."
167 notice_no_issue_selected: "Няма избрани задачи."
168 notice_account_pending: "Профилът Ви е създаден и очаква одобрение от администратор."
168 notice_account_pending: "Профилът Ви е създаден и очаква одобрение от администратор."
169 notice_default_data_loaded: Примерната информация е заредена успешно.
169 notice_default_data_loaded: Примерната информация е заредена успешно.
170 notice_unable_delete_version: Невъзможност за изтриване на версия
170 notice_unable_delete_version: Невъзможност за изтриване на версия
171 notice_unable_delete_time_entry: Невъзможност за изтриване на запис за използвано време.
171 notice_unable_delete_time_entry: Невъзможност за изтриване на запис за използвано време.
172 notice_issue_done_ratios_updated: Обновен процент на завършените задачи.
172 notice_issue_done_ratios_updated: Обновен процент на завършените задачи.
173 notice_gantt_chart_truncated: Мрежовият график е съкратен, понеже броят на обектите, които могат да бъдат показани е твърде голям (%{max})
173 notice_gantt_chart_truncated: Мрежовият график е съкратен, понеже броят на обектите, които могат да бъдат показани е твърде голям (%{max})
174 notice_issue_successful_create: Задача %{id} е създадена.
174 notice_issue_successful_create: Задача %{id} е създадена.
175 notice_issue_update_conflict: Задачата е била променена от друг потребител, докато вие сте я редактирали.
175 notice_issue_update_conflict: Задачата е била променена от друг потребител, докато вие сте я редактирали.
176
176
177 error_can_t_load_default_data: "Грешка при зареждане на примерната информация: %{value}"
177 error_can_t_load_default_data: "Грешка при зареждане на примерната информация: %{value}"
178 error_scm_not_found: Несъществуващ обект в хранилището.
178 error_scm_not_found: Несъществуващ обект в хранилището.
179 error_scm_command_failed: "Грешка при опит за комуникация с хранилище: %{value}"
179 error_scm_command_failed: "Грешка при опит за комуникация с хранилище: %{value}"
180 error_scm_annotate: "Обектът не съществува или не може да бъде анотиран."
180 error_scm_annotate: "Обектът не съществува или не може да бъде анотиран."
181 error_scm_annotate_big_text_file: "Файлът не може да бъде анотиран, понеже надхвърля максималния размер за текстови файлове."
181 error_scm_annotate_big_text_file: "Файлът не може да бъде анотиран, понеже надхвърля максималния размер за текстови файлове."
182 error_issue_not_found_in_project: 'Задачата не е намерена или не принадлежи на този проект'
182 error_issue_not_found_in_project: 'Задачата не е намерена или не принадлежи на този проект'
183 error_no_tracker_in_project: Няма асоциирани тракери с този проект. Проверете настройките на проекта.
183 error_no_tracker_in_project: Няма асоциирани тракери с този проект. Проверете настройките на проекта.
184 error_no_default_issue_status: Няма установено подразбиращо се състояние за задачите. Моля проверете вашата конфигурация (Вижте "Администрация -> Състояния на задачи").
184 error_no_default_issue_status: Няма установено подразбиращо се състояние за задачите. Моля проверете вашата конфигурация (Вижте "Администрация -> Състояния на задачи").
185 error_can_not_delete_custom_field: Невъзможност за изтриване на потребителско поле
185 error_can_not_delete_custom_field: Невъзможност за изтриване на потребителско поле
186 error_can_not_delete_tracker: Този тракер съдържа задачи и не може да бъде изтрит.
186 error_can_not_delete_tracker: Този тракер съдържа задачи и не може да бъде изтрит.
187 error_can_not_remove_role: Тази роля се използва и не може да бъде изтрита.
187 error_can_not_remove_role: Тази роля се използва и не може да бъде изтрита.
188 error_can_not_reopen_issue_on_closed_version: Задача, асоциирана със затворена версия не може да бъде отворена отново
188 error_can_not_reopen_issue_on_closed_version: Задача, асоциирана със затворена версия не може да бъде отворена отново
189 error_can_not_archive_project: Този проект не може да бъде архивиран
189 error_can_not_archive_project: Този проект не може да бъде архивиран
190 error_issue_done_ratios_not_updated: Процентът на завършените задачи не е обновен.
190 error_issue_done_ratios_not_updated: Процентът на завършените задачи не е обновен.
191 error_workflow_copy_source: Моля изберете source тракер или роля
191 error_workflow_copy_source: Моля изберете source тракер или роля
192 error_workflow_copy_target: Моля изберете тракер(и) и роля (роли).
192 error_workflow_copy_target: Моля изберете тракер(и) и роля (роли).
193 error_unable_delete_issue_status: Невъзможност за изтриване на състояние на задача
193 error_unable_delete_issue_status: Невъзможност за изтриване на състояние на задача
194 error_unable_to_connect: Невъзможност за свързване с (%{value})
194 error_unable_to_connect: Невъзможност за свързване с (%{value})
195 error_attachment_too_big: Този файл не може да бъде качен, понеже надхвърля максималната възможна големина (%{max_size})
195 error_attachment_too_big: Този файл не може да бъде качен, понеже надхвърля максималната възможна големина (%{max_size})
196 warning_attachments_not_saved: "%{count} файла не бяха записани."
196 warning_attachments_not_saved: "%{count} файла не бяха записани."
197
197
198 mail_subject_lost_password: "Вашата парола (%{value})"
198 mail_subject_lost_password: "Вашата парола (%{value})"
199 mail_body_lost_password: 'За да смените паролата си, използвайте следния линк:'
199 mail_body_lost_password: 'За да смените паролата си, използвайте следния линк:'
200 mail_subject_register: "Активация на профил (%{value})"
200 mail_subject_register: "Активация на профил (%{value})"
201 mail_body_register: 'За да активирате профила си използвайте следния линк:'
201 mail_body_register: 'За да активирате профила си използвайте следния линк:'
202 mail_body_account_information_external: "Можете да използвате вашия %{value} профил за вход."
202 mail_body_account_information_external: "Можете да използвате вашия %{value} профил за вход."
203 mail_body_account_information: Информацията за профила ви
203 mail_body_account_information: Информацията за профила ви
204 mail_subject_account_activation_request: "Заявка за активиране на профил в %{value}"
204 mail_subject_account_activation_request: "Заявка за активиране на профил в %{value}"
205 mail_body_account_activation_request: "Има новорегистриран потребител (%{value}), очакващ вашето одобрение:"
205 mail_body_account_activation_request: "Има новорегистриран потребител (%{value}), очакващ вашето одобрение:"
206 mail_subject_reminder: "%{count} задачи с краен срок с следващите %{days} дни"
206 mail_subject_reminder: "%{count} задачи с краен срок с следващите %{days} дни"
207 mail_body_reminder: "%{count} задачи, назначени на вас са с краен срок в следващите %{days} дни:"
207 mail_body_reminder: "%{count} задачи, назначени на вас са с краен срок в следващите %{days} дни:"
208 mail_subject_wiki_content_added: "Wiki страницата '%{id}' беше добавена"
208 mail_subject_wiki_content_added: "Wiki страницата '%{id}' беше добавена"
209 mail_body_wiki_content_added: Wiki страницата '%{id}' беше добавена от %{author}.
209 mail_body_wiki_content_added: Wiki страницата '%{id}' беше добавена от %{author}.
210 mail_subject_wiki_content_updated: "Wiki страницата '%{id}' беше обновена"
210 mail_subject_wiki_content_updated: "Wiki страницата '%{id}' беше обновена"
211 mail_body_wiki_content_updated: Wiki страницата '%{id}' беше обновена от %{author}.
211 mail_body_wiki_content_updated: Wiki страницата '%{id}' беше обновена от %{author}.
212
212
213 gui_validation_error: 1 грешка
213 gui_validation_error: 1 грешка
214 gui_validation_error_plural: "%{count} грешки"
214 gui_validation_error_plural: "%{count} грешки"
215
215
216 field_name: Име
216 field_name: Име
217 field_description: Описание
217 field_description: Описание
218 field_summary: Анотация
218 field_summary: Анотация
219 field_is_required: Задължително
219 field_is_required: Задължително
220 field_firstname: Име
220 field_firstname: Име
221 field_lastname: Фамилия
221 field_lastname: Фамилия
222 field_mail: Email
222 field_mail: Email
223 field_filename: Файл
223 field_filename: Файл
224 field_filesize: Големина
224 field_filesize: Големина
225 field_downloads: Изтеглени файлове
225 field_downloads: Изтеглени файлове
226 field_author: Автор
226 field_author: Автор
227 field_created_on: От дата
227 field_created_on: От дата
228 field_updated_on: Обновена
228 field_updated_on: Обновена
229 field_field_format: Тип
229 field_field_format: Тип
230 field_is_for_all: За всички проекти
230 field_is_for_all: За всички проекти
231 field_possible_values: Възможни стойности
231 field_possible_values: Възможни стойности
232 field_regexp: Регулярен израз
232 field_regexp: Регулярен израз
233 field_min_length: Мин. дължина
233 field_min_length: Мин. дължина
234 field_max_length: Макс. дължина
234 field_max_length: Макс. дължина
235 field_value: Стойност
235 field_value: Стойност
236 field_category: Категория
236 field_category: Категория
237 field_title: Заглавие
237 field_title: Заглавие
238 field_project: Проект
238 field_project: Проект
239 field_issue: Задача
239 field_issue: Задача
240 field_status: Състояние
240 field_status: Състояние
241 field_notes: Бележка
241 field_notes: Бележка
242 field_is_closed: Затворена задача
242 field_is_closed: Затворена задача
243 field_is_default: Състояние по подразбиране
243 field_is_default: Състояние по подразбиране
244 field_tracker: Тракер
244 field_tracker: Тракер
245 field_subject: Относно
245 field_subject: Относно
246 field_due_date: Крайна дата
246 field_due_date: Крайна дата
247 field_assigned_to: Възложена на
247 field_assigned_to: Възложена на
248 field_priority: Приоритет
248 field_priority: Приоритет
249 field_fixed_version: Планувана версия
249 field_fixed_version: Планувана версия
250 field_user: Потребител
250 field_user: Потребител
251 field_principal: Principal
251 field_principal: Principal
252 field_role: Роля
252 field_role: Роля
253 field_homepage: Начална страница
253 field_homepage: Начална страница
254 field_is_public: Публичен
254 field_is_public: Публичен
255 field_parent: Подпроект на
255 field_parent: Подпроект на
256 field_is_in_roadmap: Да се вижда ли в Пътна карта
256 field_is_in_roadmap: Да се вижда ли в Пътна карта
257 field_login: Потребител
257 field_login: Потребител
258 field_mail_notification: Известия по пощата
258 field_mail_notification: Известия по пощата
259 field_admin: Администратор
259 field_admin: Администратор
260 field_last_login_on: Последно свързване
260 field_last_login_on: Последно свързване
261 field_language: Език
261 field_language: Език
262 field_effective_date: Дата
262 field_effective_date: Дата
263 field_password: Парола
263 field_password: Парола
264 field_new_password: Нова парола
264 field_new_password: Нова парола
265 field_password_confirmation: Потвърждение
265 field_password_confirmation: Потвърждение
266 field_version: Версия
266 field_version: Версия
267 field_type: Тип
267 field_type: Тип
268 field_host: Хост
268 field_host: Хост
269 field_port: Порт
269 field_port: Порт
270 field_account: Профил
270 field_account: Профил
271 field_base_dn: Base DN
271 field_base_dn: Base DN
272 field_attr_login: Атрибут Login
272 field_attr_login: Атрибут Login
273 field_attr_firstname: Атрибут Първо име (Firstname)
273 field_attr_firstname: Атрибут Първо име (Firstname)
274 field_attr_lastname: Атрибут Фамилия (Lastname)
274 field_attr_lastname: Атрибут Фамилия (Lastname)
275 field_attr_mail: Атрибут Email
275 field_attr_mail: Атрибут Email
276 field_onthefly: Динамично създаване на потребител
276 field_onthefly: Динамично създаване на потребител
277 field_start_date: Начална дата
277 field_start_date: Начална дата
278 field_done_ratio: "% Прогрес"
278 field_done_ratio: "% Прогрес"
279 field_auth_source: Начин на оторизация
279 field_auth_source: Начин на оторизация
280 field_hide_mail: Скрий e-mail адреса ми
280 field_hide_mail: Скрий e-mail адреса ми
281 field_comments: Коментар
281 field_comments: Коментар
282 field_url: Адрес
282 field_url: Адрес
283 field_start_page: Начална страница
283 field_start_page: Начална страница
284 field_subproject: Подпроект
284 field_subproject: Подпроект
285 field_hours: Часове
285 field_hours: Часове
286 field_activity: Дейност
286 field_activity: Дейност
287 field_spent_on: Дата
287 field_spent_on: Дата
288 field_identifier: Идентификатор
288 field_identifier: Идентификатор
289 field_is_filter: Използва се за филтър
289 field_is_filter: Използва се за филтър
290 field_issue_to: Свързана задача
290 field_issue_to: Свързана задача
291 field_delay: Отместване
291 field_delay: Отместване
292 field_assignable: Възможно е възлагане на задачи за тази роля
292 field_assignable: Възможно е възлагане на задачи за тази роля
293 field_redirect_existing_links: Пренасочване на съществуващи линкове
293 field_redirect_existing_links: Пренасочване на съществуващи линкове
294 field_estimated_hours: Изчислено време
294 field_estimated_hours: Изчислено време
295 field_column_names: Колони
295 field_column_names: Колони
296 field_time_entries: Log time
296 field_time_entries: Log time
297 field_time_zone: Часова зона
297 field_time_zone: Часова зона
298 field_searchable: С възможност за търсене
298 field_searchable: С възможност за търсене
299 field_default_value: Стойност по подразбиране
299 field_default_value: Стойност по подразбиране
300 field_comments_sorting: Сортиране на коментарите
300 field_comments_sorting: Сортиране на коментарите
301 field_parent_title: Родителска страница
301 field_parent_title: Родителска страница
302 field_editable: Editable
302 field_editable: Editable
303 field_watcher: Наблюдател
303 field_watcher: Наблюдател
304 field_identity_url: OpenID URL
304 field_identity_url: OpenID URL
305 field_content: Съдържание
305 field_content: Съдържание
306 field_group_by: Групиране на резултатите по
306 field_group_by: Групиране на резултатите по
307 field_sharing: Sharing
307 field_sharing: Sharing
308 field_parent_issue: Родителска задача
308 field_parent_issue: Родителска задача
309 field_member_of_group: Член на група
309 field_member_of_group: Член на група
310 field_assigned_to_role: Assignee's role
310 field_assigned_to_role: Assignee's role
311 field_text: Текстово поле
311 field_text: Текстово поле
312 field_visible: Видим
312 field_visible: Видим
313 field_warn_on_leaving_unsaved: Предупреди ме, когато напускам страница с незаписано съдържание
313 field_warn_on_leaving_unsaved: Предупреди ме, когато напускам страница с незаписано съдържание
314 field_issues_visibility: Видимост на задачите
314 field_issues_visibility: Видимост на задачите
315 field_is_private: Лична
315 field_is_private: Лична
316 field_commit_logs_encoding: Кодова таблица на съобщенията при поверяване
316 field_commit_logs_encoding: Кодова таблица на съобщенията при поверяване
317 field_scm_path_encoding: Кодова таблица на пътищата (path)
317 field_scm_path_encoding: Кодова таблица на пътищата (path)
318 field_path_to_repository: Път до хранилището
318 field_path_to_repository: Път до хранилището
319 field_root_directory: Коренна директория (папка)
319 field_root_directory: Коренна директория (папка)
320 field_cvsroot: CVSROOT
320 field_cvsroot: CVSROOT
321 field_cvs_module: Модул
321 field_cvs_module: Модул
322 field_repository_is_default: Главно хранилище
322 field_repository_is_default: Главно хранилище
323 field_multiple: Избор на повече от една стойност
323 field_multiple: Избор на повече от една стойност
324
324
325 setting_app_title: Заглавие
325 setting_app_title: Заглавие
326 setting_app_subtitle: Описание
326 setting_app_subtitle: Описание
327 setting_welcome_text: Допълнителен текст
327 setting_welcome_text: Допълнителен текст
328 setting_default_language: Език по подразбиране
328 setting_default_language: Език по подразбиране
329 setting_login_required: Изискване за вход в системата
329 setting_login_required: Изискване за вход в системата
330 setting_self_registration: Регистрация от потребители
330 setting_self_registration: Регистрация от потребители
331 setting_attachment_max_size: Максимална големина на прикачен файл
331 setting_attachment_max_size: Максимална големина на прикачен файл
332 setting_issues_export_limit: Максимален брой задачи за експорт
332 setting_issues_export_limit: Максимален брой задачи за експорт
333 setting_mail_from: E-mail адрес за емисии
333 setting_mail_from: E-mail адрес за емисии
334 setting_bcc_recipients: Получатели на скрито копие (bcc)
334 setting_bcc_recipients: Получатели на скрито копие (bcc)
335 setting_plain_text_mail: само чист текст (без HTML)
335 setting_plain_text_mail: само чист текст (без HTML)
336 setting_host_name: Хост
336 setting_host_name: Хост
337 setting_text_formatting: Форматиране на текста
337 setting_text_formatting: Форматиране на текста
338 setting_wiki_compression: Компресиране на Wiki историята
338 setting_wiki_compression: Компресиране на Wiki историята
339 setting_feeds_limit: Максимален брой записи в ATOM емисии
339 setting_feeds_limit: Максимален брой записи в ATOM емисии
340 setting_default_projects_public: Новите проекти са публични по подразбиране
340 setting_default_projects_public: Новите проекти са публични по подразбиране
341 setting_autofetch_changesets: Автоматично извличане на ревизиите
341 setting_autofetch_changesets: Автоматично извличане на ревизиите
342 setting_sys_api_enabled: Разрешаване на WS за управление
342 setting_sys_api_enabled: Разрешаване на WS за управление
343 setting_commit_ref_keywords: Отбелязващи ключови думи
343 setting_commit_ref_keywords: Отбелязващи ключови думи
344 setting_commit_fix_keywords: Приключващи ключови думи
344 setting_commit_fix_keywords: Приключващи ключови думи
345 setting_autologin: Автоматичен вход
345 setting_autologin: Автоматичен вход
346 setting_date_format: Формат на датата
346 setting_date_format: Формат на датата
347 setting_time_format: Формат на часа
347 setting_time_format: Формат на часа
348 setting_cross_project_issue_relations: Релации на задачи между проекти
348 setting_cross_project_issue_relations: Релации на задачи между проекти
349 setting_issue_list_default_columns: Показвани колони по подразбиране
349 setting_issue_list_default_columns: Показвани колони по подразбиране
350 setting_repositories_encodings: Кодова таблица на прикачените файлове и хранилищата
350 setting_repositories_encodings: Кодова таблица на прикачените файлове и хранилищата
351 setting_emails_header: Emails header
351 setting_emails_header: Emails header
352 setting_emails_footer: Подтекст за e-mail
352 setting_emails_footer: Подтекст за e-mail
353 setting_protocol: Протокол
353 setting_protocol: Протокол
354 setting_per_page_options: Опции за страниране
354 setting_per_page_options: Опции за страниране
355 setting_user_format: Потребителски формат
355 setting_user_format: Потребителски формат
356 setting_activity_days_default: Брой дни показвани на таб Дейност
356 setting_activity_days_default: Брой дни показвани на таб Дейност
357 setting_display_subprojects_issues: Задачите от подпроектите по подразбиране се показват в главните проекти
357 setting_display_subprojects_issues: Задачите от подпроектите по подразбиране се показват в главните проекти
358 setting_enabled_scm: Разрешена SCM
358 setting_enabled_scm: Разрешена SCM
359 setting_mail_handler_body_delimiters: Отрязване на e-mail-ите след един от тези редове
359 setting_mail_handler_body_delimiters: Отрязване на e-mail-ите след един от тези редове
360 setting_mail_handler_api_enabled: Разрешаване на WS за входящи e-mail-и
360 setting_mail_handler_api_enabled: Разрешаване на WS за входящи e-mail-и
361 setting_mail_handler_api_key: API ключ
361 setting_mail_handler_api_key: API ключ
362 setting_sequential_project_identifiers: Генериране на последователни проектни идентификатори
362 setting_sequential_project_identifiers: Генериране на последователни проектни идентификатори
363 setting_gravatar_enabled: Използване на портребителски икони от Gravatar
363 setting_gravatar_enabled: Използване на портребителски икони от Gravatar
364 setting_gravatar_default: Подразбиращо се изображение от Gravatar
364 setting_gravatar_default: Подразбиращо се изображение от Gravatar
365 setting_diff_max_lines_displayed: Максимален брой показвани diff редове
365 setting_diff_max_lines_displayed: Максимален брой показвани diff редове
366 setting_file_max_size_displayed: Максимален размер на текстовите файлове, показвани inline
366 setting_file_max_size_displayed: Максимален размер на текстовите файлове, показвани inline
367 setting_repository_log_display_limit: Максимален брой на показванете ревизии в лог файла
367 setting_repository_log_display_limit: Максимален брой на показванете ревизии в лог файла
368 setting_openid: Рарешаване на OpenID вход и регистрация
368 setting_openid: Рарешаване на OpenID вход и регистрация
369 setting_password_min_length: Минимална дължина на парола
369 setting_password_min_length: Минимална дължина на парола
370 setting_new_project_user_role_id: Роля, давана на потребител, създаващ проекти, който не е администратор
370 setting_new_project_user_role_id: Роля, давана на потребител, създаващ проекти, който не е администратор
371 setting_default_projects_modules: Активирани модули по подразбиране за нов проект
371 setting_default_projects_modules: Активирани модули по подразбиране за нов проект
372 setting_issue_done_ratio: Изчисление на процента на готови задачи с
372 setting_issue_done_ratio: Изчисление на процента на готови задачи с
373 setting_issue_done_ratio_issue_field: Използване на поле '% Прогрес'
373 setting_issue_done_ratio_issue_field: Използване на поле '% Прогрес'
374 setting_issue_done_ratio_issue_status: Използване на състоянието на задачите
374 setting_issue_done_ratio_issue_status: Използване на състоянието на задачите
375 setting_start_of_week: Първи ден на седмицата
375 setting_start_of_week: Първи ден на седмицата
376 setting_rest_api_enabled: Разрешаване на REST web сървис
376 setting_rest_api_enabled: Разрешаване на REST web сървис
377 setting_cache_formatted_text: Кеширане на форматираните текстове
377 setting_cache_formatted_text: Кеширане на форматираните текстове
378 setting_default_notification_option: Подразбиращ се начин за известяване
378 setting_default_notification_option: Подразбиращ се начин за известяване
379 setting_commit_logtime_enabled: Разрешаване на отчитането на работното време
379 setting_commit_logtime_enabled: Разрешаване на отчитането на работното време
380 setting_commit_logtime_activity_id: Дейност при отчитане на работното време
380 setting_commit_logtime_activity_id: Дейност при отчитане на работното време
381 setting_gantt_items_limit: Максимален брой обекти, които да се показват в мрежов график
381 setting_gantt_items_limit: Максимален брой обекти, които да се показват в мрежов график
382 setting_issue_group_assignment: Разрешено назначаването на задачи на групи
382 setting_issue_group_assignment: Разрешено назначаването на задачи на групи
383 setting_default_issue_start_date_to_creation_date: Начална дата на новите задачи по подразбиране да бъде днешната дата
383 setting_default_issue_start_date_to_creation_date: Начална дата на новите задачи по подразбиране да бъде днешната дата
384 setting_commit_cross_project_ref: Отбелязване и приключване на задачи от други проекти, несвързани с конкретното хранилище
384 setting_commit_cross_project_ref: Отбелязване и приключване на задачи от други проекти, несвързани с конкретното хранилище
385
385
386 permission_add_project: Създаване на проект
386 permission_add_project: Създаване на проект
387 permission_add_subprojects: Създаване на подпроекти
387 permission_add_subprojects: Създаване на подпроекти
388 permission_edit_project: Редактиране на проект
388 permission_edit_project: Редактиране на проект
389 permission_select_project_modules: Избор на проектни модули
389 permission_select_project_modules: Избор на проектни модули
390 permission_manage_members: Управление на членовете (на екип)
390 permission_manage_members: Управление на членовете (на екип)
391 permission_manage_project_activities: Управление на дейностите на проекта
391 permission_manage_project_activities: Управление на дейностите на проекта
392 permission_manage_versions: Управление на версиите
392 permission_manage_versions: Управление на версиите
393 permission_manage_categories: Управление на категориите
393 permission_manage_categories: Управление на категориите
394 permission_view_issues: Разглеждане на задачите
394 permission_view_issues: Разглеждане на задачите
395 permission_add_issues: Добавяне на задачи
395 permission_add_issues: Добавяне на задачи
396 permission_edit_issues: Редактиране на задачи
396 permission_edit_issues: Редактиране на задачи
397 permission_manage_issue_relations: Управление на връзките между задачите
397 permission_manage_issue_relations: Управление на връзките между задачите
398 permission_set_own_issues_private: Установяване на собствените задачи публични или лични
398 permission_set_own_issues_private: Установяване на собствените задачи публични или лични
399 permission_set_issues_private: Установяване на задачите публични или лични
399 permission_set_issues_private: Установяване на задачите публични или лични
400 permission_add_issue_notes: Добавяне на бележки
400 permission_add_issue_notes: Добавяне на бележки
401 permission_edit_issue_notes: Редактиране на бележки
401 permission_edit_issue_notes: Редактиране на бележки
402 permission_edit_own_issue_notes: Редактиране на собствени бележки
402 permission_edit_own_issue_notes: Редактиране на собствени бележки
403 permission_move_issues: Преместване на задачи
403 permission_move_issues: Преместване на задачи
404 permission_delete_issues: Изтриване на задачи
404 permission_delete_issues: Изтриване на задачи
405 permission_manage_public_queries: Управление на публичните заявки
405 permission_manage_public_queries: Управление на публичните заявки
406 permission_save_queries: Запис на запитвания (queries)
406 permission_save_queries: Запис на запитвания (queries)
407 permission_view_gantt: Разглеждане на мрежов график
407 permission_view_gantt: Разглеждане на мрежов график
408 permission_view_calendar: Разглеждане на календари
408 permission_view_calendar: Разглеждане на календари
409 permission_view_issue_watchers: Разглеждане на списък с наблюдатели
409 permission_view_issue_watchers: Разглеждане на списък с наблюдатели
410 permission_add_issue_watchers: Добавяне на наблюдатели
410 permission_add_issue_watchers: Добавяне на наблюдатели
411 permission_delete_issue_watchers: Изтриване на наблюдатели
411 permission_delete_issue_watchers: Изтриване на наблюдатели
412 permission_log_time: Log spent time
412 permission_log_time: Log spent time
413 permission_view_time_entries: Разглеждане на изразходваното време
413 permission_view_time_entries: Разглеждане на изразходваното време
414 permission_edit_time_entries: Редактиране на time logs
414 permission_edit_time_entries: Редактиране на time logs
415 permission_edit_own_time_entries: Редактиране на собствените time logs
415 permission_edit_own_time_entries: Редактиране на собствените time logs
416 permission_manage_news: Управление на новини
416 permission_manage_news: Управление на новини
417 permission_comment_news: Коментиране на новини
417 permission_comment_news: Коментиране на новини
418 permission_manage_documents: Управление на документи
418 permission_manage_documents: Управление на документи
419 permission_view_documents: Разглеждане на документи
419 permission_view_documents: Разглеждане на документи
420 permission_manage_files: Управление на файлове
420 permission_manage_files: Управление на файлове
421 permission_view_files: Разглеждане на файлове
421 permission_view_files: Разглеждане на файлове
422 permission_manage_wiki: Управление на wiki
422 permission_manage_wiki: Управление на wiki
423 permission_rename_wiki_pages: Преименуване на wiki страници
423 permission_rename_wiki_pages: Преименуване на wiki страници
424 permission_delete_wiki_pages: Изтриване на wiki страници
424 permission_delete_wiki_pages: Изтриване на wiki страници
425 permission_view_wiki_pages: Разглеждане на wiki
425 permission_view_wiki_pages: Разглеждане на wiki
426 permission_view_wiki_edits: Разглеждане на wiki история
426 permission_view_wiki_edits: Разглеждане на wiki история
427 permission_edit_wiki_pages: Редактиране на wiki страници
427 permission_edit_wiki_pages: Редактиране на wiki страници
428 permission_delete_wiki_pages_attachments: Изтриване на прикачени файлове към wiki страници
428 permission_delete_wiki_pages_attachments: Изтриване на прикачени файлове към wiki страници
429 permission_protect_wiki_pages: Заключване на wiki страници
429 permission_protect_wiki_pages: Заключване на wiki страници
430 permission_manage_repository: Управление на хранилища
430 permission_manage_repository: Управление на хранилища
431 permission_browse_repository: Разглеждане на хранилища
431 permission_browse_repository: Разглеждане на хранилища
432 permission_view_changesets: Разглеждане на changesets
432 permission_view_changesets: Разглеждане на changesets
433 permission_commit_access: Поверяване
433 permission_commit_access: Поверяване
434 permission_manage_boards: Управление на boards
434 permission_manage_boards: Управление на boards
435 permission_view_messages: Разглеждане на съобщения
435 permission_view_messages: Разглеждане на съобщения
436 permission_add_messages: Публикуване на съобщения
436 permission_add_messages: Публикуване на съобщения
437 permission_edit_messages: Редактиране на съобщения
437 permission_edit_messages: Редактиране на съобщения
438 permission_edit_own_messages: Редактиране на собствени съобщения
438 permission_edit_own_messages: Редактиране на собствени съобщения
439 permission_delete_messages: Изтриване на съобщения
439 permission_delete_messages: Изтриване на съобщения
440 permission_delete_own_messages: Изтриване на собствени съобщения
440 permission_delete_own_messages: Изтриване на собствени съобщения
441 permission_export_wiki_pages: Експорт на wiki страници
441 permission_export_wiki_pages: Експорт на wiki страници
442 permission_manage_subtasks: Управление на подзадачите
442 permission_manage_subtasks: Управление на подзадачите
443 permission_manage_related_issues: Управление на връзките между задачи и ревизии
443 permission_manage_related_issues: Управление на връзките между задачи и ревизии
444
444
445 project_module_issue_tracking: Тракинг
445 project_module_issue_tracking: Тракинг
446 project_module_time_tracking: Отделяне на време
446 project_module_time_tracking: Отделяне на време
447 project_module_news: Новини
447 project_module_news: Новини
448 project_module_documents: Документи
448 project_module_documents: Документи
449 project_module_files: Файлове
449 project_module_files: Файлове
450 project_module_wiki: Wiki
450 project_module_wiki: Wiki
451 project_module_repository: Хранилище
451 project_module_repository: Хранилище
452 project_module_boards: Форуми
452 project_module_boards: Форуми
453 project_module_calendar: Календар
453 project_module_calendar: Календар
454 project_module_gantt: Мрежов график
454 project_module_gantt: Мрежов график
455
455
456 label_user: Потребител
456 label_user: Потребител
457 label_user_plural: Потребители
457 label_user_plural: Потребители
458 label_user_new: Нов потребител
458 label_user_new: Нов потребител
459 label_user_anonymous: Анонимен
459 label_user_anonymous: Анонимен
460 label_project: Проект
460 label_project: Проект
461 label_project_new: Нов проект
461 label_project_new: Нов проект
462 label_project_plural: Проекти
462 label_project_plural: Проекти
463 label_x_projects:
463 label_x_projects:
464 zero: 0 проекта
464 zero: 0 проекта
465 one: 1 проект
465 one: 1 проект
466 other: "%{count} проекта"
466 other: "%{count} проекта"
467 label_project_all: Всички проекти
467 label_project_all: Всички проекти
468 label_project_latest: Последни проекти
468 label_project_latest: Последни проекти
469 label_issue: Задача
469 label_issue: Задача
470 label_issue_new: Нова задача
470 label_issue_new: Нова задача
471 label_issue_plural: Задачи
471 label_issue_plural: Задачи
472 label_issue_view_all: Всички задачи
472 label_issue_view_all: Всички задачи
473 label_issues_by: "Задачи по %{value}"
473 label_issues_by: "Задачи по %{value}"
474 label_issue_added: Добавена задача
474 label_issue_added: Добавена задача
475 label_issue_updated: Обновена задача
475 label_issue_updated: Обновена задача
476 label_issue_note_added: Добавена бележка
476 label_issue_note_added: Добавена бележка
477 label_issue_status_updated: Обновено състояние
477 label_issue_status_updated: Обновено състояние
478 label_issue_priority_updated: Обновен приоритет
478 label_issue_priority_updated: Обновен приоритет
479 label_document: Документ
479 label_document: Документ
480 label_document_new: Нов документ
480 label_document_new: Нов документ
481 label_document_plural: Документи
481 label_document_plural: Документи
482 label_document_added: Добавен документ
482 label_document_added: Добавен документ
483 label_role: Роля
483 label_role: Роля
484 label_role_plural: Роли
484 label_role_plural: Роли
485 label_role_new: Нова роля
485 label_role_new: Нова роля
486 label_role_and_permissions: Роли и права
486 label_role_and_permissions: Роли и права
487 label_role_anonymous: Анонимен
487 label_role_anonymous: Анонимен
488 label_role_non_member: Не член
488 label_role_non_member: Не член
489 label_member: Член
489 label_member: Член
490 label_member_new: Нов член
490 label_member_new: Нов член
491 label_member_plural: Членове
491 label_member_plural: Членове
492 label_tracker: Тракер
492 label_tracker: Тракер
493 label_tracker_plural: Тракери
493 label_tracker_plural: Тракери
494 label_tracker_new: Нов тракер
494 label_tracker_new: Нов тракер
495 label_workflow: Работен процес
495 label_workflow: Работен процес
496 label_issue_status: Състояние на задача
496 label_issue_status: Състояние на задача
497 label_issue_status_plural: Състояния на задачи
497 label_issue_status_plural: Състояния на задачи
498 label_issue_status_new: Ново състояние
498 label_issue_status_new: Ново състояние
499 label_issue_category: Категория задача
499 label_issue_category: Категория задача
500 label_issue_category_plural: Категории задачи
500 label_issue_category_plural: Категории задачи
501 label_issue_category_new: Нова категория
501 label_issue_category_new: Нова категория
502 label_custom_field: Потребителско поле
502 label_custom_field: Потребителско поле
503 label_custom_field_plural: Потребителски полета
503 label_custom_field_plural: Потребителски полета
504 label_custom_field_new: Ново потребителско поле
504 label_custom_field_new: Ново потребителско поле
505 label_enumerations: Списъци
505 label_enumerations: Списъци
506 label_enumeration_new: Нова стойност
506 label_enumeration_new: Нова стойност
507 label_information: Информация
507 label_information: Информация
508 label_information_plural: Информация
508 label_information_plural: Информация
509 label_please_login: Вход
509 label_please_login: Вход
510 label_register: Регистрация
510 label_register: Регистрация
511 label_login_with_open_id_option: или вход чрез OpenID
511 label_login_with_open_id_option: или вход чрез OpenID
512 label_password_lost: Забравена парола
512 label_password_lost: Забравена парола
513 label_home: Начало
513 label_home: Начало
514 label_my_page: Лична страница
514 label_my_page: Лична страница
515 label_my_account: Профил
515 label_my_account: Профил
516 label_my_projects: Проекти, в които участвам
516 label_my_projects: Проекти, в които участвам
517 label_my_page_block: Блокове в личната страница
517 label_my_page_block: Блокове в личната страница
518 label_administration: Администрация
518 label_administration: Администрация
519 label_login: Вход
519 label_login: Вход
520 label_logout: Изход
520 label_logout: Изход
521 label_help: Помощ
521 label_help: Помощ
522 label_reported_issues: Публикувани задачи
522 label_reported_issues: Публикувани задачи
523 label_assigned_to_me_issues: Възложени на мен
523 label_assigned_to_me_issues: Възложени на мен
524 label_last_login: Последно свързване
524 label_last_login: Последно свързване
525 label_registered_on: Регистрация
525 label_registered_on: Регистрация
526 label_activity: Дейност
526 label_activity: Дейност
527 label_overall_activity: Цялостна дейност
527 label_overall_activity: Цялостна дейност
528 label_user_activity: "Активност на %{value}"
528 label_user_activity: "Активност на %{value}"
529 label_new: Нов
529 label_new: Нов
530 label_logged_as: Здравейте,
530 label_logged_as: Здравейте,
531 label_environment: Среда
531 label_environment: Среда
532 label_authentication: Оторизация
532 label_authentication: Оторизация
533 label_auth_source: Начин на оторозация
533 label_auth_source: Начин на оторозация
534 label_auth_source_new: Нов начин на оторизация
534 label_auth_source_new: Нов начин на оторизация
535 label_auth_source_plural: Начини на оторизация
535 label_auth_source_plural: Начини на оторизация
536 label_subproject_plural: Подпроекти
536 label_subproject_plural: Подпроекти
537 label_subproject_new: Нов подпроект
537 label_subproject_new: Нов подпроект
538 label_and_its_subprojects: "%{value} и неговите подпроекти"
538 label_and_its_subprojects: "%{value} и неговите подпроекти"
539 label_min_max_length: Минимална - максимална дължина
539 label_min_max_length: Минимална - максимална дължина
540 label_list: Списък
540 label_list: Списък
541 label_date: Дата
541 label_date: Дата
542 label_integer: Целочислен
542 label_integer: Целочислен
543 label_float: Дробно
543 label_float: Дробно
544 label_boolean: Чекбокс
544 label_boolean: Чекбокс
545 label_string: Текст
545 label_string: Текст
546 label_text: Дълъг текст
546 label_text: Дълъг текст
547 label_attribute: Атрибут
547 label_attribute: Атрибут
548 label_attribute_plural: Атрибути
548 label_attribute_plural: Атрибути
549 label_download: "%{count} изтегляне"
549 label_download: "%{count} изтегляне"
550 label_download_plural: "%{count} изтегляния"
550 label_download_plural: "%{count} изтегляния"
551 label_no_data: Няма изходни данни
551 label_no_data: Няма изходни данни
552 label_change_status: Промяна на състоянието
552 label_change_status: Промяна на състоянието
553 label_history: История
553 label_history: История
554 label_attachment: Файл
554 label_attachment: Файл
555 label_attachment_new: Нов файл
555 label_attachment_new: Нов файл
556 label_attachment_delete: Изтриване
556 label_attachment_delete: Изтриване
557 label_attachment_plural: Файлове
557 label_attachment_plural: Файлове
558 label_file_added: Добавен файл
558 label_file_added: Добавен файл
559 label_report: Справка
559 label_report: Справка
560 label_report_plural: Справки
560 label_report_plural: Справки
561 label_news: Новини
561 label_news: Новини
562 label_news_new: Добави
562 label_news_new: Добави
563 label_news_plural: Новини
563 label_news_plural: Новини
564 label_news_latest: Последни новини
564 label_news_latest: Последни новини
565 label_news_view_all: Виж всички
565 label_news_view_all: Виж всички
566 label_news_added: Добавена новина
566 label_news_added: Добавена новина
567 label_news_comment_added: Добавен коментар към новина
567 label_news_comment_added: Добавен коментар към новина
568 label_settings: Настройки
568 label_settings: Настройки
569 label_overview: Общ изглед
569 label_overview: Общ изглед
570 label_version: Версия
570 label_version: Версия
571 label_version_new: Нова версия
571 label_version_new: Нова версия
572 label_version_plural: Версии
572 label_version_plural: Версии
573 label_close_versions: Затваряне на завършените версии
573 label_close_versions: Затваряне на завършените версии
574 label_confirmation: Одобрение
574 label_confirmation: Одобрение
575 label_export_to: Експорт към
575 label_export_to: Експорт към
576 label_read: Read...
576 label_read: Read...
577 label_public_projects: Публични проекти
577 label_public_projects: Публични проекти
578 label_open_issues: отворена
578 label_open_issues: отворена
579 label_open_issues_plural: отворени
579 label_open_issues_plural: отворени
580 label_closed_issues: затворена
580 label_closed_issues: затворена
581 label_closed_issues_plural: затворени
581 label_closed_issues_plural: затворени
582 label_x_open_issues_abbr_on_total:
582 label_x_open_issues_abbr_on_total:
583 zero: 0 отворени / %{total}
583 zero: 0 отворени / %{total}
584 one: 1 отворена / %{total}
584 one: 1 отворена / %{total}
585 other: "%{count} отворени / %{total}"
585 other: "%{count} отворени / %{total}"
586 label_x_open_issues_abbr:
586 label_x_open_issues_abbr:
587 zero: 0 отворени
587 zero: 0 отворени
588 one: 1 отворена
588 one: 1 отворена
589 other: "%{count} отворени"
589 other: "%{count} отворени"
590 label_x_closed_issues_abbr:
590 label_x_closed_issues_abbr:
591 zero: 0 затворени
591 zero: 0 затворени
592 one: 1 затворена
592 one: 1 затворена
593 other: "%{count} затворени"
593 other: "%{count} затворени"
594 label_x_issues:
594 label_x_issues:
595 zero: 0 задачи
595 zero: 0 задачи
596 one: 1 задача
596 one: 1 задача
597 other: "%{count} задачи"
597 other: "%{count} задачи"
598 label_total: Общо
598 label_total: Общо
599 label_permissions: Права
599 label_permissions: Права
600 label_current_status: Текущо състояние
600 label_current_status: Текущо състояние
601 label_new_statuses_allowed: Позволени състояния
601 label_new_statuses_allowed: Позволени състояния
602 label_all: всички
602 label_all: всички
603 label_none: никакви
603 label_none: никакви
604 label_nobody: никой
604 label_nobody: никой
605 label_next: Следващ
605 label_next: Следващ
606 label_previous: Предишен
606 label_previous: Предишен
607 label_used_by: Използва се от
607 label_used_by: Използва се от
608 label_details: Детайли
608 label_details: Детайли
609 label_add_note: Добавяне на бележка
609 label_add_note: Добавяне на бележка
610 label_per_page: На страница
610 label_per_page: На страница
611 label_calendar: Календар
611 label_calendar: Календар
612 label_months_from: месеца от
612 label_months_from: месеца от
613 label_gantt: Мрежов график
613 label_gantt: Мрежов график
614 label_internal: Вътрешен
614 label_internal: Вътрешен
615 label_last_changes: "последни %{count} промени"
615 label_last_changes: "последни %{count} промени"
616 label_change_view_all: Виж всички промени
616 label_change_view_all: Виж всички промени
617 label_personalize_page: Персонализиране
617 label_personalize_page: Персонализиране
618 label_comment: Коментар
618 label_comment: Коментар
619 label_comment_plural: Коментари
619 label_comment_plural: Коментари
620 label_x_comments:
620 label_x_comments:
621 zero: 0 коментара
621 zero: 0 коментара
622 one: 1 коментар
622 one: 1 коментар
623 other: "%{count} коментара"
623 other: "%{count} коментара"
624 label_comment_add: Добавяне на коментар
624 label_comment_add: Добавяне на коментар
625 label_comment_added: Добавен коментар
625 label_comment_added: Добавен коментар
626 label_comment_delete: Изтриване на коментари
626 label_comment_delete: Изтриване на коментари
627 label_query: Потребителска справка
627 label_query: Потребителска справка
628 label_query_plural: Потребителски справки
628 label_query_plural: Потребителски справки
629 label_query_new: Нова заявка
629 label_query_new: Нова заявка
630 label_my_queries: Моите заявки
630 label_my_queries: Моите заявки
631 label_filter_add: Добави филтър
631 label_filter_add: Добави филтър
632 label_filter_plural: Филтри
632 label_filter_plural: Филтри
633 label_equals: е
633 label_equals: е
634 label_not_equals: не е
634 label_not_equals: не е
635 label_in_less_than: след по-малко от
635 label_in_less_than: след по-малко от
636 label_in_more_than: след повече от
636 label_in_more_than: след повече от
637 label_greater_or_equal: ">="
637 label_greater_or_equal: ">="
638 label_less_or_equal: <=
638 label_less_or_equal: <=
639 label_between: между
639 label_between: между
640 label_in: в следващите
640 label_in: в следващите
641 label_today: днес
641 label_today: днес
642 label_all_time: всички
642 label_all_time: всички
643 label_yesterday: вчера
643 label_yesterday: вчера
644 label_this_week: тази седмица
644 label_this_week: тази седмица
645 label_last_week: последната седмица
645 label_last_week: последната седмица
646 label_last_n_days: "последните %{count} дни"
646 label_last_n_days: "последните %{count} дни"
647 label_this_month: текущия месец
647 label_this_month: текущия месец
648 label_last_month: последния месец
648 label_last_month: последния месец
649 label_this_year: текущата година
649 label_this_year: текущата година
650 label_date_range: Период
650 label_date_range: Период
651 label_less_than_ago: преди по-малко от
651 label_less_than_ago: преди по-малко от
652 label_more_than_ago: преди повече от
652 label_more_than_ago: преди повече от
653 label_ago: преди
653 label_ago: преди
654 label_contains: съдържа
654 label_contains: съдържа
655 label_not_contains: не съдържа
655 label_not_contains: не съдържа
656 label_day_plural: дни
656 label_day_plural: дни
657 label_repository: Хранилище
657 label_repository: Хранилище
658 label_repository_new: Ново хранилище
658 label_repository_new: Ново хранилище
659 label_repository_plural: Хранилища
659 label_repository_plural: Хранилища
660 label_browse: Разглеждане
660 label_browse: Разглеждане
661 label_modification: "%{count} промяна"
661 label_modification: "%{count} промяна"
662 label_modification_plural: "%{count} промени"
662 label_modification_plural: "%{count} промени"
663 label_branch: работен вариант
663 label_branch: работен вариант
664 label_tag: Версия
664 label_tag: Версия
665 label_revision: Ревизия
665 label_revision: Ревизия
666 label_revision_plural: Ревизии
666 label_revision_plural: Ревизии
667 label_revision_id: Ревизия %{value}
667 label_revision_id: Ревизия %{value}
668 label_associated_revisions: Асоциирани ревизии
668 label_associated_revisions: Асоциирани ревизии
669 label_added: добавено
669 label_added: добавено
670 label_modified: променено
670 label_modified: променено
671 label_copied: копирано
671 label_copied: копирано
672 label_renamed: преименувано
672 label_renamed: преименувано
673 label_deleted: изтрито
673 label_deleted: изтрито
674 label_latest_revision: Последна ревизия
674 label_latest_revision: Последна ревизия
675 label_latest_revision_plural: Последни ревизии
675 label_latest_revision_plural: Последни ревизии
676 label_view_revisions: Виж ревизиите
676 label_view_revisions: Виж ревизиите
677 label_view_all_revisions: Разглеждане на всички ревизии
677 label_view_all_revisions: Разглеждане на всички ревизии
678 label_max_size: Максимална големина
678 label_max_size: Максимална големина
679 label_sort_highest: Премести най-горе
679 label_sort_highest: Премести най-горе
680 label_sort_higher: Премести по-горе
680 label_sort_higher: Премести по-горе
681 label_sort_lower: Премести по-долу
681 label_sort_lower: Премести по-долу
682 label_sort_lowest: Премести най-долу
682 label_sort_lowest: Премести най-долу
683 label_roadmap: Пътна карта
683 label_roadmap: Пътна карта
684 label_roadmap_due_in: "Излиза след %{value}"
684 label_roadmap_due_in: "Излиза след %{value}"
685 label_roadmap_overdue: "%{value} закъснение"
685 label_roadmap_overdue: "%{value} закъснение"
686 label_roadmap_no_issues: Няма задачи за тази версия
686 label_roadmap_no_issues: Няма задачи за тази версия
687 label_search: Търсене
687 label_search: Търсене
688 label_result_plural: Pезултати
688 label_result_plural: Pезултати
689 label_all_words: Всички думи
689 label_all_words: Всички думи
690 label_wiki: Wiki
690 label_wiki: Wiki
691 label_wiki_edit: Wiki редакция
691 label_wiki_edit: Wiki редакция
692 label_wiki_edit_plural: Wiki редакции
692 label_wiki_edit_plural: Wiki редакции
693 label_wiki_page: Wiki страница
693 label_wiki_page: Wiki страница
694 label_wiki_page_plural: Wiki страници
694 label_wiki_page_plural: Wiki страници
695 label_index_by_title: Индекс
695 label_index_by_title: Индекс
696 label_index_by_date: Индекс по дата
696 label_index_by_date: Индекс по дата
697 label_current_version: Текуща версия
697 label_current_version: Текуща версия
698 label_preview: Преглед
698 label_preview: Преглед
699 label_feed_plural: Емисии
699 label_feed_plural: Емисии
700 label_changes_details: Подробни промени
700 label_changes_details: Подробни промени
701 label_issue_tracking: Тракинг
701 label_issue_tracking: Тракинг
702 label_spent_time: Отделено време
702 label_spent_time: Отделено време
703 label_overall_spent_time: Общо употребено време
703 label_overall_spent_time: Общо употребено време
704 label_f_hour: "%{value} час"
704 label_f_hour: "%{value} час"
705 label_f_hour_plural: "%{value} часа"
705 label_f_hour_plural: "%{value} часа"
706 label_time_tracking: Отделяне на време
706 label_time_tracking: Отделяне на време
707 label_change_plural: Промени
707 label_change_plural: Промени
708 label_statistics: Статистики
708 label_statistics: Статистики
709 label_commits_per_month: Ревизии по месеци
709 label_commits_per_month: Ревизии по месеци
710 label_commits_per_author: Ревизии по автор
710 label_commits_per_author: Ревизии по автор
711 label_diff: diff
711 label_diff: diff
712 label_view_diff: Виж разликите
712 label_view_diff: Виж разликите
713 label_diff_inline: хоризонтално
713 label_diff_inline: хоризонтално
714 label_diff_side_by_side: вертикално
714 label_diff_side_by_side: вертикално
715 label_options: Опции
715 label_options: Опции
716 label_copy_workflow_from: Копирай работния процес от
716 label_copy_workflow_from: Копирай работния процес от
717 label_permissions_report: Справка за права
717 label_permissions_report: Справка за права
718 label_watched_issues: Наблюдавани задачи
718 label_watched_issues: Наблюдавани задачи
719 label_related_issues: Свързани задачи
719 label_related_issues: Свързани задачи
720 label_applied_status: Установено състояние
720 label_applied_status: Установено състояние
721 label_loading: Зареждане...
721 label_loading: Зареждане...
722 label_relation_new: Нова релация
722 label_relation_new: Нова релация
723 label_relation_delete: Изтриване на релация
723 label_relation_delete: Изтриване на релация
724 label_relates_to: свързана със
724 label_relates_to: свързана със
725 label_duplicates: дублира
725 label_duplicates: дублира
726 label_duplicated_by: дублирана от
726 label_duplicated_by: дублирана от
727 label_blocks: блокира
727 label_blocks: блокира
728 label_blocked_by: блокирана от
728 label_blocked_by: блокирана от
729 label_precedes: предшества
729 label_precedes: предшества
730 label_follows: изпълнява се след
730 label_follows: изпълнява се след
731 label_end_to_start: край към начало
731 label_end_to_start: край към начало
732 label_end_to_end: край към край
732 label_end_to_end: край към край
733 label_start_to_start: начало към начало
733 label_start_to_start: начало към начало
734 label_start_to_end: начало към край
734 label_start_to_end: начало към край
735 label_stay_logged_in: Запомни ме
735 label_stay_logged_in: Запомни ме
736 label_disabled: забранено
736 label_disabled: забранено
737 label_show_completed_versions: Показване на реализирани версии
737 label_show_completed_versions: Показване на реализирани версии
738 label_me: аз
738 label_me: аз
739 label_board: Форум
739 label_board: Форум
740 label_board_new: Нов форум
740 label_board_new: Нов форум
741 label_board_plural: Форуми
741 label_board_plural: Форуми
742 label_board_locked: Заключена
742 label_board_locked: Заключена
743 label_board_sticky: Sticky
743 label_board_sticky: Sticky
744 label_topic_plural: Теми
744 label_topic_plural: Теми
745 label_message_plural: Съобщения
745 label_message_plural: Съобщения
746 label_message_last: Последно съобщение
746 label_message_last: Последно съобщение
747 label_message_new: Нова тема
747 label_message_new: Нова тема
748 label_message_posted: Добавено съобщение
748 label_message_posted: Добавено съобщение
749 label_reply_plural: Отговори
749 label_reply_plural: Отговори
750 label_send_information: Изпращане на информацията до потребителя
750 label_send_information: Изпращане на информацията до потребителя
751 label_year: Година
751 label_year: Година
752 label_month: Месец
752 label_month: Месец
753 label_week: Седмица
753 label_week: Седмица
754 label_date_from: От
754 label_date_from: От
755 label_date_to: До
755 label_date_to: До
756 label_language_based: В зависимост от езика
756 label_language_based: В зависимост от езика
757 label_sort_by: "Сортиране по %{value}"
757 label_sort_by: "Сортиране по %{value}"
758 label_send_test_email: Изпращане на тестов e-mail
758 label_send_test_email: Изпращане на тестов e-mail
759 label_feeds_access_key: RSS access ключ
759 label_feeds_access_key: RSS access ключ
760 label_missing_feeds_access_key: Липсващ RSS ключ за достъп
760 label_missing_feeds_access_key: Липсващ RSS ключ за достъп
761 label_feeds_access_key_created_on: "%{value} от създаването на RSS ключа"
761 label_feeds_access_key_created_on: "%{value} от създаването на RSS ключа"
762 label_module_plural: Модули
762 label_module_plural: Модули
763 label_added_time_by: "Публикувана от %{author} преди %{age}"
763 label_added_time_by: "Публикувана от %{author} преди %{age}"
764 label_updated_time_by: "Обновена от %{author} преди %{age}"
764 label_updated_time_by: "Обновена от %{author} преди %{age}"
765 label_updated_time: "Обновена преди %{value}"
765 label_updated_time: "Обновена преди %{value}"
766 label_jump_to_a_project: Проект...
766 label_jump_to_a_project: Проект...
767 label_file_plural: Файлове
767 label_file_plural: Файлове
768 label_changeset_plural: Ревизии
768 label_changeset_plural: Ревизии
769 label_default_columns: По подразбиране
769 label_default_columns: По подразбиране
770 label_no_change_option: (Без промяна)
770 label_no_change_option: (Без промяна)
771 label_bulk_edit_selected_issues: Групово редактиране на задачи
771 label_bulk_edit_selected_issues: Групово редактиране на задачи
772 label_bulk_edit_selected_time_entries: Групово редактиране на записи за използвано време
772 label_bulk_edit_selected_time_entries: Групово редактиране на записи за използвано време
773 label_theme: Тема
773 label_theme: Тема
774 label_default: По подразбиране
774 label_default: По подразбиране
775 label_search_titles_only: Само в заглавията
775 label_search_titles_only: Само в заглавията
776 label_user_mail_option_all: "За всяко събитие в проектите, в които участвам"
776 label_user_mail_option_all: "За всяко събитие в проектите, в които участвам"
777 label_user_mail_option_selected: "За всички събития само в избраните проекти..."
777 label_user_mail_option_selected: "За всички събития само в избраните проекти..."
778 label_user_mail_option_none: "Само за наблюдавани или в които участвам (автор или назначени на мен)"
778 label_user_mail_option_none: "Само за наблюдавани или в които участвам (автор или назначени на мен)"
779 label_user_mail_option_only_my_events: Само за неща, в които съм включен/а
779 label_user_mail_option_only_my_events: Само за неща, в които съм включен/а
780 label_user_mail_option_only_assigned: Само за неща, назначени на мен
780 label_user_mail_option_only_assigned: Само за неща, назначени на мен
781 label_user_mail_option_only_owner: Само за неща, на които аз съм собственик
781 label_user_mail_option_only_owner: Само за неща, на които аз съм собственик
782 label_user_mail_no_self_notified: "Не искам известия за извършени от мен промени"
782 label_user_mail_no_self_notified: "Не искам известия за извършени от мен промени"
783 label_registration_activation_by_email: активиране на профила по email
783 label_registration_activation_by_email: активиране на профила по email
784 label_registration_manual_activation: ръчно активиране
784 label_registration_manual_activation: ръчно активиране
785 label_registration_automatic_activation: автоматично активиране
785 label_registration_automatic_activation: автоматично активиране
786 label_display_per_page: "На страница по: %{value}"
786 label_display_per_page: "На страница по: %{value}"
787 label_age: Възраст
787 label_age: Възраст
788 label_change_properties: Промяна на настройки
788 label_change_properties: Промяна на настройки
789 label_general: Основни
789 label_general: Основни
790 label_more: Още
790 label_more: Още
791 label_scm: SCM (Система за контрол на версиите)
791 label_scm: SCM (Система за контрол на версиите)
792 label_plugins: Плъгини
792 label_plugins: Плъгини
793 label_ldap_authentication: LDAP оторизация
793 label_ldap_authentication: LDAP оторизация
794 label_downloads_abbr: D/L
794 label_downloads_abbr: D/L
795 label_optional_description: Незадължително описание
795 label_optional_description: Незадължително описание
796 label_add_another_file: Добавяне на друг файл
796 label_add_another_file: Добавяне на друг файл
797 label_preferences: Предпочитания
797 label_preferences: Предпочитания
798 label_chronological_order: Хронологичен ред
798 label_chronological_order: Хронологичен ред
799 label_reverse_chronological_order: Обратен хронологичен ред
799 label_reverse_chronological_order: Обратен хронологичен ред
800 label_planning: Планиране
800 label_planning: Планиране
801 label_incoming_emails: Входящи e-mail-и
801 label_incoming_emails: Входящи e-mail-и
802 label_generate_key: Генериране на ключ
802 label_generate_key: Генериране на ключ
803 label_issue_watchers: Наблюдатели
803 label_issue_watchers: Наблюдатели
804 label_example: Пример
804 label_example: Пример
805 label_display: Display
805 label_display: Display
806 label_sort: Сортиране
806 label_sort: Сортиране
807 label_ascending: Нарастващ
807 label_ascending: Нарастващ
808 label_descending: Намаляващ
808 label_descending: Намаляващ
809 label_date_from_to: От %{start} до %{end}
809 label_date_from_to: От %{start} до %{end}
810 label_wiki_content_added: Wiki страница беше добавена
810 label_wiki_content_added: Wiki страница беше добавена
811 label_wiki_content_updated: Wiki страница беше обновена
811 label_wiki_content_updated: Wiki страница беше обновена
812 label_group: Група
812 label_group: Група
813 label_group_plural: Групи
813 label_group_plural: Групи
814 label_group_new: Нова група
814 label_group_new: Нова група
815 label_time_entry_plural: Използвано време
815 label_time_entry_plural: Използвано време
816 label_version_sharing_none: Не споделен
816 label_version_sharing_none: Не споделен
817 label_version_sharing_descendants: С подпроекти
817 label_version_sharing_descendants: С подпроекти
818 label_version_sharing_hierarchy: С проектна йерархия
818 label_version_sharing_hierarchy: С проектна йерархия
819 label_version_sharing_tree: С дърво на проектите
819 label_version_sharing_tree: С дърво на проектите
820 label_version_sharing_system: С всички проекти
820 label_version_sharing_system: С всички проекти
821 label_update_issue_done_ratios: Обновяване на процента на завършените задачи
821 label_update_issue_done_ratios: Обновяване на процента на завършените задачи
822 label_copy_source: Източник
822 label_copy_source: Източник
823 label_copy_target: Цел
823 label_copy_target: Цел
824 label_copy_same_as_target: Също като целта
824 label_copy_same_as_target: Също като целта
825 label_display_used_statuses_only: Показване само на състоянията, използвани от този тракер
825 label_display_used_statuses_only: Показване само на състоянията, използвани от този тракер
826 label_api_access_key: API ключ за достъп
826 label_api_access_key: API ключ за достъп
827 label_missing_api_access_key: Липсващ API ключ
827 label_missing_api_access_key: Липсващ API ключ
828 label_api_access_key_created_on: API ключ за достъп е създаден преди %{value}
828 label_api_access_key_created_on: API ключ за достъп е създаден преди %{value}
829 label_profile: Профил
829 label_profile: Профил
830 label_subtask_plural: Подзадачи
830 label_subtask_plural: Подзадачи
831 label_project_copy_notifications: Изпращане на Send e-mail известия по време на копирането на проекта
831 label_project_copy_notifications: Изпращане на Send e-mail известия по време на копирането на проекта
832 label_principal_search: "Търсене на потребител или група:"
832 label_principal_search: "Търсене на потребител или група:"
833 label_user_search: "Търсене на потребител:"
833 label_user_search: "Търсене на потребител:"
834 label_additional_workflow_transitions_for_author: Позволени са допълнителни преходи, когато потребителят е авторът
834 label_additional_workflow_transitions_for_author: Позволени са допълнителни преходи, когато потребителят е авторът
835 label_additional_workflow_transitions_for_assignee: Позволени са допълнителни преходи, когато потребителят е назначеният към задачата
835 label_additional_workflow_transitions_for_assignee: Позволени са допълнителни преходи, когато потребителят е назначеният към задачата
836 label_issues_visibility_all: Всички задачи
836 label_issues_visibility_all: Всички задачи
837 label_issues_visibility_public: Всички не-лични задачи
837 label_issues_visibility_public: Всички не-лични задачи
838 label_issues_visibility_own: Задачи, създадени от или назначени на потребителя
838 label_issues_visibility_own: Задачи, създадени от или назначени на потребителя
839 label_git_report_last_commit: Извеждане на последното поверяване за файлове и папки
839 label_git_report_last_commit: Извеждане на последното поверяване за файлове и папки
840 label_parent_revision: Ревизия родител
840 label_parent_revision: Ревизия родител
841 label_child_revision: Ревизия наследник
841 label_child_revision: Ревизия наследник
842 label_export_options: "%{export_format} опции за експорт"
842 label_export_options: "%{export_format} опции за експорт"
843 label_copy_attachments: Копиране на прикачените файлове
843 label_copy_attachments: Копиране на прикачените файлове
844 label_item_position: "%{position}/%{count}"
844 label_item_position: "%{position}/%{count}"
845 label_completed_versions: Завършени версии
845 label_completed_versions: Завършени версии
846
846
847 button_login: Вход
847 button_login: Вход
848 button_submit: Прикачване
848 button_submit: Прикачване
849 button_save: Запис
849 button_save: Запис
850 button_check_all: Избор на всички
850 button_check_all: Избор на всички
851 button_uncheck_all: Изчистване на всички
851 button_uncheck_all: Изчистване на всички
852 button_collapse_all: Скриване всички
852 button_collapse_all: Скриване всички
853 button_expand_all: Разгъване всички
853 button_expand_all: Разгъване всички
854 button_delete: Изтриване
854 button_delete: Изтриване
855 button_create: Създаване
855 button_create: Създаване
856 button_create_and_continue: Създаване и продължаване
856 button_create_and_continue: Създаване и продължаване
857 button_test: Тест
857 button_test: Тест
858 button_edit: Редакция
858 button_edit: Редакция
859 button_edit_associated_wikipage: "Редактиране на асоциираната Wiki страница: %{page_title}"
859 button_edit_associated_wikipage: "Редактиране на асоциираната Wiki страница: %{page_title}"
860 button_add: Добавяне
860 button_add: Добавяне
861 button_change: Промяна
861 button_change: Промяна
862 button_apply: Приложи
862 button_apply: Приложи
863 button_clear: Изчисти
863 button_clear: Изчисти
864 button_lock: Заключване
864 button_lock: Заключване
865 button_unlock: Отключване
865 button_unlock: Отключване
866 button_download: Изтегляне
866 button_download: Изтегляне
867 button_list: Списък
867 button_list: Списък
868 button_view: Преглед
868 button_view: Преглед
869 button_move: Преместване
869 button_move: Преместване
870 button_move_and_follow: Преместване и продължаване
870 button_move_and_follow: Преместване и продължаване
871 button_back: Назад
871 button_back: Назад
872 button_cancel: Отказ
872 button_cancel: Отказ
873 button_activate: Активация
873 button_activate: Активация
874 button_sort: Сортиране
874 button_sort: Сортиране
875 button_log_time: Отделяне на време
875 button_log_time: Отделяне на време
876 button_rollback: Върни се към тази ревизия
876 button_rollback: Върни се към тази ревизия
877 button_watch: Наблюдаване
877 button_watch: Наблюдаване
878 button_unwatch: Край на наблюдението
878 button_unwatch: Край на наблюдението
879 button_reply: Отговор
879 button_reply: Отговор
880 button_archive: Архивиране
880 button_archive: Архивиране
881 button_unarchive: Разархивиране
881 button_unarchive: Разархивиране
882 button_reset: Генериране наново
882 button_reset: Генериране наново
883 button_rename: Преименуване
883 button_rename: Преименуване
884 button_change_password: Промяна на парола
884 button_change_password: Промяна на парола
885 button_copy: Копиране
885 button_copy: Копиране
886 button_copy_and_follow: Копиране и продължаване
886 button_copy_and_follow: Копиране и продължаване
887 button_annotate: Анотация
887 button_annotate: Анотация
888 button_update: Обновяване
888 button_update: Обновяване
889 button_configure: Конфигуриране
889 button_configure: Конфигуриране
890 button_quote: Цитат
890 button_quote: Цитат
891 button_duplicate: Дублиране
891 button_duplicate: Дублиране
892 button_show: Показване
892 button_show: Показване
893 button_edit_section: Редактиране на тази секция
893 button_edit_section: Редактиране на тази секция
894 button_export: Експорт
894 button_export: Експорт
895
895
896 status_active: активен
896 status_active: активен
897 status_registered: регистриран
897 status_registered: регистриран
898 status_locked: заключен
898 status_locked: заключен
899
899
900 version_status_open: отворена
900 version_status_open: отворена
901 version_status_locked: заключена
901 version_status_locked: заключена
902 version_status_closed: затворена
902 version_status_closed: затворена
903
903
904 field_active: Активен
904 field_active: Активен
905
905
906 text_select_mail_notifications: Изберете събития за изпращане на e-mail.
906 text_select_mail_notifications: Изберете събития за изпращане на e-mail.
907 text_regexp_info: пр. ^[A-Z0-9]+$
907 text_regexp_info: пр. ^[A-Z0-9]+$
908 text_min_max_length_info: 0 - без ограничения
908 text_min_max_length_info: 0 - без ограничения
909 text_project_destroy_confirmation: Сигурни ли сте, че искате да изтриете проекта и данните в него?
909 text_project_destroy_confirmation: Сигурни ли сте, че искате да изтриете проекта и данните в него?
910 text_subprojects_destroy_warning: "Неговите подпроекти: %{value} също ще бъдат изтрити."
910 text_subprojects_destroy_warning: "Неговите подпроекти: %{value} също ще бъдат изтрити."
911 text_workflow_edit: Изберете роля и тракер за да редактирате работния процес
911 text_workflow_edit: Изберете роля и тракер за да редактирате работния процес
912 text_are_you_sure: Сигурни ли сте?
912 text_are_you_sure: Сигурни ли сте?
913 text_are_you_sure_with_children: Изтриване на задачата и нейните подзадачи?
913 text_are_you_sure_with_children: Изтриване на задачата и нейните подзадачи?
914 text_journal_changed: "%{label} променен от %{old} на %{new}"
914 text_journal_changed: "%{label} променен от %{old} на %{new}"
915 text_journal_changed_no_detail: "%{label} променен"
915 text_journal_changed_no_detail: "%{label} променен"
916 text_journal_set_to: "%{label} установен на %{value}"
916 text_journal_set_to: "%{label} установен на %{value}"
917 text_journal_deleted: "%{label} изтрит (%{old})"
917 text_journal_deleted: "%{label} изтрит (%{old})"
918 text_journal_added: "Добавено %{label} %{value}"
918 text_journal_added: "Добавено %{label} %{value}"
919 text_tip_issue_begin_day: задача, започваща този ден
919 text_tip_issue_begin_day: задача, започваща този ден
920 text_tip_issue_end_day: задача, завършваща този ден
920 text_tip_issue_end_day: задача, завършваща този ден
921 text_tip_issue_begin_end_day: задача, започваща и завършваща този ден
921 text_tip_issue_begin_end_day: задача, започваща и завършваща този ден
922 text_project_identifier_info: 'Позволени са малки букви (a-z), цифри, тирета и _.<br />Промяна след създаването му не е възможна.'
922 text_project_identifier_info: 'Позволени са малки букви (a-z), цифри, тирета и _.<br />Промяна след създаването му не е възможна.'
923 text_caracters_maximum: "До %{count} символа."
923 text_caracters_maximum: "До %{count} символа."
924 text_caracters_minimum: "Минимум %{count} символа."
924 text_caracters_minimum: "Минимум %{count} символа."
925 text_length_between: "От %{min} до %{max} символа."
925 text_length_between: "От %{min} до %{max} символа."
926 text_tracker_no_workflow: Няма дефиниран работен процес за този тракер
926 text_tracker_no_workflow: Няма дефиниран работен процес за този тракер
927 text_unallowed_characters: Непозволени символи
927 text_unallowed_characters: Непозволени символи
928 text_comma_separated: Позволено е изброяване (с разделител запетая).
928 text_comma_separated: Позволено е изброяване (с разделител запетая).
929 text_line_separated: Позволени са много стойности (по едно на ред).
929 text_line_separated: Позволени са много стойности (по едно на ред).
930 text_issues_ref_in_commit_messages: Отбелязване и приключване на задачи от ревизии
930 text_issues_ref_in_commit_messages: Отбелязване и приключване на задачи от ревизии
931 text_issue_added: "Публикувана е нова задача с номер %{id} (от %{author})."
931 text_issue_added: "Публикувана е нова задача с номер %{id} (от %{author})."
932 text_issue_updated: "Задача %{id} е обновена (от %{author})."
932 text_issue_updated: "Задача %{id} е обновена (от %{author})."
933 text_wiki_destroy_confirmation: Сигурни ли сте, че искате да изтриете това Wiki и цялото му съдържание?
933 text_wiki_destroy_confirmation: Сигурни ли сте, че искате да изтриете това Wiki и цялото му съдържание?
934 text_issue_category_destroy_question: "Има задачи (%{count}) обвързани с тази категория. Какво ще изберете?"
934 text_issue_category_destroy_question: "Има задачи (%{count}) обвързани с тази категория. Какво ще изберете?"
935 text_issue_category_destroy_assignments: Премахване на връзките с категорията
935 text_issue_category_destroy_assignments: Премахване на връзките с категорията
936 text_issue_category_reassign_to: Преобвързване с категория
936 text_issue_category_reassign_to: Преобвързване с категория
937 text_user_mail_option: "За неизбраните проекти, ще получавате известия само за наблюдавани дейности или в които участвате (т.е. автор или назначени на мен)."
937 text_user_mail_option: "За неизбраните проекти, ще получавате известия само за наблюдавани дейности или в които участвате (т.е. автор или назначени на мен)."
938 text_no_configuration_data: "Все още не са конфигурирани Роли, тракери, състояния на задачи и работен процес.\nСтрого се препоръчва зареждането на примерната информация. Веднъж заредена ще имате възможност да я редактирате."
938 text_no_configuration_data: "Все още не са конфигурирани Роли, тракери, състояния на задачи и работен процес.\nСтрого се препоръчва зареждането на примерната информация. Веднъж заредена ще имате възможност да я редактирате."
939 text_load_default_configuration: Зареждане на примерна информация
939 text_load_default_configuration: Зареждане на примерна информация
940 text_status_changed_by_changeset: "Приложено с ревизия %{value}."
940 text_status_changed_by_changeset: "Приложено с ревизия %{value}."
941 text_time_logged_by_changeset: Приложено в ревизия %{value}.
941 text_time_logged_by_changeset: Приложено в ревизия %{value}.
942 text_issues_destroy_confirmation: 'Сигурни ли сте, че искате да изтриете избраните задачи?'
942 text_issues_destroy_confirmation: 'Сигурни ли сте, че искате да изтриете избраните задачи?'
943 text_issues_destroy_descendants_confirmation: Тази операция ще премахне и %{count} подзадача(и).
943 text_issues_destroy_descendants_confirmation: Тази операция ще премахне и %{count} подзадача(и).
944 text_time_entries_destroy_confirmation: Сигурен ли сте, че изтриете избраните записи за изразходвано време?
944 text_time_entries_destroy_confirmation: Сигурен ли сте, че изтриете избраните записи за изразходвано време?
945 text_select_project_modules: 'Изберете активните модули за този проект:'
945 text_select_project_modules: 'Изберете активните модули за този проект:'
946 text_default_administrator_account_changed: Сменен фабричния администраторски профил
946 text_default_administrator_account_changed: Сменен фабричния администраторски профил
947 text_file_repository_writable: Възможност за писане в хранилището с файлове
947 text_file_repository_writable: Възможност за писане в хранилището с файлове
948 text_plugin_assets_writable: Папката на приставките е разрешена за запис
948 text_plugin_assets_writable: Папката на приставките е разрешена за запис
949 text_rmagick_available: Наличен RMagick (по избор)
949 text_rmagick_available: Наличен RMagick (по избор)
950 text_destroy_time_entries_question: "%{hours} часа са отделени на задачите, които искате да изтриете. Какво избирате?"
950 text_destroy_time_entries_question: "%{hours} часа са отделени на задачите, които искате да изтриете. Какво избирате?"
951 text_destroy_time_entries: Изтриване на отделеното време
951 text_destroy_time_entries: Изтриване на отделеното време
952 text_assign_time_entries_to_project: Прехвърляне на отделеното време към проект
952 text_assign_time_entries_to_project: Прехвърляне на отделеното време към проект
953 text_reassign_time_entries: 'Прехвърляне на отделеното време към задача:'
953 text_reassign_time_entries: 'Прехвърляне на отделеното време към задача:'
954 text_user_wrote: "%{value} написа:"
954 text_user_wrote: "%{value} написа:"
955 text_enumeration_destroy_question: "%{count} обекта са свързани с тази стойност."
955 text_enumeration_destroy_question: "%{count} обекта са свързани с тази стойност."
956 text_enumeration_category_reassign_to: 'Пресвържете ги към тази стойност:'
956 text_enumeration_category_reassign_to: 'Пресвържете ги към тази стойност:'
957 text_email_delivery_not_configured: "Изпращането на e-mail-и не е конфигурирано и известията не са разрешени.\nКонфигурирайте вашия SMTP сървър в config/configuration.yml и рестартирайте Redmine, за да ги разрешите."
957 text_email_delivery_not_configured: "Изпращането на e-mail-и не е конфигурирано и известията не са разрешени.\nКонфигурирайте вашия SMTP сървър в config/configuration.yml и рестартирайте Redmine, за да ги разрешите."
958 text_repository_usernames_mapping: "Изберете или променете потребителите в Redmine, съответстващи на потребителите в дневника на хранилището (repository).\nПотребителите с еднакви имена в Redmine и хранилищата се съвместяват автоматично."
958 text_repository_usernames_mapping: "Изберете или променете потребителите в Redmine, съответстващи на потребителите в дневника на хранилището (repository).\nПотребителите с еднакви имена в Redmine и хранилищата се съвместяват автоматично."
959 text_diff_truncated: '... Този diff не е пълен, понеже е надхвърля максималния размер, който може да бъде показан.'
959 text_diff_truncated: '... Този diff не е пълен, понеже е надхвърля максималния размер, който може да бъде показан.'
960 text_custom_field_possible_values_info: 'Една стойност на ред'
960 text_custom_field_possible_values_info: 'Една стойност на ред'
961 text_wiki_page_destroy_question: Тази страница има %{descendants} страници деца и descendant(s). Какво желаете да правите?
961 text_wiki_page_destroy_question: Тази страница има %{descendants} страници деца и descendant(s). Какво желаете да правите?
962 text_wiki_page_nullify_children: Запазване на тези страници като коренни страници
962 text_wiki_page_nullify_children: Запазване на тези страници като коренни страници
963 text_wiki_page_destroy_children: Изтриване на страниците деца и всички техни descendants
963 text_wiki_page_destroy_children: Изтриване на страниците деца и всички техни descendants
964 text_wiki_page_reassign_children: Преназначаване на страниците деца на тази родителска страница
964 text_wiki_page_reassign_children: Преназначаване на страниците деца на тази родителска страница
965 text_own_membership_delete_confirmation: "Вие сте на път да премахнете някои или всички ваши разрешения и е възможно след това да не можете да редактирате този проект.\nСигурен ли сте, че искате да продължите?"
965 text_own_membership_delete_confirmation: "Вие сте на път да премахнете някои или всички ваши разрешения и е възможно след това да не можете да редактирате този проект.\nСигурен ли сте, че искате да продължите?"
966 text_zoom_in: Увеличаване
966 text_zoom_in: Увеличаване
967 text_zoom_out: Намаляване
967 text_zoom_out: Намаляване
968 text_warn_on_leaving_unsaved: Страницата съдържа незаписано съдържание, което може да бъде загубено, ако я напуснете.
968 text_warn_on_leaving_unsaved: Страницата съдържа незаписано съдържание, което може да бъде загубено, ако я напуснете.
969 text_scm_path_encoding_note: "По подразбиране: UTF-8"
969 text_scm_path_encoding_note: "По подразбиране: UTF-8"
970 text_git_repository_note: Празно и локално хранилище (например /gitrepo, c:\gitrepo)
970 text_git_repository_note: Празно и локално хранилище (например /gitrepo, c:\gitrepo)
971 text_mercurial_repository_note: Локално хранилище (например /hgrepo, c:\hgrepo)
971 text_mercurial_repository_note: Локално хранилище (например /hgrepo, c:\hgrepo)
972 text_scm_command: SCM команда
972 text_scm_command: SCM команда
973 text_scm_command_version: Версия
973 text_scm_command_version: Версия
974 text_scm_config: Можете да конфигурирате SCM командите в config/configuration.yml. За да активирате промените, рестартирайте Redmine.
974 text_scm_config: Можете да конфигурирате SCM командите в config/configuration.yml. За да активирате промените, рестартирайте Redmine.
975 text_scm_command_not_available: SCM командата не е налична или достъпна. Проверете конфигурацията в административния панел.
975 text_scm_command_not_available: SCM командата не е налична или достъпна. Проверете конфигурацията в административния панел.
976 text_issue_conflict_resolution_overwrite: Прилагане на моите промени (предишните коментари ще бъдат запазени, но някои други промени може да бъдат презаписани)
976 text_issue_conflict_resolution_overwrite: Прилагане на моите промени (предишните коментари ще бъдат запазени, но някои други промени може да бъдат презаписани)
977 text_issue_conflict_resolution_add_notes: Добавяне на моите коментари и отхвърляне на другите мои промени
977 text_issue_conflict_resolution_add_notes: Добавяне на моите коментари и отхвърляне на другите мои промени
978 text_issue_conflict_resolution_cancel: Отхвърляне на всички мои промени и презареждане на %{link}
978 text_issue_conflict_resolution_cancel: Отхвърляне на всички мои промени и презареждане на %{link}
979
979
980 default_role_manager: Мениджър
980 default_role_manager: Мениджър
981 default_role_developer: Разработчик
981 default_role_developer: Разработчик
982 default_role_reporter: Публикуващ
982 default_role_reporter: Публикуващ
983 default_tracker_bug: Грешка
983 default_tracker_bug: Грешка
984 default_tracker_feature: Функционалност
984 default_tracker_feature: Функционалност
985 default_tracker_support: Поддръжка
985 default_tracker_support: Поддръжка
986 default_issue_status_new: Нова
986 default_issue_status_new: Нова
987 default_issue_status_in_progress: Изпълнение
987 default_issue_status_in_progress: Изпълнение
988 default_issue_status_resolved: Приключена
988 default_issue_status_resolved: Приключена
989 default_issue_status_feedback: Обратна връзка
989 default_issue_status_feedback: Обратна връзка
990 default_issue_status_closed: Затворена
990 default_issue_status_closed: Затворена
991 default_issue_status_rejected: Отхвърлена
991 default_issue_status_rejected: Отхвърлена
992 default_doc_category_user: Документация за потребителя
992 default_doc_category_user: Документация за потребителя
993 default_doc_category_tech: Техническа документация
993 default_doc_category_tech: Техническа документация
994 default_priority_low: Нисък
994 default_priority_low: Нисък
995 default_priority_normal: Нормален
995 default_priority_normal: Нормален
996 default_priority_high: Висок
996 default_priority_high: Висок
997 default_priority_urgent: Спешен
997 default_priority_urgent: Спешен
998 default_priority_immediate: Веднага
998 default_priority_immediate: Веднага
999 default_activity_design: Дизайн
999 default_activity_design: Дизайн
1000 default_activity_development: Разработка
1000 default_activity_development: Разработка
1001
1001
1002 enumeration_issue_priorities: Приоритети на задачи
1002 enumeration_issue_priorities: Приоритети на задачи
1003 enumeration_doc_categories: Категории документи
1003 enumeration_doc_categories: Категории документи
1004 enumeration_activities: Дейности (time tracking)
1004 enumeration_activities: Дейности (time tracking)
1005 enumeration_system_activity: Системна активност
1005 enumeration_system_activity: Системна активност
1006 description_filter: Филтър
1006 description_filter: Филтър
1007 description_search: Търсене
1007 description_search: Търсене
1008 description_choose_project: Проекти
1008 description_choose_project: Проекти
1009 description_project_scope: Обхват на търсенето
1009 description_project_scope: Обхват на търсенето
1010 description_notes: Бележки
1010 description_notes: Бележки
1011 description_message_content: Съдържание на съобщението
1011 description_message_content: Съдържание на съобщението
1012 description_query_sort_criteria_attribute: Атрибут на сортиране
1012 description_query_sort_criteria_attribute: Атрибут на сортиране
1013 description_query_sort_criteria_direction: Посока на сортиране
1013 description_query_sort_criteria_direction: Посока на сортиране
1014 description_user_mail_notification: Конфигурация известията по пощата
1014 description_user_mail_notification: Конфигурация известията по пощата
1015 description_available_columns: Налични колони
1015 description_available_columns: Налични колони
1016 description_selected_columns: Избрани колони
1016 description_selected_columns: Избрани колони
1017 description_issue_category_reassign: Изберете категория
1017 description_issue_category_reassign: Изберете категория
1018 description_wiki_subpages_reassign: Изберете нова родителска страница
1018 description_wiki_subpages_reassign: Изберете нова родителска страница
1019 description_all_columns: Всички колони
1019 description_all_columns: Всички колони
1020 description_date_range_list: Изберете диапазон от списъка
1020 description_date_range_list: Изберете диапазон от списъка
1021 description_date_range_interval: Изберете диапазон чрез задаване на начална и крайна дати
1021 description_date_range_interval: Изберете диапазон чрез задаване на начална и крайна дати
1022 description_date_from: Въведете начална дата
1022 description_date_from: Въведете начална дата
1023 description_date_to: Въведете крайна дата
1023 description_date_to: Въведете крайна дата
1024 field_ldap_filter: LDAP filter
@@ -1,1039 +1,1040
1 #Ernad Husremovic hernad@bring.out.ba
1 #Ernad Husremovic hernad@bring.out.ba
2
2
3 bs:
3 bs:
4 direction: ltr
4 direction: ltr
5 date:
5 date:
6 formats:
6 formats:
7 default: "%d.%m.%Y"
7 default: "%d.%m.%Y"
8 short: "%e. %b"
8 short: "%e. %b"
9 long: "%e. %B %Y"
9 long: "%e. %B %Y"
10 only_day: "%e"
10 only_day: "%e"
11
11
12
12
13 day_names: [Nedjelja, Ponedjeljak, Utorak, Srijeda, Četvrtak, Petak, Subota]
13 day_names: [Nedjelja, Ponedjeljak, Utorak, Srijeda, Četvrtak, Petak, Subota]
14 abbr_day_names: [Ned, Pon, Uto, Sri, Čet, Pet, Sub]
14 abbr_day_names: [Ned, Pon, Uto, Sri, Čet, Pet, Sub]
15
15
16 month_names: [~, Januar, Februar, Mart, April, Maj, Jun, Jul, Avgust, Septembar, Oktobar, Novembar, Decembar]
16 month_names: [~, Januar, Februar, Mart, April, Maj, Jun, Jul, Avgust, Septembar, Oktobar, Novembar, Decembar]
17 abbr_month_names: [~, Jan, Feb, Mar, Apr, Maj, Jun, Jul, Avg, Sep, Okt, Nov, Dec]
17 abbr_month_names: [~, Jan, Feb, Mar, Apr, Maj, Jun, Jul, Avg, Sep, Okt, Nov, Dec]
18 order:
18 order:
19 - :day
19 - :day
20 - :month
20 - :month
21 - :year
21 - :year
22
22
23 time:
23 time:
24 formats:
24 formats:
25 default: "%A, %e. %B %Y, %H:%M"
25 default: "%A, %e. %B %Y, %H:%M"
26 short: "%e. %B, %H:%M Uhr"
26 short: "%e. %B, %H:%M Uhr"
27 long: "%A, %e. %B %Y, %H:%M"
27 long: "%A, %e. %B %Y, %H:%M"
28 time: "%H:%M"
28 time: "%H:%M"
29
29
30 am: "prijepodne"
30 am: "prijepodne"
31 pm: "poslijepodne"
31 pm: "poslijepodne"
32
32
33 datetime:
33 datetime:
34 distance_in_words:
34 distance_in_words:
35 half_a_minute: "pola minute"
35 half_a_minute: "pola minute"
36 less_than_x_seconds:
36 less_than_x_seconds:
37 one: "manje od 1 sekunde"
37 one: "manje od 1 sekunde"
38 other: "manje od %{count} sekudni"
38 other: "manje od %{count} sekudni"
39 x_seconds:
39 x_seconds:
40 one: "1 sekunda"
40 one: "1 sekunda"
41 other: "%{count} sekundi"
41 other: "%{count} sekundi"
42 less_than_x_minutes:
42 less_than_x_minutes:
43 one: "manje od 1 minute"
43 one: "manje od 1 minute"
44 other: "manje od %{count} minuta"
44 other: "manje od %{count} minuta"
45 x_minutes:
45 x_minutes:
46 one: "1 minuta"
46 one: "1 minuta"
47 other: "%{count} minuta"
47 other: "%{count} minuta"
48 about_x_hours:
48 about_x_hours:
49 one: "oko 1 sahat"
49 one: "oko 1 sahat"
50 other: "oko %{count} sahata"
50 other: "oko %{count} sahata"
51 x_days:
51 x_days:
52 one: "1 dan"
52 one: "1 dan"
53 other: "%{count} dana"
53 other: "%{count} dana"
54 about_x_months:
54 about_x_months:
55 one: "oko 1 mjesec"
55 one: "oko 1 mjesec"
56 other: "oko %{count} mjeseci"
56 other: "oko %{count} mjeseci"
57 x_months:
57 x_months:
58 one: "1 mjesec"
58 one: "1 mjesec"
59 other: "%{count} mjeseci"
59 other: "%{count} mjeseci"
60 about_x_years:
60 about_x_years:
61 one: "oko 1 godine"
61 one: "oko 1 godine"
62 other: "oko %{count} godina"
62 other: "oko %{count} godina"
63 over_x_years:
63 over_x_years:
64 one: "preko 1 godine"
64 one: "preko 1 godine"
65 other: "preko %{count} godina"
65 other: "preko %{count} godina"
66 almost_x_years:
66 almost_x_years:
67 one: "almost 1 year"
67 one: "almost 1 year"
68 other: "almost %{count} years"
68 other: "almost %{count} years"
69
69
70
70
71 number:
71 number:
72 format:
72 format:
73 precision: 2
73 precision: 2
74 separator: ','
74 separator: ','
75 delimiter: '.'
75 delimiter: '.'
76 currency:
76 currency:
77 format:
77 format:
78 unit: 'KM'
78 unit: 'KM'
79 format: '%u %n'
79 format: '%u %n'
80 separator:
80 separator:
81 delimiter:
81 delimiter:
82 precision:
82 precision:
83 percentage:
83 percentage:
84 format:
84 format:
85 delimiter: ""
85 delimiter: ""
86 precision:
86 precision:
87 format:
87 format:
88 delimiter: ""
88 delimiter: ""
89 human:
89 human:
90 format:
90 format:
91 delimiter: ""
91 delimiter: ""
92 precision: 1
92 precision: 1
93 storage_units:
93 storage_units:
94 format: "%n %u"
94 format: "%n %u"
95 units:
95 units:
96 byte:
96 byte:
97 one: "Byte"
97 one: "Byte"
98 other: "Bytes"
98 other: "Bytes"
99 kb: "KB"
99 kb: "KB"
100 mb: "MB"
100 mb: "MB"
101 gb: "GB"
101 gb: "GB"
102 tb: "TB"
102 tb: "TB"
103
103
104 # Used in array.to_sentence.
104 # Used in array.to_sentence.
105 support:
105 support:
106 array:
106 array:
107 sentence_connector: "i"
107 sentence_connector: "i"
108 skip_last_comma: false
108 skip_last_comma: false
109
109
110 activerecord:
110 activerecord:
111 errors:
111 errors:
112 template:
112 template:
113 header:
113 header:
114 one: "1 error prohibited this %{model} from being saved"
114 one: "1 error prohibited this %{model} from being saved"
115 other: "%{count} errors prohibited this %{model} from being saved"
115 other: "%{count} errors prohibited this %{model} from being saved"
116 messages:
116 messages:
117 inclusion: "nije uključeno u listu"
117 inclusion: "nije uključeno u listu"
118 exclusion: "je rezervisano"
118 exclusion: "je rezervisano"
119 invalid: "nije ispravno"
119 invalid: "nije ispravno"
120 confirmation: "ne odgovara potvrdi"
120 confirmation: "ne odgovara potvrdi"
121 accepted: "mora se prihvatiti"
121 accepted: "mora se prihvatiti"
122 empty: "ne može biti prazno"
122 empty: "ne može biti prazno"
123 blank: "ne može biti znak razmaka"
123 blank: "ne može biti znak razmaka"
124 too_long: "je predugačko"
124 too_long: "je predugačko"
125 too_short: "je prekratko"
125 too_short: "je prekratko"
126 wrong_length: "je pogrešne dužine"
126 wrong_length: "je pogrešne dužine"
127 taken: "već je zauzeto"
127 taken: "već je zauzeto"
128 not_a_number: "nije broj"
128 not_a_number: "nije broj"
129 not_a_date: "nije ispravan datum"
129 not_a_date: "nije ispravan datum"
130 greater_than: "mora bit veći od %{count}"
130 greater_than: "mora bit veći od %{count}"
131 greater_than_or_equal_to: "mora bit veći ili jednak %{count}"
131 greater_than_or_equal_to: "mora bit veći ili jednak %{count}"
132 equal_to: "mora biti jednak %{count}"
132 equal_to: "mora biti jednak %{count}"
133 less_than: "mora biti manji od %{count}"
133 less_than: "mora biti manji od %{count}"
134 less_than_or_equal_to: "mora bit manji ili jednak %{count}"
134 less_than_or_equal_to: "mora bit manji ili jednak %{count}"
135 odd: "mora biti neparan"
135 odd: "mora biti neparan"
136 even: "mora biti paran"
136 even: "mora biti paran"
137 greater_than_start_date: "mora biti veći nego početni datum"
137 greater_than_start_date: "mora biti veći nego početni datum"
138 not_same_project: "ne pripada istom projektu"
138 not_same_project: "ne pripada istom projektu"
139 circular_dependency: "Ova relacija stvar cirkularnu zavisnost"
139 circular_dependency: "Ova relacija stvar cirkularnu zavisnost"
140 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
140 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
141
141
142 actionview_instancetag_blank_option: Molimo odaberite
142 actionview_instancetag_blank_option: Molimo odaberite
143
143
144 general_text_No: 'Da'
144 general_text_No: 'Da'
145 general_text_Yes: 'Ne'
145 general_text_Yes: 'Ne'
146 general_text_no: 'ne'
146 general_text_no: 'ne'
147 general_text_yes: 'da'
147 general_text_yes: 'da'
148 general_lang_name: 'Bosanski'
148 general_lang_name: 'Bosanski'
149 general_csv_separator: ','
149 general_csv_separator: ','
150 general_csv_decimal_separator: '.'
150 general_csv_decimal_separator: '.'
151 general_csv_encoding: UTF-8
151 general_csv_encoding: UTF-8
152 general_pdf_encoding: UTF-8
152 general_pdf_encoding: UTF-8
153 general_first_day_of_week: '7'
153 general_first_day_of_week: '7'
154
154
155 notice_account_activated: Vaš nalog je aktiviran. Možete se prijaviti.
155 notice_account_activated: Vaš nalog je aktiviran. Možete se prijaviti.
156 notice_account_invalid_creditentials: Pogrešan korisnik ili lozinka
156 notice_account_invalid_creditentials: Pogrešan korisnik ili lozinka
157 notice_account_lost_email_sent: Email sa uputstvima o izboru nove šifre je poslat na vašu adresu.
157 notice_account_lost_email_sent: Email sa uputstvima o izboru nove šifre je poslat na vašu adresu.
158 notice_account_password_updated: Lozinka je uspješno promjenjena.
158 notice_account_password_updated: Lozinka je uspješno promjenjena.
159 notice_account_pending: "Vaš nalog je kreiran i čeka odobrenje administratora."
159 notice_account_pending: "Vaš nalog je kreiran i čeka odobrenje administratora."
160 notice_account_register_done: Nalog je uspješno kreiran. Da bi ste aktivirali vaš nalog kliknite na link koji vam je poslat.
160 notice_account_register_done: Nalog je uspješno kreiran. Da bi ste aktivirali vaš nalog kliknite na link koji vam je poslat.
161 notice_account_unknown_email: Nepoznati korisnik.
161 notice_account_unknown_email: Nepoznati korisnik.
162 notice_account_updated: Nalog je uspješno promjenen.
162 notice_account_updated: Nalog je uspješno promjenen.
163 notice_account_wrong_password: Pogrešna lozinka
163 notice_account_wrong_password: Pogrešna lozinka
164 notice_can_t_change_password: Ovaj nalog koristi eksterni izvor prijavljivanja. Ne mogu da promjenim šifru.
164 notice_can_t_change_password: Ovaj nalog koristi eksterni izvor prijavljivanja. Ne mogu da promjenim šifru.
165 notice_default_data_loaded: Podrazumjevana konfiguracija uspječno učitana.
165 notice_default_data_loaded: Podrazumjevana konfiguracija uspječno učitana.
166 notice_email_error: Došlo je do greške pri slanju emaila (%{value})
166 notice_email_error: Došlo je do greške pri slanju emaila (%{value})
167 notice_email_sent: "Email je poslan %{value}"
167 notice_email_sent: "Email je poslan %{value}"
168 notice_failed_to_save_issues: "Neuspješno snimanje %{count} aktivnosti na %{total} izabrano: %{ids}."
168 notice_failed_to_save_issues: "Neuspješno snimanje %{count} aktivnosti na %{total} izabrano: %{ids}."
169 notice_feeds_access_key_reseted: Vaš RSS pristup je resetovan.
169 notice_feeds_access_key_reseted: Vaš RSS pristup je resetovan.
170 notice_file_not_found: Stranica kojoj pokušavate da pristupite ne postoji ili je uklonjena.
170 notice_file_not_found: Stranica kojoj pokušavate da pristupite ne postoji ili je uklonjena.
171 notice_locking_conflict: "Konflikt: podaci su izmjenjeni od strane drugog korisnika."
171 notice_locking_conflict: "Konflikt: podaci su izmjenjeni od strane drugog korisnika."
172 notice_no_issue_selected: "Nijedna aktivnost nije izabrana! Molim, izaberite aktivnosti koje želite za ispravljate."
172 notice_no_issue_selected: "Nijedna aktivnost nije izabrana! Molim, izaberite aktivnosti koje želite za ispravljate."
173 notice_not_authorized: Niste ovlašćeni da pristupite ovoj stranici.
173 notice_not_authorized: Niste ovlašćeni da pristupite ovoj stranici.
174 notice_successful_connection: Uspješna konekcija.
174 notice_successful_connection: Uspješna konekcija.
175 notice_successful_create: Uspješno kreiranje.
175 notice_successful_create: Uspješno kreiranje.
176 notice_successful_delete: Brisanje izvršeno.
176 notice_successful_delete: Brisanje izvršeno.
177 notice_successful_update: Promjene uspješno izvršene.
177 notice_successful_update: Promjene uspješno izvršene.
178
178
179 error_can_t_load_default_data: "Podrazumjevane postavke se ne mogu učitati %{value}"
179 error_can_t_load_default_data: "Podrazumjevane postavke se ne mogu učitati %{value}"
180 error_scm_command_failed: "Desila se greška pri pristupu repozitoriju: %{value}"
180 error_scm_command_failed: "Desila se greška pri pristupu repozitoriju: %{value}"
181 error_scm_not_found: "Unos i/ili revizija ne postoji u repozitoriju."
181 error_scm_not_found: "Unos i/ili revizija ne postoji u repozitoriju."
182
182
183 error_scm_annotate: "Ova stavka ne postoji ili nije označena."
183 error_scm_annotate: "Ova stavka ne postoji ili nije označena."
184 error_issue_not_found_in_project: 'Aktivnost nije nađena ili ne pripada ovom projektu'
184 error_issue_not_found_in_project: 'Aktivnost nije nađena ili ne pripada ovom projektu'
185
185
186 warning_attachments_not_saved: "%{count} fajl(ovi) ne mogu biti snimljen(i)."
186 warning_attachments_not_saved: "%{count} fajl(ovi) ne mogu biti snimljen(i)."
187
187
188 mail_subject_lost_password: "Vaša %{value} lozinka"
188 mail_subject_lost_password: "Vaša %{value} lozinka"
189 mail_body_lost_password: 'Za promjenu lozinke, kliknite na sljedeći link:'
189 mail_body_lost_password: 'Za promjenu lozinke, kliknite na sljedeći link:'
190 mail_subject_register: "Aktivirajte %{value} vaš korisnički račun"
190 mail_subject_register: "Aktivirajte %{value} vaš korisnički račun"
191 mail_body_register: 'Za aktivaciju vašeg korisničkog računa, kliknite na sljedeći link:'
191 mail_body_register: 'Za aktivaciju vašeg korisničkog računa, kliknite na sljedeći link:'
192 mail_body_account_information_external: "Možete koristiti vaš %{value} korisnički račun za prijavu na sistem."
192 mail_body_account_information_external: "Možete koristiti vaš %{value} korisnički račun za prijavu na sistem."
193 mail_body_account_information: Informacija o vašem korisničkom računu
193 mail_body_account_information: Informacija o vašem korisničkom računu
194 mail_subject_account_activation_request: "%{value} zahtjev za aktivaciju korisničkog računa"
194 mail_subject_account_activation_request: "%{value} zahtjev za aktivaciju korisničkog računa"
195 mail_body_account_activation_request: "Novi korisnik (%{value}) se registrovao. Korisnički račun čeka vaše odobrenje za aktivaciju:"
195 mail_body_account_activation_request: "Novi korisnik (%{value}) se registrovao. Korisnički račun čeka vaše odobrenje za aktivaciju:"
196 mail_subject_reminder: "%{count} aktivnost(i) u kašnjenju u narednim %{days} danima"
196 mail_subject_reminder: "%{count} aktivnost(i) u kašnjenju u narednim %{days} danima"
197 mail_body_reminder: "%{count} aktivnost(i) koje su dodjeljenje vama u narednim %{days} danima:"
197 mail_body_reminder: "%{count} aktivnost(i) koje su dodjeljenje vama u narednim %{days} danima:"
198
198
199 gui_validation_error: 1 greška
199 gui_validation_error: 1 greška
200 gui_validation_error_plural: "%{count} grešaka"
200 gui_validation_error_plural: "%{count} grešaka"
201
201
202 field_name: Ime
202 field_name: Ime
203 field_description: Opis
203 field_description: Opis
204 field_summary: Pojašnjenje
204 field_summary: Pojašnjenje
205 field_is_required: Neophodno popuniti
205 field_is_required: Neophodno popuniti
206 field_firstname: Ime
206 field_firstname: Ime
207 field_lastname: Prezime
207 field_lastname: Prezime
208 field_mail: Email
208 field_mail: Email
209 field_filename: Fajl
209 field_filename: Fajl
210 field_filesize: Veličina
210 field_filesize: Veličina
211 field_downloads: Downloadi
211 field_downloads: Downloadi
212 field_author: Autor
212 field_author: Autor
213 field_created_on: Kreirano
213 field_created_on: Kreirano
214 field_updated_on: Izmjenjeno
214 field_updated_on: Izmjenjeno
215 field_field_format: Format
215 field_field_format: Format
216 field_is_for_all: Za sve projekte
216 field_is_for_all: Za sve projekte
217 field_possible_values: Moguće vrijednosti
217 field_possible_values: Moguće vrijednosti
218 field_regexp: '"Regularni izraz"'
218 field_regexp: '"Regularni izraz"'
219 field_min_length: Minimalna veličina
219 field_min_length: Minimalna veličina
220 field_max_length: Maksimalna veličina
220 field_max_length: Maksimalna veličina
221 field_value: Vrijednost
221 field_value: Vrijednost
222 field_category: Kategorija
222 field_category: Kategorija
223 field_title: Naslov
223 field_title: Naslov
224 field_project: Projekat
224 field_project: Projekat
225 field_issue: Aktivnost
225 field_issue: Aktivnost
226 field_status: Status
226 field_status: Status
227 field_notes: Bilješke
227 field_notes: Bilješke
228 field_is_closed: Aktivnost zatvorena
228 field_is_closed: Aktivnost zatvorena
229 field_is_default: Podrazumjevana vrijednost
229 field_is_default: Podrazumjevana vrijednost
230 field_tracker: Područje aktivnosti
230 field_tracker: Područje aktivnosti
231 field_subject: Subjekat
231 field_subject: Subjekat
232 field_due_date: Završiti do
232 field_due_date: Završiti do
233 field_assigned_to: Dodijeljeno
233 field_assigned_to: Dodijeljeno
234 field_priority: Prioritet
234 field_priority: Prioritet
235 field_fixed_version: Ciljna verzija
235 field_fixed_version: Ciljna verzija
236 field_user: Korisnik
236 field_user: Korisnik
237 field_role: Uloga
237 field_role: Uloga
238 field_homepage: Naslovna strana
238 field_homepage: Naslovna strana
239 field_is_public: Javni
239 field_is_public: Javni
240 field_parent: Podprojekt od
240 field_parent: Podprojekt od
241 field_is_in_roadmap: Aktivnosti prikazane u planu realizacije
241 field_is_in_roadmap: Aktivnosti prikazane u planu realizacije
242 field_login: Prijava
242 field_login: Prijava
243 field_mail_notification: Email notifikacije
243 field_mail_notification: Email notifikacije
244 field_admin: Administrator
244 field_admin: Administrator
245 field_last_login_on: Posljednja konekcija
245 field_last_login_on: Posljednja konekcija
246 field_language: Jezik
246 field_language: Jezik
247 field_effective_date: Datum
247 field_effective_date: Datum
248 field_password: Lozinka
248 field_password: Lozinka
249 field_new_password: Nova lozinka
249 field_new_password: Nova lozinka
250 field_password_confirmation: Potvrda
250 field_password_confirmation: Potvrda
251 field_version: Verzija
251 field_version: Verzija
252 field_type: Tip
252 field_type: Tip
253 field_host: Host
253 field_host: Host
254 field_port: Port
254 field_port: Port
255 field_account: Korisnički račun
255 field_account: Korisnički račun
256 field_base_dn: Base DN
256 field_base_dn: Base DN
257 field_attr_login: Attribut za prijavu
257 field_attr_login: Attribut za prijavu
258 field_attr_firstname: Attribut za ime
258 field_attr_firstname: Attribut za ime
259 field_attr_lastname: Atribut za prezime
259 field_attr_lastname: Atribut za prezime
260 field_attr_mail: Atribut za email
260 field_attr_mail: Atribut za email
261 field_onthefly: 'Kreiranje korisnika "On-the-fly"'
261 field_onthefly: 'Kreiranje korisnika "On-the-fly"'
262 field_start_date: Početak
262 field_start_date: Početak
263 field_done_ratio: "% Realizovano"
263 field_done_ratio: "% Realizovano"
264 field_auth_source: Mod za authentifikaciju
264 field_auth_source: Mod za authentifikaciju
265 field_hide_mail: Sakrij moju email adresu
265 field_hide_mail: Sakrij moju email adresu
266 field_comments: Komentar
266 field_comments: Komentar
267 field_url: URL
267 field_url: URL
268 field_start_page: Početna stranica
268 field_start_page: Početna stranica
269 field_subproject: Podprojekat
269 field_subproject: Podprojekat
270 field_hours: Sahata
270 field_hours: Sahata
271 field_activity: Operacija
271 field_activity: Operacija
272 field_spent_on: Datum
272 field_spent_on: Datum
273 field_identifier: Identifikator
273 field_identifier: Identifikator
274 field_is_filter: Korišteno kao filter
274 field_is_filter: Korišteno kao filter
275 field_issue_to: Povezana aktivnost
275 field_issue_to: Povezana aktivnost
276 field_delay: Odgađanje
276 field_delay: Odgađanje
277 field_assignable: Aktivnosti dodijeljene ovoj ulozi
277 field_assignable: Aktivnosti dodijeljene ovoj ulozi
278 field_redirect_existing_links: Izvrši redirekciju postojećih linkova
278 field_redirect_existing_links: Izvrši redirekciju postojećih linkova
279 field_estimated_hours: Procjena vremena
279 field_estimated_hours: Procjena vremena
280 field_column_names: Kolone
280 field_column_names: Kolone
281 field_time_zone: Vremenska zona
281 field_time_zone: Vremenska zona
282 field_searchable: Pretraživo
282 field_searchable: Pretraživo
283 field_default_value: Podrazumjevana vrijednost
283 field_default_value: Podrazumjevana vrijednost
284 field_comments_sorting: Prikaži komentare
284 field_comments_sorting: Prikaži komentare
285 field_parent_title: 'Stranica "roditelj"'
285 field_parent_title: 'Stranica "roditelj"'
286 field_editable: Može se mijenjati
286 field_editable: Može se mijenjati
287 field_watcher: Posmatrač
287 field_watcher: Posmatrač
288 field_identity_url: OpenID URL
288 field_identity_url: OpenID URL
289 field_content: Sadržaj
289 field_content: Sadržaj
290
290
291 setting_app_title: Naslov aplikacije
291 setting_app_title: Naslov aplikacije
292 setting_app_subtitle: Podnaslov aplikacije
292 setting_app_subtitle: Podnaslov aplikacije
293 setting_welcome_text: Tekst dobrodošlice
293 setting_welcome_text: Tekst dobrodošlice
294 setting_default_language: Podrazumjevani jezik
294 setting_default_language: Podrazumjevani jezik
295 setting_login_required: Authentifikacija neophodna
295 setting_login_required: Authentifikacija neophodna
296 setting_self_registration: Samo-registracija
296 setting_self_registration: Samo-registracija
297 setting_attachment_max_size: Maksimalna veličina prikačenog fajla
297 setting_attachment_max_size: Maksimalna veličina prikačenog fajla
298 setting_issues_export_limit: Limit za eksport aktivnosti
298 setting_issues_export_limit: Limit za eksport aktivnosti
299 setting_mail_from: Mail adresa - pošaljilac
299 setting_mail_from: Mail adresa - pošaljilac
300 setting_bcc_recipients: '"BCC" (blind carbon copy) primaoci '
300 setting_bcc_recipients: '"BCC" (blind carbon copy) primaoci '
301 setting_plain_text_mail: Email sa običnim tekstom (bez HTML-a)
301 setting_plain_text_mail: Email sa običnim tekstom (bez HTML-a)
302 setting_host_name: Ime hosta i putanja
302 setting_host_name: Ime hosta i putanja
303 setting_text_formatting: Formatiranje teksta
303 setting_text_formatting: Formatiranje teksta
304 setting_wiki_compression: Kompresija Wiki istorije
304 setting_wiki_compression: Kompresija Wiki istorije
305
305
306 setting_feeds_limit: 'Limit za "RSS" feed-ove'
306 setting_feeds_limit: 'Limit za "RSS" feed-ove'
307 setting_default_projects_public: Podrazumjeva se da je novi projekat javni
307 setting_default_projects_public: Podrazumjeva se da je novi projekat javni
308 setting_autofetch_changesets: 'Automatski kupi "commit"-e'
308 setting_autofetch_changesets: 'Automatski kupi "commit"-e'
309 setting_sys_api_enabled: 'Omogući "WS" za upravljanje repozitorijom'
309 setting_sys_api_enabled: 'Omogući "WS" za upravljanje repozitorijom'
310 setting_commit_ref_keywords: Ključne riječi za reference
310 setting_commit_ref_keywords: Ključne riječi za reference
311 setting_commit_fix_keywords: 'Ključne riječi za status "zatvoreno"'
311 setting_commit_fix_keywords: 'Ključne riječi za status "zatvoreno"'
312 setting_autologin: Automatski login
312 setting_autologin: Automatski login
313 setting_date_format: Format datuma
313 setting_date_format: Format datuma
314 setting_time_format: Format vremena
314 setting_time_format: Format vremena
315 setting_cross_project_issue_relations: Omogući relacije između aktivnosti na različitim projektima
315 setting_cross_project_issue_relations: Omogući relacije između aktivnosti na različitim projektima
316 setting_issue_list_default_columns: Podrazumjevane koleone za prikaz na listi aktivnosti
316 setting_issue_list_default_columns: Podrazumjevane koleone za prikaz na listi aktivnosti
317 setting_emails_footer: Potpis na email-ovima
317 setting_emails_footer: Potpis na email-ovima
318 setting_protocol: Protokol
318 setting_protocol: Protokol
319 setting_per_page_options: Broj objekata po stranici
319 setting_per_page_options: Broj objekata po stranici
320 setting_user_format: Format korisničkog prikaza
320 setting_user_format: Format korisničkog prikaza
321 setting_activity_days_default: Prikaz promjena na projektu - opseg dana
321 setting_activity_days_default: Prikaz promjena na projektu - opseg dana
322 setting_display_subprojects_issues: Prikaz podprojekata na glavnom projektima (podrazumjeva se)
322 setting_display_subprojects_issues: Prikaz podprojekata na glavnom projektima (podrazumjeva se)
323 setting_enabled_scm: Omogući SCM (source code management)
323 setting_enabled_scm: Omogući SCM (source code management)
324 setting_mail_handler_api_enabled: Omogući automatsku obradu ulaznih emailova
324 setting_mail_handler_api_enabled: Omogući automatsku obradu ulaznih emailova
325 setting_mail_handler_api_key: API ključ (obrada ulaznih mailova)
325 setting_mail_handler_api_key: API ključ (obrada ulaznih mailova)
326 setting_sequential_project_identifiers: Generiši identifikatore projekta sekvencijalno
326 setting_sequential_project_identifiers: Generiši identifikatore projekta sekvencijalno
327 setting_gravatar_enabled: 'Koristi "gravatar" korisničke ikone'
327 setting_gravatar_enabled: 'Koristi "gravatar" korisničke ikone'
328 setting_diff_max_lines_displayed: Maksimalan broj linija za prikaz razlika između dva fajla
328 setting_diff_max_lines_displayed: Maksimalan broj linija za prikaz razlika između dva fajla
329 setting_file_max_size_displayed: Maksimalna veličina fajla kod prikaza razlika unutar fajla (inline)
329 setting_file_max_size_displayed: Maksimalna veličina fajla kod prikaza razlika unutar fajla (inline)
330 setting_repository_log_display_limit: Maksimalna veličina revizija prikazanih na log fajlu
330 setting_repository_log_display_limit: Maksimalna veličina revizija prikazanih na log fajlu
331 setting_openid: Omogući OpenID prijavu i registraciju
331 setting_openid: Omogući OpenID prijavu i registraciju
332
332
333 permission_edit_project: Ispravke projekta
333 permission_edit_project: Ispravke projekta
334 permission_select_project_modules: Odaberi module projekta
334 permission_select_project_modules: Odaberi module projekta
335 permission_manage_members: Upravljanje članovima
335 permission_manage_members: Upravljanje članovima
336 permission_manage_versions: Upravljanje verzijama
336 permission_manage_versions: Upravljanje verzijama
337 permission_manage_categories: Upravljanje kategorijama aktivnosti
337 permission_manage_categories: Upravljanje kategorijama aktivnosti
338 permission_add_issues: Dodaj aktivnosti
338 permission_add_issues: Dodaj aktivnosti
339 permission_edit_issues: Ispravka aktivnosti
339 permission_edit_issues: Ispravka aktivnosti
340 permission_manage_issue_relations: Upravljaj relacijama među aktivnostima
340 permission_manage_issue_relations: Upravljaj relacijama među aktivnostima
341 permission_add_issue_notes: Dodaj bilješke
341 permission_add_issue_notes: Dodaj bilješke
342 permission_edit_issue_notes: Ispravi bilješke
342 permission_edit_issue_notes: Ispravi bilješke
343 permission_edit_own_issue_notes: Ispravi sopstvene bilješke
343 permission_edit_own_issue_notes: Ispravi sopstvene bilješke
344 permission_move_issues: Pomjeri aktivnosti
344 permission_move_issues: Pomjeri aktivnosti
345 permission_delete_issues: Izbriši aktivnosti
345 permission_delete_issues: Izbriši aktivnosti
346 permission_manage_public_queries: Upravljaj javnim upitima
346 permission_manage_public_queries: Upravljaj javnim upitima
347 permission_save_queries: Snimi upite
347 permission_save_queries: Snimi upite
348 permission_view_gantt: Pregled gantograma
348 permission_view_gantt: Pregled gantograma
349 permission_view_calendar: Pregled kalendara
349 permission_view_calendar: Pregled kalendara
350 permission_view_issue_watchers: Pregled liste korisnika koji prate aktivnost
350 permission_view_issue_watchers: Pregled liste korisnika koji prate aktivnost
351 permission_add_issue_watchers: Dodaj onoga koji prati aktivnost
351 permission_add_issue_watchers: Dodaj onoga koji prati aktivnost
352 permission_log_time: Evidentiraj utrošak vremena
352 permission_log_time: Evidentiraj utrošak vremena
353 permission_view_time_entries: Pregled utroška vremena
353 permission_view_time_entries: Pregled utroška vremena
354 permission_edit_time_entries: Ispravka utroška vremena
354 permission_edit_time_entries: Ispravka utroška vremena
355 permission_edit_own_time_entries: Ispravka svog utroška vremena
355 permission_edit_own_time_entries: Ispravka svog utroška vremena
356 permission_manage_news: Upravljaj novostima
356 permission_manage_news: Upravljaj novostima
357 permission_comment_news: Komentiraj novosti
357 permission_comment_news: Komentiraj novosti
358 permission_manage_documents: Upravljaj dokumentima
358 permission_manage_documents: Upravljaj dokumentima
359 permission_view_documents: Pregled dokumenata
359 permission_view_documents: Pregled dokumenata
360 permission_manage_files: Upravljaj fajlovima
360 permission_manage_files: Upravljaj fajlovima
361 permission_view_files: Pregled fajlova
361 permission_view_files: Pregled fajlova
362 permission_manage_wiki: Upravljaj wiki stranicama
362 permission_manage_wiki: Upravljaj wiki stranicama
363 permission_rename_wiki_pages: Ispravi wiki stranicu
363 permission_rename_wiki_pages: Ispravi wiki stranicu
364 permission_delete_wiki_pages: Izbriši wiki stranicu
364 permission_delete_wiki_pages: Izbriši wiki stranicu
365 permission_view_wiki_pages: Pregled wiki sadržaja
365 permission_view_wiki_pages: Pregled wiki sadržaja
366 permission_view_wiki_edits: Pregled wiki istorije
366 permission_view_wiki_edits: Pregled wiki istorije
367 permission_edit_wiki_pages: Ispravka wiki stranica
367 permission_edit_wiki_pages: Ispravka wiki stranica
368 permission_delete_wiki_pages_attachments: Brisanje fajlova prikačenih wiki-ju
368 permission_delete_wiki_pages_attachments: Brisanje fajlova prikačenih wiki-ju
369 permission_protect_wiki_pages: Zaštiti wiki stranicu
369 permission_protect_wiki_pages: Zaštiti wiki stranicu
370 permission_manage_repository: Upravljaj repozitorijem
370 permission_manage_repository: Upravljaj repozitorijem
371 permission_browse_repository: Pregled repozitorija
371 permission_browse_repository: Pregled repozitorija
372 permission_view_changesets: Pregled setova promjena
372 permission_view_changesets: Pregled setova promjena
373 permission_commit_access: 'Pristup "commit"-u'
373 permission_commit_access: 'Pristup "commit"-u'
374 permission_manage_boards: Upravljaj forumima
374 permission_manage_boards: Upravljaj forumima
375 permission_view_messages: Pregled poruka
375 permission_view_messages: Pregled poruka
376 permission_add_messages: Šalji poruke
376 permission_add_messages: Šalji poruke
377 permission_edit_messages: Ispravi poruke
377 permission_edit_messages: Ispravi poruke
378 permission_edit_own_messages: Ispravka sopstvenih poruka
378 permission_edit_own_messages: Ispravka sopstvenih poruka
379 permission_delete_messages: Prisanje poruka
379 permission_delete_messages: Prisanje poruka
380 permission_delete_own_messages: Brisanje sopstvenih poruka
380 permission_delete_own_messages: Brisanje sopstvenih poruka
381
381
382 project_module_issue_tracking: Praćenje aktivnosti
382 project_module_issue_tracking: Praćenje aktivnosti
383 project_module_time_tracking: Praćenje vremena
383 project_module_time_tracking: Praćenje vremena
384 project_module_news: Novosti
384 project_module_news: Novosti
385 project_module_documents: Dokumenti
385 project_module_documents: Dokumenti
386 project_module_files: Fajlovi
386 project_module_files: Fajlovi
387 project_module_wiki: Wiki stranice
387 project_module_wiki: Wiki stranice
388 project_module_repository: Repozitorij
388 project_module_repository: Repozitorij
389 project_module_boards: Forumi
389 project_module_boards: Forumi
390
390
391 label_user: Korisnik
391 label_user: Korisnik
392 label_user_plural: Korisnici
392 label_user_plural: Korisnici
393 label_user_new: Novi korisnik
393 label_user_new: Novi korisnik
394 label_project: Projekat
394 label_project: Projekat
395 label_project_new: Novi projekat
395 label_project_new: Novi projekat
396 label_project_plural: Projekti
396 label_project_plural: Projekti
397 label_x_projects:
397 label_x_projects:
398 zero: 0 projekata
398 zero: 0 projekata
399 one: 1 projekat
399 one: 1 projekat
400 other: "%{count} projekata"
400 other: "%{count} projekata"
401 label_project_all: Svi projekti
401 label_project_all: Svi projekti
402 label_project_latest: Posljednji projekti
402 label_project_latest: Posljednji projekti
403 label_issue: Aktivnost
403 label_issue: Aktivnost
404 label_issue_new: Nova aktivnost
404 label_issue_new: Nova aktivnost
405 label_issue_plural: Aktivnosti
405 label_issue_plural: Aktivnosti
406 label_issue_view_all: Vidi sve aktivnosti
406 label_issue_view_all: Vidi sve aktivnosti
407 label_issues_by: "Aktivnosti po %{value}"
407 label_issues_by: "Aktivnosti po %{value}"
408 label_issue_added: Aktivnost je dodana
408 label_issue_added: Aktivnost je dodana
409 label_issue_updated: Aktivnost je izmjenjena
409 label_issue_updated: Aktivnost je izmjenjena
410 label_document: Dokument
410 label_document: Dokument
411 label_document_new: Novi dokument
411 label_document_new: Novi dokument
412 label_document_plural: Dokumenti
412 label_document_plural: Dokumenti
413 label_document_added: Dokument je dodan
413 label_document_added: Dokument je dodan
414 label_role: Uloga
414 label_role: Uloga
415 label_role_plural: Uloge
415 label_role_plural: Uloge
416 label_role_new: Nove uloge
416 label_role_new: Nove uloge
417 label_role_and_permissions: Uloge i dozvole
417 label_role_and_permissions: Uloge i dozvole
418 label_member: Izvršilac
418 label_member: Izvršilac
419 label_member_new: Novi izvršilac
419 label_member_new: Novi izvršilac
420 label_member_plural: Izvršioci
420 label_member_plural: Izvršioci
421 label_tracker: Područje aktivnosti
421 label_tracker: Područje aktivnosti
422 label_tracker_plural: Područja aktivnosti
422 label_tracker_plural: Područja aktivnosti
423 label_tracker_new: Novo područje aktivnosti
423 label_tracker_new: Novo područje aktivnosti
424 label_workflow: Tok promjena na aktivnosti
424 label_workflow: Tok promjena na aktivnosti
425 label_issue_status: Status aktivnosti
425 label_issue_status: Status aktivnosti
426 label_issue_status_plural: Statusi aktivnosti
426 label_issue_status_plural: Statusi aktivnosti
427 label_issue_status_new: Novi status
427 label_issue_status_new: Novi status
428 label_issue_category: Kategorija aktivnosti
428 label_issue_category: Kategorija aktivnosti
429 label_issue_category_plural: Kategorije aktivnosti
429 label_issue_category_plural: Kategorije aktivnosti
430 label_issue_category_new: Nova kategorija
430 label_issue_category_new: Nova kategorija
431 label_custom_field: Proizvoljno polje
431 label_custom_field: Proizvoljno polje
432 label_custom_field_plural: Proizvoljna polja
432 label_custom_field_plural: Proizvoljna polja
433 label_custom_field_new: Novo proizvoljno polje
433 label_custom_field_new: Novo proizvoljno polje
434 label_enumerations: Enumeracije
434 label_enumerations: Enumeracije
435 label_enumeration_new: Nova vrijednost
435 label_enumeration_new: Nova vrijednost
436 label_information: Informacija
436 label_information: Informacija
437 label_information_plural: Informacije
437 label_information_plural: Informacije
438 label_please_login: Molimo prijavite se
438 label_please_login: Molimo prijavite se
439 label_register: Registracija
439 label_register: Registracija
440 label_login_with_open_id_option: ili prijava sa OpenID-om
440 label_login_with_open_id_option: ili prijava sa OpenID-om
441 label_password_lost: Izgubljena lozinka
441 label_password_lost: Izgubljena lozinka
442 label_home: Početna stranica
442 label_home: Početna stranica
443 label_my_page: Moja stranica
443 label_my_page: Moja stranica
444 label_my_account: Moj korisnički račun
444 label_my_account: Moj korisnički račun
445 label_my_projects: Moji projekti
445 label_my_projects: Moji projekti
446 label_administration: Administracija
446 label_administration: Administracija
447 label_login: Prijavi se
447 label_login: Prijavi se
448 label_logout: Odjavi se
448 label_logout: Odjavi se
449 label_help: Pomoć
449 label_help: Pomoć
450 label_reported_issues: Prijavljene aktivnosti
450 label_reported_issues: Prijavljene aktivnosti
451 label_assigned_to_me_issues: Aktivnosti dodjeljene meni
451 label_assigned_to_me_issues: Aktivnosti dodjeljene meni
452 label_last_login: Posljednja konekcija
452 label_last_login: Posljednja konekcija
453 label_registered_on: Registrovan na
453 label_registered_on: Registrovan na
454 label_activity_plural: Promjene
454 label_activity_plural: Promjene
455 label_activity: Operacija
455 label_activity: Operacija
456 label_overall_activity: Pregled svih promjena
456 label_overall_activity: Pregled svih promjena
457 label_user_activity: "Promjene izvršene od: %{value}"
457 label_user_activity: "Promjene izvršene od: %{value}"
458 label_new: Novi
458 label_new: Novi
459 label_logged_as: Prijavljen kao
459 label_logged_as: Prijavljen kao
460 label_environment: Sistemsko okruženje
460 label_environment: Sistemsko okruženje
461 label_authentication: Authentifikacija
461 label_authentication: Authentifikacija
462 label_auth_source: Mod authentifikacije
462 label_auth_source: Mod authentifikacije
463 label_auth_source_new: Novi mod authentifikacije
463 label_auth_source_new: Novi mod authentifikacije
464 label_auth_source_plural: Modovi authentifikacije
464 label_auth_source_plural: Modovi authentifikacije
465 label_subproject_plural: Podprojekti
465 label_subproject_plural: Podprojekti
466 label_and_its_subprojects: "%{value} i njegovi podprojekti"
466 label_and_its_subprojects: "%{value} i njegovi podprojekti"
467 label_min_max_length: Min - Maks dužina
467 label_min_max_length: Min - Maks dužina
468 label_list: Lista
468 label_list: Lista
469 label_date: Datum
469 label_date: Datum
470 label_integer: Cijeli broj
470 label_integer: Cijeli broj
471 label_float: Float
471 label_float: Float
472 label_boolean: Logička varijabla
472 label_boolean: Logička varijabla
473 label_string: Tekst
473 label_string: Tekst
474 label_text: Dugi tekst
474 label_text: Dugi tekst
475 label_attribute: Atribut
475 label_attribute: Atribut
476 label_attribute_plural: Atributi
476 label_attribute_plural: Atributi
477 label_download: "%{count} download"
477 label_download: "%{count} download"
478 label_download_plural: "%{count} download-i"
478 label_download_plural: "%{count} download-i"
479 label_no_data: Nema podataka za prikaz
479 label_no_data: Nema podataka za prikaz
480 label_change_status: Promjeni status
480 label_change_status: Promjeni status
481 label_history: Istorija
481 label_history: Istorija
482 label_attachment: Fajl
482 label_attachment: Fajl
483 label_attachment_new: Novi fajl
483 label_attachment_new: Novi fajl
484 label_attachment_delete: Izbriši fajl
484 label_attachment_delete: Izbriši fajl
485 label_attachment_plural: Fajlovi
485 label_attachment_plural: Fajlovi
486 label_file_added: Fajl je dodan
486 label_file_added: Fajl je dodan
487 label_report: Izvještaj
487 label_report: Izvještaj
488 label_report_plural: Izvještaji
488 label_report_plural: Izvještaji
489 label_news: Novosti
489 label_news: Novosti
490 label_news_new: Dodaj novosti
490 label_news_new: Dodaj novosti
491 label_news_plural: Novosti
491 label_news_plural: Novosti
492 label_news_latest: Posljednje novosti
492 label_news_latest: Posljednje novosti
493 label_news_view_all: Pogledaj sve novosti
493 label_news_view_all: Pogledaj sve novosti
494 label_news_added: Novosti su dodane
494 label_news_added: Novosti su dodane
495 label_settings: Postavke
495 label_settings: Postavke
496 label_overview: Pregled
496 label_overview: Pregled
497 label_version: Verzija
497 label_version: Verzija
498 label_version_new: Nova verzija
498 label_version_new: Nova verzija
499 label_version_plural: Verzije
499 label_version_plural: Verzije
500 label_confirmation: Potvrda
500 label_confirmation: Potvrda
501 label_export_to: 'Takođe dostupno u:'
501 label_export_to: 'Takođe dostupno u:'
502 label_read: Čitaj...
502 label_read: Čitaj...
503 label_public_projects: Javni projekti
503 label_public_projects: Javni projekti
504 label_open_issues: otvoren
504 label_open_issues: otvoren
505 label_open_issues_plural: otvoreni
505 label_open_issues_plural: otvoreni
506 label_closed_issues: zatvoren
506 label_closed_issues: zatvoren
507 label_closed_issues_plural: zatvoreni
507 label_closed_issues_plural: zatvoreni
508 label_x_open_issues_abbr_on_total:
508 label_x_open_issues_abbr_on_total:
509 zero: 0 otvoreno / %{total}
509 zero: 0 otvoreno / %{total}
510 one: 1 otvorena / %{total}
510 one: 1 otvorena / %{total}
511 other: "%{count} otvorene / %{total}"
511 other: "%{count} otvorene / %{total}"
512 label_x_open_issues_abbr:
512 label_x_open_issues_abbr:
513 zero: 0 otvoreno
513 zero: 0 otvoreno
514 one: 1 otvorena
514 one: 1 otvorena
515 other: "%{count} otvorene"
515 other: "%{count} otvorene"
516 label_x_closed_issues_abbr:
516 label_x_closed_issues_abbr:
517 zero: 0 zatvoreno
517 zero: 0 zatvoreno
518 one: 1 zatvorena
518 one: 1 zatvorena
519 other: "%{count} zatvorene"
519 other: "%{count} zatvorene"
520 label_total: Ukupno
520 label_total: Ukupno
521 label_permissions: Dozvole
521 label_permissions: Dozvole
522 label_current_status: Tekući status
522 label_current_status: Tekući status
523 label_new_statuses_allowed: Novi statusi dozvoljeni
523 label_new_statuses_allowed: Novi statusi dozvoljeni
524 label_all: sve
524 label_all: sve
525 label_none: ništa
525 label_none: ništa
526 label_nobody: niko
526 label_nobody: niko
527 label_next: Sljedeće
527 label_next: Sljedeće
528 label_previous: Predhodno
528 label_previous: Predhodno
529 label_used_by: Korišteno od
529 label_used_by: Korišteno od
530 label_details: Detalji
530 label_details: Detalji
531 label_add_note: Dodaj bilješku
531 label_add_note: Dodaj bilješku
532 label_per_page: Po stranici
532 label_per_page: Po stranici
533 label_calendar: Kalendar
533 label_calendar: Kalendar
534 label_months_from: mjeseci od
534 label_months_from: mjeseci od
535 label_gantt: Gantt
535 label_gantt: Gantt
536 label_internal: Interno
536 label_internal: Interno
537 label_last_changes: "posljednjih %{count} promjena"
537 label_last_changes: "posljednjih %{count} promjena"
538 label_change_view_all: Vidi sve promjene
538 label_change_view_all: Vidi sve promjene
539 label_personalize_page: Personaliziraj ovu stranicu
539 label_personalize_page: Personaliziraj ovu stranicu
540 label_comment: Komentar
540 label_comment: Komentar
541 label_comment_plural: Komentari
541 label_comment_plural: Komentari
542 label_x_comments:
542 label_x_comments:
543 zero: bez komentara
543 zero: bez komentara
544 one: 1 komentar
544 one: 1 komentar
545 other: "%{count} komentari"
545 other: "%{count} komentari"
546 label_comment_add: Dodaj komentar
546 label_comment_add: Dodaj komentar
547 label_comment_added: Komentar je dodan
547 label_comment_added: Komentar je dodan
548 label_comment_delete: Izbriši komentar
548 label_comment_delete: Izbriši komentar
549 label_query: Proizvoljan upit
549 label_query: Proizvoljan upit
550 label_query_plural: Proizvoljni upiti
550 label_query_plural: Proizvoljni upiti
551 label_query_new: Novi upit
551 label_query_new: Novi upit
552 label_filter_add: Dodaj filter
552 label_filter_add: Dodaj filter
553 label_filter_plural: Filteri
553 label_filter_plural: Filteri
554 label_equals: je
554 label_equals: je
555 label_not_equals: nije
555 label_not_equals: nije
556 label_in_less_than: je manji nego
556 label_in_less_than: je manji nego
557 label_in_more_than: je više nego
557 label_in_more_than: je više nego
558 label_in: u
558 label_in: u
559 label_today: danas
559 label_today: danas
560 label_all_time: sve vrijeme
560 label_all_time: sve vrijeme
561 label_yesterday: juče
561 label_yesterday: juče
562 label_this_week: ova hefta
562 label_this_week: ova hefta
563 label_last_week: zadnja hefta
563 label_last_week: zadnja hefta
564 label_last_n_days: "posljednjih %{count} dana"
564 label_last_n_days: "posljednjih %{count} dana"
565 label_this_month: ovaj mjesec
565 label_this_month: ovaj mjesec
566 label_last_month: posljednji mjesec
566 label_last_month: posljednji mjesec
567 label_this_year: ova godina
567 label_this_year: ova godina
568 label_date_range: Datumski opseg
568 label_date_range: Datumski opseg
569 label_less_than_ago: ranije nego (dana)
569 label_less_than_ago: ranije nego (dana)
570 label_more_than_ago: starije nego (dana)
570 label_more_than_ago: starije nego (dana)
571 label_ago: prije (dana)
571 label_ago: prije (dana)
572 label_contains: sadrži
572 label_contains: sadrži
573 label_not_contains: ne sadrži
573 label_not_contains: ne sadrži
574 label_day_plural: dani
574 label_day_plural: dani
575 label_repository: Repozitorij
575 label_repository: Repozitorij
576 label_repository_plural: Repozitoriji
576 label_repository_plural: Repozitoriji
577 label_browse: Listaj
577 label_browse: Listaj
578 label_modification: "%{count} promjena"
578 label_modification: "%{count} promjena"
579 label_modification_plural: "%{count} promjene"
579 label_modification_plural: "%{count} promjene"
580 label_revision: Revizija
580 label_revision: Revizija
581 label_revision_plural: Revizije
581 label_revision_plural: Revizije
582 label_associated_revisions: Doddjeljene revizije
582 label_associated_revisions: Doddjeljene revizije
583 label_added: dodano
583 label_added: dodano
584 label_modified: izmjenjeno
584 label_modified: izmjenjeno
585 label_copied: kopirano
585 label_copied: kopirano
586 label_renamed: preimenovano
586 label_renamed: preimenovano
587 label_deleted: izbrisano
587 label_deleted: izbrisano
588 label_latest_revision: Posljednja revizija
588 label_latest_revision: Posljednja revizija
589 label_latest_revision_plural: Posljednje revizije
589 label_latest_revision_plural: Posljednje revizije
590 label_view_revisions: Vidi revizije
590 label_view_revisions: Vidi revizije
591 label_max_size: Maksimalna veličina
591 label_max_size: Maksimalna veličina
592 label_sort_highest: Pomjeri na vrh
592 label_sort_highest: Pomjeri na vrh
593 label_sort_higher: Pomjeri gore
593 label_sort_higher: Pomjeri gore
594 label_sort_lower: Pomjeri dole
594 label_sort_lower: Pomjeri dole
595 label_sort_lowest: Pomjeri na dno
595 label_sort_lowest: Pomjeri na dno
596 label_roadmap: Plan realizacije
596 label_roadmap: Plan realizacije
597 label_roadmap_due_in: "Obavezan do %{value}"
597 label_roadmap_due_in: "Obavezan do %{value}"
598 label_roadmap_overdue: "%{value} kasni"
598 label_roadmap_overdue: "%{value} kasni"
599 label_roadmap_no_issues: Nema aktivnosti za ovu verziju
599 label_roadmap_no_issues: Nema aktivnosti za ovu verziju
600 label_search: Traži
600 label_search: Traži
601 label_result_plural: Rezultati
601 label_result_plural: Rezultati
602 label_all_words: Sve riječi
602 label_all_words: Sve riječi
603 label_wiki: Wiki stranice
603 label_wiki: Wiki stranice
604 label_wiki_edit: ispravka wiki-ja
604 label_wiki_edit: ispravka wiki-ja
605 label_wiki_edit_plural: ispravke wiki-ja
605 label_wiki_edit_plural: ispravke wiki-ja
606 label_wiki_page: Wiki stranica
606 label_wiki_page: Wiki stranica
607 label_wiki_page_plural: Wiki stranice
607 label_wiki_page_plural: Wiki stranice
608 label_index_by_title: Indeks prema naslovima
608 label_index_by_title: Indeks prema naslovima
609 label_index_by_date: Indeks po datumima
609 label_index_by_date: Indeks po datumima
610 label_current_version: Tekuća verzija
610 label_current_version: Tekuća verzija
611 label_preview: Pregled
611 label_preview: Pregled
612 label_feed_plural: Feeds
612 label_feed_plural: Feeds
613 label_changes_details: Detalji svih promjena
613 label_changes_details: Detalji svih promjena
614 label_issue_tracking: Evidencija aktivnosti
614 label_issue_tracking: Evidencija aktivnosti
615 label_spent_time: Utrošak vremena
615 label_spent_time: Utrošak vremena
616 label_f_hour: "%{value} sahat"
616 label_f_hour: "%{value} sahat"
617 label_f_hour_plural: "%{value} sahata"
617 label_f_hour_plural: "%{value} sahata"
618 label_time_tracking: Evidencija vremena
618 label_time_tracking: Evidencija vremena
619 label_change_plural: Promjene
619 label_change_plural: Promjene
620 label_statistics: Statistika
620 label_statistics: Statistika
621 label_commits_per_month: '"Commit"-a po mjesecu'
621 label_commits_per_month: '"Commit"-a po mjesecu'
622 label_commits_per_author: '"Commit"-a po autoru'
622 label_commits_per_author: '"Commit"-a po autoru'
623 label_view_diff: Pregled razlika
623 label_view_diff: Pregled razlika
624 label_diff_inline: zajedno
624 label_diff_inline: zajedno
625 label_diff_side_by_side: jedna pored druge
625 label_diff_side_by_side: jedna pored druge
626 label_options: Opcije
626 label_options: Opcije
627 label_copy_workflow_from: Kopiraj tok promjena statusa iz
627 label_copy_workflow_from: Kopiraj tok promjena statusa iz
628 label_permissions_report: Izvještaj
628 label_permissions_report: Izvještaj
629 label_watched_issues: Aktivnosti koje pratim
629 label_watched_issues: Aktivnosti koje pratim
630 label_related_issues: Korelirane aktivnosti
630 label_related_issues: Korelirane aktivnosti
631 label_applied_status: Status je primjenjen
631 label_applied_status: Status je primjenjen
632 label_loading: Učitavam...
632 label_loading: Učitavam...
633 label_relation_new: Nova relacija
633 label_relation_new: Nova relacija
634 label_relation_delete: Izbriši relaciju
634 label_relation_delete: Izbriši relaciju
635 label_relates_to: korelira sa
635 label_relates_to: korelira sa
636 label_duplicates: duplikat
636 label_duplicates: duplikat
637 label_duplicated_by: duplicirano od
637 label_duplicated_by: duplicirano od
638 label_blocks: blokira
638 label_blocks: blokira
639 label_blocked_by: blokirano on
639 label_blocked_by: blokirano on
640 label_precedes: predhodi
640 label_precedes: predhodi
641 label_follows: slijedi
641 label_follows: slijedi
642 label_end_to_start: 'kraj -> početak'
642 label_end_to_start: 'kraj -> početak'
643 label_end_to_end: 'kraja -> kraj'
643 label_end_to_end: 'kraja -> kraj'
644 label_start_to_start: 'početak -> početak'
644 label_start_to_start: 'početak -> početak'
645 label_start_to_end: 'početak -> kraj'
645 label_start_to_end: 'početak -> kraj'
646 label_stay_logged_in: Ostani prijavljen
646 label_stay_logged_in: Ostani prijavljen
647 label_disabled: onemogućen
647 label_disabled: onemogućen
648 label_show_completed_versions: Prikaži završene verzije
648 label_show_completed_versions: Prikaži završene verzije
649 label_me: ja
649 label_me: ja
650 label_board: Forum
650 label_board: Forum
651 label_board_new: Novi forum
651 label_board_new: Novi forum
652 label_board_plural: Forumi
652 label_board_plural: Forumi
653 label_topic_plural: Teme
653 label_topic_plural: Teme
654 label_message_plural: Poruke
654 label_message_plural: Poruke
655 label_message_last: Posljednja poruka
655 label_message_last: Posljednja poruka
656 label_message_new: Nova poruka
656 label_message_new: Nova poruka
657 label_message_posted: Poruka je dodana
657 label_message_posted: Poruka je dodana
658 label_reply_plural: Odgovori
658 label_reply_plural: Odgovori
659 label_send_information: Pošalji informaciju o korisničkom računu
659 label_send_information: Pošalji informaciju o korisničkom računu
660 label_year: Godina
660 label_year: Godina
661 label_month: Mjesec
661 label_month: Mjesec
662 label_week: Hefta
662 label_week: Hefta
663 label_date_from: Od
663 label_date_from: Od
664 label_date_to: Do
664 label_date_to: Do
665 label_language_based: Bazirano na korisnikovom jeziku
665 label_language_based: Bazirano na korisnikovom jeziku
666 label_sort_by: "Sortiraj po %{value}"
666 label_sort_by: "Sortiraj po %{value}"
667 label_send_test_email: Pošalji testni email
667 label_send_test_email: Pošalji testni email
668 label_feeds_access_key_created_on: "RSS pristupni ključ kreiran prije %{value} dana"
668 label_feeds_access_key_created_on: "RSS pristupni ključ kreiran prije %{value} dana"
669 label_module_plural: Moduli
669 label_module_plural: Moduli
670 label_added_time_by: "Dodano od %{author} prije %{age}"
670 label_added_time_by: "Dodano od %{author} prije %{age}"
671 label_updated_time_by: "Izmjenjeno od %{author} prije %{age}"
671 label_updated_time_by: "Izmjenjeno od %{author} prije %{age}"
672 label_updated_time: "Izmjenjeno prije %{value}"
672 label_updated_time: "Izmjenjeno prije %{value}"
673 label_jump_to_a_project: Skoči na projekat...
673 label_jump_to_a_project: Skoči na projekat...
674 label_file_plural: Fajlovi
674 label_file_plural: Fajlovi
675 label_changeset_plural: Setovi promjena
675 label_changeset_plural: Setovi promjena
676 label_default_columns: Podrazumjevane kolone
676 label_default_columns: Podrazumjevane kolone
677 label_no_change_option: (Bez promjene)
677 label_no_change_option: (Bez promjene)
678 label_bulk_edit_selected_issues: Ispravi odjednom odabrane aktivnosti
678 label_bulk_edit_selected_issues: Ispravi odjednom odabrane aktivnosti
679 label_theme: Tema
679 label_theme: Tema
680 label_default: Podrazumjevano
680 label_default: Podrazumjevano
681 label_search_titles_only: Pretraži samo naslove
681 label_search_titles_only: Pretraži samo naslove
682 label_user_mail_option_all: "Za bilo koji događaj na svim mojim projektima"
682 label_user_mail_option_all: "Za bilo koji događaj na svim mojim projektima"
683 label_user_mail_option_selected: "Za bilo koji događaj na odabranim projektima..."
683 label_user_mail_option_selected: "Za bilo koji događaj na odabranim projektima..."
684 label_user_mail_no_self_notified: "Ne želim notifikaciju za promjene koje sam ja napravio"
684 label_user_mail_no_self_notified: "Ne želim notifikaciju za promjene koje sam ja napravio"
685 label_registration_activation_by_email: aktivacija korisničkog računa email-om
685 label_registration_activation_by_email: aktivacija korisničkog računa email-om
686 label_registration_manual_activation: ručna aktivacija korisničkog računa
686 label_registration_manual_activation: ručna aktivacija korisničkog računa
687 label_registration_automatic_activation: automatska kreacija korisničkog računa
687 label_registration_automatic_activation: automatska kreacija korisničkog računa
688 label_display_per_page: "Po stranici: %{value}"
688 label_display_per_page: "Po stranici: %{value}"
689 label_age: Starost
689 label_age: Starost
690 label_change_properties: Promjena osobina
690 label_change_properties: Promjena osobina
691 label_general: Generalno
691 label_general: Generalno
692 label_more: Više
692 label_more: Više
693 label_scm: SCM
693 label_scm: SCM
694 label_plugins: Plugin-ovi
694 label_plugins: Plugin-ovi
695 label_ldap_authentication: LDAP authentifikacija
695 label_ldap_authentication: LDAP authentifikacija
696 label_downloads_abbr: D/L
696 label_downloads_abbr: D/L
697 label_optional_description: Opis (opciono)
697 label_optional_description: Opis (opciono)
698 label_add_another_file: Dodaj još jedan fajl
698 label_add_another_file: Dodaj još jedan fajl
699 label_preferences: Postavke
699 label_preferences: Postavke
700 label_chronological_order: Hronološki poredak
700 label_chronological_order: Hronološki poredak
701 label_reverse_chronological_order: Reverzni hronološki poredak
701 label_reverse_chronological_order: Reverzni hronološki poredak
702 label_planning: Planiranje
702 label_planning: Planiranje
703 label_incoming_emails: Dolazni email-ovi
703 label_incoming_emails: Dolazni email-ovi
704 label_generate_key: Generiši ključ
704 label_generate_key: Generiši ključ
705 label_issue_watchers: Praćeno od
705 label_issue_watchers: Praćeno od
706 label_example: Primjer
706 label_example: Primjer
707 label_display: Prikaz
707 label_display: Prikaz
708
708
709 button_apply: Primjeni
709 button_apply: Primjeni
710 button_add: Dodaj
710 button_add: Dodaj
711 button_archive: Arhiviranje
711 button_archive: Arhiviranje
712 button_back: Nazad
712 button_back: Nazad
713 button_cancel: Odustani
713 button_cancel: Odustani
714 button_change: Izmjeni
714 button_change: Izmjeni
715 button_change_password: Izmjena lozinke
715 button_change_password: Izmjena lozinke
716 button_check_all: Označi sve
716 button_check_all: Označi sve
717 button_clear: Briši
717 button_clear: Briši
718 button_copy: Kopiraj
718 button_copy: Kopiraj
719 button_create: Novi
719 button_create: Novi
720 button_delete: Briši
720 button_delete: Briši
721 button_download: Download
721 button_download: Download
722 button_edit: Ispravka
722 button_edit: Ispravka
723 button_list: Lista
723 button_list: Lista
724 button_lock: Zaključaj
724 button_lock: Zaključaj
725 button_log_time: Utrošak vremena
725 button_log_time: Utrošak vremena
726 button_login: Prijava
726 button_login: Prijava
727 button_move: Pomjeri
727 button_move: Pomjeri
728 button_rename: Promjena imena
728 button_rename: Promjena imena
729 button_reply: Odgovor
729 button_reply: Odgovor
730 button_reset: Resetuj
730 button_reset: Resetuj
731 button_rollback: Vrati predhodno stanje
731 button_rollback: Vrati predhodno stanje
732 button_save: Snimi
732 button_save: Snimi
733 button_sort: Sortiranje
733 button_sort: Sortiranje
734 button_submit: Pošalji
734 button_submit: Pošalji
735 button_test: Testiraj
735 button_test: Testiraj
736 button_unarchive: Otpakuj arhivu
736 button_unarchive: Otpakuj arhivu
737 button_uncheck_all: Isključi sve
737 button_uncheck_all: Isključi sve
738 button_unlock: Otključaj
738 button_unlock: Otključaj
739 button_unwatch: Prekini notifikaciju
739 button_unwatch: Prekini notifikaciju
740 button_update: Promjena na aktivnosti
740 button_update: Promjena na aktivnosti
741 button_view: Pregled
741 button_view: Pregled
742 button_watch: Notifikacija
742 button_watch: Notifikacija
743 button_configure: Konfiguracija
743 button_configure: Konfiguracija
744 button_quote: Citat
744 button_quote: Citat
745
745
746 status_active: aktivan
746 status_active: aktivan
747 status_registered: registrovan
747 status_registered: registrovan
748 status_locked: zaključan
748 status_locked: zaključan
749
749
750 text_select_mail_notifications: Odaberi događaje za koje će se slati email notifikacija.
750 text_select_mail_notifications: Odaberi događaje za koje će se slati email notifikacija.
751 text_regexp_info: npr. ^[A-Z0-9]+$
751 text_regexp_info: npr. ^[A-Z0-9]+$
752 text_min_max_length_info: 0 znači bez restrikcije
752 text_min_max_length_info: 0 znači bez restrikcije
753 text_project_destroy_confirmation: Sigurno želite izbrisati ovaj projekat i njegove podatke ?
753 text_project_destroy_confirmation: Sigurno želite izbrisati ovaj projekat i njegove podatke ?
754 text_subprojects_destroy_warning: "Podprojekt(i): %{value} će takođe biti izbrisani."
754 text_subprojects_destroy_warning: "Podprojekt(i): %{value} će takođe biti izbrisani."
755 text_workflow_edit: Odaberite ulogu i područje aktivnosti za ispravku toka promjena na aktivnosti
755 text_workflow_edit: Odaberite ulogu i područje aktivnosti za ispravku toka promjena na aktivnosti
756 text_are_you_sure: Da li ste sigurni ?
756 text_are_you_sure: Da li ste sigurni ?
757 text_tip_issue_begin_day: zadatak počinje danas
757 text_tip_issue_begin_day: zadatak počinje danas
758 text_tip_issue_end_day: zadatak završava danas
758 text_tip_issue_end_day: zadatak završava danas
759 text_tip_issue_begin_end_day: zadatak započinje i završava danas
759 text_tip_issue_begin_end_day: zadatak započinje i završava danas
760 text_caracters_maximum: "maksimum %{count} karaktera."
760 text_caracters_maximum: "maksimum %{count} karaktera."
761 text_caracters_minimum: "Dužina mora biti najmanje %{count} znakova."
761 text_caracters_minimum: "Dužina mora biti najmanje %{count} znakova."
762 text_length_between: "Broj znakova između %{min} i %{max}."
762 text_length_between: "Broj znakova između %{min} i %{max}."
763 text_tracker_no_workflow: Tok statusa nije definisan za ovo područje aktivnosti
763 text_tracker_no_workflow: Tok statusa nije definisan za ovo područje aktivnosti
764 text_unallowed_characters: Nedozvoljeni znakovi
764 text_unallowed_characters: Nedozvoljeni znakovi
765 text_comma_separated: Višestruke vrijednosti dozvoljene (odvojiti zarezom).
765 text_comma_separated: Višestruke vrijednosti dozvoljene (odvojiti zarezom).
766 text_issues_ref_in_commit_messages: 'Referenciranje i zatvaranje aktivnosti putem "commit" poruka'
766 text_issues_ref_in_commit_messages: 'Referenciranje i zatvaranje aktivnosti putem "commit" poruka'
767 text_issue_added: "Aktivnost %{id} je prijavljena od %{author}."
767 text_issue_added: "Aktivnost %{id} je prijavljena od %{author}."
768 text_issue_updated: "Aktivnost %{id} je izmjenjena od %{author}."
768 text_issue_updated: "Aktivnost %{id} je izmjenjena od %{author}."
769 text_wiki_destroy_confirmation: Sigurno želite izbrisati ovaj wiki i čitav njegov sadržaj ?
769 text_wiki_destroy_confirmation: Sigurno želite izbrisati ovaj wiki i čitav njegov sadržaj ?
770 text_issue_category_destroy_question: "Neke aktivnosti (%{count}) pripadaju ovoj kategoriji. Sigurno to želite uraditi ?"
770 text_issue_category_destroy_question: "Neke aktivnosti (%{count}) pripadaju ovoj kategoriji. Sigurno to želite uraditi ?"
771 text_issue_category_destroy_assignments: Ukloni kategoriju
771 text_issue_category_destroy_assignments: Ukloni kategoriju
772 text_issue_category_reassign_to: Ponovo dodijeli ovu kategoriju
772 text_issue_category_reassign_to: Ponovo dodijeli ovu kategoriju
773 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)."
773 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)."
774 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."
774 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."
775 text_load_default_configuration: Učitaj tekuću konfiguraciju
775 text_load_default_configuration: Učitaj tekuću konfiguraciju
776 text_status_changed_by_changeset: "Primjenjeno u setu promjena %{value}."
776 text_status_changed_by_changeset: "Primjenjeno u setu promjena %{value}."
777 text_issues_destroy_confirmation: 'Sigurno želite izbrisati odabranu/e aktivnost/i ?'
777 text_issues_destroy_confirmation: 'Sigurno želite izbrisati odabranu/e aktivnost/i ?'
778 text_select_project_modules: 'Odaberi module koje želite u ovom projektu:'
778 text_select_project_modules: 'Odaberi module koje želite u ovom projektu:'
779 text_default_administrator_account_changed: Tekući administratorski račun je promjenjen
779 text_default_administrator_account_changed: Tekući administratorski račun je promjenjen
780 text_file_repository_writable: U direktorij sa fajlovima koji su prilozi se može pisati
780 text_file_repository_writable: U direktorij sa fajlovima koji su prilozi se može pisati
781 text_plugin_assets_writable: U direktorij plugin-ova se može pisati
781 text_plugin_assets_writable: U direktorij plugin-ova se može pisati
782 text_rmagick_available: RMagick je dostupan (opciono)
782 text_rmagick_available: RMagick je dostupan (opciono)
783 text_destroy_time_entries_question: "%{hours} sahata je prijavljeno na aktivnostima koje želite brisati. Želite li to učiniti ?"
783 text_destroy_time_entries_question: "%{hours} sahata je prijavljeno na aktivnostima koje želite brisati. Želite li to učiniti ?"
784 text_destroy_time_entries: Izbriši prijavljeno vrijeme
784 text_destroy_time_entries: Izbriši prijavljeno vrijeme
785 text_assign_time_entries_to_project: Dodaj prijavljenoo vrijeme projektu
785 text_assign_time_entries_to_project: Dodaj prijavljenoo vrijeme projektu
786 text_reassign_time_entries: 'Preraspodjeli prijavljeno vrijeme na ovu aktivnost:'
786 text_reassign_time_entries: 'Preraspodjeli prijavljeno vrijeme na ovu aktivnost:'
787 text_user_wrote: "%{value} je napisao/la:"
787 text_user_wrote: "%{value} je napisao/la:"
788 text_enumeration_destroy_question: "Za %{count} objekata je dodjeljenja ova vrijednost."
788 text_enumeration_destroy_question: "Za %{count} objekata je dodjeljenja ova vrijednost."
789 text_enumeration_category_reassign_to: 'Ponovo im dodjeli ovu vrijednost:'
789 text_enumeration_category_reassign_to: 'Ponovo im dodjeli ovu vrijednost:'
790 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."
790 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."
791 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."
791 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."
792 text_diff_truncated: '... Ovaj prikaz razlike je odsječen pošto premašuje maksimalnu veličinu za prikaz'
792 text_diff_truncated: '... Ovaj prikaz razlike je odsječen pošto premašuje maksimalnu veličinu za prikaz'
793 text_custom_field_possible_values_info: 'Jedna linija za svaku vrijednost'
793 text_custom_field_possible_values_info: 'Jedna linija za svaku vrijednost'
794
794
795 default_role_manager: Menadžer
795 default_role_manager: Menadžer
796 default_role_developer: Programer
796 default_role_developer: Programer
797 default_role_reporter: Reporter
797 default_role_reporter: Reporter
798 default_tracker_bug: Greška
798 default_tracker_bug: Greška
799 default_tracker_feature: Nova funkcija
799 default_tracker_feature: Nova funkcija
800 default_tracker_support: Podrška
800 default_tracker_support: Podrška
801 default_issue_status_new: Novi
801 default_issue_status_new: Novi
802 default_issue_status_in_progress: In Progress
802 default_issue_status_in_progress: In Progress
803 default_issue_status_resolved: Riješen
803 default_issue_status_resolved: Riješen
804 default_issue_status_feedback: Čeka se povratna informacija
804 default_issue_status_feedback: Čeka se povratna informacija
805 default_issue_status_closed: Zatvoren
805 default_issue_status_closed: Zatvoren
806 default_issue_status_rejected: Odbijen
806 default_issue_status_rejected: Odbijen
807 default_doc_category_user: Korisnička dokumentacija
807 default_doc_category_user: Korisnička dokumentacija
808 default_doc_category_tech: Tehnička dokumentacija
808 default_doc_category_tech: Tehnička dokumentacija
809 default_priority_low: Nizak
809 default_priority_low: Nizak
810 default_priority_normal: Normalan
810 default_priority_normal: Normalan
811 default_priority_high: Visok
811 default_priority_high: Visok
812 default_priority_urgent: Urgentno
812 default_priority_urgent: Urgentno
813 default_priority_immediate: Odmah
813 default_priority_immediate: Odmah
814 default_activity_design: Dizajn
814 default_activity_design: Dizajn
815 default_activity_development: Programiranje
815 default_activity_development: Programiranje
816
816
817 enumeration_issue_priorities: Prioritet aktivnosti
817 enumeration_issue_priorities: Prioritet aktivnosti
818 enumeration_doc_categories: Kategorije dokumenata
818 enumeration_doc_categories: Kategorije dokumenata
819 enumeration_activities: Operacije (utrošak vremena)
819 enumeration_activities: Operacije (utrošak vremena)
820 notice_unable_delete_version: Ne mogu izbrisati verziju.
820 notice_unable_delete_version: Ne mogu izbrisati verziju.
821 button_create_and_continue: Kreiraj i nastavi
821 button_create_and_continue: Kreiraj i nastavi
822 button_annotate: Zabilježi
822 button_annotate: Zabilježi
823 button_activate: Aktiviraj
823 button_activate: Aktiviraj
824 label_sort: Sortiranje
824 label_sort: Sortiranje
825 label_date_from_to: Od %{start} do %{end}
825 label_date_from_to: Od %{start} do %{end}
826 label_ascending: Rastuće
826 label_ascending: Rastuće
827 label_descending: Opadajuće
827 label_descending: Opadajuće
828 label_greater_or_equal: ">="
828 label_greater_or_equal: ">="
829 label_less_or_equal: <=
829 label_less_or_equal: <=
830 text_wiki_page_destroy_question: This page has %{descendants} child page(s) and descendant(s). What do you want to do?
830 text_wiki_page_destroy_question: This page has %{descendants} child page(s) and descendant(s). What do you want to do?
831 text_wiki_page_reassign_children: Reassign child pages to this parent page
831 text_wiki_page_reassign_children: Reassign child pages to this parent page
832 text_wiki_page_nullify_children: Keep child pages as root pages
832 text_wiki_page_nullify_children: Keep child pages as root pages
833 text_wiki_page_destroy_children: Delete child pages and all their descendants
833 text_wiki_page_destroy_children: Delete child pages and all their descendants
834 setting_password_min_length: Minimum password length
834 setting_password_min_length: Minimum password length
835 field_group_by: Group results by
835 field_group_by: Group results by
836 mail_subject_wiki_content_updated: "'%{id}' wiki page has been updated"
836 mail_subject_wiki_content_updated: "'%{id}' wiki page has been updated"
837 label_wiki_content_added: Wiki page added
837 label_wiki_content_added: Wiki page added
838 mail_subject_wiki_content_added: "'%{id}' wiki page has been added"
838 mail_subject_wiki_content_added: "'%{id}' wiki page has been added"
839 mail_body_wiki_content_added: The '%{id}' wiki page has been added by %{author}.
839 mail_body_wiki_content_added: The '%{id}' wiki page has been added by %{author}.
840 label_wiki_content_updated: Wiki page updated
840 label_wiki_content_updated: Wiki page updated
841 mail_body_wiki_content_updated: The '%{id}' wiki page has been updated by %{author}.
841 mail_body_wiki_content_updated: The '%{id}' wiki page has been updated by %{author}.
842 permission_add_project: Create project
842 permission_add_project: Create project
843 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
843 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
844 label_view_all_revisions: View all revisions
844 label_view_all_revisions: View all revisions
845 label_tag: Tag
845 label_tag: Tag
846 label_branch: Branch
846 label_branch: Branch
847 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
847 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
848 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
848 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
849 text_journal_changed: "%{label} changed from %{old} to %{new}"
849 text_journal_changed: "%{label} changed from %{old} to %{new}"
850 text_journal_set_to: "%{label} set to %{value}"
850 text_journal_set_to: "%{label} set to %{value}"
851 text_journal_deleted: "%{label} deleted (%{old})"
851 text_journal_deleted: "%{label} deleted (%{old})"
852 label_group_plural: Groups
852 label_group_plural: Groups
853 label_group: Group
853 label_group: Group
854 label_group_new: New group
854 label_group_new: New group
855 label_time_entry_plural: Spent time
855 label_time_entry_plural: Spent time
856 text_journal_added: "%{label} %{value} added"
856 text_journal_added: "%{label} %{value} added"
857 field_active: Active
857 field_active: Active
858 enumeration_system_activity: System Activity
858 enumeration_system_activity: System Activity
859 permission_delete_issue_watchers: Delete watchers
859 permission_delete_issue_watchers: Delete watchers
860 version_status_closed: closed
860 version_status_closed: closed
861 version_status_locked: locked
861 version_status_locked: locked
862 version_status_open: open
862 version_status_open: open
863 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
863 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
864 label_user_anonymous: Anonymous
864 label_user_anonymous: Anonymous
865 button_move_and_follow: Move and follow
865 button_move_and_follow: Move and follow
866 setting_default_projects_modules: Default enabled modules for new projects
866 setting_default_projects_modules: Default enabled modules for new projects
867 setting_gravatar_default: Default Gravatar image
867 setting_gravatar_default: Default Gravatar image
868 field_sharing: Sharing
868 field_sharing: Sharing
869 label_version_sharing_hierarchy: With project hierarchy
869 label_version_sharing_hierarchy: With project hierarchy
870 label_version_sharing_system: With all projects
870 label_version_sharing_system: With all projects
871 label_version_sharing_descendants: With subprojects
871 label_version_sharing_descendants: With subprojects
872 label_version_sharing_tree: With project tree
872 label_version_sharing_tree: With project tree
873 label_version_sharing_none: Not shared
873 label_version_sharing_none: Not shared
874 error_can_not_archive_project: This project can not be archived
874 error_can_not_archive_project: This project can not be archived
875 button_duplicate: Duplicate
875 button_duplicate: Duplicate
876 button_copy_and_follow: Copy and follow
876 button_copy_and_follow: Copy and follow
877 label_copy_source: Source
877 label_copy_source: Source
878 setting_issue_done_ratio: Calculate the issue done ratio with
878 setting_issue_done_ratio: Calculate the issue done ratio with
879 setting_issue_done_ratio_issue_status: Use the issue status
879 setting_issue_done_ratio_issue_status: Use the issue status
880 error_issue_done_ratios_not_updated: Issue done ratios not updated.
880 error_issue_done_ratios_not_updated: Issue done ratios not updated.
881 error_workflow_copy_target: Please select target tracker(s) and role(s)
881 error_workflow_copy_target: Please select target tracker(s) and role(s)
882 setting_issue_done_ratio_issue_field: Use the issue field
882 setting_issue_done_ratio_issue_field: Use the issue field
883 label_copy_same_as_target: Same as target
883 label_copy_same_as_target: Same as target
884 label_copy_target: Target
884 label_copy_target: Target
885 notice_issue_done_ratios_updated: Issue done ratios updated.
885 notice_issue_done_ratios_updated: Issue done ratios updated.
886 error_workflow_copy_source: Please select a source tracker or role
886 error_workflow_copy_source: Please select a source tracker or role
887 label_update_issue_done_ratios: Update issue done ratios
887 label_update_issue_done_ratios: Update issue done ratios
888 setting_start_of_week: Start calendars on
888 setting_start_of_week: Start calendars on
889 permission_view_issues: View Issues
889 permission_view_issues: View Issues
890 label_display_used_statuses_only: Only display statuses that are used by this tracker
890 label_display_used_statuses_only: Only display statuses that are used by this tracker
891 label_revision_id: Revision %{value}
891 label_revision_id: Revision %{value}
892 label_api_access_key: API access key
892 label_api_access_key: API access key
893 label_api_access_key_created_on: API access key created %{value} ago
893 label_api_access_key_created_on: API access key created %{value} ago
894 label_feeds_access_key: RSS access key
894 label_feeds_access_key: RSS access key
895 notice_api_access_key_reseted: Your API access key was reset.
895 notice_api_access_key_reseted: Your API access key was reset.
896 setting_rest_api_enabled: Enable REST web service
896 setting_rest_api_enabled: Enable REST web service
897 label_missing_api_access_key: Missing an API access key
897 label_missing_api_access_key: Missing an API access key
898 label_missing_feeds_access_key: Missing a RSS access key
898 label_missing_feeds_access_key: Missing a RSS access key
899 button_show: Show
899 button_show: Show
900 text_line_separated: Multiple values allowed (one line for each value).
900 text_line_separated: Multiple values allowed (one line for each value).
901 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
901 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
902 permission_add_subprojects: Create subprojects
902 permission_add_subprojects: Create subprojects
903 label_subproject_new: New subproject
903 label_subproject_new: New subproject
904 text_own_membership_delete_confirmation: |-
904 text_own_membership_delete_confirmation: |-
905 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
905 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
906 Are you sure you want to continue?
906 Are you sure you want to continue?
907 label_close_versions: Close completed versions
907 label_close_versions: Close completed versions
908 label_board_sticky: Sticky
908 label_board_sticky: Sticky
909 label_board_locked: Locked
909 label_board_locked: Locked
910 permission_export_wiki_pages: Export wiki pages
910 permission_export_wiki_pages: Export wiki pages
911 setting_cache_formatted_text: Cache formatted text
911 setting_cache_formatted_text: Cache formatted text
912 permission_manage_project_activities: Manage project activities
912 permission_manage_project_activities: Manage project activities
913 error_unable_delete_issue_status: Unable to delete issue status
913 error_unable_delete_issue_status: Unable to delete issue status
914 label_profile: Profile
914 label_profile: Profile
915 permission_manage_subtasks: Manage subtasks
915 permission_manage_subtasks: Manage subtasks
916 field_parent_issue: Parent task
916 field_parent_issue: Parent task
917 label_subtask_plural: Subtasks
917 label_subtask_plural: Subtasks
918 label_project_copy_notifications: Send email notifications during the project copy
918 label_project_copy_notifications: Send email notifications during the project copy
919 error_can_not_delete_custom_field: Unable to delete custom field
919 error_can_not_delete_custom_field: Unable to delete custom field
920 error_unable_to_connect: Unable to connect (%{value})
920 error_unable_to_connect: Unable to connect (%{value})
921 error_can_not_remove_role: This role is in use and can not be deleted.
921 error_can_not_remove_role: This role is in use and can not be deleted.
922 error_can_not_delete_tracker: This tracker contains issues and can't be deleted.
922 error_can_not_delete_tracker: This tracker contains issues and can't be deleted.
923 field_principal: Principal
923 field_principal: Principal
924 label_my_page_block: My page block
924 label_my_page_block: My page block
925 notice_failed_to_save_members: "Failed to save member(s): %{errors}."
925 notice_failed_to_save_members: "Failed to save member(s): %{errors}."
926 text_zoom_out: Zoom out
926 text_zoom_out: Zoom out
927 text_zoom_in: Zoom in
927 text_zoom_in: Zoom in
928 notice_unable_delete_time_entry: Unable to delete time log entry.
928 notice_unable_delete_time_entry: Unable to delete time log entry.
929 label_overall_spent_time: Overall spent time
929 label_overall_spent_time: Overall spent time
930 field_time_entries: Log time
930 field_time_entries: Log time
931 project_module_gantt: Gantt
931 project_module_gantt: Gantt
932 project_module_calendar: Calendar
932 project_module_calendar: Calendar
933 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
933 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
934 text_are_you_sure_with_children: Delete issue and all child issues?
934 text_are_you_sure_with_children: Delete issue and all child issues?
935 field_text: Text field
935 field_text: Text field
936 label_user_mail_option_only_owner: Only for things I am the owner of
936 label_user_mail_option_only_owner: Only for things I am the owner of
937 setting_default_notification_option: Default notification option
937 setting_default_notification_option: Default notification option
938 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
938 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
939 label_user_mail_option_only_assigned: Only for things I am assigned to
939 label_user_mail_option_only_assigned: Only for things I am assigned to
940 label_user_mail_option_none: No events
940 label_user_mail_option_none: No events
941 field_member_of_group: Assignee's group
941 field_member_of_group: Assignee's group
942 field_assigned_to_role: Assignee's role
942 field_assigned_to_role: Assignee's role
943 notice_not_authorized_archived_project: The project you're trying to access has been archived.
943 notice_not_authorized_archived_project: The project you're trying to access has been archived.
944 label_principal_search: "Search for user or group:"
944 label_principal_search: "Search for user or group:"
945 label_user_search: "Search for user:"
945 label_user_search: "Search for user:"
946 field_visible: Visible
946 field_visible: Visible
947 setting_emails_header: Emails header
947 setting_emails_header: Emails header
948 setting_commit_logtime_activity_id: Activity for logged time
948 setting_commit_logtime_activity_id: Activity for logged time
949 text_time_logged_by_changeset: Applied in changeset %{value}.
949 text_time_logged_by_changeset: Applied in changeset %{value}.
950 setting_commit_logtime_enabled: Enable time logging
950 setting_commit_logtime_enabled: Enable time logging
951 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
951 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
952 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
952 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
953 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
953 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
954 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
954 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
955 label_my_queries: My custom queries
955 label_my_queries: My custom queries
956 text_journal_changed_no_detail: "%{label} updated"
956 text_journal_changed_no_detail: "%{label} updated"
957 label_news_comment_added: Comment added to a news
957 label_news_comment_added: Comment added to a news
958 button_expand_all: Expand all
958 button_expand_all: Expand all
959 button_collapse_all: Collapse all
959 button_collapse_all: Collapse all
960 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
960 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
961 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
961 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
962 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
962 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
963 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
963 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
964 label_role_anonymous: Anonymous
964 label_role_anonymous: Anonymous
965 label_role_non_member: Non member
965 label_role_non_member: Non member
966 label_issue_note_added: Note added
966 label_issue_note_added: Note added
967 label_issue_status_updated: Status updated
967 label_issue_status_updated: Status updated
968 label_issue_priority_updated: Priority updated
968 label_issue_priority_updated: Priority updated
969 label_issues_visibility_own: Issues created by or assigned to the user
969 label_issues_visibility_own: Issues created by or assigned to the user
970 field_issues_visibility: Issues visibility
970 field_issues_visibility: Issues visibility
971 label_issues_visibility_all: All issues
971 label_issues_visibility_all: All issues
972 permission_set_own_issues_private: Set own issues public or private
972 permission_set_own_issues_private: Set own issues public or private
973 field_is_private: Private
973 field_is_private: Private
974 permission_set_issues_private: Set issues public or private
974 permission_set_issues_private: Set issues public or private
975 label_issues_visibility_public: All non private issues
975 label_issues_visibility_public: All non private issues
976 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
976 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
977 field_commit_logs_encoding: 'Enkodiranje "commit" poruka'
977 field_commit_logs_encoding: 'Enkodiranje "commit" poruka'
978 field_scm_path_encoding: Path encoding
978 field_scm_path_encoding: Path encoding
979 text_scm_path_encoding_note: "Default: UTF-8"
979 text_scm_path_encoding_note: "Default: UTF-8"
980 field_path_to_repository: Path to repository
980 field_path_to_repository: Path to repository
981 field_root_directory: Root directory
981 field_root_directory: Root directory
982 field_cvs_module: Module
982 field_cvs_module: Module
983 field_cvsroot: CVSROOT
983 field_cvsroot: CVSROOT
984 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
984 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
985 text_scm_command: Command
985 text_scm_command: Command
986 text_scm_command_version: Version
986 text_scm_command_version: Version
987 label_git_report_last_commit: Report last commit for files and directories
987 label_git_report_last_commit: Report last commit for files and directories
988 text_scm_config: You can configure your scm commands in config/configuration.yml. Please restart the application after editing it.
988 text_scm_config: You can configure your scm commands in config/configuration.yml. Please restart the application after editing it.
989 text_scm_command_not_available: Scm command is not available. Please check settings on the administration panel.
989 text_scm_command_not_available: Scm command is not available. Please check settings on the administration panel.
990 notice_issue_successful_create: Issue %{id} created.
990 notice_issue_successful_create: Issue %{id} created.
991 label_between: between
991 label_between: between
992 setting_issue_group_assignment: Allow issue assignment to groups
992 setting_issue_group_assignment: Allow issue assignment to groups
993 label_diff: diff
993 label_diff: diff
994 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
994 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
995 description_query_sort_criteria_direction: Sort direction
995 description_query_sort_criteria_direction: Sort direction
996 description_project_scope: Search scope
996 description_project_scope: Search scope
997 description_filter: Filter
997 description_filter: Filter
998 description_user_mail_notification: Mail notification settings
998 description_user_mail_notification: Mail notification settings
999 description_date_from: Enter start date
999 description_date_from: Enter start date
1000 description_message_content: Message content
1000 description_message_content: Message content
1001 description_available_columns: Available Columns
1001 description_available_columns: Available Columns
1002 description_date_range_interval: Choose range by selecting start and end date
1002 description_date_range_interval: Choose range by selecting start and end date
1003 description_issue_category_reassign: Choose issue category
1003 description_issue_category_reassign: Choose issue category
1004 description_search: Searchfield
1004 description_search: Searchfield
1005 description_notes: Notes
1005 description_notes: Notes
1006 description_date_range_list: Choose range from list
1006 description_date_range_list: Choose range from list
1007 description_choose_project: Projects
1007 description_choose_project: Projects
1008 description_date_to: Enter end date
1008 description_date_to: Enter end date
1009 description_query_sort_criteria_attribute: Sort attribute
1009 description_query_sort_criteria_attribute: Sort attribute
1010 description_wiki_subpages_reassign: Choose new parent page
1010 description_wiki_subpages_reassign: Choose new parent page
1011 description_selected_columns: Selected Columns
1011 description_selected_columns: Selected Columns
1012 label_parent_revision: Parent
1012 label_parent_revision: Parent
1013 label_child_revision: Child
1013 label_child_revision: Child
1014 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1014 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1015 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1015 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1016 button_edit_section: Edit this section
1016 button_edit_section: Edit this section
1017 setting_repositories_encodings: Attachments and repositories encodings
1017 setting_repositories_encodings: Attachments and repositories encodings
1018 description_all_columns: All Columns
1018 description_all_columns: All Columns
1019 button_export: Export
1019 button_export: Export
1020 label_export_options: "%{export_format} export options"
1020 label_export_options: "%{export_format} export options"
1021 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1021 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1022 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1022 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1023 label_x_issues:
1023 label_x_issues:
1024 zero: 0 aktivnost
1024 zero: 0 aktivnost
1025 one: 1 aktivnost
1025 one: 1 aktivnost
1026 other: "%{count} aktivnosti"
1026 other: "%{count} aktivnosti"
1027 label_repository_new: New repository
1027 label_repository_new: New repository
1028 field_repository_is_default: Main repository
1028 field_repository_is_default: Main repository
1029 label_copy_attachments: Copy attachments
1029 label_copy_attachments: Copy attachments
1030 label_item_position: "%{position}/%{count}"
1030 label_item_position: "%{position}/%{count}"
1031 label_completed_versions: Completed versions
1031 label_completed_versions: Completed versions
1032 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1032 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1033 field_multiple: Multiple values
1033 field_multiple: Multiple values
1034 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1034 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1035 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1035 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1036 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1036 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1037 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1037 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1038 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1038 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1039 permission_manage_related_issues: Manage related issues
1039 permission_manage_related_issues: Manage related issues
1040 field_ldap_filter: LDAP filter
@@ -1,1027 +1,1028
1 # Redmine catalan translation:
1 # Redmine catalan translation:
2 # by Joan Duran
2 # by Joan Duran
3
3
4 ca:
4 ca:
5 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
5 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
6 direction: ltr
6 direction: ltr
7 date:
7 date:
8 formats:
8 formats:
9 # Use the strftime parameters for formats.
9 # Use the strftime parameters for formats.
10 # When no format has been given, it uses default.
10 # When no format has been given, it uses default.
11 # You can provide other formats here if you like!
11 # You can provide other formats here if you like!
12 default: "%d-%m-%Y"
12 default: "%d-%m-%Y"
13 short: "%e de %b"
13 short: "%e de %b"
14 long: "%a, %e de %b de %Y"
14 long: "%a, %e de %b de %Y"
15
15
16 day_names: [Diumenge, Dilluns, Dimarts, Dimecres, Dijous, Divendres, Dissabte]
16 day_names: [Diumenge, Dilluns, Dimarts, Dimecres, Dijous, Divendres, Dissabte]
17 abbr_day_names: [dg, dl, dt, dc, dj, dv, ds]
17 abbr_day_names: [dg, dl, dt, dc, dj, dv, ds]
18
18
19 # Don't forget the nil at the beginning; there's no such thing as a 0th month
19 # Don't forget the nil at the beginning; there's no such thing as a 0th month
20 month_names: [~, Gener, Febrer, Març, Abril, Maig, Juny, Juliol, Agost, Setembre, Octubre, Novembre, Desembre]
20 month_names: [~, Gener, Febrer, Març, Abril, Maig, Juny, Juliol, Agost, Setembre, Octubre, Novembre, Desembre]
21 abbr_month_names: [~, Gen, Feb, Mar, Abr, Mai, Jun, Jul, Ago, Set, Oct, Nov, Des]
21 abbr_month_names: [~, Gen, Feb, Mar, Abr, Mai, Jun, Jul, Ago, Set, Oct, Nov, Des]
22 # Used in date_select and datime_select.
22 # Used in date_select and datime_select.
23 order:
23 order:
24 - :year
24 - :year
25 - :month
25 - :month
26 - :day
26 - :day
27
27
28 time:
28 time:
29 formats:
29 formats:
30 default: "%d-%m-%Y %H:%M"
30 default: "%d-%m-%Y %H:%M"
31 time: "%H:%M"
31 time: "%H:%M"
32 short: "%e de %b, %H:%M"
32 short: "%e de %b, %H:%M"
33 long: "%a, %e de %b de %Y, %H:%M"
33 long: "%a, %e de %b de %Y, %H:%M"
34 am: "am"
34 am: "am"
35 pm: "pm"
35 pm: "pm"
36
36
37 datetime:
37 datetime:
38 distance_in_words:
38 distance_in_words:
39 half_a_minute: "mig minut"
39 half_a_minute: "mig minut"
40 less_than_x_seconds:
40 less_than_x_seconds:
41 one: "menys d'un segon"
41 one: "menys d'un segon"
42 other: "menys de %{count} segons"
42 other: "menys de %{count} segons"
43 x_seconds:
43 x_seconds:
44 one: "1 segons"
44 one: "1 segons"
45 other: "%{count} segons"
45 other: "%{count} segons"
46 less_than_x_minutes:
46 less_than_x_minutes:
47 one: "menys d'un minut"
47 one: "menys d'un minut"
48 other: "menys de %{count} minuts"
48 other: "menys de %{count} minuts"
49 x_minutes:
49 x_minutes:
50 one: "1 minut"
50 one: "1 minut"
51 other: "%{count} minuts"
51 other: "%{count} minuts"
52 about_x_hours:
52 about_x_hours:
53 one: "aproximadament 1 hora"
53 one: "aproximadament 1 hora"
54 other: "aproximadament %{count} hores"
54 other: "aproximadament %{count} hores"
55 x_days:
55 x_days:
56 one: "1 dia"
56 one: "1 dia"
57 other: "%{count} dies"
57 other: "%{count} dies"
58 about_x_months:
58 about_x_months:
59 one: "aproximadament 1 mes"
59 one: "aproximadament 1 mes"
60 other: "aproximadament %{count} mesos"
60 other: "aproximadament %{count} mesos"
61 x_months:
61 x_months:
62 one: "1 mes"
62 one: "1 mes"
63 other: "%{count} mesos"
63 other: "%{count} mesos"
64 about_x_years:
64 about_x_years:
65 one: "aproximadament 1 any"
65 one: "aproximadament 1 any"
66 other: "aproximadament %{count} anys"
66 other: "aproximadament %{count} anys"
67 over_x_years:
67 over_x_years:
68 one: "més d'un any"
68 one: "més d'un any"
69 other: "més de %{count} anys"
69 other: "més de %{count} anys"
70 almost_x_years:
70 almost_x_years:
71 one: "almost 1 year"
71 one: "almost 1 year"
72 other: "almost %{count} years"
72 other: "almost %{count} years"
73
73
74 number:
74 number:
75 # Default format for numbers
75 # Default format for numbers
76 format:
76 format:
77 separator: "."
77 separator: "."
78 delimiter: ""
78 delimiter: ""
79 precision: 3
79 precision: 3
80 human:
80 human:
81 format:
81 format:
82 delimiter: ""
82 delimiter: ""
83 precision: 1
83 precision: 1
84 storage_units:
84 storage_units:
85 format: "%n %u"
85 format: "%n %u"
86 units:
86 units:
87 byte:
87 byte:
88 one: "Byte"
88 one: "Byte"
89 other: "Bytes"
89 other: "Bytes"
90 kb: "KB"
90 kb: "KB"
91 mb: "MB"
91 mb: "MB"
92 gb: "GB"
92 gb: "GB"
93 tb: "TB"
93 tb: "TB"
94
94
95 # Used in array.to_sentence.
95 # Used in array.to_sentence.
96 support:
96 support:
97 array:
97 array:
98 sentence_connector: "i"
98 sentence_connector: "i"
99 skip_last_comma: false
99 skip_last_comma: false
100
100
101 activerecord:
101 activerecord:
102 errors:
102 errors:
103 template:
103 template:
104 header:
104 header:
105 one: "1 error prohibited this %{model} from being saved"
105 one: "1 error prohibited this %{model} from being saved"
106 other: "%{count} errors prohibited this %{model} from being saved"
106 other: "%{count} errors prohibited this %{model} from being saved"
107 messages:
107 messages:
108 inclusion: "no està inclòs a la llista"
108 inclusion: "no està inclòs a la llista"
109 exclusion: "està reservat"
109 exclusion: "està reservat"
110 invalid: "no és vàlid"
110 invalid: "no és vàlid"
111 confirmation: "la confirmació no coincideix"
111 confirmation: "la confirmació no coincideix"
112 accepted: "s'ha d'acceptar"
112 accepted: "s'ha d'acceptar"
113 empty: "no pot estar buit"
113 empty: "no pot estar buit"
114 blank: "no pot estar en blanc"
114 blank: "no pot estar en blanc"
115 too_long: "és massa llarg"
115 too_long: "és massa llarg"
116 too_short: "és massa curt"
116 too_short: "és massa curt"
117 wrong_length: "la longitud és incorrecta"
117 wrong_length: "la longitud és incorrecta"
118 taken: "ja s'està utilitzant"
118 taken: "ja s'està utilitzant"
119 not_a_number: "no és un número"
119 not_a_number: "no és un número"
120 not_a_date: "no és una data vàlida"
120 not_a_date: "no és una data vàlida"
121 greater_than: "ha de ser més gran que %{count}"
121 greater_than: "ha de ser més gran que %{count}"
122 greater_than_or_equal_to: "ha de ser més gran o igual a %{count}"
122 greater_than_or_equal_to: "ha de ser més gran o igual a %{count}"
123 equal_to: "ha de ser igual a %{count}"
123 equal_to: "ha de ser igual a %{count}"
124 less_than: "ha de ser menys que %{count}"
124 less_than: "ha de ser menys que %{count}"
125 less_than_or_equal_to: "ha de ser menys o igual a %{count}"
125 less_than_or_equal_to: "ha de ser menys o igual a %{count}"
126 odd: "ha de ser senar"
126 odd: "ha de ser senar"
127 even: "ha de ser parell"
127 even: "ha de ser parell"
128 greater_than_start_date: "ha de ser superior que la data inicial"
128 greater_than_start_date: "ha de ser superior que la data inicial"
129 not_same_project: "no pertany al mateix projecte"
129 not_same_project: "no pertany al mateix projecte"
130 circular_dependency: "Aquesta relació crearia una dependència circular"
130 circular_dependency: "Aquesta relació crearia una dependència circular"
131 cant_link_an_issue_with_a_descendant: "Un assumpte no es pot enllaçar a una de les seves subtasques"
131 cant_link_an_issue_with_a_descendant: "Un assumpte no es pot enllaçar a una de les seves subtasques"
132
132
133 actionview_instancetag_blank_option: Seleccioneu
133 actionview_instancetag_blank_option: Seleccioneu
134
134
135 general_text_No: 'No'
135 general_text_No: 'No'
136 general_text_Yes: 'Si'
136 general_text_Yes: 'Si'
137 general_text_no: 'no'
137 general_text_no: 'no'
138 general_text_yes: 'si'
138 general_text_yes: 'si'
139 general_lang_name: 'Català'
139 general_lang_name: 'Català'
140 general_csv_separator: ';'
140 general_csv_separator: ';'
141 general_csv_decimal_separator: ','
141 general_csv_decimal_separator: ','
142 general_csv_encoding: ISO-8859-15
142 general_csv_encoding: ISO-8859-15
143 general_pdf_encoding: UTF-8
143 general_pdf_encoding: UTF-8
144 general_first_day_of_week: '1'
144 general_first_day_of_week: '1'
145
145
146 notice_account_updated: "El compte s'ha actualitzat correctament."
146 notice_account_updated: "El compte s'ha actualitzat correctament."
147 notice_account_invalid_creditentials: Usuari o contrasenya invàlid
147 notice_account_invalid_creditentials: Usuari o contrasenya invàlid
148 notice_account_password_updated: "La contrasenya s'ha modificat correctament."
148 notice_account_password_updated: "La contrasenya s'ha modificat correctament."
149 notice_account_wrong_password: Contrasenya incorrecta
149 notice_account_wrong_password: Contrasenya incorrecta
150 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."
150 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."
151 notice_account_unknown_email: Usuari desconegut.
151 notice_account_unknown_email: Usuari desconegut.
152 notice_can_t_change_password: "Aquest compte utilitza una font d'autenticació externa. No és possible canviar la contrasenya."
152 notice_can_t_change_password: "Aquest compte utilitza una font d'autenticació externa. No és possible canviar la contrasenya."
153 notice_account_lost_email_sent: "S'ha enviat un correu electrònic amb instruccions per a seleccionar una contrasenya nova."
153 notice_account_lost_email_sent: "S'ha enviat un correu electrònic amb instruccions per a seleccionar una contrasenya nova."
154 notice_account_activated: "El compte s'ha activat. Ara podeu entrar."
154 notice_account_activated: "El compte s'ha activat. Ara podeu entrar."
155 notice_successful_create: "S'ha creat correctament."
155 notice_successful_create: "S'ha creat correctament."
156 notice_successful_update: "S'ha modificat correctament."
156 notice_successful_update: "S'ha modificat correctament."
157 notice_successful_delete: "S'ha suprimit correctament."
157 notice_successful_delete: "S'ha suprimit correctament."
158 notice_successful_connection: "S'ha connectat correctament."
158 notice_successful_connection: "S'ha connectat correctament."
159 notice_file_not_found: "La pàgina a la que intenteu accedir no existeix o s'ha suprimit."
159 notice_file_not_found: "La pàgina a la que intenteu accedir no existeix o s'ha suprimit."
160 notice_locking_conflict: Un altre usuari ha actualitzat les dades.
160 notice_locking_conflict: Un altre usuari ha actualitzat les dades.
161 notice_not_authorized: No teniu permís per a accedir a aquesta pàgina.
161 notice_not_authorized: No teniu permís per a accedir a aquesta pàgina.
162 notice_email_sent: "S'ha enviat un correu electrònic a %{value}"
162 notice_email_sent: "S'ha enviat un correu electrònic a %{value}"
163 notice_email_error: "S'ha produït un error en enviar el correu (%{value})"
163 notice_email_error: "S'ha produït un error en enviar el correu (%{value})"
164 notice_feeds_access_key_reseted: "S'ha reiniciat la clau d'accés del RSS."
164 notice_feeds_access_key_reseted: "S'ha reiniciat la clau d'accés del RSS."
165 notice_api_access_key_reseted: "S'ha reiniciat la clau d'accés a l'API."
165 notice_api_access_key_reseted: "S'ha reiniciat la clau d'accés a l'API."
166 notice_failed_to_save_issues: "No s'han pogut desar %{count} assumptes de %{total} seleccionats: %{ids}."
166 notice_failed_to_save_issues: "No s'han pogut desar %{count} assumptes de %{total} seleccionats: %{ids}."
167 notice_failed_to_save_members: "No s'han pogut desar els membres: %{errors}."
167 notice_failed_to_save_members: "No s'han pogut desar els membres: %{errors}."
168 notice_no_issue_selected: "No s'ha seleccionat cap assumpte. Activeu els assumptes que voleu editar."
168 notice_no_issue_selected: "No s'ha seleccionat cap assumpte. Activeu els assumptes que voleu editar."
169 notice_account_pending: "S'ha creat el compte i ara està pendent de l'aprovació de l'administrador."
169 notice_account_pending: "S'ha creat el compte i ara està pendent de l'aprovació de l'administrador."
170 notice_default_data_loaded: "S'ha carregat correctament la configuració predeterminada."
170 notice_default_data_loaded: "S'ha carregat correctament la configuració predeterminada."
171 notice_unable_delete_version: "No s'ha pogut suprimir la versió."
171 notice_unable_delete_version: "No s'ha pogut suprimir la versió."
172 notice_unable_delete_time_entry: "No s'ha pogut suprimir l'entrada del registre de temps."
172 notice_unable_delete_time_entry: "No s'ha pogut suprimir l'entrada del registre de temps."
173 notice_issue_done_ratios_updated: "S'ha actualitzat el tant per cent dels assumptes."
173 notice_issue_done_ratios_updated: "S'ha actualitzat el tant per cent dels assumptes."
174
174
175 error_can_t_load_default_data: "No s'ha pogut carregar la configuració predeterminada: %{value} "
175 error_can_t_load_default_data: "No s'ha pogut carregar la configuració predeterminada: %{value} "
176 error_scm_not_found: "No s'ha trobat l'entrada o la revisió en el dipòsit."
176 error_scm_not_found: "No s'ha trobat l'entrada o la revisió en el dipòsit."
177 error_scm_command_failed: "S'ha produït un error en intentar accedir al dipòsit: %{value}"
177 error_scm_command_failed: "S'ha produït un error en intentar accedir al dipòsit: %{value}"
178 error_scm_annotate: "L'entrada no existeix o no s'ha pogut anotar."
178 error_scm_annotate: "L'entrada no existeix o no s'ha pogut anotar."
179 error_issue_not_found_in_project: "No s'ha trobat l'assumpte o no pertany a aquest projecte"
179 error_issue_not_found_in_project: "No s'ha trobat l'assumpte o no pertany a aquest projecte"
180 error_no_tracker_in_project: "Aquest projecte no seguidor associat. Comproveu els paràmetres del projecte."
180 error_no_tracker_in_project: "Aquest projecte no seguidor associat. Comproveu els paràmetres del projecte."
181 error_no_default_issue_status: "No s'ha definit cap estat d'assumpte predeterminat. Comproveu la configuració (aneu a «Administració -> Estats de l'assumpte»)."
181 error_no_default_issue_status: "No s'ha definit cap estat d'assumpte predeterminat. Comproveu la configuració (aneu a «Administració -> Estats de l'assumpte»)."
182 error_can_not_delete_custom_field: "No s'ha pogut suprimir el camp personalitat"
182 error_can_not_delete_custom_field: "No s'ha pogut suprimir el camp personalitat"
183 error_can_not_delete_tracker: "Aquest seguidor conté assumptes i no es pot suprimir."
183 error_can_not_delete_tracker: "Aquest seguidor conté assumptes i no es pot suprimir."
184 error_can_not_remove_role: "Aquest rol s'està utilitzant i no es pot suprimir."
184 error_can_not_remove_role: "Aquest rol s'està utilitzant i no es pot suprimir."
185 error_can_not_reopen_issue_on_closed_version: "Un assumpte assignat a una versió tancada no es pot tornar a obrir"
185 error_can_not_reopen_issue_on_closed_version: "Un assumpte assignat a una versió tancada no es pot tornar a obrir"
186 error_can_not_archive_project: "Aquest projecte no es pot arxivar"
186 error_can_not_archive_project: "Aquest projecte no es pot arxivar"
187 error_issue_done_ratios_not_updated: "No s'ha actualitza el tant per cent dels assumptes."
187 error_issue_done_ratios_not_updated: "No s'ha actualitza el tant per cent dels assumptes."
188 error_workflow_copy_source: "Seleccioneu un seguidor o rol font"
188 error_workflow_copy_source: "Seleccioneu un seguidor o rol font"
189 error_workflow_copy_target: "Seleccioneu seguidors i rols objectiu"
189 error_workflow_copy_target: "Seleccioneu seguidors i rols objectiu"
190 error_unable_delete_issue_status: "No s'ha pogut suprimir l'estat de l'assumpte"
190 error_unable_delete_issue_status: "No s'ha pogut suprimir l'estat de l'assumpte"
191 error_unable_to_connect: "No s'ha pogut connectar (%{value})"
191 error_unable_to_connect: "No s'ha pogut connectar (%{value})"
192 warning_attachments_not_saved: "No s'han pogut desar %{count} fitxers."
192 warning_attachments_not_saved: "No s'han pogut desar %{count} fitxers."
193
193
194 mail_subject_lost_password: "Contrasenya de %{value}"
194 mail_subject_lost_password: "Contrasenya de %{value}"
195 mail_body_lost_password: "Per a canviar la contrasenya, feu clic en l'enllaç següent:"
195 mail_body_lost_password: "Per a canviar la contrasenya, feu clic en l'enllaç següent:"
196 mail_subject_register: "Activació del compte de %{value}"
196 mail_subject_register: "Activació del compte de %{value}"
197 mail_body_register: "Per a activar el compte, feu clic en l'enllaç següent:"
197 mail_body_register: "Per a activar el compte, feu clic en l'enllaç següent:"
198 mail_body_account_information_external: "Podeu utilitzar el compte «%{value}» per a entrar."
198 mail_body_account_information_external: "Podeu utilitzar el compte «%{value}» per a entrar."
199 mail_body_account_information: Informació del compte
199 mail_body_account_information: Informació del compte
200 mail_subject_account_activation_request: "Sol·licitud d'activació del compte de %{value}"
200 mail_subject_account_activation_request: "Sol·licitud d'activació del compte de %{value}"
201 mail_body_account_activation_request: "S'ha registrat un usuari nou (%{value}). El seu compte està pendent d'aprovació:"
201 mail_body_account_activation_request: "S'ha registrat un usuari nou (%{value}). El seu compte està pendent d'aprovació:"
202 mail_subject_reminder: "%{count} assumptes venceran els següents %{days} dies"
202 mail_subject_reminder: "%{count} assumptes venceran els següents %{days} dies"
203 mail_body_reminder: "%{count} assumptes que teniu assignades venceran els següents %{days} dies:"
203 mail_body_reminder: "%{count} assumptes que teniu assignades venceran els següents %{days} dies:"
204 mail_subject_wiki_content_added: "S'ha afegit la pàgina wiki «%{id}»"
204 mail_subject_wiki_content_added: "S'ha afegit la pàgina wiki «%{id}»"
205 mail_body_wiki_content_added: "En %{author} ha afegit la pàgina wiki «%{id}»."
205 mail_body_wiki_content_added: "En %{author} ha afegit la pàgina wiki «%{id}»."
206 mail_subject_wiki_content_updated: "S'ha actualitzat la pàgina wiki «%{id}»"
206 mail_subject_wiki_content_updated: "S'ha actualitzat la pàgina wiki «%{id}»"
207 mail_body_wiki_content_updated: "En %{author} ha actualitzat la pàgina wiki «%{id}»."
207 mail_body_wiki_content_updated: "En %{author} ha actualitzat la pàgina wiki «%{id}»."
208
208
209 gui_validation_error: 1 error
209 gui_validation_error: 1 error
210 gui_validation_error_plural: "%{count} errors"
210 gui_validation_error_plural: "%{count} errors"
211
211
212 field_name: Nom
212 field_name: Nom
213 field_description: Descripció
213 field_description: Descripció
214 field_summary: Resum
214 field_summary: Resum
215 field_is_required: Necessari
215 field_is_required: Necessari
216 field_firstname: Nom
216 field_firstname: Nom
217 field_lastname: Cognom
217 field_lastname: Cognom
218 field_mail: Correu electrònic
218 field_mail: Correu electrònic
219 field_filename: Fitxer
219 field_filename: Fitxer
220 field_filesize: Mida
220 field_filesize: Mida
221 field_downloads: Baixades
221 field_downloads: Baixades
222 field_author: Autor
222 field_author: Autor
223 field_created_on: Creat
223 field_created_on: Creat
224 field_updated_on: Actualitzat
224 field_updated_on: Actualitzat
225 field_field_format: Format
225 field_field_format: Format
226 field_is_for_all: Per a tots els projectes
226 field_is_for_all: Per a tots els projectes
227 field_possible_values: Valores possibles
227 field_possible_values: Valores possibles
228 field_regexp: Expressió regular
228 field_regexp: Expressió regular
229 field_min_length: Longitud mínima
229 field_min_length: Longitud mínima
230 field_max_length: Longitud màxima
230 field_max_length: Longitud màxima
231 field_value: Valor
231 field_value: Valor
232 field_category: Categoria
232 field_category: Categoria
233 field_title: Títol
233 field_title: Títol
234 field_project: Projecte
234 field_project: Projecte
235 field_issue: Assumpte
235 field_issue: Assumpte
236 field_status: Estat
236 field_status: Estat
237 field_notes: Notes
237 field_notes: Notes
238 field_is_closed: Assumpte tancat
238 field_is_closed: Assumpte tancat
239 field_is_default: Estat predeterminat
239 field_is_default: Estat predeterminat
240 field_tracker: Seguidor
240 field_tracker: Seguidor
241 field_subject: Tema
241 field_subject: Tema
242 field_due_date: Data de venciment
242 field_due_date: Data de venciment
243 field_assigned_to: Assignat a
243 field_assigned_to: Assignat a
244 field_priority: Prioritat
244 field_priority: Prioritat
245 field_fixed_version: Versió objectiu
245 field_fixed_version: Versió objectiu
246 field_user: Usuari
246 field_user: Usuari
247 field_principal: Principal
247 field_principal: Principal
248 field_role: Rol
248 field_role: Rol
249 field_homepage: Pàgina web
249 field_homepage: Pàgina web
250 field_is_public: Públic
250 field_is_public: Públic
251 field_parent: Subprojecte de
251 field_parent: Subprojecte de
252 field_is_in_roadmap: Assumptes mostrats en la planificació
252 field_is_in_roadmap: Assumptes mostrats en la planificació
253 field_login: Entrada
253 field_login: Entrada
254 field_mail_notification: Notificacions per correu electrònic
254 field_mail_notification: Notificacions per correu electrònic
255 field_admin: Administrador
255 field_admin: Administrador
256 field_last_login_on: Última connexió
256 field_last_login_on: Última connexió
257 field_language: Idioma
257 field_language: Idioma
258 field_effective_date: Data
258 field_effective_date: Data
259 field_password: Contrasenya
259 field_password: Contrasenya
260 field_new_password: Contrasenya nova
260 field_new_password: Contrasenya nova
261 field_password_confirmation: Confirmació
261 field_password_confirmation: Confirmació
262 field_version: Versió
262 field_version: Versió
263 field_type: Tipus
263 field_type: Tipus
264 field_host: Ordinador
264 field_host: Ordinador
265 field_port: Port
265 field_port: Port
266 field_account: Compte
266 field_account: Compte
267 field_base_dn: Base DN
267 field_base_dn: Base DN
268 field_attr_login: "Atribut d'entrada"
268 field_attr_login: "Atribut d'entrada"
269 field_attr_firstname: Atribut del nom
269 field_attr_firstname: Atribut del nom
270 field_attr_lastname: Atribut del cognom
270 field_attr_lastname: Atribut del cognom
271 field_attr_mail: Atribut del correu electrònic
271 field_attr_mail: Atribut del correu electrònic
272 field_onthefly: "Creació de l'usuari «al vol»"
272 field_onthefly: "Creació de l'usuari «al vol»"
273 field_start_date: Inici
273 field_start_date: Inici
274 field_done_ratio: "% realitzat"
274 field_done_ratio: "% realitzat"
275 field_auth_source: "Mode d'autenticació"
275 field_auth_source: "Mode d'autenticació"
276 field_hide_mail: "Oculta l'adreça de correu electrònic"
276 field_hide_mail: "Oculta l'adreça de correu electrònic"
277 field_comments: Comentari
277 field_comments: Comentari
278 field_url: URL
278 field_url: URL
279 field_start_page: Pàgina inicial
279 field_start_page: Pàgina inicial
280 field_subproject: Subprojecte
280 field_subproject: Subprojecte
281 field_hours: Hores
281 field_hours: Hores
282 field_activity: Activitat
282 field_activity: Activitat
283 field_spent_on: Data
283 field_spent_on: Data
284 field_identifier: Identificador
284 field_identifier: Identificador
285 field_is_filter: "S'ha utilitzat com a filtre"
285 field_is_filter: "S'ha utilitzat com a filtre"
286 field_issue_to: Assumpte relacionat
286 field_issue_to: Assumpte relacionat
287 field_delay: Retard
287 field_delay: Retard
288 field_assignable: Es poden assignar assumptes a aquest rol
288 field_assignable: Es poden assignar assumptes a aquest rol
289 field_redirect_existing_links: Redirigeix els enllaços existents
289 field_redirect_existing_links: Redirigeix els enllaços existents
290 field_estimated_hours: Temps previst
290 field_estimated_hours: Temps previst
291 field_column_names: Columnes
291 field_column_names: Columnes
292 field_time_entries: "Registre de temps"
292 field_time_entries: "Registre de temps"
293 field_time_zone: Zona horària
293 field_time_zone: Zona horària
294 field_searchable: Es pot cercar
294 field_searchable: Es pot cercar
295 field_default_value: Valor predeterminat
295 field_default_value: Valor predeterminat
296 field_comments_sorting: Mostra els comentaris
296 field_comments_sorting: Mostra els comentaris
297 field_parent_title: Pàgina pare
297 field_parent_title: Pàgina pare
298 field_editable: Es pot editar
298 field_editable: Es pot editar
299 field_watcher: Vigilància
299 field_watcher: Vigilància
300 field_identity_url: URL OpenID
300 field_identity_url: URL OpenID
301 field_content: Contingut
301 field_content: Contingut
302 field_group_by: "Agrupa els resultats per"
302 field_group_by: "Agrupa els resultats per"
303 field_sharing: Compartició
303 field_sharing: Compartició
304 field_parent_issue: "Tasca pare"
304 field_parent_issue: "Tasca pare"
305
305
306 setting_app_title: "Títol de l'aplicació"
306 setting_app_title: "Títol de l'aplicació"
307 setting_app_subtitle: "Subtítol de l'aplicació"
307 setting_app_subtitle: "Subtítol de l'aplicació"
308 setting_welcome_text: Text de benvinguda
308 setting_welcome_text: Text de benvinguda
309 setting_default_language: Idioma predeterminat
309 setting_default_language: Idioma predeterminat
310 setting_login_required: Es necessita autenticació
310 setting_login_required: Es necessita autenticació
311 setting_self_registration: Registre automàtic
311 setting_self_registration: Registre automàtic
312 setting_attachment_max_size: Mida màxima dels adjunts
312 setting_attachment_max_size: Mida màxima dels adjunts
313 setting_issues_export_limit: "Límit d'exportació d'assumptes"
313 setting_issues_export_limit: "Límit d'exportació d'assumptes"
314 setting_mail_from: "Adreça de correu electrònic d'emissió"
314 setting_mail_from: "Adreça de correu electrònic d'emissió"
315 setting_bcc_recipients: Vincula els destinataris de les còpies amb carbó (bcc)
315 setting_bcc_recipients: Vincula els destinataris de les còpies amb carbó (bcc)
316 setting_plain_text_mail: només text pla (no HTML)
316 setting_plain_text_mail: només text pla (no HTML)
317 setting_host_name: "Nom de l'ordinador"
317 setting_host_name: "Nom de l'ordinador"
318 setting_text_formatting: Format del text
318 setting_text_formatting: Format del text
319 setting_wiki_compression: "Comprimeix l'historial del wiki"
319 setting_wiki_compression: "Comprimeix l'historial del wiki"
320 setting_feeds_limit: Límit de contingut del canal
320 setting_feeds_limit: Límit de contingut del canal
321 setting_default_projects_public: Els projectes nous són públics per defecte
321 setting_default_projects_public: Els projectes nous són públics per defecte
322 setting_autofetch_changesets: Omple automàticament les publicacions
322 setting_autofetch_changesets: Omple automàticament les publicacions
323 setting_sys_api_enabled: Habilita el WS per a la gestió del dipòsit
323 setting_sys_api_enabled: Habilita el WS per a la gestió del dipòsit
324 setting_commit_ref_keywords: Paraules claus per a la referència
324 setting_commit_ref_keywords: Paraules claus per a la referència
325 setting_commit_fix_keywords: Paraules claus per a la correcció
325 setting_commit_fix_keywords: Paraules claus per a la correcció
326 setting_autologin: Entrada automàtica
326 setting_autologin: Entrada automàtica
327 setting_date_format: Format de la data
327 setting_date_format: Format de la data
328 setting_time_format: Format de hora
328 setting_time_format: Format de hora
329 setting_cross_project_issue_relations: "Permet les relacions d'assumptes entre projectes"
329 setting_cross_project_issue_relations: "Permet les relacions d'assumptes entre projectes"
330 setting_issue_list_default_columns: "Columnes mostrades per defecte en la llista d'assumptes"
330 setting_issue_list_default_columns: "Columnes mostrades per defecte en la llista d'assumptes"
331 setting_emails_footer: Peu dels correus electrònics
331 setting_emails_footer: Peu dels correus electrònics
332 setting_protocol: Protocol
332 setting_protocol: Protocol
333 setting_per_page_options: Opcions dels objectes per pàgina
333 setting_per_page_options: Opcions dels objectes per pàgina
334 setting_user_format: "Format de com mostrar l'usuari"
334 setting_user_format: "Format de com mostrar l'usuari"
335 setting_activity_days_default: "Dies a mostrar l'activitat del projecte"
335 setting_activity_days_default: "Dies a mostrar l'activitat del projecte"
336 setting_display_subprojects_issues: "Mostra els assumptes d'un subprojecte en el projecte pare per defecte"
336 setting_display_subprojects_issues: "Mostra els assumptes d'un subprojecte en el projecte pare per defecte"
337 setting_enabled_scm: "Habilita l'SCM"
337 setting_enabled_scm: "Habilita l'SCM"
338 setting_mail_handler_body_delimiters: "Trunca els correus electrònics després d'una d'aquestes línies"
338 setting_mail_handler_body_delimiters: "Trunca els correus electrònics després d'una d'aquestes línies"
339 setting_mail_handler_api_enabled: "Habilita el WS per correus electrònics d'entrada"
339 setting_mail_handler_api_enabled: "Habilita el WS per correus electrònics d'entrada"
340 setting_mail_handler_api_key: Clau API
340 setting_mail_handler_api_key: Clau API
341 setting_sequential_project_identifiers: Genera identificadors de projecte seqüencials
341 setting_sequential_project_identifiers: Genera identificadors de projecte seqüencials
342 setting_gravatar_enabled: "Utilitza les icones d'usuari Gravatar"
342 setting_gravatar_enabled: "Utilitza les icones d'usuari Gravatar"
343 setting_gravatar_default: "Imatge Gravatar predeterminada"
343 setting_gravatar_default: "Imatge Gravatar predeterminada"
344 setting_diff_max_lines_displayed: Número màxim de línies amb diferències mostrades
344 setting_diff_max_lines_displayed: Número màxim de línies amb diferències mostrades
345 setting_file_max_size_displayed: Mida màxima dels fitxers de text mostrats en línia
345 setting_file_max_size_displayed: Mida màxima dels fitxers de text mostrats en línia
346 setting_repository_log_display_limit: Número màxim de revisions que es mostren al registre de fitxers
346 setting_repository_log_display_limit: Número màxim de revisions que es mostren al registre de fitxers
347 setting_openid: "Permet entrar i registrar-se amb l'OpenID"
347 setting_openid: "Permet entrar i registrar-se amb l'OpenID"
348 setting_password_min_length: "Longitud mínima de la contrasenya"
348 setting_password_min_length: "Longitud mínima de la contrasenya"
349 setting_new_project_user_role_id: "Aquest rol es dóna a un usuari no administrador per a crear projectes"
349 setting_new_project_user_role_id: "Aquest rol es dóna a un usuari no administrador per a crear projectes"
350 setting_default_projects_modules: "Mòduls activats per defecte en els projectes nous"
350 setting_default_projects_modules: "Mòduls activats per defecte en els projectes nous"
351 setting_issue_done_ratio: "Calcula tant per cent realitzat de l'assumpte amb"
351 setting_issue_done_ratio: "Calcula tant per cent realitzat de l'assumpte amb"
352 setting_issue_done_ratio_issue_status: "Utilitza l'estat de l'assumpte"
352 setting_issue_done_ratio_issue_status: "Utilitza l'estat de l'assumpte"
353 setting_issue_done_ratio_issue_field: "Utilitza el camp de l'assumpte"
353 setting_issue_done_ratio_issue_field: "Utilitza el camp de l'assumpte"
354 setting_start_of_week: "Inicia les setmanes en"
354 setting_start_of_week: "Inicia les setmanes en"
355 setting_rest_api_enabled: "Habilita el servei web REST"
355 setting_rest_api_enabled: "Habilita el servei web REST"
356 setting_cache_formatted_text: Cache formatted text
356 setting_cache_formatted_text: Cache formatted text
357
357
358 permission_add_project: "Crea projectes"
358 permission_add_project: "Crea projectes"
359 permission_add_subprojects: "Crea subprojectes"
359 permission_add_subprojects: "Crea subprojectes"
360 permission_edit_project: Edita el projecte
360 permission_edit_project: Edita el projecte
361 permission_select_project_modules: Selecciona els mòduls del projecte
361 permission_select_project_modules: Selecciona els mòduls del projecte
362 permission_manage_members: Gestiona els membres
362 permission_manage_members: Gestiona els membres
363 permission_manage_project_activities: "Gestiona les activitats del projecte"
363 permission_manage_project_activities: "Gestiona les activitats del projecte"
364 permission_manage_versions: Gestiona les versions
364 permission_manage_versions: Gestiona les versions
365 permission_manage_categories: Gestiona les categories dels assumptes
365 permission_manage_categories: Gestiona les categories dels assumptes
366 permission_view_issues: "Visualitza els assumptes"
366 permission_view_issues: "Visualitza els assumptes"
367 permission_add_issues: Afegeix assumptes
367 permission_add_issues: Afegeix assumptes
368 permission_edit_issues: Edita els assumptes
368 permission_edit_issues: Edita els assumptes
369 permission_manage_issue_relations: Gestiona les relacions dels assumptes
369 permission_manage_issue_relations: Gestiona les relacions dels assumptes
370 permission_add_issue_notes: Afegeix notes
370 permission_add_issue_notes: Afegeix notes
371 permission_edit_issue_notes: Edita les notes
371 permission_edit_issue_notes: Edita les notes
372 permission_edit_own_issue_notes: Edita les notes pròpies
372 permission_edit_own_issue_notes: Edita les notes pròpies
373 permission_move_issues: Mou els assumptes
373 permission_move_issues: Mou els assumptes
374 permission_delete_issues: Suprimeix els assumptes
374 permission_delete_issues: Suprimeix els assumptes
375 permission_manage_public_queries: Gestiona les consultes públiques
375 permission_manage_public_queries: Gestiona les consultes públiques
376 permission_save_queries: Desa les consultes
376 permission_save_queries: Desa les consultes
377 permission_view_gantt: Visualitza la gràfica de Gantt
377 permission_view_gantt: Visualitza la gràfica de Gantt
378 permission_view_calendar: Visualitza el calendari
378 permission_view_calendar: Visualitza el calendari
379 permission_view_issue_watchers: Visualitza la llista de vigilàncies
379 permission_view_issue_watchers: Visualitza la llista de vigilàncies
380 permission_add_issue_watchers: Afegeix vigilàncies
380 permission_add_issue_watchers: Afegeix vigilàncies
381 permission_delete_issue_watchers: Suprimeix els vigilants
381 permission_delete_issue_watchers: Suprimeix els vigilants
382 permission_log_time: Registra el temps invertit
382 permission_log_time: Registra el temps invertit
383 permission_view_time_entries: Visualitza el temps invertit
383 permission_view_time_entries: Visualitza el temps invertit
384 permission_edit_time_entries: Edita els registres de temps
384 permission_edit_time_entries: Edita els registres de temps
385 permission_edit_own_time_entries: Edita els registres de temps propis
385 permission_edit_own_time_entries: Edita els registres de temps propis
386 permission_manage_news: Gestiona les noticies
386 permission_manage_news: Gestiona les noticies
387 permission_comment_news: Comenta les noticies
387 permission_comment_news: Comenta les noticies
388 permission_manage_documents: Gestiona els documents
388 permission_manage_documents: Gestiona els documents
389 permission_view_documents: Visualitza els documents
389 permission_view_documents: Visualitza els documents
390 permission_manage_files: Gestiona els fitxers
390 permission_manage_files: Gestiona els fitxers
391 permission_view_files: Visualitza els fitxers
391 permission_view_files: Visualitza els fitxers
392 permission_manage_wiki: Gestiona el wiki
392 permission_manage_wiki: Gestiona el wiki
393 permission_rename_wiki_pages: Canvia el nom de les pàgines wiki
393 permission_rename_wiki_pages: Canvia el nom de les pàgines wiki
394 permission_delete_wiki_pages: Suprimeix les pàgines wiki
394 permission_delete_wiki_pages: Suprimeix les pàgines wiki
395 permission_view_wiki_pages: Visualitza el wiki
395 permission_view_wiki_pages: Visualitza el wiki
396 permission_view_wiki_edits: "Visualitza l'historial del wiki"
396 permission_view_wiki_edits: "Visualitza l'historial del wiki"
397 permission_edit_wiki_pages: Edita les pàgines wiki
397 permission_edit_wiki_pages: Edita les pàgines wiki
398 permission_delete_wiki_pages_attachments: Suprimeix adjunts
398 permission_delete_wiki_pages_attachments: Suprimeix adjunts
399 permission_protect_wiki_pages: Protegeix les pàgines wiki
399 permission_protect_wiki_pages: Protegeix les pàgines wiki
400 permission_manage_repository: Gestiona el dipòsit
400 permission_manage_repository: Gestiona el dipòsit
401 permission_browse_repository: Navega pel dipòsit
401 permission_browse_repository: Navega pel dipòsit
402 permission_view_changesets: Visualitza els canvis realitzats
402 permission_view_changesets: Visualitza els canvis realitzats
403 permission_commit_access: Accés a les publicacions
403 permission_commit_access: Accés a les publicacions
404 permission_manage_boards: Gestiona els taulers
404 permission_manage_boards: Gestiona els taulers
405 permission_view_messages: Visualitza els missatges
405 permission_view_messages: Visualitza els missatges
406 permission_add_messages: Envia missatges
406 permission_add_messages: Envia missatges
407 permission_edit_messages: Edita els missatges
407 permission_edit_messages: Edita els missatges
408 permission_edit_own_messages: Edita els missatges propis
408 permission_edit_own_messages: Edita els missatges propis
409 permission_delete_messages: Suprimeix els missatges
409 permission_delete_messages: Suprimeix els missatges
410 permission_delete_own_messages: Suprimeix els missatges propis
410 permission_delete_own_messages: Suprimeix els missatges propis
411 permission_export_wiki_pages: "Exporta les pàgines wiki"
411 permission_export_wiki_pages: "Exporta les pàgines wiki"
412 permission_manage_subtasks: "Gestiona subtasques"
412 permission_manage_subtasks: "Gestiona subtasques"
413
413
414 project_module_issue_tracking: "Seguidor d'assumptes"
414 project_module_issue_tracking: "Seguidor d'assumptes"
415 project_module_time_tracking: Seguidor de temps
415 project_module_time_tracking: Seguidor de temps
416 project_module_news: Noticies
416 project_module_news: Noticies
417 project_module_documents: Documents
417 project_module_documents: Documents
418 project_module_files: Fitxers
418 project_module_files: Fitxers
419 project_module_wiki: Wiki
419 project_module_wiki: Wiki
420 project_module_repository: Dipòsit
420 project_module_repository: Dipòsit
421 project_module_boards: Taulers
421 project_module_boards: Taulers
422 project_module_calendar: Calendari
422 project_module_calendar: Calendari
423 project_module_gantt: Gantt
423 project_module_gantt: Gantt
424
424
425 label_user: Usuari
425 label_user: Usuari
426 label_user_plural: Usuaris
426 label_user_plural: Usuaris
427 label_user_new: Usuari nou
427 label_user_new: Usuari nou
428 label_user_anonymous: Anònim
428 label_user_anonymous: Anònim
429 label_project: Projecte
429 label_project: Projecte
430 label_project_new: Projecte nou
430 label_project_new: Projecte nou
431 label_project_plural: Projectes
431 label_project_plural: Projectes
432 label_x_projects:
432 label_x_projects:
433 zero: cap projecte
433 zero: cap projecte
434 one: 1 projecte
434 one: 1 projecte
435 other: "%{count} projectes"
435 other: "%{count} projectes"
436 label_project_all: Tots els projectes
436 label_project_all: Tots els projectes
437 label_project_latest: Els últims projectes
437 label_project_latest: Els últims projectes
438 label_issue: Assumpte
438 label_issue: Assumpte
439 label_issue_new: Assumpte nou
439 label_issue_new: Assumpte nou
440 label_issue_plural: Assumptes
440 label_issue_plural: Assumptes
441 label_issue_view_all: Visualitza tots els assumptes
441 label_issue_view_all: Visualitza tots els assumptes
442 label_issues_by: "Assumptes per %{value}"
442 label_issues_by: "Assumptes per %{value}"
443 label_issue_added: Assumpte afegit
443 label_issue_added: Assumpte afegit
444 label_issue_updated: Assumpte actualitzat
444 label_issue_updated: Assumpte actualitzat
445 label_document: Document
445 label_document: Document
446 label_document_new: Document nou
446 label_document_new: Document nou
447 label_document_plural: Documents
447 label_document_plural: Documents
448 label_document_added: Document afegit
448 label_document_added: Document afegit
449 label_role: Rol
449 label_role: Rol
450 label_role_plural: Rols
450 label_role_plural: Rols
451 label_role_new: Rol nou
451 label_role_new: Rol nou
452 label_role_and_permissions: Rols i permisos
452 label_role_and_permissions: Rols i permisos
453 label_member: Membre
453 label_member: Membre
454 label_member_new: Membre nou
454 label_member_new: Membre nou
455 label_member_plural: Membres
455 label_member_plural: Membres
456 label_tracker: Seguidor
456 label_tracker: Seguidor
457 label_tracker_plural: Seguidors
457 label_tracker_plural: Seguidors
458 label_tracker_new: Seguidor nou
458 label_tracker_new: Seguidor nou
459 label_workflow: Flux de treball
459 label_workflow: Flux de treball
460 label_issue_status: "Estat de l'assumpte"
460 label_issue_status: "Estat de l'assumpte"
461 label_issue_status_plural: "Estats de l'assumpte"
461 label_issue_status_plural: "Estats de l'assumpte"
462 label_issue_status_new: Estat nou
462 label_issue_status_new: Estat nou
463 label_issue_category: "Categoria de l'assumpte"
463 label_issue_category: "Categoria de l'assumpte"
464 label_issue_category_plural: "Categories de l'assumpte"
464 label_issue_category_plural: "Categories de l'assumpte"
465 label_issue_category_new: Categoria nova
465 label_issue_category_new: Categoria nova
466 label_custom_field: Camp personalitzat
466 label_custom_field: Camp personalitzat
467 label_custom_field_plural: Camps personalitzats
467 label_custom_field_plural: Camps personalitzats
468 label_custom_field_new: Camp personalitzat nou
468 label_custom_field_new: Camp personalitzat nou
469 label_enumerations: Enumeracions
469 label_enumerations: Enumeracions
470 label_enumeration_new: Valor nou
470 label_enumeration_new: Valor nou
471 label_information: Informació
471 label_information: Informació
472 label_information_plural: Informació
472 label_information_plural: Informació
473 label_please_login: Entreu
473 label_please_login: Entreu
474 label_register: Registre
474 label_register: Registre
475 label_login_with_open_id_option: "o entra amb l'OpenID"
475 label_login_with_open_id_option: "o entra amb l'OpenID"
476 label_password_lost: Contrasenya perduda
476 label_password_lost: Contrasenya perduda
477 label_home: Inici
477 label_home: Inici
478 label_my_page: La meva pàgina
478 label_my_page: La meva pàgina
479 label_my_account: El meu compte
479 label_my_account: El meu compte
480 label_my_projects: Els meus projectes
480 label_my_projects: Els meus projectes
481 label_my_page_block: "Els meus blocs de pàgina"
481 label_my_page_block: "Els meus blocs de pàgina"
482 label_administration: Administració
482 label_administration: Administració
483 label_login: Entra
483 label_login: Entra
484 label_logout: Surt
484 label_logout: Surt
485 label_help: Ajuda
485 label_help: Ajuda
486 label_reported_issues: Assumptes informats
486 label_reported_issues: Assumptes informats
487 label_assigned_to_me_issues: Assumptes assignats a mi
487 label_assigned_to_me_issues: Assumptes assignats a mi
488 label_last_login: Última connexió
488 label_last_login: Última connexió
489 label_registered_on: Informat el
489 label_registered_on: Informat el
490 label_activity: Activitat
490 label_activity: Activitat
491 label_overall_activity: Activitat global
491 label_overall_activity: Activitat global
492 label_user_activity: "Activitat de %{value}"
492 label_user_activity: "Activitat de %{value}"
493 label_new: Nou
493 label_new: Nou
494 label_logged_as: Heu entrat com a
494 label_logged_as: Heu entrat com a
495 label_environment: Entorn
495 label_environment: Entorn
496 label_authentication: Autenticació
496 label_authentication: Autenticació
497 label_auth_source: "Mode d'autenticació"
497 label_auth_source: "Mode d'autenticació"
498 label_auth_source_new: "Mode d'autenticació nou"
498 label_auth_source_new: "Mode d'autenticació nou"
499 label_auth_source_plural: "Modes d'autenticació"
499 label_auth_source_plural: "Modes d'autenticació"
500 label_subproject_plural: Subprojectes
500 label_subproject_plural: Subprojectes
501 label_subproject_new: "Subprojecte nou"
501 label_subproject_new: "Subprojecte nou"
502 label_and_its_subprojects: "%{value} i els seus subprojectes"
502 label_and_its_subprojects: "%{value} i els seus subprojectes"
503 label_min_max_length: Longitud mín - max
503 label_min_max_length: Longitud mín - max
504 label_list: Llist
504 label_list: Llist
505 label_date: Data
505 label_date: Data
506 label_integer: Enter
506 label_integer: Enter
507 label_float: Flotant
507 label_float: Flotant
508 label_boolean: Booleà
508 label_boolean: Booleà
509 label_string: Text
509 label_string: Text
510 label_text: Text llarg
510 label_text: Text llarg
511 label_attribute: Atribut
511 label_attribute: Atribut
512 label_attribute_plural: Atributs
512 label_attribute_plural: Atributs
513 label_download: "%{count} baixada"
513 label_download: "%{count} baixada"
514 label_download_plural: "%{count} baixades"
514 label_download_plural: "%{count} baixades"
515 label_no_data: Sense dades a mostrar
515 label_no_data: Sense dades a mostrar
516 label_change_status: "Canvia l'estat"
516 label_change_status: "Canvia l'estat"
517 label_history: Historial
517 label_history: Historial
518 label_attachment: Fitxer
518 label_attachment: Fitxer
519 label_attachment_new: Fitxer nou
519 label_attachment_new: Fitxer nou
520 label_attachment_delete: Suprimeix el fitxer
520 label_attachment_delete: Suprimeix el fitxer
521 label_attachment_plural: Fitxers
521 label_attachment_plural: Fitxers
522 label_file_added: Fitxer afegit
522 label_file_added: Fitxer afegit
523 label_report: Informe
523 label_report: Informe
524 label_report_plural: Informes
524 label_report_plural: Informes
525 label_news: Noticies
525 label_news: Noticies
526 label_news_new: Afegeix noticies
526 label_news_new: Afegeix noticies
527 label_news_plural: Noticies
527 label_news_plural: Noticies
528 label_news_latest: Últimes noticies
528 label_news_latest: Últimes noticies
529 label_news_view_all: Visualitza totes les noticies
529 label_news_view_all: Visualitza totes les noticies
530 label_news_added: Noticies afegides
530 label_news_added: Noticies afegides
531 label_settings: Paràmetres
531 label_settings: Paràmetres
532 label_overview: Resum
532 label_overview: Resum
533 label_version: Versió
533 label_version: Versió
534 label_version_new: Versió nova
534 label_version_new: Versió nova
535 label_version_plural: Versions
535 label_version_plural: Versions
536 label_close_versions: "Tanca les versions completades"
536 label_close_versions: "Tanca les versions completades"
537 label_confirmation: Confirmació
537 label_confirmation: Confirmació
538 label_export_to: "També disponible a:"
538 label_export_to: "També disponible a:"
539 label_read: Llegeix...
539 label_read: Llegeix...
540 label_public_projects: Projectes públics
540 label_public_projects: Projectes públics
541 label_open_issues: obert
541 label_open_issues: obert
542 label_open_issues_plural: oberts
542 label_open_issues_plural: oberts
543 label_closed_issues: tancat
543 label_closed_issues: tancat
544 label_closed_issues_plural: tancats
544 label_closed_issues_plural: tancats
545 label_x_open_issues_abbr_on_total:
545 label_x_open_issues_abbr_on_total:
546 zero: 0 oberts / %{total}
546 zero: 0 oberts / %{total}
547 one: 1 obert / %{total}
547 one: 1 obert / %{total}
548 other: "%{count} oberts / %{total}"
548 other: "%{count} oberts / %{total}"
549 label_x_open_issues_abbr:
549 label_x_open_issues_abbr:
550 zero: 0 oberts
550 zero: 0 oberts
551 one: 1 obert
551 one: 1 obert
552 other: "%{count} oberts"
552 other: "%{count} oberts"
553 label_x_closed_issues_abbr:
553 label_x_closed_issues_abbr:
554 zero: 0 tancats
554 zero: 0 tancats
555 one: 1 tancat
555 one: 1 tancat
556 other: "%{count} tancats"
556 other: "%{count} tancats"
557 label_total: Total
557 label_total: Total
558 label_permissions: Permisos
558 label_permissions: Permisos
559 label_current_status: Estat actual
559 label_current_status: Estat actual
560 label_new_statuses_allowed: Nous estats autoritzats
560 label_new_statuses_allowed: Nous estats autoritzats
561 label_all: tots
561 label_all: tots
562 label_none: cap
562 label_none: cap
563 label_nobody: ningú
563 label_nobody: ningú
564 label_next: Següent
564 label_next: Següent
565 label_previous: Anterior
565 label_previous: Anterior
566 label_used_by: Utilitzat per
566 label_used_by: Utilitzat per
567 label_details: Detalls
567 label_details: Detalls
568 label_add_note: Afegeix una nota
568 label_add_note: Afegeix una nota
569 label_per_page: Per pàgina
569 label_per_page: Per pàgina
570 label_calendar: Calendari
570 label_calendar: Calendari
571 label_months_from: mesos des de
571 label_months_from: mesos des de
572 label_gantt: Gantt
572 label_gantt: Gantt
573 label_internal: Intern
573 label_internal: Intern
574 label_last_changes: "últims %{count} canvis"
574 label_last_changes: "últims %{count} canvis"
575 label_change_view_all: Visualitza tots els canvis
575 label_change_view_all: Visualitza tots els canvis
576 label_personalize_page: Personalitza aquesta pàgina
576 label_personalize_page: Personalitza aquesta pàgina
577 label_comment: Comentari
577 label_comment: Comentari
578 label_comment_plural: Comentaris
578 label_comment_plural: Comentaris
579 label_x_comments:
579 label_x_comments:
580 zero: sense comentaris
580 zero: sense comentaris
581 one: 1 comentari
581 one: 1 comentari
582 other: "%{count} comentaris"
582 other: "%{count} comentaris"
583 label_comment_add: Afegeix un comentari
583 label_comment_add: Afegeix un comentari
584 label_comment_added: Comentari afegit
584 label_comment_added: Comentari afegit
585 label_comment_delete: Suprimeix comentaris
585 label_comment_delete: Suprimeix comentaris
586 label_query: Consulta personalitzada
586 label_query: Consulta personalitzada
587 label_query_plural: Consultes personalitzades
587 label_query_plural: Consultes personalitzades
588 label_query_new: Consulta nova
588 label_query_new: Consulta nova
589 label_filter_add: Afegeix un filtre
589 label_filter_add: Afegeix un filtre
590 label_filter_plural: Filtres
590 label_filter_plural: Filtres
591 label_equals: és
591 label_equals: és
592 label_not_equals: no és
592 label_not_equals: no és
593 label_in_less_than: en menys de
593 label_in_less_than: en menys de
594 label_in_more_than: en més de
594 label_in_more_than: en més de
595 label_greater_or_equal: ">="
595 label_greater_or_equal: ">="
596 label_less_or_equal: <=
596 label_less_or_equal: <=
597 label_in: en
597 label_in: en
598 label_today: avui
598 label_today: avui
599 label_all_time: tot el temps
599 label_all_time: tot el temps
600 label_yesterday: ahir
600 label_yesterday: ahir
601 label_this_week: aquesta setmana
601 label_this_week: aquesta setmana
602 label_last_week: "l'última setmana"
602 label_last_week: "l'última setmana"
603 label_last_n_days: "els últims %{count} dies"
603 label_last_n_days: "els últims %{count} dies"
604 label_this_month: aquest més
604 label_this_month: aquest més
605 label_last_month: "l'últim més"
605 label_last_month: "l'últim més"
606 label_this_year: aquest any
606 label_this_year: aquest any
607 label_date_range: Abast de les dates
607 label_date_range: Abast de les dates
608 label_less_than_ago: fa menys de
608 label_less_than_ago: fa menys de
609 label_more_than_ago: fa més de
609 label_more_than_ago: fa més de
610 label_ago: fa
610 label_ago: fa
611 label_contains: conté
611 label_contains: conté
612 label_not_contains: no conté
612 label_not_contains: no conté
613 label_day_plural: dies
613 label_day_plural: dies
614 label_repository: Dipòsit
614 label_repository: Dipòsit
615 label_repository_plural: Dipòsits
615 label_repository_plural: Dipòsits
616 label_browse: Navega
616 label_browse: Navega
617 label_modification: "%{count} canvi"
617 label_modification: "%{count} canvi"
618 label_modification_plural: "%{count} canvis"
618 label_modification_plural: "%{count} canvis"
619 label_branch: Branca
619 label_branch: Branca
620 label_tag: Etiqueta
620 label_tag: Etiqueta
621 label_revision: Revisió
621 label_revision: Revisió
622 label_revision_plural: Revisions
622 label_revision_plural: Revisions
623 label_revision_id: "Revisió %{value}"
623 label_revision_id: "Revisió %{value}"
624 label_associated_revisions: Revisions associades
624 label_associated_revisions: Revisions associades
625 label_added: afegit
625 label_added: afegit
626 label_modified: modificat
626 label_modified: modificat
627 label_copied: copiat
627 label_copied: copiat
628 label_renamed: reanomenat
628 label_renamed: reanomenat
629 label_deleted: suprimit
629 label_deleted: suprimit
630 label_latest_revision: Última revisió
630 label_latest_revision: Última revisió
631 label_latest_revision_plural: Últimes revisions
631 label_latest_revision_plural: Últimes revisions
632 label_view_revisions: Visualitza les revisions
632 label_view_revisions: Visualitza les revisions
633 label_view_all_revisions: "Visualitza totes les revisions"
633 label_view_all_revisions: "Visualitza totes les revisions"
634 label_max_size: Mida màxima
634 label_max_size: Mida màxima
635 label_sort_highest: Mou a la part superior
635 label_sort_highest: Mou a la part superior
636 label_sort_higher: Mou cap amunt
636 label_sort_higher: Mou cap amunt
637 label_sort_lower: Mou cap avall
637 label_sort_lower: Mou cap avall
638 label_sort_lowest: Mou a la part inferior
638 label_sort_lowest: Mou a la part inferior
639 label_roadmap: Planificació
639 label_roadmap: Planificació
640 label_roadmap_due_in: "Venç en %{value}"
640 label_roadmap_due_in: "Venç en %{value}"
641 label_roadmap_overdue: "%{value} tard"
641 label_roadmap_overdue: "%{value} tard"
642 label_roadmap_no_issues: No hi ha assumptes per a aquesta versió
642 label_roadmap_no_issues: No hi ha assumptes per a aquesta versió
643 label_search: Cerca
643 label_search: Cerca
644 label_result_plural: Resultats
644 label_result_plural: Resultats
645 label_all_words: Totes les paraules
645 label_all_words: Totes les paraules
646 label_wiki: Wiki
646 label_wiki: Wiki
647 label_wiki_edit: Edició wiki
647 label_wiki_edit: Edició wiki
648 label_wiki_edit_plural: Edicions wiki
648 label_wiki_edit_plural: Edicions wiki
649 label_wiki_page: Pàgina wiki
649 label_wiki_page: Pàgina wiki
650 label_wiki_page_plural: Pàgines wiki
650 label_wiki_page_plural: Pàgines wiki
651 label_index_by_title: Índex per títol
651 label_index_by_title: Índex per títol
652 label_index_by_date: Índex per data
652 label_index_by_date: Índex per data
653 label_current_version: Versió actual
653 label_current_version: Versió actual
654 label_preview: Previsualització
654 label_preview: Previsualització
655 label_feed_plural: Canals
655 label_feed_plural: Canals
656 label_changes_details: Detalls de tots els canvis
656 label_changes_details: Detalls de tots els canvis
657 label_issue_tracking: "Seguiment d'assumptes"
657 label_issue_tracking: "Seguiment d'assumptes"
658 label_spent_time: Temps invertit
658 label_spent_time: Temps invertit
659 label_overall_spent_time: "Temps total invertit"
659 label_overall_spent_time: "Temps total invertit"
660 label_f_hour: "%{value} hora"
660 label_f_hour: "%{value} hora"
661 label_f_hour_plural: "%{value} hores"
661 label_f_hour_plural: "%{value} hores"
662 label_time_tracking: Temps de seguiment
662 label_time_tracking: Temps de seguiment
663 label_change_plural: Canvis
663 label_change_plural: Canvis
664 label_statistics: Estadístiques
664 label_statistics: Estadístiques
665 label_commits_per_month: Publicacions per mes
665 label_commits_per_month: Publicacions per mes
666 label_commits_per_author: Publicacions per autor
666 label_commits_per_author: Publicacions per autor
667 label_view_diff: Visualitza les diferències
667 label_view_diff: Visualitza les diferències
668 label_diff_inline: en línia
668 label_diff_inline: en línia
669 label_diff_side_by_side: costat per costat
669 label_diff_side_by_side: costat per costat
670 label_options: Opcions
670 label_options: Opcions
671 label_copy_workflow_from: Copia el flux de treball des de
671 label_copy_workflow_from: Copia el flux de treball des de
672 label_permissions_report: Informe de permisos
672 label_permissions_report: Informe de permisos
673 label_watched_issues: Assumptes vigilats
673 label_watched_issues: Assumptes vigilats
674 label_related_issues: Assumptes relacionats
674 label_related_issues: Assumptes relacionats
675 label_applied_status: Estat aplicat
675 label_applied_status: Estat aplicat
676 label_loading: "S'està carregant..."
676 label_loading: "S'està carregant..."
677 label_relation_new: Relació nova
677 label_relation_new: Relació nova
678 label_relation_delete: Suprimeix la relació
678 label_relation_delete: Suprimeix la relació
679 label_relates_to: relacionat amb
679 label_relates_to: relacionat amb
680 label_duplicates: duplicats
680 label_duplicates: duplicats
681 label_duplicated_by: duplicat per
681 label_duplicated_by: duplicat per
682 label_blocks: bloqueja
682 label_blocks: bloqueja
683 label_blocked_by: bloquejats per
683 label_blocked_by: bloquejats per
684 label_precedes: anterior a
684 label_precedes: anterior a
685 label_follows: posterior a
685 label_follows: posterior a
686 label_end_to_start: final al començament
686 label_end_to_start: final al començament
687 label_end_to_end: final al final
687 label_end_to_end: final al final
688 label_start_to_start: començament al començament
688 label_start_to_start: començament al començament
689 label_start_to_end: començament al final
689 label_start_to_end: començament al final
690 label_stay_logged_in: "Manté l'entrada"
690 label_stay_logged_in: "Manté l'entrada"
691 label_disabled: inhabilitat
691 label_disabled: inhabilitat
692 label_show_completed_versions: Mostra les versions completes
692 label_show_completed_versions: Mostra les versions completes
693 label_me: jo mateix
693 label_me: jo mateix
694 label_board: Fòrum
694 label_board: Fòrum
695 label_board_new: Fòrum nou
695 label_board_new: Fòrum nou
696 label_board_plural: Fòrums
696 label_board_plural: Fòrums
697 label_board_locked: Bloquejat
697 label_board_locked: Bloquejat
698 label_board_sticky: Sticky
698 label_board_sticky: Sticky
699 label_topic_plural: Temes
699 label_topic_plural: Temes
700 label_message_plural: Missatges
700 label_message_plural: Missatges
701 label_message_last: Últim missatge
701 label_message_last: Últim missatge
702 label_message_new: Missatge nou
702 label_message_new: Missatge nou
703 label_message_posted: Missatge afegit
703 label_message_posted: Missatge afegit
704 label_reply_plural: Respostes
704 label_reply_plural: Respostes
705 label_send_information: "Envia la informació del compte a l'usuari"
705 label_send_information: "Envia la informació del compte a l'usuari"
706 label_year: Any
706 label_year: Any
707 label_month: Mes
707 label_month: Mes
708 label_week: Setmana
708 label_week: Setmana
709 label_date_from: Des de
709 label_date_from: Des de
710 label_date_to: A
710 label_date_to: A
711 label_language_based: "Basat en l'idioma de l'usuari"
711 label_language_based: "Basat en l'idioma de l'usuari"
712 label_sort_by: "Ordena per %{value}"
712 label_sort_by: "Ordena per %{value}"
713 label_send_test_email: Envia un correu electrònic de prova
713 label_send_test_email: Envia un correu electrònic de prova
714 label_feeds_access_key: "Clau d'accés del RSS"
714 label_feeds_access_key: "Clau d'accés del RSS"
715 label_missing_feeds_access_key: "Falta una clau d'accés del RSS"
715 label_missing_feeds_access_key: "Falta una clau d'accés del RSS"
716 label_feeds_access_key_created_on: "Clau d'accés del RSS creada fa %{value}"
716 label_feeds_access_key_created_on: "Clau d'accés del RSS creada fa %{value}"
717 label_module_plural: Mòduls
717 label_module_plural: Mòduls
718 label_added_time_by: "Afegit per %{author} fa %{age}"
718 label_added_time_by: "Afegit per %{author} fa %{age}"
719 label_updated_time_by: "Actualitzat per %{author} fa %{age}"
719 label_updated_time_by: "Actualitzat per %{author} fa %{age}"
720 label_updated_time: "Actualitzat fa %{value}"
720 label_updated_time: "Actualitzat fa %{value}"
721 label_jump_to_a_project: Salta al projecte...
721 label_jump_to_a_project: Salta al projecte...
722 label_file_plural: Fitxers
722 label_file_plural: Fitxers
723 label_changeset_plural: Conjunt de canvis
723 label_changeset_plural: Conjunt de canvis
724 label_default_columns: Columnes predeterminades
724 label_default_columns: Columnes predeterminades
725 label_no_change_option: (sense canvis)
725 label_no_change_option: (sense canvis)
726 label_bulk_edit_selected_issues: Edita en bloc els assumptes seleccionats
726 label_bulk_edit_selected_issues: Edita en bloc els assumptes seleccionats
727 label_theme: Tema
727 label_theme: Tema
728 label_default: Predeterminat
728 label_default: Predeterminat
729 label_search_titles_only: Cerca només en els títols
729 label_search_titles_only: Cerca només en els títols
730 label_user_mail_option_all: "Per qualsevol esdeveniment en tots els meus projectes"
730 label_user_mail_option_all: "Per qualsevol esdeveniment en tots els meus projectes"
731 label_user_mail_option_selected: "Per qualsevol esdeveniment en els projectes seleccionats..."
731 label_user_mail_option_selected: "Per qualsevol esdeveniment en els projectes seleccionats..."
732 label_user_mail_no_self_notified: "No vull ser notificat pels canvis que faig jo mateix"
732 label_user_mail_no_self_notified: "No vull ser notificat pels canvis que faig jo mateix"
733 label_registration_activation_by_email: activació del compte per correu electrònic
733 label_registration_activation_by_email: activació del compte per correu electrònic
734 label_registration_manual_activation: activació del compte manual
734 label_registration_manual_activation: activació del compte manual
735 label_registration_automatic_activation: activació del compte automàtica
735 label_registration_automatic_activation: activació del compte automàtica
736 label_display_per_page: "Per pàgina: %{value}"
736 label_display_per_page: "Per pàgina: %{value}"
737 label_age: Edat
737 label_age: Edat
738 label_change_properties: Canvia les propietats
738 label_change_properties: Canvia les propietats
739 label_general: General
739 label_general: General
740 label_more: Més
740 label_more: Més
741 label_scm: SCM
741 label_scm: SCM
742 label_plugins: Connectors
742 label_plugins: Connectors
743 label_ldap_authentication: Autenticació LDAP
743 label_ldap_authentication: Autenticació LDAP
744 label_downloads_abbr: Baixades
744 label_downloads_abbr: Baixades
745 label_optional_description: Descripció opcional
745 label_optional_description: Descripció opcional
746 label_add_another_file: Afegeix un altre fitxer
746 label_add_another_file: Afegeix un altre fitxer
747 label_preferences: Preferències
747 label_preferences: Preferències
748 label_chronological_order: En ordre cronològic
748 label_chronological_order: En ordre cronològic
749 label_reverse_chronological_order: En ordre cronològic invers
749 label_reverse_chronological_order: En ordre cronològic invers
750 label_planning: Planificació
750 label_planning: Planificació
751 label_incoming_emails: "Correu electrònics d'entrada"
751 label_incoming_emails: "Correu electrònics d'entrada"
752 label_generate_key: Genera una clau
752 label_generate_key: Genera una clau
753 label_issue_watchers: Vigilàncies
753 label_issue_watchers: Vigilàncies
754 label_example: Exemple
754 label_example: Exemple
755 label_display: Mostra
755 label_display: Mostra
756 label_sort: Ordena
756 label_sort: Ordena
757 label_ascending: Ascendent
757 label_ascending: Ascendent
758 label_descending: Descendent
758 label_descending: Descendent
759 label_date_from_to: Des de %{start} a %{end}
759 label_date_from_to: Des de %{start} a %{end}
760 label_wiki_content_added: "S'ha afegit la pàgina wiki"
760 label_wiki_content_added: "S'ha afegit la pàgina wiki"
761 label_wiki_content_updated: "S'ha actualitzat la pàgina wiki"
761 label_wiki_content_updated: "S'ha actualitzat la pàgina wiki"
762 label_group: Grup
762 label_group: Grup
763 label_group_plural: Grups
763 label_group_plural: Grups
764 label_group_new: Grup nou
764 label_group_new: Grup nou
765 label_time_entry_plural: Temps invertit
765 label_time_entry_plural: Temps invertit
766 label_version_sharing_hierarchy: "Amb la jerarquia del projecte"
766 label_version_sharing_hierarchy: "Amb la jerarquia del projecte"
767 label_version_sharing_system: "Amb tots els projectes"
767 label_version_sharing_system: "Amb tots els projectes"
768 label_version_sharing_descendants: "Amb tots els subprojectes"
768 label_version_sharing_descendants: "Amb tots els subprojectes"
769 label_version_sharing_tree: "Amb l'arbre del projecte"
769 label_version_sharing_tree: "Amb l'arbre del projecte"
770 label_version_sharing_none: "Sense compartir"
770 label_version_sharing_none: "Sense compartir"
771 label_update_issue_done_ratios: "Actualitza el tant per cent dels assumptes realitzats"
771 label_update_issue_done_ratios: "Actualitza el tant per cent dels assumptes realitzats"
772 label_copy_source: Font
772 label_copy_source: Font
773 label_copy_target: Objectiu
773 label_copy_target: Objectiu
774 label_copy_same_as_target: "El mateix que l'objectiu"
774 label_copy_same_as_target: "El mateix que l'objectiu"
775 label_display_used_statuses_only: "Mostra només els estats que utilitza aquest seguidor"
775 label_display_used_statuses_only: "Mostra només els estats que utilitza aquest seguidor"
776 label_api_access_key: "Clau d'accés a l'API"
776 label_api_access_key: "Clau d'accés a l'API"
777 label_missing_api_access_key: "Falta una clau d'accés de l'API"
777 label_missing_api_access_key: "Falta una clau d'accés de l'API"
778 label_api_access_key_created_on: "Clau d'accés de l'API creada fa %{value}"
778 label_api_access_key_created_on: "Clau d'accés de l'API creada fa %{value}"
779 label_profile: Perfil
779 label_profile: Perfil
780 label_subtask_plural: Subtasques
780 label_subtask_plural: Subtasques
781 label_project_copy_notifications: "Envia notificacions de correu electrònic durant la còpia del projecte"
781 label_project_copy_notifications: "Envia notificacions de correu electrònic durant la còpia del projecte"
782
782
783 button_login: Entra
783 button_login: Entra
784 button_submit: Tramet
784 button_submit: Tramet
785 button_save: Desa
785 button_save: Desa
786 button_check_all: Activa-ho tot
786 button_check_all: Activa-ho tot
787 button_uncheck_all: Desactiva-ho tot
787 button_uncheck_all: Desactiva-ho tot
788 button_delete: Suprimeix
788 button_delete: Suprimeix
789 button_create: Crea
789 button_create: Crea
790 button_create_and_continue: Crea i continua
790 button_create_and_continue: Crea i continua
791 button_test: Test
791 button_test: Test
792 button_edit: Edit
792 button_edit: Edit
793 button_add: Afegeix
793 button_add: Afegeix
794 button_change: Canvia
794 button_change: Canvia
795 button_apply: Aplica
795 button_apply: Aplica
796 button_clear: Neteja
796 button_clear: Neteja
797 button_lock: Bloca
797 button_lock: Bloca
798 button_unlock: Desbloca
798 button_unlock: Desbloca
799 button_download: Baixa
799 button_download: Baixa
800 button_list: Llista
800 button_list: Llista
801 button_view: Visualitza
801 button_view: Visualitza
802 button_move: Mou
802 button_move: Mou
803 button_move_and_follow: "Mou i segueix"
803 button_move_and_follow: "Mou i segueix"
804 button_back: Enrere
804 button_back: Enrere
805 button_cancel: Cancel·la
805 button_cancel: Cancel·la
806 button_activate: Activa
806 button_activate: Activa
807 button_sort: Ordena
807 button_sort: Ordena
808 button_log_time: "Registre de temps"
808 button_log_time: "Registre de temps"
809 button_rollback: Torna a aquesta versió
809 button_rollback: Torna a aquesta versió
810 button_watch: Vigila
810 button_watch: Vigila
811 button_unwatch: No vigilis
811 button_unwatch: No vigilis
812 button_reply: Resposta
812 button_reply: Resposta
813 button_archive: Arxiva
813 button_archive: Arxiva
814 button_unarchive: Desarxiva
814 button_unarchive: Desarxiva
815 button_reset: Reinicia
815 button_reset: Reinicia
816 button_rename: Reanomena
816 button_rename: Reanomena
817 button_change_password: Canvia la contrasenya
817 button_change_password: Canvia la contrasenya
818 button_copy: Copia
818 button_copy: Copia
819 button_copy_and_follow: "Copia i segueix"
819 button_copy_and_follow: "Copia i segueix"
820 button_annotate: Anota
820 button_annotate: Anota
821 button_update: Actualitza
821 button_update: Actualitza
822 button_configure: Configura
822 button_configure: Configura
823 button_quote: Cita
823 button_quote: Cita
824 button_duplicate: Duplica
824 button_duplicate: Duplica
825 button_show: Mostra
825 button_show: Mostra
826
826
827 status_active: actiu
827 status_active: actiu
828 status_registered: informat
828 status_registered: informat
829 status_locked: bloquejat
829 status_locked: bloquejat
830
830
831 version_status_open: oberta
831 version_status_open: oberta
832 version_status_locked: bloquejada
832 version_status_locked: bloquejada
833 version_status_closed: tancada
833 version_status_closed: tancada
834
834
835 field_active: Actiu
835 field_active: Actiu
836
836
837 text_select_mail_notifications: "Seleccioneu les accions per les quals s'hauria d'enviar una notificació per correu electrònic."
837 text_select_mail_notifications: "Seleccioneu les accions per les quals s'hauria d'enviar una notificació per correu electrònic."
838 text_regexp_info: ex. ^[A-Z0-9]+$
838 text_regexp_info: ex. ^[A-Z0-9]+$
839 text_min_max_length_info: 0 significa sense restricció
839 text_min_max_length_info: 0 significa sense restricció
840 text_project_destroy_confirmation: Segur que voleu suprimir aquest projecte i les dades relacionades?
840 text_project_destroy_confirmation: Segur que voleu suprimir aquest projecte i les dades relacionades?
841 text_subprojects_destroy_warning: "També seran suprimits els seus subprojectes: %{value}."
841 text_subprojects_destroy_warning: "També seran suprimits els seus subprojectes: %{value}."
842 text_workflow_edit: Seleccioneu un rol i un seguidor per a editar el flux de treball
842 text_workflow_edit: Seleccioneu un rol i un seguidor per a editar el flux de treball
843 text_are_you_sure: Segur?
843 text_are_you_sure: Segur?
844 text_journal_changed: "%{label} ha canviat de %{old} a %{new}"
844 text_journal_changed: "%{label} ha canviat de %{old} a %{new}"
845 text_journal_set_to: "%{label} s'ha establert a %{value}"
845 text_journal_set_to: "%{label} s'ha establert a %{value}"
846 text_journal_deleted: "%{label} s'ha suprimit (%{old})"
846 text_journal_deleted: "%{label} s'ha suprimit (%{old})"
847 text_journal_added: "S'ha afegit %{label} %{value}"
847 text_journal_added: "S'ha afegit %{label} %{value}"
848 text_tip_issue_begin_day: "tasca que s'inicia aquest dia"
848 text_tip_issue_begin_day: "tasca que s'inicia aquest dia"
849 text_tip_issue_end_day: tasca que finalitza aquest dia
849 text_tip_issue_end_day: tasca que finalitza aquest dia
850 text_tip_issue_begin_end_day: "tasca que s'inicia i finalitza aquest dia"
850 text_tip_issue_begin_end_day: "tasca que s'inicia i finalitza aquest dia"
851 text_caracters_maximum: "%{count} caràcters com a màxim."
851 text_caracters_maximum: "%{count} caràcters com a màxim."
852 text_caracters_minimum: "Com a mínim ha de tenir %{count} caràcters."
852 text_caracters_minimum: "Com a mínim ha de tenir %{count} caràcters."
853 text_length_between: "Longitud entre %{min} i %{max} caràcters."
853 text_length_between: "Longitud entre %{min} i %{max} caràcters."
854 text_tracker_no_workflow: "No s'ha definit cap flux de treball per a aquest seguidor"
854 text_tracker_no_workflow: "No s'ha definit cap flux de treball per a aquest seguidor"
855 text_unallowed_characters: Caràcters no permesos
855 text_unallowed_characters: Caràcters no permesos
856 text_comma_separated: Es permeten valors múltiples (separats per una coma).
856 text_comma_separated: Es permeten valors múltiples (separats per una coma).
857 text_line_separated: "Es permeten diversos valors (una línia per cada valor)."
857 text_line_separated: "Es permeten diversos valors (una línia per cada valor)."
858 text_issues_ref_in_commit_messages: Referència i soluciona els assumptes en els missatges publicats
858 text_issues_ref_in_commit_messages: Referència i soluciona els assumptes en els missatges publicats
859 text_issue_added: "L'assumpte %{id} ha sigut informat per %{author}."
859 text_issue_added: "L'assumpte %{id} ha sigut informat per %{author}."
860 text_issue_updated: "L'assumpte %{id} ha sigut actualitzat per %{author}."
860 text_issue_updated: "L'assumpte %{id} ha sigut actualitzat per %{author}."
861 text_wiki_destroy_confirmation: Segur que voleu suprimir aquest wiki i tots els seus continguts?
861 text_wiki_destroy_confirmation: Segur que voleu suprimir aquest wiki i tots els seus continguts?
862 text_issue_category_destroy_question: "Alguns assumptes (%{count}) estan assignats a aquesta categoria. Què voleu fer?"
862 text_issue_category_destroy_question: "Alguns assumptes (%{count}) estan assignats a aquesta categoria. Què voleu fer?"
863 text_issue_category_destroy_assignments: Suprimeix les assignacions de la categoria
863 text_issue_category_destroy_assignments: Suprimeix les assignacions de la categoria
864 text_issue_category_reassign_to: Torna a assignar els assumptes a aquesta categoria
864 text_issue_category_reassign_to: Torna a assignar els assumptes a aquesta categoria
865 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)."
865 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)."
866 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."
866 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."
867 text_load_default_configuration: Carrega la configuració predeterminada
867 text_load_default_configuration: Carrega la configuració predeterminada
868 text_status_changed_by_changeset: "Aplicat en el conjunt de canvis %{value}."
868 text_status_changed_by_changeset: "Aplicat en el conjunt de canvis %{value}."
869 text_issues_destroy_confirmation: "Segur que voleu suprimir els assumptes seleccionats?"
869 text_issues_destroy_confirmation: "Segur que voleu suprimir els assumptes seleccionats?"
870 text_select_project_modules: "Seleccioneu els mòduls a habilitar per a aquest projecte:"
870 text_select_project_modules: "Seleccioneu els mòduls a habilitar per a aquest projecte:"
871 text_default_administrator_account_changed: "S'ha canviat el compte d'administrador predeterminat"
871 text_default_administrator_account_changed: "S'ha canviat el compte d'administrador predeterminat"
872 text_file_repository_writable: Es pot escriure en el dipòsit de fitxers
872 text_file_repository_writable: Es pot escriure en el dipòsit de fitxers
873 text_plugin_assets_writable: Es pot escriure als connectors actius
873 text_plugin_assets_writable: Es pot escriure als connectors actius
874 text_rmagick_available: RMagick disponible (opcional)
874 text_rmagick_available: RMagick disponible (opcional)
875 text_destroy_time_entries_question: "S'han informat %{hours} hores en els assumptes que aneu a suprimir. Què voleu fer?"
875 text_destroy_time_entries_question: "S'han informat %{hours} hores en els assumptes que aneu a suprimir. Què voleu fer?"
876 text_destroy_time_entries: Suprimeix les hores informades
876 text_destroy_time_entries: Suprimeix les hores informades
877 text_assign_time_entries_to_project: Assigna les hores informades al projecte
877 text_assign_time_entries_to_project: Assigna les hores informades al projecte
878 text_reassign_time_entries: "Torna a assignar les hores informades a aquest assumpte:"
878 text_reassign_time_entries: "Torna a assignar les hores informades a aquest assumpte:"
879 text_user_wrote: "%{value} va escriure:"
879 text_user_wrote: "%{value} va escriure:"
880 text_enumeration_destroy_question: "%{count} objectes estan assignats a aquest valor."
880 text_enumeration_destroy_question: "%{count} objectes estan assignats a aquest valor."
881 text_enumeration_category_reassign_to: "Torna a assignar-los a aquest valor:"
881 text_enumeration_category_reassign_to: "Torna a assignar-los a aquest valor:"
882 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."
882 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."
883 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."
883 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."
884 text_diff_truncated: "... Aquestes diferències s'han trucat perquè excedeixen la mida màxima que es pot mostrar."
884 text_diff_truncated: "... Aquestes diferències s'han trucat perquè excedeixen la mida màxima que es pot mostrar."
885 text_custom_field_possible_values_info: "Una línia per a cada valor"
885 text_custom_field_possible_values_info: "Una línia per a cada valor"
886 text_wiki_page_destroy_question: "Aquesta pàgina %{descendants} pàgines fill i descendents. Què voleu fer?"
886 text_wiki_page_destroy_question: "Aquesta pàgina %{descendants} pàgines fill i descendents. Què voleu fer?"
887 text_wiki_page_nullify_children: "Deixa les pàgines fill com a pàgines arrel"
887 text_wiki_page_nullify_children: "Deixa les pàgines fill com a pàgines arrel"
888 text_wiki_page_destroy_children: "Suprimeix les pàgines fill i tots els seus descendents"
888 text_wiki_page_destroy_children: "Suprimeix les pàgines fill i tots els seus descendents"
889 text_wiki_page_reassign_children: "Reasigna les pàgines fill a aquesta pàgina pare"
889 text_wiki_page_reassign_children: "Reasigna les pàgines fill a aquesta pàgina pare"
890 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?"
890 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?"
891 text_zoom_in: Redueix
891 text_zoom_in: Redueix
892 text_zoom_out: Amplia
892 text_zoom_out: Amplia
893
893
894 default_role_manager: Gestor
894 default_role_manager: Gestor
895 default_role_developer: Desenvolupador
895 default_role_developer: Desenvolupador
896 default_role_reporter: Informador
896 default_role_reporter: Informador
897 default_tracker_bug: Error
897 default_tracker_bug: Error
898 default_tracker_feature: Característica
898 default_tracker_feature: Característica
899 default_tracker_support: Suport
899 default_tracker_support: Suport
900 default_issue_status_new: Nou
900 default_issue_status_new: Nou
901 default_issue_status_in_progress: In Progress
901 default_issue_status_in_progress: In Progress
902 default_issue_status_resolved: Resolt
902 default_issue_status_resolved: Resolt
903 default_issue_status_feedback: Comentaris
903 default_issue_status_feedback: Comentaris
904 default_issue_status_closed: Tancat
904 default_issue_status_closed: Tancat
905 default_issue_status_rejected: Rebutjat
905 default_issue_status_rejected: Rebutjat
906 default_doc_category_user: "Documentació d'usuari"
906 default_doc_category_user: "Documentació d'usuari"
907 default_doc_category_tech: Documentació tècnica
907 default_doc_category_tech: Documentació tècnica
908 default_priority_low: Baixa
908 default_priority_low: Baixa
909 default_priority_normal: Normal
909 default_priority_normal: Normal
910 default_priority_high: Alta
910 default_priority_high: Alta
911 default_priority_urgent: Urgent
911 default_priority_urgent: Urgent
912 default_priority_immediate: Immediata
912 default_priority_immediate: Immediata
913 default_activity_design: Disseny
913 default_activity_design: Disseny
914 default_activity_development: Desenvolupament
914 default_activity_development: Desenvolupament
915
915
916 enumeration_issue_priorities: Prioritat dels assumptes
916 enumeration_issue_priorities: Prioritat dels assumptes
917 enumeration_doc_categories: Categories del document
917 enumeration_doc_categories: Categories del document
918 enumeration_activities: Activitats (seguidor de temps)
918 enumeration_activities: Activitats (seguidor de temps)
919 enumeration_system_activity: Activitat del sistema
919 enumeration_system_activity: Activitat del sistema
920
920
921 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
921 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
922 text_are_you_sure_with_children: Delete issue and all child issues?
922 text_are_you_sure_with_children: Delete issue and all child issues?
923 field_text: Text field
923 field_text: Text field
924 label_user_mail_option_only_owner: Only for things I am the owner of
924 label_user_mail_option_only_owner: Only for things I am the owner of
925 setting_default_notification_option: Default notification option
925 setting_default_notification_option: Default notification option
926 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
926 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
927 label_user_mail_option_only_assigned: Only for things I am assigned to
927 label_user_mail_option_only_assigned: Only for things I am assigned to
928 label_user_mail_option_none: No events
928 label_user_mail_option_none: No events
929 field_member_of_group: Assignee's group
929 field_member_of_group: Assignee's group
930 field_assigned_to_role: Assignee's role
930 field_assigned_to_role: Assignee's role
931 notice_not_authorized_archived_project: The project you're trying to access has been archived.
931 notice_not_authorized_archived_project: The project you're trying to access has been archived.
932 label_principal_search: "Search for user or group:"
932 label_principal_search: "Search for user or group:"
933 label_user_search: "Search for user:"
933 label_user_search: "Search for user:"
934 field_visible: Visible
934 field_visible: Visible
935 setting_emails_header: Emails header
935 setting_emails_header: Emails header
936 setting_commit_logtime_activity_id: Activity for logged time
936 setting_commit_logtime_activity_id: Activity for logged time
937 text_time_logged_by_changeset: Applied in changeset %{value}.
937 text_time_logged_by_changeset: Applied in changeset %{value}.
938 setting_commit_logtime_enabled: Enable time logging
938 setting_commit_logtime_enabled: Enable time logging
939 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
939 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
940 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
940 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
941 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
941 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
942 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
942 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
943 label_my_queries: My custom queries
943 label_my_queries: My custom queries
944 text_journal_changed_no_detail: "%{label} updated"
944 text_journal_changed_no_detail: "%{label} updated"
945 label_news_comment_added: Comment added to a news
945 label_news_comment_added: Comment added to a news
946 button_expand_all: Expand all
946 button_expand_all: Expand all
947 button_collapse_all: Collapse all
947 button_collapse_all: Collapse all
948 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
948 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
949 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
949 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
950 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
950 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
951 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
951 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
952 label_role_anonymous: Anonymous
952 label_role_anonymous: Anonymous
953 label_role_non_member: Non member
953 label_role_non_member: Non member
954 label_issue_note_added: Note added
954 label_issue_note_added: Note added
955 label_issue_status_updated: Status updated
955 label_issue_status_updated: Status updated
956 label_issue_priority_updated: Priority updated
956 label_issue_priority_updated: Priority updated
957 label_issues_visibility_own: Issues created by or assigned to the user
957 label_issues_visibility_own: Issues created by or assigned to the user
958 field_issues_visibility: Issues visibility
958 field_issues_visibility: Issues visibility
959 label_issues_visibility_all: All issues
959 label_issues_visibility_all: All issues
960 permission_set_own_issues_private: Set own issues public or private
960 permission_set_own_issues_private: Set own issues public or private
961 field_is_private: Private
961 field_is_private: Private
962 permission_set_issues_private: Set issues public or private
962 permission_set_issues_private: Set issues public or private
963 label_issues_visibility_public: All non private issues
963 label_issues_visibility_public: All non private issues
964 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
964 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
965 field_commit_logs_encoding: Codificació dels missatges publicats
965 field_commit_logs_encoding: Codificació dels missatges publicats
966 field_scm_path_encoding: Path encoding
966 field_scm_path_encoding: Path encoding
967 text_scm_path_encoding_note: "Default: UTF-8"
967 text_scm_path_encoding_note: "Default: UTF-8"
968 field_path_to_repository: Path to repository
968 field_path_to_repository: Path to repository
969 field_root_directory: Root directory
969 field_root_directory: Root directory
970 field_cvs_module: Module
970 field_cvs_module: Module
971 field_cvsroot: CVSROOT
971 field_cvsroot: CVSROOT
972 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
972 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
973 text_scm_command: Command
973 text_scm_command: Command
974 text_scm_command_version: Version
974 text_scm_command_version: Version
975 label_git_report_last_commit: Report last commit for files and directories
975 label_git_report_last_commit: Report last commit for files and directories
976 text_scm_config: You can configure your scm commands in config/configuration.yml. Please restart the application after editing it.
976 text_scm_config: You can configure your scm commands in config/configuration.yml. Please restart the application after editing it.
977 text_scm_command_not_available: Scm command is not available. Please check settings on the administration panel.
977 text_scm_command_not_available: Scm command is not available. Please check settings on the administration panel.
978 notice_issue_successful_create: Issue %{id} created.
978 notice_issue_successful_create: Issue %{id} created.
979 label_between: between
979 label_between: between
980 setting_issue_group_assignment: Allow issue assignment to groups
980 setting_issue_group_assignment: Allow issue assignment to groups
981 label_diff: diff
981 label_diff: diff
982 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
982 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
983 description_query_sort_criteria_direction: Sort direction
983 description_query_sort_criteria_direction: Sort direction
984 description_project_scope: Search scope
984 description_project_scope: Search scope
985 description_filter: Filter
985 description_filter: Filter
986 description_user_mail_notification: Mail notification settings
986 description_user_mail_notification: Mail notification settings
987 description_date_from: Enter start date
987 description_date_from: Enter start date
988 description_message_content: Message content
988 description_message_content: Message content
989 description_available_columns: Available Columns
989 description_available_columns: Available Columns
990 description_date_range_interval: Choose range by selecting start and end date
990 description_date_range_interval: Choose range by selecting start and end date
991 description_issue_category_reassign: Choose issue category
991 description_issue_category_reassign: Choose issue category
992 description_search: Searchfield
992 description_search: Searchfield
993 description_notes: Notes
993 description_notes: Notes
994 description_date_range_list: Choose range from list
994 description_date_range_list: Choose range from list
995 description_choose_project: Projects
995 description_choose_project: Projects
996 description_date_to: Enter end date
996 description_date_to: Enter end date
997 description_query_sort_criteria_attribute: Sort attribute
997 description_query_sort_criteria_attribute: Sort attribute
998 description_wiki_subpages_reassign: Choose new parent page
998 description_wiki_subpages_reassign: Choose new parent page
999 description_selected_columns: Selected Columns
999 description_selected_columns: Selected Columns
1000 label_parent_revision: Parent
1000 label_parent_revision: Parent
1001 label_child_revision: Child
1001 label_child_revision: Child
1002 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1002 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1003 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1003 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1004 button_edit_section: Edit this section
1004 button_edit_section: Edit this section
1005 setting_repositories_encodings: Attachments and repositories encodings
1005 setting_repositories_encodings: Attachments and repositories encodings
1006 description_all_columns: All Columns
1006 description_all_columns: All Columns
1007 button_export: Export
1007 button_export: Export
1008 label_export_options: "%{export_format} export options"
1008 label_export_options: "%{export_format} export options"
1009 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1009 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1010 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1010 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1011 label_x_issues:
1011 label_x_issues:
1012 zero: 0 assumpte
1012 zero: 0 assumpte
1013 one: 1 assumpte
1013 one: 1 assumpte
1014 other: "%{count} assumptes"
1014 other: "%{count} assumptes"
1015 label_repository_new: New repository
1015 label_repository_new: New repository
1016 field_repository_is_default: Main repository
1016 field_repository_is_default: Main repository
1017 label_copy_attachments: Copy attachments
1017 label_copy_attachments: Copy attachments
1018 label_item_position: "%{position}/%{count}"
1018 label_item_position: "%{position}/%{count}"
1019 label_completed_versions: Completed versions
1019 label_completed_versions: Completed versions
1020 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1020 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1021 field_multiple: Multiple values
1021 field_multiple: Multiple values
1022 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1022 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1023 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1023 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1024 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1024 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1025 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1025 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1026 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1026 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1027 permission_manage_related_issues: Manage related issues
1027 permission_manage_related_issues: Manage related issues
1028 field_ldap_filter: LDAP filter
@@ -1,1028 +1,1029
1 # Update to 1.1 by Michal Gebauer <mishak@mishak.net>
1 # Update to 1.1 by Michal Gebauer <mishak@mishak.net>
2 # Updated by Josef Liška <jl@chl.cz>
2 # Updated by Josef Liška <jl@chl.cz>
3 # CZ translation by Maxim Krušina | Massimo Filippi, s.r.o. | maxim@mxm.cz
3 # CZ translation by Maxim Krušina | Massimo Filippi, s.r.o. | maxim@mxm.cz
4 # Based on original CZ translation by Jan Kadleček
4 # Based on original CZ translation by Jan Kadleček
5 cs:
5 cs:
6 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
6 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
7 direction: ltr
7 direction: ltr
8 date:
8 date:
9 formats:
9 formats:
10 # Use the strftime parameters for formats.
10 # Use the strftime parameters for formats.
11 # When no format has been given, it uses default.
11 # When no format has been given, it uses default.
12 # You can provide other formats here if you like!
12 # You can provide other formats here if you like!
13 default: "%Y-%m-%d"
13 default: "%Y-%m-%d"
14 short: "%b %d"
14 short: "%b %d"
15 long: "%B %d, %Y"
15 long: "%B %d, %Y"
16
16
17 day_names: [Neděle, Pondělí, Úterý, Středa, Čtvrtek, Pátek, Sobota]
17 day_names: [Neděle, Pondělí, Úterý, Středa, Čtvrtek, Pátek, Sobota]
18 abbr_day_names: [Ne, Po, Út, St, Čt, , So]
18 abbr_day_names: [Ne, Po, Út, St, Čt, , So]
19
19
20 # Don't forget the nil at the beginning; there's no such thing as a 0th month
20 # Don't forget the nil at the beginning; there's no such thing as a 0th month
21 month_names: [~, Leden, Únor, Březen, Duben, Květen, Červen, Červenec, Srpen, Září, Říjen, Listopad, Prosinec]
21 month_names: [~, Leden, Únor, Březen, Duben, Květen, Červen, Červenec, Srpen, Září, Říjen, Listopad, Prosinec]
22 abbr_month_names: [~, Led, Úno, Bře, Dub, Kvě, Čer, Čec, Srp, Zář, Říj, Lis, Pro]
22 abbr_month_names: [~, Led, Úno, Bře, Dub, Kvě, Čer, Čec, Srp, Zář, Říj, Lis, Pro]
23 # Used in date_select and datime_select.
23 # Used in date_select and datime_select.
24 order:
24 order:
25 - :year
25 - :year
26 - :month
26 - :month
27 - :day
27 - :day
28
28
29 time:
29 time:
30 formats:
30 formats:
31 default: "%a, %d %b %Y %H:%M:%S %z"
31 default: "%a, %d %b %Y %H:%M:%S %z"
32 time: "%H:%M"
32 time: "%H:%M"
33 short: "%d %b %H:%M"
33 short: "%d %b %H:%M"
34 long: "%B %d, %Y %H:%M"
34 long: "%B %d, %Y %H:%M"
35 am: "dop."
35 am: "dop."
36 pm: "odp."
36 pm: "odp."
37
37
38 datetime:
38 datetime:
39 distance_in_words:
39 distance_in_words:
40 half_a_minute: "půl minuty"
40 half_a_minute: "půl minuty"
41 less_than_x_seconds:
41 less_than_x_seconds:
42 one: "méně než sekunda"
42 one: "méně než sekunda"
43 other: "méně než %{count} sekund"
43 other: "méně než %{count} sekund"
44 x_seconds:
44 x_seconds:
45 one: "1 sekunda"
45 one: "1 sekunda"
46 other: "%{count} sekund"
46 other: "%{count} sekund"
47 less_than_x_minutes:
47 less_than_x_minutes:
48 one: "méně než minuta"
48 one: "méně než minuta"
49 other: "méně než %{count} minut"
49 other: "méně než %{count} minut"
50 x_minutes:
50 x_minutes:
51 one: "1 minuta"
51 one: "1 minuta"
52 other: "%{count} minut"
52 other: "%{count} minut"
53 about_x_hours:
53 about_x_hours:
54 one: "asi 1 hodina"
54 one: "asi 1 hodina"
55 other: "asi %{count} hodin"
55 other: "asi %{count} hodin"
56 x_days:
56 x_days:
57 one: "1 den"
57 one: "1 den"
58 other: "%{count} dnů"
58 other: "%{count} dnů"
59 about_x_months:
59 about_x_months:
60 one: "asi 1 měsíc"
60 one: "asi 1 měsíc"
61 other: "asi %{count} měsíců"
61 other: "asi %{count} měsíců"
62 x_months:
62 x_months:
63 one: "1 měsíc"
63 one: "1 měsíc"
64 other: "%{count} měsíců"
64 other: "%{count} měsíců"
65 about_x_years:
65 about_x_years:
66 one: "asi 1 rok"
66 one: "asi 1 rok"
67 other: "asi %{count} let"
67 other: "asi %{count} let"
68 over_x_years:
68 over_x_years:
69 one: "více než 1 rok"
69 one: "více než 1 rok"
70 other: "více než %{count} roky"
70 other: "více než %{count} roky"
71 almost_x_years:
71 almost_x_years:
72 one: "témeř 1 rok"
72 one: "témeř 1 rok"
73 other: "téměř %{count} roky"
73 other: "téměř %{count} roky"
74
74
75 number:
75 number:
76 # Výchozí formát pro čísla
76 # Výchozí formát pro čísla
77 format:
77 format:
78 separator: "."
78 separator: "."
79 delimiter: ""
79 delimiter: ""
80 precision: 3
80 precision: 3
81 human:
81 human:
82 format:
82 format:
83 delimiter: ""
83 delimiter: ""
84 precision: 1
84 precision: 1
85 storage_units:
85 storage_units:
86 format: "%n %u"
86 format: "%n %u"
87 units:
87 units:
88 byte:
88 byte:
89 one: "Bajt"
89 one: "Bajt"
90 other: "Bajtů"
90 other: "Bajtů"
91 kb: "kB"
91 kb: "kB"
92 mb: "MB"
92 mb: "MB"
93 gb: "GB"
93 gb: "GB"
94 tb: "TB"
94 tb: "TB"
95
95
96 # Used in array.to_sentence.
96 # Used in array.to_sentence.
97 support:
97 support:
98 array:
98 array:
99 sentence_connector: "a"
99 sentence_connector: "a"
100 skip_last_comma: false
100 skip_last_comma: false
101
101
102 activerecord:
102 activerecord:
103 errors:
103 errors:
104 template:
104 template:
105 header:
105 header:
106 one: "1 chyba zabránila uložení %{model}"
106 one: "1 chyba zabránila uložení %{model}"
107 other: "%{count} chyb zabránilo uložení %{model}"
107 other: "%{count} chyb zabránilo uložení %{model}"
108 messages:
108 messages:
109 inclusion: "není zahrnuto v seznamu"
109 inclusion: "není zahrnuto v seznamu"
110 exclusion: "je rezervováno"
110 exclusion: "je rezervováno"
111 invalid: "je neplatné"
111 invalid: "je neplatné"
112 confirmation: "se neshoduje s potvrzením"
112 confirmation: "se neshoduje s potvrzením"
113 accepted: "musí být akceptováno"
113 accepted: "musí být akceptováno"
114 empty: "nemůže být prázdný"
114 empty: "nemůže být prázdný"
115 blank: "nemůže být prázdný"
115 blank: "nemůže být prázdný"
116 too_long: "je příliš dlouhý"
116 too_long: "je příliš dlouhý"
117 too_short: "je příliš krátký"
117 too_short: "je příliš krátký"
118 wrong_length: "má chybnou délku"
118 wrong_length: "má chybnou délku"
119 taken: "je již použito"
119 taken: "je již použito"
120 not_a_number: "není číslo"
120 not_a_number: "není číslo"
121 not_a_date: "není platné datum"
121 not_a_date: "není platné datum"
122 greater_than: "musí být větší než %{count}"
122 greater_than: "musí být větší než %{count}"
123 greater_than_or_equal_to: "musí být větší nebo rovno %{count}"
123 greater_than_or_equal_to: "musí být větší nebo rovno %{count}"
124 equal_to: "musí být přesně %{count}"
124 equal_to: "musí být přesně %{count}"
125 less_than: "musí být méně než %{count}"
125 less_than: "musí být méně než %{count}"
126 less_than_or_equal_to: "musí být méně nebo rovno %{count}"
126 less_than_or_equal_to: "musí být méně nebo rovno %{count}"
127 odd: "musí být liché"
127 odd: "musí být liché"
128 even: "musí být sudé"
128 even: "musí být sudé"
129 greater_than_start_date: "musí být větší než počáteční datum"
129 greater_than_start_date: "musí být větší než počáteční datum"
130 not_same_project: "nepatří stejnému projektu"
130 not_same_project: "nepatří stejnému projektu"
131 circular_dependency: "Tento vztah by vytvořil cyklickou závislost"
131 circular_dependency: "Tento vztah by vytvořil cyklickou závislost"
132 cant_link_an_issue_with_a_descendant: "Úkol nemůže být spojen s jedním z jeho dílčích úkolů"
132 cant_link_an_issue_with_a_descendant: "Úkol nemůže být spojen s jedním z jeho dílčích úkolů"
133
133
134 actionview_instancetag_blank_option: Prosím vyberte
134 actionview_instancetag_blank_option: Prosím vyberte
135
135
136 general_text_No: 'Ne'
136 general_text_No: 'Ne'
137 general_text_Yes: 'Ano'
137 general_text_Yes: 'Ano'
138 general_text_no: 'ne'
138 general_text_no: 'ne'
139 general_text_yes: 'ano'
139 general_text_yes: 'ano'
140 general_lang_name: 'Čeština'
140 general_lang_name: 'Čeština'
141 general_csv_separator: ','
141 general_csv_separator: ','
142 general_csv_decimal_separator: '.'
142 general_csv_decimal_separator: '.'
143 general_csv_encoding: UTF-8
143 general_csv_encoding: UTF-8
144 general_pdf_encoding: UTF-8
144 general_pdf_encoding: UTF-8
145 general_first_day_of_week: '1'
145 general_first_day_of_week: '1'
146
146
147 notice_account_updated: Účet byl úspěšně změněn.
147 notice_account_updated: Účet byl úspěšně změněn.
148 notice_account_invalid_creditentials: Chybné jméno nebo heslo
148 notice_account_invalid_creditentials: Chybné jméno nebo heslo
149 notice_account_password_updated: Heslo bylo úspěšně změněno.
149 notice_account_password_updated: Heslo bylo úspěšně změněno.
150 notice_account_wrong_password: Chybné heslo
150 notice_account_wrong_password: Chybné heslo
151 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.
151 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.
152 notice_account_unknown_email: Neznámý uživatel.
152 notice_account_unknown_email: Neznámý uživatel.
153 notice_can_t_change_password: Tento účet používá externí autentifikaci. Zde heslo změnit nemůžete.
153 notice_can_t_change_password: Tento účet používá externí autentifikaci. Zde heslo změnit nemůžete.
154 notice_account_lost_email_sent: Byl vám zaslán email s intrukcemi jak si nastavíte nové heslo.
154 notice_account_lost_email_sent: Byl vám zaslán email s intrukcemi jak si nastavíte nové heslo.
155 notice_account_activated: Váš účet byl aktivován. Nyní se můžete přihlásit.
155 notice_account_activated: Váš účet byl aktivován. Nyní se můžete přihlásit.
156 notice_successful_create: Úspěšně vytvořeno.
156 notice_successful_create: Úspěšně vytvořeno.
157 notice_successful_update: Úspěšně aktualizováno.
157 notice_successful_update: Úspěšně aktualizováno.
158 notice_successful_delete: Úspěšně odstraněno.
158 notice_successful_delete: Úspěšně odstraněno.
159 notice_successful_connection: Úspěšné připojení.
159 notice_successful_connection: Úspěšné připojení.
160 notice_file_not_found: Stránka na kterou se snažíte zobrazit neexistuje nebo byla smazána.
160 notice_file_not_found: Stránka na kterou se snažíte zobrazit neexistuje nebo byla smazána.
161 notice_locking_conflict: Údaje byly změněny jiným uživatelem.
161 notice_locking_conflict: Údaje byly změněny jiným uživatelem.
162 notice_not_authorized: Nemáte dostatečná práva pro zobrazení této stránky.
162 notice_not_authorized: Nemáte dostatečná práva pro zobrazení této stránky.
163 notice_not_authorized_archived_project: Projekt ke kterému se snažíte přistupovat byl archivován.
163 notice_not_authorized_archived_project: Projekt ke kterému se snažíte přistupovat byl archivován.
164 notice_email_sent: "Na adresu %{value} byl odeslán email"
164 notice_email_sent: "Na adresu %{value} byl odeslán email"
165 notice_email_error: "Při odesílání emailu nastala chyba (%{value})"
165 notice_email_error: "Při odesílání emailu nastala chyba (%{value})"
166 notice_feeds_access_key_reseted: Váš klíč pro přístup k RSS byl resetován.
166 notice_feeds_access_key_reseted: Váš klíč pro přístup k RSS byl resetován.
167 notice_api_access_key_reseted: Váš API přístupový klíč byl resetován.
167 notice_api_access_key_reseted: Váš API přístupový klíč byl resetován.
168 notice_failed_to_save_issues: "Chyba při uložení %{count} úkolu(ů) z %{total} vybraných: %{ids}."
168 notice_failed_to_save_issues: "Chyba při uložení %{count} úkolu(ů) z %{total} vybraných: %{ids}."
169 notice_failed_to_save_members: "Nepodařilo se uložit člena(y): %{errors}."
169 notice_failed_to_save_members: "Nepodařilo se uložit člena(y): %{errors}."
170 notice_no_issue_selected: "Nebyl zvolen žádný úkol. Prosím, zvolte úkoly, které chcete editovat"
170 notice_no_issue_selected: "Nebyl zvolen žádný úkol. Prosím, zvolte úkoly, které chcete editovat"
171 notice_account_pending: "Váš účet byl vytvořen, nyní čeká na schválení administrátorem."
171 notice_account_pending: "Váš účet byl vytvořen, nyní čeká na schválení administrátorem."
172 notice_default_data_loaded: Výchozí konfigurace úspěšně nahrána.
172 notice_default_data_loaded: Výchozí konfigurace úspěšně nahrána.
173 notice_unable_delete_version: Nemohu odstanit verzi
173 notice_unable_delete_version: Nemohu odstanit verzi
174 notice_unable_delete_time_entry: Nelze smazat čas ze záznamu.
174 notice_unable_delete_time_entry: Nelze smazat čas ze záznamu.
175 notice_issue_done_ratios_updated: Koeficienty dokončení úkolu byly aktualizovány.
175 notice_issue_done_ratios_updated: Koeficienty dokončení úkolu byly aktualizovány.
176 notice_gantt_chart_truncated: Graf byl oříznut, počet položek přesáhl limit pro zobrazení (%{max})
176 notice_gantt_chart_truncated: Graf byl oříznut, počet položek přesáhl limit pro zobrazení (%{max})
177
177
178 error_can_t_load_default_data: "Výchozí konfigurace nebyla nahrána: %{value}"
178 error_can_t_load_default_data: "Výchozí konfigurace nebyla nahrána: %{value}"
179 error_scm_not_found: "Položka a/nebo revize neexistují v repozitáři."
179 error_scm_not_found: "Položka a/nebo revize neexistují v repozitáři."
180 error_scm_command_failed: "Při pokusu o přístup k repozitáři došlo k chybě: %{value}"
180 error_scm_command_failed: "Při pokusu o přístup k repozitáři došlo k chybě: %{value}"
181 error_scm_annotate: "Položka neexistuje nebo nemůže být komentována."
181 error_scm_annotate: "Položka neexistuje nebo nemůže být komentována."
182 error_issue_not_found_in_project: 'Úkol nebyl nalezen nebo nepatří k tomuto projektu'
182 error_issue_not_found_in_project: 'Úkol nebyl nalezen nebo nepatří k tomuto projektu'
183 error_no_tracker_in_project: Žádná fronta nebyla přiřazena tomuto projektu. Prosím zkontroluje nastavení projektu.
183 error_no_tracker_in_project: Žádná fronta nebyla přiřazena tomuto projektu. Prosím zkontroluje nastavení projektu.
184 error_no_default_issue_status: Není nastaven výchozí stav úkolu. Prosím zkontrolujte nastavení ("Administrace -> Stavy úkolů").
184 error_no_default_issue_status: Není nastaven výchozí stav úkolu. Prosím zkontrolujte nastavení ("Administrace -> Stavy úkolů").
185 error_can_not_delete_custom_field: Nelze smazat volitelné pole
185 error_can_not_delete_custom_field: Nelze smazat volitelné pole
186 error_can_not_delete_tracker: Tato fronta obsahuje úkoly a nemůže být smazán.
186 error_can_not_delete_tracker: Tato fronta obsahuje úkoly a nemůže být smazán.
187 error_can_not_remove_role: Tato role je právě používaná a nelze ji smazat.
187 error_can_not_remove_role: Tato role je právě používaná a nelze ji smazat.
188 error_can_not_reopen_issue_on_closed_version: Úkol přiřazený k uzavřené verzi nemůže být znovu otevřen
188 error_can_not_reopen_issue_on_closed_version: Úkol přiřazený k uzavřené verzi nemůže být znovu otevřen
189 error_can_not_archive_project: Tento projekt nemůže být archivován
189 error_can_not_archive_project: Tento projekt nemůže být archivován
190 error_issue_done_ratios_not_updated: Koeficient dokončení úkolu nebyl aktualizován.
190 error_issue_done_ratios_not_updated: Koeficient dokončení úkolu nebyl aktualizován.
191 error_workflow_copy_source: Prosím vyberte zdrojovou frontu nebo roly
191 error_workflow_copy_source: Prosím vyberte zdrojovou frontu nebo roly
192 error_workflow_copy_target: Prosím vyberte cílovou frontu(y) a roly(e)
192 error_workflow_copy_target: Prosím vyberte cílovou frontu(y) a roly(e)
193 error_unable_delete_issue_status: Nelze smazat stavy úkolů
193 error_unable_delete_issue_status: Nelze smazat stavy úkolů
194 error_unable_to_connect: Nelze se připojit (%{value})
194 error_unable_to_connect: Nelze se připojit (%{value})
195 warning_attachments_not_saved: "%{count} soubor(ů) nebylo možné uložit."
195 warning_attachments_not_saved: "%{count} soubor(ů) nebylo možné uložit."
196
196
197 mail_subject_lost_password: "Vaše heslo (%{value})"
197 mail_subject_lost_password: "Vaše heslo (%{value})"
198 mail_body_lost_password: 'Pro změnu vašeho hesla klikněte na následující odkaz:'
198 mail_body_lost_password: 'Pro změnu vašeho hesla klikněte na následující odkaz:'
199 mail_subject_register: "Aktivace účtu (%{value})"
199 mail_subject_register: "Aktivace účtu (%{value})"
200 mail_body_register: 'Pro aktivaci vašeho účtu klikněte na následující odkaz:'
200 mail_body_register: 'Pro aktivaci vašeho účtu klikněte na následující odkaz:'
201 mail_body_account_information_external: "Pomocí vašeho účtu %{value} se můžete přihlásit."
201 mail_body_account_information_external: "Pomocí vašeho účtu %{value} se můžete přihlásit."
202 mail_body_account_information: Informace o vašem účtu
202 mail_body_account_information: Informace o vašem účtu
203 mail_subject_account_activation_request: "Aktivace %{value} účtu"
203 mail_subject_account_activation_request: "Aktivace %{value} účtu"
204 mail_body_account_activation_request: "Byl zaregistrován nový uživatel %{value}. Aktivace jeho účtu závisí na vašem potvrzení."
204 mail_body_account_activation_request: "Byl zaregistrován nový uživatel %{value}. Aktivace jeho účtu závisí na vašem potvrzení."
205 mail_subject_reminder: "%{count} úkol(ů) termín během několik dní (%{days})"
205 mail_subject_reminder: "%{count} úkol(ů) termín během několik dní (%{days})"
206 mail_body_reminder: "%{count} úkol(ů), které máte přiřazeny termín během několik dní (%{days}):"
206 mail_body_reminder: "%{count} úkol(ů), které máte přiřazeny termín během několik dní (%{days}):"
207 mail_subject_wiki_content_added: "'%{id}' Wiki stránka byla přidána"
207 mail_subject_wiki_content_added: "'%{id}' Wiki stránka byla přidána"
208 mail_body_wiki_content_added: "'%{id}' Wiki stránka byla přidána od %{author}."
208 mail_body_wiki_content_added: "'%{id}' Wiki stránka byla přidána od %{author}."
209 mail_subject_wiki_content_updated: "'%{id}' Wiki stránka byla aktualizována"
209 mail_subject_wiki_content_updated: "'%{id}' Wiki stránka byla aktualizována"
210 mail_body_wiki_content_updated: "'%{id}' Wiki stránka byla aktualizována od %{author}."
210 mail_body_wiki_content_updated: "'%{id}' Wiki stránka byla aktualizována od %{author}."
211
211
212 gui_validation_error: 1 chyba
212 gui_validation_error: 1 chyba
213 gui_validation_error_plural: "%{count} chyb(y)"
213 gui_validation_error_plural: "%{count} chyb(y)"
214
214
215 field_name: Název
215 field_name: Název
216 field_description: Popis
216 field_description: Popis
217 field_summary: Přehled
217 field_summary: Přehled
218 field_is_required: Povinné pole
218 field_is_required: Povinné pole
219 field_firstname: Jméno
219 field_firstname: Jméno
220 field_lastname: Příjmení
220 field_lastname: Příjmení
221 field_mail: Email
221 field_mail: Email
222 field_filename: Soubor
222 field_filename: Soubor
223 field_filesize: Velikost
223 field_filesize: Velikost
224 field_downloads: Staženo
224 field_downloads: Staženo
225 field_author: Autor
225 field_author: Autor
226 field_created_on: Vytvořeno
226 field_created_on: Vytvořeno
227 field_updated_on: Aktualizováno
227 field_updated_on: Aktualizováno
228 field_field_format: Formát
228 field_field_format: Formát
229 field_is_for_all: Pro všechny projekty
229 field_is_for_all: Pro všechny projekty
230 field_possible_values: Možné hodnoty
230 field_possible_values: Možné hodnoty
231 field_regexp: Regulární výraz
231 field_regexp: Regulární výraz
232 field_min_length: Minimální délka
232 field_min_length: Minimální délka
233 field_max_length: Maximální délka
233 field_max_length: Maximální délka
234 field_value: Hodnota
234 field_value: Hodnota
235 field_category: Kategorie
235 field_category: Kategorie
236 field_title: Název
236 field_title: Název
237 field_project: Projekt
237 field_project: Projekt
238 field_issue: Úkol
238 field_issue: Úkol
239 field_status: Stav
239 field_status: Stav
240 field_notes: Poznámka
240 field_notes: Poznámka
241 field_is_closed: Úkol uzavřen
241 field_is_closed: Úkol uzavřen
242 field_is_default: Výchozí stav
242 field_is_default: Výchozí stav
243 field_tracker: Fronta
243 field_tracker: Fronta
244 field_subject: Předmět
244 field_subject: Předmět
245 field_due_date: Uzavřít do
245 field_due_date: Uzavřít do
246 field_assigned_to: Přiřazeno
246 field_assigned_to: Přiřazeno
247 field_priority: Priorita
247 field_priority: Priorita
248 field_fixed_version: Cílová verze
248 field_fixed_version: Cílová verze
249 field_user: Uživatel
249 field_user: Uživatel
250 field_principal: Hlavní
250 field_principal: Hlavní
251 field_role: Role
251 field_role: Role
252 field_homepage: Domovská stránka
252 field_homepage: Domovská stránka
253 field_is_public: Veřejný
253 field_is_public: Veřejný
254 field_parent: Nadřazený projekt
254 field_parent: Nadřazený projekt
255 field_is_in_roadmap: Úkoly zobrazené v plánu
255 field_is_in_roadmap: Úkoly zobrazené v plánu
256 field_login: Přihlášení
256 field_login: Přihlášení
257 field_mail_notification: Emailová oznámení
257 field_mail_notification: Emailová oznámení
258 field_admin: Administrátor
258 field_admin: Administrátor
259 field_last_login_on: Poslední přihlášení
259 field_last_login_on: Poslední přihlášení
260 field_language: Jazyk
260 field_language: Jazyk
261 field_effective_date: Datum
261 field_effective_date: Datum
262 field_password: Heslo
262 field_password: Heslo
263 field_new_password: Nové heslo
263 field_new_password: Nové heslo
264 field_password_confirmation: Potvrzení
264 field_password_confirmation: Potvrzení
265 field_version: Verze
265 field_version: Verze
266 field_type: Typ
266 field_type: Typ
267 field_host: Host
267 field_host: Host
268 field_port: Port
268 field_port: Port
269 field_account: Účet
269 field_account: Účet
270 field_base_dn: Base DN
270 field_base_dn: Base DN
271 field_attr_login: Přihlášení (atribut)
271 field_attr_login: Přihlášení (atribut)
272 field_attr_firstname: Jméno (atribut)
272 field_attr_firstname: Jméno (atribut)
273 field_attr_lastname: Příjemní (atribut)
273 field_attr_lastname: Příjemní (atribut)
274 field_attr_mail: Email (atribut)
274 field_attr_mail: Email (atribut)
275 field_onthefly: Automatické vytváření uživatelů
275 field_onthefly: Automatické vytváření uživatelů
276 field_start_date: Začátek
276 field_start_date: Začátek
277 field_done_ratio: "% Hotovo"
277 field_done_ratio: "% Hotovo"
278 field_auth_source: Autentifikační mód
278 field_auth_source: Autentifikační mód
279 field_hide_mail: Nezobrazovat můj email
279 field_hide_mail: Nezobrazovat můj email
280 field_comments: Komentář
280 field_comments: Komentář
281 field_url: URL
281 field_url: URL
282 field_start_page: Výchozí stránka
282 field_start_page: Výchozí stránka
283 field_subproject: Podprojekt
283 field_subproject: Podprojekt
284 field_hours: Hodiny
284 field_hours: Hodiny
285 field_activity: Aktivita
285 field_activity: Aktivita
286 field_spent_on: Datum
286 field_spent_on: Datum
287 field_identifier: Identifikátor
287 field_identifier: Identifikátor
288 field_is_filter: Použít jako filtr
288 field_is_filter: Použít jako filtr
289 field_issue_to: Související úkol
289 field_issue_to: Související úkol
290 field_delay: Zpoždění
290 field_delay: Zpoždění
291 field_assignable: Úkoly mohou být přiřazeny této roli
291 field_assignable: Úkoly mohou být přiřazeny této roli
292 field_redirect_existing_links: Přesměrovat stvávající odkazy
292 field_redirect_existing_links: Přesměrovat stvávající odkazy
293 field_estimated_hours: Odhadovaná doba
293 field_estimated_hours: Odhadovaná doba
294 field_column_names: Sloupce
294 field_column_names: Sloupce
295 field_time_entries: Zaznamenaný čas
295 field_time_entries: Zaznamenaný čas
296 field_time_zone: Časové pásmo
296 field_time_zone: Časové pásmo
297 field_searchable: Umožnit vyhledávání
297 field_searchable: Umožnit vyhledávání
298 field_default_value: Výchozí hodnota
298 field_default_value: Výchozí hodnota
299 field_comments_sorting: Zobrazit komentáře
299 field_comments_sorting: Zobrazit komentáře
300 field_parent_title: Rodičovská stránka
300 field_parent_title: Rodičovská stránka
301 field_editable: Editovatelný
301 field_editable: Editovatelný
302 field_watcher: Sleduje
302 field_watcher: Sleduje
303 field_identity_url: OpenID URL
303 field_identity_url: OpenID URL
304 field_content: Obsah
304 field_content: Obsah
305 field_group_by: Seskupovat výsledky podle
305 field_group_by: Seskupovat výsledky podle
306 field_sharing: Sdílení
306 field_sharing: Sdílení
307 field_parent_issue: Rodičovský úkol
307 field_parent_issue: Rodičovský úkol
308 field_member_of_group: Skupina přiřaditele
308 field_member_of_group: Skupina přiřaditele
309 field_assigned_to_role: Role přiřaditele
309 field_assigned_to_role: Role přiřaditele
310 field_text: Textové pole
310 field_text: Textové pole
311 field_visible: Viditelný
311 field_visible: Viditelný
312
312
313 setting_app_title: Název aplikace
313 setting_app_title: Název aplikace
314 setting_app_subtitle: Podtitulek aplikace
314 setting_app_subtitle: Podtitulek aplikace
315 setting_welcome_text: Uvítací text
315 setting_welcome_text: Uvítací text
316 setting_default_language: Výchozí jazyk
316 setting_default_language: Výchozí jazyk
317 setting_login_required: Autentifikace vyžadována
317 setting_login_required: Autentifikace vyžadována
318 setting_self_registration: Povolena automatická registrace
318 setting_self_registration: Povolena automatická registrace
319 setting_attachment_max_size: Maximální velikost přílohy
319 setting_attachment_max_size: Maximální velikost přílohy
320 setting_issues_export_limit: Limit pro export úkolů
320 setting_issues_export_limit: Limit pro export úkolů
321 setting_mail_from: Odesílat emaily z adresy
321 setting_mail_from: Odesílat emaily z adresy
322 setting_bcc_recipients: Příjemci skryté kopie (bcc)
322 setting_bcc_recipients: Příjemci skryté kopie (bcc)
323 setting_plain_text_mail: pouze prostý text (ne HTML)
323 setting_plain_text_mail: pouze prostý text (ne HTML)
324 setting_host_name: Jméno serveru
324 setting_host_name: Jméno serveru
325 setting_text_formatting: Formátování textu
325 setting_text_formatting: Formátování textu
326 setting_wiki_compression: Komprese historie Wiki
326 setting_wiki_compression: Komprese historie Wiki
327 setting_feeds_limit: Limit obsahu příspěvků
327 setting_feeds_limit: Limit obsahu příspěvků
328 setting_default_projects_public: Nové projekty nastavovat jako veřejné
328 setting_default_projects_public: Nové projekty nastavovat jako veřejné
329 setting_autofetch_changesets: Automaticky stahovat commity
329 setting_autofetch_changesets: Automaticky stahovat commity
330 setting_sys_api_enabled: Povolit WS pro správu repozitory
330 setting_sys_api_enabled: Povolit WS pro správu repozitory
331 setting_commit_ref_keywords: Klíčová slova pro odkazy
331 setting_commit_ref_keywords: Klíčová slova pro odkazy
332 setting_commit_fix_keywords: Klíčová slova pro uzavření
332 setting_commit_fix_keywords: Klíčová slova pro uzavření
333 setting_autologin: Automatické přihlašování
333 setting_autologin: Automatické přihlašování
334 setting_date_format: Formát data
334 setting_date_format: Formát data
335 setting_time_format: Formát času
335 setting_time_format: Formát času
336 setting_cross_project_issue_relations: Povolit vazby úkolů napříč projekty
336 setting_cross_project_issue_relations: Povolit vazby úkolů napříč projekty
337 setting_issue_list_default_columns: Výchozí sloupce zobrazené v seznamu úkolů
337 setting_issue_list_default_columns: Výchozí sloupce zobrazené v seznamu úkolů
338 setting_emails_header: Hlavička emailů
338 setting_emails_header: Hlavička emailů
339 setting_emails_footer: Patička emailů
339 setting_emails_footer: Patička emailů
340 setting_protocol: Protokol
340 setting_protocol: Protokol
341 setting_per_page_options: Povolené počty řádků na stránce
341 setting_per_page_options: Povolené počty řádků na stránce
342 setting_user_format: Formát zobrazení uživatele
342 setting_user_format: Formát zobrazení uživatele
343 setting_activity_days_default: Dny zobrazené v činnosti projektu
343 setting_activity_days_default: Dny zobrazené v činnosti projektu
344 setting_display_subprojects_issues: Automaticky zobrazit úkoly podprojektu v hlavním projektu
344 setting_display_subprojects_issues: Automaticky zobrazit úkoly podprojektu v hlavním projektu
345 setting_enabled_scm: Povolené SCM
345 setting_enabled_scm: Povolené SCM
346 setting_mail_handler_body_delimiters: Zkrátit e-maily po jednom z těchto řádků
346 setting_mail_handler_body_delimiters: Zkrátit e-maily po jednom z těchto řádků
347 setting_mail_handler_api_enabled: Povolit WS pro příchozí e-maily
347 setting_mail_handler_api_enabled: Povolit WS pro příchozí e-maily
348 setting_mail_handler_api_key: API klíč
348 setting_mail_handler_api_key: API klíč
349 setting_sequential_project_identifiers: Generovat sekvenční identifikátory projektů
349 setting_sequential_project_identifiers: Generovat sekvenční identifikátory projektů
350 setting_gravatar_enabled: Použít uživatelské ikony Gravatar
350 setting_gravatar_enabled: Použít uživatelské ikony Gravatar
351 setting_gravatar_default: Výchozí Gravatar
351 setting_gravatar_default: Výchozí Gravatar
352 setting_diff_max_lines_displayed: Maximální počet zobrazených řádků rozdílů
352 setting_diff_max_lines_displayed: Maximální počet zobrazených řádků rozdílů
353 setting_file_max_size_displayed: Maximální velikost textových souborů zobrazených přímo na stránce
353 setting_file_max_size_displayed: Maximální velikost textových souborů zobrazených přímo na stránce
354 setting_repository_log_display_limit: Maximální počet revizí zobrazených v logu souboru
354 setting_repository_log_display_limit: Maximální počet revizí zobrazených v logu souboru
355 setting_openid: Umožnit přihlašování a registrace s OpenID
355 setting_openid: Umožnit přihlašování a registrace s OpenID
356 setting_password_min_length: Minimální délka hesla
356 setting_password_min_length: Minimální délka hesla
357 setting_new_project_user_role_id: Role přiřazená uživateli bez práv administrátora, který projekt vytvořil
357 setting_new_project_user_role_id: Role přiřazená uživateli bez práv administrátora, který projekt vytvořil
358 setting_default_projects_modules: Výchozí zapnutné moduly pro nový projekt
358 setting_default_projects_modules: Výchozí zapnutné moduly pro nový projekt
359 setting_issue_done_ratio: Spočítat koeficient dokončení úkolu s
359 setting_issue_done_ratio: Spočítat koeficient dokončení úkolu s
360 setting_issue_done_ratio_issue_field: Použít pole úkolu
360 setting_issue_done_ratio_issue_field: Použít pole úkolu
361 setting_issue_done_ratio_issue_status: Použít stav úkolu
361 setting_issue_done_ratio_issue_status: Použít stav úkolu
362 setting_start_of_week: Začínat kalendáře
362 setting_start_of_week: Začínat kalendáře
363 setting_rest_api_enabled: Zapnout službu REST
363 setting_rest_api_enabled: Zapnout službu REST
364 setting_cache_formatted_text: Ukládat formátovaný text do vyrovnávací paměti
364 setting_cache_formatted_text: Ukládat formátovaný text do vyrovnávací paměti
365 setting_default_notification_option: Výchozí nastavení oznámení
365 setting_default_notification_option: Výchozí nastavení oznámení
366 setting_commit_logtime_enabled: Povolit zapisování času
366 setting_commit_logtime_enabled: Povolit zapisování času
367 setting_commit_logtime_activity_id: Aktivita pro zapsaný čas
367 setting_commit_logtime_activity_id: Aktivita pro zapsaný čas
368 setting_gantt_items_limit: Maximální počet položek zobrazený na ganttově grafu
368 setting_gantt_items_limit: Maximální počet položek zobrazený na ganttově grafu
369
369
370 permission_add_project: Vytvořit projekt
370 permission_add_project: Vytvořit projekt
371 permission_add_subprojects: Vytvořit podprojekty
371 permission_add_subprojects: Vytvořit podprojekty
372 permission_edit_project: Úprava projektů
372 permission_edit_project: Úprava projektů
373 permission_select_project_modules: Výběr modulů projektu
373 permission_select_project_modules: Výběr modulů projektu
374 permission_manage_members: Spravování členství
374 permission_manage_members: Spravování členství
375 permission_manage_project_activities: Spravovat aktivity projektu
375 permission_manage_project_activities: Spravovat aktivity projektu
376 permission_manage_versions: Spravování verzí
376 permission_manage_versions: Spravování verzí
377 permission_manage_categories: Spravování kategorií úkolů
377 permission_manage_categories: Spravování kategorií úkolů
378 permission_view_issues: Zobrazit úkoly
378 permission_view_issues: Zobrazit úkoly
379 permission_add_issues: Přidávání úkolů
379 permission_add_issues: Přidávání úkolů
380 permission_edit_issues: Upravování úkolů
380 permission_edit_issues: Upravování úkolů
381 permission_manage_issue_relations: Spravování vztahů mezi úkoly
381 permission_manage_issue_relations: Spravování vztahů mezi úkoly
382 permission_add_issue_notes: Přidávání poznámek
382 permission_add_issue_notes: Přidávání poznámek
383 permission_edit_issue_notes: Upravování poznámek
383 permission_edit_issue_notes: Upravování poznámek
384 permission_edit_own_issue_notes: Upravování vlastních poznámek
384 permission_edit_own_issue_notes: Upravování vlastních poznámek
385 permission_move_issues: Přesouvání úkolů
385 permission_move_issues: Přesouvání úkolů
386 permission_delete_issues: Mazání úkolů
386 permission_delete_issues: Mazání úkolů
387 permission_manage_public_queries: Správa veřejných dotazů
387 permission_manage_public_queries: Správa veřejných dotazů
388 permission_save_queries: Ukládání dotazů
388 permission_save_queries: Ukládání dotazů
389 permission_view_gantt: Zobrazené Ganttova diagramu
389 permission_view_gantt: Zobrazené Ganttova diagramu
390 permission_view_calendar: Prohlížení kalendáře
390 permission_view_calendar: Prohlížení kalendáře
391 permission_view_issue_watchers: Zobrazení seznamu sledujícíh uživatelů
391 permission_view_issue_watchers: Zobrazení seznamu sledujícíh uživatelů
392 permission_add_issue_watchers: Přidání sledujících uživatelů
392 permission_add_issue_watchers: Přidání sledujících uživatelů
393 permission_delete_issue_watchers: Smazat přihlížející
393 permission_delete_issue_watchers: Smazat přihlížející
394 permission_log_time: Zaznamenávání stráveného času
394 permission_log_time: Zaznamenávání stráveného času
395 permission_view_time_entries: Zobrazení stráveného času
395 permission_view_time_entries: Zobrazení stráveného času
396 permission_edit_time_entries: Upravování záznamů o stráveném času
396 permission_edit_time_entries: Upravování záznamů o stráveném času
397 permission_edit_own_time_entries: Upravování vlastních zázamů o stráveném čase
397 permission_edit_own_time_entries: Upravování vlastních zázamů o stráveném čase
398 permission_manage_news: Spravování novinek
398 permission_manage_news: Spravování novinek
399 permission_comment_news: Komentování novinek
399 permission_comment_news: Komentování novinek
400 permission_manage_documents: Správa dokumentů
400 permission_manage_documents: Správa dokumentů
401 permission_view_documents: Prohlížení dokumentů
401 permission_view_documents: Prohlížení dokumentů
402 permission_manage_files: Spravování souborů
402 permission_manage_files: Spravování souborů
403 permission_view_files: Prohlížení souborů
403 permission_view_files: Prohlížení souborů
404 permission_manage_wiki: Spravování Wiki
404 permission_manage_wiki: Spravování Wiki
405 permission_rename_wiki_pages: Přejmenovávání Wiki stránek
405 permission_rename_wiki_pages: Přejmenovávání Wiki stránek
406 permission_delete_wiki_pages: Mazání stránek na Wiki
406 permission_delete_wiki_pages: Mazání stránek na Wiki
407 permission_view_wiki_pages: Prohlížení Wiki
407 permission_view_wiki_pages: Prohlížení Wiki
408 permission_view_wiki_edits: Prohlížení historie Wiki
408 permission_view_wiki_edits: Prohlížení historie Wiki
409 permission_edit_wiki_pages: Upravování stránek Wiki
409 permission_edit_wiki_pages: Upravování stránek Wiki
410 permission_delete_wiki_pages_attachments: Mazání příloh
410 permission_delete_wiki_pages_attachments: Mazání příloh
411 permission_protect_wiki_pages: Zabezpečení Wiki stránek
411 permission_protect_wiki_pages: Zabezpečení Wiki stránek
412 permission_manage_repository: Spravování repozitáře
412 permission_manage_repository: Spravování repozitáře
413 permission_browse_repository: Procházení repozitáře
413 permission_browse_repository: Procházení repozitáře
414 permission_view_changesets: Zobrazování sady změn
414 permission_view_changesets: Zobrazování sady změn
415 permission_commit_access: Commit přístup
415 permission_commit_access: Commit přístup
416 permission_manage_boards: Správa diskusních fór
416 permission_manage_boards: Správa diskusních fór
417 permission_view_messages: Prohlížení zpráv
417 permission_view_messages: Prohlížení zpráv
418 permission_add_messages: Posílání zpráv
418 permission_add_messages: Posílání zpráv
419 permission_edit_messages: Upravování zpráv
419 permission_edit_messages: Upravování zpráv
420 permission_edit_own_messages: Upravit vlastní zprávy
420 permission_edit_own_messages: Upravit vlastní zprávy
421 permission_delete_messages: Mazání zpráv
421 permission_delete_messages: Mazání zpráv
422 permission_delete_own_messages: Smazat vlastní zprávy
422 permission_delete_own_messages: Smazat vlastní zprávy
423 permission_export_wiki_pages: Exportovat Wiki stránky
423 permission_export_wiki_pages: Exportovat Wiki stránky
424 permission_manage_subtasks: Spravovat podúkoly
424 permission_manage_subtasks: Spravovat podúkoly
425
425
426 project_module_issue_tracking: Sledování úkolů
426 project_module_issue_tracking: Sledování úkolů
427 project_module_time_tracking: Sledování času
427 project_module_time_tracking: Sledování času
428 project_module_news: Novinky
428 project_module_news: Novinky
429 project_module_documents: Dokumenty
429 project_module_documents: Dokumenty
430 project_module_files: Soubory
430 project_module_files: Soubory
431 project_module_wiki: Wiki
431 project_module_wiki: Wiki
432 project_module_repository: Repozitář
432 project_module_repository: Repozitář
433 project_module_boards: Diskuse
433 project_module_boards: Diskuse
434 project_module_calendar: Kalendář
434 project_module_calendar: Kalendář
435 project_module_gantt: Gantt
435 project_module_gantt: Gantt
436
436
437 label_user: Uživatel
437 label_user: Uživatel
438 label_user_plural: Uživatelé
438 label_user_plural: Uživatelé
439 label_user_new: Nový uživatel
439 label_user_new: Nový uživatel
440 label_user_anonymous: Anonymní
440 label_user_anonymous: Anonymní
441 label_project: Projekt
441 label_project: Projekt
442 label_project_new: Nový projekt
442 label_project_new: Nový projekt
443 label_project_plural: Projekty
443 label_project_plural: Projekty
444 label_x_projects:
444 label_x_projects:
445 zero: žádné projekty
445 zero: žádné projekty
446 one: 1 projekt
446 one: 1 projekt
447 other: "%{count} projekty(ů)"
447 other: "%{count} projekty(ů)"
448 label_project_all: Všechny projekty
448 label_project_all: Všechny projekty
449 label_project_latest: Poslední projekty
449 label_project_latest: Poslední projekty
450 label_issue: Úkol
450 label_issue: Úkol
451 label_issue_new: Nový úkol
451 label_issue_new: Nový úkol
452 label_issue_plural: Úkoly
452 label_issue_plural: Úkoly
453 label_issue_view_all: Všechny úkoly
453 label_issue_view_all: Všechny úkoly
454 label_issues_by: "Úkoly podle %{value}"
454 label_issues_by: "Úkoly podle %{value}"
455 label_issue_added: Úkol přidán
455 label_issue_added: Úkol přidán
456 label_issue_updated: Úkol aktualizován
456 label_issue_updated: Úkol aktualizován
457 label_document: Dokument
457 label_document: Dokument
458 label_document_new: Nový dokument
458 label_document_new: Nový dokument
459 label_document_plural: Dokumenty
459 label_document_plural: Dokumenty
460 label_document_added: Dokument přidán
460 label_document_added: Dokument přidán
461 label_role: Role
461 label_role: Role
462 label_role_plural: Role
462 label_role_plural: Role
463 label_role_new: Nová role
463 label_role_new: Nová role
464 label_role_and_permissions: Role a práva
464 label_role_and_permissions: Role a práva
465 label_member: Člen
465 label_member: Člen
466 label_member_new: Nový člen
466 label_member_new: Nový člen
467 label_member_plural: Členové
467 label_member_plural: Členové
468 label_tracker: Fronta
468 label_tracker: Fronta
469 label_tracker_plural: Fronty
469 label_tracker_plural: Fronty
470 label_tracker_new: Nová fronta
470 label_tracker_new: Nová fronta
471 label_workflow: Průběh práce
471 label_workflow: Průběh práce
472 label_issue_status: Stav úkolu
472 label_issue_status: Stav úkolu
473 label_issue_status_plural: Stavy úkolů
473 label_issue_status_plural: Stavy úkolů
474 label_issue_status_new: Nový stav
474 label_issue_status_new: Nový stav
475 label_issue_category: Kategorie úkolu
475 label_issue_category: Kategorie úkolu
476 label_issue_category_plural: Kategorie úkolů
476 label_issue_category_plural: Kategorie úkolů
477 label_issue_category_new: Nová kategorie
477 label_issue_category_new: Nová kategorie
478 label_custom_field: Uživatelské pole
478 label_custom_field: Uživatelské pole
479 label_custom_field_plural: Uživatelská pole
479 label_custom_field_plural: Uživatelská pole
480 label_custom_field_new: Nové uživatelské pole
480 label_custom_field_new: Nové uživatelské pole
481 label_enumerations: Seznamy
481 label_enumerations: Seznamy
482 label_enumeration_new: Nová hodnota
482 label_enumeration_new: Nová hodnota
483 label_information: Informace
483 label_information: Informace
484 label_information_plural: Informace
484 label_information_plural: Informace
485 label_please_login: Prosím přihlašte se
485 label_please_login: Prosím přihlašte se
486 label_register: Registrovat
486 label_register: Registrovat
487 label_login_with_open_id_option: nebo se přihlašte s OpenID
487 label_login_with_open_id_option: nebo se přihlašte s OpenID
488 label_password_lost: Zapomenuté heslo
488 label_password_lost: Zapomenuté heslo
489 label_home: Úvodní
489 label_home: Úvodní
490 label_my_page: Moje stránka
490 label_my_page: Moje stránka
491 label_my_account: Můj účet
491 label_my_account: Můj účet
492 label_my_projects: Moje projekty
492 label_my_projects: Moje projekty
493 label_my_page_block: Bloky na mé stránce
493 label_my_page_block: Bloky na mé stránce
494 label_administration: Administrace
494 label_administration: Administrace
495 label_login: Přihlášení
495 label_login: Přihlášení
496 label_logout: Odhlášení
496 label_logout: Odhlášení
497 label_help: Nápověda
497 label_help: Nápověda
498 label_reported_issues: Nahlášené úkoly
498 label_reported_issues: Nahlášené úkoly
499 label_assigned_to_me_issues: Mé úkoly
499 label_assigned_to_me_issues: Mé úkoly
500 label_last_login: Poslední přihlášení
500 label_last_login: Poslední přihlášení
501 label_registered_on: Registrován
501 label_registered_on: Registrován
502 label_activity: Aktivita
502 label_activity: Aktivita
503 label_overall_activity: Celková aktivita
503 label_overall_activity: Celková aktivita
504 label_user_activity: "Aktivita uživatele: %{value}"
504 label_user_activity: "Aktivita uživatele: %{value}"
505 label_new: Nový
505 label_new: Nový
506 label_logged_as: Přihlášen jako
506 label_logged_as: Přihlášen jako
507 label_environment: Prostředí
507 label_environment: Prostředí
508 label_authentication: Autentifikace
508 label_authentication: Autentifikace
509 label_auth_source: Mód autentifikace
509 label_auth_source: Mód autentifikace
510 label_auth_source_new: Nový mód autentifikace
510 label_auth_source_new: Nový mód autentifikace
511 label_auth_source_plural: Módy autentifikace
511 label_auth_source_plural: Módy autentifikace
512 label_subproject_plural: Podprojekty
512 label_subproject_plural: Podprojekty
513 label_subproject_new: Nový podprojekt
513 label_subproject_new: Nový podprojekt
514 label_and_its_subprojects: "%{value} a jeho podprojekty"
514 label_and_its_subprojects: "%{value} a jeho podprojekty"
515 label_min_max_length: Min - Max délka
515 label_min_max_length: Min - Max délka
516 label_list: Seznam
516 label_list: Seznam
517 label_date: Datum
517 label_date: Datum
518 label_integer: Celé číslo
518 label_integer: Celé číslo
519 label_float: Desetinné číslo
519 label_float: Desetinné číslo
520 label_boolean: Ano/Ne
520 label_boolean: Ano/Ne
521 label_string: Text
521 label_string: Text
522 label_text: Dlouhý text
522 label_text: Dlouhý text
523 label_attribute: Atribut
523 label_attribute: Atribut
524 label_attribute_plural: Atributy
524 label_attribute_plural: Atributy
525 label_download: "%{count} stažení"
525 label_download: "%{count} stažení"
526 label_download_plural: "%{count} stažení"
526 label_download_plural: "%{count} stažení"
527 label_no_data: Žádné položky
527 label_no_data: Žádné položky
528 label_change_status: Změnit stav
528 label_change_status: Změnit stav
529 label_history: Historie
529 label_history: Historie
530 label_attachment: Soubor
530 label_attachment: Soubor
531 label_attachment_new: Nový soubor
531 label_attachment_new: Nový soubor
532 label_attachment_delete: Odstranit soubor
532 label_attachment_delete: Odstranit soubor
533 label_attachment_plural: Soubory
533 label_attachment_plural: Soubory
534 label_file_added: Soubor přidán
534 label_file_added: Soubor přidán
535 label_report: Přehled
535 label_report: Přehled
536 label_report_plural: Přehledy
536 label_report_plural: Přehledy
537 label_news: Novinky
537 label_news: Novinky
538 label_news_new: Přidat novinku
538 label_news_new: Přidat novinku
539 label_news_plural: Novinky
539 label_news_plural: Novinky
540 label_news_latest: Poslední novinky
540 label_news_latest: Poslední novinky
541 label_news_view_all: Zobrazit všechny novinky
541 label_news_view_all: Zobrazit všechny novinky
542 label_news_added: Novinka přidána
542 label_news_added: Novinka přidána
543 label_settings: Nastavení
543 label_settings: Nastavení
544 label_overview: Přehled
544 label_overview: Přehled
545 label_version: Verze
545 label_version: Verze
546 label_version_new: Nová verze
546 label_version_new: Nová verze
547 label_version_plural: Verze
547 label_version_plural: Verze
548 label_close_versions: Zavřít dokončené verze
548 label_close_versions: Zavřít dokončené verze
549 label_confirmation: Potvrzení
549 label_confirmation: Potvrzení
550 label_export_to: 'Také k dispozici:'
550 label_export_to: 'Také k dispozici:'
551 label_read: Načítá se...
551 label_read: Načítá se...
552 label_public_projects: Veřejné projekty
552 label_public_projects: Veřejné projekty
553 label_open_issues: otevřený
553 label_open_issues: otevřený
554 label_open_issues_plural: otevřené
554 label_open_issues_plural: otevřené
555 label_closed_issues: uzavřený
555 label_closed_issues: uzavřený
556 label_closed_issues_plural: uzavřené
556 label_closed_issues_plural: uzavřené
557 label_x_open_issues_abbr_on_total:
557 label_x_open_issues_abbr_on_total:
558 zero: 0 otevřených / %{total}
558 zero: 0 otevřených / %{total}
559 one: 1 otevřený / %{total}
559 one: 1 otevřený / %{total}
560 other: "%{count} otevřených / %{total}"
560 other: "%{count} otevřených / %{total}"
561 label_x_open_issues_abbr:
561 label_x_open_issues_abbr:
562 zero: 0 otevřených
562 zero: 0 otevřených
563 one: 1 otevřený
563 one: 1 otevřený
564 other: "%{count} otevřených"
564 other: "%{count} otevřených"
565 label_x_closed_issues_abbr:
565 label_x_closed_issues_abbr:
566 zero: 0 uzavřených
566 zero: 0 uzavřených
567 one: 1 uzavřený
567 one: 1 uzavřený
568 other: "%{count} uzavřených"
568 other: "%{count} uzavřených"
569 label_total: Celkem
569 label_total: Celkem
570 label_permissions: Práva
570 label_permissions: Práva
571 label_current_status: Aktuální stav
571 label_current_status: Aktuální stav
572 label_new_statuses_allowed: Nové povolené stavy
572 label_new_statuses_allowed: Nové povolené stavy
573 label_all: vše
573 label_all: vše
574 label_none: nic
574 label_none: nic
575 label_nobody: nikdo
575 label_nobody: nikdo
576 label_next: Další
576 label_next: Další
577 label_previous: Předchozí
577 label_previous: Předchozí
578 label_used_by: Použito
578 label_used_by: Použito
579 label_details: Detaily
579 label_details: Detaily
580 label_add_note: Přidat poznámku
580 label_add_note: Přidat poznámku
581 label_per_page: Na stránku
581 label_per_page: Na stránku
582 label_calendar: Kalendář
582 label_calendar: Kalendář
583 label_months_from: měsíců od
583 label_months_from: měsíců od
584 label_gantt: Ganttův graf
584 label_gantt: Ganttův graf
585 label_internal: Interní
585 label_internal: Interní
586 label_last_changes: "posledních %{count} změn"
586 label_last_changes: "posledních %{count} změn"
587 label_change_view_all: Zobrazit všechny změny
587 label_change_view_all: Zobrazit všechny změny
588 label_personalize_page: Přizpůsobit tuto stránku
588 label_personalize_page: Přizpůsobit tuto stránku
589 label_comment: Komentář
589 label_comment: Komentář
590 label_comment_plural: Komentáře
590 label_comment_plural: Komentáře
591 label_x_comments:
591 label_x_comments:
592 zero: žádné komentáře
592 zero: žádné komentáře
593 one: 1 komentář
593 one: 1 komentář
594 other: "%{count} komentářů"
594 other: "%{count} komentářů"
595 label_comment_add: Přidat komentáře
595 label_comment_add: Přidat komentáře
596 label_comment_added: Komentář přidán
596 label_comment_added: Komentář přidán
597 label_comment_delete: Odstranit komentář
597 label_comment_delete: Odstranit komentář
598 label_query: Uživatelský dotaz
598 label_query: Uživatelský dotaz
599 label_query_plural: Uživatelské dotazy
599 label_query_plural: Uživatelské dotazy
600 label_query_new: Nový dotaz
600 label_query_new: Nový dotaz
601 label_filter_add: Přidat filtr
601 label_filter_add: Přidat filtr
602 label_filter_plural: Filtry
602 label_filter_plural: Filtry
603 label_equals: je
603 label_equals: je
604 label_not_equals: není
604 label_not_equals: není
605 label_in_less_than: je měší než
605 label_in_less_than: je měší než
606 label_in_more_than: je větší než
606 label_in_more_than: je větší než
607 label_greater_or_equal: '>='
607 label_greater_or_equal: '>='
608 label_less_or_equal: '<='
608 label_less_or_equal: '<='
609 label_in: v
609 label_in: v
610 label_today: dnes
610 label_today: dnes
611 label_all_time: vše
611 label_all_time: vše
612 label_yesterday: včera
612 label_yesterday: včera
613 label_this_week: tento týden
613 label_this_week: tento týden
614 label_last_week: minulý týden
614 label_last_week: minulý týden
615 label_last_n_days: "posledních %{count} dnů"
615 label_last_n_days: "posledních %{count} dnů"
616 label_this_month: tento měsíc
616 label_this_month: tento měsíc
617 label_last_month: minulý měsíc
617 label_last_month: minulý měsíc
618 label_this_year: tento rok
618 label_this_year: tento rok
619 label_date_range: Časový rozsah
619 label_date_range: Časový rozsah
620 label_less_than_ago: před méně jak (dny)
620 label_less_than_ago: před méně jak (dny)
621 label_more_than_ago: před více jak (dny)
621 label_more_than_ago: před více jak (dny)
622 label_ago: před (dny)
622 label_ago: před (dny)
623 label_contains: obsahuje
623 label_contains: obsahuje
624 label_not_contains: neobsahuje
624 label_not_contains: neobsahuje
625 label_day_plural: dny
625 label_day_plural: dny
626 label_repository: Repozitář
626 label_repository: Repozitář
627 label_repository_plural: Repozitáře
627 label_repository_plural: Repozitáře
628 label_browse: Procházet
628 label_browse: Procházet
629 label_modification: "%{count} změna"
629 label_modification: "%{count} změna"
630 label_modification_plural: "%{count} změn"
630 label_modification_plural: "%{count} změn"
631 label_branch: Větev
631 label_branch: Větev
632 label_tag: Tag
632 label_tag: Tag
633 label_revision: Revize
633 label_revision: Revize
634 label_revision_plural: Revizí
634 label_revision_plural: Revizí
635 label_revision_id: "Revize %{value}"
635 label_revision_id: "Revize %{value}"
636 label_associated_revisions: Související verze
636 label_associated_revisions: Související verze
637 label_added: přidáno
637 label_added: přidáno
638 label_modified: změněno
638 label_modified: změněno
639 label_copied: zkopírováno
639 label_copied: zkopírováno
640 label_renamed: přejmenováno
640 label_renamed: přejmenováno
641 label_deleted: odstraněno
641 label_deleted: odstraněno
642 label_latest_revision: Poslední revize
642 label_latest_revision: Poslední revize
643 label_latest_revision_plural: Poslední revize
643 label_latest_revision_plural: Poslední revize
644 label_view_revisions: Zobrazit revize
644 label_view_revisions: Zobrazit revize
645 label_view_all_revisions: Zobrazit všechny revize
645 label_view_all_revisions: Zobrazit všechny revize
646 label_max_size: Maximální velikost
646 label_max_size: Maximální velikost
647 label_sort_highest: Přesunout na začátek
647 label_sort_highest: Přesunout na začátek
648 label_sort_higher: Přesunout nahoru
648 label_sort_higher: Přesunout nahoru
649 label_sort_lower: Přesunout dolů
649 label_sort_lower: Přesunout dolů
650 label_sort_lowest: Přesunout na konec
650 label_sort_lowest: Přesunout na konec
651 label_roadmap: Plán
651 label_roadmap: Plán
652 label_roadmap_due_in: "Zbývá %{value}"
652 label_roadmap_due_in: "Zbývá %{value}"
653 label_roadmap_overdue: "%{value} pozdě"
653 label_roadmap_overdue: "%{value} pozdě"
654 label_roadmap_no_issues: Pro tuto verzi nejsou žádné úkoly
654 label_roadmap_no_issues: Pro tuto verzi nejsou žádné úkoly
655 label_search: Hledat
655 label_search: Hledat
656 label_result_plural: Výsledky
656 label_result_plural: Výsledky
657 label_all_words: Všechna slova
657 label_all_words: Všechna slova
658 label_wiki: Wiki
658 label_wiki: Wiki
659 label_wiki_edit: Wiki úprava
659 label_wiki_edit: Wiki úprava
660 label_wiki_edit_plural: Wiki úpravy
660 label_wiki_edit_plural: Wiki úpravy
661 label_wiki_page: Wiki stránka
661 label_wiki_page: Wiki stránka
662 label_wiki_page_plural: Wiki stránky
662 label_wiki_page_plural: Wiki stránky
663 label_index_by_title: Index dle názvu
663 label_index_by_title: Index dle názvu
664 label_index_by_date: Index dle data
664 label_index_by_date: Index dle data
665 label_current_version: Aktuální verze
665 label_current_version: Aktuální verze
666 label_preview: Náhled
666 label_preview: Náhled
667 label_feed_plural: Příspěvky
667 label_feed_plural: Příspěvky
668 label_changes_details: Detail všech změn
668 label_changes_details: Detail všech změn
669 label_issue_tracking: Sledování úkolů
669 label_issue_tracking: Sledování úkolů
670 label_spent_time: Strávený čas
670 label_spent_time: Strávený čas
671 label_overall_spent_time: Celkem strávený čas
671 label_overall_spent_time: Celkem strávený čas
672 label_f_hour: "%{value} hodina"
672 label_f_hour: "%{value} hodina"
673 label_f_hour_plural: "%{value} hodin"
673 label_f_hour_plural: "%{value} hodin"
674 label_time_tracking: Sledování času
674 label_time_tracking: Sledování času
675 label_change_plural: Změny
675 label_change_plural: Změny
676 label_statistics: Statistiky
676 label_statistics: Statistiky
677 label_commits_per_month: Commitů za měsíc
677 label_commits_per_month: Commitů za měsíc
678 label_commits_per_author: Commitů za autora
678 label_commits_per_author: Commitů za autora
679 label_view_diff: Zobrazit rozdíly
679 label_view_diff: Zobrazit rozdíly
680 label_diff_inline: uvnitř
680 label_diff_inline: uvnitř
681 label_diff_side_by_side: vedle sebe
681 label_diff_side_by_side: vedle sebe
682 label_options: Nastavení
682 label_options: Nastavení
683 label_copy_workflow_from: Kopírovat průběh práce z
683 label_copy_workflow_from: Kopírovat průběh práce z
684 label_permissions_report: Přehled práv
684 label_permissions_report: Přehled práv
685 label_watched_issues: Sledované úkoly
685 label_watched_issues: Sledované úkoly
686 label_related_issues: Související úkoly
686 label_related_issues: Související úkoly
687 label_applied_status: Použitý stav
687 label_applied_status: Použitý stav
688 label_loading: Nahrávám...
688 label_loading: Nahrávám...
689 label_relation_new: Nová souvislost
689 label_relation_new: Nová souvislost
690 label_relation_delete: Odstranit souvislost
690 label_relation_delete: Odstranit souvislost
691 label_relates_to: související s
691 label_relates_to: související s
692 label_duplicates: duplikuje
692 label_duplicates: duplikuje
693 label_duplicated_by: zduplikován
693 label_duplicated_by: zduplikován
694 label_blocks: blokuje
694 label_blocks: blokuje
695 label_blocked_by: zablokován
695 label_blocked_by: zablokován
696 label_precedes: předchází
696 label_precedes: předchází
697 label_follows: následuje
697 label_follows: následuje
698 label_end_to_start: od konce do začátku
698 label_end_to_start: od konce do začátku
699 label_end_to_end: od konce do konce
699 label_end_to_end: od konce do konce
700 label_start_to_start: od začátku do začátku
700 label_start_to_start: od začátku do začátku
701 label_start_to_end: od začátku do konce
701 label_start_to_end: od začátku do konce
702 label_stay_logged_in: Zůstat přihlášený
702 label_stay_logged_in: Zůstat přihlášený
703 label_disabled: zakázán
703 label_disabled: zakázán
704 label_show_completed_versions: Ukázat dokončené verze
704 label_show_completed_versions: Ukázat dokončené verze
705 label_me:
705 label_me:
706 label_board: Fórum
706 label_board: Fórum
707 label_board_new: Nové fórum
707 label_board_new: Nové fórum
708 label_board_plural: Fóra
708 label_board_plural: Fóra
709 label_board_locked: Uzamčeno
709 label_board_locked: Uzamčeno
710 label_board_sticky: Nálepka
710 label_board_sticky: Nálepka
711 label_topic_plural: Témata
711 label_topic_plural: Témata
712 label_message_plural: Zprávy
712 label_message_plural: Zprávy
713 label_message_last: Poslední zpráva
713 label_message_last: Poslední zpráva
714 label_message_new: Nová zpráva
714 label_message_new: Nová zpráva
715 label_message_posted: Zpráva přidána
715 label_message_posted: Zpráva přidána
716 label_reply_plural: Odpovědi
716 label_reply_plural: Odpovědi
717 label_send_information: Zaslat informace o účtu uživateli
717 label_send_information: Zaslat informace o účtu uživateli
718 label_year: Rok
718 label_year: Rok
719 label_month: Měsíc
719 label_month: Měsíc
720 label_week: Týden
720 label_week: Týden
721 label_date_from: Od
721 label_date_from: Od
722 label_date_to: Do
722 label_date_to: Do
723 label_language_based: Podle výchozího jazyku
723 label_language_based: Podle výchozího jazyku
724 label_sort_by: "Seřadit podle %{value}"
724 label_sort_by: "Seřadit podle %{value}"
725 label_send_test_email: Poslat testovací email
725 label_send_test_email: Poslat testovací email
726 label_feeds_access_key: Přístupový klíč pro RSS
726 label_feeds_access_key: Přístupový klíč pro RSS
727 label_missing_feeds_access_key: Postrádá přístupový klíč pro RSS
727 label_missing_feeds_access_key: Postrádá přístupový klíč pro RSS
728 label_feeds_access_key_created_on: "Přístupový klíč pro RSS byl vytvořen před %{value}"
728 label_feeds_access_key_created_on: "Přístupový klíč pro RSS byl vytvořen před %{value}"
729 label_module_plural: Moduly
729 label_module_plural: Moduly
730 label_added_time_by: "Přidáno uživatelem %{author} před %{age}"
730 label_added_time_by: "Přidáno uživatelem %{author} před %{age}"
731 label_updated_time_by: "Aktualizováno uživatelem %{author} před %{age}"
731 label_updated_time_by: "Aktualizováno uživatelem %{author} před %{age}"
732 label_updated_time: "Aktualizováno před %{value}"
732 label_updated_time: "Aktualizováno před %{value}"
733 label_jump_to_a_project: Vyberte projekt...
733 label_jump_to_a_project: Vyberte projekt...
734 label_file_plural: Soubory
734 label_file_plural: Soubory
735 label_changeset_plural: Changesety
735 label_changeset_plural: Changesety
736 label_default_columns: Výchozí sloupce
736 label_default_columns: Výchozí sloupce
737 label_no_change_option: (beze změny)
737 label_no_change_option: (beze změny)
738 label_bulk_edit_selected_issues: Hromadná úprava vybraných úkolů
738 label_bulk_edit_selected_issues: Hromadná úprava vybraných úkolů
739 label_theme: Téma
739 label_theme: Téma
740 label_default: Výchozí
740 label_default: Výchozí
741 label_search_titles_only: Vyhledávat pouze v názvech
741 label_search_titles_only: Vyhledávat pouze v názvech
742 label_user_mail_option_all: "Pro všechny události všech mých projektů"
742 label_user_mail_option_all: "Pro všechny události všech mých projektů"
743 label_user_mail_option_selected: "Pro všechny události vybraných projektů..."
743 label_user_mail_option_selected: "Pro všechny události vybraných projektů..."
744 label_user_mail_option_none: "Žádné události"
744 label_user_mail_option_none: "Žádné události"
745 label_user_mail_option_only_my_events: "Jen pro věci co sleduji nebo jsem v nich zapojen"
745 label_user_mail_option_only_my_events: "Jen pro věci co sleduji nebo jsem v nich zapojen"
746 label_user_mail_option_only_assigned: "Jen pro všeci kterým sem přiřazen"
746 label_user_mail_option_only_assigned: "Jen pro všeci kterým sem přiřazen"
747 label_user_mail_option_only_owner: "Jen pro věci které vlastním"
747 label_user_mail_option_only_owner: "Jen pro věci které vlastním"
748 label_user_mail_no_self_notified: "Nezasílat informace o mnou vytvořených změnách"
748 label_user_mail_no_self_notified: "Nezasílat informace o mnou vytvořených změnách"
749 label_registration_activation_by_email: aktivace účtu emailem
749 label_registration_activation_by_email: aktivace účtu emailem
750 label_registration_manual_activation: manuální aktivace účtu
750 label_registration_manual_activation: manuální aktivace účtu
751 label_registration_automatic_activation: automatická aktivace účtu
751 label_registration_automatic_activation: automatická aktivace účtu
752 label_display_per_page: "%{value} na stránku"
752 label_display_per_page: "%{value} na stránku"
753 label_age: Věk
753 label_age: Věk
754 label_change_properties: Změnit vlastnosti
754 label_change_properties: Změnit vlastnosti
755 label_general: Obecné
755 label_general: Obecné
756 label_more: Více
756 label_more: Více
757 label_scm: SCM
757 label_scm: SCM
758 label_plugins: Doplňky
758 label_plugins: Doplňky
759 label_ldap_authentication: Autentifikace LDAP
759 label_ldap_authentication: Autentifikace LDAP
760 label_downloads_abbr: Staž.
760 label_downloads_abbr: Staž.
761 label_optional_description: Volitelný popis
761 label_optional_description: Volitelný popis
762 label_add_another_file: Přidat další soubor
762 label_add_another_file: Přidat další soubor
763 label_preferences: Nastavení
763 label_preferences: Nastavení
764 label_chronological_order: V chronologickém pořadí
764 label_chronological_order: V chronologickém pořadí
765 label_reverse_chronological_order: V obrácaném chronologickém pořadí
765 label_reverse_chronological_order: V obrácaném chronologickém pořadí
766 label_planning: Plánování
766 label_planning: Plánování
767 label_incoming_emails: Příchozí e-maily
767 label_incoming_emails: Příchozí e-maily
768 label_generate_key: Generovat klíč
768 label_generate_key: Generovat klíč
769 label_issue_watchers: Sledování
769 label_issue_watchers: Sledování
770 label_example: Příklad
770 label_example: Příklad
771 label_display: Zobrazit
771 label_display: Zobrazit
772 label_sort: Řazení
772 label_sort: Řazení
773 label_ascending: Vzestupně
773 label_ascending: Vzestupně
774 label_descending: Sestupně
774 label_descending: Sestupně
775 label_date_from_to: Od %{start} do %{end}
775 label_date_from_to: Od %{start} do %{end}
776 label_wiki_content_added: Wiki stránka přidána
776 label_wiki_content_added: Wiki stránka přidána
777 label_wiki_content_updated: Wiki stránka aktualizována
777 label_wiki_content_updated: Wiki stránka aktualizována
778 label_group: Skupina
778 label_group: Skupina
779 label_group_plural: Skupiny
779 label_group_plural: Skupiny
780 label_group_new: Nová skupina
780 label_group_new: Nová skupina
781 label_time_entry_plural: Strávený čas
781 label_time_entry_plural: Strávený čas
782 label_version_sharing_none: Nesdíleno
782 label_version_sharing_none: Nesdíleno
783 label_version_sharing_descendants: S podprojekty
783 label_version_sharing_descendants: S podprojekty
784 label_version_sharing_hierarchy: S hierarchií projektu
784 label_version_sharing_hierarchy: S hierarchií projektu
785 label_version_sharing_tree: Se stromem projektu
785 label_version_sharing_tree: Se stromem projektu
786 label_version_sharing_system: Se všemi projekty
786 label_version_sharing_system: Se všemi projekty
787 label_update_issue_done_ratios: Aktualizovat koeficienty dokončení úkolů
787 label_update_issue_done_ratios: Aktualizovat koeficienty dokončení úkolů
788 label_copy_source: Zdroj
788 label_copy_source: Zdroj
789 label_copy_target: Cíl
789 label_copy_target: Cíl
790 label_copy_same_as_target: Stejný jako cíl
790 label_copy_same_as_target: Stejný jako cíl
791 label_display_used_statuses_only: Zobrazit pouze stavy které jsou použité touto frontou
791 label_display_used_statuses_only: Zobrazit pouze stavy které jsou použité touto frontou
792 label_api_access_key: API přístupový klíč
792 label_api_access_key: API přístupový klíč
793 label_missing_api_access_key: Chybějící přístupový klíč API
793 label_missing_api_access_key: Chybějící přístupový klíč API
794 label_api_access_key_created_on: API přístupový klíč vytvořen %{value}
794 label_api_access_key_created_on: API přístupový klíč vytvořen %{value}
795 label_profile: Profil
795 label_profile: Profil
796 label_subtask_plural: Podúkol
796 label_subtask_plural: Podúkol
797 label_project_copy_notifications: Odeslat email oznámení v průběhu kopie projektu
797 label_project_copy_notifications: Odeslat email oznámení v průběhu kopie projektu
798 label_principal_search: "Hledat uživatele nebo skupinu:"
798 label_principal_search: "Hledat uživatele nebo skupinu:"
799 label_user_search: "Hledat uživatele:"
799 label_user_search: "Hledat uživatele:"
800
800
801 button_login: Přihlásit
801 button_login: Přihlásit
802 button_submit: Potvrdit
802 button_submit: Potvrdit
803 button_save: Uložit
803 button_save: Uložit
804 button_check_all: Zašrtnout vše
804 button_check_all: Zašrtnout vše
805 button_uncheck_all: Odšrtnout vše
805 button_uncheck_all: Odšrtnout vše
806 button_delete: Odstranit
806 button_delete: Odstranit
807 button_create: Vytvořit
807 button_create: Vytvořit
808 button_create_and_continue: Vytvořit a pokračovat
808 button_create_and_continue: Vytvořit a pokračovat
809 button_test: Testovat
809 button_test: Testovat
810 button_edit: Upravit
810 button_edit: Upravit
811 button_edit_associated_wikipage: "Upravit přiřazenou Wiki stránku: %{page_title}"
811 button_edit_associated_wikipage: "Upravit přiřazenou Wiki stránku: %{page_title}"
812 button_add: Přidat
812 button_add: Přidat
813 button_change: Změnit
813 button_change: Změnit
814 button_apply: Použít
814 button_apply: Použít
815 button_clear: Smazat
815 button_clear: Smazat
816 button_lock: Zamknout
816 button_lock: Zamknout
817 button_unlock: Odemknout
817 button_unlock: Odemknout
818 button_download: Stáhnout
818 button_download: Stáhnout
819 button_list: Vypsat
819 button_list: Vypsat
820 button_view: Zobrazit
820 button_view: Zobrazit
821 button_move: Přesunout
821 button_move: Přesunout
822 button_move_and_follow: Přesunout a následovat
822 button_move_and_follow: Přesunout a následovat
823 button_back: Zpět
823 button_back: Zpět
824 button_cancel: Storno
824 button_cancel: Storno
825 button_activate: Aktivovat
825 button_activate: Aktivovat
826 button_sort: Seřadit
826 button_sort: Seřadit
827 button_log_time: Přidat čas
827 button_log_time: Přidat čas
828 button_rollback: Zpět k této verzi
828 button_rollback: Zpět k této verzi
829 button_watch: Sledovat
829 button_watch: Sledovat
830 button_unwatch: Nesledovat
830 button_unwatch: Nesledovat
831 button_reply: Odpovědět
831 button_reply: Odpovědět
832 button_archive: Archivovat
832 button_archive: Archivovat
833 button_unarchive: Odarchivovat
833 button_unarchive: Odarchivovat
834 button_reset: Resetovat
834 button_reset: Resetovat
835 button_rename: Přejmenovat
835 button_rename: Přejmenovat
836 button_change_password: Změnit heslo
836 button_change_password: Změnit heslo
837 button_copy: Kopírovat
837 button_copy: Kopírovat
838 button_copy_and_follow: Kopírovat a následovat
838 button_copy_and_follow: Kopírovat a následovat
839 button_annotate: Komentovat
839 button_annotate: Komentovat
840 button_update: Aktualizovat
840 button_update: Aktualizovat
841 button_configure: Konfigurovat
841 button_configure: Konfigurovat
842 button_quote: Citovat
842 button_quote: Citovat
843 button_duplicate: Duplikovat
843 button_duplicate: Duplikovat
844 button_show: Zobrazit
844 button_show: Zobrazit
845
845
846 status_active: aktivní
846 status_active: aktivní
847 status_registered: registrovaný
847 status_registered: registrovaný
848 status_locked: uzamčený
848 status_locked: uzamčený
849
849
850 version_status_open: otevřený
850 version_status_open: otevřený
851 version_status_locked: uzamčený
851 version_status_locked: uzamčený
852 version_status_closed: zavřený
852 version_status_closed: zavřený
853
853
854 field_active: Aktivní
854 field_active: Aktivní
855
855
856 text_select_mail_notifications: Vyberte akci při které bude zasláno upozornění emailem.
856 text_select_mail_notifications: Vyberte akci při které bude zasláno upozornění emailem.
857 text_regexp_info: např. ^[A-Z0-9]+$
857 text_regexp_info: např. ^[A-Z0-9]+$
858 text_min_max_length_info: 0 znamená bez limitu
858 text_min_max_length_info: 0 znamená bez limitu
859 text_project_destroy_confirmation: Jste si jisti, že chcete odstranit tento projekt a všechna související data ?
859 text_project_destroy_confirmation: Jste si jisti, že chcete odstranit tento projekt a všechna související data ?
860 text_subprojects_destroy_warning: "Jeho podprojek(y): %{value} budou také smazány."
860 text_subprojects_destroy_warning: "Jeho podprojek(y): %{value} budou také smazány."
861 text_workflow_edit: Vyberte roli a frontu k editaci průběhu práce
861 text_workflow_edit: Vyberte roli a frontu k editaci průběhu práce
862 text_are_you_sure: Jste si jisti?
862 text_are_you_sure: Jste si jisti?
863 text_are_you_sure_with_children: Smazat úkol včetně všech podúkolů?
863 text_are_you_sure_with_children: Smazat úkol včetně všech podúkolů?
864 text_journal_changed: "%{label} změněn z %{old} na %{new}"
864 text_journal_changed: "%{label} změněn z %{old} na %{new}"
865 text_journal_set_to: "%{label} nastaven na %{value}"
865 text_journal_set_to: "%{label} nastaven na %{value}"
866 text_journal_deleted: "%{label} smazán (%{old})"
866 text_journal_deleted: "%{label} smazán (%{old})"
867 text_journal_added: "%{label} %{value} přidán"
867 text_journal_added: "%{label} %{value} přidán"
868 text_tip_issue_begin_day: úkol začíná v tento den
868 text_tip_issue_begin_day: úkol začíná v tento den
869 text_tip_issue_end_day: úkol končí v tento den
869 text_tip_issue_end_day: úkol končí v tento den
870 text_tip_issue_begin_end_day: úkol začíná a končí v tento den
870 text_tip_issue_begin_end_day: úkol začíná a končí v tento den
871 text_caracters_maximum: "%{count} znaků maximálně."
871 text_caracters_maximum: "%{count} znaků maximálně."
872 text_caracters_minimum: "Musí být alespoň %{count} znaků dlouhé."
872 text_caracters_minimum: "Musí být alespoň %{count} znaků dlouhé."
873 text_length_between: "Délka mezi %{min} a %{max} znaky."
873 text_length_between: "Délka mezi %{min} a %{max} znaky."
874 text_tracker_no_workflow: Pro tuto frontu není definován žádný průběh práce
874 text_tracker_no_workflow: Pro tuto frontu není definován žádný průběh práce
875 text_unallowed_characters: Nepovolené znaky
875 text_unallowed_characters: Nepovolené znaky
876 text_comma_separated: Povoleno více hodnot (oddělěné čárkou).
876 text_comma_separated: Povoleno více hodnot (oddělěné čárkou).
877 text_line_separated: Více hodnot povoleno (jeden řádek pro každou hodnotu).
877 text_line_separated: Více hodnot povoleno (jeden řádek pro každou hodnotu).
878 text_issues_ref_in_commit_messages: Odkazování a opravování úkolů ve zprávách commitů
878 text_issues_ref_in_commit_messages: Odkazování a opravování úkolů ve zprávách commitů
879 text_issue_added: "Úkol %{id} byl vytvořen uživatelem %{author}."
879 text_issue_added: "Úkol %{id} byl vytvořen uživatelem %{author}."
880 text_issue_updated: "Úkol %{id} byl aktualizován uživatelem %{author}."
880 text_issue_updated: "Úkol %{id} byl aktualizován uživatelem %{author}."
881 text_wiki_destroy_confirmation: Opravdu si přejete odstranit tuto Wiki a celý její obsah?
881 text_wiki_destroy_confirmation: Opravdu si přejete odstranit tuto Wiki a celý její obsah?
882 text_issue_category_destroy_question: "Některé úkoly (%{count}) jsou přiřazeny k této kategorii. Co s nimi chtete udělat?"
882 text_issue_category_destroy_question: "Některé úkoly (%{count}) jsou přiřazeny k této kategorii. Co s nimi chtete udělat?"
883 text_issue_category_destroy_assignments: Zrušit přiřazení ke kategorii
883 text_issue_category_destroy_assignments: Zrušit přiřazení ke kategorii
884 text_issue_category_reassign_to: Přiřadit úkoly do této kategorie
884 text_issue_category_reassign_to: Přiřadit úkoly do této kategorie
885 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))."
885 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))."
886 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"
886 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"
887 text_load_default_configuration: Nahrát výchozí konfiguraci
887 text_load_default_configuration: Nahrát výchozí konfiguraci
888 text_status_changed_by_changeset: "Použito v changesetu %{value}."
888 text_status_changed_by_changeset: "Použito v changesetu %{value}."
889 text_time_logged_by_changeset: Aplikováno v changesetu %{value}.
889 text_time_logged_by_changeset: Aplikováno v changesetu %{value}.
890 text_issues_destroy_confirmation: 'Opravdu si přejete odstranit všechny zvolené úkoly?'
890 text_issues_destroy_confirmation: 'Opravdu si přejete odstranit všechny zvolené úkoly?'
891 text_select_project_modules: 'Aktivní moduly v tomto projektu:'
891 text_select_project_modules: 'Aktivní moduly v tomto projektu:'
892 text_default_administrator_account_changed: Výchozí nastavení administrátorského účtu změněno
892 text_default_administrator_account_changed: Výchozí nastavení administrátorského účtu změněno
893 text_file_repository_writable: Povolen zápis do adresáře ukládání souborů
893 text_file_repository_writable: Povolen zápis do adresáře ukládání souborů
894 text_plugin_assets_writable: Možnost zápisu do adresáře plugin assets
894 text_plugin_assets_writable: Možnost zápisu do adresáře plugin assets
895 text_rmagick_available: RMagick k dispozici (volitelné)
895 text_rmagick_available: RMagick k dispozici (volitelné)
896 text_destroy_time_entries_question: "U úkolů, které chcete odstranit je evidováno %{hours} práce. Co chete udělat?"
896 text_destroy_time_entries_question: "U úkolů, které chcete odstranit je evidováno %{hours} práce. Co chete udělat?"
897 text_destroy_time_entries: Odstranit evidované hodiny.
897 text_destroy_time_entries: Odstranit evidované hodiny.
898 text_assign_time_entries_to_project: Přiřadit evidované hodiny projektu
898 text_assign_time_entries_to_project: Přiřadit evidované hodiny projektu
899 text_reassign_time_entries: 'Přeřadit evidované hodiny k tomuto úkolu:'
899 text_reassign_time_entries: 'Přeřadit evidované hodiny k tomuto úkolu:'
900 text_user_wrote: "%{value} napsal:"
900 text_user_wrote: "%{value} napsal:"
901 text_enumeration_destroy_question: "Několik (%{count}) objektů je přiřazeno k této hodnotě."
901 text_enumeration_destroy_question: "Několik (%{count}) objektů je přiřazeno k této hodnotě."
902 text_enumeration_category_reassign_to: 'Přeřadit je do této:'
902 text_enumeration_category_reassign_to: 'Přeřadit je do této:'
903 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."
903 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."
904 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 mapovaní automaticky."
904 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 mapovaní automaticky."
905 text_diff_truncated: '... Rozdílový soubor je zkrácen, protože jeho délka přesahuje max. limit.'
905 text_diff_truncated: '... Rozdílový soubor je zkrácen, protože jeho délka přesahuje max. limit.'
906 text_custom_field_possible_values_info: 'Každá hodnota na novém řádku'
906 text_custom_field_possible_values_info: 'Každá hodnota na novém řádku'
907 text_wiki_page_destroy_question: Tato stránka má %{descendants} podstránek a potomků. Co chcete udělat?
907 text_wiki_page_destroy_question: Tato stránka má %{descendants} podstránek a potomků. Co chcete udělat?
908 text_wiki_page_nullify_children: Ponechat podstránky jako kořenové stránky
908 text_wiki_page_nullify_children: Ponechat podstránky jako kořenové stránky
909 text_wiki_page_destroy_children: Smazat podstránky a všechny jejich potomky
909 text_wiki_page_destroy_children: Smazat podstránky a všechny jejich potomky
910 text_wiki_page_reassign_children: Přiřadit podstránky k tomuto rodiči
910 text_wiki_page_reassign_children: Přiřadit podstránky k tomuto rodiči
911 text_own_membership_delete_confirmation: "Chystáte se odebrat si některá nebo všechny svá oprávnění a potom již nemusíte být schopni upravit tento projekt.\nOpravdu chcete pokračovat?"
911 text_own_membership_delete_confirmation: "Chystáte se odebrat si některá nebo všechny svá oprávnění a potom již nemusíte být schopni upravit tento projekt.\nOpravdu chcete pokračovat?"
912 text_zoom_in: Přiblížit
912 text_zoom_in: Přiblížit
913 text_zoom_out: Oddálit
913 text_zoom_out: Oddálit
914
914
915 default_role_manager: Manažer
915 default_role_manager: Manažer
916 default_role_developer: Vývojář
916 default_role_developer: Vývojář
917 default_role_reporter: Reportér
917 default_role_reporter: Reportér
918 default_tracker_bug: Chyba
918 default_tracker_bug: Chyba
919 default_tracker_feature: Požadavek
919 default_tracker_feature: Požadavek
920 default_tracker_support: Podpora
920 default_tracker_support: Podpora
921 default_issue_status_new: Nový
921 default_issue_status_new: Nový
922 default_issue_status_in_progress: Ve vývoji
922 default_issue_status_in_progress: Ve vývoji
923 default_issue_status_resolved: Vyřešený
923 default_issue_status_resolved: Vyřešený
924 default_issue_status_feedback: Čeká se
924 default_issue_status_feedback: Čeká se
925 default_issue_status_closed: Uzavřený
925 default_issue_status_closed: Uzavřený
926 default_issue_status_rejected: Odmítnutý
926 default_issue_status_rejected: Odmítnutý
927 default_doc_category_user: Uživatelská dokumentace
927 default_doc_category_user: Uživatelská dokumentace
928 default_doc_category_tech: Technická dokumentace
928 default_doc_category_tech: Technická dokumentace
929 default_priority_low: Nízká
929 default_priority_low: Nízká
930 default_priority_normal: Normální
930 default_priority_normal: Normální
931 default_priority_high: Vysoká
931 default_priority_high: Vysoká
932 default_priority_urgent: Urgentní
932 default_priority_urgent: Urgentní
933 default_priority_immediate: Okamžitá
933 default_priority_immediate: Okamžitá
934 default_activity_design: Návhr
934 default_activity_design: Návhr
935 default_activity_development: Vývoj
935 default_activity_development: Vývoj
936
936
937 enumeration_issue_priorities: Priority úkolů
937 enumeration_issue_priorities: Priority úkolů
938 enumeration_doc_categories: Kategorie dokumentů
938 enumeration_doc_categories: Kategorie dokumentů
939 enumeration_activities: Aktivity (sledování času)
939 enumeration_activities: Aktivity (sledování času)
940 enumeration_system_activity: Systémová aktivita
940 enumeration_system_activity: Systémová aktivita
941
941
942 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
942 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
943 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
943 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
944 label_my_queries: My custom queries
944 label_my_queries: My custom queries
945 text_journal_changed_no_detail: "%{label} updated"
945 text_journal_changed_no_detail: "%{label} updated"
946 label_news_comment_added: Comment added to a news
946 label_news_comment_added: Comment added to a news
947 button_expand_all: Expand all
947 button_expand_all: Expand all
948 button_collapse_all: Collapse all
948 button_collapse_all: Collapse all
949 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
949 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
950 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
950 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
951 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
951 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
952 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
952 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
953 label_role_anonymous: Anonymous
953 label_role_anonymous: Anonymous
954 label_role_non_member: Non member
954 label_role_non_member: Non member
955 label_issue_note_added: Note added
955 label_issue_note_added: Note added
956 label_issue_status_updated: Status updated
956 label_issue_status_updated: Status updated
957 label_issue_priority_updated: Priority updated
957 label_issue_priority_updated: Priority updated
958 label_issues_visibility_own: Issues created by or assigned to the user
958 label_issues_visibility_own: Issues created by or assigned to the user
959 field_issues_visibility: Issues visibility
959 field_issues_visibility: Issues visibility
960 label_issues_visibility_all: All issues
960 label_issues_visibility_all: All issues
961 permission_set_own_issues_private: Set own issues public or private
961 permission_set_own_issues_private: Set own issues public or private
962 field_is_private: Private
962 field_is_private: Private
963 permission_set_issues_private: Set issues public or private
963 permission_set_issues_private: Set issues public or private
964 label_issues_visibility_public: All non private issues
964 label_issues_visibility_public: All non private issues
965 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
965 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
966 field_commit_logs_encoding: Kódování zpráv při commitu
966 field_commit_logs_encoding: Kódování zpráv při commitu
967 field_scm_path_encoding: Path encoding
967 field_scm_path_encoding: Path encoding
968 text_scm_path_encoding_note: "Default: UTF-8"
968 text_scm_path_encoding_note: "Default: UTF-8"
969 field_path_to_repository: Path to repository
969 field_path_to_repository: Path to repository
970 field_root_directory: Root directory
970 field_root_directory: Root directory
971 field_cvs_module: Module
971 field_cvs_module: Module
972 field_cvsroot: CVSROOT
972 field_cvsroot: CVSROOT
973 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
973 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
974 text_scm_command: Command
974 text_scm_command: Command
975 text_scm_command_version: Version
975 text_scm_command_version: Version
976 label_git_report_last_commit: Report last commit for files and directories
976 label_git_report_last_commit: Report last commit for files and directories
977 text_scm_config: You can configure your scm commands in config/configuration.yml. Please restart the application after editing it.
977 text_scm_config: You can configure your scm commands in config/configuration.yml. Please restart the application after editing it.
978 text_scm_command_not_available: Scm command is not available. Please check settings on the administration panel.
978 text_scm_command_not_available: Scm command is not available. Please check settings on the administration panel.
979 notice_issue_successful_create: Issue %{id} created.
979 notice_issue_successful_create: Issue %{id} created.
980 label_between: between
980 label_between: between
981 setting_issue_group_assignment: Allow issue assignment to groups
981 setting_issue_group_assignment: Allow issue assignment to groups
982 label_diff: diff
982 label_diff: diff
983 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
983 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
984 description_query_sort_criteria_direction: Sort direction
984 description_query_sort_criteria_direction: Sort direction
985 description_project_scope: Search scope
985 description_project_scope: Search scope
986 description_filter: Filter
986 description_filter: Filter
987 description_user_mail_notification: Mail notification settings
987 description_user_mail_notification: Mail notification settings
988 description_date_from: Enter start date
988 description_date_from: Enter start date
989 description_message_content: Message content
989 description_message_content: Message content
990 description_available_columns: Available Columns
990 description_available_columns: Available Columns
991 description_date_range_interval: Choose range by selecting start and end date
991 description_date_range_interval: Choose range by selecting start and end date
992 description_issue_category_reassign: Choose issue category
992 description_issue_category_reassign: Choose issue category
993 description_search: Searchfield
993 description_search: Searchfield
994 description_notes: Notes
994 description_notes: Notes
995 description_date_range_list: Choose range from list
995 description_date_range_list: Choose range from list
996 description_choose_project: Projects
996 description_choose_project: Projects
997 description_date_to: Enter end date
997 description_date_to: Enter end date
998 description_query_sort_criteria_attribute: Sort attribute
998 description_query_sort_criteria_attribute: Sort attribute
999 description_wiki_subpages_reassign: Choose new parent page
999 description_wiki_subpages_reassign: Choose new parent page
1000 description_selected_columns: Selected Columns
1000 description_selected_columns: Selected Columns
1001 label_parent_revision: Parent
1001 label_parent_revision: Parent
1002 label_child_revision: Child
1002 label_child_revision: Child
1003 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1003 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1004 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1004 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1005 button_edit_section: Edit this section
1005 button_edit_section: Edit this section
1006 setting_repositories_encodings: Attachments and repositories encodings
1006 setting_repositories_encodings: Attachments and repositories encodings
1007 description_all_columns: All Columns
1007 description_all_columns: All Columns
1008 button_export: Export
1008 button_export: Export
1009 label_export_options: "%{export_format} export options"
1009 label_export_options: "%{export_format} export options"
1010 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1010 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1011 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1011 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1012 label_x_issues:
1012 label_x_issues:
1013 zero: 0 Úkol
1013 zero: 0 Úkol
1014 one: 1 Úkol
1014 one: 1 Úkol
1015 other: "%{count} Úkoly"
1015 other: "%{count} Úkoly"
1016 label_repository_new: New repository
1016 label_repository_new: New repository
1017 field_repository_is_default: Main repository
1017 field_repository_is_default: Main repository
1018 label_copy_attachments: Copy attachments
1018 label_copy_attachments: Copy attachments
1019 label_item_position: "%{position}/%{count}"
1019 label_item_position: "%{position}/%{count}"
1020 label_completed_versions: Completed versions
1020 label_completed_versions: Completed versions
1021 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1021 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1022 field_multiple: Multiple values
1022 field_multiple: Multiple values
1023 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1023 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1024 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1024 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1025 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1025 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1026 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1026 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1027 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1027 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1028 permission_manage_related_issues: Manage related issues
1028 permission_manage_related_issues: Manage related issues
1029 field_ldap_filter: LDAP filter
@@ -1,1042 +1,1043
1 # Danish translation file for standard Ruby on Rails internationalization
1 # Danish translation file for standard Ruby on Rails internationalization
2 # by Lars Hoeg (http://www.lenio.dk/)
2 # by Lars Hoeg (http://www.lenio.dk/)
3 # updated and upgraded to 0.9 by Morten Krogh Andersen (http://www.krogh.net)
3 # updated and upgraded to 0.9 by Morten Krogh Andersen (http://www.krogh.net)
4
4
5 da:
5 da:
6 direction: ltr
6 direction: ltr
7 date:
7 date:
8 formats:
8 formats:
9 default: "%d.%m.%Y"
9 default: "%d.%m.%Y"
10 short: "%e. %b %Y"
10 short: "%e. %b %Y"
11 long: "%e. %B %Y"
11 long: "%e. %B %Y"
12
12
13 day_names: [søndag, mandag, tirsdag, onsdag, torsdag, fredag, lørdag]
13 day_names: [søndag, mandag, tirsdag, onsdag, torsdag, fredag, lørdag]
14 abbr_day_names: [, ma, ti, 'on', to, fr, ]
14 abbr_day_names: [, ma, ti, 'on', to, fr, ]
15 month_names: [~, januar, februar, marts, april, maj, juni, juli, august, september, oktober, november, december]
15 month_names: [~, januar, februar, marts, april, maj, juni, juli, august, september, oktober, november, december]
16 abbr_month_names: [~, jan, feb, mar, apr, maj, jun, jul, aug, sep, okt, nov, dec]
16 abbr_month_names: [~, jan, feb, mar, apr, maj, jun, jul, aug, sep, okt, nov, dec]
17 order:
17 order:
18 - :day
18 - :day
19 - :month
19 - :month
20 - :year
20 - :year
21
21
22 time:
22 time:
23 formats:
23 formats:
24 default: "%e. %B %Y, %H:%M"
24 default: "%e. %B %Y, %H:%M"
25 time: "%H:%M"
25 time: "%H:%M"
26 short: "%e. %b %Y, %H:%M"
26 short: "%e. %b %Y, %H:%M"
27 long: "%A, %e. %B %Y, %H:%M"
27 long: "%A, %e. %B %Y, %H:%M"
28 am: ""
28 am: ""
29 pm: ""
29 pm: ""
30
30
31 support:
31 support:
32 array:
32 array:
33 sentence_connector: "og"
33 sentence_connector: "og"
34 skip_last_comma: true
34 skip_last_comma: true
35
35
36 datetime:
36 datetime:
37 distance_in_words:
37 distance_in_words:
38 half_a_minute: "et halvt minut"
38 half_a_minute: "et halvt minut"
39 less_than_x_seconds:
39 less_than_x_seconds:
40 one: "mindre end et sekund"
40 one: "mindre end et sekund"
41 other: "mindre end %{count} sekunder"
41 other: "mindre end %{count} sekunder"
42 x_seconds:
42 x_seconds:
43 one: "et sekund"
43 one: "et sekund"
44 other: "%{count} sekunder"
44 other: "%{count} sekunder"
45 less_than_x_minutes:
45 less_than_x_minutes:
46 one: "mindre end et minut"
46 one: "mindre end et minut"
47 other: "mindre end %{count} minutter"
47 other: "mindre end %{count} minutter"
48 x_minutes:
48 x_minutes:
49 one: "et minut"
49 one: "et minut"
50 other: "%{count} minutter"
50 other: "%{count} minutter"
51 about_x_hours:
51 about_x_hours:
52 one: "cirka en time"
52 one: "cirka en time"
53 other: "cirka %{count} timer"
53 other: "cirka %{count} timer"
54 x_days:
54 x_days:
55 one: "en dag"
55 one: "en dag"
56 other: "%{count} dage"
56 other: "%{count} dage"
57 about_x_months:
57 about_x_months:
58 one: "cirka en måned"
58 one: "cirka en måned"
59 other: "cirka %{count} måneder"
59 other: "cirka %{count} måneder"
60 x_months:
60 x_months:
61 one: "en måned"
61 one: "en måned"
62 other: "%{count} måneder"
62 other: "%{count} måneder"
63 about_x_years:
63 about_x_years:
64 one: "cirka et år"
64 one: "cirka et år"
65 other: "cirka %{count} år"
65 other: "cirka %{count} år"
66 over_x_years:
66 over_x_years:
67 one: "mere end et år"
67 one: "mere end et år"
68 other: "mere end %{count} år"
68 other: "mere end %{count} år"
69 almost_x_years:
69 almost_x_years:
70 one: "næsten 1 år"
70 one: "næsten 1 år"
71 other: "næsten %{count} år"
71 other: "næsten %{count} år"
72
72
73 number:
73 number:
74 format:
74 format:
75 separator: ","
75 separator: ","
76 delimiter: "."
76 delimiter: "."
77 precision: 3
77 precision: 3
78 currency:
78 currency:
79 format:
79 format:
80 format: "%u %n"
80 format: "%u %n"
81 unit: "DKK"
81 unit: "DKK"
82 separator: ","
82 separator: ","
83 delimiter: "."
83 delimiter: "."
84 precision: 2
84 precision: 2
85 precision:
85 precision:
86 format:
86 format:
87 # separator:
87 # separator:
88 delimiter: ""
88 delimiter: ""
89 # precision:
89 # precision:
90 human:
90 human:
91 format:
91 format:
92 # separator:
92 # separator:
93 delimiter: ""
93 delimiter: ""
94 precision: 1
94 precision: 1
95 storage_units:
95 storage_units:
96 format: "%n %u"
96 format: "%n %u"
97 units:
97 units:
98 byte:
98 byte:
99 one: "Byte"
99 one: "Byte"
100 other: "Bytes"
100 other: "Bytes"
101 kb: "KB"
101 kb: "KB"
102 mb: "MB"
102 mb: "MB"
103 gb: "GB"
103 gb: "GB"
104 tb: "TB"
104 tb: "TB"
105 percentage:
105 percentage:
106 format:
106 format:
107 # separator:
107 # separator:
108 delimiter: ""
108 delimiter: ""
109 # precision:
109 # precision:
110
110
111 activerecord:
111 activerecord:
112 errors:
112 errors:
113 template:
113 template:
114 header:
114 header:
115 one: "1 error prohibited this %{model} from being saved"
115 one: "1 error prohibited this %{model} from being saved"
116 other: "%{count} errors prohibited this %{model} from being saved"
116 other: "%{count} errors prohibited this %{model} from being saved"
117 messages:
117 messages:
118 inclusion: "er ikke i listen"
118 inclusion: "er ikke i listen"
119 exclusion: "er reserveret"
119 exclusion: "er reserveret"
120 invalid: "er ikke gyldig"
120 invalid: "er ikke gyldig"
121 confirmation: "stemmer ikke overens"
121 confirmation: "stemmer ikke overens"
122 accepted: "skal accepteres"
122 accepted: "skal accepteres"
123 empty: "må ikke udelades"
123 empty: "må ikke udelades"
124 blank: "skal udfyldes"
124 blank: "skal udfyldes"
125 too_long: "er for lang (højst %{count} tegn)"
125 too_long: "er for lang (højst %{count} tegn)"
126 too_short: "er for kort (mindst %{count} tegn)"
126 too_short: "er for kort (mindst %{count} tegn)"
127 wrong_length: "har forkert længde (skulle være %{count} tegn)"
127 wrong_length: "har forkert længde (skulle være %{count} tegn)"
128 taken: "er allerede anvendt"
128 taken: "er allerede anvendt"
129 not_a_number: "er ikke et tal"
129 not_a_number: "er ikke et tal"
130 greater_than: "skal være større end %{count}"
130 greater_than: "skal være større end %{count}"
131 greater_than_or_equal_to: "skal være større end eller lig med %{count}"
131 greater_than_or_equal_to: "skal være større end eller lig med %{count}"
132 equal_to: "skal være lig med %{count}"
132 equal_to: "skal være lig med %{count}"
133 less_than: "skal være mindre end %{count}"
133 less_than: "skal være mindre end %{count}"
134 less_than_or_equal_to: "skal være mindre end eller lig med %{count}"
134 less_than_or_equal_to: "skal være mindre end eller lig med %{count}"
135 odd: "skal være ulige"
135 odd: "skal være ulige"
136 even: "skal være lige"
136 even: "skal være lige"
137 greater_than_start_date: "skal være senere end startdatoen"
137 greater_than_start_date: "skal være senere end startdatoen"
138 not_same_project: "hører ikke til samme projekt"
138 not_same_project: "hører ikke til samme projekt"
139 circular_dependency: "Denne relation vil skabe et afhængighedsforhold"
139 circular_dependency: "Denne relation vil skabe et afhængighedsforhold"
140 cant_link_an_issue_with_a_descendant: "En sag kan ikke relateres til en af dens underopgaver"
140 cant_link_an_issue_with_a_descendant: "En sag kan ikke relateres til en af dens underopgaver"
141
141
142 template:
142 template:
143 header:
143 header:
144 one: "En fejl forhindrede %{model} i at blive gemt"
144 one: "En fejl forhindrede %{model} i at blive gemt"
145 other: "%{count} fejl forhindrede denne %{model} i at blive gemt"
145 other: "%{count} fejl forhindrede denne %{model} i at blive gemt"
146 body: "Der var problemer med følgende felter:"
146 body: "Der var problemer med følgende felter:"
147
147
148 actionview_instancetag_blank_option: Vælg venligst
148 actionview_instancetag_blank_option: Vælg venligst
149
149
150 general_text_No: 'Nej'
150 general_text_No: 'Nej'
151 general_text_Yes: 'Ja'
151 general_text_Yes: 'Ja'
152 general_text_no: 'nej'
152 general_text_no: 'nej'
153 general_text_yes: 'ja'
153 general_text_yes: 'ja'
154 general_lang_name: 'Danish (Dansk)'
154 general_lang_name: 'Danish (Dansk)'
155 general_csv_separator: ','
155 general_csv_separator: ','
156 general_csv_encoding: ISO-8859-1
156 general_csv_encoding: ISO-8859-1
157 general_pdf_encoding: UTF-8
157 general_pdf_encoding: UTF-8
158 general_first_day_of_week: '1'
158 general_first_day_of_week: '1'
159
159
160 notice_account_updated: Kontoen er opdateret.
160 notice_account_updated: Kontoen er opdateret.
161 notice_account_invalid_creditentials: Ugyldig bruger og/eller kodeord
161 notice_account_invalid_creditentials: Ugyldig bruger og/eller kodeord
162 notice_account_password_updated: Kodeordet er opdateret.
162 notice_account_password_updated: Kodeordet er opdateret.
163 notice_account_wrong_password: Forkert kodeord
163 notice_account_wrong_password: Forkert kodeord
164 notice_account_register_done: Kontoen er oprettet. For at aktivere kontoen skal du klikke på linket i den tilsendte email.
164 notice_account_register_done: Kontoen er oprettet. For at aktivere kontoen skal du klikke på linket i den tilsendte email.
165 notice_account_unknown_email: Ukendt bruger.
165 notice_account_unknown_email: Ukendt bruger.
166 notice_can_t_change_password: Denne konto benytter en ekstern sikkerhedsgodkendelse. Det er ikke muligt at skifte kodeord.
166 notice_can_t_change_password: Denne konto benytter en ekstern sikkerhedsgodkendelse. Det er ikke muligt at skifte kodeord.
167 notice_account_lost_email_sent: En email med instruktioner til at vælge et nyt kodeord er afsendt til dig.
167 notice_account_lost_email_sent: En email med instruktioner til at vælge et nyt kodeord er afsendt til dig.
168 notice_account_activated: Din konto er aktiveret. Du kan nu logge ind.
168 notice_account_activated: Din konto er aktiveret. Du kan nu logge ind.
169 notice_successful_create: Succesfuld oprettelse.
169 notice_successful_create: Succesfuld oprettelse.
170 notice_successful_update: Succesfuld opdatering.
170 notice_successful_update: Succesfuld opdatering.
171 notice_successful_delete: Succesfuld sletning.
171 notice_successful_delete: Succesfuld sletning.
172 notice_successful_connection: Succesfuld forbindelse.
172 notice_successful_connection: Succesfuld forbindelse.
173 notice_file_not_found: Siden du forsøger at tilgå eksisterer ikke eller er blevet fjernet.
173 notice_file_not_found: Siden du forsøger at tilgå eksisterer ikke eller er blevet fjernet.
174 notice_locking_conflict: Data er opdateret af en anden bruger.
174 notice_locking_conflict: Data er opdateret af en anden bruger.
175 notice_not_authorized: Du har ikke adgang til denne side.
175 notice_not_authorized: Du har ikke adgang til denne side.
176 notice_email_sent: "En email er sendt til %{value}"
176 notice_email_sent: "En email er sendt til %{value}"
177 notice_email_error: "En fejl opstod under afsendelse af email (%{value})"
177 notice_email_error: "En fejl opstod under afsendelse af email (%{value})"
178 notice_feeds_access_key_reseted: Din adgangsnøgle til RSS er nulstillet.
178 notice_feeds_access_key_reseted: Din adgangsnøgle til RSS er nulstillet.
179 notice_failed_to_save_issues: "Det mislykkedes at gemme %{count} sage(r) %{total} valgt: %{ids}."
179 notice_failed_to_save_issues: "Det mislykkedes at gemme %{count} sage(r) %{total} valgt: %{ids}."
180 notice_no_issue_selected: "Ingen sag er valgt! Vælg venligst hvilke emner du vil rette."
180 notice_no_issue_selected: "Ingen sag er valgt! Vælg venligst hvilke emner du vil rette."
181 notice_account_pending: "Din konto er oprettet, og afventer administrators godkendelse."
181 notice_account_pending: "Din konto er oprettet, og afventer administrators godkendelse."
182 notice_default_data_loaded: Standardopsætningen er indlæst.
182 notice_default_data_loaded: Standardopsætningen er indlæst.
183
183
184 error_can_t_load_default_data: "Standardopsætning kunne ikke indlæses: %{value}"
184 error_can_t_load_default_data: "Standardopsætning kunne ikke indlæses: %{value}"
185 error_scm_not_found: "Adgang nægtet og/eller revision blev ikke fundet i det valgte repository."
185 error_scm_not_found: "Adgang nægtet og/eller revision blev ikke fundet i det valgte repository."
186 error_scm_command_failed: "En fejl opstod under forbindelsen til det valgte repository: %{value}"
186 error_scm_command_failed: "En fejl opstod under forbindelsen til det valgte repository: %{value}"
187
187
188 mail_subject_lost_password: "Dit %{value} kodeord"
188 mail_subject_lost_password: "Dit %{value} kodeord"
189 mail_body_lost_password: 'Klik dette link for at ændre dit kodeord:'
189 mail_body_lost_password: 'Klik dette link for at ændre dit kodeord:'
190 mail_subject_register: "%{value} kontoaktivering"
190 mail_subject_register: "%{value} kontoaktivering"
191 mail_body_register: 'Klik dette link for at aktivere din konto:'
191 mail_body_register: 'Klik dette link for at aktivere din konto:'
192 mail_body_account_information_external: "Du kan bruge din %{value} konto til at logge ind."
192 mail_body_account_information_external: "Du kan bruge din %{value} konto til at logge ind."
193 mail_body_account_information: Din kontoinformation
193 mail_body_account_information: Din kontoinformation
194 mail_subject_account_activation_request: "%{value} kontoaktivering"
194 mail_subject_account_activation_request: "%{value} kontoaktivering"
195 mail_body_account_activation_request: "En ny bruger (%{value}) er registreret. Godkend venligst kontoen:"
195 mail_body_account_activation_request: "En ny bruger (%{value}) er registreret. Godkend venligst kontoen:"
196
196
197 gui_validation_error: 1 fejl
197 gui_validation_error: 1 fejl
198 gui_validation_error_plural: "%{count} fejl"
198 gui_validation_error_plural: "%{count} fejl"
199
199
200 field_name: Navn
200 field_name: Navn
201 field_description: Beskrivelse
201 field_description: Beskrivelse
202 field_summary: Sammenfatning
202 field_summary: Sammenfatning
203 field_is_required: Skal udfyldes
203 field_is_required: Skal udfyldes
204 field_firstname: Fornavn
204 field_firstname: Fornavn
205 field_lastname: Efternavn
205 field_lastname: Efternavn
206 field_mail: Email
206 field_mail: Email
207 field_filename: Fil
207 field_filename: Fil
208 field_filesize: Størrelse
208 field_filesize: Størrelse
209 field_downloads: Downloads
209 field_downloads: Downloads
210 field_author: Forfatter
210 field_author: Forfatter
211 field_created_on: Oprettet
211 field_created_on: Oprettet
212 field_updated_on: Opdateret
212 field_updated_on: Opdateret
213 field_field_format: Format
213 field_field_format: Format
214 field_is_for_all: For alle projekter
214 field_is_for_all: For alle projekter
215 field_possible_values: Mulige værdier
215 field_possible_values: Mulige værdier
216 field_regexp: Regulære udtryk
216 field_regexp: Regulære udtryk
217 field_min_length: Mindste længde
217 field_min_length: Mindste længde
218 field_max_length: Største længde
218 field_max_length: Største længde
219 field_value: Værdi
219 field_value: Værdi
220 field_category: Kategori
220 field_category: Kategori
221 field_title: Titel
221 field_title: Titel
222 field_project: Projekt
222 field_project: Projekt
223 field_issue: Sag
223 field_issue: Sag
224 field_status: Status
224 field_status: Status
225 field_notes: Noter
225 field_notes: Noter
226 field_is_closed: Sagen er lukket
226 field_is_closed: Sagen er lukket
227 field_is_default: Standardværdi
227 field_is_default: Standardværdi
228 field_tracker: Type
228 field_tracker: Type
229 field_subject: Emne
229 field_subject: Emne
230 field_due_date: Deadline
230 field_due_date: Deadline
231 field_assigned_to: Tildelt til
231 field_assigned_to: Tildelt til
232 field_priority: Prioritet
232 field_priority: Prioritet
233 field_fixed_version: Udgave
233 field_fixed_version: Udgave
234 field_user: Bruger
234 field_user: Bruger
235 field_role: Rolle
235 field_role: Rolle
236 field_homepage: Hjemmeside
236 field_homepage: Hjemmeside
237 field_is_public: Offentlig
237 field_is_public: Offentlig
238 field_parent: Underprojekt af
238 field_parent: Underprojekt af
239 field_is_in_roadmap: Sager vist i roadmap
239 field_is_in_roadmap: Sager vist i roadmap
240 field_login: Login
240 field_login: Login
241 field_mail_notification: Email-påmindelser
241 field_mail_notification: Email-påmindelser
242 field_admin: Administrator
242 field_admin: Administrator
243 field_last_login_on: Sidste forbindelse
243 field_last_login_on: Sidste forbindelse
244 field_language: Sprog
244 field_language: Sprog
245 field_effective_date: Dato
245 field_effective_date: Dato
246 field_password: Kodeord
246 field_password: Kodeord
247 field_new_password: Nyt kodeord
247 field_new_password: Nyt kodeord
248 field_password_confirmation: Bekræft
248 field_password_confirmation: Bekræft
249 field_version: Version
249 field_version: Version
250 field_type: Type
250 field_type: Type
251 field_host: Vært
251 field_host: Vært
252 field_port: Port
252 field_port: Port
253 field_account: Kode
253 field_account: Kode
254 field_base_dn: Base DN
254 field_base_dn: Base DN
255 field_attr_login: Login attribut
255 field_attr_login: Login attribut
256 field_attr_firstname: Fornavn attribut
256 field_attr_firstname: Fornavn attribut
257 field_attr_lastname: Efternavn attribut
257 field_attr_lastname: Efternavn attribut
258 field_attr_mail: Email attribut
258 field_attr_mail: Email attribut
259 field_onthefly: løbende brugeroprettelse
259 field_onthefly: løbende brugeroprettelse
260 field_start_date: Start dato
260 field_start_date: Start dato
261 field_done_ratio: "% færdig"
261 field_done_ratio: "% færdig"
262 field_auth_source: Sikkerhedsmetode
262 field_auth_source: Sikkerhedsmetode
263 field_hide_mail: Skjul min email
263 field_hide_mail: Skjul min email
264 field_comments: Kommentar
264 field_comments: Kommentar
265 field_url: URL
265 field_url: URL
266 field_start_page: Startside
266 field_start_page: Startside
267 field_subproject: Underprojekt
267 field_subproject: Underprojekt
268 field_hours: Timer
268 field_hours: Timer
269 field_activity: Aktivitet
269 field_activity: Aktivitet
270 field_spent_on: Dato
270 field_spent_on: Dato
271 field_identifier: Identifikator
271 field_identifier: Identifikator
272 field_is_filter: Brugt som et filter
272 field_is_filter: Brugt som et filter
273 field_issue_to: Beslægtede sag
273 field_issue_to: Beslægtede sag
274 field_delay: Udsættelse
274 field_delay: Udsættelse
275 field_assignable: Sager kan tildeles denne rolle
275 field_assignable: Sager kan tildeles denne rolle
276 field_redirect_existing_links: Videresend eksisterende links
276 field_redirect_existing_links: Videresend eksisterende links
277 field_estimated_hours: Anslået tid
277 field_estimated_hours: Anslået tid
278 field_column_names: Kolonner
278 field_column_names: Kolonner
279 field_time_zone: Tidszone
279 field_time_zone: Tidszone
280 field_searchable: Søgbar
280 field_searchable: Søgbar
281 field_default_value: Standardværdi
281 field_default_value: Standardværdi
282
282
283 setting_app_title: Applikationstitel
283 setting_app_title: Applikationstitel
284 setting_app_subtitle: Applikationsundertekst
284 setting_app_subtitle: Applikationsundertekst
285 setting_welcome_text: Velkomsttekst
285 setting_welcome_text: Velkomsttekst
286 setting_default_language: Standardsporg
286 setting_default_language: Standardsporg
287 setting_login_required: Sikkerhed påkrævet
287 setting_login_required: Sikkerhed påkrævet
288 setting_self_registration: Brugeroprettelse
288 setting_self_registration: Brugeroprettelse
289 setting_attachment_max_size: Vedhæftede filers max størrelse
289 setting_attachment_max_size: Vedhæftede filers max størrelse
290 setting_issues_export_limit: Sagseksporteringsbegrænsning
290 setting_issues_export_limit: Sagseksporteringsbegrænsning
291 setting_mail_from: Afsender-email
291 setting_mail_from: Afsender-email
292 setting_bcc_recipients: Skjult modtager (bcc)
292 setting_bcc_recipients: Skjult modtager (bcc)
293 setting_host_name: Værtsnavn
293 setting_host_name: Værtsnavn
294 setting_text_formatting: Tekstformatering
294 setting_text_formatting: Tekstformatering
295 setting_wiki_compression: Komprimering af wiki-historik
295 setting_wiki_compression: Komprimering af wiki-historik
296 setting_feeds_limit: Feed indholdsbegrænsning
296 setting_feeds_limit: Feed indholdsbegrænsning
297 setting_autofetch_changesets: Hent automatisk commits
297 setting_autofetch_changesets: Hent automatisk commits
298 setting_sys_api_enabled: Aktiver webservice for automatisk administration af repository
298 setting_sys_api_enabled: Aktiver webservice for automatisk administration af repository
299 setting_commit_ref_keywords: Referencenøgleord
299 setting_commit_ref_keywords: Referencenøgleord
300 setting_commit_fix_keywords: Afslutningsnøgleord
300 setting_commit_fix_keywords: Afslutningsnøgleord
301 setting_autologin: Automatisk login
301 setting_autologin: Automatisk login
302 setting_date_format: Datoformat
302 setting_date_format: Datoformat
303 setting_time_format: Tidsformat
303 setting_time_format: Tidsformat
304 setting_cross_project_issue_relations: Tillad sagsrelationer på tværs af projekter
304 setting_cross_project_issue_relations: Tillad sagsrelationer på tværs af projekter
305 setting_issue_list_default_columns: Standardkolonner på sagslisten
305 setting_issue_list_default_columns: Standardkolonner på sagslisten
306 setting_emails_footer: Email-fodnote
306 setting_emails_footer: Email-fodnote
307 setting_protocol: Protokol
307 setting_protocol: Protokol
308 setting_user_format: Brugervisningsformat
308 setting_user_format: Brugervisningsformat
309
309
310 project_module_issue_tracking: Sagssøgning
310 project_module_issue_tracking: Sagssøgning
311 project_module_time_tracking: Tidsstyring
311 project_module_time_tracking: Tidsstyring
312 project_module_news: Nyheder
312 project_module_news: Nyheder
313 project_module_documents: Dokumenter
313 project_module_documents: Dokumenter
314 project_module_files: Filer
314 project_module_files: Filer
315 project_module_wiki: Wiki
315 project_module_wiki: Wiki
316 project_module_repository: Repository
316 project_module_repository: Repository
317 project_module_boards: Fora
317 project_module_boards: Fora
318
318
319 label_user: Bruger
319 label_user: Bruger
320 label_user_plural: Brugere
320 label_user_plural: Brugere
321 label_user_new: Ny bruger
321 label_user_new: Ny bruger
322 label_project: Projekt
322 label_project: Projekt
323 label_project_new: Nyt projekt
323 label_project_new: Nyt projekt
324 label_project_plural: Projekter
324 label_project_plural: Projekter
325 label_x_projects:
325 label_x_projects:
326 zero: Ingen projekter
326 zero: Ingen projekter
327 one: 1 projekt
327 one: 1 projekt
328 other: "%{count} projekter"
328 other: "%{count} projekter"
329 label_project_all: Alle projekter
329 label_project_all: Alle projekter
330 label_project_latest: Seneste projekter
330 label_project_latest: Seneste projekter
331 label_issue: Sag
331 label_issue: Sag
332 label_issue_new: Opret sag
332 label_issue_new: Opret sag
333 label_issue_plural: Sager
333 label_issue_plural: Sager
334 label_issue_view_all: Vis alle sager
334 label_issue_view_all: Vis alle sager
335 label_issues_by: "Sager fra %{value}"
335 label_issues_by: "Sager fra %{value}"
336 label_issue_added: Sagen er oprettet
336 label_issue_added: Sagen er oprettet
337 label_issue_updated: Sagen er opdateret
337 label_issue_updated: Sagen er opdateret
338 label_document: Dokument
338 label_document: Dokument
339 label_document_new: Nyt dokument
339 label_document_new: Nyt dokument
340 label_document_plural: Dokumenter
340 label_document_plural: Dokumenter
341 label_document_added: Dokument tilføjet
341 label_document_added: Dokument tilføjet
342 label_role: Rolle
342 label_role: Rolle
343 label_role_plural: Roller
343 label_role_plural: Roller
344 label_role_new: Ny rolle
344 label_role_new: Ny rolle
345 label_role_and_permissions: Roller og rettigheder
345 label_role_and_permissions: Roller og rettigheder
346 label_member: Medlem
346 label_member: Medlem
347 label_member_new: Nyt medlem
347 label_member_new: Nyt medlem
348 label_member_plural: Medlemmer
348 label_member_plural: Medlemmer
349 label_tracker: Type
349 label_tracker: Type
350 label_tracker_plural: Typer
350 label_tracker_plural: Typer
351 label_tracker_new: Ny type
351 label_tracker_new: Ny type
352 label_workflow: Arbejdsgang
352 label_workflow: Arbejdsgang
353 label_issue_status: Sagsstatus
353 label_issue_status: Sagsstatus
354 label_issue_status_plural: Sagsstatusser
354 label_issue_status_plural: Sagsstatusser
355 label_issue_status_new: Ny status
355 label_issue_status_new: Ny status
356 label_issue_category: Sagskategori
356 label_issue_category: Sagskategori
357 label_issue_category_plural: Sagskategorier
357 label_issue_category_plural: Sagskategorier
358 label_issue_category_new: Ny kategori
358 label_issue_category_new: Ny kategori
359 label_custom_field: Brugerdefineret felt
359 label_custom_field: Brugerdefineret felt
360 label_custom_field_plural: Brugerdefinerede felter
360 label_custom_field_plural: Brugerdefinerede felter
361 label_custom_field_new: Nyt brugerdefineret felt
361 label_custom_field_new: Nyt brugerdefineret felt
362 label_enumerations: Værdier
362 label_enumerations: Værdier
363 label_enumeration_new: Ny værdi
363 label_enumeration_new: Ny værdi
364 label_information: Information
364 label_information: Information
365 label_information_plural: Information
365 label_information_plural: Information
366 label_please_login: Login
366 label_please_login: Login
367 label_register: Registrér
367 label_register: Registrér
368 label_password_lost: Glemt kodeord
368 label_password_lost: Glemt kodeord
369 label_home: Forside
369 label_home: Forside
370 label_my_page: Min side
370 label_my_page: Min side
371 label_my_account: Min konto
371 label_my_account: Min konto
372 label_my_projects: Mine projekter
372 label_my_projects: Mine projekter
373 label_administration: Administration
373 label_administration: Administration
374 label_login: Log ind
374 label_login: Log ind
375 label_logout: Log ud
375 label_logout: Log ud
376 label_help: Hjælp
376 label_help: Hjælp
377 label_reported_issues: Rapporterede sager
377 label_reported_issues: Rapporterede sager
378 label_assigned_to_me_issues: Sager tildelt til mig
378 label_assigned_to_me_issues: Sager tildelt til mig
379 label_last_login: Sidste logintidspunkt
379 label_last_login: Sidste logintidspunkt
380 label_registered_on: Registreret den
380 label_registered_on: Registreret den
381 label_activity: Aktivitet
381 label_activity: Aktivitet
382 label_new: Ny
382 label_new: Ny
383 label_logged_as: Registreret som
383 label_logged_as: Registreret som
384 label_environment: Miljø
384 label_environment: Miljø
385 label_authentication: Sikkerhed
385 label_authentication: Sikkerhed
386 label_auth_source: Sikkerhedsmetode
386 label_auth_source: Sikkerhedsmetode
387 label_auth_source_new: Ny sikkerhedsmetode
387 label_auth_source_new: Ny sikkerhedsmetode
388 label_auth_source_plural: Sikkerhedsmetoder
388 label_auth_source_plural: Sikkerhedsmetoder
389 label_subproject_plural: Underprojekter
389 label_subproject_plural: Underprojekter
390 label_min_max_length: Min - Max længde
390 label_min_max_length: Min - Max længde
391 label_list: Liste
391 label_list: Liste
392 label_date: Dato
392 label_date: Dato
393 label_integer: Heltal
393 label_integer: Heltal
394 label_float: Kommatal
394 label_float: Kommatal
395 label_boolean: Sand/falsk
395 label_boolean: Sand/falsk
396 label_string: Tekst
396 label_string: Tekst
397 label_text: Lang tekst
397 label_text: Lang tekst
398 label_attribute: Attribut
398 label_attribute: Attribut
399 label_attribute_plural: Attributter
399 label_attribute_plural: Attributter
400 label_download: "%{count} Download"
400 label_download: "%{count} Download"
401 label_download_plural: "%{count} Downloads"
401 label_download_plural: "%{count} Downloads"
402 label_no_data: Ingen data at vise
402 label_no_data: Ingen data at vise
403 label_change_status: Ændringsstatus
403 label_change_status: Ændringsstatus
404 label_history: Historik
404 label_history: Historik
405 label_attachment: Fil
405 label_attachment: Fil
406 label_attachment_new: Ny fil
406 label_attachment_new: Ny fil
407 label_attachment_delete: Slet fil
407 label_attachment_delete: Slet fil
408 label_attachment_plural: Filer
408 label_attachment_plural: Filer
409 label_file_added: Fil tilføjet
409 label_file_added: Fil tilføjet
410 label_report: Rapport
410 label_report: Rapport
411 label_report_plural: Rapporter
411 label_report_plural: Rapporter
412 label_news: Nyheder
412 label_news: Nyheder
413 label_news_new: Tilføj nyheder
413 label_news_new: Tilføj nyheder
414 label_news_plural: Nyheder
414 label_news_plural: Nyheder
415 label_news_latest: Seneste nyheder
415 label_news_latest: Seneste nyheder
416 label_news_view_all: Vis alle nyheder
416 label_news_view_all: Vis alle nyheder
417 label_news_added: Nyhed tilføjet
417 label_news_added: Nyhed tilføjet
418 label_settings: Indstillinger
418 label_settings: Indstillinger
419 label_overview: Oversigt
419 label_overview: Oversigt
420 label_version: Udgave
420 label_version: Udgave
421 label_version_new: Ny udgave
421 label_version_new: Ny udgave
422 label_version_plural: Udgaver
422 label_version_plural: Udgaver
423 label_confirmation: Bekræftelser
423 label_confirmation: Bekræftelser
424 label_export_to: Eksporter til
424 label_export_to: Eksporter til
425 label_read: Læs...
425 label_read: Læs...
426 label_public_projects: Offentlige projekter
426 label_public_projects: Offentlige projekter
427 label_open_issues: åben
427 label_open_issues: åben
428 label_open_issues_plural: åbne
428 label_open_issues_plural: åbne
429 label_closed_issues: lukket
429 label_closed_issues: lukket
430 label_closed_issues_plural: lukkede
430 label_closed_issues_plural: lukkede
431 label_x_open_issues_abbr_on_total:
431 label_x_open_issues_abbr_on_total:
432 zero: 0 åbne / %{total}
432 zero: 0 åbne / %{total}
433 one: 1 åben / %{total}
433 one: 1 åben / %{total}
434 other: "%{count} åbne / %{total}"
434 other: "%{count} åbne / %{total}"
435 label_x_open_issues_abbr:
435 label_x_open_issues_abbr:
436 zero: 0 åbne
436 zero: 0 åbne
437 one: 1 åben
437 one: 1 åben
438 other: "%{count} åbne"
438 other: "%{count} åbne"
439 label_x_closed_issues_abbr:
439 label_x_closed_issues_abbr:
440 zero: 0 lukkede
440 zero: 0 lukkede
441 one: 1 lukket
441 one: 1 lukket
442 other: "%{count} lukkede"
442 other: "%{count} lukkede"
443 label_total: Total
443 label_total: Total
444 label_permissions: Rettigheder
444 label_permissions: Rettigheder
445 label_current_status: Nuværende status
445 label_current_status: Nuværende status
446 label_new_statuses_allowed: Ny status tilladt
446 label_new_statuses_allowed: Ny status tilladt
447 label_all: alle
447 label_all: alle
448 label_none: intet
448 label_none: intet
449 label_nobody: ingen
449 label_nobody: ingen
450 label_next: Næste
450 label_next: Næste
451 label_previous: Forrige
451 label_previous: Forrige
452 label_used_by: Brugt af
452 label_used_by: Brugt af
453 label_details: Detaljer
453 label_details: Detaljer
454 label_add_note: Tilføj note
454 label_add_note: Tilføj note
455 label_per_page: Pr. side
455 label_per_page: Pr. side
456 label_calendar: Kalender
456 label_calendar: Kalender
457 label_months_from: måneder frem
457 label_months_from: måneder frem
458 label_gantt: Gantt
458 label_gantt: Gantt
459 label_internal: Intern
459 label_internal: Intern
460 label_last_changes: "sidste %{count} ændringer"
460 label_last_changes: "sidste %{count} ændringer"
461 label_change_view_all: Vis alle ændringer
461 label_change_view_all: Vis alle ændringer
462 label_personalize_page: Tilret denne side
462 label_personalize_page: Tilret denne side
463 label_comment: Kommentar
463 label_comment: Kommentar
464 label_comment_plural: Kommentarer
464 label_comment_plural: Kommentarer
465 label_x_comments:
465 label_x_comments:
466 zero: ingen kommentarer
466 zero: ingen kommentarer
467 one: 1 kommentar
467 one: 1 kommentar
468 other: "%{count} kommentarer"
468 other: "%{count} kommentarer"
469 label_comment_add: Tilføj en kommentar
469 label_comment_add: Tilføj en kommentar
470 label_comment_added: Kommentaren er tilføjet
470 label_comment_added: Kommentaren er tilføjet
471 label_comment_delete: Slet kommentar
471 label_comment_delete: Slet kommentar
472 label_query: Brugerdefineret forespørgsel
472 label_query: Brugerdefineret forespørgsel
473 label_query_plural: Brugerdefinerede forespørgsler
473 label_query_plural: Brugerdefinerede forespørgsler
474 label_query_new: Ny forespørgsel
474 label_query_new: Ny forespørgsel
475 label_filter_add: Tilføj filter
475 label_filter_add: Tilføj filter
476 label_filter_plural: Filtre
476 label_filter_plural: Filtre
477 label_equals: er
477 label_equals: er
478 label_not_equals: er ikke
478 label_not_equals: er ikke
479 label_in_less_than: er mindre end
479 label_in_less_than: er mindre end
480 label_in_more_than: er større end
480 label_in_more_than: er større end
481 label_in: indeholdt i
481 label_in: indeholdt i
482 label_today: i dag
482 label_today: i dag
483 label_all_time: altid
483 label_all_time: altid
484 label_yesterday: i går
484 label_yesterday: i går
485 label_this_week: denne uge
485 label_this_week: denne uge
486 label_last_week: sidste uge
486 label_last_week: sidste uge
487 label_last_n_days: "sidste %{count} dage"
487 label_last_n_days: "sidste %{count} dage"
488 label_this_month: denne måned
488 label_this_month: denne måned
489 label_last_month: sidste måned
489 label_last_month: sidste måned
490 label_this_year: dette år
490 label_this_year: dette år
491 label_date_range: Dato interval
491 label_date_range: Dato interval
492 label_less_than_ago: mindre end dage siden
492 label_less_than_ago: mindre end dage siden
493 label_more_than_ago: mere end dage siden
493 label_more_than_ago: mere end dage siden
494 label_ago: dage siden
494 label_ago: dage siden
495 label_contains: indeholder
495 label_contains: indeholder
496 label_not_contains: ikke indeholder
496 label_not_contains: ikke indeholder
497 label_day_plural: dage
497 label_day_plural: dage
498 label_repository: Repository
498 label_repository: Repository
499 label_repository_plural: Repositories
499 label_repository_plural: Repositories
500 label_browse: Gennemse
500 label_browse: Gennemse
501 label_modification: "%{count} ændring"
501 label_modification: "%{count} ændring"
502 label_modification_plural: "%{count} ændringer"
502 label_modification_plural: "%{count} ændringer"
503 label_revision: Revision
503 label_revision: Revision
504 label_revision_plural: Revisioner
504 label_revision_plural: Revisioner
505 label_associated_revisions: Tilknyttede revisioner
505 label_associated_revisions: Tilknyttede revisioner
506 label_added: tilføjet
506 label_added: tilføjet
507 label_modified: ændret
507 label_modified: ændret
508 label_deleted: slettet
508 label_deleted: slettet
509 label_latest_revision: Seneste revision
509 label_latest_revision: Seneste revision
510 label_latest_revision_plural: Seneste revisioner
510 label_latest_revision_plural: Seneste revisioner
511 label_view_revisions: Se revisioner
511 label_view_revisions: Se revisioner
512 label_max_size: Maksimal størrelse
512 label_max_size: Maksimal størrelse
513 label_sort_highest: Flyt til toppen
513 label_sort_highest: Flyt til toppen
514 label_sort_higher: Flyt op
514 label_sort_higher: Flyt op
515 label_sort_lower: Flyt ned
515 label_sort_lower: Flyt ned
516 label_sort_lowest: Flyt til bunden
516 label_sort_lowest: Flyt til bunden
517 label_roadmap: Roadmap
517 label_roadmap: Roadmap
518 label_roadmap_due_in: Deadline
518 label_roadmap_due_in: Deadline
519 label_roadmap_overdue: "%{value} forsinket"
519 label_roadmap_overdue: "%{value} forsinket"
520 label_roadmap_no_issues: Ingen sager i denne version
520 label_roadmap_no_issues: Ingen sager i denne version
521 label_search: Søg
521 label_search: Søg
522 label_result_plural: Resultater
522 label_result_plural: Resultater
523 label_all_words: Alle ord
523 label_all_words: Alle ord
524 label_wiki: Wiki
524 label_wiki: Wiki
525 label_wiki_edit: Wiki ændring
525 label_wiki_edit: Wiki ændring
526 label_wiki_edit_plural: Wiki ændringer
526 label_wiki_edit_plural: Wiki ændringer
527 label_wiki_page: Wiki side
527 label_wiki_page: Wiki side
528 label_wiki_page_plural: Wiki sider
528 label_wiki_page_plural: Wiki sider
529 label_index_by_title: Indhold efter titel
529 label_index_by_title: Indhold efter titel
530 label_index_by_date: Indhold efter dato
530 label_index_by_date: Indhold efter dato
531 label_current_version: Nuværende version
531 label_current_version: Nuværende version
532 label_preview: Forhåndsvisning
532 label_preview: Forhåndsvisning
533 label_feed_plural: Feeds
533 label_feed_plural: Feeds
534 label_changes_details: Detaljer for alle ændringer
534 label_changes_details: Detaljer for alle ændringer
535 label_issue_tracking: Sagssøgning
535 label_issue_tracking: Sagssøgning
536 label_spent_time: Anvendt tid
536 label_spent_time: Anvendt tid
537 label_f_hour: "%{value} time"
537 label_f_hour: "%{value} time"
538 label_f_hour_plural: "%{value} timer"
538 label_f_hour_plural: "%{value} timer"
539 label_time_tracking: Tidsstyring
539 label_time_tracking: Tidsstyring
540 label_change_plural: Ændringer
540 label_change_plural: Ændringer
541 label_statistics: Statistik
541 label_statistics: Statistik
542 label_commits_per_month: Commits pr. måned
542 label_commits_per_month: Commits pr. måned
543 label_commits_per_author: Commits pr. bruger
543 label_commits_per_author: Commits pr. bruger
544 label_view_diff: Vis forskelle
544 label_view_diff: Vis forskelle
545 label_diff_inline: inline
545 label_diff_inline: inline
546 label_diff_side_by_side: side om side
546 label_diff_side_by_side: side om side
547 label_options: Formatering
547 label_options: Formatering
548 label_copy_workflow_from: Kopier arbejdsgang fra
548 label_copy_workflow_from: Kopier arbejdsgang fra
549 label_permissions_report: Godkendelsesrapport
549 label_permissions_report: Godkendelsesrapport
550 label_watched_issues: Overvågede sager
550 label_watched_issues: Overvågede sager
551 label_related_issues: Relaterede sager
551 label_related_issues: Relaterede sager
552 label_applied_status: Anvendte statusser
552 label_applied_status: Anvendte statusser
553 label_loading: Indlæser...
553 label_loading: Indlæser...
554 label_relation_new: Ny relation
554 label_relation_new: Ny relation
555 label_relation_delete: Slet relation
555 label_relation_delete: Slet relation
556 label_relates_to: relaterer til
556 label_relates_to: relaterer til
557 label_duplicates: duplikater
557 label_duplicates: duplikater
558 label_blocks: blokerer
558 label_blocks: blokerer
559 label_blocked_by: blokeret af
559 label_blocked_by: blokeret af
560 label_precedes: kommer før
560 label_precedes: kommer før
561 label_follows: følger
561 label_follows: følger
562 label_end_to_start: slut til start
562 label_end_to_start: slut til start
563 label_end_to_end: slut til slut
563 label_end_to_end: slut til slut
564 label_start_to_start: start til start
564 label_start_to_start: start til start
565 label_start_to_end: start til slut
565 label_start_to_end: start til slut
566 label_stay_logged_in: Forbliv indlogget
566 label_stay_logged_in: Forbliv indlogget
567 label_disabled: deaktiveret
567 label_disabled: deaktiveret
568 label_show_completed_versions: Vis færdige versioner
568 label_show_completed_versions: Vis færdige versioner
569 label_me: mig
569 label_me: mig
570 label_board: Forum
570 label_board: Forum
571 label_board_new: Nyt forum
571 label_board_new: Nyt forum
572 label_board_plural: Fora
572 label_board_plural: Fora
573 label_topic_plural: Emner
573 label_topic_plural: Emner
574 label_message_plural: Beskeder
574 label_message_plural: Beskeder
575 label_message_last: Sidste besked
575 label_message_last: Sidste besked
576 label_message_new: Ny besked
576 label_message_new: Ny besked
577 label_message_posted: Besked tilføjet
577 label_message_posted: Besked tilføjet
578 label_reply_plural: Besvarer
578 label_reply_plural: Besvarer
579 label_send_information: Send konto information til bruger
579 label_send_information: Send konto information til bruger
580 label_year: År
580 label_year: År
581 label_month: Måned
581 label_month: Måned
582 label_week: Uge
582 label_week: Uge
583 label_date_from: Fra
583 label_date_from: Fra
584 label_date_to: Til
584 label_date_to: Til
585 label_language_based: Baseret på brugerens sprog
585 label_language_based: Baseret på brugerens sprog
586 label_sort_by: "Sortér efter %{value}"
586 label_sort_by: "Sortér efter %{value}"
587 label_send_test_email: Send en test email
587 label_send_test_email: Send en test email
588 label_feeds_access_key_created_on: "RSS adgangsnøgle dannet for %{value} siden"
588 label_feeds_access_key_created_on: "RSS adgangsnøgle dannet for %{value} siden"
589 label_module_plural: Moduler
589 label_module_plural: Moduler
590 label_added_time_by: "Tilføjet af %{author} for %{age} siden"
590 label_added_time_by: "Tilføjet af %{author} for %{age} siden"
591 label_updated_time: "Opdateret for %{value} siden"
591 label_updated_time: "Opdateret for %{value} siden"
592 label_jump_to_a_project: Skift til projekt...
592 label_jump_to_a_project: Skift til projekt...
593 label_file_plural: Filer
593 label_file_plural: Filer
594 label_changeset_plural: Ændringer
594 label_changeset_plural: Ændringer
595 label_default_columns: Standardkolonner
595 label_default_columns: Standardkolonner
596 label_no_change_option: (Ingen ændringer)
596 label_no_change_option: (Ingen ændringer)
597 label_bulk_edit_selected_issues: Masse-ret de valgte sager
597 label_bulk_edit_selected_issues: Masse-ret de valgte sager
598 label_theme: Tema
598 label_theme: Tema
599 label_default: standard
599 label_default: standard
600 label_search_titles_only: Søg kun i titler
600 label_search_titles_only: Søg kun i titler
601 label_user_mail_option_all: "For alle hændelser mine projekter"
601 label_user_mail_option_all: "For alle hændelser mine projekter"
602 label_user_mail_option_selected: "For alle hændelser de valgte projekter..."
602 label_user_mail_option_selected: "For alle hændelser de valgte projekter..."
603 label_user_mail_no_self_notified: "Jeg ønsker ikke besked om ændring foretaget af mig selv"
603 label_user_mail_no_self_notified: "Jeg ønsker ikke besked om ændring foretaget af mig selv"
604 label_registration_activation_by_email: kontoaktivering på email
604 label_registration_activation_by_email: kontoaktivering på email
605 label_registration_manual_activation: manuel kontoaktivering
605 label_registration_manual_activation: manuel kontoaktivering
606 label_registration_automatic_activation: automatisk kontoaktivering
606 label_registration_automatic_activation: automatisk kontoaktivering
607 label_display_per_page: "Per side: %{value}"
607 label_display_per_page: "Per side: %{value}"
608 label_age: Alder
608 label_age: Alder
609 label_change_properties: Ændre indstillinger
609 label_change_properties: Ændre indstillinger
610 label_general: Generelt
610 label_general: Generelt
611 label_more: Mere
611 label_more: Mere
612 label_scm: SCM
612 label_scm: SCM
613 label_plugins: Plugins
613 label_plugins: Plugins
614 label_ldap_authentication: LDAP-godkendelse
614 label_ldap_authentication: LDAP-godkendelse
615 label_downloads_abbr: D/L
615 label_downloads_abbr: D/L
616
616
617 button_login: Login
617 button_login: Login
618 button_submit: Send
618 button_submit: Send
619 button_save: Gem
619 button_save: Gem
620 button_check_all: Vælg alt
620 button_check_all: Vælg alt
621 button_uncheck_all: Fravælg alt
621 button_uncheck_all: Fravælg alt
622 button_delete: Slet
622 button_delete: Slet
623 button_create: Opret
623 button_create: Opret
624 button_test: Test
624 button_test: Test
625 button_edit: Ret
625 button_edit: Ret
626 button_add: Tilføj
626 button_add: Tilføj
627 button_change: Ændre
627 button_change: Ændre
628 button_apply: Anvend
628 button_apply: Anvend
629 button_clear: Nulstil
629 button_clear: Nulstil
630 button_lock: Lås
630 button_lock: Lås
631 button_unlock: Lås op
631 button_unlock: Lås op
632 button_download: Download
632 button_download: Download
633 button_list: List
633 button_list: List
634 button_view: Vis
634 button_view: Vis
635 button_move: Flyt
635 button_move: Flyt
636 button_back: Tilbage
636 button_back: Tilbage
637 button_cancel: Annullér
637 button_cancel: Annullér
638 button_activate: Aktivér
638 button_activate: Aktivér
639 button_sort: Sortér
639 button_sort: Sortér
640 button_log_time: Log tid
640 button_log_time: Log tid
641 button_rollback: Tilbagefør til denne version
641 button_rollback: Tilbagefør til denne version
642 button_watch: Overvåg
642 button_watch: Overvåg
643 button_unwatch: Stop overvågning
643 button_unwatch: Stop overvågning
644 button_reply: Besvar
644 button_reply: Besvar
645 button_archive: Arkivér
645 button_archive: Arkivér
646 button_unarchive: Fjern fra arkiv
646 button_unarchive: Fjern fra arkiv
647 button_reset: Nulstil
647 button_reset: Nulstil
648 button_rename: Omdøb
648 button_rename: Omdøb
649 button_change_password: Skift kodeord
649 button_change_password: Skift kodeord
650 button_copy: Kopiér
650 button_copy: Kopiér
651 button_annotate: Annotér
651 button_annotate: Annotér
652 button_update: Opdatér
652 button_update: Opdatér
653 button_configure: Konfigurér
653 button_configure: Konfigurér
654
654
655 status_active: aktiv
655 status_active: aktiv
656 status_registered: registreret
656 status_registered: registreret
657 status_locked: låst
657 status_locked: låst
658
658
659 text_select_mail_notifications: Vælg handlinger der skal sendes email besked for.
659 text_select_mail_notifications: Vælg handlinger der skal sendes email besked for.
660 text_regexp_info: f.eks. ^[A-ZÆØÅ0-9]+$
660 text_regexp_info: f.eks. ^[A-ZÆØÅ0-9]+$
661 text_min_max_length_info: 0 betyder ingen begrænsninger
661 text_min_max_length_info: 0 betyder ingen begrænsninger
662 text_project_destroy_confirmation: Er du sikker på at du vil slette dette projekt og alle relaterede data?
662 text_project_destroy_confirmation: Er du sikker på at du vil slette dette projekt og alle relaterede data?
663 text_workflow_edit: Vælg en rolle samt en type, for at redigere arbejdsgangen
663 text_workflow_edit: Vælg en rolle samt en type, for at redigere arbejdsgangen
664 text_are_you_sure: Er du sikker?
664 text_are_you_sure: Er du sikker?
665 text_tip_issue_begin_day: opgaven begynder denne dag
665 text_tip_issue_begin_day: opgaven begynder denne dag
666 text_tip_issue_end_day: opaven slutter denne dag
666 text_tip_issue_end_day: opaven slutter denne dag
667 text_tip_issue_begin_end_day: opgaven begynder og slutter denne dag
667 text_tip_issue_begin_end_day: opgaven begynder og slutter denne dag
668 text_caracters_maximum: "max %{count} karakterer."
668 text_caracters_maximum: "max %{count} karakterer."
669 text_caracters_minimum: "Skal være mindst %{count} karakterer lang."
669 text_caracters_minimum: "Skal være mindst %{count} karakterer lang."
670 text_length_between: "Længde skal være mellem %{min} og %{max} karakterer."
670 text_length_between: "Længde skal være mellem %{min} og %{max} karakterer."
671 text_tracker_no_workflow: Ingen arbejdsgang defineret for denne type
671 text_tracker_no_workflow: Ingen arbejdsgang defineret for denne type
672 text_unallowed_characters: Ikke-tilladte karakterer
672 text_unallowed_characters: Ikke-tilladte karakterer
673 text_comma_separated: Adskillige værdier tilladt (adskilt med komma).
673 text_comma_separated: Adskillige værdier tilladt (adskilt med komma).
674 text_issues_ref_in_commit_messages: Referer og løser sager i commit-beskeder
674 text_issues_ref_in_commit_messages: Referer og løser sager i commit-beskeder
675 text_issue_added: "Sag %{id} er rapporteret af %{author}."
675 text_issue_added: "Sag %{id} er rapporteret af %{author}."
676 text_issue_updated: "Sag %{id} er blevet opdateret af %{author}."
676 text_issue_updated: "Sag %{id} er blevet opdateret af %{author}."
677 text_wiki_destroy_confirmation: Er du sikker på at du vil slette denne wiki og dens indhold?
677 text_wiki_destroy_confirmation: Er du sikker på at du vil slette denne wiki og dens indhold?
678 text_issue_category_destroy_question: "Nogle sager (%{count}) er tildelt denne kategori. Hvad ønsker du at gøre?"
678 text_issue_category_destroy_question: "Nogle sager (%{count}) er tildelt denne kategori. Hvad ønsker du at gøre?"
679 text_issue_category_destroy_assignments: Slet tildelinger af kategori
679 text_issue_category_destroy_assignments: Slet tildelinger af kategori
680 text_issue_category_reassign_to: Tildel sager til denne kategori
680 text_issue_category_reassign_to: Tildel sager til denne kategori
681 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)."
681 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)."
682 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."
682 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."
683 text_load_default_configuration: Indlæs standardopsætningen
683 text_load_default_configuration: Indlæs standardopsætningen
684 text_status_changed_by_changeset: "Anvendt i ændring %{value}."
684 text_status_changed_by_changeset: "Anvendt i ændring %{value}."
685 text_issues_destroy_confirmation: 'Er du sikker du ønsker at slette den/de valgte sag(er)?'
685 text_issues_destroy_confirmation: 'Er du sikker du ønsker at slette den/de valgte sag(er)?'
686 text_select_project_modules: 'Vælg moduler er skal være aktiveret for dette projekt:'
686 text_select_project_modules: 'Vælg moduler er skal være aktiveret for dette projekt:'
687 text_default_administrator_account_changed: Standardadministratorkonto ændret
687 text_default_administrator_account_changed: Standardadministratorkonto ændret
688 text_file_repository_writable: Filarkiv er skrivbar
688 text_file_repository_writable: Filarkiv er skrivbar
689 text_rmagick_available: RMagick tilgængelig (valgfri)
689 text_rmagick_available: RMagick tilgængelig (valgfri)
690
690
691 default_role_manager: Leder
691 default_role_manager: Leder
692 default_role_developer: Udvikler
692 default_role_developer: Udvikler
693 default_role_reporter: Rapportør
693 default_role_reporter: Rapportør
694 default_tracker_bug: Fejl
694 default_tracker_bug: Fejl
695 default_tracker_feature: Funktion
695 default_tracker_feature: Funktion
696 default_tracker_support: Support
696 default_tracker_support: Support
697 default_issue_status_new: Ny
697 default_issue_status_new: Ny
698 default_issue_status_in_progress: Igangværende
698 default_issue_status_in_progress: Igangværende
699 default_issue_status_resolved: Løst
699 default_issue_status_resolved: Løst
700 default_issue_status_feedback: Feedback
700 default_issue_status_feedback: Feedback
701 default_issue_status_closed: Lukket
701 default_issue_status_closed: Lukket
702 default_issue_status_rejected: Afvist
702 default_issue_status_rejected: Afvist
703 default_doc_category_user: Brugerdokumentation
703 default_doc_category_user: Brugerdokumentation
704 default_doc_category_tech: Teknisk dokumentation
704 default_doc_category_tech: Teknisk dokumentation
705 default_priority_low: Lav
705 default_priority_low: Lav
706 default_priority_normal: Normal
706 default_priority_normal: Normal
707 default_priority_high: Høj
707 default_priority_high: Høj
708 default_priority_urgent: Akut
708 default_priority_urgent: Akut
709 default_priority_immediate: Omgående
709 default_priority_immediate: Omgående
710 default_activity_design: Design
710 default_activity_design: Design
711 default_activity_development: Udvikling
711 default_activity_development: Udvikling
712
712
713 enumeration_issue_priorities: Sagsprioriteter
713 enumeration_issue_priorities: Sagsprioriteter
714 enumeration_doc_categories: Dokumentkategorier
714 enumeration_doc_categories: Dokumentkategorier
715 enumeration_activities: Aktiviteter (tidsstyring)
715 enumeration_activities: Aktiviteter (tidsstyring)
716
716
717 label_add_another_file: Tilføj endnu en fil
717 label_add_another_file: Tilføj endnu en fil
718 label_chronological_order: I kronologisk rækkefølge
718 label_chronological_order: I kronologisk rækkefølge
719 setting_activity_days_default: Antal dage der vises under projektaktivitet
719 setting_activity_days_default: Antal dage der vises under projektaktivitet
720 text_destroy_time_entries_question: "%{hours} timer er registreret denne sag som du er ved at slette. Hvad vil du gøre?"
720 text_destroy_time_entries_question: "%{hours} timer er registreret denne sag som du er ved at slette. Hvad vil du gøre?"
721 error_issue_not_found_in_project: 'Sagen blev ikke fundet eller tilhører ikke dette projekt'
721 error_issue_not_found_in_project: 'Sagen blev ikke fundet eller tilhører ikke dette projekt'
722 text_assign_time_entries_to_project: Tildel raporterede timer til projektet
722 text_assign_time_entries_to_project: Tildel raporterede timer til projektet
723 setting_display_subprojects_issues: Vis sager for underprojekter på hovedprojektet som standard
723 setting_display_subprojects_issues: Vis sager for underprojekter på hovedprojektet som standard
724 label_optional_description: Valgfri beskrivelse
724 label_optional_description: Valgfri beskrivelse
725 text_destroy_time_entries: Slet registrerede timer
725 text_destroy_time_entries: Slet registrerede timer
726 field_comments_sorting: Vis kommentar
726 field_comments_sorting: Vis kommentar
727 text_reassign_time_entries: 'Tildel registrerede timer til denne sag igen'
727 text_reassign_time_entries: 'Tildel registrerede timer til denne sag igen'
728 label_reverse_chronological_order: I omvendt kronologisk rækkefølge
728 label_reverse_chronological_order: I omvendt kronologisk rækkefølge
729 label_preferences: Præferencer
729 label_preferences: Præferencer
730 label_overall_activity: Overordnet aktivitet
730 label_overall_activity: Overordnet aktivitet
731 setting_default_projects_public: Nye projekter er offentlige som standard
731 setting_default_projects_public: Nye projekter er offentlige som standard
732 error_scm_annotate: "Filen findes ikke, eller kunne ikke annoteres."
732 error_scm_annotate: "Filen findes ikke, eller kunne ikke annoteres."
733 label_planning: Planlægning
733 label_planning: Planlægning
734 text_subprojects_destroy_warning: "Dets underprojekter(er): %{value} vil også blive slettet."
734 text_subprojects_destroy_warning: "Dets underprojekter(er): %{value} vil også blive slettet."
735 permission_edit_issues: Redigér sager
735 permission_edit_issues: Redigér sager
736 setting_diff_max_lines_displayed: Højeste antal forskelle der vises
736 setting_diff_max_lines_displayed: Højeste antal forskelle der vises
737 permission_edit_own_issue_notes: Redigér egne noter
737 permission_edit_own_issue_notes: Redigér egne noter
738 setting_enabled_scm: Aktiveret SCM
738 setting_enabled_scm: Aktiveret SCM
739 button_quote: Citér
739 button_quote: Citér
740 permission_view_files: Se filer
740 permission_view_files: Se filer
741 permission_add_issues: Tilføj sager
741 permission_add_issues: Tilføj sager
742 permission_edit_own_messages: Redigér egne beskeder
742 permission_edit_own_messages: Redigér egne beskeder
743 permission_delete_own_messages: Slet egne beskeder
743 permission_delete_own_messages: Slet egne beskeder
744 permission_manage_public_queries: Administrér offentlig forespørgsler
744 permission_manage_public_queries: Administrér offentlig forespørgsler
745 permission_log_time: Registrér anvendt tid
745 permission_log_time: Registrér anvendt tid
746 label_renamed: omdøbt
746 label_renamed: omdøbt
747 label_incoming_emails: Indkommende emails
747 label_incoming_emails: Indkommende emails
748 permission_view_changesets: Se ændringer
748 permission_view_changesets: Se ændringer
749 permission_manage_versions: Administrér versioner
749 permission_manage_versions: Administrér versioner
750 permission_view_time_entries: Se anvendt tid
750 permission_view_time_entries: Se anvendt tid
751 label_generate_key: Generér en nøglefil
751 label_generate_key: Generér en nøglefil
752 permission_manage_categories: Administrér sagskategorier
752 permission_manage_categories: Administrér sagskategorier
753 permission_manage_wiki: Administrér wiki
753 permission_manage_wiki: Administrér wiki
754 setting_sequential_project_identifiers: Generér sekventielle projekt-identifikatorer
754 setting_sequential_project_identifiers: Generér sekventielle projekt-identifikatorer
755 setting_plain_text_mail: Emails som almindelig tekst (ingen HTML)
755 setting_plain_text_mail: Emails som almindelig tekst (ingen HTML)
756 field_parent_title: Siden over
756 field_parent_title: Siden over
757 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."
757 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."
758 permission_protect_wiki_pages: Beskyt wiki sider
758 permission_protect_wiki_pages: Beskyt wiki sider
759 permission_manage_documents: Administrér dokumenter
759 permission_manage_documents: Administrér dokumenter
760 permission_add_issue_watchers: Tilføj overvågere
760 permission_add_issue_watchers: Tilføj overvågere
761 warning_attachments_not_saved: "der var %{count} fil(er), som ikke kunne gemmes."
761 warning_attachments_not_saved: "der var %{count} fil(er), som ikke kunne gemmes."
762 permission_comment_news: Kommentér nyheder
762 permission_comment_news: Kommentér nyheder
763 text_enumeration_category_reassign_to: 'Flyt dem til denne værdi:'
763 text_enumeration_category_reassign_to: 'Flyt dem til denne værdi:'
764 permission_select_project_modules: Vælg projektmoduler
764 permission_select_project_modules: Vælg projektmoduler
765 permission_view_gantt: Se Gantt diagram
765 permission_view_gantt: Se Gantt diagram
766 permission_delete_messages: Slet beskeder
766 permission_delete_messages: Slet beskeder
767 permission_move_issues: Flyt sager
767 permission_move_issues: Flyt sager
768 permission_edit_wiki_pages: Redigér wiki sider
768 permission_edit_wiki_pages: Redigér wiki sider
769 label_user_activity: "%{value}'s aktivitet"
769 label_user_activity: "%{value}'s aktivitet"
770 permission_manage_issue_relations: Administrér sags-relationer
770 permission_manage_issue_relations: Administrér sags-relationer
771 label_issue_watchers: Overvågere
771 label_issue_watchers: Overvågere
772 permission_delete_wiki_pages: Slet wiki sider
772 permission_delete_wiki_pages: Slet wiki sider
773 notice_unable_delete_version: Kan ikke slette versionen.
773 notice_unable_delete_version: Kan ikke slette versionen.
774 permission_view_wiki_edits: Se wiki historik
774 permission_view_wiki_edits: Se wiki historik
775 field_editable: Redigérbar
775 field_editable: Redigérbar
776 label_duplicated_by: dubleret af
776 label_duplicated_by: dubleret af
777 permission_manage_boards: Administrér fora
777 permission_manage_boards: Administrér fora
778 permission_delete_wiki_pages_attachments: Slet filer vedhæftet wiki sider
778 permission_delete_wiki_pages_attachments: Slet filer vedhæftet wiki sider
779 permission_view_messages: Se beskeder
779 permission_view_messages: Se beskeder
780 text_enumeration_destroy_question: "%{count} objekter er tildelt denne værdi."
780 text_enumeration_destroy_question: "%{count} objekter er tildelt denne værdi."
781 permission_manage_files: Administrér filer
781 permission_manage_files: Administrér filer
782 permission_add_messages: Opret beskeder
782 permission_add_messages: Opret beskeder
783 permission_edit_issue_notes: Redigér noter
783 permission_edit_issue_notes: Redigér noter
784 permission_manage_news: Administrér nyheder
784 permission_manage_news: Administrér nyheder
785 text_plugin_assets_writable: Der er skriverettigheder til plugin assets folderen
785 text_plugin_assets_writable: Der er skriverettigheder til plugin assets folderen
786 label_display: Vis
786 label_display: Vis
787 label_and_its_subprojects: "%{value} og dets underprojekter"
787 label_and_its_subprojects: "%{value} og dets underprojekter"
788 permission_view_calendar: Se kalender
788 permission_view_calendar: Se kalender
789 button_create_and_continue: Opret og fortsæt
789 button_create_and_continue: Opret og fortsæt
790 setting_gravatar_enabled: Anvend Gravatar brugerikoner
790 setting_gravatar_enabled: Anvend Gravatar brugerikoner
791 label_updated_time_by: "Opdateret af %{author} for %{age} siden"
791 label_updated_time_by: "Opdateret af %{author} for %{age} siden"
792 text_diff_truncated: '... Listen over forskelle er blevet afkortet da den overstiger den maksimale størrelse der kan vises.'
792 text_diff_truncated: '... Listen over forskelle er blevet afkortet da den overstiger den maksimale størrelse der kan vises.'
793 text_user_wrote: "%{value} skrev:"
793 text_user_wrote: "%{value} skrev:"
794 setting_mail_handler_api_enabled: Aktiver webservice for indkomne emails
794 setting_mail_handler_api_enabled: Aktiver webservice for indkomne emails
795 permission_delete_issues: Slet sager
795 permission_delete_issues: Slet sager
796 permission_view_documents: Se dokumenter
796 permission_view_documents: Se dokumenter
797 permission_browse_repository: Gennemse repository
797 permission_browse_repository: Gennemse repository
798 permission_manage_repository: Administrér repository
798 permission_manage_repository: Administrér repository
799 permission_manage_members: Administrér medlemmer
799 permission_manage_members: Administrér medlemmer
800 mail_subject_reminder: "%{count} sag(er) har deadline i de kommende dage (%{days})"
800 mail_subject_reminder: "%{count} sag(er) har deadline i de kommende dage (%{days})"
801 permission_add_issue_notes: Tilføj noter
801 permission_add_issue_notes: Tilføj noter
802 permission_edit_messages: Redigér beskeder
802 permission_edit_messages: Redigér beskeder
803 permission_view_issue_watchers: Se liste over overvågere
803 permission_view_issue_watchers: Se liste over overvågere
804 permission_commit_access: Commit adgang
804 permission_commit_access: Commit adgang
805 setting_mail_handler_api_key: API nøgle
805 setting_mail_handler_api_key: API nøgle
806 label_example: Eksempel
806 label_example: Eksempel
807 permission_rename_wiki_pages: Omdøb wiki sider
807 permission_rename_wiki_pages: Omdøb wiki sider
808 text_custom_field_possible_values_info: 'En linje for hver værdi'
808 text_custom_field_possible_values_info: 'En linje for hver værdi'
809 permission_view_wiki_pages: Se wiki
809 permission_view_wiki_pages: Se wiki
810 permission_edit_project: Redigér projekt
810 permission_edit_project: Redigér projekt
811 permission_save_queries: Gem forespørgsler
811 permission_save_queries: Gem forespørgsler
812 label_copied: kopieret
812 label_copied: kopieret
813 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."
813 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."
814 permission_edit_time_entries: Redigér tidsregistreringer
814 permission_edit_time_entries: Redigér tidsregistreringer
815 general_csv_decimal_separator: ','
815 general_csv_decimal_separator: ','
816 permission_edit_own_time_entries: Redigér egne tidsregistreringer
816 permission_edit_own_time_entries: Redigér egne tidsregistreringer
817 setting_repository_log_display_limit: Højeste antal revisioner vist i fil-log
817 setting_repository_log_display_limit: Højeste antal revisioner vist i fil-log
818 setting_file_max_size_displayed: Maksimale størrelse på tekstfiler vist inline
818 setting_file_max_size_displayed: Maksimale størrelse på tekstfiler vist inline
819 field_watcher: Overvåger
819 field_watcher: Overvåger
820 setting_openid: Tillad OpenID login og registrering
820 setting_openid: Tillad OpenID login og registrering
821 field_identity_url: OpenID URL
821 field_identity_url: OpenID URL
822 label_login_with_open_id_option: eller login med OpenID
822 label_login_with_open_id_option: eller login med OpenID
823 setting_per_page_options: Enheder per side muligheder
823 setting_per_page_options: Enheder per side muligheder
824 mail_body_reminder: "%{count} sage(er) som er tildelt dig har deadline indenfor de næste %{days} dage:"
824 mail_body_reminder: "%{count} sage(er) som er tildelt dig har deadline indenfor de næste %{days} dage:"
825 field_content: Indhold
825 field_content: Indhold
826 label_descending: Aftagende
826 label_descending: Aftagende
827 label_sort: Sortér
827 label_sort: Sortér
828 label_ascending: Tiltagende
828 label_ascending: Tiltagende
829 label_date_from_to: Fra %{start} til %{end}
829 label_date_from_to: Fra %{start} til %{end}
830 label_greater_or_equal: ">="
830 label_greater_or_equal: ">="
831 label_less_or_equal: <=
831 label_less_or_equal: <=
832 text_wiki_page_destroy_question: Denne side har %{descendants} underside(r) og afledte. Hvad vil du gøre?
832 text_wiki_page_destroy_question: Denne side har %{descendants} underside(r) og afledte. Hvad vil du gøre?
833 text_wiki_page_reassign_children: Flyt undersider til denne side
833 text_wiki_page_reassign_children: Flyt undersider til denne side
834 text_wiki_page_nullify_children: Behold undersider som rod-sider
834 text_wiki_page_nullify_children: Behold undersider som rod-sider
835 text_wiki_page_destroy_children: Slet undersider ogalle deres afledte sider.
835 text_wiki_page_destroy_children: Slet undersider ogalle deres afledte sider.
836 setting_password_min_length: Mindste længde på kodeord
836 setting_password_min_length: Mindste længde på kodeord
837 field_group_by: Gruppér resultater efter
837 field_group_by: Gruppér resultater efter
838 mail_subject_wiki_content_updated: "'%{id}' wikisiden er blevet opdateret"
838 mail_subject_wiki_content_updated: "'%{id}' wikisiden er blevet opdateret"
839 label_wiki_content_added: Wiki side tilføjet
839 label_wiki_content_added: Wiki side tilføjet
840 mail_subject_wiki_content_added: "'%{id}' wikisiden er blevet tilføjet"
840 mail_subject_wiki_content_added: "'%{id}' wikisiden er blevet tilføjet"
841 mail_body_wiki_content_added: The '%{id}' wikiside er blevet tilføjet af %{author}.
841 mail_body_wiki_content_added: The '%{id}' wikiside er blevet tilføjet af %{author}.
842 label_wiki_content_updated: Wikiside opdateret
842 label_wiki_content_updated: Wikiside opdateret
843 mail_body_wiki_content_updated: Wikisiden '%{id}' er blevet opdateret af %{author}.
843 mail_body_wiki_content_updated: Wikisiden '%{id}' er blevet opdateret af %{author}.
844 permission_add_project: Opret projekt
844 permission_add_project: Opret projekt
845 setting_new_project_user_role_id: Denne rolle gives til en bruger, som ikke er administrator, og som opretter et projekt
845 setting_new_project_user_role_id: Denne rolle gives til en bruger, som ikke er administrator, og som opretter et projekt
846 label_view_all_revisions: Se alle revisioner
846 label_view_all_revisions: Se alle revisioner
847 label_tag: Tag
847 label_tag: Tag
848 label_branch: Branch
848 label_branch: Branch
849 error_no_tracker_in_project: Der er ingen sagshåndtering for dette projekt. Kontrollér venligst projektindstillingerne.
849 error_no_tracker_in_project: Der er ingen sagshåndtering for dette projekt. Kontrollér venligst projektindstillingerne.
850 error_no_default_issue_status: Der er ikke defineret en standardstatus. Kontrollér venligst indstillingerne (gå til "Administration -> Sagsstatusser").
850 error_no_default_issue_status: Der er ikke defineret en standardstatus. Kontrollér venligst indstillingerne (gå til "Administration -> Sagsstatusser").
851 text_journal_changed: "%{label} ændret fra %{old} til %{new}"
851 text_journal_changed: "%{label} ændret fra %{old} til %{new}"
852 text_journal_set_to: "%{label} sat til %{value}"
852 text_journal_set_to: "%{label} sat til %{value}"
853 text_journal_deleted: "%{label} slettet (%{old})"
853 text_journal_deleted: "%{label} slettet (%{old})"
854 label_group_plural: Grupper
854 label_group_plural: Grupper
855 label_group: Grupper
855 label_group: Grupper
856 label_group_new: Ny gruppe
856 label_group_new: Ny gruppe
857 label_time_entry_plural: Anvendt tid
857 label_time_entry_plural: Anvendt tid
858 text_journal_added: "%{label} %{value} tilføjet"
858 text_journal_added: "%{label} %{value} tilføjet"
859 field_active: Aktiv
859 field_active: Aktiv
860 enumeration_system_activity: System Aktivitet
860 enumeration_system_activity: System Aktivitet
861 permission_delete_issue_watchers: Slet overvågere
861 permission_delete_issue_watchers: Slet overvågere
862 version_status_closed: lukket
862 version_status_closed: lukket
863 version_status_locked: låst
863 version_status_locked: låst
864 version_status_open: åben
864 version_status_open: åben
865 error_can_not_reopen_issue_on_closed_version: En sag tildelt en lukket version kan ikke genåbnes
865 error_can_not_reopen_issue_on_closed_version: En sag tildelt en lukket version kan ikke genåbnes
866 label_user_anonymous: Anonym
866 label_user_anonymous: Anonym
867 button_move_and_follow: Flyt og overvåg
867 button_move_and_follow: Flyt og overvåg
868 setting_default_projects_modules: Standard moduler, aktiveret for nye projekter
868 setting_default_projects_modules: Standard moduler, aktiveret for nye projekter
869 setting_gravatar_default: Standard Gravatar billede
869 setting_gravatar_default: Standard Gravatar billede
870 field_sharing: Delning
870 field_sharing: Delning
871 label_version_sharing_hierarchy: Med projekthierarki
871 label_version_sharing_hierarchy: Med projekthierarki
872 label_version_sharing_system: Med alle projekter
872 label_version_sharing_system: Med alle projekter
873 label_version_sharing_descendants: Med underprojekter
873 label_version_sharing_descendants: Med underprojekter
874 label_version_sharing_tree: Med projekttræ
874 label_version_sharing_tree: Med projekttræ
875 label_version_sharing_none: Ikke delt
875 label_version_sharing_none: Ikke delt
876 error_can_not_archive_project: Dette projekt kan ikke arkiveres
876 error_can_not_archive_project: Dette projekt kan ikke arkiveres
877 button_duplicate: Duplikér
877 button_duplicate: Duplikér
878 button_copy_and_follow: Kopiér og overvåg
878 button_copy_and_follow: Kopiér og overvåg
879 label_copy_source: Kilde
879 label_copy_source: Kilde
880 setting_issue_done_ratio: Beregn sagsløsning ratio
880 setting_issue_done_ratio: Beregn sagsløsning ratio
881 setting_issue_done_ratio_issue_status: Benyt sagsstatus
881 setting_issue_done_ratio_issue_status: Benyt sagsstatus
882 error_issue_done_ratios_not_updated: Sagsløsnings ratio, ikke opdateret.
882 error_issue_done_ratios_not_updated: Sagsløsnings ratio, ikke opdateret.
883 error_workflow_copy_target: Vælg venligst måltracker og rolle(r)
883 error_workflow_copy_target: Vælg venligst måltracker og rolle(r)
884 setting_issue_done_ratio_issue_field: Benyt sagsfelt
884 setting_issue_done_ratio_issue_field: Benyt sagsfelt
885 label_copy_same_as_target: Samme som mål
885 label_copy_same_as_target: Samme som mål
886 label_copy_target: Mål
886 label_copy_target: Mål
887 notice_issue_done_ratios_updated: Sagsløsningsratio opdateret.
887 notice_issue_done_ratios_updated: Sagsløsningsratio opdateret.
888 error_workflow_copy_source: Vælg venligst en kildetracker eller rolle
888 error_workflow_copy_source: Vælg venligst en kildetracker eller rolle
889 label_update_issue_done_ratios: Opdater sagsløsningsratio
889 label_update_issue_done_ratios: Opdater sagsløsningsratio
890 setting_start_of_week: Start kalendre på
890 setting_start_of_week: Start kalendre på
891 permission_view_issues: Vis sager
891 permission_view_issues: Vis sager
892 label_display_used_statuses_only: Vis kun statusser der er benyttet af denne tracker
892 label_display_used_statuses_only: Vis kun statusser der er benyttet af denne tracker
893 label_revision_id: Revision %{value}
893 label_revision_id: Revision %{value}
894 label_api_access_key: API nøgle
894 label_api_access_key: API nøgle
895 label_api_access_key_created_on: API nøgle genereret %{value} siden
895 label_api_access_key_created_on: API nøgle genereret %{value} siden
896 label_feeds_access_key: RSS nøgle
896 label_feeds_access_key: RSS nøgle
897 notice_api_access_key_reseted: Din API nøgle er nulstillet.
897 notice_api_access_key_reseted: Din API nøgle er nulstillet.
898 setting_rest_api_enabled: Aktiver REST web service
898 setting_rest_api_enabled: Aktiver REST web service
899 label_missing_api_access_key: Mangler en API nøgle
899 label_missing_api_access_key: Mangler en API nøgle
900 label_missing_feeds_access_key: Mangler en RSS nøgle
900 label_missing_feeds_access_key: Mangler en RSS nøgle
901 button_show: Vis
901 button_show: Vis
902 text_line_separated: Flere væredier tilladt (en linje for hver værdi).
902 text_line_separated: Flere væredier tilladt (en linje for hver værdi).
903 setting_mail_handler_body_delimiters: Trunkér emails efter en af disse linjer
903 setting_mail_handler_body_delimiters: Trunkér emails efter en af disse linjer
904 permission_add_subprojects: Lav underprojekter
904 permission_add_subprojects: Lav underprojekter
905 label_subproject_new: Nyt underprojekt
905 label_subproject_new: Nyt underprojekt
906 text_own_membership_delete_confirmation: |-
906 text_own_membership_delete_confirmation: |-
907 Du er ved at fjerne en eller flere af dine rettigheder, og kan muligvis ikke redigere projektet bagefter.
907 Du er ved at fjerne en eller flere af dine rettigheder, og kan muligvis ikke redigere projektet bagefter.
908 Er du sikker på du ønsker at fortsætte?
908 Er du sikker på du ønsker at fortsætte?
909 label_close_versions: Luk færdige versioner
909 label_close_versions: Luk færdige versioner
910 label_board_sticky: Klistret
910 label_board_sticky: Klistret
911 label_board_locked: Låst
911 label_board_locked: Låst
912 permission_export_wiki_pages: Eksporter wiki sider
912 permission_export_wiki_pages: Eksporter wiki sider
913 setting_cache_formatted_text: Cache formatteret tekst
913 setting_cache_formatted_text: Cache formatteret tekst
914 permission_manage_project_activities: Administrer projektaktiviteter
914 permission_manage_project_activities: Administrer projektaktiviteter
915 error_unable_delete_issue_status: Det var ikke muligt at slette sagsstatus
915 error_unable_delete_issue_status: Det var ikke muligt at slette sagsstatus
916 label_profile: Profil
916 label_profile: Profil
917 permission_manage_subtasks: Administrer underopgaver
917 permission_manage_subtasks: Administrer underopgaver
918 field_parent_issue: Hovedopgave
918 field_parent_issue: Hovedopgave
919 label_subtask_plural: Underopgaver
919 label_subtask_plural: Underopgaver
920 label_project_copy_notifications: Send email notifikationer, mens projektet kopieres
920 label_project_copy_notifications: Send email notifikationer, mens projektet kopieres
921 error_can_not_delete_custom_field: Kan ikke slette brugerdefineret felt
921 error_can_not_delete_custom_field: Kan ikke slette brugerdefineret felt
922 error_unable_to_connect: Kan ikke forbinde (%{value})
922 error_unable_to_connect: Kan ikke forbinde (%{value})
923 error_can_not_remove_role: Denne rolle er i brug og kan ikke slettes.
923 error_can_not_remove_role: Denne rolle er i brug og kan ikke slettes.
924 error_can_not_delete_tracker: Denne type indeholder sager og kan ikke slettes.
924 error_can_not_delete_tracker: Denne type indeholder sager og kan ikke slettes.
925 field_principal: Principal
925 field_principal: Principal
926 label_my_page_block: blok
926 label_my_page_block: blok
927 notice_failed_to_save_members: "Fejl under lagring af medlem(mer): %{errors}."
927 notice_failed_to_save_members: "Fejl under lagring af medlem(mer): %{errors}."
928 text_zoom_out: Zoom ud
928 text_zoom_out: Zoom ud
929 text_zoom_in: Zoom ind
929 text_zoom_in: Zoom ind
930 notice_unable_delete_time_entry: Kan ikke slette tidsregistrering.
930 notice_unable_delete_time_entry: Kan ikke slette tidsregistrering.
931 label_overall_spent_time: Overordnet forbrug af tid
931 label_overall_spent_time: Overordnet forbrug af tid
932 field_time_entries: Log tid
932 field_time_entries: Log tid
933 project_module_gantt: Gantt
933 project_module_gantt: Gantt
934 project_module_calendar: Kalender
934 project_module_calendar: Kalender
935 button_edit_associated_wikipage: "Redigér tilknyttet Wiki side: %{page_title}"
935 button_edit_associated_wikipage: "Redigér tilknyttet Wiki side: %{page_title}"
936 text_are_you_sure_with_children: Slet sag og alle undersager?
936 text_are_you_sure_with_children: Slet sag og alle undersager?
937 field_text: Tekstfelt
937 field_text: Tekstfelt
938 label_user_mail_option_only_owner: Kun for ting jeg er ejer af
938 label_user_mail_option_only_owner: Kun for ting jeg er ejer af
939 setting_default_notification_option: Standardpåmindelsesmulighed
939 setting_default_notification_option: Standardpåmindelsesmulighed
940 label_user_mail_option_only_my_events: Kun for ting jeg overvåger eller er involveret i
940 label_user_mail_option_only_my_events: Kun for ting jeg overvåger eller er involveret i
941 label_user_mail_option_only_assigned: Kun for ting jeg er tildelt
941 label_user_mail_option_only_assigned: Kun for ting jeg er tildelt
942 label_user_mail_option_none: Ingen hændelser
942 label_user_mail_option_none: Ingen hændelser
943 field_member_of_group: Medlem af gruppe
943 field_member_of_group: Medlem af gruppe
944 field_assigned_to_role: Medlem af rolle
944 field_assigned_to_role: Medlem af rolle
945 notice_not_authorized_archived_project: Projektet du prøver at tilgå, er blevet arkiveret.
945 notice_not_authorized_archived_project: Projektet du prøver at tilgå, er blevet arkiveret.
946 label_principal_search: "Søg efter bruger eller gruppe:"
946 label_principal_search: "Søg efter bruger eller gruppe:"
947 label_user_search: "Søg efter bruger:"
947 label_user_search: "Søg efter bruger:"
948 field_visible: Synlig
948 field_visible: Synlig
949 setting_emails_header: Emails header
949 setting_emails_header: Emails header
950 setting_commit_logtime_activity_id: Aktivitet for registreret tid
950 setting_commit_logtime_activity_id: Aktivitet for registreret tid
951 text_time_logged_by_changeset: Anvendt i changeset %{value}.
951 text_time_logged_by_changeset: Anvendt i changeset %{value}.
952 setting_commit_logtime_enabled: Aktiver tidsregistrering
952 setting_commit_logtime_enabled: Aktiver tidsregistrering
953 notice_gantt_chart_truncated: Kortet er blevet afkortet, fordi det overstiger det maksimale antal elementer, der kan vises (%{max})
953 notice_gantt_chart_truncated: Kortet er blevet afkortet, fordi det overstiger det maksimale antal elementer, der kan vises (%{max})
954 setting_gantt_items_limit: Maksimalt antal af elementer der kan vises på gantt kortet
954 setting_gantt_items_limit: Maksimalt antal af elementer der kan vises på gantt kortet
955
955
956 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
956 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
957 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
957 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
958 label_my_queries: My custom queries
958 label_my_queries: My custom queries
959 text_journal_changed_no_detail: "%{label} updated"
959 text_journal_changed_no_detail: "%{label} updated"
960 label_news_comment_added: Comment added to a news
960 label_news_comment_added: Comment added to a news
961 button_expand_all: Expand all
961 button_expand_all: Expand all
962 button_collapse_all: Collapse all
962 button_collapse_all: Collapse all
963 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
963 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
964 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
964 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
965 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
965 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
966 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
966 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
967 label_role_anonymous: Anonymous
967 label_role_anonymous: Anonymous
968 label_role_non_member: Non member
968 label_role_non_member: Non member
969 label_issue_note_added: Note added
969 label_issue_note_added: Note added
970 label_issue_status_updated: Status updated
970 label_issue_status_updated: Status updated
971 label_issue_priority_updated: Priority updated
971 label_issue_priority_updated: Priority updated
972 label_issues_visibility_own: Issues created by or assigned to the user
972 label_issues_visibility_own: Issues created by or assigned to the user
973 field_issues_visibility: Issues visibility
973 field_issues_visibility: Issues visibility
974 label_issues_visibility_all: All issues
974 label_issues_visibility_all: All issues
975 permission_set_own_issues_private: Set own issues public or private
975 permission_set_own_issues_private: Set own issues public or private
976 field_is_private: Private
976 field_is_private: Private
977 permission_set_issues_private: Set issues public or private
977 permission_set_issues_private: Set issues public or private
978 label_issues_visibility_public: All non private issues
978 label_issues_visibility_public: All non private issues
979 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
979 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
980 field_commit_logs_encoding: Kodning af Commit beskeder
980 field_commit_logs_encoding: Kodning af Commit beskeder
981 field_scm_path_encoding: Path encoding
981 field_scm_path_encoding: Path encoding
982 text_scm_path_encoding_note: "Default: UTF-8"
982 text_scm_path_encoding_note: "Default: UTF-8"
983 field_path_to_repository: Path to repository
983 field_path_to_repository: Path to repository
984 field_root_directory: Root directory
984 field_root_directory: Root directory
985 field_cvs_module: Module
985 field_cvs_module: Module
986 field_cvsroot: CVSROOT
986 field_cvsroot: CVSROOT
987 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
987 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
988 text_scm_command: Command
988 text_scm_command: Command
989 text_scm_command_version: Version
989 text_scm_command_version: Version
990 label_git_report_last_commit: Report last commit for files and directories
990 label_git_report_last_commit: Report last commit for files and directories
991 text_scm_config: You can configure your scm commands in config/configuration.yml. Please restart the application after editing it.
991 text_scm_config: You can configure your scm commands in config/configuration.yml. Please restart the application after editing it.
992 text_scm_command_not_available: Scm command is not available. Please check settings on the administration panel.
992 text_scm_command_not_available: Scm command is not available. Please check settings on the administration panel.
993 notice_issue_successful_create: Issue %{id} created.
993 notice_issue_successful_create: Issue %{id} created.
994 label_between: between
994 label_between: between
995 setting_issue_group_assignment: Allow issue assignment to groups
995 setting_issue_group_assignment: Allow issue assignment to groups
996 label_diff: diff
996 label_diff: diff
997 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
997 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
998 description_query_sort_criteria_direction: Sort direction
998 description_query_sort_criteria_direction: Sort direction
999 description_project_scope: Search scope
999 description_project_scope: Search scope
1000 description_filter: Filter
1000 description_filter: Filter
1001 description_user_mail_notification: Mail notification settings
1001 description_user_mail_notification: Mail notification settings
1002 description_date_from: Enter start date
1002 description_date_from: Enter start date
1003 description_message_content: Message content
1003 description_message_content: Message content
1004 description_available_columns: Available Columns
1004 description_available_columns: Available Columns
1005 description_date_range_interval: Choose range by selecting start and end date
1005 description_date_range_interval: Choose range by selecting start and end date
1006 description_issue_category_reassign: Choose issue category
1006 description_issue_category_reassign: Choose issue category
1007 description_search: Searchfield
1007 description_search: Searchfield
1008 description_notes: Notes
1008 description_notes: Notes
1009 description_date_range_list: Choose range from list
1009 description_date_range_list: Choose range from list
1010 description_choose_project: Projects
1010 description_choose_project: Projects
1011 description_date_to: Enter end date
1011 description_date_to: Enter end date
1012 description_query_sort_criteria_attribute: Sort attribute
1012 description_query_sort_criteria_attribute: Sort attribute
1013 description_wiki_subpages_reassign: Choose new parent page
1013 description_wiki_subpages_reassign: Choose new parent page
1014 description_selected_columns: Selected Columns
1014 description_selected_columns: Selected Columns
1015 label_parent_revision: Parent
1015 label_parent_revision: Parent
1016 label_child_revision: Child
1016 label_child_revision: Child
1017 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1017 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1018 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1018 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1019 button_edit_section: Edit this section
1019 button_edit_section: Edit this section
1020 setting_repositories_encodings: Attachments and repositories encodings
1020 setting_repositories_encodings: Attachments and repositories encodings
1021 description_all_columns: All Columns
1021 description_all_columns: All Columns
1022 button_export: Export
1022 button_export: Export
1023 label_export_options: "%{export_format} export options"
1023 label_export_options: "%{export_format} export options"
1024 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1024 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1025 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1025 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1026 label_x_issues:
1026 label_x_issues:
1027 zero: 0 sag
1027 zero: 0 sag
1028 one: 1 sag
1028 one: 1 sag
1029 other: "%{count} sager"
1029 other: "%{count} sager"
1030 label_repository_new: New repository
1030 label_repository_new: New repository
1031 field_repository_is_default: Main repository
1031 field_repository_is_default: Main repository
1032 label_copy_attachments: Copy attachments
1032 label_copy_attachments: Copy attachments
1033 label_item_position: "%{position}/%{count}"
1033 label_item_position: "%{position}/%{count}"
1034 label_completed_versions: Completed versions
1034 label_completed_versions: Completed versions
1035 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1035 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1036 field_multiple: Multiple values
1036 field_multiple: Multiple values
1037 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1037 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1038 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1038 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1039 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1039 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1040 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1040 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1041 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1041 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1042 permission_manage_related_issues: Manage related issues
1042 permission_manage_related_issues: Manage related issues
1043 field_ldap_filter: LDAP filter
@@ -1,1045 +1,1046
1 # German translations for Ruby on Rails
1 # German translations for Ruby on Rails
2 # by Clemens Kofler (clemens@railway.at)
2 # by Clemens Kofler (clemens@railway.at)
3 # additions for Redmine 1.2 by Jens Martsch (jmartsch@gmail.com)
3 # additions for Redmine 1.2 by Jens Martsch (jmartsch@gmail.com)
4
4
5 de:
5 de:
6 direction: ltr
6 direction: ltr
7 date:
7 date:
8 formats:
8 formats:
9 # Use the strftime parameters for formats.
9 # Use the strftime parameters for formats.
10 # When no format has been given, it uses default.
10 # When no format has been given, it uses default.
11 # You can provide other formats here if you like!
11 # You can provide other formats here if you like!
12 default: "%d.%m.%Y"
12 default: "%d.%m.%Y"
13 short: "%e. %b"
13 short: "%e. %b"
14 long: "%e. %B %Y"
14 long: "%e. %B %Y"
15
15
16 day_names: [Sonntag, Montag, Dienstag, Mittwoch, Donnerstag, Freitag, Samstag]
16 day_names: [Sonntag, Montag, Dienstag, Mittwoch, Donnerstag, Freitag, Samstag]
17 abbr_day_names: [So, Mo, Di, Mi, Do, Fr, Sa]
17 abbr_day_names: [So, Mo, Di, Mi, Do, Fr, Sa]
18
18
19 # Don't forget the nil at the beginning; there's no such thing as a 0th month
19 # Don't forget the nil at the beginning; there's no such thing as a 0th month
20 month_names: [~, Januar, Februar, März, April, Mai, Juni, Juli, August, September, Oktober, November, Dezember]
20 month_names: [~, Januar, Februar, März, April, Mai, Juni, Juli, August, September, Oktober, November, Dezember]
21 abbr_month_names: [~, Jan, Feb, Mär, Apr, Mai, Jun, Jul, Aug, Sep, Okt, Nov, Dez]
21 abbr_month_names: [~, Jan, Feb, Mär, Apr, Mai, Jun, Jul, Aug, Sep, Okt, Nov, Dez]
22 # Used in date_select and datime_select.
22 # Used in date_select and datime_select.
23 order:
23 order:
24 - :day
24 - :day
25 - :month
25 - :month
26 - :year
26 - :year
27
27
28 time:
28 time:
29 formats:
29 formats:
30 default: "%d.%m.%Y %H:%M"
30 default: "%d.%m.%Y %H:%M"
31 time: "%H:%M"
31 time: "%H:%M"
32 short: "%e. %b %H:%M"
32 short: "%e. %b %H:%M"
33 long: "%A, %e. %B %Y, %H:%M Uhr"
33 long: "%A, %e. %B %Y, %H:%M Uhr"
34 am: "vormittags"
34 am: "vormittags"
35 pm: "nachmittags"
35 pm: "nachmittags"
36
36
37 datetime:
37 datetime:
38 distance_in_words:
38 distance_in_words:
39 half_a_minute: 'eine halbe Minute'
39 half_a_minute: 'eine halbe Minute'
40 less_than_x_seconds:
40 less_than_x_seconds:
41 one: 'weniger als 1 Sekunde'
41 one: 'weniger als 1 Sekunde'
42 other: 'weniger als %{count} Sekunden'
42 other: 'weniger als %{count} Sekunden'
43 x_seconds:
43 x_seconds:
44 one: '1 Sekunde'
44 one: '1 Sekunde'
45 other: '%{count} Sekunden'
45 other: '%{count} Sekunden'
46 less_than_x_minutes:
46 less_than_x_minutes:
47 one: 'weniger als 1 Minute'
47 one: 'weniger als 1 Minute'
48 other: 'weniger als %{count} Minuten'
48 other: 'weniger als %{count} Minuten'
49 x_minutes:
49 x_minutes:
50 one: '1 Minute'
50 one: '1 Minute'
51 other: '%{count} Minuten'
51 other: '%{count} Minuten'
52 about_x_hours:
52 about_x_hours:
53 one: 'etwa 1 Stunde'
53 one: 'etwa 1 Stunde'
54 other: 'etwa %{count} Stunden'
54 other: 'etwa %{count} Stunden'
55 x_days:
55 x_days:
56 one: '1 Tag'
56 one: '1 Tag'
57 other: '%{count} Tagen'
57 other: '%{count} Tagen'
58 about_x_months:
58 about_x_months:
59 one: 'etwa 1 Monat'
59 one: 'etwa 1 Monat'
60 other: 'etwa %{count} Monaten'
60 other: 'etwa %{count} Monaten'
61 x_months:
61 x_months:
62 one: '1 Monat'
62 one: '1 Monat'
63 other: '%{count} Monaten'
63 other: '%{count} Monaten'
64 about_x_years:
64 about_x_years:
65 one: 'etwa 1 Jahr'
65 one: 'etwa 1 Jahr'
66 other: 'etwa %{count} Jahren'
66 other: 'etwa %{count} Jahren'
67 over_x_years:
67 over_x_years:
68 one: 'mehr als 1 Jahr'
68 one: 'mehr als 1 Jahr'
69 other: 'mehr als %{count} Jahren'
69 other: 'mehr als %{count} Jahren'
70 almost_x_years:
70 almost_x_years:
71 one: "fast 1 Jahr"
71 one: "fast 1 Jahr"
72 other: "fast %{count} Jahren"
72 other: "fast %{count} Jahren"
73
73
74 number:
74 number:
75 # Default format for numbers
75 # Default format for numbers
76 format:
76 format:
77 separator: ','
77 separator: ','
78 delimiter: '.'
78 delimiter: '.'
79 precision: 2
79 precision: 2
80 currency:
80 currency:
81 format:
81 format:
82 unit: '€'
82 unit: '€'
83 format: '%n %u'
83 format: '%n %u'
84 separator:
84 separator:
85 delimiter:
85 delimiter:
86 precision:
86 precision:
87 percentage:
87 percentage:
88 format:
88 format:
89 delimiter: ""
89 delimiter: ""
90 precision:
90 precision:
91 format:
91 format:
92 delimiter: ""
92 delimiter: ""
93 human:
93 human:
94 format:
94 format:
95 delimiter: ""
95 delimiter: ""
96 precision: 1
96 precision: 1
97 storage_units:
97 storage_units:
98 format: "%n %u"
98 format: "%n %u"
99 units:
99 units:
100 byte:
100 byte:
101 one: "Byte"
101 one: "Byte"
102 other: "Bytes"
102 other: "Bytes"
103 kb: "KB"
103 kb: "KB"
104 mb: "MB"
104 mb: "MB"
105 gb: "GB"
105 gb: "GB"
106 tb: "TB"
106 tb: "TB"
107
107
108 # Used in array.to_sentence.
108 # Used in array.to_sentence.
109 support:
109 support:
110 array:
110 array:
111 sentence_connector: "und"
111 sentence_connector: "und"
112 skip_last_comma: true
112 skip_last_comma: true
113
113
114 activerecord:
114 activerecord:
115 errors:
115 errors:
116 template:
116 template:
117 header:
117 header:
118 one: "Dieses %{model}-Objekt konnte nicht gespeichert werden: %{count} Fehler."
118 one: "Dieses %{model}-Objekt konnte nicht gespeichert werden: %{count} Fehler."
119 other: "Dieses %{model}-Objekt konnte nicht gespeichert werden: %{count} Fehler."
119 other: "Dieses %{model}-Objekt konnte nicht gespeichert werden: %{count} Fehler."
120 body: "Bitte überprüfen Sie die folgenden Felder:"
120 body: "Bitte überprüfen Sie die folgenden Felder:"
121
121
122 messages:
122 messages:
123 inclusion: "ist kein gültiger Wert"
123 inclusion: "ist kein gültiger Wert"
124 exclusion: "ist nicht verfügbar"
124 exclusion: "ist nicht verfügbar"
125 invalid: "ist nicht gültig"
125 invalid: "ist nicht gültig"
126 confirmation: "stimmt nicht mit der Bestätigung überein"
126 confirmation: "stimmt nicht mit der Bestätigung überein"
127 accepted: "muss akzeptiert werden"
127 accepted: "muss akzeptiert werden"
128 empty: "muss ausgefüllt werden"
128 empty: "muss ausgefüllt werden"
129 blank: "muss ausgefüllt werden"
129 blank: "muss ausgefüllt werden"
130 too_long: "ist zu lang (nicht mehr als %{count} Zeichen)"
130 too_long: "ist zu lang (nicht mehr als %{count} Zeichen)"
131 too_short: "ist zu kurz (nicht weniger als %{count} Zeichen)"
131 too_short: "ist zu kurz (nicht weniger als %{count} Zeichen)"
132 wrong_length: "hat die falsche Länge (muss genau %{count} Zeichen haben)"
132 wrong_length: "hat die falsche Länge (muss genau %{count} Zeichen haben)"
133 taken: "ist bereits vergeben"
133 taken: "ist bereits vergeben"
134 not_a_number: "ist keine Zahl"
134 not_a_number: "ist keine Zahl"
135 not_a_date: "is kein gültiges Datum"
135 not_a_date: "is kein gültiges Datum"
136 greater_than: "muss größer als %{count} sein"
136 greater_than: "muss größer als %{count} sein"
137 greater_than_or_equal_to: "muss größer oder gleich %{count} sein"
137 greater_than_or_equal_to: "muss größer oder gleich %{count} sein"
138 equal_to: "muss genau %{count} sein"
138 equal_to: "muss genau %{count} sein"
139 less_than: "muss kleiner als %{count} sein"
139 less_than: "muss kleiner als %{count} sein"
140 less_than_or_equal_to: "muss kleiner oder gleich %{count} sein"
140 less_than_or_equal_to: "muss kleiner oder gleich %{count} sein"
141 odd: "muss ungerade sein"
141 odd: "muss ungerade sein"
142 even: "muss gerade sein"
142 even: "muss gerade sein"
143 greater_than_start_date: "muss größer als Anfangsdatum sein"
143 greater_than_start_date: "muss größer als Anfangsdatum sein"
144 not_same_project: "gehört nicht zum selben Projekt"
144 not_same_project: "gehört nicht zum selben Projekt"
145 circular_dependency: "Diese Beziehung würde eine zyklische Abhängigkeit erzeugen"
145 circular_dependency: "Diese Beziehung würde eine zyklische Abhängigkeit erzeugen"
146 cant_link_an_issue_with_a_descendant: "Ein Ticket kann nicht mit einer ihrer Unteraufgaben verlinkt werden"
146 cant_link_an_issue_with_a_descendant: "Ein Ticket kann nicht mit einer ihrer Unteraufgaben verlinkt werden"
147
147
148 actionview_instancetag_blank_option: Bitte auswählen
148 actionview_instancetag_blank_option: Bitte auswählen
149
149
150 general_text_No: 'Nein'
150 general_text_No: 'Nein'
151 general_text_Yes: 'Ja'
151 general_text_Yes: 'Ja'
152 general_text_no: 'nein'
152 general_text_no: 'nein'
153 general_text_yes: 'ja'
153 general_text_yes: 'ja'
154 general_lang_name: 'Deutsch'
154 general_lang_name: 'Deutsch'
155 general_csv_separator: ';'
155 general_csv_separator: ';'
156 general_csv_decimal_separator: ','
156 general_csv_decimal_separator: ','
157 general_csv_encoding: ISO-8859-1
157 general_csv_encoding: ISO-8859-1
158 general_pdf_encoding: UTF-8
158 general_pdf_encoding: UTF-8
159 general_first_day_of_week: '1'
159 general_first_day_of_week: '1'
160
160
161 notice_account_updated: Konto wurde erfolgreich aktualisiert.
161 notice_account_updated: Konto wurde erfolgreich aktualisiert.
162 notice_account_invalid_creditentials: Benutzer oder Kennwort ist ungültig.
162 notice_account_invalid_creditentials: Benutzer oder Kennwort ist ungültig.
163 notice_account_password_updated: Kennwort wurde erfolgreich aktualisiert.
163 notice_account_password_updated: Kennwort wurde erfolgreich aktualisiert.
164 notice_account_wrong_password: Falsches Kennwort.
164 notice_account_wrong_password: Falsches Kennwort.
165 notice_account_register_done: Konto wurde erfolgreich angelegt.
165 notice_account_register_done: Konto wurde erfolgreich angelegt.
166 notice_account_unknown_email: Unbekannter Benutzer.
166 notice_account_unknown_email: Unbekannter Benutzer.
167 notice_can_t_change_password: Dieses Konto verwendet eine externe Authentifizierungs-Quelle. Unmöglich, das Kennwort zu ändern.
167 notice_can_t_change_password: Dieses Konto verwendet eine externe Authentifizierungs-Quelle. Unmöglich, das Kennwort zu ändern.
168 notice_account_lost_email_sent: Eine E-Mail mit Anweisungen, ein neues Kennwort zu wählen, wurde Ihnen geschickt.
168 notice_account_lost_email_sent: Eine E-Mail mit Anweisungen, ein neues Kennwort zu wählen, wurde Ihnen geschickt.
169 notice_account_activated: Ihr Konto ist aktiviert. Sie können sich jetzt anmelden.
169 notice_account_activated: Ihr Konto ist aktiviert. Sie können sich jetzt anmelden.
170 notice_successful_create: Erfolgreich angelegt
170 notice_successful_create: Erfolgreich angelegt
171 notice_successful_update: Erfolgreich aktualisiert.
171 notice_successful_update: Erfolgreich aktualisiert.
172 notice_successful_delete: Erfolgreich gelöscht.
172 notice_successful_delete: Erfolgreich gelöscht.
173 notice_successful_connection: Verbindung erfolgreich.
173 notice_successful_connection: Verbindung erfolgreich.
174 notice_file_not_found: Anhang existiert nicht oder ist gelöscht worden.
174 notice_file_not_found: Anhang existiert nicht oder ist gelöscht worden.
175 notice_locking_conflict: Datum wurde von einem anderen Benutzer geändert.
175 notice_locking_conflict: Datum wurde von einem anderen Benutzer geändert.
176 notice_not_authorized: Sie sind nicht berechtigt, auf diese Seite zuzugreifen.
176 notice_not_authorized: Sie sind nicht berechtigt, auf diese Seite zuzugreifen.
177 notice_email_sent: "Eine E-Mail wurde an %{value} gesendet."
177 notice_email_sent: "Eine E-Mail wurde an %{value} gesendet."
178 notice_email_error: "Beim Senden einer E-Mail ist ein Fehler aufgetreten (%{value})."
178 notice_email_error: "Beim Senden einer E-Mail ist ein Fehler aufgetreten (%{value})."
179 notice_feeds_access_key_reseted: Ihr Atom-Zugriffsschlüssel wurde zurückgesetzt.
179 notice_feeds_access_key_reseted: Ihr Atom-Zugriffsschlüssel wurde zurückgesetzt.
180 notice_api_access_key_reseted: Ihr API-Zugriffsschlüssel wurde zurückgesetzt.
180 notice_api_access_key_reseted: Ihr API-Zugriffsschlüssel wurde zurückgesetzt.
181 notice_failed_to_save_issues: "%{count} von %{total} ausgewählten Tickets konnte(n) nicht gespeichert werden: %{ids}."
181 notice_failed_to_save_issues: "%{count} von %{total} ausgewählten Tickets konnte(n) nicht gespeichert werden: %{ids}."
182 notice_failed_to_save_members: "Benutzer konnte nicht gespeichert werden: %{errors}."
182 notice_failed_to_save_members: "Benutzer konnte nicht gespeichert werden: %{errors}."
183 notice_no_issue_selected: "Kein Ticket ausgewählt! Bitte wählen Sie die Tickets, die Sie bearbeiten möchten."
183 notice_no_issue_selected: "Kein Ticket ausgewählt! Bitte wählen Sie die Tickets, die Sie bearbeiten möchten."
184 notice_account_pending: "Ihr Konto wurde erstellt und wartet jetzt auf die Genehmigung des Administrators."
184 notice_account_pending: "Ihr Konto wurde erstellt und wartet jetzt auf die Genehmigung des Administrators."
185 notice_default_data_loaded: Die Standard-Konfiguration wurde erfolgreich geladen.
185 notice_default_data_loaded: Die Standard-Konfiguration wurde erfolgreich geladen.
186 notice_unable_delete_version: Die Version konnte nicht gelöscht werden.
186 notice_unable_delete_version: Die Version konnte nicht gelöscht werden.
187 notice_unable_delete_time_entry: Der Zeiterfassungseintrag konnte nicht gelöscht werden.
187 notice_unable_delete_time_entry: Der Zeiterfassungseintrag konnte nicht gelöscht werden.
188 notice_issue_done_ratios_updated: Der Ticket-Fortschritt wurde aktualisiert.
188 notice_issue_done_ratios_updated: Der Ticket-Fortschritt wurde aktualisiert.
189
189
190 error_can_t_load_default_data: "Die Standard-Konfiguration konnte nicht geladen werden: %{value}"
190 error_can_t_load_default_data: "Die Standard-Konfiguration konnte nicht geladen werden: %{value}"
191 error_scm_not_found: Eintrag und/oder Revision existiert nicht im Projektarchiv.
191 error_scm_not_found: Eintrag und/oder Revision existiert nicht im Projektarchiv.
192 error_scm_command_failed: "Beim Zugriff auf das Projektarchiv ist ein Fehler aufgetreten: %{value}"
192 error_scm_command_failed: "Beim Zugriff auf das Projektarchiv ist ein Fehler aufgetreten: %{value}"
193 error_scm_annotate: "Der Eintrag existiert nicht oder kann nicht annotiert werden."
193 error_scm_annotate: "Der Eintrag existiert nicht oder kann nicht annotiert werden."
194 error_issue_not_found_in_project: 'Das Ticket wurde nicht gefunden oder gehört nicht zu diesem Projekt.'
194 error_issue_not_found_in_project: 'Das Ticket wurde nicht gefunden oder gehört nicht zu diesem Projekt.'
195 error_no_tracker_in_project: Diesem Projekt ist kein Tracker zugeordnet. Bitte überprüfen Sie die Projekteinstellungen.
195 error_no_tracker_in_project: Diesem Projekt ist kein Tracker zugeordnet. Bitte überprüfen Sie die Projekteinstellungen.
196 error_no_default_issue_status: Es ist kein Status als Standard definiert. Bitte überprüfen Sie Ihre Konfiguration (unter "Administration -> Ticket-Status").
196 error_no_default_issue_status: Es ist kein Status als Standard definiert. Bitte überprüfen Sie Ihre Konfiguration (unter "Administration -> Ticket-Status").
197 error_can_not_delete_custom_field: Kann das benutzerdefinierte Feld nicht löschen.
197 error_can_not_delete_custom_field: Kann das benutzerdefinierte Feld nicht löschen.
198 error_can_not_delete_tracker: Dieser Tracker enthält Tickets und kann nicht gelöscht werden.
198 error_can_not_delete_tracker: Dieser Tracker enthält Tickets und kann nicht gelöscht werden.
199 error_can_not_remove_role: Diese Rolle wird verwendet und kann nicht gelöscht werden.
199 error_can_not_remove_role: Diese Rolle wird verwendet und kann nicht gelöscht werden.
200 error_can_not_reopen_issue_on_closed_version: Das Ticket ist einer abgeschlossenen Version zugeordnet und kann daher nicht wieder geöffnet werden.
200 error_can_not_reopen_issue_on_closed_version: Das Ticket ist einer abgeschlossenen Version zugeordnet und kann daher nicht wieder geöffnet werden.
201 error_can_not_archive_project: Dieses Projekt kann nicht archiviert werden.
201 error_can_not_archive_project: Dieses Projekt kann nicht archiviert werden.
202 error_issue_done_ratios_not_updated: Der Ticket-Fortschritt wurde nicht aktualisiert.
202 error_issue_done_ratios_not_updated: Der Ticket-Fortschritt wurde nicht aktualisiert.
203 error_workflow_copy_source: Bitte wählen Sie einen Quell-Tracker und eine Quell-Rolle.
203 error_workflow_copy_source: Bitte wählen Sie einen Quell-Tracker und eine Quell-Rolle.
204 error_workflow_copy_target: Bitte wählen Sie die Ziel-Tracker und -Rollen.
204 error_workflow_copy_target: Bitte wählen Sie die Ziel-Tracker und -Rollen.
205 error_unable_delete_issue_status: "Der Ticket-Status konnte nicht gelöscht werden."
205 error_unable_delete_issue_status: "Der Ticket-Status konnte nicht gelöscht werden."
206 error_unable_to_connect: Fehler beim Verbinden (%{value})
206 error_unable_to_connect: Fehler beim Verbinden (%{value})
207 warning_attachments_not_saved: "%{count} Datei(en) konnten nicht gespeichert werden."
207 warning_attachments_not_saved: "%{count} Datei(en) konnten nicht gespeichert werden."
208
208
209 mail_subject_lost_password: "Ihr %{value} Kennwort"
209 mail_subject_lost_password: "Ihr %{value} Kennwort"
210 mail_body_lost_password: 'Benutzen Sie den folgenden Link, um Ihr Kennwort zu ändern:'
210 mail_body_lost_password: 'Benutzen Sie den folgenden Link, um Ihr Kennwort zu ändern:'
211 mail_subject_register: "%{value} Kontoaktivierung"
211 mail_subject_register: "%{value} Kontoaktivierung"
212 mail_body_register: 'Um Ihr Konto zu aktivieren, benutzen Sie folgenden Link:'
212 mail_body_register: 'Um Ihr Konto zu aktivieren, benutzen Sie folgenden Link:'
213 mail_body_account_information_external: "Sie können sich mit Ihrem Konto %{value} an anmelden."
213 mail_body_account_information_external: "Sie können sich mit Ihrem Konto %{value} an anmelden."
214 mail_body_account_information: Ihre Konto-Informationen
214 mail_body_account_information: Ihre Konto-Informationen
215 mail_subject_account_activation_request: "Antrag auf %{value} Kontoaktivierung"
215 mail_subject_account_activation_request: "Antrag auf %{value} Kontoaktivierung"
216 mail_body_account_activation_request: "Ein neuer Benutzer (%{value}) hat sich registriert. Sein Konto wartet auf Ihre Genehmigung:"
216 mail_body_account_activation_request: "Ein neuer Benutzer (%{value}) hat sich registriert. Sein Konto wartet auf Ihre Genehmigung:"
217 mail_subject_reminder: "%{count} Tickets müssen in den nächsten %{days} Tagen abgegeben werden"
217 mail_subject_reminder: "%{count} Tickets müssen in den nächsten %{days} Tagen abgegeben werden"
218 mail_body_reminder: "%{count} Tickets, die Ihnen zugewiesen sind, müssen in den nächsten %{days} Tagen abgegeben werden:"
218 mail_body_reminder: "%{count} Tickets, die Ihnen zugewiesen sind, müssen in den nächsten %{days} Tagen abgegeben werden:"
219 mail_subject_wiki_content_added: "Wiki-Seite '%{id}' hinzugefügt"
219 mail_subject_wiki_content_added: "Wiki-Seite '%{id}' hinzugefügt"
220 mail_body_wiki_content_added: "Die Wiki-Seite '%{id}' wurde von %{author} hinzugefügt."
220 mail_body_wiki_content_added: "Die Wiki-Seite '%{id}' wurde von %{author} hinzugefügt."
221 mail_subject_wiki_content_updated: "Wiki-Seite '%{id}' erfolgreich aktualisiert"
221 mail_subject_wiki_content_updated: "Wiki-Seite '%{id}' erfolgreich aktualisiert"
222 mail_body_wiki_content_updated: "Die Wiki-Seite '%{id}' wurde von %{author} aktualisiert."
222 mail_body_wiki_content_updated: "Die Wiki-Seite '%{id}' wurde von %{author} aktualisiert."
223
223
224 gui_validation_error: 1 Fehler
224 gui_validation_error: 1 Fehler
225 gui_validation_error_plural: "%{count} Fehler"
225 gui_validation_error_plural: "%{count} Fehler"
226
226
227 field_name: Name
227 field_name: Name
228 field_description: Beschreibung
228 field_description: Beschreibung
229 field_summary: Zusammenfassung
229 field_summary: Zusammenfassung
230 field_is_required: Erforderlich
230 field_is_required: Erforderlich
231 field_firstname: Vorname
231 field_firstname: Vorname
232 field_lastname: Nachname
232 field_lastname: Nachname
233 field_mail: E-Mail
233 field_mail: E-Mail
234 field_filename: Datei
234 field_filename: Datei
235 field_filesize: Größe
235 field_filesize: Größe
236 field_downloads: Downloads
236 field_downloads: Downloads
237 field_author: Autor
237 field_author: Autor
238 field_created_on: Angelegt
238 field_created_on: Angelegt
239 field_updated_on: Aktualisiert
239 field_updated_on: Aktualisiert
240 field_field_format: Format
240 field_field_format: Format
241 field_is_for_all: Für alle Projekte
241 field_is_for_all: Für alle Projekte
242 field_possible_values: Mögliche Werte
242 field_possible_values: Mögliche Werte
243 field_regexp: Regulärer Ausdruck
243 field_regexp: Regulärer Ausdruck
244 field_min_length: Minimale Länge
244 field_min_length: Minimale Länge
245 field_max_length: Maximale Länge
245 field_max_length: Maximale Länge
246 field_value: Wert
246 field_value: Wert
247 field_category: Kategorie
247 field_category: Kategorie
248 field_title: Titel
248 field_title: Titel
249 field_project: Projekt
249 field_project: Projekt
250 field_issue: Ticket
250 field_issue: Ticket
251 field_status: Status
251 field_status: Status
252 field_notes: Kommentare
252 field_notes: Kommentare
253 field_is_closed: Ticket geschlossen
253 field_is_closed: Ticket geschlossen
254 field_is_default: Standardeinstellung
254 field_is_default: Standardeinstellung
255 field_tracker: Tracker
255 field_tracker: Tracker
256 field_subject: Thema
256 field_subject: Thema
257 field_due_date: Abgabedatum
257 field_due_date: Abgabedatum
258 field_assigned_to: Zugewiesen an
258 field_assigned_to: Zugewiesen an
259 field_priority: Priorität
259 field_priority: Priorität
260 field_fixed_version: Zielversion
260 field_fixed_version: Zielversion
261 field_user: Benutzer
261 field_user: Benutzer
262 field_principal: Auftraggeber
262 field_principal: Auftraggeber
263 field_role: Rolle
263 field_role: Rolle
264 field_homepage: Projekt-Homepage
264 field_homepage: Projekt-Homepage
265 field_is_public: Öffentlich
265 field_is_public: Öffentlich
266 field_parent: Unterprojekt von
266 field_parent: Unterprojekt von
267 field_is_in_roadmap: In der Roadmap anzeigen
267 field_is_in_roadmap: In der Roadmap anzeigen
268 field_login: Mitgliedsname
268 field_login: Mitgliedsname
269 field_mail_notification: Mailbenachrichtigung
269 field_mail_notification: Mailbenachrichtigung
270 field_admin: Administrator
270 field_admin: Administrator
271 field_last_login_on: Letzte Anmeldung
271 field_last_login_on: Letzte Anmeldung
272 field_language: Sprache
272 field_language: Sprache
273 field_effective_date: Datum
273 field_effective_date: Datum
274 field_password: Kennwort
274 field_password: Kennwort
275 field_new_password: Neues Kennwort
275 field_new_password: Neues Kennwort
276 field_password_confirmation: Bestätigung
276 field_password_confirmation: Bestätigung
277 field_version: Version
277 field_version: Version
278 field_type: Typ
278 field_type: Typ
279 field_host: Host
279 field_host: Host
280 field_port: Port
280 field_port: Port
281 field_account: Konto
281 field_account: Konto
282 field_base_dn: Base DN
282 field_base_dn: Base DN
283 field_attr_login: Mitgliedsname-Attribut
283 field_attr_login: Mitgliedsname-Attribut
284 field_attr_firstname: Vorname-Attribut
284 field_attr_firstname: Vorname-Attribut
285 field_attr_lastname: Name-Attribut
285 field_attr_lastname: Name-Attribut
286 field_attr_mail: E-Mail-Attribut
286 field_attr_mail: E-Mail-Attribut
287 field_onthefly: On-the-fly-Benutzererstellung
287 field_onthefly: On-the-fly-Benutzererstellung
288 field_start_date: Beginn
288 field_start_date: Beginn
289 field_done_ratio: "% erledigt"
289 field_done_ratio: "% erledigt"
290 field_auth_source: Authentifizierungs-Modus
290 field_auth_source: Authentifizierungs-Modus
291 field_hide_mail: E-Mail-Adresse nicht anzeigen
291 field_hide_mail: E-Mail-Adresse nicht anzeigen
292 field_comments: Kommentar
292 field_comments: Kommentar
293 field_url: URL
293 field_url: URL
294 field_start_page: Hauptseite
294 field_start_page: Hauptseite
295 field_subproject: Unterprojekt von
295 field_subproject: Unterprojekt von
296 field_hours: Stunden
296 field_hours: Stunden
297 field_activity: Aktivität
297 field_activity: Aktivität
298 field_spent_on: Datum
298 field_spent_on: Datum
299 field_identifier: Kennung
299 field_identifier: Kennung
300 field_is_filter: Als Filter benutzen
300 field_is_filter: Als Filter benutzen
301 field_issue_to: Zugehöriges Ticket
301 field_issue_to: Zugehöriges Ticket
302 field_delay: Pufferzeit
302 field_delay: Pufferzeit
303 field_assignable: Tickets können dieser Rolle zugewiesen werden
303 field_assignable: Tickets können dieser Rolle zugewiesen werden
304 field_redirect_existing_links: Existierende Links umleiten
304 field_redirect_existing_links: Existierende Links umleiten
305 field_estimated_hours: Geschätzter Aufwand
305 field_estimated_hours: Geschätzter Aufwand
306 field_column_names: Spalten
306 field_column_names: Spalten
307 field_time_entries: Logzeit
307 field_time_entries: Logzeit
308 field_time_zone: Zeitzone
308 field_time_zone: Zeitzone
309 field_searchable: Durchsuchbar
309 field_searchable: Durchsuchbar
310 field_default_value: Standardwert
310 field_default_value: Standardwert
311 field_comments_sorting: Kommentare anzeigen
311 field_comments_sorting: Kommentare anzeigen
312 field_parent_title: Übergeordnete Seite
312 field_parent_title: Übergeordnete Seite
313 field_editable: Bearbeitbar
313 field_editable: Bearbeitbar
314 field_watcher: Beobachter
314 field_watcher: Beobachter
315 field_identity_url: OpenID-URL
315 field_identity_url: OpenID-URL
316 field_content: Inhalt
316 field_content: Inhalt
317 field_group_by: Gruppiere Ergebnisse nach
317 field_group_by: Gruppiere Ergebnisse nach
318 field_sharing: Gemeinsame Verwendung
318 field_sharing: Gemeinsame Verwendung
319 field_parent_issue: Übergeordnete Aufgabe
319 field_parent_issue: Übergeordnete Aufgabe
320
320
321 setting_app_title: Applikations-Titel
321 setting_app_title: Applikations-Titel
322 setting_app_subtitle: Applikations-Untertitel
322 setting_app_subtitle: Applikations-Untertitel
323 setting_welcome_text: Willkommenstext
323 setting_welcome_text: Willkommenstext
324 setting_default_language: Default-Sprache
324 setting_default_language: Default-Sprache
325 setting_login_required: Authentifizierung erforderlich
325 setting_login_required: Authentifizierung erforderlich
326 setting_self_registration: Anmeldung ermöglicht
326 setting_self_registration: Anmeldung ermöglicht
327 setting_attachment_max_size: Max. Dateigröße
327 setting_attachment_max_size: Max. Dateigröße
328 setting_issues_export_limit: Max. Anzahl Tickets bei CSV/PDF-Export
328 setting_issues_export_limit: Max. Anzahl Tickets bei CSV/PDF-Export
329 setting_mail_from: E-Mail-Absender
329 setting_mail_from: E-Mail-Absender
330 setting_bcc_recipients: E-Mails als Blindkopie (BCC) senden
330 setting_bcc_recipients: E-Mails als Blindkopie (BCC) senden
331 setting_plain_text_mail: Nur reinen Text (kein HTML) senden
331 setting_plain_text_mail: Nur reinen Text (kein HTML) senden
332 setting_host_name: Hostname
332 setting_host_name: Hostname
333 setting_text_formatting: Textformatierung
333 setting_text_formatting: Textformatierung
334 setting_wiki_compression: Wiki-Historie komprimieren
334 setting_wiki_compression: Wiki-Historie komprimieren
335 setting_feeds_limit: Max. Anzahl Einträge pro Atom-Feed
335 setting_feeds_limit: Max. Anzahl Einträge pro Atom-Feed
336 setting_default_projects_public: Neue Projekte sind standardmäßig öffentlich
336 setting_default_projects_public: Neue Projekte sind standardmäßig öffentlich
337 setting_autofetch_changesets: Changesets automatisch abrufen
337 setting_autofetch_changesets: Changesets automatisch abrufen
338 setting_sys_api_enabled: Webservice zur Verwaltung der Projektarchive benutzen
338 setting_sys_api_enabled: Webservice zur Verwaltung der Projektarchive benutzen
339 setting_commit_ref_keywords: Schlüsselwörter (Beziehungen)
339 setting_commit_ref_keywords: Schlüsselwörter (Beziehungen)
340 setting_commit_fix_keywords: Schlüsselwörter (Status)
340 setting_commit_fix_keywords: Schlüsselwörter (Status)
341 setting_autologin: Automatische Anmeldung
341 setting_autologin: Automatische Anmeldung
342 setting_date_format: Datumsformat
342 setting_date_format: Datumsformat
343 setting_time_format: Zeitformat
343 setting_time_format: Zeitformat
344 setting_cross_project_issue_relations: Ticket-Beziehungen zwischen Projekten erlauben
344 setting_cross_project_issue_relations: Ticket-Beziehungen zwischen Projekten erlauben
345 setting_issue_list_default_columns: Default-Spalten in der Ticket-Auflistung
345 setting_issue_list_default_columns: Default-Spalten in der Ticket-Auflistung
346 setting_emails_footer: E-Mail-Fußzeile
346 setting_emails_footer: E-Mail-Fußzeile
347 setting_protocol: Protokoll
347 setting_protocol: Protokoll
348 setting_per_page_options: Objekte pro Seite
348 setting_per_page_options: Objekte pro Seite
349 setting_user_format: Benutzer-Anzeigeformat
349 setting_user_format: Benutzer-Anzeigeformat
350 setting_activity_days_default: Anzahl Tage pro Seite der Projekt-Aktivität
350 setting_activity_days_default: Anzahl Tage pro Seite der Projekt-Aktivität
351 setting_display_subprojects_issues: Tickets von Unterprojekten im Hauptprojekt anzeigen
351 setting_display_subprojects_issues: Tickets von Unterprojekten im Hauptprojekt anzeigen
352 setting_enabled_scm: Aktivierte Versionskontrollsysteme
352 setting_enabled_scm: Aktivierte Versionskontrollsysteme
353 setting_mail_handler_body_delimiters: "Schneide E-Mails nach einer dieser Zeilen ab"
353 setting_mail_handler_body_delimiters: "Schneide E-Mails nach einer dieser Zeilen ab"
354 setting_mail_handler_api_enabled: Abruf eingehender E-Mails aktivieren
354 setting_mail_handler_api_enabled: Abruf eingehender E-Mails aktivieren
355 setting_mail_handler_api_key: API-Schlüssel
355 setting_mail_handler_api_key: API-Schlüssel
356 setting_sequential_project_identifiers: Fortlaufende Projektkennungen generieren
356 setting_sequential_project_identifiers: Fortlaufende Projektkennungen generieren
357 setting_gravatar_enabled: Gravatar-Benutzerbilder benutzen
357 setting_gravatar_enabled: Gravatar-Benutzerbilder benutzen
358 setting_gravatar_default: Standard-Gravatar-Bild
358 setting_gravatar_default: Standard-Gravatar-Bild
359 setting_diff_max_lines_displayed: Maximale Anzahl anzuzeigender Diff-Zeilen
359 setting_diff_max_lines_displayed: Maximale Anzahl anzuzeigender Diff-Zeilen
360 setting_file_max_size_displayed: Maximale Größe inline angezeigter Textdateien
360 setting_file_max_size_displayed: Maximale Größe inline angezeigter Textdateien
361 setting_repository_log_display_limit: Maximale Anzahl anzuzeigender Revisionen in der Historie einer Datei
361 setting_repository_log_display_limit: Maximale Anzahl anzuzeigender Revisionen in der Historie einer Datei
362 setting_openid: Erlaube OpenID-Anmeldung und -Registrierung
362 setting_openid: Erlaube OpenID-Anmeldung und -Registrierung
363 setting_password_min_length: Mindestlänge des Kennworts
363 setting_password_min_length: Mindestlänge des Kennworts
364 setting_new_project_user_role_id: Rolle, die einem Nicht-Administrator zugeordnet wird, der ein Projekt erstellt
364 setting_new_project_user_role_id: Rolle, die einem Nicht-Administrator zugeordnet wird, der ein Projekt erstellt
365 setting_default_projects_modules: Standardmäßig aktivierte Module für neue Projekte
365 setting_default_projects_modules: Standardmäßig aktivierte Module für neue Projekte
366 setting_issue_done_ratio: Berechne den Ticket-Fortschritt mittels
366 setting_issue_done_ratio: Berechne den Ticket-Fortschritt mittels
367 setting_issue_done_ratio_issue_field: Ticket-Feld %-erledigt
367 setting_issue_done_ratio_issue_field: Ticket-Feld %-erledigt
368 setting_issue_done_ratio_issue_status: Ticket-Status
368 setting_issue_done_ratio_issue_status: Ticket-Status
369 setting_start_of_week: Wochenanfang
369 setting_start_of_week: Wochenanfang
370 setting_rest_api_enabled: REST-Schnittstelle aktivieren
370 setting_rest_api_enabled: REST-Schnittstelle aktivieren
371 setting_cache_formatted_text: Formatierten Text im Cache speichern
371 setting_cache_formatted_text: Formatierten Text im Cache speichern
372
372
373 permission_add_project: Projekt erstellen
373 permission_add_project: Projekt erstellen
374 permission_add_subprojects: Unterprojekte erstellen
374 permission_add_subprojects: Unterprojekte erstellen
375 permission_edit_project: Projekt bearbeiten
375 permission_edit_project: Projekt bearbeiten
376 permission_select_project_modules: Projektmodule auswählen
376 permission_select_project_modules: Projektmodule auswählen
377 permission_manage_members: Mitglieder verwalten
377 permission_manage_members: Mitglieder verwalten
378 permission_manage_project_activities: Aktivitäten (Zeiterfassung) verwalten
378 permission_manage_project_activities: Aktivitäten (Zeiterfassung) verwalten
379 permission_manage_versions: Versionen verwalten
379 permission_manage_versions: Versionen verwalten
380 permission_manage_categories: Ticket-Kategorien verwalten
380 permission_manage_categories: Ticket-Kategorien verwalten
381 permission_view_issues: Tickets anzeigen
381 permission_view_issues: Tickets anzeigen
382 permission_add_issues: Tickets hinzufügen
382 permission_add_issues: Tickets hinzufügen
383 permission_edit_issues: Tickets bearbeiten
383 permission_edit_issues: Tickets bearbeiten
384 permission_manage_issue_relations: Ticket-Beziehungen verwalten
384 permission_manage_issue_relations: Ticket-Beziehungen verwalten
385 permission_add_issue_notes: Kommentare hinzufügen
385 permission_add_issue_notes: Kommentare hinzufügen
386 permission_edit_issue_notes: Kommentare bearbeiten
386 permission_edit_issue_notes: Kommentare bearbeiten
387 permission_edit_own_issue_notes: Eigene Kommentare bearbeiten
387 permission_edit_own_issue_notes: Eigene Kommentare bearbeiten
388 permission_move_issues: Tickets verschieben
388 permission_move_issues: Tickets verschieben
389 permission_delete_issues: Tickets löschen
389 permission_delete_issues: Tickets löschen
390 permission_manage_public_queries: Öffentliche Filter verwalten
390 permission_manage_public_queries: Öffentliche Filter verwalten
391 permission_save_queries: Filter speichern
391 permission_save_queries: Filter speichern
392 permission_view_gantt: Gantt-Diagramm ansehen
392 permission_view_gantt: Gantt-Diagramm ansehen
393 permission_view_calendar: Kalender ansehen
393 permission_view_calendar: Kalender ansehen
394 permission_view_issue_watchers: Liste der Beobachter ansehen
394 permission_view_issue_watchers: Liste der Beobachter ansehen
395 permission_add_issue_watchers: Beobachter hinzufügen
395 permission_add_issue_watchers: Beobachter hinzufügen
396 permission_delete_issue_watchers: Beobachter löschen
396 permission_delete_issue_watchers: Beobachter löschen
397 permission_log_time: Aufwände buchen
397 permission_log_time: Aufwände buchen
398 permission_view_time_entries: Gebuchte Aufwände ansehen
398 permission_view_time_entries: Gebuchte Aufwände ansehen
399 permission_edit_time_entries: Gebuchte Aufwände bearbeiten
399 permission_edit_time_entries: Gebuchte Aufwände bearbeiten
400 permission_edit_own_time_entries: Selbst gebuchte Aufwände bearbeiten
400 permission_edit_own_time_entries: Selbst gebuchte Aufwände bearbeiten
401 permission_manage_news: News verwalten
401 permission_manage_news: News verwalten
402 permission_comment_news: News kommentieren
402 permission_comment_news: News kommentieren
403 permission_manage_documents: Dokumente verwalten
403 permission_manage_documents: Dokumente verwalten
404 permission_view_documents: Dokumente ansehen
404 permission_view_documents: Dokumente ansehen
405 permission_manage_files: Dateien verwalten
405 permission_manage_files: Dateien verwalten
406 permission_view_files: Dateien ansehen
406 permission_view_files: Dateien ansehen
407 permission_manage_wiki: Wiki verwalten
407 permission_manage_wiki: Wiki verwalten
408 permission_rename_wiki_pages: Wiki-Seiten umbenennen
408 permission_rename_wiki_pages: Wiki-Seiten umbenennen
409 permission_delete_wiki_pages: Wiki-Seiten löschen
409 permission_delete_wiki_pages: Wiki-Seiten löschen
410 permission_view_wiki_pages: Wiki ansehen
410 permission_view_wiki_pages: Wiki ansehen
411 permission_view_wiki_edits: Wiki-Versionsgeschichte ansehen
411 permission_view_wiki_edits: Wiki-Versionsgeschichte ansehen
412 permission_edit_wiki_pages: Wiki-Seiten bearbeiten
412 permission_edit_wiki_pages: Wiki-Seiten bearbeiten
413 permission_delete_wiki_pages_attachments: Anhänge löschen
413 permission_delete_wiki_pages_attachments: Anhänge löschen
414 permission_protect_wiki_pages: Wiki-Seiten schützen
414 permission_protect_wiki_pages: Wiki-Seiten schützen
415 permission_manage_repository: Projektarchiv verwalten
415 permission_manage_repository: Projektarchiv verwalten
416 permission_browse_repository: Projektarchiv ansehen
416 permission_browse_repository: Projektarchiv ansehen
417 permission_view_changesets: Changesets ansehen
417 permission_view_changesets: Changesets ansehen
418 permission_commit_access: Commit-Zugriff (über WebDAV)
418 permission_commit_access: Commit-Zugriff (über WebDAV)
419 permission_manage_boards: Foren verwalten
419 permission_manage_boards: Foren verwalten
420 permission_view_messages: Forenbeiträge ansehen
420 permission_view_messages: Forenbeiträge ansehen
421 permission_add_messages: Forenbeiträge hinzufügen
421 permission_add_messages: Forenbeiträge hinzufügen
422 permission_edit_messages: Forenbeiträge bearbeiten
422 permission_edit_messages: Forenbeiträge bearbeiten
423 permission_edit_own_messages: Eigene Forenbeiträge bearbeiten
423 permission_edit_own_messages: Eigene Forenbeiträge bearbeiten
424 permission_delete_messages: Forenbeiträge löschen
424 permission_delete_messages: Forenbeiträge löschen
425 permission_delete_own_messages: Eigene Forenbeiträge löschen
425 permission_delete_own_messages: Eigene Forenbeiträge löschen
426 permission_export_wiki_pages: Wiki-Seiten exportieren
426 permission_export_wiki_pages: Wiki-Seiten exportieren
427 permission_manage_subtasks: Unteraufgaben verwalten
427 permission_manage_subtasks: Unteraufgaben verwalten
428
428
429 project_module_issue_tracking: Ticket-Verfolgung
429 project_module_issue_tracking: Ticket-Verfolgung
430 project_module_time_tracking: Zeiterfassung
430 project_module_time_tracking: Zeiterfassung
431 project_module_news: News
431 project_module_news: News
432 project_module_documents: Dokumente
432 project_module_documents: Dokumente
433 project_module_files: Dateien
433 project_module_files: Dateien
434 project_module_wiki: Wiki
434 project_module_wiki: Wiki
435 project_module_repository: Projektarchiv
435 project_module_repository: Projektarchiv
436 project_module_boards: Foren
436 project_module_boards: Foren
437 project_module_calendar: Kalender
437 project_module_calendar: Kalender
438 project_module_gantt: Gantt
438 project_module_gantt: Gantt
439
439
440 label_user: Benutzer
440 label_user: Benutzer
441 label_user_plural: Benutzer
441 label_user_plural: Benutzer
442 label_user_new: Neuer Benutzer
442 label_user_new: Neuer Benutzer
443 label_user_anonymous: Anonym
443 label_user_anonymous: Anonym
444 label_project: Projekt
444 label_project: Projekt
445 label_project_new: Neues Projekt
445 label_project_new: Neues Projekt
446 label_project_plural: Projekte
446 label_project_plural: Projekte
447 label_x_projects:
447 label_x_projects:
448 zero: keine Projekte
448 zero: keine Projekte
449 one: 1 Projekt
449 one: 1 Projekt
450 other: "%{count} Projekte"
450 other: "%{count} Projekte"
451 label_project_all: Alle Projekte
451 label_project_all: Alle Projekte
452 label_project_latest: Neueste Projekte
452 label_project_latest: Neueste Projekte
453 label_issue: Ticket
453 label_issue: Ticket
454 label_issue_new: Neues Ticket
454 label_issue_new: Neues Ticket
455 label_issue_plural: Tickets
455 label_issue_plural: Tickets
456 label_issue_view_all: Alle Tickets anzeigen
456 label_issue_view_all: Alle Tickets anzeigen
457 label_issues_by: "Tickets von %{value}"
457 label_issues_by: "Tickets von %{value}"
458 label_issue_added: Ticket hinzugefügt
458 label_issue_added: Ticket hinzugefügt
459 label_issue_updated: Ticket aktualisiert
459 label_issue_updated: Ticket aktualisiert
460 label_document: Dokument
460 label_document: Dokument
461 label_document_new: Neues Dokument
461 label_document_new: Neues Dokument
462 label_document_plural: Dokumente
462 label_document_plural: Dokumente
463 label_document_added: Dokument hinzugefügt
463 label_document_added: Dokument hinzugefügt
464 label_role: Rolle
464 label_role: Rolle
465 label_role_plural: Rollen
465 label_role_plural: Rollen
466 label_role_new: Neue Rolle
466 label_role_new: Neue Rolle
467 label_role_and_permissions: Rollen und Rechte
467 label_role_and_permissions: Rollen und Rechte
468 label_member: Mitglied
468 label_member: Mitglied
469 label_member_new: Neues Mitglied
469 label_member_new: Neues Mitglied
470 label_member_plural: Mitglieder
470 label_member_plural: Mitglieder
471 label_tracker: Tracker
471 label_tracker: Tracker
472 label_tracker_plural: Tracker
472 label_tracker_plural: Tracker
473 label_tracker_new: Neuer Tracker
473 label_tracker_new: Neuer Tracker
474 label_workflow: Workflow
474 label_workflow: Workflow
475 label_issue_status: Ticket-Status
475 label_issue_status: Ticket-Status
476 label_issue_status_plural: Ticket-Status
476 label_issue_status_plural: Ticket-Status
477 label_issue_status_new: Neuer Status
477 label_issue_status_new: Neuer Status
478 label_issue_category: Ticket-Kategorie
478 label_issue_category: Ticket-Kategorie
479 label_issue_category_plural: Ticket-Kategorien
479 label_issue_category_plural: Ticket-Kategorien
480 label_issue_category_new: Neue Kategorie
480 label_issue_category_new: Neue Kategorie
481 label_custom_field: Benutzerdefiniertes Feld
481 label_custom_field: Benutzerdefiniertes Feld
482 label_custom_field_plural: Benutzerdefinierte Felder
482 label_custom_field_plural: Benutzerdefinierte Felder
483 label_custom_field_new: Neues Feld
483 label_custom_field_new: Neues Feld
484 label_enumerations: Aufzählungen
484 label_enumerations: Aufzählungen
485 label_enumeration_new: Neuer Wert
485 label_enumeration_new: Neuer Wert
486 label_information: Information
486 label_information: Information
487 label_information_plural: Informationen
487 label_information_plural: Informationen
488 label_please_login: Anmelden
488 label_please_login: Anmelden
489 label_register: Registrieren
489 label_register: Registrieren
490 label_login_with_open_id_option: oder mit OpenID anmelden
490 label_login_with_open_id_option: oder mit OpenID anmelden
491 label_password_lost: Kennwort vergessen
491 label_password_lost: Kennwort vergessen
492 label_home: Hauptseite
492 label_home: Hauptseite
493 label_my_page: Meine Seite
493 label_my_page: Meine Seite
494 label_my_account: Mein Konto
494 label_my_account: Mein Konto
495 label_my_projects: Meine Projekte
495 label_my_projects: Meine Projekte
496 label_my_page_block: Bereich "Meine Seite"
496 label_my_page_block: Bereich "Meine Seite"
497 label_administration: Administration
497 label_administration: Administration
498 label_login: Anmelden
498 label_login: Anmelden
499 label_logout: Abmelden
499 label_logout: Abmelden
500 label_help: Hilfe
500 label_help: Hilfe
501 label_reported_issues: Gemeldete Tickets
501 label_reported_issues: Gemeldete Tickets
502 label_assigned_to_me_issues: Mir zugewiesen
502 label_assigned_to_me_issues: Mir zugewiesen
503 label_last_login: Letzte Anmeldung
503 label_last_login: Letzte Anmeldung
504 label_registered_on: Angemeldet am
504 label_registered_on: Angemeldet am
505 label_activity: Aktivität
505 label_activity: Aktivität
506 label_overall_activity: Aktivität aller Projekte anzeigen
506 label_overall_activity: Aktivität aller Projekte anzeigen
507 label_user_activity: "Aktivität von %{value}"
507 label_user_activity: "Aktivität von %{value}"
508 label_new: Neu
508 label_new: Neu
509 label_logged_as: Angemeldet als
509 label_logged_as: Angemeldet als
510 label_environment: Umgebung
510 label_environment: Umgebung
511 label_authentication: Authentifizierung
511 label_authentication: Authentifizierung
512 label_auth_source: Authentifizierungs-Modus
512 label_auth_source: Authentifizierungs-Modus
513 label_auth_source_new: Neuer Authentifizierungs-Modus
513 label_auth_source_new: Neuer Authentifizierungs-Modus
514 label_auth_source_plural: Authentifizierungs-Arten
514 label_auth_source_plural: Authentifizierungs-Arten
515 label_subproject_plural: Unterprojekte
515 label_subproject_plural: Unterprojekte
516 label_subproject_new: Neues Unterprojekt
516 label_subproject_new: Neues Unterprojekt
517 label_and_its_subprojects: "%{value} und dessen Unterprojekte"
517 label_and_its_subprojects: "%{value} und dessen Unterprojekte"
518 label_min_max_length: Länge (Min. - Max.)
518 label_min_max_length: Länge (Min. - Max.)
519 label_list: Liste
519 label_list: Liste
520 label_date: Datum
520 label_date: Datum
521 label_integer: Zahl
521 label_integer: Zahl
522 label_float: Fließkommazahl
522 label_float: Fließkommazahl
523 label_boolean: Boolean
523 label_boolean: Boolean
524 label_string: Text
524 label_string: Text
525 label_text: Langer Text
525 label_text: Langer Text
526 label_attribute: Attribut
526 label_attribute: Attribut
527 label_attribute_plural: Attribute
527 label_attribute_plural: Attribute
528 label_download: "%{count} Download"
528 label_download: "%{count} Download"
529 label_download_plural: "%{count} Downloads"
529 label_download_plural: "%{count} Downloads"
530 label_no_data: Nichts anzuzeigen
530 label_no_data: Nichts anzuzeigen
531 label_change_status: Statuswechsel
531 label_change_status: Statuswechsel
532 label_history: Historie
532 label_history: Historie
533 label_attachment: Datei
533 label_attachment: Datei
534 label_attachment_new: Neue Datei
534 label_attachment_new: Neue Datei
535 label_attachment_delete: Anhang löschen
535 label_attachment_delete: Anhang löschen
536 label_attachment_plural: Dateien
536 label_attachment_plural: Dateien
537 label_file_added: Datei hinzugefügt
537 label_file_added: Datei hinzugefügt
538 label_report: Bericht
538 label_report: Bericht
539 label_report_plural: Berichte
539 label_report_plural: Berichte
540 label_news: News
540 label_news: News
541 label_news_new: News hinzufügen
541 label_news_new: News hinzufügen
542 label_news_plural: News
542 label_news_plural: News
543 label_news_latest: Letzte News
543 label_news_latest: Letzte News
544 label_news_view_all: Alle News anzeigen
544 label_news_view_all: Alle News anzeigen
545 label_news_added: News hinzugefügt
545 label_news_added: News hinzugefügt
546 label_settings: Konfiguration
546 label_settings: Konfiguration
547 label_overview: Übersicht
547 label_overview: Übersicht
548 label_version: Version
548 label_version: Version
549 label_version_new: Neue Version
549 label_version_new: Neue Version
550 label_version_plural: Versionen
550 label_version_plural: Versionen
551 label_close_versions: Vollständige Versionen schließen
551 label_close_versions: Vollständige Versionen schließen
552 label_confirmation: Bestätigung
552 label_confirmation: Bestätigung
553 label_export_to: "Auch abrufbar als:"
553 label_export_to: "Auch abrufbar als:"
554 label_read: Lesen...
554 label_read: Lesen...
555 label_public_projects: Öffentliche Projekte
555 label_public_projects: Öffentliche Projekte
556 label_open_issues: offen
556 label_open_issues: offen
557 label_open_issues_plural: offen
557 label_open_issues_plural: offen
558 label_closed_issues: geschlossen
558 label_closed_issues: geschlossen
559 label_closed_issues_plural: geschlossen
559 label_closed_issues_plural: geschlossen
560 label_x_open_issues_abbr_on_total:
560 label_x_open_issues_abbr_on_total:
561 zero: 0 offen / %{total}
561 zero: 0 offen / %{total}
562 one: 1 offen / %{total}
562 one: 1 offen / %{total}
563 other: "%{count} offen / %{total}"
563 other: "%{count} offen / %{total}"
564 label_x_open_issues_abbr:
564 label_x_open_issues_abbr:
565 zero: 0 offen
565 zero: 0 offen
566 one: 1 offen
566 one: 1 offen
567 other: "%{count} offen"
567 other: "%{count} offen"
568 label_x_closed_issues_abbr:
568 label_x_closed_issues_abbr:
569 zero: 0 geschlossen
569 zero: 0 geschlossen
570 one: 1 geschlossen
570 one: 1 geschlossen
571 other: "%{count} geschlossen"
571 other: "%{count} geschlossen"
572 label_total: Gesamtzahl
572 label_total: Gesamtzahl
573 label_permissions: Berechtigungen
573 label_permissions: Berechtigungen
574 label_current_status: Gegenwärtiger Status
574 label_current_status: Gegenwärtiger Status
575 label_new_statuses_allowed: Neue Berechtigungen
575 label_new_statuses_allowed: Neue Berechtigungen
576 label_all: alle
576 label_all: alle
577 label_none: kein
577 label_none: kein
578 label_nobody: Niemand
578 label_nobody: Niemand
579 label_next: Weiter
579 label_next: Weiter
580 label_previous: Zurück
580 label_previous: Zurück
581 label_used_by: Benutzt von
581 label_used_by: Benutzt von
582 label_details: Details
582 label_details: Details
583 label_add_note: Kommentar hinzufügen
583 label_add_note: Kommentar hinzufügen
584 label_per_page: Pro Seite
584 label_per_page: Pro Seite
585 label_calendar: Kalender
585 label_calendar: Kalender
586 label_months_from: Monate ab
586 label_months_from: Monate ab
587 label_gantt: Gantt-Diagramm
587 label_gantt: Gantt-Diagramm
588 label_internal: Intern
588 label_internal: Intern
589 label_last_changes: "%{count} letzte Änderungen"
589 label_last_changes: "%{count} letzte Änderungen"
590 label_change_view_all: Alle Änderungen anzeigen
590 label_change_view_all: Alle Änderungen anzeigen
591 label_personalize_page: Diese Seite anpassen
591 label_personalize_page: Diese Seite anpassen
592 label_comment: Kommentar
592 label_comment: Kommentar
593 label_comment_plural: Kommentare
593 label_comment_plural: Kommentare
594 label_x_comments:
594 label_x_comments:
595 zero: keine Kommentare
595 zero: keine Kommentare
596 one: 1 Kommentar
596 one: 1 Kommentar
597 other: "%{count} Kommentare"
597 other: "%{count} Kommentare"
598 label_comment_add: Kommentar hinzufügen
598 label_comment_add: Kommentar hinzufügen
599 label_comment_added: Kommentar hinzugefügt
599 label_comment_added: Kommentar hinzugefügt
600 label_comment_delete: Kommentar löschen
600 label_comment_delete: Kommentar löschen
601 label_query: Benutzerdefinierte Abfrage
601 label_query: Benutzerdefinierte Abfrage
602 label_query_plural: Benutzerdefinierte Berichte
602 label_query_plural: Benutzerdefinierte Berichte
603 label_query_new: Neuer Bericht
603 label_query_new: Neuer Bericht
604 label_filter_add: Filter hinzufügen
604 label_filter_add: Filter hinzufügen
605 label_filter_plural: Filter
605 label_filter_plural: Filter
606 label_equals: ist
606 label_equals: ist
607 label_not_equals: ist nicht
607 label_not_equals: ist nicht
608 label_in_less_than: in weniger als
608 label_in_less_than: in weniger als
609 label_in_more_than: in mehr als
609 label_in_more_than: in mehr als
610 label_greater_or_equal: ">="
610 label_greater_or_equal: ">="
611 label_less_or_equal: "<="
611 label_less_or_equal: "<="
612 label_in: an
612 label_in: an
613 label_today: heute
613 label_today: heute
614 label_all_time: gesamter Zeitraum
614 label_all_time: gesamter Zeitraum
615 label_yesterday: gestern
615 label_yesterday: gestern
616 label_this_week: aktuelle Woche
616 label_this_week: aktuelle Woche
617 label_last_week: vorige Woche
617 label_last_week: vorige Woche
618 label_last_n_days: "die letzten %{count} Tage"
618 label_last_n_days: "die letzten %{count} Tage"
619 label_this_month: aktueller Monat
619 label_this_month: aktueller Monat
620 label_last_month: voriger Monat
620 label_last_month: voriger Monat
621 label_this_year: aktuelles Jahr
621 label_this_year: aktuelles Jahr
622 label_date_range: Zeitraum
622 label_date_range: Zeitraum
623 label_less_than_ago: vor weniger als
623 label_less_than_ago: vor weniger als
624 label_more_than_ago: vor mehr als
624 label_more_than_ago: vor mehr als
625 label_ago: vor
625 label_ago: vor
626 label_contains: enthält
626 label_contains: enthält
627 label_not_contains: enthält nicht
627 label_not_contains: enthält nicht
628 label_day_plural: Tage
628 label_day_plural: Tage
629 label_repository: Projektarchiv
629 label_repository: Projektarchiv
630 label_repository_plural: Projektarchive
630 label_repository_plural: Projektarchive
631 label_browse: Codebrowser
631 label_browse: Codebrowser
632 label_modification: "%{count} Änderung"
632 label_modification: "%{count} Änderung"
633 label_modification_plural: "%{count} Änderungen"
633 label_modification_plural: "%{count} Änderungen"
634 label_branch: Zweig
634 label_branch: Zweig
635 label_tag: Markierung
635 label_tag: Markierung
636 label_revision: Revision
636 label_revision: Revision
637 label_revision_plural: Revisionen
637 label_revision_plural: Revisionen
638 label_revision_id: Revision %{value}
638 label_revision_id: Revision %{value}
639 label_associated_revisions: Zugehörige Revisionen
639 label_associated_revisions: Zugehörige Revisionen
640 label_added: hinzugefügt
640 label_added: hinzugefügt
641 label_modified: geändert
641 label_modified: geändert
642 label_copied: kopiert
642 label_copied: kopiert
643 label_renamed: umbenannt
643 label_renamed: umbenannt
644 label_deleted: gelöscht
644 label_deleted: gelöscht
645 label_latest_revision: Aktuellste Revision
645 label_latest_revision: Aktuellste Revision
646 label_latest_revision_plural: Aktuellste Revisionen
646 label_latest_revision_plural: Aktuellste Revisionen
647 label_view_revisions: Revisionen anzeigen
647 label_view_revisions: Revisionen anzeigen
648 label_view_all_revisions: Alle Revisionen anzeigen
648 label_view_all_revisions: Alle Revisionen anzeigen
649 label_max_size: Maximale Größe
649 label_max_size: Maximale Größe
650 label_sort_highest: An den Anfang
650 label_sort_highest: An den Anfang
651 label_sort_higher: Eins höher
651 label_sort_higher: Eins höher
652 label_sort_lower: Eins tiefer
652 label_sort_lower: Eins tiefer
653 label_sort_lowest: Ans Ende
653 label_sort_lowest: Ans Ende
654 label_roadmap: Roadmap
654 label_roadmap: Roadmap
655 label_roadmap_due_in: "Fällig in %{value}"
655 label_roadmap_due_in: "Fällig in %{value}"
656 label_roadmap_overdue: "%{value} verspätet"
656 label_roadmap_overdue: "%{value} verspätet"
657 label_roadmap_no_issues: Keine Tickets für diese Version
657 label_roadmap_no_issues: Keine Tickets für diese Version
658 label_search: Suche
658 label_search: Suche
659 label_result_plural: Resultate
659 label_result_plural: Resultate
660 label_all_words: Alle Wörter
660 label_all_words: Alle Wörter
661 label_wiki: Wiki
661 label_wiki: Wiki
662 label_wiki_edit: Wiki-Bearbeitung
662 label_wiki_edit: Wiki-Bearbeitung
663 label_wiki_edit_plural: Wiki-Bearbeitungen
663 label_wiki_edit_plural: Wiki-Bearbeitungen
664 label_wiki_page: Wiki-Seite
664 label_wiki_page: Wiki-Seite
665 label_wiki_page_plural: Wiki-Seiten
665 label_wiki_page_plural: Wiki-Seiten
666 label_index_by_title: Seiten nach Titel sortiert
666 label_index_by_title: Seiten nach Titel sortiert
667 label_index_by_date: Seiten nach Datum sortiert
667 label_index_by_date: Seiten nach Datum sortiert
668 label_current_version: Gegenwärtige Version
668 label_current_version: Gegenwärtige Version
669 label_preview: Vorschau
669 label_preview: Vorschau
670 label_feed_plural: Feeds
670 label_feed_plural: Feeds
671 label_changes_details: Details aller Änderungen
671 label_changes_details: Details aller Änderungen
672 label_issue_tracking: Tickets
672 label_issue_tracking: Tickets
673 label_spent_time: Aufgewendete Zeit
673 label_spent_time: Aufgewendete Zeit
674 label_overall_spent_time: Aufgewendete Zeit aller Projekte anzeigen
674 label_overall_spent_time: Aufgewendete Zeit aller Projekte anzeigen
675 label_f_hour: "%{value} Stunde"
675 label_f_hour: "%{value} Stunde"
676 label_f_hour_plural: "%{value} Stunden"
676 label_f_hour_plural: "%{value} Stunden"
677 label_time_tracking: Zeiterfassung
677 label_time_tracking: Zeiterfassung
678 label_change_plural: Änderungen
678 label_change_plural: Änderungen
679 label_statistics: Statistiken
679 label_statistics: Statistiken
680 label_commits_per_month: Übertragungen pro Monat
680 label_commits_per_month: Übertragungen pro Monat
681 label_commits_per_author: Übertragungen pro Autor
681 label_commits_per_author: Übertragungen pro Autor
682 label_view_diff: Unterschiede anzeigen
682 label_view_diff: Unterschiede anzeigen
683 label_diff_inline: einspaltig
683 label_diff_inline: einspaltig
684 label_diff_side_by_side: nebeneinander
684 label_diff_side_by_side: nebeneinander
685 label_options: Optionen
685 label_options: Optionen
686 label_copy_workflow_from: Workflow kopieren von
686 label_copy_workflow_from: Workflow kopieren von
687 label_permissions_report: Berechtigungsübersicht
687 label_permissions_report: Berechtigungsübersicht
688 label_watched_issues: Beobachtete Tickets
688 label_watched_issues: Beobachtete Tickets
689 label_related_issues: Zugehörige Tickets
689 label_related_issues: Zugehörige Tickets
690 label_applied_status: Zugewiesener Status
690 label_applied_status: Zugewiesener Status
691 label_loading: Lade...
691 label_loading: Lade...
692 label_relation_new: Neue Beziehung
692 label_relation_new: Neue Beziehung
693 label_relation_delete: Beziehung löschen
693 label_relation_delete: Beziehung löschen
694 label_relates_to: Beziehung mit
694 label_relates_to: Beziehung mit
695 label_duplicates: Duplikat von
695 label_duplicates: Duplikat von
696 label_duplicated_by: Dupliziert durch
696 label_duplicated_by: Dupliziert durch
697 label_blocks: Blockiert
697 label_blocks: Blockiert
698 label_blocked_by: Blockiert durch
698 label_blocked_by: Blockiert durch
699 label_precedes: Vorgänger von
699 label_precedes: Vorgänger von
700 label_follows: folgt
700 label_follows: folgt
701 label_end_to_start: Ende - Anfang
701 label_end_to_start: Ende - Anfang
702 label_end_to_end: Ende - Ende
702 label_end_to_end: Ende - Ende
703 label_start_to_start: Anfang - Anfang
703 label_start_to_start: Anfang - Anfang
704 label_start_to_end: Anfang - Ende
704 label_start_to_end: Anfang - Ende
705 label_stay_logged_in: Angemeldet bleiben
705 label_stay_logged_in: Angemeldet bleiben
706 label_disabled: gesperrt
706 label_disabled: gesperrt
707 label_show_completed_versions: Abgeschlossene Versionen anzeigen
707 label_show_completed_versions: Abgeschlossene Versionen anzeigen
708 label_me: ich
708 label_me: ich
709 label_board: Forum
709 label_board: Forum
710 label_board_new: Neues Forum
710 label_board_new: Neues Forum
711 label_board_plural: Foren
711 label_board_plural: Foren
712 label_board_locked: Gesperrt
712 label_board_locked: Gesperrt
713 label_board_sticky: Wichtig (immer oben)
713 label_board_sticky: Wichtig (immer oben)
714 label_topic_plural: Themen
714 label_topic_plural: Themen
715 label_message_plural: Forenbeiträge
715 label_message_plural: Forenbeiträge
716 label_message_last: Letzter Forenbeitrag
716 label_message_last: Letzter Forenbeitrag
717 label_message_new: Neues Thema
717 label_message_new: Neues Thema
718 label_message_posted: Forenbeitrag hinzugefügt
718 label_message_posted: Forenbeitrag hinzugefügt
719 label_reply_plural: Antworten
719 label_reply_plural: Antworten
720 label_send_information: Sende Kontoinformationen zum Benutzer
720 label_send_information: Sende Kontoinformationen zum Benutzer
721 label_year: Jahr
721 label_year: Jahr
722 label_month: Monat
722 label_month: Monat
723 label_week: Woche
723 label_week: Woche
724 label_date_from: Von
724 label_date_from: Von
725 label_date_to: Bis
725 label_date_to: Bis
726 label_language_based: Sprachabhängig
726 label_language_based: Sprachabhängig
727 label_sort_by: "Sortiert nach %{value}"
727 label_sort_by: "Sortiert nach %{value}"
728 label_send_test_email: Test-E-Mail senden
728 label_send_test_email: Test-E-Mail senden
729 label_feeds_access_key: RSS-Zugriffsschlüssel
729 label_feeds_access_key: RSS-Zugriffsschlüssel
730 label_missing_feeds_access_key: Der RSS-Zugriffsschlüssel fehlt.
730 label_missing_feeds_access_key: Der RSS-Zugriffsschlüssel fehlt.
731 label_feeds_access_key_created_on: "Atom-Zugriffsschlüssel vor %{value} erstellt"
731 label_feeds_access_key_created_on: "Atom-Zugriffsschlüssel vor %{value} erstellt"
732 label_module_plural: Module
732 label_module_plural: Module
733 label_added_time_by: "Von %{author} vor %{age} hinzugefügt"
733 label_added_time_by: "Von %{author} vor %{age} hinzugefügt"
734 label_updated_time_by: "Von %{author} vor %{age} aktualisiert"
734 label_updated_time_by: "Von %{author} vor %{age} aktualisiert"
735 label_updated_time: "Vor %{value} aktualisiert"
735 label_updated_time: "Vor %{value} aktualisiert"
736 label_jump_to_a_project: Zu einem Projekt springen...
736 label_jump_to_a_project: Zu einem Projekt springen...
737 label_file_plural: Dateien
737 label_file_plural: Dateien
738 label_changeset_plural: Changesets
738 label_changeset_plural: Changesets
739 label_default_columns: Standard-Spalten
739 label_default_columns: Standard-Spalten
740 label_no_change_option: (Keine Änderung)
740 label_no_change_option: (Keine Änderung)
741 label_bulk_edit_selected_issues: Alle ausgewählten Tickets bearbeiten
741 label_bulk_edit_selected_issues: Alle ausgewählten Tickets bearbeiten
742 label_theme: Stil
742 label_theme: Stil
743 label_default: Standard
743 label_default: Standard
744 label_search_titles_only: Nur Titel durchsuchen
744 label_search_titles_only: Nur Titel durchsuchen
745 label_user_mail_option_all: "Für alle Ereignisse in all meinen Projekten"
745 label_user_mail_option_all: "Für alle Ereignisse in all meinen Projekten"
746 label_user_mail_option_selected: "Für alle Ereignisse in den ausgewählten Projekten..."
746 label_user_mail_option_selected: "Für alle Ereignisse in den ausgewählten Projekten..."
747 label_user_mail_no_self_notified: "Ich möchte nicht über Änderungen benachrichtigt werden, die ich selbst durchführe."
747 label_user_mail_no_self_notified: "Ich möchte nicht über Änderungen benachrichtigt werden, die ich selbst durchführe."
748 label_registration_activation_by_email: Kontoaktivierung durch E-Mail
748 label_registration_activation_by_email: Kontoaktivierung durch E-Mail
749 label_registration_manual_activation: Manuelle Kontoaktivierung
749 label_registration_manual_activation: Manuelle Kontoaktivierung
750 label_registration_automatic_activation: Automatische Kontoaktivierung
750 label_registration_automatic_activation: Automatische Kontoaktivierung
751 label_display_per_page: "Pro Seite: %{value}"
751 label_display_per_page: "Pro Seite: %{value}"
752 label_age: Geändert vor
752 label_age: Geändert vor
753 label_change_properties: Eigenschaften ändern
753 label_change_properties: Eigenschaften ändern
754 label_general: Allgemein
754 label_general: Allgemein
755 label_more: Mehr
755 label_more: Mehr
756 label_scm: Versionskontrollsystem
756 label_scm: Versionskontrollsystem
757 label_plugins: Plugins
757 label_plugins: Plugins
758 label_ldap_authentication: LDAP-Authentifizierung
758 label_ldap_authentication: LDAP-Authentifizierung
759 label_downloads_abbr: D/L
759 label_downloads_abbr: D/L
760 label_optional_description: Beschreibung (optional)
760 label_optional_description: Beschreibung (optional)
761 label_add_another_file: Eine weitere Datei hinzufügen
761 label_add_another_file: Eine weitere Datei hinzufügen
762 label_preferences: Präferenzen
762 label_preferences: Präferenzen
763 label_chronological_order: in zeitlicher Reihenfolge
763 label_chronological_order: in zeitlicher Reihenfolge
764 label_reverse_chronological_order: in umgekehrter zeitlicher Reihenfolge
764 label_reverse_chronological_order: in umgekehrter zeitlicher Reihenfolge
765 label_planning: Terminplanung
765 label_planning: Terminplanung
766 label_incoming_emails: Eingehende E-Mails
766 label_incoming_emails: Eingehende E-Mails
767 label_generate_key: Generieren
767 label_generate_key: Generieren
768 label_issue_watchers: Beobachter
768 label_issue_watchers: Beobachter
769 label_example: Beispiel
769 label_example: Beispiel
770 label_display: Anzeige
770 label_display: Anzeige
771 label_sort: Sortierung
771 label_sort: Sortierung
772 label_ascending: Aufsteigend
772 label_ascending: Aufsteigend
773 label_descending: Absteigend
773 label_descending: Absteigend
774 label_date_from_to: von %{start} bis %{end}
774 label_date_from_to: von %{start} bis %{end}
775 label_wiki_content_added: Die Wiki-Seite wurde erfolgreich hinzugefügt.
775 label_wiki_content_added: Die Wiki-Seite wurde erfolgreich hinzugefügt.
776 label_wiki_content_updated: Die Wiki-Seite wurde erfolgreich aktualisiert.
776 label_wiki_content_updated: Die Wiki-Seite wurde erfolgreich aktualisiert.
777 label_group: Gruppe
777 label_group: Gruppe
778 label_group_plural: Gruppen
778 label_group_plural: Gruppen
779 label_group_new: Neue Gruppe
779 label_group_new: Neue Gruppe
780 label_time_entry_plural: Benötigte Zeit
780 label_time_entry_plural: Benötigte Zeit
781 label_version_sharing_none: Nicht gemeinsam verwenden
781 label_version_sharing_none: Nicht gemeinsam verwenden
782 label_version_sharing_descendants: Mit Unterprojekten
782 label_version_sharing_descendants: Mit Unterprojekten
783 label_version_sharing_hierarchy: Mit Projekthierarchie
783 label_version_sharing_hierarchy: Mit Projekthierarchie
784 label_version_sharing_tree: Mit Projektbaum
784 label_version_sharing_tree: Mit Projektbaum
785 label_version_sharing_system: Mit allen Projekten
785 label_version_sharing_system: Mit allen Projekten
786 label_update_issue_done_ratios: Ticket-Fortschritt aktualisieren
786 label_update_issue_done_ratios: Ticket-Fortschritt aktualisieren
787 label_copy_source: Quelle
787 label_copy_source: Quelle
788 label_copy_target: Ziel
788 label_copy_target: Ziel
789 label_copy_same_as_target: So wie das Ziel
789 label_copy_same_as_target: So wie das Ziel
790 label_display_used_statuses_only: Zeige nur Status an, die von diesem Tracker verwendet werden
790 label_display_used_statuses_only: Zeige nur Status an, die von diesem Tracker verwendet werden
791 label_api_access_key: API-Zugriffsschlüssel
791 label_api_access_key: API-Zugriffsschlüssel
792 label_missing_api_access_key: Der API-Zugriffsschlüssel fehlt.
792 label_missing_api_access_key: Der API-Zugriffsschlüssel fehlt.
793 label_api_access_key_created_on: Der API-Zugriffsschlüssel wurde vor %{value} erstellt
793 label_api_access_key_created_on: Der API-Zugriffsschlüssel wurde vor %{value} erstellt
794 label_profile: Profil
794 label_profile: Profil
795 label_subtask_plural: Unteraufgaben
795 label_subtask_plural: Unteraufgaben
796 label_project_copy_notifications: Sende Mailbenachrichtigungen beim Kopieren des Projekts.
796 label_project_copy_notifications: Sende Mailbenachrichtigungen beim Kopieren des Projekts.
797 label_principal_search: "Nach Benutzer oder Gruppe suchen:"
797 label_principal_search: "Nach Benutzer oder Gruppe suchen:"
798 label_user_search: "Nach Benutzer suchen:"
798 label_user_search: "Nach Benutzer suchen:"
799
799
800 button_login: Anmelden
800 button_login: Anmelden
801 button_submit: OK
801 button_submit: OK
802 button_save: Speichern
802 button_save: Speichern
803 button_check_all: Alles auswählen
803 button_check_all: Alles auswählen
804 button_uncheck_all: Alles abwählen
804 button_uncheck_all: Alles abwählen
805 button_delete: Löschen
805 button_delete: Löschen
806 button_create: Anlegen
806 button_create: Anlegen
807 button_create_and_continue: Anlegen und weiter
807 button_create_and_continue: Anlegen und weiter
808 button_test: Testen
808 button_test: Testen
809 button_edit: Bearbeiten
809 button_edit: Bearbeiten
810 button_edit_associated_wikipage: "Zugehörige Wikiseite bearbeiten: %{page_title}"
810 button_edit_associated_wikipage: "Zugehörige Wikiseite bearbeiten: %{page_title}"
811 button_add: Hinzufügen
811 button_add: Hinzufügen
812 button_change: Wechseln
812 button_change: Wechseln
813 button_apply: Anwenden
813 button_apply: Anwenden
814 button_clear: Zurücksetzen
814 button_clear: Zurücksetzen
815 button_lock: Sperren
815 button_lock: Sperren
816 button_unlock: Entsperren
816 button_unlock: Entsperren
817 button_download: Download
817 button_download: Download
818 button_list: Liste
818 button_list: Liste
819 button_view: Anzeigen
819 button_view: Anzeigen
820 button_move: Verschieben
820 button_move: Verschieben
821 button_move_and_follow: Verschieben und Ticket anzeigen
821 button_move_and_follow: Verschieben und Ticket anzeigen
822 button_back: Zurück
822 button_back: Zurück
823 button_cancel: Abbrechen
823 button_cancel: Abbrechen
824 button_activate: Aktivieren
824 button_activate: Aktivieren
825 button_sort: Sortieren
825 button_sort: Sortieren
826 button_log_time: Aufwand buchen
826 button_log_time: Aufwand buchen
827 button_rollback: Auf diese Version zurücksetzen
827 button_rollback: Auf diese Version zurücksetzen
828 button_watch: Beobachten
828 button_watch: Beobachten
829 button_unwatch: Nicht beobachten
829 button_unwatch: Nicht beobachten
830 button_reply: Antworten
830 button_reply: Antworten
831 button_archive: Archivieren
831 button_archive: Archivieren
832 button_unarchive: Entarchivieren
832 button_unarchive: Entarchivieren
833 button_reset: Zurücksetzen
833 button_reset: Zurücksetzen
834 button_rename: Umbenennen
834 button_rename: Umbenennen
835 button_change_password: Kennwort ändern
835 button_change_password: Kennwort ändern
836 button_copy: Kopieren
836 button_copy: Kopieren
837 button_copy_and_follow: Kopieren und Ticket anzeigen
837 button_copy_and_follow: Kopieren und Ticket anzeigen
838 button_annotate: Annotieren
838 button_annotate: Annotieren
839 button_update: Bearbeiten
839 button_update: Bearbeiten
840 button_configure: Konfigurieren
840 button_configure: Konfigurieren
841 button_quote: Zitieren
841 button_quote: Zitieren
842 button_duplicate: Duplizieren
842 button_duplicate: Duplizieren
843 button_show: Anzeigen
843 button_show: Anzeigen
844
844
845 status_active: aktiv
845 status_active: aktiv
846 status_registered: angemeldet
846 status_registered: angemeldet
847 status_locked: gesperrt
847 status_locked: gesperrt
848
848
849 version_status_open: offen
849 version_status_open: offen
850 version_status_locked: gesperrt
850 version_status_locked: gesperrt
851 version_status_closed: abgeschlossen
851 version_status_closed: abgeschlossen
852
852
853 field_active: Aktiv
853 field_active: Aktiv
854
854
855 text_select_mail_notifications: Bitte wählen Sie die Aktionen aus, für die eine Mailbenachrichtigung gesendet werden soll.
855 text_select_mail_notifications: Bitte wählen Sie die Aktionen aus, für die eine Mailbenachrichtigung gesendet werden soll.
856 text_regexp_info: z. B. ^[A-Z0-9]+$
856 text_regexp_info: z. B. ^[A-Z0-9]+$
857 text_min_max_length_info: 0 heißt keine Beschränkung
857 text_min_max_length_info: 0 heißt keine Beschränkung
858 text_project_destroy_confirmation: Sind Sie sicher, dass sie das Projekt löschen wollen?
858 text_project_destroy_confirmation: Sind Sie sicher, dass sie das Projekt löschen wollen?
859 text_subprojects_destroy_warning: "Dessen Unterprojekte (%{value}) werden ebenfalls gelöscht."
859 text_subprojects_destroy_warning: "Dessen Unterprojekte (%{value}) werden ebenfalls gelöscht."
860 text_workflow_edit: Workflow zum Bearbeiten auswählen
860 text_workflow_edit: Workflow zum Bearbeiten auswählen
861 text_are_you_sure: Sind Sie sicher?
861 text_are_you_sure: Sind Sie sicher?
862 text_are_you_sure_with_children: "Lösche Aufgabe und alle Unteraufgaben?"
862 text_are_you_sure_with_children: "Lösche Aufgabe und alle Unteraufgaben?"
863 text_journal_changed: "%{label} wurde von %{old} zu %{new} geändert"
863 text_journal_changed: "%{label} wurde von %{old} zu %{new} geändert"
864 text_journal_set_to: "%{label} wurde auf %{value} gesetzt"
864 text_journal_set_to: "%{label} wurde auf %{value} gesetzt"
865 text_journal_deleted: "%{label} %{old} wurde gelöscht"
865 text_journal_deleted: "%{label} %{old} wurde gelöscht"
866 text_journal_added: "%{label} %{value} wurde hinzugefügt"
866 text_journal_added: "%{label} %{value} wurde hinzugefügt"
867 text_tip_issue_begin_day: Aufgabe, die an diesem Tag beginnt
867 text_tip_issue_begin_day: Aufgabe, die an diesem Tag beginnt
868 text_tip_issue_end_day: Aufgabe, die an diesem Tag endet
868 text_tip_issue_end_day: Aufgabe, die an diesem Tag endet
869 text_tip_issue_begin_end_day: Aufgabe, die an diesem Tag beginnt und endet
869 text_tip_issue_begin_end_day: Aufgabe, die an diesem Tag beginnt und endet
870 text_project_identifier_info: 'Kleinbuchstaben (a-z), Ziffern, Binde- und Unterstriche erlaubt.<br />Einmal gespeichert, kann die Kennung nicht mehr geändert werden.'
870 text_project_identifier_info: 'Kleinbuchstaben (a-z), Ziffern, Binde- und Unterstriche erlaubt.<br />Einmal gespeichert, kann die Kennung nicht mehr geändert werden.'
871 text_caracters_maximum: "Max. %{count} Zeichen."
871 text_caracters_maximum: "Max. %{count} Zeichen."
872 text_caracters_minimum: "Muss mindestens %{count} Zeichen lang sein."
872 text_caracters_minimum: "Muss mindestens %{count} Zeichen lang sein."
873 text_length_between: "Länge zwischen %{min} und %{max} Zeichen."
873 text_length_between: "Länge zwischen %{min} und %{max} Zeichen."
874 text_tracker_no_workflow: Kein Workflow für diesen Tracker definiert.
874 text_tracker_no_workflow: Kein Workflow für diesen Tracker definiert.
875 text_unallowed_characters: Nicht erlaubte Zeichen
875 text_unallowed_characters: Nicht erlaubte Zeichen
876 text_comma_separated: Mehrere Werte erlaubt (durch Komma getrennt).
876 text_comma_separated: Mehrere Werte erlaubt (durch Komma getrennt).
877 text_line_separated: Mehrere Werte sind erlaubt (eine Zeile pro Wert).
877 text_line_separated: Mehrere Werte sind erlaubt (eine Zeile pro Wert).
878 text_issues_ref_in_commit_messages: Ticket-Beziehungen und -Status in Commit-Log-Meldungen
878 text_issues_ref_in_commit_messages: Ticket-Beziehungen und -Status in Commit-Log-Meldungen
879 text_issue_added: "Ticket %{id} wurde erstellt von %{author}."
879 text_issue_added: "Ticket %{id} wurde erstellt von %{author}."
880 text_issue_updated: "Ticket %{id} wurde aktualisiert von %{author}."
880 text_issue_updated: "Ticket %{id} wurde aktualisiert von %{author}."
881 text_wiki_destroy_confirmation: Sind Sie sicher, dass Sie dieses Wiki mit sämtlichem Inhalt löschen möchten?
881 text_wiki_destroy_confirmation: Sind Sie sicher, dass Sie dieses Wiki mit sämtlichem Inhalt löschen möchten?
882 text_issue_category_destroy_question: "Einige Tickets (%{count}) sind dieser Kategorie zugeodnet. Was möchten Sie tun?"
882 text_issue_category_destroy_question: "Einige Tickets (%{count}) sind dieser Kategorie zugeodnet. Was möchten Sie tun?"
883 text_issue_category_destroy_assignments: Kategorie-Zuordnung entfernen
883 text_issue_category_destroy_assignments: Kategorie-Zuordnung entfernen
884 text_issue_category_reassign_to: Tickets dieser Kategorie zuordnen
884 text_issue_category_reassign_to: Tickets dieser Kategorie zuordnen
885 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)."
885 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)."
886 text_no_configuration_data: "Rollen, Tracker, Ticket-Status und Workflows wurden noch nicht konfiguriert.\nEs ist sehr zu empfehlen, die Standard-Konfiguration zu laden. Sobald sie geladen ist, können Sie sie abändern."
886 text_no_configuration_data: "Rollen, Tracker, Ticket-Status und Workflows wurden noch nicht konfiguriert.\nEs ist sehr zu empfehlen, die Standard-Konfiguration zu laden. Sobald sie geladen ist, können Sie sie abändern."
887 text_load_default_configuration: Standard-Konfiguration laden
887 text_load_default_configuration: Standard-Konfiguration laden
888 text_status_changed_by_changeset: "Status geändert durch Changeset %{value}."
888 text_status_changed_by_changeset: "Status geändert durch Changeset %{value}."
889 text_issues_destroy_confirmation: 'Sind Sie sicher, dass Sie die ausgewählten Tickets löschen möchten?'
889 text_issues_destroy_confirmation: 'Sind Sie sicher, dass Sie die ausgewählten Tickets löschen möchten?'
890 text_select_project_modules: 'Bitte wählen Sie die Module aus, die in diesem Projekt aktiviert sein sollen:'
890 text_select_project_modules: 'Bitte wählen Sie die Module aus, die in diesem Projekt aktiviert sein sollen:'
891 text_default_administrator_account_changed: Administrator-Kennwort geändert
891 text_default_administrator_account_changed: Administrator-Kennwort geändert
892 text_file_repository_writable: Verzeichnis für Dateien beschreibbar
892 text_file_repository_writable: Verzeichnis für Dateien beschreibbar
893 text_plugin_assets_writable: Verzeichnis für Plugin-Assets beschreibbar
893 text_plugin_assets_writable: Verzeichnis für Plugin-Assets beschreibbar
894 text_rmagick_available: RMagick verfügbar (optional)
894 text_rmagick_available: RMagick verfügbar (optional)
895 text_destroy_time_entries_question: Es wurden bereits %{hours} Stunden auf dieses Ticket gebucht. Was soll mit den Aufwänden geschehen?
895 text_destroy_time_entries_question: Es wurden bereits %{hours} Stunden auf dieses Ticket gebucht. Was soll mit den Aufwänden geschehen?
896 text_destroy_time_entries: Gebuchte Aufwände löschen
896 text_destroy_time_entries: Gebuchte Aufwände löschen
897 text_assign_time_entries_to_project: Gebuchte Aufwände dem Projekt zuweisen
897 text_assign_time_entries_to_project: Gebuchte Aufwände dem Projekt zuweisen
898 text_reassign_time_entries: 'Gebuchte Aufwände diesem Ticket zuweisen:'
898 text_reassign_time_entries: 'Gebuchte Aufwände diesem Ticket zuweisen:'
899 text_user_wrote: "%{value} schrieb:"
899 text_user_wrote: "%{value} schrieb:"
900 text_enumeration_destroy_question: "%{count} Objekt(e) sind diesem Wert zugeordnet."
900 text_enumeration_destroy_question: "%{count} Objekt(e) sind diesem Wert zugeordnet."
901 text_enumeration_category_reassign_to: 'Die Objekte stattdessen diesem Wert zuordnen:'
901 text_enumeration_category_reassign_to: 'Die Objekte stattdessen diesem Wert zuordnen:'
902 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."
902 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."
903 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."
903 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."
904 text_diff_truncated: '... Dieser Diff wurde abgeschnitten, weil er die maximale Anzahl anzuzeigender Zeilen überschreitet.'
904 text_diff_truncated: '... Dieser Diff wurde abgeschnitten, weil er die maximale Anzahl anzuzeigender Zeilen überschreitet.'
905 text_custom_field_possible_values_info: 'Eine Zeile pro Wert'
905 text_custom_field_possible_values_info: 'Eine Zeile pro Wert'
906 text_wiki_page_destroy_question: "Diese Seite hat %{descendants} Unterseite(n). Was möchten Sie tun?"
906 text_wiki_page_destroy_question: "Diese Seite hat %{descendants} Unterseite(n). Was möchten Sie tun?"
907 text_wiki_page_nullify_children: Verschiebe die Unterseiten auf die oberste Ebene
907 text_wiki_page_nullify_children: Verschiebe die Unterseiten auf die oberste Ebene
908 text_wiki_page_destroy_children: Lösche alle Unterseiten
908 text_wiki_page_destroy_children: Lösche alle Unterseiten
909 text_wiki_page_reassign_children: Ordne die Unterseiten dieser Seite zu
909 text_wiki_page_reassign_children: Ordne die Unterseiten dieser Seite zu
910 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?"
910 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?"
911 text_zoom_in: Zoom in
911 text_zoom_in: Zoom in
912 text_zoom_out: Zoom out
912 text_zoom_out: Zoom out
913
913
914 default_role_manager: Manager
914 default_role_manager: Manager
915 default_role_developer: Entwickler
915 default_role_developer: Entwickler
916 default_role_reporter: Reporter
916 default_role_reporter: Reporter
917 default_tracker_bug: Fehler
917 default_tracker_bug: Fehler
918 default_tracker_feature: Feature
918 default_tracker_feature: Feature
919 default_tracker_support: Unterstützung
919 default_tracker_support: Unterstützung
920 default_issue_status_new: Neu
920 default_issue_status_new: Neu
921 default_issue_status_in_progress: In Bearbeitung
921 default_issue_status_in_progress: In Bearbeitung
922 default_issue_status_resolved: Gelöst
922 default_issue_status_resolved: Gelöst
923 default_issue_status_feedback: Feedback
923 default_issue_status_feedback: Feedback
924 default_issue_status_closed: Erledigt
924 default_issue_status_closed: Erledigt
925 default_issue_status_rejected: Abgewiesen
925 default_issue_status_rejected: Abgewiesen
926 default_doc_category_user: Benutzerdokumentation
926 default_doc_category_user: Benutzerdokumentation
927 default_doc_category_tech: Technische Dokumentation
927 default_doc_category_tech: Technische Dokumentation
928 default_priority_low: Niedrig
928 default_priority_low: Niedrig
929 default_priority_normal: Normal
929 default_priority_normal: Normal
930 default_priority_high: Hoch
930 default_priority_high: Hoch
931 default_priority_urgent: Dringend
931 default_priority_urgent: Dringend
932 default_priority_immediate: Sofort
932 default_priority_immediate: Sofort
933 default_activity_design: Design
933 default_activity_design: Design
934 default_activity_development: Entwicklung
934 default_activity_development: Entwicklung
935
935
936 enumeration_issue_priorities: Ticket-Prioritäten
936 enumeration_issue_priorities: Ticket-Prioritäten
937 enumeration_doc_categories: Dokumentenkategorien
937 enumeration_doc_categories: Dokumentenkategorien
938 enumeration_activities: Aktivitäten (Zeiterfassung)
938 enumeration_activities: Aktivitäten (Zeiterfassung)
939 enumeration_system_activity: System-Aktivität
939 enumeration_system_activity: System-Aktivität
940
940
941 field_text: Textfeld
941 field_text: Textfeld
942 label_user_mail_option_only_owner: Nur für Aufgaben die ich angelegt habe
942 label_user_mail_option_only_owner: Nur für Aufgaben die ich angelegt habe
943 setting_default_notification_option: Standard Benachrichtigungsoptionen
943 setting_default_notification_option: Standard Benachrichtigungsoptionen
944 label_user_mail_option_only_my_events: Nur für Aufgaben die ich beobachte oder an welchen ich mitarbeite
944 label_user_mail_option_only_my_events: Nur für Aufgaben die ich beobachte oder an welchen ich mitarbeite
945 label_user_mail_option_only_assigned: Nur für Aufgaben für die ich zuständig bin.
945 label_user_mail_option_only_assigned: Nur für Aufgaben für die ich zuständig bin.
946 notice_not_authorized_archived_project: Das Projekt wurde archiviert und ist daher nicht nicht verfügbar.
946 notice_not_authorized_archived_project: Das Projekt wurde archiviert und ist daher nicht nicht verfügbar.
947 label_user_mail_option_none: keine Ereignisse
947 label_user_mail_option_none: keine Ereignisse
948 field_member_of_group: Zuständigkeitsgruppe
948 field_member_of_group: Zuständigkeitsgruppe
949 field_assigned_to_role: Zuständigkeitsrolle
949 field_assigned_to_role: Zuständigkeitsrolle
950 field_visible: Sichtbar
950 field_visible: Sichtbar
951 setting_emails_header: E-Mail Betreffzeile
951 setting_emails_header: E-Mail Betreffzeile
952 setting_commit_logtime_activity_id: Aktivität für die Zeiterfassung
952 setting_commit_logtime_activity_id: Aktivität für die Zeiterfassung
953 text_time_logged_by_changeset: Angewendet in Changeset %{value}.
953 text_time_logged_by_changeset: Angewendet in Changeset %{value}.
954 setting_commit_logtime_enabled: Aktiviere Zeitlogging
954 setting_commit_logtime_enabled: Aktiviere Zeitlogging
955 notice_gantt_chart_truncated: Die Grafik ist unvollständig, da das Maximum der anzeigbaren Aufgaben überschritten wurde (%{max})
955 notice_gantt_chart_truncated: Die Grafik ist unvollständig, da das Maximum der anzeigbaren Aufgaben überschritten wurde (%{max})
956 setting_gantt_items_limit: Maximale Anzahl von Aufgaben die im Gantt-Chart angezeigt werden.
956 setting_gantt_items_limit: Maximale Anzahl von Aufgaben die im Gantt-Chart angezeigt werden.
957 field_warn_on_leaving_unsaved: vor dem Verlassen einer Seite mit ungesichertem Text im Editor warnen
957 field_warn_on_leaving_unsaved: vor dem Verlassen einer Seite mit ungesichertem Text im Editor warnen
958 text_warn_on_leaving_unsaved: Die aktuellen Änderungen gehen verloren, wenn Sie diese Seite verlassen.
958 text_warn_on_leaving_unsaved: Die aktuellen Änderungen gehen verloren, wenn Sie diese Seite verlassen.
959 label_my_queries: Meine eigenen Abfragen
959 label_my_queries: Meine eigenen Abfragen
960 text_journal_changed_no_detail: "%{label} aktualisiert"
960 text_journal_changed_no_detail: "%{label} aktualisiert"
961 label_news_comment_added: Kommentar zu einer News hinzugefügt
961 label_news_comment_added: Kommentar zu einer News hinzugefügt
962 button_expand_all: Alle ausklappen
962 button_expand_all: Alle ausklappen
963 button_collapse_all: Alle einklappen
963 button_collapse_all: Alle einklappen
964 label_additional_workflow_transitions_for_assignee: Zusätzliche Berechtigungen wenn der Benutzer der Zugewiesene ist
964 label_additional_workflow_transitions_for_assignee: Zusätzliche Berechtigungen wenn der Benutzer der Zugewiesene ist
965 label_additional_workflow_transitions_for_author: Zusätzliche Berechtigungen wenn der Benutzer der Autor ist
965 label_additional_workflow_transitions_for_author: Zusätzliche Berechtigungen wenn der Benutzer der Autor ist
966 label_bulk_edit_selected_time_entries: Ausgewählte Zeitaufwände bearbeiten
966 label_bulk_edit_selected_time_entries: Ausgewählte Zeitaufwände bearbeiten
967 text_time_entries_destroy_confirmation: Sind Sie sicher, dass Sie die ausgewählten Zeitaufwände löschen möchten?
967 text_time_entries_destroy_confirmation: Sind Sie sicher, dass Sie die ausgewählten Zeitaufwände löschen möchten?
968 label_role_anonymous: Anonymous
968 label_role_anonymous: Anonymous
969 label_role_non_member: Nichtmitglied
969 label_role_non_member: Nichtmitglied
970 label_issue_note_added: Notiz hinzugefügt
970 label_issue_note_added: Notiz hinzugefügt
971 label_issue_status_updated: Status aktualisiert
971 label_issue_status_updated: Status aktualisiert
972 label_issue_priority_updated: Priorität aktualisiert
972 label_issue_priority_updated: Priorität aktualisiert
973 label_issues_visibility_own: Tickets die folgender User erstellt hat oder die ihm zugewiesen sind
973 label_issues_visibility_own: Tickets die folgender User erstellt hat oder die ihm zugewiesen sind
974 field_issues_visibility: Ticket Sichtbarkeit
974 field_issues_visibility: Ticket Sichtbarkeit
975 label_issues_visibility_all: Alle Tickets
975 label_issues_visibility_all: Alle Tickets
976 permission_set_own_issues_private: Eigene Tickets privat oder öffentlich markieren
976 permission_set_own_issues_private: Eigene Tickets privat oder öffentlich markieren
977 field_is_private: Privat
977 field_is_private: Privat
978 permission_set_issues_private: Tickets privat oder öffentlich markieren
978 permission_set_issues_private: Tickets privat oder öffentlich markieren
979 label_issues_visibility_public: Alle öffentlichen Tickets
979 label_issues_visibility_public: Alle öffentlichen Tickets
980 text_issues_destroy_descendants_confirmation: Dies wird auch %{count} Unteraufgabe/n löschen.
980 text_issues_destroy_descendants_confirmation: Dies wird auch %{count} Unteraufgabe/n löschen.
981 field_commit_logs_encoding: Kodierung der Commit-Log-Meldungen
981 field_commit_logs_encoding: Kodierung der Commit-Log-Meldungen
982 field_scm_path_encoding: Pfad Kodierung
982 field_scm_path_encoding: Pfad Kodierung
983 text_scm_path_encoding_note: "Standard: UTF-8"
983 text_scm_path_encoding_note: "Standard: UTF-8"
984 field_path_to_repository: Pfad zum repository
984 field_path_to_repository: Pfad zum repository
985 field_root_directory: Wurzelverzeichnis
985 field_root_directory: Wurzelverzeichnis
986 field_cvs_module: Modul
986 field_cvs_module: Modul
987 field_cvsroot: CVSROOT
987 field_cvsroot: CVSROOT
988 text_mercurial_repository_note: Lokales repository (e.g. /hgrepo, c:\hgrepo)
988 text_mercurial_repository_note: Lokales repository (e.g. /hgrepo, c:\hgrepo)
989 text_scm_command: Kommando
989 text_scm_command: Kommando
990 text_scm_command_version: Version
990 text_scm_command_version: Version
991 label_git_report_last_commit: Bericht des letzten Commits für Dateien und Verzeichnisse
991 label_git_report_last_commit: Bericht des letzten Commits für Dateien und Verzeichnisse
992 text_scm_config: Die SCM-Kommandos können in der in config/configuration.yml konfiguriert werden. Redmine muss anschließend neu gestartet werden.
992 text_scm_config: Die SCM-Kommandos können in der in config/configuration.yml konfiguriert werden. Redmine muss anschließend neu gestartet werden.
993 text_scm_command_not_available: Scm Kommando ist nicht verfügbar. Bitte prüfen Sie die Einstellungen im Administrationspanel.
993 text_scm_command_not_available: Scm Kommando ist nicht verfügbar. Bitte prüfen Sie die Einstellungen im Administrationspanel.
994
994
995 notice_issue_successful_create: Issue %{id} created.
995 notice_issue_successful_create: Issue %{id} created.
996 label_between: between
996 label_between: between
997 setting_issue_group_assignment: Allow issue assignment to groups
997 setting_issue_group_assignment: Allow issue assignment to groups
998 label_diff: diff
998 label_diff: diff
999 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
999 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
1000
1000
1001 description_filter: Filter
1001 description_filter: Filter
1002 description_search: Suchfeld
1002 description_search: Suchfeld
1003 description_choose_project: Projekte
1003 description_choose_project: Projekte
1004 description_project_scope: Suchbereich
1004 description_project_scope: Suchbereich
1005 description_notes: Kommentare
1005 description_notes: Kommentare
1006 description_message_content: Nachrichteninhalt
1006 description_message_content: Nachrichteninhalt
1007 description_query_sort_criteria_attribute: Sortierattribut
1007 description_query_sort_criteria_attribute: Sortierattribut
1008 description_query_sort_criteria_direction: Sortierrichtung
1008 description_query_sort_criteria_direction: Sortierrichtung
1009 description_user_mail_notification: Mailbenachrichtigungseinstellung
1009 description_user_mail_notification: Mailbenachrichtigungseinstellung
1010 description_available_columns: Verfügbare Spalten
1010 description_available_columns: Verfügbare Spalten
1011 description_selected_columns: Ausgewählte Spalten
1011 description_selected_columns: Ausgewählte Spalten
1012 description_issue_category_reassign: Neue Kategorie wählen
1012 description_issue_category_reassign: Neue Kategorie wählen
1013 description_wiki_subpages_reassign: Neue Elternseite wählen
1013 description_wiki_subpages_reassign: Neue Elternseite wählen
1014 description_date_range_list: Zeitraum aus einer Liste wählen
1014 description_date_range_list: Zeitraum aus einer Liste wählen
1015 description_date_range_interval: Zeitraum durch Start- und Enddatum festlegen
1015 description_date_range_interval: Zeitraum durch Start- und Enddatum festlegen
1016 description_date_from: Startdatum eintragen
1016 description_date_from: Startdatum eintragen
1017 description_date_to: Enddatum eintragen
1017 description_date_to: Enddatum eintragen
1018
1018
1019 label_parent_revision: Parent
1019 label_parent_revision: Parent
1020 label_child_revision: Child
1020 label_child_revision: Child
1021 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1021 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1022 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1022 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1023 button_edit_section: Edit this section
1023 button_edit_section: Edit this section
1024 setting_repositories_encodings: Attachments and repositories encodings
1024 setting_repositories_encodings: Attachments and repositories encodings
1025 description_all_columns: All Columns
1025 description_all_columns: All Columns
1026 button_export: Export
1026 button_export: Export
1027 label_export_options: "%{export_format} export options"
1027 label_export_options: "%{export_format} export options"
1028 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1028 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1029 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1029 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1030 label_x_issues:
1030 label_x_issues:
1031 zero: 0 ticket
1031 zero: 0 ticket
1032 one: 1 ticket
1032 one: 1 ticket
1033 other: "%{count} tickets"
1033 other: "%{count} tickets"
1034 label_repository_new: New repository
1034 label_repository_new: New repository
1035 field_repository_is_default: Main repository
1035 field_repository_is_default: Main repository
1036 label_copy_attachments: Copy attachments
1036 label_copy_attachments: Copy attachments
1037 label_item_position: "%{position}/%{count}"
1037 label_item_position: "%{position}/%{count}"
1038 label_completed_versions: Completed versions
1038 label_completed_versions: Completed versions
1039 field_multiple: Multiple values
1039 field_multiple: Multiple values
1040 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1040 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1041 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1041 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1042 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1042 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1043 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1043 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1044 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1044 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1045 permission_manage_related_issues: Manage related issues
1045 permission_manage_related_issues: Manage related issues
1046 field_ldap_filter: LDAP filter
@@ -1,1025 +1,1026
1 # Greek translations for Ruby on Rails
1 # Greek translations for Ruby on Rails
2 # by Vaggelis Typaldos (vtypal@gmail.com), Spyros Raptis (spirosrap@gmail.com)
2 # by Vaggelis Typaldos (vtypal@gmail.com), Spyros Raptis (spirosrap@gmail.com)
3
3
4 el:
4 el:
5 direction: ltr
5 direction: ltr
6 date:
6 date:
7 formats:
7 formats:
8 # Use the strftime parameters for formats.
8 # Use the strftime parameters for formats.
9 # When no format has been given, it uses default.
9 # When no format has been given, it uses default.
10 # You can provide other formats here if you like!
10 # You can provide other formats here if you like!
11 default: "%m/%d/%Y"
11 default: "%m/%d/%Y"
12 short: "%b %d"
12 short: "%b %d"
13 long: "%B %d, %Y"
13 long: "%B %d, %Y"
14
14
15 day_names: [Κυριακή, Δευτέρα, Τρίτη, Τετάρτη, Πέμπτη, Παρασκευή, Σάββατο]
15 day_names: [Κυριακή, Δευτέρα, Τρίτη, Τετάρτη, Πέμπτη, Παρασκευή, Σάββατο]
16 abbr_day_names: [Κυρ, Δευ, Τρι, Τετ, Πεμ, Παρ, Σαβ]
16 abbr_day_names: [Κυρ, Δευ, Τρι, Τετ, Πεμ, Παρ, Σαβ]
17
17
18 # Don't forget the nil at the beginning; there's no such thing as a 0th month
18 # Don't forget the nil at the beginning; there's no such thing as a 0th month
19 month_names: [~, Ιανουάριος, Φεβρουάριος, Μάρτιος, Απρίλιος, Μάϊος, Ιούνιος, Ιούλιος, Αύγουστος, Σεπτέμβριος, Οκτώβριος, Νοέμβριος, Δεκέμβριος]
19 month_names: [~, Ιανουάριος, Φεβρουάριος, Μάρτιος, Απρίλιος, Μάϊος, Ιούνιος, Ιούλιος, Αύγουστος, Σεπτέμβριος, Οκτώβριος, Νοέμβριος, Δεκέμβριος]
20 abbr_month_names: [~, Ιαν, Φεβ, Μαρ, Απρ, Μαϊ, Ιον, Ιολ, Αυγ, Σεπ, Οκτ, Νοε, Δεκ]
20 abbr_month_names: [~, Ιαν, Φεβ, Μαρ, Απρ, Μαϊ, Ιον, Ιολ, Αυγ, Σεπ, Οκτ, Νοε, Δεκ]
21 # Used in date_select and datime_select.
21 # Used in date_select and datime_select.
22 order:
22 order:
23 - :year
23 - :year
24 - :month
24 - :month
25 - :day
25 - :day
26
26
27 time:
27 time:
28 formats:
28 formats:
29 default: "%m/%d/%Y %I:%M %p"
29 default: "%m/%d/%Y %I:%M %p"
30 time: "%I:%M %p"
30 time: "%I:%M %p"
31 short: "%d %b %H:%M"
31 short: "%d %b %H:%M"
32 long: "%B %d, %Y %H:%M"
32 long: "%B %d, %Y %H:%M"
33 am: "πμ"
33 am: "πμ"
34 pm: "μμ"
34 pm: "μμ"
35
35
36 datetime:
36 datetime:
37 distance_in_words:
37 distance_in_words:
38 half_a_minute: "μισό λεπτό"
38 half_a_minute: "μισό λεπτό"
39 less_than_x_seconds:
39 less_than_x_seconds:
40 one: "λιγότερο από 1 δευτερόλεπτο"
40 one: "λιγότερο από 1 δευτερόλεπτο"
41 other: "λιγότερο από %{count} δευτερόλεπτα"
41 other: "λιγότερο από %{count} δευτερόλεπτα"
42 x_seconds:
42 x_seconds:
43 one: "1 δευτερόλεπτο"
43 one: "1 δευτερόλεπτο"
44 other: "%{count} δευτερόλεπτα"
44 other: "%{count} δευτερόλεπτα"
45 less_than_x_minutes:
45 less_than_x_minutes:
46 one: "λιγότερο από ένα λεπτό"
46 one: "λιγότερο από ένα λεπτό"
47 other: "λιγότερο από %{count} λεπτά"
47 other: "λιγότερο από %{count} λεπτά"
48 x_minutes:
48 x_minutes:
49 one: "1 λεπτό"
49 one: "1 λεπτό"
50 other: "%{count} λεπτά"
50 other: "%{count} λεπτά"
51 about_x_hours:
51 about_x_hours:
52 one: "περίπου 1 ώρα"
52 one: "περίπου 1 ώρα"
53 other: "περίπου %{count} ώρες"
53 other: "περίπου %{count} ώρες"
54 x_days:
54 x_days:
55 one: "1 ημέρα"
55 one: "1 ημέρα"
56 other: "%{count} ημέρες"
56 other: "%{count} ημέρες"
57 about_x_months:
57 about_x_months:
58 one: "περίπου 1 μήνα"
58 one: "περίπου 1 μήνα"
59 other: "περίπου %{count} μήνες"
59 other: "περίπου %{count} μήνες"
60 x_months:
60 x_months:
61 one: "1 μήνα"
61 one: "1 μήνα"
62 other: "%{count} μήνες"
62 other: "%{count} μήνες"
63 about_x_years:
63 about_x_years:
64 one: "περίπου 1 χρόνο"
64 one: "περίπου 1 χρόνο"
65 other: "περίπου %{count} χρόνια"
65 other: "περίπου %{count} χρόνια"
66 over_x_years:
66 over_x_years:
67 one: "πάνω από 1 χρόνο"
67 one: "πάνω από 1 χρόνο"
68 other: "πάνω από %{count} χρόνια"
68 other: "πάνω από %{count} χρόνια"
69 almost_x_years:
69 almost_x_years:
70 one: "almost 1 year"
70 one: "almost 1 year"
71 other: "almost %{count} years"
71 other: "almost %{count} years"
72
72
73 number:
73 number:
74 format:
74 format:
75 separator: "."
75 separator: "."
76 delimiter: ""
76 delimiter: ""
77 precision: 3
77 precision: 3
78 human:
78 human:
79 format:
79 format:
80 precision: 1
80 precision: 1
81 delimiter: ""
81 delimiter: ""
82 storage_units:
82 storage_units:
83 format: "%n %u"
83 format: "%n %u"
84 units:
84 units:
85 kb: KB
85 kb: KB
86 tb: TB
86 tb: TB
87 gb: GB
87 gb: GB
88 byte:
88 byte:
89 one: Byte
89 one: Byte
90 other: Bytes
90 other: Bytes
91 mb: MB
91 mb: MB
92
92
93 # Used in array.to_sentence.
93 # Used in array.to_sentence.
94 support:
94 support:
95 array:
95 array:
96 sentence_connector: "and"
96 sentence_connector: "and"
97 skip_last_comma: false
97 skip_last_comma: false
98
98
99 activerecord:
99 activerecord:
100 errors:
100 errors:
101 template:
101 template:
102 header:
102 header:
103 one: "1 error prohibited this %{model} from being saved"
103 one: "1 error prohibited this %{model} from being saved"
104 other: "%{count} errors prohibited this %{model} from being saved"
104 other: "%{count} errors prohibited this %{model} from being saved"
105 messages:
105 messages:
106 inclusion: "δεν περιέχεται στη λίστα"
106 inclusion: "δεν περιέχεται στη λίστα"
107 exclusion: "έχει κατοχυρωθεί"
107 exclusion: "έχει κατοχυρωθεί"
108 invalid: "είναι άκυρο"
108 invalid: "είναι άκυρο"
109 confirmation: "δεν αντιστοιχεί με την επιβεβαίωση"
109 confirmation: "δεν αντιστοιχεί με την επιβεβαίωση"
110 accepted: "πρέπει να γίνει αποδοχή"
110 accepted: "πρέπει να γίνει αποδοχή"
111 empty: "δε μπορεί να είναι άδειο"
111 empty: "δε μπορεί να είναι άδειο"
112 blank: "δε μπορεί να είναι κενό"
112 blank: "δε μπορεί να είναι κενό"
113 too_long: "έχει πολλούς (μέγ.επιτρ. %{count} χαρακτήρες)"
113 too_long: "έχει πολλούς (μέγ.επιτρ. %{count} χαρακτήρες)"
114 too_short: "έχει λίγους (ελάχ.επιτρ. %{count} χαρακτήρες)"
114 too_short: "έχει λίγους (ελάχ.επιτρ. %{count} χαρακτήρες)"
115 wrong_length: "δεν είναι σωστός ο αριθμός χαρακτήρων (πρέπει να έχει %{count} χαρακτήρες)"
115 wrong_length: "δεν είναι σωστός ο αριθμός χαρακτήρων (πρέπει να έχει %{count} χαρακτήρες)"
116 taken: "έχει ήδη κατοχυρωθεί"
116 taken: "έχει ήδη κατοχυρωθεί"
117 not_a_number: "δεν είναι αριθμός"
117 not_a_number: "δεν είναι αριθμός"
118 not_a_date: "δεν είναι σωστή ημερομηνία"
118 not_a_date: "δεν είναι σωστή ημερομηνία"
119 greater_than: "πρέπει να είναι μεγαλύτερο από %{count}"
119 greater_than: "πρέπει να είναι μεγαλύτερο από %{count}"
120 greater_than_or_equal_to: "πρέπει να είναι μεγαλύτερο από ή ίσο με %{count}"
120 greater_than_or_equal_to: "πρέπει να είναι μεγαλύτερο από ή ίσο με %{count}"
121 equal_to: "πρέπει να είναι ίσον με %{count}"
121 equal_to: "πρέπει να είναι ίσον με %{count}"
122 less_than: "πρέπει να είναι μικρότερη από %{count}"
122 less_than: "πρέπει να είναι μικρότερη από %{count}"
123 less_than_or_equal_to: "πρέπει να είναι μικρότερο από ή ίσο με %{count}"
123 less_than_or_equal_to: "πρέπει να είναι μικρότερο από ή ίσο με %{count}"
124 odd: "πρέπει να είναι μονός"
124 odd: "πρέπει να είναι μονός"
125 even: "πρέπει να είναι ζυγός"
125 even: "πρέπει να είναι ζυγός"
126 greater_than_start_date: "πρέπει να είναι αργότερα από την ημερομηνία έναρξης"
126 greater_than_start_date: "πρέπει να είναι αργότερα από την ημερομηνία έναρξης"
127 not_same_project: "δεν ανήκει στο ίδιο έργο"
127 not_same_project: "δεν ανήκει στο ίδιο έργο"
128 circular_dependency: "Αυτή η σχέση θα δημιουργήσει κυκλικές εξαρτήσεις"
128 circular_dependency: "Αυτή η σχέση θα δημιουργήσει κυκλικές εξαρτήσεις"
129 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
129 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
130
130
131 actionview_instancetag_blank_option: Παρακαλώ επιλέξτε
131 actionview_instancetag_blank_option: Παρακαλώ επιλέξτε
132
132
133 general_text_No: 'Όχι'
133 general_text_No: 'Όχι'
134 general_text_Yes: 'Ναι'
134 general_text_Yes: 'Ναι'
135 general_text_no: 'όχι'
135 general_text_no: 'όχι'
136 general_text_yes: 'ναι'
136 general_text_yes: 'ναι'
137 general_lang_name: 'Ελληνικά'
137 general_lang_name: 'Ελληνικά'
138 general_csv_separator: ','
138 general_csv_separator: ','
139 general_csv_decimal_separator: '.'
139 general_csv_decimal_separator: '.'
140 general_csv_encoding: UTF-8
140 general_csv_encoding: UTF-8
141 general_pdf_encoding: UTF-8
141 general_pdf_encoding: UTF-8
142 general_first_day_of_week: '7'
142 general_first_day_of_week: '7'
143
143
144 notice_account_updated: Ο λογαριασμός ενημερώθηκε επιτυχώς.
144 notice_account_updated: Ο λογαριασμός ενημερώθηκε επιτυχώς.
145 notice_account_invalid_creditentials: Άκυρο όνομα χρήστη ή κωδικού πρόσβασης
145 notice_account_invalid_creditentials: Άκυρο όνομα χρήστη ή κωδικού πρόσβασης
146 notice_account_password_updated: Ο κωδικός πρόσβασης ενημερώθηκε επιτυχώς.
146 notice_account_password_updated: Ο κωδικός πρόσβασης ενημερώθηκε επιτυχώς.
147 notice_account_wrong_password: Λάθος κωδικός πρόσβασης
147 notice_account_wrong_password: Λάθος κωδικός πρόσβασης
148 notice_account_register_done: Ο λογαριασμός δημιουργήθηκε επιτυχώς. Για να ενεργοποιήσετε το λογαριασμό σας, πατήστε το σύνδεσμο που σας έχει αποσταλεί με email.
148 notice_account_register_done: Ο λογαριασμός δημιουργήθηκε επιτυχώς. Για να ενεργοποιήσετε το λογαριασμό σας, πατήστε το σύνδεσμο που σας έχει αποσταλεί με email.
149 notice_account_unknown_email: Άγνωστος χρήστης.
149 notice_account_unknown_email: Άγνωστος χρήστης.
150 notice_can_t_change_password: Αυτός ο λογαριασμός χρησιμοποιεί εξωτερική πηγή πιστοποίησης. Δεν είναι δυνατόν να αλλάξετε τον κωδικό πρόσβασης.
150 notice_can_t_change_password: Αυτός ο λογαριασμός χρησιμοποιεί εξωτερική πηγή πιστοποίησης. Δεν είναι δυνατόν να αλλάξετε τον κωδικό πρόσβασης.
151 notice_account_lost_email_sent: Σας έχει αποσταλεί email με οδηγίες για την επιλογή νέου κωδικού πρόσβασης.
151 notice_account_lost_email_sent: Σας έχει αποσταλεί email με οδηγίες για την επιλογή νέου κωδικού πρόσβασης.
152 notice_account_activated: Ο λογαριασμός σας έχει ενεργοποιηθεί. Τώρα μπορείτε να συνδεθείτε.
152 notice_account_activated: Ο λογαριασμός σας έχει ενεργοποιηθεί. Τώρα μπορείτε να συνδεθείτε.
153 notice_successful_create: Επιτυχής δημιουργία.
153 notice_successful_create: Επιτυχής δημιουργία.
154 notice_successful_update: Επιτυχής ενημέρωση.
154 notice_successful_update: Επιτυχής ενημέρωση.
155 notice_successful_delete: Επιτυχής διαγραφή.
155 notice_successful_delete: Επιτυχής διαγραφή.
156 notice_successful_connection: Επιτυχής σύνδεση.
156 notice_successful_connection: Επιτυχής σύνδεση.
157 notice_file_not_found: Η σελίδα που ζητήσατε δεν υπάρχει ή έχει αφαιρεθεί.
157 notice_file_not_found: Η σελίδα που ζητήσατε δεν υπάρχει ή έχει αφαιρεθεί.
158 notice_locking_conflict: Τα δεδομένα έχουν ενημερωθεί από άλλο χρήστη.
158 notice_locking_conflict: Τα δεδομένα έχουν ενημερωθεί από άλλο χρήστη.
159 notice_not_authorized: Δεν έχετε δικαίωμα πρόσβασης σε αυτή τη σελίδα.
159 notice_not_authorized: Δεν έχετε δικαίωμα πρόσβασης σε αυτή τη σελίδα.
160 notice_email_sent: "Ένα μήνυμα ηλεκτρονικού ταχυδρομείου εστάλη στο %{value}"
160 notice_email_sent: "Ένα μήνυμα ηλεκτρονικού ταχυδρομείου εστάλη στο %{value}"
161 notice_email_error: "Σφάλμα κατά την αποστολή του μηνύματος στο (%{value})"
161 notice_email_error: "Σφάλμα κατά την αποστολή του μηνύματος στο (%{value})"
162 notice_feeds_access_key_reseted: Έγινε επαναφορά στο κλειδί πρόσβασης RSS.
162 notice_feeds_access_key_reseted: Έγινε επαναφορά στο κλειδί πρόσβασης RSS.
163 notice_failed_to_save_issues: "Αποτυχία αποθήκευσης %{count} θεμα(των) από τα %{total} επιλεγμένα: %{ids}."
163 notice_failed_to_save_issues: "Αποτυχία αποθήκευσης %{count} θεμα(των) από τα %{total} επιλεγμένα: %{ids}."
164 notice_no_issue_selected: "Κανένα θέμα δεν είναι επιλεγμένο! Παρακαλούμε, ελέγξτε τα θέματα που θέλετε να επεξεργαστείτε."
164 notice_no_issue_selected: "Κανένα θέμα δεν είναι επιλεγμένο! Παρακαλούμε, ελέγξτε τα θέματα που θέλετε να επεξεργαστείτε."
165 notice_account_pending: λογαριασμός σας έχει δημιουργηθεί και είναι σε στάδιο έγκρισης από τον διαχειριστή."
165 notice_account_pending: λογαριασμός σας έχει δημιουργηθεί και είναι σε στάδιο έγκρισης από τον διαχειριστή."
166 notice_default_data_loaded: Οι προεπιλεγμένες ρυθμίσεις φορτώθηκαν επιτυχώς.
166 notice_default_data_loaded: Οι προεπιλεγμένες ρυθμίσεις φορτώθηκαν επιτυχώς.
167 notice_unable_delete_version: Αδύνατον να διαγραφεί η έκδοση.
167 notice_unable_delete_version: Αδύνατον να διαγραφεί η έκδοση.
168
168
169 error_can_t_load_default_data: "Οι προεπιλεγμένες ρυθμίσεις δεν μπόρεσαν να φορτωθούν:: %{value}"
169 error_can_t_load_default_data: "Οι προεπιλεγμένες ρυθμίσεις δεν μπόρεσαν να φορτωθούν:: %{value}"
170 error_scm_not_found: εγγραφή ή η αναθεώρηση δεν βρέθηκε στο αποθετήριο."
170 error_scm_not_found: εγγραφή ή η αναθεώρηση δεν βρέθηκε στο αποθετήριο."
171 error_scm_command_failed: "Παρουσιάστηκε σφάλμα κατά την προσπάθεια πρόσβασης στο αποθετήριο: %{value}"
171 error_scm_command_failed: "Παρουσιάστηκε σφάλμα κατά την προσπάθεια πρόσβασης στο αποθετήριο: %{value}"
172 error_scm_annotate: καταχώριση δεν υπάρχει ή δεν μπορεί να σχολιαστεί."
172 error_scm_annotate: καταχώριση δεν υπάρχει ή δεν μπορεί να σχολιαστεί."
173 error_issue_not_found_in_project: 'Το θέμα δεν βρέθηκε ή δεν ανήκει σε αυτό το έργο'
173 error_issue_not_found_in_project: 'Το θέμα δεν βρέθηκε ή δεν ανήκει σε αυτό το έργο'
174 error_no_tracker_in_project: 'Δεν υπάρχει ανιχνευτής για αυτό το έργο. Παρακαλώ ελέγξτε τις ρυθμίσεις του έργου.'
174 error_no_tracker_in_project: 'Δεν υπάρχει ανιχνευτής για αυτό το έργο. Παρακαλώ ελέγξτε τις ρυθμίσεις του έργου.'
175 error_no_default_issue_status: 'Δεν έχει οριστεί η προεπιλογή κατάστασης θεμάτων. Παρακαλώ ελέγξτε τις ρυθμίσεις σας (Μεταβείτε στην "Διαχείριση -> Κατάσταση θεμάτων").'
175 error_no_default_issue_status: 'Δεν έχει οριστεί η προεπιλογή κατάστασης θεμάτων. Παρακαλώ ελέγξτε τις ρυθμίσεις σας (Μεταβείτε στην "Διαχείριση -> Κατάσταση θεμάτων").'
176
176
177 warning_attachments_not_saved: "%{count} αρχείο(α) δε μπορούν να αποθηκευτούν."
177 warning_attachments_not_saved: "%{count} αρχείο(α) δε μπορούν να αποθηκευτούν."
178
178
179 mail_subject_lost_password: κωδικός σας %{value}"
179 mail_subject_lost_password: κωδικός σας %{value}"
180 mail_body_lost_password: 'Για να αλλάξετε τον κωδικό πρόσβασης, πατήστε τον ακόλουθο σύνδεσμο:'
180 mail_body_lost_password: 'Για να αλλάξετε τον κωδικό πρόσβασης, πατήστε τον ακόλουθο σύνδεσμο:'
181 mail_subject_register: "Ενεργοποίηση του λογαριασμού χρήστη %{value} "
181 mail_subject_register: "Ενεργοποίηση του λογαριασμού χρήστη %{value} "
182 mail_body_register: 'Για να ενεργοποιήσετε το λογαριασμό σας, επιλέξτε τον ακόλουθο σύνδεσμο:'
182 mail_body_register: 'Για να ενεργοποιήσετε το λογαριασμό σας, επιλέξτε τον ακόλουθο σύνδεσμο:'
183 mail_body_account_information_external: "Μπορείτε να χρησιμοποιήσετε τον λογαριασμό %{value} για να συνδεθείτε."
183 mail_body_account_information_external: "Μπορείτε να χρησιμοποιήσετε τον λογαριασμό %{value} για να συνδεθείτε."
184 mail_body_account_information: Πληροφορίες του λογαριασμού σας
184 mail_body_account_information: Πληροφορίες του λογαριασμού σας
185 mail_subject_account_activation_request: "αίτημα ενεργοποίησης λογαριασμού %{value}"
185 mail_subject_account_activation_request: "αίτημα ενεργοποίησης λογαριασμού %{value}"
186 mail_body_account_activation_request: "'Ένας νέος χρήστης (%{value}) έχει εγγραφεί. Ο λογαριασμός είναι σε στάδιο αναμονής της έγκρισης σας:"
186 mail_body_account_activation_request: "'Ένας νέος χρήστης (%{value}) έχει εγγραφεί. Ο λογαριασμός είναι σε στάδιο αναμονής της έγκρισης σας:"
187 mail_subject_reminder: "%{count} θέμα(τα) με προθεσμία στις επόμενες %{days} ημέρες"
187 mail_subject_reminder: "%{count} θέμα(τα) με προθεσμία στις επόμενες %{days} ημέρες"
188 mail_body_reminder: "%{count}θέμα(τα) που έχουν ανατεθεί σε σας, με προθεσμία στις επόμενες %{days} ημέρες:"
188 mail_body_reminder: "%{count}θέμα(τα) που έχουν ανατεθεί σε σας, με προθεσμία στις επόμενες %{days} ημέρες:"
189 mail_subject_wiki_content_added: "'προστέθηκε η σελίδα wiki %{id}' "
189 mail_subject_wiki_content_added: "'προστέθηκε η σελίδα wiki %{id}' "
190 mail_body_wiki_content_added: σελίδα wiki '%{id}' προστέθηκε από τον %{author}."
190 mail_body_wiki_content_added: σελίδα wiki '%{id}' προστέθηκε από τον %{author}."
191 mail_subject_wiki_content_updated: "'ενημερώθηκε η σελίδα wiki %{id}' "
191 mail_subject_wiki_content_updated: "'ενημερώθηκε η σελίδα wiki %{id}' "
192 mail_body_wiki_content_updated: σελίδα wiki '%{id}' ενημερώθηκε από τον %{author}."
192 mail_body_wiki_content_updated: σελίδα wiki '%{id}' ενημερώθηκε από τον %{author}."
193
193
194 gui_validation_error: 1 σφάλμα
194 gui_validation_error: 1 σφάλμα
195 gui_validation_error_plural: "%{count} σφάλματα"
195 gui_validation_error_plural: "%{count} σφάλματα"
196
196
197 field_name: Όνομα
197 field_name: Όνομα
198 field_description: Περιγραφή
198 field_description: Περιγραφή
199 field_summary: Συνοπτικά
199 field_summary: Συνοπτικά
200 field_is_required: Απαιτείται
200 field_is_required: Απαιτείται
201 field_firstname: Όνομα
201 field_firstname: Όνομα
202 field_lastname: Επώνυμο
202 field_lastname: Επώνυμο
203 field_mail: Email
203 field_mail: Email
204 field_filename: Αρχείο
204 field_filename: Αρχείο
205 field_filesize: Μέγεθος
205 field_filesize: Μέγεθος
206 field_downloads: Μεταφορτώσεις
206 field_downloads: Μεταφορτώσεις
207 field_author: Συγγραφέας
207 field_author: Συγγραφέας
208 field_created_on: Δημιουργήθηκε
208 field_created_on: Δημιουργήθηκε
209 field_updated_on: Ενημερώθηκε
209 field_updated_on: Ενημερώθηκε
210 field_field_format: Μορφοποίηση
210 field_field_format: Μορφοποίηση
211 field_is_for_all: Για όλα τα έργα
211 field_is_for_all: Για όλα τα έργα
212 field_possible_values: Πιθανές τιμές
212 field_possible_values: Πιθανές τιμές
213 field_regexp: Κανονική παράσταση
213 field_regexp: Κανονική παράσταση
214 field_min_length: Ελάχιστο μήκος
214 field_min_length: Ελάχιστο μήκος
215 field_max_length: Μέγιστο μήκος
215 field_max_length: Μέγιστο μήκος
216 field_value: Τιμή
216 field_value: Τιμή
217 field_category: Κατηγορία
217 field_category: Κατηγορία
218 field_title: Τίτλος
218 field_title: Τίτλος
219 field_project: Έργο
219 field_project: Έργο
220 field_issue: Θέμα
220 field_issue: Θέμα
221 field_status: Κατάσταση
221 field_status: Κατάσταση
222 field_notes: Σημειώσεις
222 field_notes: Σημειώσεις
223 field_is_closed: Κλειστά θέματα
223 field_is_closed: Κλειστά θέματα
224 field_is_default: Προεπιλεγμένη τιμή
224 field_is_default: Προεπιλεγμένη τιμή
225 field_tracker: Ανιχνευτής
225 field_tracker: Ανιχνευτής
226 field_subject: Θέμα
226 field_subject: Θέμα
227 field_due_date: Προθεσμία
227 field_due_date: Προθεσμία
228 field_assigned_to: Ανάθεση σε
228 field_assigned_to: Ανάθεση σε
229 field_priority: Προτεραιότητα
229 field_priority: Προτεραιότητα
230 field_fixed_version: Στόχος έκδοσης
230 field_fixed_version: Στόχος έκδοσης
231 field_user: Χρήστης
231 field_user: Χρήστης
232 field_role: Ρόλος
232 field_role: Ρόλος
233 field_homepage: Αρχική σελίδα
233 field_homepage: Αρχική σελίδα
234 field_is_public: Δημόσιο
234 field_is_public: Δημόσιο
235 field_parent: Επιμέρους έργο του
235 field_parent: Επιμέρους έργο του
236 field_is_in_roadmap: Προβολή θεμάτων στο χάρτη πορείας
236 field_is_in_roadmap: Προβολή θεμάτων στο χάρτη πορείας
237 field_login: Όνομα χρήστη
237 field_login: Όνομα χρήστη
238 field_mail_notification: Ειδοποιήσεις email
238 field_mail_notification: Ειδοποιήσεις email
239 field_admin: Διαχειριστής
239 field_admin: Διαχειριστής
240 field_last_login_on: Τελευταία σύνδεση
240 field_last_login_on: Τελευταία σύνδεση
241 field_language: Γλώσσα
241 field_language: Γλώσσα
242 field_effective_date: Ημερομηνία
242 field_effective_date: Ημερομηνία
243 field_password: Κωδικός πρόσβασης
243 field_password: Κωδικός πρόσβασης
244 field_new_password: Νέος κωδικός πρόσβασης
244 field_new_password: Νέος κωδικός πρόσβασης
245 field_password_confirmation: Επιβεβαίωση
245 field_password_confirmation: Επιβεβαίωση
246 field_version: Έκδοση
246 field_version: Έκδοση
247 field_type: Τύπος
247 field_type: Τύπος
248 field_host: Κόμβος
248 field_host: Κόμβος
249 field_port: Θύρα
249 field_port: Θύρα
250 field_account: Λογαριασμός
250 field_account: Λογαριασμός
251 field_base_dn: Βάση DN
251 field_base_dn: Βάση DN
252 field_attr_login: Ιδιότητα εισόδου
252 field_attr_login: Ιδιότητα εισόδου
253 field_attr_firstname: Ιδιότητα ονόματος
253 field_attr_firstname: Ιδιότητα ονόματος
254 field_attr_lastname: Ιδιότητα επωνύμου
254 field_attr_lastname: Ιδιότητα επωνύμου
255 field_attr_mail: Ιδιότητα email
255 field_attr_mail: Ιδιότητα email
256 field_onthefly: Άμεση δημιουργία χρήστη
256 field_onthefly: Άμεση δημιουργία χρήστη
257 field_start_date: Εκκίνηση
257 field_start_date: Εκκίνηση
258 field_done_ratio: "% επιτεύχθη"
258 field_done_ratio: "% επιτεύχθη"
259 field_auth_source: Τρόπος πιστοποίησης
259 field_auth_source: Τρόπος πιστοποίησης
260 field_hide_mail: Απόκρυψη διεύθυνσης email
260 field_hide_mail: Απόκρυψη διεύθυνσης email
261 field_comments: Σχόλιο
261 field_comments: Σχόλιο
262 field_url: URL
262 field_url: URL
263 field_start_page: Πρώτη σελίδα
263 field_start_page: Πρώτη σελίδα
264 field_subproject: Επιμέρους έργο
264 field_subproject: Επιμέρους έργο
265 field_hours: Ώρες
265 field_hours: Ώρες
266 field_activity: Δραστηριότητα
266 field_activity: Δραστηριότητα
267 field_spent_on: Ημερομηνία
267 field_spent_on: Ημερομηνία
268 field_identifier: Στοιχείο αναγνώρισης
268 field_identifier: Στοιχείο αναγνώρισης
269 field_is_filter: Χρήση ως φίλτρο
269 field_is_filter: Χρήση ως φίλτρο
270 field_issue_to: Σχετικά θέματα
270 field_issue_to: Σχετικά θέματα
271 field_delay: Καθυστέρηση
271 field_delay: Καθυστέρηση
272 field_assignable: Θέματα που μπορούν να ανατεθούν σε αυτό το ρόλο
272 field_assignable: Θέματα που μπορούν να ανατεθούν σε αυτό το ρόλο
273 field_redirect_existing_links: Ανακατεύθυνση των τρεχόντων συνδέσμων
273 field_redirect_existing_links: Ανακατεύθυνση των τρεχόντων συνδέσμων
274 field_estimated_hours: Εκτιμώμενος χρόνος
274 field_estimated_hours: Εκτιμώμενος χρόνος
275 field_column_names: Στήλες
275 field_column_names: Στήλες
276 field_time_zone: Ωριαία ζώνη
276 field_time_zone: Ωριαία ζώνη
277 field_searchable: Ερευνήσιμο
277 field_searchable: Ερευνήσιμο
278 field_default_value: Προκαθορισμένη τιμή
278 field_default_value: Προκαθορισμένη τιμή
279 field_comments_sorting: Προβολή σχολίων
279 field_comments_sorting: Προβολή σχολίων
280 field_parent_title: Γονική σελίδα
280 field_parent_title: Γονική σελίδα
281 field_editable: Επεξεργάσιμο
281 field_editable: Επεξεργάσιμο
282 field_watcher: Παρατηρητής
282 field_watcher: Παρατηρητής
283 field_identity_url: OpenID URL
283 field_identity_url: OpenID URL
284 field_content: Περιεχόμενο
284 field_content: Περιεχόμενο
285 field_group_by: Ομαδικά αποτελέσματα από
285 field_group_by: Ομαδικά αποτελέσματα από
286
286
287 setting_app_title: Τίτλος εφαρμογής
287 setting_app_title: Τίτλος εφαρμογής
288 setting_app_subtitle: Υπότιτλος εφαρμογής
288 setting_app_subtitle: Υπότιτλος εφαρμογής
289 setting_welcome_text: Κείμενο υποδοχής
289 setting_welcome_text: Κείμενο υποδοχής
290 setting_default_language: Προεπιλεγμένη γλώσσα
290 setting_default_language: Προεπιλεγμένη γλώσσα
291 setting_login_required: Απαιτείται πιστοποίηση
291 setting_login_required: Απαιτείται πιστοποίηση
292 setting_self_registration: Αυτο-εγγραφή
292 setting_self_registration: Αυτο-εγγραφή
293 setting_attachment_max_size: Μέγ. μέγεθος συνημμένου
293 setting_attachment_max_size: Μέγ. μέγεθος συνημμένου
294 setting_issues_export_limit: Θέματα περιορισμού εξαγωγής
294 setting_issues_export_limit: Θέματα περιορισμού εξαγωγής
295 setting_mail_from: Μετάδοση διεύθυνσης email
295 setting_mail_from: Μετάδοση διεύθυνσης email
296 setting_bcc_recipients: Αποδέκτες κρυφής κοινοποίησης (bcc)
296 setting_bcc_recipients: Αποδέκτες κρυφής κοινοποίησης (bcc)
297 setting_plain_text_mail: Email απλού κειμένου (όχι HTML)
297 setting_plain_text_mail: Email απλού κειμένου (όχι HTML)
298 setting_host_name: Όνομα κόμβου και διαδρομή
298 setting_host_name: Όνομα κόμβου και διαδρομή
299 setting_text_formatting: Μορφοποίηση κειμένου
299 setting_text_formatting: Μορφοποίηση κειμένου
300 setting_wiki_compression: Συμπίεση ιστορικού wiki
300 setting_wiki_compression: Συμπίεση ιστορικού wiki
301 setting_feeds_limit: Feed περιορισμού περιεχομένου
301 setting_feeds_limit: Feed περιορισμού περιεχομένου
302 setting_default_projects_public: Τα νέα έργα έχουν προεπιλεγεί ως δημόσια
302 setting_default_projects_public: Τα νέα έργα έχουν προεπιλεγεί ως δημόσια
303 setting_autofetch_changesets: Αυτόματη λήψη commits
303 setting_autofetch_changesets: Αυτόματη λήψη commits
304 setting_sys_api_enabled: Ενεργοποίηση WS για διαχείριση αποθετηρίου
304 setting_sys_api_enabled: Ενεργοποίηση WS για διαχείριση αποθετηρίου
305 setting_commit_ref_keywords: Αναφορά σε λέξεις-κλειδιά
305 setting_commit_ref_keywords: Αναφορά σε λέξεις-κλειδιά
306 setting_commit_fix_keywords: Καθορισμός σε λέξεις-κλειδιά
306 setting_commit_fix_keywords: Καθορισμός σε λέξεις-κλειδιά
307 setting_autologin: Αυτόματη σύνδεση
307 setting_autologin: Αυτόματη σύνδεση
308 setting_date_format: Μορφή ημερομηνίας
308 setting_date_format: Μορφή ημερομηνίας
309 setting_time_format: Μορφή ώρας
309 setting_time_format: Μορφή ώρας
310 setting_cross_project_issue_relations: Επιτρέψτε συσχετισμό θεμάτων σε διασταύρωση-έργων
310 setting_cross_project_issue_relations: Επιτρέψτε συσχετισμό θεμάτων σε διασταύρωση-έργων
311 setting_issue_list_default_columns: Προκαθορισμένες εμφανιζόμενες στήλες στη λίστα θεμάτων
311 setting_issue_list_default_columns: Προκαθορισμένες εμφανιζόμενες στήλες στη λίστα θεμάτων
312 setting_emails_footer: Υποσέλιδο στα email
312 setting_emails_footer: Υποσέλιδο στα email
313 setting_protocol: Πρωτόκολο
313 setting_protocol: Πρωτόκολο
314 setting_per_page_options: Αντικείμενα ανά σελίδα επιλογών
314 setting_per_page_options: Αντικείμενα ανά σελίδα επιλογών
315 setting_user_format: Μορφή εμφάνισης χρηστών
315 setting_user_format: Μορφή εμφάνισης χρηστών
316 setting_activity_days_default: Ημέρες που εμφανίζεται στη δραστηριότητα έργου
316 setting_activity_days_default: Ημέρες που εμφανίζεται στη δραστηριότητα έργου
317 setting_display_subprojects_issues: Εμφάνιση από προεπιλογή θεμάτων επιμέρους έργων στα κύρια έργα
317 setting_display_subprojects_issues: Εμφάνιση από προεπιλογή θεμάτων επιμέρους έργων στα κύρια έργα
318 setting_enabled_scm: Ενεργοποίηση SCM
318 setting_enabled_scm: Ενεργοποίηση SCM
319 setting_mail_handler_api_enabled: Ενεργοποίηση WS για εισερχόμενα email
319 setting_mail_handler_api_enabled: Ενεργοποίηση WS για εισερχόμενα email
320 setting_mail_handler_api_key: κλειδί API
320 setting_mail_handler_api_key: κλειδί API
321 setting_sequential_project_identifiers: Δημιουργία διαδοχικών αναγνωριστικών έργου
321 setting_sequential_project_identifiers: Δημιουργία διαδοχικών αναγνωριστικών έργου
322 setting_gravatar_enabled: Χρήση Gravatar εικονιδίων χρηστών
322 setting_gravatar_enabled: Χρήση Gravatar εικονιδίων χρηστών
323 setting_diff_max_lines_displayed: Μεγ.αριθμός εμφάνισης γραμμών diff
323 setting_diff_max_lines_displayed: Μεγ.αριθμός εμφάνισης γραμμών diff
324 setting_file_max_size_displayed: Μεγ.μέγεθος των αρχείων απλού κειμένου που εμφανίζονται σε σειρά
324 setting_file_max_size_displayed: Μεγ.μέγεθος των αρχείων απλού κειμένου που εμφανίζονται σε σειρά
325 setting_repository_log_display_limit: Μέγιστος αριθμός αναθεωρήσεων που εμφανίζονται στο ιστορικό αρχείου
325 setting_repository_log_display_limit: Μέγιστος αριθμός αναθεωρήσεων που εμφανίζονται στο ιστορικό αρχείου
326 setting_openid: Επιτρέψτε συνδέσεις OpenID και εγγραφή
326 setting_openid: Επιτρέψτε συνδέσεις OpenID και εγγραφή
327 setting_password_min_length: Ελάχιστο μήκος κωδικού πρόσβασης
327 setting_password_min_length: Ελάχιστο μήκος κωδικού πρόσβασης
328 setting_new_project_user_role_id: Απόδοση ρόλου σε χρήστη μη-διαχειριστή όταν δημιουργεί ένα έργο
328 setting_new_project_user_role_id: Απόδοση ρόλου σε χρήστη μη-διαχειριστή όταν δημιουργεί ένα έργο
329
329
330 permission_add_project: Δημιουργία έργου
330 permission_add_project: Δημιουργία έργου
331 permission_edit_project: Επεξεργασία έργου
331 permission_edit_project: Επεξεργασία έργου
332 permission_select_project_modules: Επιλογή μονάδων έργου
332 permission_select_project_modules: Επιλογή μονάδων έργου
333 permission_manage_members: Διαχείριση μελών
333 permission_manage_members: Διαχείριση μελών
334 permission_manage_versions: Διαχείριση εκδόσεων
334 permission_manage_versions: Διαχείριση εκδόσεων
335 permission_manage_categories: Διαχείριση κατηγοριών θεμάτων
335 permission_manage_categories: Διαχείριση κατηγοριών θεμάτων
336 permission_add_issues: Προσθήκη θεμάτων
336 permission_add_issues: Προσθήκη θεμάτων
337 permission_edit_issues: Επεξεργασία θεμάτων
337 permission_edit_issues: Επεξεργασία θεμάτων
338 permission_manage_issue_relations: Διαχείριση συσχετισμών θεμάτων
338 permission_manage_issue_relations: Διαχείριση συσχετισμών θεμάτων
339 permission_add_issue_notes: Προσθήκη σημειώσεων
339 permission_add_issue_notes: Προσθήκη σημειώσεων
340 permission_edit_issue_notes: Επεξεργασία σημειώσεων
340 permission_edit_issue_notes: Επεξεργασία σημειώσεων
341 permission_edit_own_issue_notes: Επεξεργασία δικών μου σημειώσεων
341 permission_edit_own_issue_notes: Επεξεργασία δικών μου σημειώσεων
342 permission_move_issues: Μεταφορά θεμάτων
342 permission_move_issues: Μεταφορά θεμάτων
343 permission_delete_issues: Διαγραφή θεμάτων
343 permission_delete_issues: Διαγραφή θεμάτων
344 permission_manage_public_queries: Διαχείριση δημόσιων αναζητήσεων
344 permission_manage_public_queries: Διαχείριση δημόσιων αναζητήσεων
345 permission_save_queries: Αποθήκευση αναζητήσεων
345 permission_save_queries: Αποθήκευση αναζητήσεων
346 permission_view_gantt: Προβολή διαγράμματος gantt
346 permission_view_gantt: Προβολή διαγράμματος gantt
347 permission_view_calendar: Προβολή ημερολογίου
347 permission_view_calendar: Προβολή ημερολογίου
348 permission_view_issue_watchers: Προβολή λίστας παρατηρητών
348 permission_view_issue_watchers: Προβολή λίστας παρατηρητών
349 permission_add_issue_watchers: Προσθήκη παρατηρητών
349 permission_add_issue_watchers: Προσθήκη παρατηρητών
350 permission_log_time: Ιστορικό χρόνου που δαπανήθηκε
350 permission_log_time: Ιστορικό χρόνου που δαπανήθηκε
351 permission_view_time_entries: Προβολή χρόνου που δαπανήθηκε
351 permission_view_time_entries: Προβολή χρόνου που δαπανήθηκε
352 permission_edit_time_entries: Επεξεργασία ιστορικού χρόνου
352 permission_edit_time_entries: Επεξεργασία ιστορικού χρόνου
353 permission_edit_own_time_entries: Επεξεργασία δικού μου ιστορικού χρόνου
353 permission_edit_own_time_entries: Επεξεργασία δικού μου ιστορικού χρόνου
354 permission_manage_news: Διαχείριση νέων
354 permission_manage_news: Διαχείριση νέων
355 permission_comment_news: Σχολιασμός νέων
355 permission_comment_news: Σχολιασμός νέων
356 permission_manage_documents: Διαχείριση εγγράφων
356 permission_manage_documents: Διαχείριση εγγράφων
357 permission_view_documents: Προβολή εγγράφων
357 permission_view_documents: Προβολή εγγράφων
358 permission_manage_files: Διαχείριση αρχείων
358 permission_manage_files: Διαχείριση αρχείων
359 permission_view_files: Προβολή αρχείων
359 permission_view_files: Προβολή αρχείων
360 permission_manage_wiki: Διαχείριση wiki
360 permission_manage_wiki: Διαχείριση wiki
361 permission_rename_wiki_pages: Μετονομασία σελίδων wiki
361 permission_rename_wiki_pages: Μετονομασία σελίδων wiki
362 permission_delete_wiki_pages: Διαγραφή σελίδων wiki
362 permission_delete_wiki_pages: Διαγραφή σελίδων wiki
363 permission_view_wiki_pages: Προβολή wiki
363 permission_view_wiki_pages: Προβολή wiki
364 permission_view_wiki_edits: Προβολή ιστορικού wiki
364 permission_view_wiki_edits: Προβολή ιστορικού wiki
365 permission_edit_wiki_pages: Επεξεργασία σελίδων wiki
365 permission_edit_wiki_pages: Επεξεργασία σελίδων wiki
366 permission_delete_wiki_pages_attachments: Διαγραφή συνημμένων
366 permission_delete_wiki_pages_attachments: Διαγραφή συνημμένων
367 permission_protect_wiki_pages: Προστασία σελίδων wiki
367 permission_protect_wiki_pages: Προστασία σελίδων wiki
368 permission_manage_repository: Διαχείριση αποθετηρίου
368 permission_manage_repository: Διαχείριση αποθετηρίου
369 permission_browse_repository: Διαχείριση εγγράφων
369 permission_browse_repository: Διαχείριση εγγράφων
370 permission_view_changesets: Προβολή changesets
370 permission_view_changesets: Προβολή changesets
371 permission_commit_access: Πρόσβαση commit
371 permission_commit_access: Πρόσβαση commit
372 permission_manage_boards: Διαχείριση πινάκων συζητήσεων
372 permission_manage_boards: Διαχείριση πινάκων συζητήσεων
373 permission_view_messages: Προβολή μηνυμάτων
373 permission_view_messages: Προβολή μηνυμάτων
374 permission_add_messages: Αποστολή μηνυμάτων
374 permission_add_messages: Αποστολή μηνυμάτων
375 permission_edit_messages: Επεξεργασία μηνυμάτων
375 permission_edit_messages: Επεξεργασία μηνυμάτων
376 permission_edit_own_messages: Επεξεργασία δικών μου μηνυμάτων
376 permission_edit_own_messages: Επεξεργασία δικών μου μηνυμάτων
377 permission_delete_messages: Διαγραφή μηνυμάτων
377 permission_delete_messages: Διαγραφή μηνυμάτων
378 permission_delete_own_messages: Διαγραφή δικών μου μηνυμάτων
378 permission_delete_own_messages: Διαγραφή δικών μου μηνυμάτων
379
379
380 project_module_issue_tracking: Ανίχνευση θεμάτων
380 project_module_issue_tracking: Ανίχνευση θεμάτων
381 project_module_time_tracking: Ανίχνευση χρόνου
381 project_module_time_tracking: Ανίχνευση χρόνου
382 project_module_news: Νέα
382 project_module_news: Νέα
383 project_module_documents: Έγγραφα
383 project_module_documents: Έγγραφα
384 project_module_files: Αρχεία
384 project_module_files: Αρχεία
385 project_module_wiki: Wiki
385 project_module_wiki: Wiki
386 project_module_repository: Αποθετήριο
386 project_module_repository: Αποθετήριο
387 project_module_boards: Πίνακες συζητήσεων
387 project_module_boards: Πίνακες συζητήσεων
388
388
389 label_user: Χρήστης
389 label_user: Χρήστης
390 label_user_plural: Χρήστες
390 label_user_plural: Χρήστες
391 label_user_new: Νέος Χρήστης
391 label_user_new: Νέος Χρήστης
392 label_project: Έργο
392 label_project: Έργο
393 label_project_new: Νέο έργο
393 label_project_new: Νέο έργο
394 label_project_plural: Έργα
394 label_project_plural: Έργα
395 label_x_projects:
395 label_x_projects:
396 zero: κανένα έργο
396 zero: κανένα έργο
397 one: 1 έργο
397 one: 1 έργο
398 other: "%{count} έργα"
398 other: "%{count} έργα"
399 label_project_all: Όλα τα έργα
399 label_project_all: Όλα τα έργα
400 label_project_latest: Τελευταία έργα
400 label_project_latest: Τελευταία έργα
401 label_issue: Θέμα
401 label_issue: Θέμα
402 label_issue_new: Νέο θέμα
402 label_issue_new: Νέο θέμα
403 label_issue_plural: Θέματα
403 label_issue_plural: Θέματα
404 label_issue_view_all: Προβολή όλων των θεμάτων
404 label_issue_view_all: Προβολή όλων των θεμάτων
405 label_issues_by: "Θέματα του %{value}"
405 label_issues_by: "Θέματα του %{value}"
406 label_issue_added: Το θέμα προστέθηκε
406 label_issue_added: Το θέμα προστέθηκε
407 label_issue_updated: Το θέμα ενημερώθηκε
407 label_issue_updated: Το θέμα ενημερώθηκε
408 label_document: Έγγραφο
408 label_document: Έγγραφο
409 label_document_new: Νέο έγγραφο
409 label_document_new: Νέο έγγραφο
410 label_document_plural: Έγγραφα
410 label_document_plural: Έγγραφα
411 label_document_added: Έγγραφο προστέθηκε
411 label_document_added: Έγγραφο προστέθηκε
412 label_role: Ρόλος
412 label_role: Ρόλος
413 label_role_plural: Ρόλοι
413 label_role_plural: Ρόλοι
414 label_role_new: Νέος ρόλος
414 label_role_new: Νέος ρόλος
415 label_role_and_permissions: Ρόλοι και άδειες
415 label_role_and_permissions: Ρόλοι και άδειες
416 label_member: Μέλος
416 label_member: Μέλος
417 label_member_new: Νέο μέλος
417 label_member_new: Νέο μέλος
418 label_member_plural: Μέλη
418 label_member_plural: Μέλη
419 label_tracker: Ανιχνευτής
419 label_tracker: Ανιχνευτής
420 label_tracker_plural: Ανιχνευτές
420 label_tracker_plural: Ανιχνευτές
421 label_tracker_new: Νέος Ανιχνευτής
421 label_tracker_new: Νέος Ανιχνευτής
422 label_workflow: Ροή εργασίας
422 label_workflow: Ροή εργασίας
423 label_issue_status: Κατάσταση θέματος
423 label_issue_status: Κατάσταση θέματος
424 label_issue_status_plural: Κατάσταση θέματος
424 label_issue_status_plural: Κατάσταση θέματος
425 label_issue_status_new: Νέα κατάσταση
425 label_issue_status_new: Νέα κατάσταση
426 label_issue_category: Κατηγορία θέματος
426 label_issue_category: Κατηγορία θέματος
427 label_issue_category_plural: Κατηγορίες θεμάτων
427 label_issue_category_plural: Κατηγορίες θεμάτων
428 label_issue_category_new: Νέα κατηγορία
428 label_issue_category_new: Νέα κατηγορία
429 label_custom_field: Προσαρμοσμένο πεδίο
429 label_custom_field: Προσαρμοσμένο πεδίο
430 label_custom_field_plural: Προσαρμοσμένα πεδία
430 label_custom_field_plural: Προσαρμοσμένα πεδία
431 label_custom_field_new: Νέο προσαρμοσμένο πεδίο
431 label_custom_field_new: Νέο προσαρμοσμένο πεδίο
432 label_enumerations: Απαριθμήσεις
432 label_enumerations: Απαριθμήσεις
433 label_enumeration_new: Νέα τιμή
433 label_enumeration_new: Νέα τιμή
434 label_information: Πληροφορία
434 label_information: Πληροφορία
435 label_information_plural: Πληροφορίες
435 label_information_plural: Πληροφορίες
436 label_please_login: Παρακαλώ συνδεθείτε
436 label_please_login: Παρακαλώ συνδεθείτε
437 label_register: Εγγραφή
437 label_register: Εγγραφή
438 label_login_with_open_id_option: ή συνδεθείτε με OpenID
438 label_login_with_open_id_option: ή συνδεθείτε με OpenID
439 label_password_lost: Ανάκτηση κωδικού πρόσβασης
439 label_password_lost: Ανάκτηση κωδικού πρόσβασης
440 label_home: Αρχική σελίδα
440 label_home: Αρχική σελίδα
441 label_my_page: Η σελίδα μου
441 label_my_page: Η σελίδα μου
442 label_my_account: Ο λογαριασμός μου
442 label_my_account: Ο λογαριασμός μου
443 label_my_projects: Τα έργα μου
443 label_my_projects: Τα έργα μου
444 label_administration: Διαχείριση
444 label_administration: Διαχείριση
445 label_login: Σύνδεση
445 label_login: Σύνδεση
446 label_logout: Αποσύνδεση
446 label_logout: Αποσύνδεση
447 label_help: Βοήθεια
447 label_help: Βοήθεια
448 label_reported_issues: Εισηγμένα θέματα
448 label_reported_issues: Εισηγμένα θέματα
449 label_assigned_to_me_issues: Θέματα που έχουν ανατεθεί σε μένα
449 label_assigned_to_me_issues: Θέματα που έχουν ανατεθεί σε μένα
450 label_last_login: Τελευταία σύνδεση
450 label_last_login: Τελευταία σύνδεση
451 label_registered_on: Εγγράφηκε την
451 label_registered_on: Εγγράφηκε την
452 label_activity: Δραστηριότητα
452 label_activity: Δραστηριότητα
453 label_overall_activity: Συνολική δραστηριότητα
453 label_overall_activity: Συνολική δραστηριότητα
454 label_user_activity: "δραστηριότητα του %{value}"
454 label_user_activity: "δραστηριότητα του %{value}"
455 label_new: Νέο
455 label_new: Νέο
456 label_logged_as: Σύνδεδεμένος ως
456 label_logged_as: Σύνδεδεμένος ως
457 label_environment: Περιβάλλον
457 label_environment: Περιβάλλον
458 label_authentication: Πιστοποίηση
458 label_authentication: Πιστοποίηση
459 label_auth_source: Τρόπος πιστοποίησης
459 label_auth_source: Τρόπος πιστοποίησης
460 label_auth_source_new: Νέος τρόπος πιστοποίησης
460 label_auth_source_new: Νέος τρόπος πιστοποίησης
461 label_auth_source_plural: Τρόποι πιστοποίησης
461 label_auth_source_plural: Τρόποι πιστοποίησης
462 label_subproject_plural: Επιμέρους έργα
462 label_subproject_plural: Επιμέρους έργα
463 label_and_its_subprojects: "%{value} και τα επιμέρους έργα του"
463 label_and_its_subprojects: "%{value} και τα επιμέρους έργα του"
464 label_min_max_length: Ελάχ. - Μέγ. μήκος
464 label_min_max_length: Ελάχ. - Μέγ. μήκος
465 label_list: Λίστα
465 label_list: Λίστα
466 label_date: Ημερομηνία
466 label_date: Ημερομηνία
467 label_integer: Ακέραιος
467 label_integer: Ακέραιος
468 label_float: Αριθμός κινητής υποδιαστολής
468 label_float: Αριθμός κινητής υποδιαστολής
469 label_boolean: Λογικός
469 label_boolean: Λογικός
470 label_string: Κείμενο
470 label_string: Κείμενο
471 label_text: Μακροσκελές κείμενο
471 label_text: Μακροσκελές κείμενο
472 label_attribute: Ιδιότητα
472 label_attribute: Ιδιότητα
473 label_attribute_plural: Ιδιότητες
473 label_attribute_plural: Ιδιότητες
474 label_download: "%{count} Μεταφόρτωση"
474 label_download: "%{count} Μεταφόρτωση"
475 label_download_plural: "%{count} Μεταφορτώσεις"
475 label_download_plural: "%{count} Μεταφορτώσεις"
476 label_no_data: Δεν υπάρχουν δεδομένα
476 label_no_data: Δεν υπάρχουν δεδομένα
477 label_change_status: Αλλαγή κατάστασης
477 label_change_status: Αλλαγή κατάστασης
478 label_history: Ιστορικό
478 label_history: Ιστορικό
479 label_attachment: Αρχείο
479 label_attachment: Αρχείο
480 label_attachment_new: Νέο αρχείο
480 label_attachment_new: Νέο αρχείο
481 label_attachment_delete: Διαγραφή αρχείου
481 label_attachment_delete: Διαγραφή αρχείου
482 label_attachment_plural: Αρχεία
482 label_attachment_plural: Αρχεία
483 label_file_added: Το αρχείο προστέθηκε
483 label_file_added: Το αρχείο προστέθηκε
484 label_report: Αναφορά
484 label_report: Αναφορά
485 label_report_plural: Αναφορές
485 label_report_plural: Αναφορές
486 label_news: Νέα
486 label_news: Νέα
487 label_news_new: Προσθήκη νέων
487 label_news_new: Προσθήκη νέων
488 label_news_plural: Νέα
488 label_news_plural: Νέα
489 label_news_latest: Τελευταία νέα
489 label_news_latest: Τελευταία νέα
490 label_news_view_all: Προβολή όλων των νέων
490 label_news_view_all: Προβολή όλων των νέων
491 label_news_added: Τα νέα προστέθηκαν
491 label_news_added: Τα νέα προστέθηκαν
492 label_settings: Ρυθμίσεις
492 label_settings: Ρυθμίσεις
493 label_overview: Επισκόπηση
493 label_overview: Επισκόπηση
494 label_version: Έκδοση
494 label_version: Έκδοση
495 label_version_new: Νέα έκδοση
495 label_version_new: Νέα έκδοση
496 label_version_plural: Εκδόσεις
496 label_version_plural: Εκδόσεις
497 label_confirmation: Επιβεβαίωση
497 label_confirmation: Επιβεβαίωση
498 label_export_to: 'Επίσης διαθέσιμο σε:'
498 label_export_to: 'Επίσης διαθέσιμο σε:'
499 label_read: Διάβασε...
499 label_read: Διάβασε...
500 label_public_projects: Δημόσια έργα
500 label_public_projects: Δημόσια έργα
501 label_open_issues: Ανοικτό
501 label_open_issues: Ανοικτό
502 label_open_issues_plural: Ανοικτά
502 label_open_issues_plural: Ανοικτά
503 label_closed_issues: Κλειστό
503 label_closed_issues: Κλειστό
504 label_closed_issues_plural: Κλειστά
504 label_closed_issues_plural: Κλειστά
505 label_x_open_issues_abbr_on_total:
505 label_x_open_issues_abbr_on_total:
506 zero: 0 ανοικτά / %{total}
506 zero: 0 ανοικτά / %{total}
507 one: 1 ανοικτό / %{total}
507 one: 1 ανοικτό / %{total}
508 other: "%{count} ανοικτά / %{total}"
508 other: "%{count} ανοικτά / %{total}"
509 label_x_open_issues_abbr:
509 label_x_open_issues_abbr:
510 zero: 0 ανοικτά
510 zero: 0 ανοικτά
511 one: 1 ανοικτό
511 one: 1 ανοικτό
512 other: "%{count} ανοικτά"
512 other: "%{count} ανοικτά"
513 label_x_closed_issues_abbr:
513 label_x_closed_issues_abbr:
514 zero: 0 κλειστά
514 zero: 0 κλειστά
515 one: 1 κλειστό
515 one: 1 κλειστό
516 other: "%{count} κλειστά"
516 other: "%{count} κλειστά"
517 label_total: Σύνολο
517 label_total: Σύνολο
518 label_permissions: Άδειες
518 label_permissions: Άδειες
519 label_current_status: Τρέχουσα κατάσταση
519 label_current_status: Τρέχουσα κατάσταση
520 label_new_statuses_allowed: Νέες καταστάσεις επιτρέπονται
520 label_new_statuses_allowed: Νέες καταστάσεις επιτρέπονται
521 label_all: όλα
521 label_all: όλα
522 label_none: κανένα
522 label_none: κανένα
523 label_nobody: κανείς
523 label_nobody: κανείς
524 label_next: Επόμενο
524 label_next: Επόμενο
525 label_previous: Προηγούμενο
525 label_previous: Προηγούμενο
526 label_used_by: Χρησιμοποιήθηκε από
526 label_used_by: Χρησιμοποιήθηκε από
527 label_details: Λεπτομέρειες
527 label_details: Λεπτομέρειες
528 label_add_note: Προσθήκη σημείωσης
528 label_add_note: Προσθήκη σημείωσης
529 label_per_page: Ανά σελίδα
529 label_per_page: Ανά σελίδα
530 label_calendar: Ημερολόγιο
530 label_calendar: Ημερολόγιο
531 label_months_from: μηνών από
531 label_months_from: μηνών από
532 label_gantt: Gantt
532 label_gantt: Gantt
533 label_internal: Εσωτερικό
533 label_internal: Εσωτερικό
534 label_last_changes: "Τελευταίες %{count} αλλαγές"
534 label_last_changes: "Τελευταίες %{count} αλλαγές"
535 label_change_view_all: Προβολή όλων των αλλαγών
535 label_change_view_all: Προβολή όλων των αλλαγών
536 label_personalize_page: Προσαρμογή σελίδας
536 label_personalize_page: Προσαρμογή σελίδας
537 label_comment: Σχόλιο
537 label_comment: Σχόλιο
538 label_comment_plural: Σχόλια
538 label_comment_plural: Σχόλια
539 label_x_comments:
539 label_x_comments:
540 zero: δεν υπάρχουν σχόλια
540 zero: δεν υπάρχουν σχόλια
541 one: 1 σχόλιο
541 one: 1 σχόλιο
542 other: "%{count} σχόλια"
542 other: "%{count} σχόλια"
543 label_comment_add: Προσθήκη σχολίου
543 label_comment_add: Προσθήκη σχολίου
544 label_comment_added: Τα σχόλια προστέθηκαν
544 label_comment_added: Τα σχόλια προστέθηκαν
545 label_comment_delete: Διαγραφή σχολίων
545 label_comment_delete: Διαγραφή σχολίων
546 label_query: Προσαρμοσμένη αναζήτηση
546 label_query: Προσαρμοσμένη αναζήτηση
547 label_query_plural: Προσαρμοσμένες αναζητήσεις
547 label_query_plural: Προσαρμοσμένες αναζητήσεις
548 label_query_new: Νέα αναζήτηση
548 label_query_new: Νέα αναζήτηση
549 label_filter_add: Προσθήκη φίλτρου
549 label_filter_add: Προσθήκη φίλτρου
550 label_filter_plural: Φίλτρα
550 label_filter_plural: Φίλτρα
551 label_equals: είναι
551 label_equals: είναι
552 label_not_equals: δεν είναι
552 label_not_equals: δεν είναι
553 label_in_less_than: μικρότερο από
553 label_in_less_than: μικρότερο από
554 label_in_more_than: περισσότερο από
554 label_in_more_than: περισσότερο από
555 label_greater_or_equal: '>='
555 label_greater_or_equal: '>='
556 label_less_or_equal: '<='
556 label_less_or_equal: '<='
557 label_in: σε
557 label_in: σε
558 label_today: σήμερα
558 label_today: σήμερα
559 label_all_time: συνέχεια
559 label_all_time: συνέχεια
560 label_yesterday: χθες
560 label_yesterday: χθες
561 label_this_week: αυτή την εβδομάδα
561 label_this_week: αυτή την εβδομάδα
562 label_last_week: την προηγούμενη εβδομάδα
562 label_last_week: την προηγούμενη εβδομάδα
563 label_last_n_days: "τελευταίες %{count} μέρες"
563 label_last_n_days: "τελευταίες %{count} μέρες"
564 label_this_month: αυτό το μήνα
564 label_this_month: αυτό το μήνα
565 label_last_month: τον προηγούμενο μήνα
565 label_last_month: τον προηγούμενο μήνα
566 label_this_year: αυτό το χρόνο
566 label_this_year: αυτό το χρόνο
567 label_date_range: Χρονικό διάστημα
567 label_date_range: Χρονικό διάστημα
568 label_less_than_ago: σε λιγότερο από ημέρες πριν
568 label_less_than_ago: σε λιγότερο από ημέρες πριν
569 label_more_than_ago: σε περισσότερο από ημέρες πριν
569 label_more_than_ago: σε περισσότερο από ημέρες πριν
570 label_ago: ημέρες πριν
570 label_ago: ημέρες πριν
571 label_contains: περιέχει
571 label_contains: περιέχει
572 label_not_contains: δεν περιέχει
572 label_not_contains: δεν περιέχει
573 label_day_plural: μέρες
573 label_day_plural: μέρες
574 label_repository: Αποθετήριο
574 label_repository: Αποθετήριο
575 label_repository_plural: Αποθετήρια
575 label_repository_plural: Αποθετήρια
576 label_browse: Πλοήγηση
576 label_browse: Πλοήγηση
577 label_modification: "%{count} τροποποίηση"
577 label_modification: "%{count} τροποποίηση"
578 label_modification_plural: "%{count} τροποποιήσεις"
578 label_modification_plural: "%{count} τροποποιήσεις"
579 label_branch: Branch
579 label_branch: Branch
580 label_tag: Tag
580 label_tag: Tag
581 label_revision: Αναθεώρηση
581 label_revision: Αναθεώρηση
582 label_revision_plural: Αναθεωρήσεις
582 label_revision_plural: Αναθεωρήσεις
583 label_associated_revisions: Συνεταιρικές αναθεωρήσεις
583 label_associated_revisions: Συνεταιρικές αναθεωρήσεις
584 label_added: προστέθηκε
584 label_added: προστέθηκε
585 label_modified: τροποποιήθηκε
585 label_modified: τροποποιήθηκε
586 label_copied: αντιγράφηκε
586 label_copied: αντιγράφηκε
587 label_renamed: μετονομάστηκε
587 label_renamed: μετονομάστηκε
588 label_deleted: διαγράφηκε
588 label_deleted: διαγράφηκε
589 label_latest_revision: Τελευταία αναθεώριση
589 label_latest_revision: Τελευταία αναθεώριση
590 label_latest_revision_plural: Τελευταίες αναθεωρήσεις
590 label_latest_revision_plural: Τελευταίες αναθεωρήσεις
591 label_view_revisions: Προβολή αναθεωρήσεων
591 label_view_revisions: Προβολή αναθεωρήσεων
592 label_view_all_revisions: Προβολή όλων των αναθεωρήσεων
592 label_view_all_revisions: Προβολή όλων των αναθεωρήσεων
593 label_max_size: Μέγιστο μέγεθος
593 label_max_size: Μέγιστο μέγεθος
594 label_sort_highest: Μετακίνηση στην κορυφή
594 label_sort_highest: Μετακίνηση στην κορυφή
595 label_sort_higher: Μετακίνηση προς τα πάνω
595 label_sort_higher: Μετακίνηση προς τα πάνω
596 label_sort_lower: Μετακίνηση προς τα κάτω
596 label_sort_lower: Μετακίνηση προς τα κάτω
597 label_sort_lowest: Μετακίνηση στο κατώτατο μέρος
597 label_sort_lowest: Μετακίνηση στο κατώτατο μέρος
598 label_roadmap: Χάρτης πορείας
598 label_roadmap: Χάρτης πορείας
599 label_roadmap_due_in: "Προθεσμία σε %{value}"
599 label_roadmap_due_in: "Προθεσμία σε %{value}"
600 label_roadmap_overdue: "%{value} καθυστερημένο"
600 label_roadmap_overdue: "%{value} καθυστερημένο"
601 label_roadmap_no_issues: Δεν υπάρχουν θέματα για αυτή την έκδοση
601 label_roadmap_no_issues: Δεν υπάρχουν θέματα για αυτή την έκδοση
602 label_search: Αναζήτηση
602 label_search: Αναζήτηση
603 label_result_plural: Αποτελέσματα
603 label_result_plural: Αποτελέσματα
604 label_all_words: Όλες οι λέξεις
604 label_all_words: Όλες οι λέξεις
605 label_wiki: Wiki
605 label_wiki: Wiki
606 label_wiki_edit: Επεξεργασία wiki
606 label_wiki_edit: Επεξεργασία wiki
607 label_wiki_edit_plural: Επεξεργασία wiki
607 label_wiki_edit_plural: Επεξεργασία wiki
608 label_wiki_page: Σελίδα Wiki
608 label_wiki_page: Σελίδα Wiki
609 label_wiki_page_plural: Σελίδες Wiki
609 label_wiki_page_plural: Σελίδες Wiki
610 label_index_by_title: Δείκτης ανά τίτλο
610 label_index_by_title: Δείκτης ανά τίτλο
611 label_index_by_date: Δείκτης ανά ημερομηνία
611 label_index_by_date: Δείκτης ανά ημερομηνία
612 label_current_version: Τρέχουσα έκδοση
612 label_current_version: Τρέχουσα έκδοση
613 label_preview: Προεπισκόπηση
613 label_preview: Προεπισκόπηση
614 label_feed_plural: Feeds
614 label_feed_plural: Feeds
615 label_changes_details: Λεπτομέρειες όλων των αλλαγών
615 label_changes_details: Λεπτομέρειες όλων των αλλαγών
616 label_issue_tracking: Ανίχνευση θεμάτων
616 label_issue_tracking: Ανίχνευση θεμάτων
617 label_spent_time: Δαπανημένος χρόνος
617 label_spent_time: Δαπανημένος χρόνος
618 label_f_hour: "%{value} ώρα"
618 label_f_hour: "%{value} ώρα"
619 label_f_hour_plural: "%{value} ώρες"
619 label_f_hour_plural: "%{value} ώρες"
620 label_time_tracking: Ανίχνευση χρόνου
620 label_time_tracking: Ανίχνευση χρόνου
621 label_change_plural: Αλλαγές
621 label_change_plural: Αλλαγές
622 label_statistics: Στατιστικά
622 label_statistics: Στατιστικά
623 label_commits_per_month: Commits ανά μήνα
623 label_commits_per_month: Commits ανά μήνα
624 label_commits_per_author: Commits ανά συγγραφέα
624 label_commits_per_author: Commits ανά συγγραφέα
625 label_view_diff: Προβολή διαφορών
625 label_view_diff: Προβολή διαφορών
626 label_diff_inline: σε σειρά
626 label_diff_inline: σε σειρά
627 label_diff_side_by_side: αντικρυστά
627 label_diff_side_by_side: αντικρυστά
628 label_options: Επιλογές
628 label_options: Επιλογές
629 label_copy_workflow_from: Αντιγραφή ροής εργασίας από
629 label_copy_workflow_from: Αντιγραφή ροής εργασίας από
630 label_permissions_report: Συνοπτικός πίνακας αδειών
630 label_permissions_report: Συνοπτικός πίνακας αδειών
631 label_watched_issues: Θέματα υπό παρακολούθηση
631 label_watched_issues: Θέματα υπό παρακολούθηση
632 label_related_issues: Σχετικά θέματα
632 label_related_issues: Σχετικά θέματα
633 label_applied_status: Εφαρμογή κατάστασης
633 label_applied_status: Εφαρμογή κατάστασης
634 label_loading: Φορτώνεται...
634 label_loading: Φορτώνεται...
635 label_relation_new: Νέα συσχέτιση
635 label_relation_new: Νέα συσχέτιση
636 label_relation_delete: Διαγραφή συσχέτισης
636 label_relation_delete: Διαγραφή συσχέτισης
637 label_relates_to: σχετικό με
637 label_relates_to: σχετικό με
638 label_duplicates: αντίγραφα
638 label_duplicates: αντίγραφα
639 label_duplicated_by: αντιγράφηκε από
639 label_duplicated_by: αντιγράφηκε από
640 label_blocks: φραγές
640 label_blocks: φραγές
641 label_blocked_by: φραγή από τον
641 label_blocked_by: φραγή από τον
642 label_precedes: προηγείται
642 label_precedes: προηγείται
643 label_follows: ακολουθεί
643 label_follows: ακολουθεί
644 label_end_to_start: από το τέλος στην αρχή
644 label_end_to_start: από το τέλος στην αρχή
645 label_end_to_end: από το τέλος στο τέλος
645 label_end_to_end: από το τέλος στο τέλος
646 label_start_to_start: από την αρχή στην αρχή
646 label_start_to_start: από την αρχή στην αρχή
647 label_start_to_end: από την αρχή στο τέλος
647 label_start_to_end: από την αρχή στο τέλος
648 label_stay_logged_in: Παραμονή σύνδεσης
648 label_stay_logged_in: Παραμονή σύνδεσης
649 label_disabled: απενεργοποιημένη
649 label_disabled: απενεργοποιημένη
650 label_show_completed_versions: Προβολή ολοκληρωμένων εκδόσεων
650 label_show_completed_versions: Προβολή ολοκληρωμένων εκδόσεων
651 label_me: εγώ
651 label_me: εγώ
652 label_board: Φόρουμ
652 label_board: Φόρουμ
653 label_board_new: Νέο φόρουμ
653 label_board_new: Νέο φόρουμ
654 label_board_plural: Φόρουμ
654 label_board_plural: Φόρουμ
655 label_topic_plural: Θέματα
655 label_topic_plural: Θέματα
656 label_message_plural: Μηνύματα
656 label_message_plural: Μηνύματα
657 label_message_last: Τελευταίο μήνυμα
657 label_message_last: Τελευταίο μήνυμα
658 label_message_new: Νέο μήνυμα
658 label_message_new: Νέο μήνυμα
659 label_message_posted: Το μήνυμα προστέθηκε
659 label_message_posted: Το μήνυμα προστέθηκε
660 label_reply_plural: Απαντήσεις
660 label_reply_plural: Απαντήσεις
661 label_send_information: Αποστολή πληροφοριών λογαριασμού στο χρήστη
661 label_send_information: Αποστολή πληροφοριών λογαριασμού στο χρήστη
662 label_year: Έτος
662 label_year: Έτος
663 label_month: Μήνας
663 label_month: Μήνας
664 label_week: Εβδομάδα
664 label_week: Εβδομάδα
665 label_date_from: Από
665 label_date_from: Από
666 label_date_to: Έως
666 label_date_to: Έως
667 label_language_based: Με βάση τη γλώσσα του χρήστη
667 label_language_based: Με βάση τη γλώσσα του χρήστη
668 label_sort_by: "Ταξινόμηση ανά %{value}"
668 label_sort_by: "Ταξινόμηση ανά %{value}"
669 label_send_test_email: Αποστολή δοκιμαστικού email
669 label_send_test_email: Αποστολή δοκιμαστικού email
670 label_feeds_access_key_created_on: "το κλειδί πρόσβασης RSS δημιουργήθηκε πριν από %{value}"
670 label_feeds_access_key_created_on: "το κλειδί πρόσβασης RSS δημιουργήθηκε πριν από %{value}"
671 label_module_plural: Μονάδες
671 label_module_plural: Μονάδες
672 label_added_time_by: "Προστέθηκε από τον %{author} πριν από %{age}"
672 label_added_time_by: "Προστέθηκε από τον %{author} πριν από %{age}"
673 label_updated_time_by: "Ενημερώθηκε από τον %{author} πριν από %{age}"
673 label_updated_time_by: "Ενημερώθηκε από τον %{author} πριν από %{age}"
674 label_updated_time: "Ενημερώθηκε πριν από %{value}"
674 label_updated_time: "Ενημερώθηκε πριν από %{value}"
675 label_jump_to_a_project: Μεταβείτε σε ένα έργο...
675 label_jump_to_a_project: Μεταβείτε σε ένα έργο...
676 label_file_plural: Αρχεία
676 label_file_plural: Αρχεία
677 label_changeset_plural: Changesets
677 label_changeset_plural: Changesets
678 label_default_columns: Προεπιλεγμένες στήλες
678 label_default_columns: Προεπιλεγμένες στήλες
679 label_no_change_option: (Δεν υπάρχουν αλλαγές)
679 label_no_change_option: (Δεν υπάρχουν αλλαγές)
680 label_bulk_edit_selected_issues: Μαζική επεξεργασία επιλεγμένων θεμάτων
680 label_bulk_edit_selected_issues: Μαζική επεξεργασία επιλεγμένων θεμάτων
681 label_theme: Θέμα
681 label_theme: Θέμα
682 label_default: Προεπιλογή
682 label_default: Προεπιλογή
683 label_search_titles_only: Αναζήτηση τίτλων μόνο
683 label_search_titles_only: Αναζήτηση τίτλων μόνο
684 label_user_mail_option_all: "Για όλες τις εξελίξεις σε όλα τα έργα μου"
684 label_user_mail_option_all: "Για όλες τις εξελίξεις σε όλα τα έργα μου"
685 label_user_mail_option_selected: "Για όλες τις εξελίξεις μόνο στα επιλεγμένα έργα..."
685 label_user_mail_option_selected: "Για όλες τις εξελίξεις μόνο στα επιλεγμένα έργα..."
686 label_user_mail_no_self_notified: "Δεν θέλω να ειδοποιούμαι για τις δικές μου αλλαγές"
686 label_user_mail_no_self_notified: "Δεν θέλω να ειδοποιούμαι για τις δικές μου αλλαγές"
687 label_registration_activation_by_email: ενεργοποίηση λογαριασμού με email
687 label_registration_activation_by_email: ενεργοποίηση λογαριασμού με email
688 label_registration_manual_activation: χειροκίνητη ενεργοποίηση λογαριασμού
688 label_registration_manual_activation: χειροκίνητη ενεργοποίηση λογαριασμού
689 label_registration_automatic_activation: αυτόματη ενεργοποίηση λογαριασμού
689 label_registration_automatic_activation: αυτόματη ενεργοποίηση λογαριασμού
690 label_display_per_page: "Ανά σελίδα: %{value}"
690 label_display_per_page: "Ανά σελίδα: %{value}"
691 label_age: Ηλικία
691 label_age: Ηλικία
692 label_change_properties: Αλλαγή ιδιοτήτων
692 label_change_properties: Αλλαγή ιδιοτήτων
693 label_general: Γενικά
693 label_general: Γενικά
694 label_more: Περισσότερα
694 label_more: Περισσότερα
695 label_scm: SCM
695 label_scm: SCM
696 label_plugins: Plugins
696 label_plugins: Plugins
697 label_ldap_authentication: Πιστοποίηση LDAP
697 label_ldap_authentication: Πιστοποίηση LDAP
698 label_downloads_abbr: Μ/Φ
698 label_downloads_abbr: Μ/Φ
699 label_optional_description: Προαιρετική περιγραφή
699 label_optional_description: Προαιρετική περιγραφή
700 label_add_another_file: Προσθήκη άλλου αρχείου
700 label_add_another_file: Προσθήκη άλλου αρχείου
701 label_preferences: Προτιμήσεις
701 label_preferences: Προτιμήσεις
702 label_chronological_order: Κατά χρονολογική σειρά
702 label_chronological_order: Κατά χρονολογική σειρά
703 label_reverse_chronological_order: Κατά αντίστροφη χρονολογική σειρά
703 label_reverse_chronological_order: Κατά αντίστροφη χρονολογική σειρά
704 label_planning: Σχεδιασμός
704 label_planning: Σχεδιασμός
705 label_incoming_emails: Εισερχόμενα email
705 label_incoming_emails: Εισερχόμενα email
706 label_generate_key: Δημιουργία κλειδιού
706 label_generate_key: Δημιουργία κλειδιού
707 label_issue_watchers: Παρατηρητές
707 label_issue_watchers: Παρατηρητές
708 label_example: Παράδειγμα
708 label_example: Παράδειγμα
709 label_display: Προβολή
709 label_display: Προβολή
710 label_sort: Ταξινόμηση
710 label_sort: Ταξινόμηση
711 label_ascending: Αύξουσα
711 label_ascending: Αύξουσα
712 label_descending: Φθίνουσα
712 label_descending: Φθίνουσα
713 label_date_from_to: Από %{start} έως %{end}
713 label_date_from_to: Από %{start} έως %{end}
714 label_wiki_content_added: Η σελίδα Wiki προστέθηκε
714 label_wiki_content_added: Η σελίδα Wiki προστέθηκε
715 label_wiki_content_updated: Η σελίδα Wiki ενημερώθηκε
715 label_wiki_content_updated: Η σελίδα Wiki ενημερώθηκε
716
716
717 button_login: Σύνδεση
717 button_login: Σύνδεση
718 button_submit: Αποστολή
718 button_submit: Αποστολή
719 button_save: Αποθήκευση
719 button_save: Αποθήκευση
720 button_check_all: Επιλογή όλων
720 button_check_all: Επιλογή όλων
721 button_uncheck_all: Αποεπιλογή όλων
721 button_uncheck_all: Αποεπιλογή όλων
722 button_delete: Διαγραφή
722 button_delete: Διαγραφή
723 button_create: Δημιουργία
723 button_create: Δημιουργία
724 button_create_and_continue: Δημιουργία και συνέχεια
724 button_create_and_continue: Δημιουργία και συνέχεια
725 button_test: Τεστ
725 button_test: Τεστ
726 button_edit: Επεξεργασία
726 button_edit: Επεξεργασία
727 button_add: Προσθήκη
727 button_add: Προσθήκη
728 button_change: Αλλαγή
728 button_change: Αλλαγή
729 button_apply: Εφαρμογή
729 button_apply: Εφαρμογή
730 button_clear: Καθαρισμός
730 button_clear: Καθαρισμός
731 button_lock: Κλείδωμα
731 button_lock: Κλείδωμα
732 button_unlock: Ξεκλείδωμα
732 button_unlock: Ξεκλείδωμα
733 button_download: Μεταφόρτωση
733 button_download: Μεταφόρτωση
734 button_list: Λίστα
734 button_list: Λίστα
735 button_view: Προβολή
735 button_view: Προβολή
736 button_move: Μετακίνηση
736 button_move: Μετακίνηση
737 button_back: Πίσω
737 button_back: Πίσω
738 button_cancel: Ακύρωση
738 button_cancel: Ακύρωση
739 button_activate: Ενεργοποίηση
739 button_activate: Ενεργοποίηση
740 button_sort: Ταξινόμηση
740 button_sort: Ταξινόμηση
741 button_log_time: Ιστορικό χρόνου
741 button_log_time: Ιστορικό χρόνου
742 button_rollback: Επαναφορά σε αυτή την έκδοση
742 button_rollback: Επαναφορά σε αυτή την έκδοση
743 button_watch: Παρακολούθηση
743 button_watch: Παρακολούθηση
744 button_unwatch: Αναίρεση παρακολούθησης
744 button_unwatch: Αναίρεση παρακολούθησης
745 button_reply: Απάντηση
745 button_reply: Απάντηση
746 button_archive: Αρχειοθέτηση
746 button_archive: Αρχειοθέτηση
747 button_unarchive: Αναίρεση αρχειοθέτησης
747 button_unarchive: Αναίρεση αρχειοθέτησης
748 button_reset: Επαναφορά
748 button_reset: Επαναφορά
749 button_rename: Μετονομασία
749 button_rename: Μετονομασία
750 button_change_password: Αλλαγή κωδικού πρόσβασης
750 button_change_password: Αλλαγή κωδικού πρόσβασης
751 button_copy: Αντιγραφή
751 button_copy: Αντιγραφή
752 button_annotate: Σχολιασμός
752 button_annotate: Σχολιασμός
753 button_update: Ενημέρωση
753 button_update: Ενημέρωση
754 button_configure: Ρύθμιση
754 button_configure: Ρύθμιση
755 button_quote: Παράθεση
755 button_quote: Παράθεση
756
756
757 status_active: ενεργό(ς)/ή
757 status_active: ενεργό(ς)/ή
758 status_registered: εγεγγραμμένο(ς)/η
758 status_registered: εγεγγραμμένο(ς)/η
759 status_locked: κλειδωμένο(ς)/η
759 status_locked: κλειδωμένο(ς)/η
760
760
761 text_select_mail_notifications: Επιλογή ενεργειών για τις οποίες θα πρέπει να αποσταλεί ειδοποίηση με email.
761 text_select_mail_notifications: Επιλογή ενεργειών για τις οποίες θα πρέπει να αποσταλεί ειδοποίηση με email.
762 text_regexp_info: eg. ^[A-Z0-9]+$
762 text_regexp_info: eg. ^[A-Z0-9]+$
763 text_min_max_length_info: 0 σημαίνει ότι δεν υπάρχουν περιορισμοί
763 text_min_max_length_info: 0 σημαίνει ότι δεν υπάρχουν περιορισμοί
764 text_project_destroy_confirmation: Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το έργο και τα σχετικά δεδομένα του;
764 text_project_destroy_confirmation: Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το έργο και τα σχετικά δεδομένα του;
765 text_subprojects_destroy_warning: "Επίσης το(α) επιμέρους έργο(α): %{value} θα διαγραφούν."
765 text_subprojects_destroy_warning: "Επίσης το(α) επιμέρους έργο(α): %{value} θα διαγραφούν."
766 text_workflow_edit: Επιλέξτε ένα ρόλο και έναν ανιχνευτή για να επεξεργαστείτε τη ροή εργασίας
766 text_workflow_edit: Επιλέξτε ένα ρόλο και έναν ανιχνευτή για να επεξεργαστείτε τη ροή εργασίας
767 text_are_you_sure: Είστε σίγουρος ;
767 text_are_you_sure: Είστε σίγουρος ;
768 text_tip_issue_begin_day: καθήκοντα που ξεκινάνε σήμερα
768 text_tip_issue_begin_day: καθήκοντα που ξεκινάνε σήμερα
769 text_tip_issue_end_day: καθήκοντα που τελειώνουν σήμερα
769 text_tip_issue_end_day: καθήκοντα που τελειώνουν σήμερα
770 text_tip_issue_begin_end_day: καθήκοντα που ξεκινάνε και τελειώνουν σήμερα
770 text_tip_issue_begin_end_day: καθήκοντα που ξεκινάνε και τελειώνουν σήμερα
771 text_caracters_maximum: "μέγιστος αριθμός %{count} χαρακτήρες."
771 text_caracters_maximum: "μέγιστος αριθμός %{count} χαρακτήρες."
772 text_caracters_minimum: "Πρέπει να περιέχει τουλάχιστον %{count} χαρακτήρες."
772 text_caracters_minimum: "Πρέπει να περιέχει τουλάχιστον %{count} χαρακτήρες."
773 text_length_between: "Μήκος μεταξύ %{min} και %{max} χαρακτήρες."
773 text_length_between: "Μήκος μεταξύ %{min} και %{max} χαρακτήρες."
774 text_tracker_no_workflow: Δεν έχει οριστεί ροή εργασίας για αυτό τον ανιχνευτή
774 text_tracker_no_workflow: Δεν έχει οριστεί ροή εργασίας για αυτό τον ανιχνευτή
775 text_unallowed_characters: Μη επιτρεπόμενοι χαρακτήρες
775 text_unallowed_characters: Μη επιτρεπόμενοι χαρακτήρες
776 text_comma_separated: Επιτρέπονται πολλαπλές τιμές (χωρισμένες με κόμμα).
776 text_comma_separated: Επιτρέπονται πολλαπλές τιμές (χωρισμένες με κόμμα).
777 text_issues_ref_in_commit_messages: Αναφορά και καθορισμός θεμάτων σε μηνύματα commit
777 text_issues_ref_in_commit_messages: Αναφορά και καθορισμός θεμάτων σε μηνύματα commit
778 text_issue_added: "Το θέμα %{id} παρουσιάστηκε από τον %{author}."
778 text_issue_added: "Το θέμα %{id} παρουσιάστηκε από τον %{author}."
779 text_issue_updated: "Το θέμα %{id} ενημερώθηκε από τον %{author}."
779 text_issue_updated: "Το θέμα %{id} ενημερώθηκε από τον %{author}."
780 text_wiki_destroy_confirmation: Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το wiki και όλο το περιεχόμενο του ;
780 text_wiki_destroy_confirmation: Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το wiki και όλο το περιεχόμενο του ;
781 text_issue_category_destroy_question: "Κάποια θέματα (%{count}) έχουν εκχωρηθεί σε αυτή την κατηγορία. Τι θέλετε να κάνετε ;"
781 text_issue_category_destroy_question: "Κάποια θέματα (%{count}) έχουν εκχωρηθεί σε αυτή την κατηγορία. Τι θέλετε να κάνετε ;"
782 text_issue_category_destroy_assignments: Αφαίρεση εκχωρήσεων κατηγορίας
782 text_issue_category_destroy_assignments: Αφαίρεση εκχωρήσεων κατηγορίας
783 text_issue_category_reassign_to: Επανεκχώρηση θεμάτων σε αυτή την κατηγορία
783 text_issue_category_reassign_to: Επανεκχώρηση θεμάτων σε αυτή την κατηγορία
784 text_user_mail_option: "Για μη επιλεγμένα έργα, θα λάβετε ειδοποιήσεις μόνο για πράγματα που παρακολουθείτε ή στα οποία συμμετέχω ενεργά (π.χ. θέματα των οποίων είστε συγγραφέας ή σας έχουν ανατεθεί)."
784 text_user_mail_option: "Για μη επιλεγμένα έργα, θα λάβετε ειδοποιήσεις μόνο για πράγματα που παρακολουθείτε ή στα οποία συμμετέχω ενεργά (π.χ. θέματα των οποίων είστε συγγραφέας ή σας έχουν ανατεθεί)."
785 text_no_configuration_data: "Οι ρόλοι, οι ανιχνευτές, η κατάσταση των θεμάτων και η ροή εργασίας δεν έχουν ρυθμιστεί ακόμα.\nΣυνιστάται ιδιαίτερα να φορτώσετε τις προεπιλεγμένες ρυθμίσεις. Θα είστε σε θέση να τις τροποποιήσετε μετά τη φόρτωση τους."
785 text_no_configuration_data: "Οι ρόλοι, οι ανιχνευτές, η κατάσταση των θεμάτων και η ροή εργασίας δεν έχουν ρυθμιστεί ακόμα.\nΣυνιστάται ιδιαίτερα να φορτώσετε τις προεπιλεγμένες ρυθμίσεις. Θα είστε σε θέση να τις τροποποιήσετε μετά τη φόρτωση τους."
786 text_load_default_configuration: Φόρτωση προεπιλεγμένων ρυθμίσεων
786 text_load_default_configuration: Φόρτωση προεπιλεγμένων ρυθμίσεων
787 text_status_changed_by_changeset: "Εφαρμόστηκε στο changeset %{value}."
787 text_status_changed_by_changeset: "Εφαρμόστηκε στο changeset %{value}."
788 text_issues_destroy_confirmation: 'Είστε σίγουρος ότι θέλετε να διαγράψετε το επιλεγμένο θέμα(τα);'
788 text_issues_destroy_confirmation: 'Είστε σίγουρος ότι θέλετε να διαγράψετε το επιλεγμένο θέμα(τα);'
789 text_select_project_modules: 'Επιλέξτε ποιες μονάδες θα ενεργοποιήσετε για αυτό το έργο:'
789 text_select_project_modules: 'Επιλέξτε ποιες μονάδες θα ενεργοποιήσετε για αυτό το έργο:'
790 text_default_administrator_account_changed: Ο προκαθορισμένος λογαριασμός του διαχειριστή άλλαξε
790 text_default_administrator_account_changed: Ο προκαθορισμένος λογαριασμός του διαχειριστή άλλαξε
791 text_file_repository_writable: Εγγράψιμος κατάλογος συνημμένων
791 text_file_repository_writable: Εγγράψιμος κατάλογος συνημμένων
792 text_plugin_assets_writable: Εγγράψιμος κατάλογος plugin assets
792 text_plugin_assets_writable: Εγγράψιμος κατάλογος plugin assets
793 text_rmagick_available: Διαθέσιμο RMagick (προαιρετικό)
793 text_rmagick_available: Διαθέσιμο RMagick (προαιρετικό)
794 text_destroy_time_entries_question: "%{hours} δαπανήθηκαν σχετικά με τα θέματα που πρόκειται να διαγράψετε. Τι θέλετε να κάνετε ;"
794 text_destroy_time_entries_question: "%{hours} δαπανήθηκαν σχετικά με τα θέματα που πρόκειται να διαγράψετε. Τι θέλετε να κάνετε ;"
795 text_destroy_time_entries: Διαγραφή αναφερόμενων ωρών
795 text_destroy_time_entries: Διαγραφή αναφερόμενων ωρών
796 text_assign_time_entries_to_project: Ανάθεση αναφερόμενων ωρών στο έργο
796 text_assign_time_entries_to_project: Ανάθεση αναφερόμενων ωρών στο έργο
797 text_reassign_time_entries: 'Ανάθεση εκ νέου των αναφερόμενων ωρών στο θέμα:'
797 text_reassign_time_entries: 'Ανάθεση εκ νέου των αναφερόμενων ωρών στο θέμα:'
798 text_user_wrote: "%{value} έγραψε:"
798 text_user_wrote: "%{value} έγραψε:"
799 text_enumeration_destroy_question: "%{count} αντικείμενα έχουν τεθεί σε αυτή την τιμή."
799 text_enumeration_destroy_question: "%{count} αντικείμενα έχουν τεθεί σε αυτή την τιμή."
800 text_enumeration_category_reassign_to: 'Επανεκχώρηση τους στην παρούσα αξία:'
800 text_enumeration_category_reassign_to: 'Επανεκχώρηση τους στην παρούσα αξία:'
801 text_email_delivery_not_configured: "Δεν έχουν γίνει ρυθμίσεις παράδοσης email, και οι ειδοποιήσεις είναι απενεργοποιημένες.\nΔηλώστε τον εξυπηρετητή SMTP στο config/configuration.yml και κάντε επανακκίνηση την εφαρμογή για να τις ρυθμίσεις."
801 text_email_delivery_not_configured: "Δεν έχουν γίνει ρυθμίσεις παράδοσης email, και οι ειδοποιήσεις είναι απενεργοποιημένες.\nΔηλώστε τον εξυπηρετητή SMTP στο config/configuration.yml και κάντε επανακκίνηση την εφαρμογή για να τις ρυθμίσεις."
802 text_repository_usernames_mapping: "Επιλέξτε ή ενημερώστε τον χρήστη Redmine που αντιστοιχεί σε κάθε όνομα χρήστη στο ιστορικό του αποθετηρίου.\nΧρήστες με το ίδιο όνομα χρήστη ή email στο Redmine και στο αποθετηρίο αντιστοιχίζονται αυτόματα."
802 text_repository_usernames_mapping: "Επιλέξτε ή ενημερώστε τον χρήστη Redmine που αντιστοιχεί σε κάθε όνομα χρήστη στο ιστορικό του αποθετηρίου.\nΧρήστες με το ίδιο όνομα χρήστη ή email στο Redmine και στο αποθετηρίο αντιστοιχίζονται αυτόματα."
803 text_diff_truncated: '... Αυτό το diff εχεί κοπεί επειδή υπερβαίνει το μέγιστο μέγεθος που μπορεί να προβληθεί.'
803 text_diff_truncated: '... Αυτό το diff εχεί κοπεί επειδή υπερβαίνει το μέγιστο μέγεθος που μπορεί να προβληθεί.'
804 text_custom_field_possible_values_info: 'Μία γραμμή για κάθε τιμή'
804 text_custom_field_possible_values_info: 'Μία γραμμή για κάθε τιμή'
805 text_wiki_page_destroy_question: "Αυτή η σελίδα έχει %{descendants} σελίδες τέκνων και απογόνων. Τι θέλετε να κάνετε ;"
805 text_wiki_page_destroy_question: "Αυτή η σελίδα έχει %{descendants} σελίδες τέκνων και απογόνων. Τι θέλετε να κάνετε ;"
806 text_wiki_page_nullify_children: "Διατηρήστε τις σελίδες τέκνων ως σελίδες root"
806 text_wiki_page_nullify_children: "Διατηρήστε τις σελίδες τέκνων ως σελίδες root"
807 text_wiki_page_destroy_children: "Διαγράψτε όλες τις σελίδες τέκνων και των απογόνων τους"
807 text_wiki_page_destroy_children: "Διαγράψτε όλες τις σελίδες τέκνων και των απογόνων τους"
808 text_wiki_page_reassign_children: "Επανεκχώριση των σελίδων τέκνων στη γονική σελίδα"
808 text_wiki_page_reassign_children: "Επανεκχώριση των σελίδων τέκνων στη γονική σελίδα"
809
809
810 default_role_manager: Manager
810 default_role_manager: Manager
811 default_role_developer: Developer
811 default_role_developer: Developer
812 default_role_reporter: Reporter
812 default_role_reporter: Reporter
813 default_tracker_bug: Σφάλματα
813 default_tracker_bug: Σφάλματα
814 default_tracker_feature: Λειτουργίες
814 default_tracker_feature: Λειτουργίες
815 default_tracker_support: Υποστήριξη
815 default_tracker_support: Υποστήριξη
816 default_issue_status_new: Νέα
816 default_issue_status_new: Νέα
817 default_issue_status_in_progress: In Progress
817 default_issue_status_in_progress: In Progress
818 default_issue_status_resolved: Επιλυμένο
818 default_issue_status_resolved: Επιλυμένο
819 default_issue_status_feedback: Σχόλια
819 default_issue_status_feedback: Σχόλια
820 default_issue_status_closed: Κλειστό
820 default_issue_status_closed: Κλειστό
821 default_issue_status_rejected: Απορριπτέο
821 default_issue_status_rejected: Απορριπτέο
822 default_doc_category_user: Τεκμηρίωση χρήστη
822 default_doc_category_user: Τεκμηρίωση χρήστη
823 default_doc_category_tech: Τεχνική τεκμηρίωση
823 default_doc_category_tech: Τεχνική τεκμηρίωση
824 default_priority_low: Χαμηλή
824 default_priority_low: Χαμηλή
825 default_priority_normal: Κανονική
825 default_priority_normal: Κανονική
826 default_priority_high: Υψηλή
826 default_priority_high: Υψηλή
827 default_priority_urgent: Επείγον
827 default_priority_urgent: Επείγον
828 default_priority_immediate: Άμεση
828 default_priority_immediate: Άμεση
829 default_activity_design: Σχεδιασμός
829 default_activity_design: Σχεδιασμός
830 default_activity_development: Ανάπτυξη
830 default_activity_development: Ανάπτυξη
831
831
832 enumeration_issue_priorities: Προτεραιότητα θέματος
832 enumeration_issue_priorities: Προτεραιότητα θέματος
833 enumeration_doc_categories: Κατηγορία εγγράφων
833 enumeration_doc_categories: Κατηγορία εγγράφων
834 enumeration_activities: Δραστηριότητες (κατακερματισμός χρόνου)
834 enumeration_activities: Δραστηριότητες (κατακερματισμός χρόνου)
835 text_journal_changed: "%{label} άλλαξε από %{old} σε %{new}"
835 text_journal_changed: "%{label} άλλαξε από %{old} σε %{new}"
836 text_journal_set_to: "%{label} ορίζεται σε %{value}"
836 text_journal_set_to: "%{label} ορίζεται σε %{value}"
837 text_journal_deleted: "%{label} διαγράφηκε (%{old})"
837 text_journal_deleted: "%{label} διαγράφηκε (%{old})"
838 label_group_plural: Ομάδες
838 label_group_plural: Ομάδες
839 label_group: Ομάδα
839 label_group: Ομάδα
840 label_group_new: Νέα ομάδα
840 label_group_new: Νέα ομάδα
841 label_time_entry_plural: Χρόνος που δαπανήθηκε
841 label_time_entry_plural: Χρόνος που δαπανήθηκε
842 text_journal_added: "%{label} %{value} added"
842 text_journal_added: "%{label} %{value} added"
843 field_active: Active
843 field_active: Active
844 enumeration_system_activity: System Activity
844 enumeration_system_activity: System Activity
845 permission_delete_issue_watchers: Delete watchers
845 permission_delete_issue_watchers: Delete watchers
846 version_status_closed: closed
846 version_status_closed: closed
847 version_status_locked: locked
847 version_status_locked: locked
848 version_status_open: open
848 version_status_open: open
849 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
849 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
850 label_user_anonymous: Anonymous
850 label_user_anonymous: Anonymous
851 button_move_and_follow: Move and follow
851 button_move_and_follow: Move and follow
852 setting_default_projects_modules: Default enabled modules for new projects
852 setting_default_projects_modules: Default enabled modules for new projects
853 setting_gravatar_default: Default Gravatar image
853 setting_gravatar_default: Default Gravatar image
854 field_sharing: Sharing
854 field_sharing: Sharing
855 label_version_sharing_hierarchy: With project hierarchy
855 label_version_sharing_hierarchy: With project hierarchy
856 label_version_sharing_system: With all projects
856 label_version_sharing_system: With all projects
857 label_version_sharing_descendants: With subprojects
857 label_version_sharing_descendants: With subprojects
858 label_version_sharing_tree: With project tree
858 label_version_sharing_tree: With project tree
859 label_version_sharing_none: Not shared
859 label_version_sharing_none: Not shared
860 error_can_not_archive_project: This project can not be archived
860 error_can_not_archive_project: This project can not be archived
861 button_duplicate: Duplicate
861 button_duplicate: Duplicate
862 button_copy_and_follow: Copy and follow
862 button_copy_and_follow: Copy and follow
863 label_copy_source: Source
863 label_copy_source: Source
864 setting_issue_done_ratio: Calculate the issue done ratio with
864 setting_issue_done_ratio: Calculate the issue done ratio with
865 setting_issue_done_ratio_issue_status: Use the issue status
865 setting_issue_done_ratio_issue_status: Use the issue status
866 error_issue_done_ratios_not_updated: Issue done ratios not updated.
866 error_issue_done_ratios_not_updated: Issue done ratios not updated.
867 error_workflow_copy_target: Please select target tracker(s) and role(s)
867 error_workflow_copy_target: Please select target tracker(s) and role(s)
868 setting_issue_done_ratio_issue_field: Use the issue field
868 setting_issue_done_ratio_issue_field: Use the issue field
869 label_copy_same_as_target: Same as target
869 label_copy_same_as_target: Same as target
870 label_copy_target: Target
870 label_copy_target: Target
871 notice_issue_done_ratios_updated: Issue done ratios updated.
871 notice_issue_done_ratios_updated: Issue done ratios updated.
872 error_workflow_copy_source: Please select a source tracker or role
872 error_workflow_copy_source: Please select a source tracker or role
873 label_update_issue_done_ratios: Update issue done ratios
873 label_update_issue_done_ratios: Update issue done ratios
874 setting_start_of_week: Start calendars on
874 setting_start_of_week: Start calendars on
875 permission_view_issues: View Issues
875 permission_view_issues: View Issues
876 label_display_used_statuses_only: Only display statuses that are used by this tracker
876 label_display_used_statuses_only: Only display statuses that are used by this tracker
877 label_revision_id: Revision %{value}
877 label_revision_id: Revision %{value}
878 label_api_access_key: API access key
878 label_api_access_key: API access key
879 label_api_access_key_created_on: API access key created %{value} ago
879 label_api_access_key_created_on: API access key created %{value} ago
880 label_feeds_access_key: RSS access key
880 label_feeds_access_key: RSS access key
881 notice_api_access_key_reseted: Your API access key was reset.
881 notice_api_access_key_reseted: Your API access key was reset.
882 setting_rest_api_enabled: Enable REST web service
882 setting_rest_api_enabled: Enable REST web service
883 label_missing_api_access_key: Missing an API access key
883 label_missing_api_access_key: Missing an API access key
884 label_missing_feeds_access_key: Missing a RSS access key
884 label_missing_feeds_access_key: Missing a RSS access key
885 button_show: Show
885 button_show: Show
886 text_line_separated: Multiple values allowed (one line for each value).
886 text_line_separated: Multiple values allowed (one line for each value).
887 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
887 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
888 permission_add_subprojects: Create subprojects
888 permission_add_subprojects: Create subprojects
889 label_subproject_new: New subproject
889 label_subproject_new: New subproject
890 text_own_membership_delete_confirmation: |-
890 text_own_membership_delete_confirmation: |-
891 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
891 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
892 Are you sure you want to continue?
892 Are you sure you want to continue?
893 label_close_versions: Close completed versions
893 label_close_versions: Close completed versions
894 label_board_sticky: Sticky
894 label_board_sticky: Sticky
895 label_board_locked: Locked
895 label_board_locked: Locked
896 permission_export_wiki_pages: Export wiki pages
896 permission_export_wiki_pages: Export wiki pages
897 setting_cache_formatted_text: Cache formatted text
897 setting_cache_formatted_text: Cache formatted text
898 permission_manage_project_activities: Manage project activities
898 permission_manage_project_activities: Manage project activities
899 error_unable_delete_issue_status: Unable to delete issue status
899 error_unable_delete_issue_status: Unable to delete issue status
900 label_profile: Profile
900 label_profile: Profile
901 permission_manage_subtasks: Manage subtasks
901 permission_manage_subtasks: Manage subtasks
902 field_parent_issue: Parent task
902 field_parent_issue: Parent task
903 label_subtask_plural: Subtasks
903 label_subtask_plural: Subtasks
904 label_project_copy_notifications: Send email notifications during the project copy
904 label_project_copy_notifications: Send email notifications during the project copy
905 error_can_not_delete_custom_field: Unable to delete custom field
905 error_can_not_delete_custom_field: Unable to delete custom field
906 error_unable_to_connect: Unable to connect (%{value})
906 error_unable_to_connect: Unable to connect (%{value})
907 error_can_not_remove_role: This role is in use and can not be deleted.
907 error_can_not_remove_role: This role is in use and can not be deleted.
908 error_can_not_delete_tracker: This tracker contains issues and can't be deleted.
908 error_can_not_delete_tracker: This tracker contains issues and can't be deleted.
909 field_principal: Principal
909 field_principal: Principal
910 label_my_page_block: My page block
910 label_my_page_block: My page block
911 notice_failed_to_save_members: "Failed to save member(s): %{errors}."
911 notice_failed_to_save_members: "Failed to save member(s): %{errors}."
912 text_zoom_out: Zoom out
912 text_zoom_out: Zoom out
913 text_zoom_in: Zoom in
913 text_zoom_in: Zoom in
914 notice_unable_delete_time_entry: Unable to delete time log entry.
914 notice_unable_delete_time_entry: Unable to delete time log entry.
915 label_overall_spent_time: Overall spent time
915 label_overall_spent_time: Overall spent time
916 field_time_entries: Log time
916 field_time_entries: Log time
917 project_module_gantt: Gantt
917 project_module_gantt: Gantt
918 project_module_calendar: Calendar
918 project_module_calendar: Calendar
919 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
919 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
920 text_are_you_sure_with_children: Delete issue and all child issues?
920 text_are_you_sure_with_children: Delete issue and all child issues?
921 field_text: Text field
921 field_text: Text field
922 label_user_mail_option_only_owner: Only for things I am the owner of
922 label_user_mail_option_only_owner: Only for things I am the owner of
923 setting_default_notification_option: Default notification option
923 setting_default_notification_option: Default notification option
924 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
924 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
925 label_user_mail_option_only_assigned: Only for things I am assigned to
925 label_user_mail_option_only_assigned: Only for things I am assigned to
926 label_user_mail_option_none: No events
926 label_user_mail_option_none: No events
927 field_member_of_group: Assignee's group
927 field_member_of_group: Assignee's group
928 field_assigned_to_role: Assignee's role
928 field_assigned_to_role: Assignee's role
929 notice_not_authorized_archived_project: The project you're trying to access has been archived.
929 notice_not_authorized_archived_project: The project you're trying to access has been archived.
930 label_principal_search: "Search for user or group:"
930 label_principal_search: "Search for user or group:"
931 label_user_search: "Search for user:"
931 label_user_search: "Search for user:"
932 field_visible: Visible
932 field_visible: Visible
933 setting_emails_header: Emails header
933 setting_emails_header: Emails header
934 setting_commit_logtime_activity_id: Activity for logged time
934 setting_commit_logtime_activity_id: Activity for logged time
935 text_time_logged_by_changeset: Applied in changeset %{value}.
935 text_time_logged_by_changeset: Applied in changeset %{value}.
936 setting_commit_logtime_enabled: Enable time logging
936 setting_commit_logtime_enabled: Enable time logging
937 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
937 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
938 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
938 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
939 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
939 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
940 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
940 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
941 label_my_queries: My custom queries
941 label_my_queries: My custom queries
942 text_journal_changed_no_detail: "%{label} updated"
942 text_journal_changed_no_detail: "%{label} updated"
943 label_news_comment_added: Comment added to a news
943 label_news_comment_added: Comment added to a news
944 button_expand_all: Expand all
944 button_expand_all: Expand all
945 button_collapse_all: Collapse all
945 button_collapse_all: Collapse all
946 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
946 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
947 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
947 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
948 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
948 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
949 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
949 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
950 label_role_anonymous: Anonymous
950 label_role_anonymous: Anonymous
951 label_role_non_member: Non member
951 label_role_non_member: Non member
952 label_issue_note_added: Note added
952 label_issue_note_added: Note added
953 label_issue_status_updated: Status updated
953 label_issue_status_updated: Status updated
954 label_issue_priority_updated: Priority updated
954 label_issue_priority_updated: Priority updated
955 label_issues_visibility_own: Issues created by or assigned to the user
955 label_issues_visibility_own: Issues created by or assigned to the user
956 field_issues_visibility: Issues visibility
956 field_issues_visibility: Issues visibility
957 label_issues_visibility_all: All issues
957 label_issues_visibility_all: All issues
958 permission_set_own_issues_private: Set own issues public or private
958 permission_set_own_issues_private: Set own issues public or private
959 field_is_private: Private
959 field_is_private: Private
960 permission_set_issues_private: Set issues public or private
960 permission_set_issues_private: Set issues public or private
961 label_issues_visibility_public: All non private issues
961 label_issues_visibility_public: All non private issues
962 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
962 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
963 field_commit_logs_encoding: Κωδικοποίηση μηνυμάτων commit
963 field_commit_logs_encoding: Κωδικοποίηση μηνυμάτων commit
964 field_scm_path_encoding: Path encoding
964 field_scm_path_encoding: Path encoding
965 text_scm_path_encoding_note: "Default: UTF-8"
965 text_scm_path_encoding_note: "Default: UTF-8"
966 field_path_to_repository: Path to repository
966 field_path_to_repository: Path to repository
967 field_root_directory: Root directory
967 field_root_directory: Root directory
968 field_cvs_module: Module
968 field_cvs_module: Module
969 field_cvsroot: CVSROOT
969 field_cvsroot: CVSROOT
970 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
970 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
971 text_scm_command: Command
971 text_scm_command: Command
972 text_scm_command_version: Version
972 text_scm_command_version: Version
973 label_git_report_last_commit: Report last commit for files and directories
973 label_git_report_last_commit: Report last commit for files and directories
974 text_scm_config: You can configure your scm commands in config/configuration.yml. Please restart the application after editing it.
974 text_scm_config: You can configure your scm commands in config/configuration.yml. Please restart the application after editing it.
975 text_scm_command_not_available: Scm command is not available. Please check settings on the administration panel.
975 text_scm_command_not_available: Scm command is not available. Please check settings on the administration panel.
976 notice_issue_successful_create: Issue %{id} created.
976 notice_issue_successful_create: Issue %{id} created.
977 label_between: between
977 label_between: between
978 setting_issue_group_assignment: Allow issue assignment to groups
978 setting_issue_group_assignment: Allow issue assignment to groups
979 label_diff: diff
979 label_diff: diff
980 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
980 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
981 description_query_sort_criteria_direction: Sort direction
981 description_query_sort_criteria_direction: Sort direction
982 description_project_scope: Search scope
982 description_project_scope: Search scope
983 description_filter: Filter
983 description_filter: Filter
984 description_user_mail_notification: Mail notification settings
984 description_user_mail_notification: Mail notification settings
985 description_date_from: Enter start date
985 description_date_from: Enter start date
986 description_message_content: Message content
986 description_message_content: Message content
987 description_available_columns: Available Columns
987 description_available_columns: Available Columns
988 description_date_range_interval: Choose range by selecting start and end date
988 description_date_range_interval: Choose range by selecting start and end date
989 description_issue_category_reassign: Choose issue category
989 description_issue_category_reassign: Choose issue category
990 description_search: Searchfield
990 description_search: Searchfield
991 description_notes: Notes
991 description_notes: Notes
992 description_date_range_list: Choose range from list
992 description_date_range_list: Choose range from list
993 description_choose_project: Projects
993 description_choose_project: Projects
994 description_date_to: Enter end date
994 description_date_to: Enter end date
995 description_query_sort_criteria_attribute: Sort attribute
995 description_query_sort_criteria_attribute: Sort attribute
996 description_wiki_subpages_reassign: Choose new parent page
996 description_wiki_subpages_reassign: Choose new parent page
997 description_selected_columns: Selected Columns
997 description_selected_columns: Selected Columns
998 label_parent_revision: Parent
998 label_parent_revision: Parent
999 label_child_revision: Child
999 label_child_revision: Child
1000 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1000 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1001 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1001 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1002 button_edit_section: Edit this section
1002 button_edit_section: Edit this section
1003 setting_repositories_encodings: Attachments and repositories encodings
1003 setting_repositories_encodings: Attachments and repositories encodings
1004 description_all_columns: All Columns
1004 description_all_columns: All Columns
1005 button_export: Export
1005 button_export: Export
1006 label_export_options: "%{export_format} export options"
1006 label_export_options: "%{export_format} export options"
1007 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1007 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1008 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1008 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1009 label_x_issues:
1009 label_x_issues:
1010 zero: 0 Θέμα
1010 zero: 0 Θέμα
1011 one: 1 Θέμα
1011 one: 1 Θέμα
1012 other: "%{count} Θέματα"
1012 other: "%{count} Θέματα"
1013 label_repository_new: New repository
1013 label_repository_new: New repository
1014 field_repository_is_default: Main repository
1014 field_repository_is_default: Main repository
1015 label_copy_attachments: Copy attachments
1015 label_copy_attachments: Copy attachments
1016 label_item_position: "%{position}/%{count}"
1016 label_item_position: "%{position}/%{count}"
1017 label_completed_versions: Completed versions
1017 label_completed_versions: Completed versions
1018 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1018 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1019 field_multiple: Multiple values
1019 field_multiple: Multiple values
1020 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1020 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1021 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1021 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1022 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1022 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1023 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1023 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1024 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1024 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1025 permission_manage_related_issues: Manage related issues
1025 permission_manage_related_issues: Manage related issues
1026 field_ldap_filter: LDAP filter
@@ -1,1027 +1,1028
1 en-GB:
1 en-GB:
2 direction: ltr
2 direction: ltr
3 date:
3 date:
4 formats:
4 formats:
5 # Use the strftime parameters for formats.
5 # Use the strftime parameters for formats.
6 # When no format has been given, it uses default.
6 # When no format has been given, it uses default.
7 # You can provide other formats here if you like!
7 # You can provide other formats here if you like!
8 default: "%d/%m/%Y"
8 default: "%d/%m/%Y"
9 short: "%d %b"
9 short: "%d %b"
10 long: "%d %B, %Y"
10 long: "%d %B, %Y"
11
11
12 day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday]
12 day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday]
13 abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat]
13 abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat]
14
14
15 # Don't forget the nil at the beginning; there's no such thing as a 0th month
15 # Don't forget the nil at the beginning; there's no such thing as a 0th month
16 month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December]
16 month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December]
17 abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec]
17 abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec]
18 # Used in date_select and datime_select.
18 # Used in date_select and datime_select.
19 order:
19 order:
20 - :year
20 - :year
21 - :month
21 - :month
22 - :day
22 - :day
23
23
24 time:
24 time:
25 formats:
25 formats:
26 default: "%d/%m/%Y %I:%M %p"
26 default: "%d/%m/%Y %I:%M %p"
27 time: "%I:%M %p"
27 time: "%I:%M %p"
28 short: "%d %b %H:%M"
28 short: "%d %b %H:%M"
29 long: "%d %B, %Y %H:%M"
29 long: "%d %B, %Y %H:%M"
30 am: "am"
30 am: "am"
31 pm: "pm"
31 pm: "pm"
32
32
33 datetime:
33 datetime:
34 distance_in_words:
34 distance_in_words:
35 half_a_minute: "half a minute"
35 half_a_minute: "half a minute"
36 less_than_x_seconds:
36 less_than_x_seconds:
37 one: "less than 1 second"
37 one: "less than 1 second"
38 other: "less than %{count} seconds"
38 other: "less than %{count} seconds"
39 x_seconds:
39 x_seconds:
40 one: "1 second"
40 one: "1 second"
41 other: "%{count} seconds"
41 other: "%{count} seconds"
42 less_than_x_minutes:
42 less_than_x_minutes:
43 one: "less than a minute"
43 one: "less than a minute"
44 other: "less than %{count} minutes"
44 other: "less than %{count} minutes"
45 x_minutes:
45 x_minutes:
46 one: "1 minute"
46 one: "1 minute"
47 other: "%{count} minutes"
47 other: "%{count} minutes"
48 about_x_hours:
48 about_x_hours:
49 one: "about 1 hour"
49 one: "about 1 hour"
50 other: "about %{count} hours"
50 other: "about %{count} hours"
51 x_days:
51 x_days:
52 one: "1 day"
52 one: "1 day"
53 other: "%{count} days"
53 other: "%{count} days"
54 about_x_months:
54 about_x_months:
55 one: "about 1 month"
55 one: "about 1 month"
56 other: "about %{count} months"
56 other: "about %{count} months"
57 x_months:
57 x_months:
58 one: "1 month"
58 one: "1 month"
59 other: "%{count} months"
59 other: "%{count} months"
60 about_x_years:
60 about_x_years:
61 one: "about 1 year"
61 one: "about 1 year"
62 other: "about %{count} years"
62 other: "about %{count} years"
63 over_x_years:
63 over_x_years:
64 one: "over 1 year"
64 one: "over 1 year"
65 other: "over %{count} years"
65 other: "over %{count} years"
66 almost_x_years:
66 almost_x_years:
67 one: "almost 1 year"
67 one: "almost 1 year"
68 other: "almost %{count} years"
68 other: "almost %{count} years"
69
69
70 number:
70 number:
71 format:
71 format:
72 separator: "."
72 separator: "."
73 delimiter: " "
73 delimiter: " "
74 precision: 3
74 precision: 3
75
75
76 currency:
76 currency:
77 format:
77 format:
78 format: "%u%n"
78 format: "%u%n"
79 unit: "£"
79 unit: "£"
80
80
81 human:
81 human:
82 format:
82 format:
83 delimiter: ""
83 delimiter: ""
84 precision: 1
84 precision: 1
85 storage_units:
85 storage_units:
86 format: "%n %u"
86 format: "%n %u"
87 units:
87 units:
88 byte:
88 byte:
89 one: "Byte"
89 one: "Byte"
90 other: "Bytes"
90 other: "Bytes"
91 kb: "kB"
91 kb: "kB"
92 mb: "MB"
92 mb: "MB"
93 gb: "GB"
93 gb: "GB"
94 tb: "TB"
94 tb: "TB"
95
95
96 # Used in array.to_sentence.
96 # Used in array.to_sentence.
97 support:
97 support:
98 array:
98 array:
99 sentence_connector: "and"
99 sentence_connector: "and"
100 skip_last_comma: false
100 skip_last_comma: false
101
101
102 activerecord:
102 activerecord:
103 errors:
103 errors:
104 template:
104 template:
105 header:
105 header:
106 one: "1 error prohibited this %{model} from being saved"
106 one: "1 error prohibited this %{model} from being saved"
107 other: "%{count} errors prohibited this %{model} from being saved"
107 other: "%{count} errors prohibited this %{model} from being saved"
108 messages:
108 messages:
109 inclusion: "is not included in the list"
109 inclusion: "is not included in the list"
110 exclusion: "is reserved"
110 exclusion: "is reserved"
111 invalid: "is invalid"
111 invalid: "is invalid"
112 confirmation: "doesn't match confirmation"
112 confirmation: "doesn't match confirmation"
113 accepted: "must be accepted"
113 accepted: "must be accepted"
114 empty: "can't be empty"
114 empty: "can't be empty"
115 blank: "can't be blank"
115 blank: "can't be blank"
116 too_long: "is too long (maximum is %{count} characters)"
116 too_long: "is too long (maximum is %{count} characters)"
117 too_short: "is too short (minimum is %{count} characters)"
117 too_short: "is too short (minimum is %{count} characters)"
118 wrong_length: "is the wrong length (should be %{count} characters)"
118 wrong_length: "is the wrong length (should be %{count} characters)"
119 taken: "has already been taken"
119 taken: "has already been taken"
120 not_a_number: "is not a number"
120 not_a_number: "is not a number"
121 not_a_date: "is not a valid date"
121 not_a_date: "is not a valid date"
122 greater_than: "must be greater than %{count}"
122 greater_than: "must be greater than %{count}"
123 greater_than_or_equal_to: "must be greater than or equal to %{count}"
123 greater_than_or_equal_to: "must be greater than or equal to %{count}"
124 equal_to: "must be equal to %{count}"
124 equal_to: "must be equal to %{count}"
125 less_than: "must be less than %{count}"
125 less_than: "must be less than %{count}"
126 less_than_or_equal_to: "must be less than or equal to %{count}"
126 less_than_or_equal_to: "must be less than or equal to %{count}"
127 odd: "must be odd"
127 odd: "must be odd"
128 even: "must be even"
128 even: "must be even"
129 greater_than_start_date: "must be greater than start date"
129 greater_than_start_date: "must be greater than start date"
130 not_same_project: "doesn't belong to the same project"
130 not_same_project: "doesn't belong to the same project"
131 circular_dependency: "This relation would create a circular dependency"
131 circular_dependency: "This relation would create a circular dependency"
132 cant_link_an_issue_with_a_descendant: "An issue cannot be linked to one of its subtasks"
132 cant_link_an_issue_with_a_descendant: "An issue cannot be linked to one of its subtasks"
133
133
134 actionview_instancetag_blank_option: Please select
134 actionview_instancetag_blank_option: Please select
135
135
136 general_text_No: 'No'
136 general_text_No: 'No'
137 general_text_Yes: 'Yes'
137 general_text_Yes: 'Yes'
138 general_text_no: 'no'
138 general_text_no: 'no'
139 general_text_yes: 'yes'
139 general_text_yes: 'yes'
140 general_lang_name: 'English (British)'
140 general_lang_name: 'English (British)'
141 general_csv_separator: ','
141 general_csv_separator: ','
142 general_csv_decimal_separator: '.'
142 general_csv_decimal_separator: '.'
143 general_csv_encoding: ISO-8859-1
143 general_csv_encoding: ISO-8859-1
144 general_pdf_encoding: UTF-8
144 general_pdf_encoding: UTF-8
145 general_first_day_of_week: '1'
145 general_first_day_of_week: '1'
146
146
147 notice_account_updated: Account was successfully updated.
147 notice_account_updated: Account was successfully updated.
148 notice_account_invalid_creditentials: Invalid user or password
148 notice_account_invalid_creditentials: Invalid user or password
149 notice_account_password_updated: Password was successfully updated.
149 notice_account_password_updated: Password was successfully updated.
150 notice_account_wrong_password: Wrong password
150 notice_account_wrong_password: Wrong password
151 notice_account_register_done: Account was successfully created. To activate your account, click on the link that was emailed to you.
151 notice_account_register_done: Account was successfully created. To activate your account, click on the link that was emailed to you.
152 notice_account_unknown_email: Unknown user.
152 notice_account_unknown_email: Unknown user.
153 notice_can_t_change_password: This account uses an external authentication source. Impossible to change the password.
153 notice_can_t_change_password: This account uses an external authentication source. Impossible to change the password.
154 notice_account_lost_email_sent: An email with instructions to choose a new password has been sent to you.
154 notice_account_lost_email_sent: An email with instructions to choose a new password has been sent to you.
155 notice_account_activated: Your account has been activated. You can now log in.
155 notice_account_activated: Your account has been activated. You can now log in.
156 notice_successful_create: Successful creation.
156 notice_successful_create: Successful creation.
157 notice_successful_update: Successful update.
157 notice_successful_update: Successful update.
158 notice_successful_delete: Successful deletion.
158 notice_successful_delete: Successful deletion.
159 notice_successful_connection: Successful connection.
159 notice_successful_connection: Successful connection.
160 notice_file_not_found: The page you were trying to access doesn't exist or has been removed.
160 notice_file_not_found: The page you were trying to access doesn't exist or has been removed.
161 notice_locking_conflict: Data has been updated by another user.
161 notice_locking_conflict: Data has been updated by another user.
162 notice_not_authorized: You are not authorised to access this page.
162 notice_not_authorized: You are not authorised to access this page.
163 notice_not_authorized_archived_project: The project you're trying to access has been archived.
163 notice_not_authorized_archived_project: The project you're trying to access has been archived.
164 notice_email_sent: "An email was sent to %{value}"
164 notice_email_sent: "An email was sent to %{value}"
165 notice_email_error: "An error occurred while sending mail (%{value})"
165 notice_email_error: "An error occurred while sending mail (%{value})"
166 notice_feeds_access_key_reseted: Your RSS access key was reset.
166 notice_feeds_access_key_reseted: Your RSS access key was reset.
167 notice_api_access_key_reseted: Your API access key was reset.
167 notice_api_access_key_reseted: Your API access key was reset.
168 notice_failed_to_save_issues: "Failed to save %{count} issue(s) on %{total} selected: %{ids}."
168 notice_failed_to_save_issues: "Failed to save %{count} issue(s) on %{total} selected: %{ids}."
169 notice_failed_to_save_members: "Failed to save member(s): %{errors}."
169 notice_failed_to_save_members: "Failed to save member(s): %{errors}."
170 notice_no_issue_selected: "No issue is selected! Please, check the issues you want to edit."
170 notice_no_issue_selected: "No issue is selected! Please, check the issues you want to edit."
171 notice_account_pending: "Your account was created and is now pending administrator approval."
171 notice_account_pending: "Your account was created and is now pending administrator approval."
172 notice_default_data_loaded: Default configuration successfully loaded.
172 notice_default_data_loaded: Default configuration successfully loaded.
173 notice_unable_delete_version: Unable to delete version.
173 notice_unable_delete_version: Unable to delete version.
174 notice_unable_delete_time_entry: Unable to delete time log entry.
174 notice_unable_delete_time_entry: Unable to delete time log entry.
175 notice_issue_done_ratios_updated: Issue done ratios updated.
175 notice_issue_done_ratios_updated: Issue done ratios updated.
176 notice_gantt_chart_truncated: "The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})"
176 notice_gantt_chart_truncated: "The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})"
177
177
178 error_can_t_load_default_data: "Default configuration could not be loaded: %{value}"
178 error_can_t_load_default_data: "Default configuration could not be loaded: %{value}"
179 error_scm_not_found: "The entry or revision was not found in the repository."
179 error_scm_not_found: "The entry or revision was not found in the repository."
180 error_scm_command_failed: "An error occurred when trying to access the repository: %{value}"
180 error_scm_command_failed: "An error occurred when trying to access the repository: %{value}"
181 error_scm_annotate: "The entry does not exist or cannot be annotated."
181 error_scm_annotate: "The entry does not exist or cannot be annotated."
182 error_scm_annotate_big_text_file: "The entry cannot be annotated, as it exceeds the maximum text file size."
182 error_scm_annotate_big_text_file: "The entry cannot be annotated, as it exceeds the maximum text file size."
183 error_issue_not_found_in_project: 'The issue was not found or does not belong to this project'
183 error_issue_not_found_in_project: 'The issue was not found or does not belong to this project'
184 error_no_tracker_in_project: 'No tracker is associated to this project. Please check the Project settings.'
184 error_no_tracker_in_project: 'No tracker is associated to this project. Please check the Project settings.'
185 error_no_default_issue_status: 'No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").'
185 error_no_default_issue_status: 'No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").'
186 error_can_not_delete_custom_field: Unable to delete custom field
186 error_can_not_delete_custom_field: Unable to delete custom field
187 error_can_not_delete_tracker: "This tracker contains issues and cannot be deleted."
187 error_can_not_delete_tracker: "This tracker contains issues and cannot be deleted."
188 error_can_not_remove_role: "This role is in use and cannot be deleted."
188 error_can_not_remove_role: "This role is in use and cannot be deleted."
189 error_can_not_reopen_issue_on_closed_version: 'An issue assigned to a closed version cannot be reopened'
189 error_can_not_reopen_issue_on_closed_version: 'An issue assigned to a closed version cannot be reopened'
190 error_can_not_archive_project: This project cannot be archived
190 error_can_not_archive_project: This project cannot be archived
191 error_issue_done_ratios_not_updated: "Issue done ratios not updated."
191 error_issue_done_ratios_not_updated: "Issue done ratios not updated."
192 error_workflow_copy_source: 'Please select a source tracker or role'
192 error_workflow_copy_source: 'Please select a source tracker or role'
193 error_workflow_copy_target: 'Please select target tracker(s) and role(s)'
193 error_workflow_copy_target: 'Please select target tracker(s) and role(s)'
194 error_unable_delete_issue_status: 'Unable to delete issue status'
194 error_unable_delete_issue_status: 'Unable to delete issue status'
195 error_unable_to_connect: "Unable to connect (%{value})"
195 error_unable_to_connect: "Unable to connect (%{value})"
196 warning_attachments_not_saved: "%{count} file(s) could not be saved."
196 warning_attachments_not_saved: "%{count} file(s) could not be saved."
197
197
198 mail_subject_lost_password: "Your %{value} password"
198 mail_subject_lost_password: "Your %{value} password"
199 mail_body_lost_password: 'To change your password, click on the following link:'
199 mail_body_lost_password: 'To change your password, click on the following link:'
200 mail_subject_register: "Your %{value} account activation"
200 mail_subject_register: "Your %{value} account activation"
201 mail_body_register: 'To activate your account, click on the following link:'
201 mail_body_register: 'To activate your account, click on the following link:'
202 mail_body_account_information_external: "You can use your %{value} account to log in."
202 mail_body_account_information_external: "You can use your %{value} account to log in."
203 mail_body_account_information: Your account information
203 mail_body_account_information: Your account information
204 mail_subject_account_activation_request: "%{value} account activation request"
204 mail_subject_account_activation_request: "%{value} account activation request"
205 mail_body_account_activation_request: "A new user (%{value}) has registered. The account is pending your approval:"
205 mail_body_account_activation_request: "A new user (%{value}) has registered. The account is pending your approval:"
206 mail_subject_reminder: "%{count} issue(s) due in the next %{days} days"
206 mail_subject_reminder: "%{count} issue(s) due in the next %{days} days"
207 mail_body_reminder: "%{count} issue(s) that are assigned to you are due in the next %{days} days:"
207 mail_body_reminder: "%{count} issue(s) that are assigned to you are due in the next %{days} days:"
208 mail_subject_wiki_content_added: "'%{id}' wiki page has been added"
208 mail_subject_wiki_content_added: "'%{id}' wiki page has been added"
209 mail_body_wiki_content_added: "The '%{id}' wiki page has been added by %{author}."
209 mail_body_wiki_content_added: "The '%{id}' wiki page has been added by %{author}."
210 mail_subject_wiki_content_updated: "'%{id}' wiki page has been updated"
210 mail_subject_wiki_content_updated: "'%{id}' wiki page has been updated"
211 mail_body_wiki_content_updated: "The '%{id}' wiki page has been updated by %{author}."
211 mail_body_wiki_content_updated: "The '%{id}' wiki page has been updated by %{author}."
212
212
213 gui_validation_error: 1 error
213 gui_validation_error: 1 error
214 gui_validation_error_plural: "%{count} errors"
214 gui_validation_error_plural: "%{count} errors"
215
215
216 field_name: Name
216 field_name: Name
217 field_description: Description
217 field_description: Description
218 field_summary: Summary
218 field_summary: Summary
219 field_is_required: Required
219 field_is_required: Required
220 field_firstname: First name
220 field_firstname: First name
221 field_lastname: Last name
221 field_lastname: Last name
222 field_mail: Email
222 field_mail: Email
223 field_filename: File
223 field_filename: File
224 field_filesize: Size
224 field_filesize: Size
225 field_downloads: Downloads
225 field_downloads: Downloads
226 field_author: Author
226 field_author: Author
227 field_created_on: Created
227 field_created_on: Created
228 field_updated_on: Updated
228 field_updated_on: Updated
229 field_field_format: Format
229 field_field_format: Format
230 field_is_for_all: For all projects
230 field_is_for_all: For all projects
231 field_possible_values: Possible values
231 field_possible_values: Possible values
232 field_regexp: Regular expression
232 field_regexp: Regular expression
233 field_min_length: Minimum length
233 field_min_length: Minimum length
234 field_max_length: Maximum length
234 field_max_length: Maximum length
235 field_value: Value
235 field_value: Value
236 field_category: Category
236 field_category: Category
237 field_title: Title
237 field_title: Title
238 field_project: Project
238 field_project: Project
239 field_issue: Issue
239 field_issue: Issue
240 field_status: Status
240 field_status: Status
241 field_notes: Notes
241 field_notes: Notes
242 field_is_closed: Issue closed
242 field_is_closed: Issue closed
243 field_is_default: Default value
243 field_is_default: Default value
244 field_tracker: Tracker
244 field_tracker: Tracker
245 field_subject: Subject
245 field_subject: Subject
246 field_due_date: Due date
246 field_due_date: Due date
247 field_assigned_to: Assignee
247 field_assigned_to: Assignee
248 field_priority: Priority
248 field_priority: Priority
249 field_fixed_version: Target version
249 field_fixed_version: Target version
250 field_user: User
250 field_user: User
251 field_principal: Principal
251 field_principal: Principal
252 field_role: Role
252 field_role: Role
253 field_homepage: Homepage
253 field_homepage: Homepage
254 field_is_public: Public
254 field_is_public: Public
255 field_parent: Subproject of
255 field_parent: Subproject of
256 field_is_in_roadmap: Issues displayed in roadmap
256 field_is_in_roadmap: Issues displayed in roadmap
257 field_login: Login
257 field_login: Login
258 field_mail_notification: Email notifications
258 field_mail_notification: Email notifications
259 field_admin: Administrator
259 field_admin: Administrator
260 field_last_login_on: Last connection
260 field_last_login_on: Last connection
261 field_language: Language
261 field_language: Language
262 field_effective_date: Date
262 field_effective_date: Date
263 field_password: Password
263 field_password: Password
264 field_new_password: New password
264 field_new_password: New password
265 field_password_confirmation: Confirmation
265 field_password_confirmation: Confirmation
266 field_version: Version
266 field_version: Version
267 field_type: Type
267 field_type: Type
268 field_host: Host
268 field_host: Host
269 field_port: Port
269 field_port: Port
270 field_account: Account
270 field_account: Account
271 field_base_dn: Base DN
271 field_base_dn: Base DN
272 field_attr_login: Login attribute
272 field_attr_login: Login attribute
273 field_attr_firstname: Firstname attribute
273 field_attr_firstname: Firstname attribute
274 field_attr_lastname: Lastname attribute
274 field_attr_lastname: Lastname attribute
275 field_attr_mail: Email attribute
275 field_attr_mail: Email attribute
276 field_onthefly: On-the-fly user creation
276 field_onthefly: On-the-fly user creation
277 field_start_date: Start date
277 field_start_date: Start date
278 field_done_ratio: "% Done"
278 field_done_ratio: "% Done"
279 field_auth_source: Authentication mode
279 field_auth_source: Authentication mode
280 field_hide_mail: Hide my email address
280 field_hide_mail: Hide my email address
281 field_comments: Comment
281 field_comments: Comment
282 field_url: URL
282 field_url: URL
283 field_start_page: Start page
283 field_start_page: Start page
284 field_subproject: Subproject
284 field_subproject: Subproject
285 field_hours: Hours
285 field_hours: Hours
286 field_activity: Activity
286 field_activity: Activity
287 field_spent_on: Date
287 field_spent_on: Date
288 field_identifier: Identifier
288 field_identifier: Identifier
289 field_is_filter: Used as a filter
289 field_is_filter: Used as a filter
290 field_issue_to: Related issue
290 field_issue_to: Related issue
291 field_delay: Delay
291 field_delay: Delay
292 field_assignable: Issues can be assigned to this role
292 field_assignable: Issues can be assigned to this role
293 field_redirect_existing_links: Redirect existing links
293 field_redirect_existing_links: Redirect existing links
294 field_estimated_hours: Estimated time
294 field_estimated_hours: Estimated time
295 field_column_names: Columns
295 field_column_names: Columns
296 field_time_entries: Log time
296 field_time_entries: Log time
297 field_time_zone: Time zone
297 field_time_zone: Time zone
298 field_searchable: Searchable
298 field_searchable: Searchable
299 field_default_value: Default value
299 field_default_value: Default value
300 field_comments_sorting: Display comments
300 field_comments_sorting: Display comments
301 field_parent_title: Parent page
301 field_parent_title: Parent page
302 field_editable: Editable
302 field_editable: Editable
303 field_watcher: Watcher
303 field_watcher: Watcher
304 field_identity_url: OpenID URL
304 field_identity_url: OpenID URL
305 field_content: Content
305 field_content: Content
306 field_group_by: Group results by
306 field_group_by: Group results by
307 field_sharing: Sharing
307 field_sharing: Sharing
308 field_parent_issue: Parent task
308 field_parent_issue: Parent task
309 field_member_of_group: "Assignee's group"
309 field_member_of_group: "Assignee's group"
310 field_assigned_to_role: "Assignee's role"
310 field_assigned_to_role: "Assignee's role"
311 field_text: Text field
311 field_text: Text field
312 field_visible: Visible
312 field_visible: Visible
313 field_warn_on_leaving_unsaved: "Warn me when leaving a page with unsaved text"
313 field_warn_on_leaving_unsaved: "Warn me when leaving a page with unsaved text"
314
314
315 setting_app_title: Application title
315 setting_app_title: Application title
316 setting_app_subtitle: Application subtitle
316 setting_app_subtitle: Application subtitle
317 setting_welcome_text: Welcome text
317 setting_welcome_text: Welcome text
318 setting_default_language: Default language
318 setting_default_language: Default language
319 setting_login_required: Authentication required
319 setting_login_required: Authentication required
320 setting_self_registration: Self-registration
320 setting_self_registration: Self-registration
321 setting_attachment_max_size: Attachment max. size
321 setting_attachment_max_size: Attachment max. size
322 setting_issues_export_limit: Issues export limit
322 setting_issues_export_limit: Issues export limit
323 setting_mail_from: Emission email address
323 setting_mail_from: Emission email address
324 setting_bcc_recipients: Blind carbon copy recipients (bcc)
324 setting_bcc_recipients: Blind carbon copy recipients (bcc)
325 setting_plain_text_mail: Plain text mail (no HTML)
325 setting_plain_text_mail: Plain text mail (no HTML)
326 setting_host_name: Host name and path
326 setting_host_name: Host name and path
327 setting_text_formatting: Text formatting
327 setting_text_formatting: Text formatting
328 setting_wiki_compression: Wiki history compression
328 setting_wiki_compression: Wiki history compression
329 setting_feeds_limit: Feed content limit
329 setting_feeds_limit: Feed content limit
330 setting_default_projects_public: New projects are public by default
330 setting_default_projects_public: New projects are public by default
331 setting_autofetch_changesets: Autofetch commits
331 setting_autofetch_changesets: Autofetch commits
332 setting_sys_api_enabled: Enable WS for repository management
332 setting_sys_api_enabled: Enable WS for repository management
333 setting_commit_ref_keywords: Referencing keywords
333 setting_commit_ref_keywords: Referencing keywords
334 setting_commit_fix_keywords: Fixing keywords
334 setting_commit_fix_keywords: Fixing keywords
335 setting_autologin: Autologin
335 setting_autologin: Autologin
336 setting_date_format: Date format
336 setting_date_format: Date format
337 setting_time_format: Time format
337 setting_time_format: Time format
338 setting_cross_project_issue_relations: Allow cross-project issue relations
338 setting_cross_project_issue_relations: Allow cross-project issue relations
339 setting_issue_list_default_columns: Default columns displayed on the issue list
339 setting_issue_list_default_columns: Default columns displayed on the issue list
340 setting_emails_header: Emails header
340 setting_emails_header: Emails header
341 setting_emails_footer: Emails footer
341 setting_emails_footer: Emails footer
342 setting_protocol: Protocol
342 setting_protocol: Protocol
343 setting_per_page_options: Objects per page options
343 setting_per_page_options: Objects per page options
344 setting_user_format: Users display format
344 setting_user_format: Users display format
345 setting_activity_days_default: Days displayed on project activity
345 setting_activity_days_default: Days displayed on project activity
346 setting_display_subprojects_issues: Display subprojects issues on main projects by default
346 setting_display_subprojects_issues: Display subprojects issues on main projects by default
347 setting_enabled_scm: Enabled SCM
347 setting_enabled_scm: Enabled SCM
348 setting_mail_handler_body_delimiters: "Truncate emails after one of these lines"
348 setting_mail_handler_body_delimiters: "Truncate emails after one of these lines"
349 setting_mail_handler_api_enabled: Enable WS for incoming emails
349 setting_mail_handler_api_enabled: Enable WS for incoming emails
350 setting_mail_handler_api_key: API key
350 setting_mail_handler_api_key: API key
351 setting_sequential_project_identifiers: Generate sequential project identifiers
351 setting_sequential_project_identifiers: Generate sequential project identifiers
352 setting_gravatar_enabled: Use Gravatar user icons
352 setting_gravatar_enabled: Use Gravatar user icons
353 setting_gravatar_default: Default Gravatar image
353 setting_gravatar_default: Default Gravatar image
354 setting_diff_max_lines_displayed: Max number of diff lines displayed
354 setting_diff_max_lines_displayed: Max number of diff lines displayed
355 setting_file_max_size_displayed: Max size of text files displayed inline
355 setting_file_max_size_displayed: Max size of text files displayed inline
356 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
356 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
357 setting_openid: Allow OpenID login and registration
357 setting_openid: Allow OpenID login and registration
358 setting_password_min_length: Minimum password length
358 setting_password_min_length: Minimum password length
359 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
359 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
360 setting_default_projects_modules: Default enabled modules for new projects
360 setting_default_projects_modules: Default enabled modules for new projects
361 setting_issue_done_ratio: Calculate the issue done ratio with
361 setting_issue_done_ratio: Calculate the issue done ratio with
362 setting_issue_done_ratio_issue_field: Use the issue field
362 setting_issue_done_ratio_issue_field: Use the issue field
363 setting_issue_done_ratio_issue_status: Use the issue status
363 setting_issue_done_ratio_issue_status: Use the issue status
364 setting_start_of_week: Start calendars on
364 setting_start_of_week: Start calendars on
365 setting_rest_api_enabled: Enable REST web service
365 setting_rest_api_enabled: Enable REST web service
366 setting_cache_formatted_text: Cache formatted text
366 setting_cache_formatted_text: Cache formatted text
367 setting_default_notification_option: Default notification option
367 setting_default_notification_option: Default notification option
368 setting_commit_logtime_enabled: Enable time logging
368 setting_commit_logtime_enabled: Enable time logging
369 setting_commit_logtime_activity_id: Activity for logged time
369 setting_commit_logtime_activity_id: Activity for logged time
370 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
370 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
371 setting_issue_group_assignment: Allow issue assignment to groups
371 setting_issue_group_assignment: Allow issue assignment to groups
372 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
372 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
373
373
374 permission_add_project: Create project
374 permission_add_project: Create project
375 permission_add_subprojects: Create subprojects
375 permission_add_subprojects: Create subprojects
376 permission_edit_project: Edit project
376 permission_edit_project: Edit project
377 permission_select_project_modules: Select project modules
377 permission_select_project_modules: Select project modules
378 permission_manage_members: Manage members
378 permission_manage_members: Manage members
379 permission_manage_project_activities: Manage project activities
379 permission_manage_project_activities: Manage project activities
380 permission_manage_versions: Manage versions
380 permission_manage_versions: Manage versions
381 permission_manage_categories: Manage issue categories
381 permission_manage_categories: Manage issue categories
382 permission_view_issues: View Issues
382 permission_view_issues: View Issues
383 permission_add_issues: Add issues
383 permission_add_issues: Add issues
384 permission_edit_issues: Edit issues
384 permission_edit_issues: Edit issues
385 permission_manage_issue_relations: Manage issue relations
385 permission_manage_issue_relations: Manage issue relations
386 permission_add_issue_notes: Add notes
386 permission_add_issue_notes: Add notes
387 permission_edit_issue_notes: Edit notes
387 permission_edit_issue_notes: Edit notes
388 permission_edit_own_issue_notes: Edit own notes
388 permission_edit_own_issue_notes: Edit own notes
389 permission_move_issues: Move issues
389 permission_move_issues: Move issues
390 permission_delete_issues: Delete issues
390 permission_delete_issues: Delete issues
391 permission_manage_public_queries: Manage public queries
391 permission_manage_public_queries: Manage public queries
392 permission_save_queries: Save queries
392 permission_save_queries: Save queries
393 permission_view_gantt: View gantt chart
393 permission_view_gantt: View gantt chart
394 permission_view_calendar: View calendar
394 permission_view_calendar: View calendar
395 permission_view_issue_watchers: View watchers list
395 permission_view_issue_watchers: View watchers list
396 permission_add_issue_watchers: Add watchers
396 permission_add_issue_watchers: Add watchers
397 permission_delete_issue_watchers: Delete watchers
397 permission_delete_issue_watchers: Delete watchers
398 permission_log_time: Log spent time
398 permission_log_time: Log spent time
399 permission_view_time_entries: View spent time
399 permission_view_time_entries: View spent time
400 permission_edit_time_entries: Edit time logs
400 permission_edit_time_entries: Edit time logs
401 permission_edit_own_time_entries: Edit own time logs
401 permission_edit_own_time_entries: Edit own time logs
402 permission_manage_news: Manage news
402 permission_manage_news: Manage news
403 permission_comment_news: Comment news
403 permission_comment_news: Comment news
404 permission_manage_documents: Manage documents
404 permission_manage_documents: Manage documents
405 permission_view_documents: View documents
405 permission_view_documents: View documents
406 permission_manage_files: Manage files
406 permission_manage_files: Manage files
407 permission_view_files: View files
407 permission_view_files: View files
408 permission_manage_wiki: Manage wiki
408 permission_manage_wiki: Manage wiki
409 permission_rename_wiki_pages: Rename wiki pages
409 permission_rename_wiki_pages: Rename wiki pages
410 permission_delete_wiki_pages: Delete wiki pages
410 permission_delete_wiki_pages: Delete wiki pages
411 permission_view_wiki_pages: View wiki
411 permission_view_wiki_pages: View wiki
412 permission_view_wiki_edits: View wiki history
412 permission_view_wiki_edits: View wiki history
413 permission_edit_wiki_pages: Edit wiki pages
413 permission_edit_wiki_pages: Edit wiki pages
414 permission_delete_wiki_pages_attachments: Delete attachments
414 permission_delete_wiki_pages_attachments: Delete attachments
415 permission_protect_wiki_pages: Protect wiki pages
415 permission_protect_wiki_pages: Protect wiki pages
416 permission_manage_repository: Manage repository
416 permission_manage_repository: Manage repository
417 permission_browse_repository: Browse repository
417 permission_browse_repository: Browse repository
418 permission_view_changesets: View changesets
418 permission_view_changesets: View changesets
419 permission_commit_access: Commit access
419 permission_commit_access: Commit access
420 permission_manage_boards: Manage forums
420 permission_manage_boards: Manage forums
421 permission_view_messages: View messages
421 permission_view_messages: View messages
422 permission_add_messages: Post messages
422 permission_add_messages: Post messages
423 permission_edit_messages: Edit messages
423 permission_edit_messages: Edit messages
424 permission_edit_own_messages: Edit own messages
424 permission_edit_own_messages: Edit own messages
425 permission_delete_messages: Delete messages
425 permission_delete_messages: Delete messages
426 permission_delete_own_messages: Delete own messages
426 permission_delete_own_messages: Delete own messages
427 permission_export_wiki_pages: Export wiki pages
427 permission_export_wiki_pages: Export wiki pages
428 permission_manage_subtasks: Manage subtasks
428 permission_manage_subtasks: Manage subtasks
429
429
430 project_module_issue_tracking: Issue tracking
430 project_module_issue_tracking: Issue tracking
431 project_module_time_tracking: Time tracking
431 project_module_time_tracking: Time tracking
432 project_module_news: News
432 project_module_news: News
433 project_module_documents: Documents
433 project_module_documents: Documents
434 project_module_files: Files
434 project_module_files: Files
435 project_module_wiki: Wiki
435 project_module_wiki: Wiki
436 project_module_repository: Repository
436 project_module_repository: Repository
437 project_module_boards: Forums
437 project_module_boards: Forums
438 project_module_calendar: Calendar
438 project_module_calendar: Calendar
439 project_module_gantt: Gantt
439 project_module_gantt: Gantt
440
440
441 label_user: User
441 label_user: User
442 label_user_plural: Users
442 label_user_plural: Users
443 label_user_new: New user
443 label_user_new: New user
444 label_user_anonymous: Anonymous
444 label_user_anonymous: Anonymous
445 label_project: Project
445 label_project: Project
446 label_project_new: New project
446 label_project_new: New project
447 label_project_plural: Projects
447 label_project_plural: Projects
448 label_x_projects:
448 label_x_projects:
449 zero: no projects
449 zero: no projects
450 one: 1 project
450 one: 1 project
451 other: "%{count} projects"
451 other: "%{count} projects"
452 label_project_all: All Projects
452 label_project_all: All Projects
453 label_project_latest: Latest projects
453 label_project_latest: Latest projects
454 label_issue: Issue
454 label_issue: Issue
455 label_issue_new: New issue
455 label_issue_new: New issue
456 label_issue_plural: Issues
456 label_issue_plural: Issues
457 label_issue_view_all: View all issues
457 label_issue_view_all: View all issues
458 label_issues_by: "Issues by %{value}"
458 label_issues_by: "Issues by %{value}"
459 label_issue_added: Issue added
459 label_issue_added: Issue added
460 label_issue_updated: Issue updated
460 label_issue_updated: Issue updated
461 label_document: Document
461 label_document: Document
462 label_document_new: New document
462 label_document_new: New document
463 label_document_plural: Documents
463 label_document_plural: Documents
464 label_document_added: Document added
464 label_document_added: Document added
465 label_role: Role
465 label_role: Role
466 label_role_plural: Roles
466 label_role_plural: Roles
467 label_role_new: New role
467 label_role_new: New role
468 label_role_and_permissions: Roles and permissions
468 label_role_and_permissions: Roles and permissions
469 label_role_anonymous: Anonymous
469 label_role_anonymous: Anonymous
470 label_role_non_member: Non member
470 label_role_non_member: Non member
471 label_member: Member
471 label_member: Member
472 label_member_new: New member
472 label_member_new: New member
473 label_member_plural: Members
473 label_member_plural: Members
474 label_tracker: Tracker
474 label_tracker: Tracker
475 label_tracker_plural: Trackers
475 label_tracker_plural: Trackers
476 label_tracker_new: New tracker
476 label_tracker_new: New tracker
477 label_workflow: Workflow
477 label_workflow: Workflow
478 label_issue_status: Issue status
478 label_issue_status: Issue status
479 label_issue_status_plural: Issue statuses
479 label_issue_status_plural: Issue statuses
480 label_issue_status_new: New status
480 label_issue_status_new: New status
481 label_issue_category: Issue category
481 label_issue_category: Issue category
482 label_issue_category_plural: Issue categories
482 label_issue_category_plural: Issue categories
483 label_issue_category_new: New category
483 label_issue_category_new: New category
484 label_custom_field: Custom field
484 label_custom_field: Custom field
485 label_custom_field_plural: Custom fields
485 label_custom_field_plural: Custom fields
486 label_custom_field_new: New custom field
486 label_custom_field_new: New custom field
487 label_enumerations: Enumerations
487 label_enumerations: Enumerations
488 label_enumeration_new: New value
488 label_enumeration_new: New value
489 label_information: Information
489 label_information: Information
490 label_information_plural: Information
490 label_information_plural: Information
491 label_please_login: Please log in
491 label_please_login: Please log in
492 label_register: Register
492 label_register: Register
493 label_login_with_open_id_option: or login with OpenID
493 label_login_with_open_id_option: or login with OpenID
494 label_password_lost: Lost password
494 label_password_lost: Lost password
495 label_home: Home
495 label_home: Home
496 label_my_page: My page
496 label_my_page: My page
497 label_my_account: My account
497 label_my_account: My account
498 label_my_projects: My projects
498 label_my_projects: My projects
499 label_my_page_block: My page block
499 label_my_page_block: My page block
500 label_administration: Administration
500 label_administration: Administration
501 label_login: Sign in
501 label_login: Sign in
502 label_logout: Sign out
502 label_logout: Sign out
503 label_help: Help
503 label_help: Help
504 label_reported_issues: Reported issues
504 label_reported_issues: Reported issues
505 label_assigned_to_me_issues: Issues assigned to me
505 label_assigned_to_me_issues: Issues assigned to me
506 label_last_login: Last connection
506 label_last_login: Last connection
507 label_registered_on: Registered on
507 label_registered_on: Registered on
508 label_activity: Activity
508 label_activity: Activity
509 label_overall_activity: Overall activity
509 label_overall_activity: Overall activity
510 label_user_activity: "%{value}'s activity"
510 label_user_activity: "%{value}'s activity"
511 label_new: New
511 label_new: New
512 label_logged_as: Logged in as
512 label_logged_as: Logged in as
513 label_environment: Environment
513 label_environment: Environment
514 label_authentication: Authentication
514 label_authentication: Authentication
515 label_auth_source: Authentication mode
515 label_auth_source: Authentication mode
516 label_auth_source_new: New authentication mode
516 label_auth_source_new: New authentication mode
517 label_auth_source_plural: Authentication modes
517 label_auth_source_plural: Authentication modes
518 label_subproject_plural: Subprojects
518 label_subproject_plural: Subprojects
519 label_subproject_new: New subproject
519 label_subproject_new: New subproject
520 label_and_its_subprojects: "%{value} and its subprojects"
520 label_and_its_subprojects: "%{value} and its subprojects"
521 label_min_max_length: Min - Max length
521 label_min_max_length: Min - Max length
522 label_list: List
522 label_list: List
523 label_date: Date
523 label_date: Date
524 label_integer: Integer
524 label_integer: Integer
525 label_float: Float
525 label_float: Float
526 label_boolean: Boolean
526 label_boolean: Boolean
527 label_string: Text
527 label_string: Text
528 label_text: Long text
528 label_text: Long text
529 label_attribute: Attribute
529 label_attribute: Attribute
530 label_attribute_plural: Attributes
530 label_attribute_plural: Attributes
531 label_download: "%{count} Download"
531 label_download: "%{count} Download"
532 label_download_plural: "%{count} Downloads"
532 label_download_plural: "%{count} Downloads"
533 label_no_data: No data to display
533 label_no_data: No data to display
534 label_change_status: Change status
534 label_change_status: Change status
535 label_history: History
535 label_history: History
536 label_attachment: File
536 label_attachment: File
537 label_attachment_new: New file
537 label_attachment_new: New file
538 label_attachment_delete: Delete file
538 label_attachment_delete: Delete file
539 label_attachment_plural: Files
539 label_attachment_plural: Files
540 label_file_added: File added
540 label_file_added: File added
541 label_report: Report
541 label_report: Report
542 label_report_plural: Reports
542 label_report_plural: Reports
543 label_news: News
543 label_news: News
544 label_news_new: Add news
544 label_news_new: Add news
545 label_news_plural: News
545 label_news_plural: News
546 label_news_latest: Latest news
546 label_news_latest: Latest news
547 label_news_view_all: View all news
547 label_news_view_all: View all news
548 label_news_added: News added
548 label_news_added: News added
549 label_news_comment_added: Comment added to a news
549 label_news_comment_added: Comment added to a news
550 label_settings: Settings
550 label_settings: Settings
551 label_overview: Overview
551 label_overview: Overview
552 label_version: Version
552 label_version: Version
553 label_version_new: New version
553 label_version_new: New version
554 label_version_plural: Versions
554 label_version_plural: Versions
555 label_close_versions: Close completed versions
555 label_close_versions: Close completed versions
556 label_confirmation: Confirmation
556 label_confirmation: Confirmation
557 label_export_to: 'Also available in:'
557 label_export_to: 'Also available in:'
558 label_read: Read...
558 label_read: Read...
559 label_public_projects: Public projects
559 label_public_projects: Public projects
560 label_open_issues: open
560 label_open_issues: open
561 label_open_issues_plural: open
561 label_open_issues_plural: open
562 label_closed_issues: closed
562 label_closed_issues: closed
563 label_closed_issues_plural: closed
563 label_closed_issues_plural: closed
564 label_x_open_issues_abbr_on_total:
564 label_x_open_issues_abbr_on_total:
565 zero: 0 open / %{total}
565 zero: 0 open / %{total}
566 one: 1 open / %{total}
566 one: 1 open / %{total}
567 other: "%{count} open / %{total}"
567 other: "%{count} open / %{total}"
568 label_x_open_issues_abbr:
568 label_x_open_issues_abbr:
569 zero: 0 open
569 zero: 0 open
570 one: 1 open
570 one: 1 open
571 other: "%{count} open"
571 other: "%{count} open"
572 label_x_closed_issues_abbr:
572 label_x_closed_issues_abbr:
573 zero: 0 closed
573 zero: 0 closed
574 one: 1 closed
574 one: 1 closed
575 other: "%{count} closed"
575 other: "%{count} closed"
576 label_total: Total
576 label_total: Total
577 label_permissions: Permissions
577 label_permissions: Permissions
578 label_current_status: Current status
578 label_current_status: Current status
579 label_new_statuses_allowed: New statuses allowed
579 label_new_statuses_allowed: New statuses allowed
580 label_all: all
580 label_all: all
581 label_none: none
581 label_none: none
582 label_nobody: nobody
582 label_nobody: nobody
583 label_next: Next
583 label_next: Next
584 label_previous: Previous
584 label_previous: Previous
585 label_used_by: Used by
585 label_used_by: Used by
586 label_details: Details
586 label_details: Details
587 label_add_note: Add a note
587 label_add_note: Add a note
588 label_per_page: Per page
588 label_per_page: Per page
589 label_calendar: Calendar
589 label_calendar: Calendar
590 label_months_from: months from
590 label_months_from: months from
591 label_gantt: Gantt
591 label_gantt: Gantt
592 label_internal: Internal
592 label_internal: Internal
593 label_last_changes: "last %{count} changes"
593 label_last_changes: "last %{count} changes"
594 label_change_view_all: View all changes
594 label_change_view_all: View all changes
595 label_personalize_page: Personalise this page
595 label_personalize_page: Personalise this page
596 label_comment: Comment
596 label_comment: Comment
597 label_comment_plural: Comments
597 label_comment_plural: Comments
598 label_x_comments:
598 label_x_comments:
599 zero: no comments
599 zero: no comments
600 one: 1 comment
600 one: 1 comment
601 other: "%{count} comments"
601 other: "%{count} comments"
602 label_comment_add: Add a comment
602 label_comment_add: Add a comment
603 label_comment_added: Comment added
603 label_comment_added: Comment added
604 label_comment_delete: Delete comments
604 label_comment_delete: Delete comments
605 label_query: Custom query
605 label_query: Custom query
606 label_query_plural: Custom queries
606 label_query_plural: Custom queries
607 label_query_new: New query
607 label_query_new: New query
608 label_my_queries: My custom queries
608 label_my_queries: My custom queries
609 label_filter_add: Add filter
609 label_filter_add: Add filter
610 label_filter_plural: Filters
610 label_filter_plural: Filters
611 label_equals: is
611 label_equals: is
612 label_not_equals: is not
612 label_not_equals: is not
613 label_in_less_than: in less than
613 label_in_less_than: in less than
614 label_in_more_than: in more than
614 label_in_more_than: in more than
615 label_greater_or_equal: '>='
615 label_greater_or_equal: '>='
616 label_less_or_equal: '<='
616 label_less_or_equal: '<='
617 label_in: in
617 label_in: in
618 label_today: today
618 label_today: today
619 label_all_time: all time
619 label_all_time: all time
620 label_yesterday: yesterday
620 label_yesterday: yesterday
621 label_this_week: this week
621 label_this_week: this week
622 label_last_week: last week
622 label_last_week: last week
623 label_last_n_days: "last %{count} days"
623 label_last_n_days: "last %{count} days"
624 label_this_month: this month
624 label_this_month: this month
625 label_last_month: last month
625 label_last_month: last month
626 label_this_year: this year
626 label_this_year: this year
627 label_date_range: Date range
627 label_date_range: Date range
628 label_less_than_ago: less than days ago
628 label_less_than_ago: less than days ago
629 label_more_than_ago: more than days ago
629 label_more_than_ago: more than days ago
630 label_ago: days ago
630 label_ago: days ago
631 label_contains: contains
631 label_contains: contains
632 label_not_contains: doesn't contain
632 label_not_contains: doesn't contain
633 label_day_plural: days
633 label_day_plural: days
634 label_repository: Repository
634 label_repository: Repository
635 label_repository_plural: Repositories
635 label_repository_plural: Repositories
636 label_browse: Browse
636 label_browse: Browse
637 label_modification: "%{count} change"
637 label_modification: "%{count} change"
638 label_modification_plural: "%{count} changes"
638 label_modification_plural: "%{count} changes"
639 label_branch: Branch
639 label_branch: Branch
640 label_tag: Tag
640 label_tag: Tag
641 label_revision: Revision
641 label_revision: Revision
642 label_revision_plural: Revisions
642 label_revision_plural: Revisions
643 label_revision_id: "Revision %{value}"
643 label_revision_id: "Revision %{value}"
644 label_associated_revisions: Associated revisions
644 label_associated_revisions: Associated revisions
645 label_added: added
645 label_added: added
646 label_modified: modified
646 label_modified: modified
647 label_copied: copied
647 label_copied: copied
648 label_renamed: renamed
648 label_renamed: renamed
649 label_deleted: deleted
649 label_deleted: deleted
650 label_latest_revision: Latest revision
650 label_latest_revision: Latest revision
651 label_latest_revision_plural: Latest revisions
651 label_latest_revision_plural: Latest revisions
652 label_view_revisions: View revisions
652 label_view_revisions: View revisions
653 label_view_all_revisions: View all revisions
653 label_view_all_revisions: View all revisions
654 label_max_size: Maximum size
654 label_max_size: Maximum size
655 label_sort_highest: Move to top
655 label_sort_highest: Move to top
656 label_sort_higher: Move up
656 label_sort_higher: Move up
657 label_sort_lower: Move down
657 label_sort_lower: Move down
658 label_sort_lowest: Move to bottom
658 label_sort_lowest: Move to bottom
659 label_roadmap: Roadmap
659 label_roadmap: Roadmap
660 label_roadmap_due_in: "Due in %{value}"
660 label_roadmap_due_in: "Due in %{value}"
661 label_roadmap_overdue: "%{value} late"
661 label_roadmap_overdue: "%{value} late"
662 label_roadmap_no_issues: No issues for this version
662 label_roadmap_no_issues: No issues for this version
663 label_search: Search
663 label_search: Search
664 label_result_plural: Results
664 label_result_plural: Results
665 label_all_words: All words
665 label_all_words: All words
666 label_wiki: Wiki
666 label_wiki: Wiki
667 label_wiki_edit: Wiki edit
667 label_wiki_edit: Wiki edit
668 label_wiki_edit_plural: Wiki edits
668 label_wiki_edit_plural: Wiki edits
669 label_wiki_page: Wiki page
669 label_wiki_page: Wiki page
670 label_wiki_page_plural: Wiki pages
670 label_wiki_page_plural: Wiki pages
671 label_index_by_title: Index by title
671 label_index_by_title: Index by title
672 label_index_by_date: Index by date
672 label_index_by_date: Index by date
673 label_current_version: Current version
673 label_current_version: Current version
674 label_preview: Preview
674 label_preview: Preview
675 label_feed_plural: Feeds
675 label_feed_plural: Feeds
676 label_changes_details: Details of all changes
676 label_changes_details: Details of all changes
677 label_issue_tracking: Issue tracking
677 label_issue_tracking: Issue tracking
678 label_spent_time: Spent time
678 label_spent_time: Spent time
679 label_overall_spent_time: Overall spent time
679 label_overall_spent_time: Overall spent time
680 label_f_hour: "%{value} hour"
680 label_f_hour: "%{value} hour"
681 label_f_hour_plural: "%{value} hours"
681 label_f_hour_plural: "%{value} hours"
682 label_time_tracking: Time tracking
682 label_time_tracking: Time tracking
683 label_change_plural: Changes
683 label_change_plural: Changes
684 label_statistics: Statistics
684 label_statistics: Statistics
685 label_commits_per_month: Commits per month
685 label_commits_per_month: Commits per month
686 label_commits_per_author: Commits per author
686 label_commits_per_author: Commits per author
687 label_view_diff: View differences
687 label_view_diff: View differences
688 label_diff_inline: inline
688 label_diff_inline: inline
689 label_diff_side_by_side: side by side
689 label_diff_side_by_side: side by side
690 label_options: Options
690 label_options: Options
691 label_copy_workflow_from: Copy workflow from
691 label_copy_workflow_from: Copy workflow from
692 label_permissions_report: Permissions report
692 label_permissions_report: Permissions report
693 label_watched_issues: Watched issues
693 label_watched_issues: Watched issues
694 label_related_issues: Related issues
694 label_related_issues: Related issues
695 label_applied_status: Applied status
695 label_applied_status: Applied status
696 label_loading: Loading...
696 label_loading: Loading...
697 label_relation_new: New relation
697 label_relation_new: New relation
698 label_relation_delete: Delete relation
698 label_relation_delete: Delete relation
699 label_relates_to: related to
699 label_relates_to: related to
700 label_duplicates: duplicates
700 label_duplicates: duplicates
701 label_duplicated_by: duplicated by
701 label_duplicated_by: duplicated by
702 label_blocks: blocks
702 label_blocks: blocks
703 label_blocked_by: blocked by
703 label_blocked_by: blocked by
704 label_precedes: precedes
704 label_precedes: precedes
705 label_follows: follows
705 label_follows: follows
706 label_end_to_start: end to start
706 label_end_to_start: end to start
707 label_end_to_end: end to end
707 label_end_to_end: end to end
708 label_start_to_start: start to start
708 label_start_to_start: start to start
709 label_start_to_end: start to end
709 label_start_to_end: start to end
710 label_stay_logged_in: Stay logged in
710 label_stay_logged_in: Stay logged in
711 label_disabled: disabled
711 label_disabled: disabled
712 label_show_completed_versions: Show completed versions
712 label_show_completed_versions: Show completed versions
713 label_me: me
713 label_me: me
714 label_board: Forum
714 label_board: Forum
715 label_board_new: New forum
715 label_board_new: New forum
716 label_board_plural: Forums
716 label_board_plural: Forums
717 label_board_locked: Locked
717 label_board_locked: Locked
718 label_board_sticky: Sticky
718 label_board_sticky: Sticky
719 label_topic_plural: Topics
719 label_topic_plural: Topics
720 label_message_plural: Messages
720 label_message_plural: Messages
721 label_message_last: Last message
721 label_message_last: Last message
722 label_message_new: New message
722 label_message_new: New message
723 label_message_posted: Message added
723 label_message_posted: Message added
724 label_reply_plural: Replies
724 label_reply_plural: Replies
725 label_send_information: Send account information to the user
725 label_send_information: Send account information to the user
726 label_year: Year
726 label_year: Year
727 label_month: Month
727 label_month: Month
728 label_week: Week
728 label_week: Week
729 label_date_from: From
729 label_date_from: From
730 label_date_to: To
730 label_date_to: To
731 label_language_based: Based on user's language
731 label_language_based: Based on user's language
732 label_sort_by: "Sort by %{value}"
732 label_sort_by: "Sort by %{value}"
733 label_send_test_email: Send a test email
733 label_send_test_email: Send a test email
734 label_feeds_access_key: RSS access key
734 label_feeds_access_key: RSS access key
735 label_missing_feeds_access_key: Missing a RSS access key
735 label_missing_feeds_access_key: Missing a RSS access key
736 label_feeds_access_key_created_on: "RSS access key created %{value} ago"
736 label_feeds_access_key_created_on: "RSS access key created %{value} ago"
737 label_module_plural: Modules
737 label_module_plural: Modules
738 label_added_time_by: "Added by %{author} %{age} ago"
738 label_added_time_by: "Added by %{author} %{age} ago"
739 label_updated_time_by: "Updated by %{author} %{age} ago"
739 label_updated_time_by: "Updated by %{author} %{age} ago"
740 label_updated_time: "Updated %{value} ago"
740 label_updated_time: "Updated %{value} ago"
741 label_jump_to_a_project: Jump to a project...
741 label_jump_to_a_project: Jump to a project...
742 label_file_plural: Files
742 label_file_plural: Files
743 label_changeset_plural: Changesets
743 label_changeset_plural: Changesets
744 label_default_columns: Default columns
744 label_default_columns: Default columns
745 label_no_change_option: (No change)
745 label_no_change_option: (No change)
746 label_bulk_edit_selected_issues: Bulk edit selected issues
746 label_bulk_edit_selected_issues: Bulk edit selected issues
747 label_theme: Theme
747 label_theme: Theme
748 label_default: Default
748 label_default: Default
749 label_search_titles_only: Search titles only
749 label_search_titles_only: Search titles only
750 label_user_mail_option_all: "For any event on all my projects"
750 label_user_mail_option_all: "For any event on all my projects"
751 label_user_mail_option_selected: "For any event on the selected projects only..."
751 label_user_mail_option_selected: "For any event on the selected projects only..."
752 label_user_mail_option_none: "No events"
752 label_user_mail_option_none: "No events"
753 label_user_mail_option_only_my_events: "Only for things I watch or I'm involved in"
753 label_user_mail_option_only_my_events: "Only for things I watch or I'm involved in"
754 label_user_mail_option_only_assigned: "Only for things I am assigned to"
754 label_user_mail_option_only_assigned: "Only for things I am assigned to"
755 label_user_mail_option_only_owner: "Only for things I am the owner of"
755 label_user_mail_option_only_owner: "Only for things I am the owner of"
756 label_user_mail_no_self_notified: "I don't want to be notified of changes that I make myself"
756 label_user_mail_no_self_notified: "I don't want to be notified of changes that I make myself"
757 label_registration_activation_by_email: account activation by email
757 label_registration_activation_by_email: account activation by email
758 label_registration_manual_activation: manual account activation
758 label_registration_manual_activation: manual account activation
759 label_registration_automatic_activation: automatic account activation
759 label_registration_automatic_activation: automatic account activation
760 label_display_per_page: "Per page: %{value}"
760 label_display_per_page: "Per page: %{value}"
761 label_age: Age
761 label_age: Age
762 label_change_properties: Change properties
762 label_change_properties: Change properties
763 label_general: General
763 label_general: General
764 label_more: More
764 label_more: More
765 label_scm: SCM
765 label_scm: SCM
766 label_plugins: Plugins
766 label_plugins: Plugins
767 label_ldap_authentication: LDAP authentication
767 label_ldap_authentication: LDAP authentication
768 label_downloads_abbr: D/L
768 label_downloads_abbr: D/L
769 label_optional_description: Optional description
769 label_optional_description: Optional description
770 label_add_another_file: Add another file
770 label_add_another_file: Add another file
771 label_preferences: Preferences
771 label_preferences: Preferences
772 label_chronological_order: In chronological order
772 label_chronological_order: In chronological order
773 label_reverse_chronological_order: In reverse chronological order
773 label_reverse_chronological_order: In reverse chronological order
774 label_planning: Planning
774 label_planning: Planning
775 label_incoming_emails: Incoming emails
775 label_incoming_emails: Incoming emails
776 label_generate_key: Generate a key
776 label_generate_key: Generate a key
777 label_issue_watchers: Watchers
777 label_issue_watchers: Watchers
778 label_example: Example
778 label_example: Example
779 label_display: Display
779 label_display: Display
780 label_sort: Sort
780 label_sort: Sort
781 label_ascending: Ascending
781 label_ascending: Ascending
782 label_descending: Descending
782 label_descending: Descending
783 label_date_from_to: From %{start} to %{end}
783 label_date_from_to: From %{start} to %{end}
784 label_wiki_content_added: Wiki page added
784 label_wiki_content_added: Wiki page added
785 label_wiki_content_updated: Wiki page updated
785 label_wiki_content_updated: Wiki page updated
786 label_group: Group
786 label_group: Group
787 label_group_plural: Groups
787 label_group_plural: Groups
788 label_group_new: New group
788 label_group_new: New group
789 label_time_entry_plural: Spent time
789 label_time_entry_plural: Spent time
790 label_version_sharing_none: Not shared
790 label_version_sharing_none: Not shared
791 label_version_sharing_descendants: With subprojects
791 label_version_sharing_descendants: With subprojects
792 label_version_sharing_hierarchy: With project hierarchy
792 label_version_sharing_hierarchy: With project hierarchy
793 label_version_sharing_tree: With project tree
793 label_version_sharing_tree: With project tree
794 label_version_sharing_system: With all projects
794 label_version_sharing_system: With all projects
795 label_update_issue_done_ratios: Update issue done ratios
795 label_update_issue_done_ratios: Update issue done ratios
796 label_copy_source: Source
796 label_copy_source: Source
797 label_copy_target: Target
797 label_copy_target: Target
798 label_copy_same_as_target: Same as target
798 label_copy_same_as_target: Same as target
799 label_display_used_statuses_only: Only display statuses that are used by this tracker
799 label_display_used_statuses_only: Only display statuses that are used by this tracker
800 label_api_access_key: API access key
800 label_api_access_key: API access key
801 label_missing_api_access_key: Missing an API access key
801 label_missing_api_access_key: Missing an API access key
802 label_api_access_key_created_on: "API access key created %{value} ago"
802 label_api_access_key_created_on: "API access key created %{value} ago"
803 label_profile: Profile
803 label_profile: Profile
804 label_subtask_plural: Subtasks
804 label_subtask_plural: Subtasks
805 label_project_copy_notifications: Send email notifications during the project copy
805 label_project_copy_notifications: Send email notifications during the project copy
806 label_principal_search: "Search for user or group:"
806 label_principal_search: "Search for user or group:"
807 label_user_search: "Search for user:"
807 label_user_search: "Search for user:"
808
808
809 button_login: Login
809 button_login: Login
810 button_submit: Submit
810 button_submit: Submit
811 button_save: Save
811 button_save: Save
812 button_check_all: Check all
812 button_check_all: Check all
813 button_uncheck_all: Uncheck all
813 button_uncheck_all: Uncheck all
814 button_collapse_all: Collapse all
814 button_collapse_all: Collapse all
815 button_expand_all: Expand all
815 button_expand_all: Expand all
816 button_delete: Delete
816 button_delete: Delete
817 button_create: Create
817 button_create: Create
818 button_create_and_continue: Create and continue
818 button_create_and_continue: Create and continue
819 button_test: Test
819 button_test: Test
820 button_edit: Edit
820 button_edit: Edit
821 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
821 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
822 button_add: Add
822 button_add: Add
823 button_change: Change
823 button_change: Change
824 button_apply: Apply
824 button_apply: Apply
825 button_clear: Clear
825 button_clear: Clear
826 button_lock: Lock
826 button_lock: Lock
827 button_unlock: Unlock
827 button_unlock: Unlock
828 button_download: Download
828 button_download: Download
829 button_list: List
829 button_list: List
830 button_view: View
830 button_view: View
831 button_move: Move
831 button_move: Move
832 button_move_and_follow: Move and follow
832 button_move_and_follow: Move and follow
833 button_back: Back
833 button_back: Back
834 button_cancel: Cancel
834 button_cancel: Cancel
835 button_activate: Activate
835 button_activate: Activate
836 button_sort: Sort
836 button_sort: Sort
837 button_log_time: Log time
837 button_log_time: Log time
838 button_rollback: Rollback to this version
838 button_rollback: Rollback to this version
839 button_watch: Watch
839 button_watch: Watch
840 button_unwatch: Unwatch
840 button_unwatch: Unwatch
841 button_reply: Reply
841 button_reply: Reply
842 button_archive: Archive
842 button_archive: Archive
843 button_unarchive: Unarchive
843 button_unarchive: Unarchive
844 button_reset: Reset
844 button_reset: Reset
845 button_rename: Rename
845 button_rename: Rename
846 button_change_password: Change password
846 button_change_password: Change password
847 button_copy: Copy
847 button_copy: Copy
848 button_copy_and_follow: Copy and follow
848 button_copy_and_follow: Copy and follow
849 button_annotate: Annotate
849 button_annotate: Annotate
850 button_update: Update
850 button_update: Update
851 button_configure: Configure
851 button_configure: Configure
852 button_quote: Quote
852 button_quote: Quote
853 button_duplicate: Duplicate
853 button_duplicate: Duplicate
854 button_show: Show
854 button_show: Show
855
855
856 status_active: active
856 status_active: active
857 status_registered: registered
857 status_registered: registered
858 status_locked: locked
858 status_locked: locked
859
859
860 version_status_open: open
860 version_status_open: open
861 version_status_locked: locked
861 version_status_locked: locked
862 version_status_closed: closed
862 version_status_closed: closed
863
863
864 field_active: Active
864 field_active: Active
865
865
866 text_select_mail_notifications: Select actions for which email notifications should be sent.
866 text_select_mail_notifications: Select actions for which email notifications should be sent.
867 text_regexp_info: eg. ^[A-Z0-9]+$
867 text_regexp_info: eg. ^[A-Z0-9]+$
868 text_min_max_length_info: 0 means no restriction
868 text_min_max_length_info: 0 means no restriction
869 text_project_destroy_confirmation: Are you sure you want to delete this project and related data?
869 text_project_destroy_confirmation: Are you sure you want to delete this project and related data?
870 text_subprojects_destroy_warning: "Its subproject(s): %{value} will be also deleted."
870 text_subprojects_destroy_warning: "Its subproject(s): %{value} will be also deleted."
871 text_workflow_edit: Select a role and a tracker to edit the workflow
871 text_workflow_edit: Select a role and a tracker to edit the workflow
872 text_are_you_sure: Are you sure?
872 text_are_you_sure: Are you sure?
873 text_are_you_sure_with_children: "Delete issue and all child issues?"
873 text_are_you_sure_with_children: "Delete issue and all child issues?"
874 text_journal_changed: "%{label} changed from %{old} to %{new}"
874 text_journal_changed: "%{label} changed from %{old} to %{new}"
875 text_journal_changed_no_detail: "%{label} updated"
875 text_journal_changed_no_detail: "%{label} updated"
876 text_journal_set_to: "%{label} set to %{value}"
876 text_journal_set_to: "%{label} set to %{value}"
877 text_journal_deleted: "%{label} deleted (%{old})"
877 text_journal_deleted: "%{label} deleted (%{old})"
878 text_journal_added: "%{label} %{value} added"
878 text_journal_added: "%{label} %{value} added"
879 text_tip_issue_begin_day: task beginning this day
879 text_tip_issue_begin_day: task beginning this day
880 text_tip_issue_end_day: task ending this day
880 text_tip_issue_end_day: task ending this day
881 text_tip_issue_begin_end_day: task beginning and ending this day
881 text_tip_issue_begin_end_day: task beginning and ending this day
882 text_project_identifier_info: 'Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.'
882 text_project_identifier_info: 'Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.'
883 text_caracters_maximum: "%{count} characters maximum."
883 text_caracters_maximum: "%{count} characters maximum."
884 text_caracters_minimum: "Must be at least %{count} characters long."
884 text_caracters_minimum: "Must be at least %{count} characters long."
885 text_length_between: "Length between %{min} and %{max} characters."
885 text_length_between: "Length between %{min} and %{max} characters."
886 text_tracker_no_workflow: No workflow defined for this tracker
886 text_tracker_no_workflow: No workflow defined for this tracker
887 text_unallowed_characters: Unallowed characters
887 text_unallowed_characters: Unallowed characters
888 text_comma_separated: Multiple values allowed (comma separated).
888 text_comma_separated: Multiple values allowed (comma separated).
889 text_line_separated: Multiple values allowed (one line for each value).
889 text_line_separated: Multiple values allowed (one line for each value).
890 text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages
890 text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages
891 text_issue_added: "Issue %{id} has been reported by %{author}."
891 text_issue_added: "Issue %{id} has been reported by %{author}."
892 text_issue_updated: "Issue %{id} has been updated by %{author}."
892 text_issue_updated: "Issue %{id} has been updated by %{author}."
893 text_wiki_destroy_confirmation: Are you sure you want to delete this wiki and all its content?
893 text_wiki_destroy_confirmation: Are you sure you want to delete this wiki and all its content?
894 text_issue_category_destroy_question: "Some issues (%{count}) are assigned to this category. What do you want to do?"
894 text_issue_category_destroy_question: "Some issues (%{count}) are assigned to this category. What do you want to do?"
895 text_issue_category_destroy_assignments: Remove category assignments
895 text_issue_category_destroy_assignments: Remove category assignments
896 text_issue_category_reassign_to: Reassign issues to this category
896 text_issue_category_reassign_to: Reassign issues to this category
897 text_user_mail_option: "For unselected projects, you will only receive notifications about things you watch or you're involved in (eg. issues you're the author or assignee)."
897 text_user_mail_option: "For unselected projects, you will only receive notifications about things you watch or you're involved in (eg. issues you're the author or assignee)."
898 text_no_configuration_data: "Roles, trackers, issue statuses and workflow have not been configured yet.\nIt is highly recommended to load the default configuration. You will be able to modify it once loaded."
898 text_no_configuration_data: "Roles, trackers, issue statuses and workflow have not been configured yet.\nIt is highly recommended to load the default configuration. You will be able to modify it once loaded."
899 text_load_default_configuration: Load the default configuration
899 text_load_default_configuration: Load the default configuration
900 text_status_changed_by_changeset: "Applied in changeset %{value}."
900 text_status_changed_by_changeset: "Applied in changeset %{value}."
901 text_time_logged_by_changeset: "Applied in changeset %{value}."
901 text_time_logged_by_changeset: "Applied in changeset %{value}."
902 text_issues_destroy_confirmation: 'Are you sure you want to delete the selected issue(s)?'
902 text_issues_destroy_confirmation: 'Are you sure you want to delete the selected issue(s)?'
903 text_select_project_modules: 'Select modules to enable for this project:'
903 text_select_project_modules: 'Select modules to enable for this project:'
904 text_default_administrator_account_changed: Default administrator account changed
904 text_default_administrator_account_changed: Default administrator account changed
905 text_file_repository_writable: Attachments directory writable
905 text_file_repository_writable: Attachments directory writable
906 text_plugin_assets_writable: Plugin assets directory writable
906 text_plugin_assets_writable: Plugin assets directory writable
907 text_rmagick_available: RMagick available (optional)
907 text_rmagick_available: RMagick available (optional)
908 text_destroy_time_entries_question: "%{hours} hours were reported on the issues you are about to delete. What do you want to do?"
908 text_destroy_time_entries_question: "%{hours} hours were reported on the issues you are about to delete. What do you want to do?"
909 text_destroy_time_entries: Delete reported hours
909 text_destroy_time_entries: Delete reported hours
910 text_assign_time_entries_to_project: Assign reported hours to the project
910 text_assign_time_entries_to_project: Assign reported hours to the project
911 text_reassign_time_entries: 'Reassign reported hours to this issue:'
911 text_reassign_time_entries: 'Reassign reported hours to this issue:'
912 text_user_wrote: "%{value} wrote:"
912 text_user_wrote: "%{value} wrote:"
913 text_enumeration_destroy_question: "%{count} objects are assigned to this value."
913 text_enumeration_destroy_question: "%{count} objects are assigned to this value."
914 text_enumeration_category_reassign_to: 'Reassign them to this value:'
914 text_enumeration_category_reassign_to: 'Reassign them to this value:'
915 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/configuration.yml and restart the application to enable them."
915 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/configuration.yml and restart the application to enable them."
916 text_repository_usernames_mapping: "Select or update the Redmine user mapped to each username found in the repository log.\nUsers with the same Redmine and repository username or email are automatically mapped."
916 text_repository_usernames_mapping: "Select or update the Redmine user mapped to each username found in the repository log.\nUsers with the same Redmine and repository username or email are automatically mapped."
917 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
917 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
918 text_custom_field_possible_values_info: 'One line for each value'
918 text_custom_field_possible_values_info: 'One line for each value'
919 text_wiki_page_destroy_question: "This page has %{descendants} child page(s) and descendant(s). What do you want to do?"
919 text_wiki_page_destroy_question: "This page has %{descendants} child page(s) and descendant(s). What do you want to do?"
920 text_wiki_page_nullify_children: "Keep child pages as root pages"
920 text_wiki_page_nullify_children: "Keep child pages as root pages"
921 text_wiki_page_destroy_children: "Delete child pages and all their descendants"
921 text_wiki_page_destroy_children: "Delete child pages and all their descendants"
922 text_wiki_page_reassign_children: "Reassign child pages to this parent page"
922 text_wiki_page_reassign_children: "Reassign child pages to this parent page"
923 text_own_membership_delete_confirmation: "You are about to remove some or all of your permissions and may no longer be able to edit this project after that.\nAre you sure you want to continue?"
923 text_own_membership_delete_confirmation: "You are about to remove some or all of your permissions and may no longer be able to edit this project after that.\nAre you sure you want to continue?"
924 text_zoom_in: Zoom in
924 text_zoom_in: Zoom in
925 text_zoom_out: Zoom out
925 text_zoom_out: Zoom out
926 text_warn_on_leaving_unsaved: "The current page contains unsaved text that will be lost if you leave this page."
926 text_warn_on_leaving_unsaved: "The current page contains unsaved text that will be lost if you leave this page."
927
927
928 default_role_manager: Manager
928 default_role_manager: Manager
929 default_role_developer: Developer
929 default_role_developer: Developer
930 default_role_reporter: Reporter
930 default_role_reporter: Reporter
931 default_tracker_bug: Bug
931 default_tracker_bug: Bug
932 default_tracker_feature: Feature
932 default_tracker_feature: Feature
933 default_tracker_support: Support
933 default_tracker_support: Support
934 default_issue_status_new: New
934 default_issue_status_new: New
935 default_issue_status_in_progress: In Progress
935 default_issue_status_in_progress: In Progress
936 default_issue_status_resolved: Resolved
936 default_issue_status_resolved: Resolved
937 default_issue_status_feedback: Feedback
937 default_issue_status_feedback: Feedback
938 default_issue_status_closed: Closed
938 default_issue_status_closed: Closed
939 default_issue_status_rejected: Rejected
939 default_issue_status_rejected: Rejected
940 default_doc_category_user: User documentation
940 default_doc_category_user: User documentation
941 default_doc_category_tech: Technical documentation
941 default_doc_category_tech: Technical documentation
942 default_priority_low: Low
942 default_priority_low: Low
943 default_priority_normal: Normal
943 default_priority_normal: Normal
944 default_priority_high: High
944 default_priority_high: High
945 default_priority_urgent: Urgent
945 default_priority_urgent: Urgent
946 default_priority_immediate: Immediate
946 default_priority_immediate: Immediate
947 default_activity_design: Design
947 default_activity_design: Design
948 default_activity_development: Development
948 default_activity_development: Development
949
949
950 enumeration_issue_priorities: Issue priorities
950 enumeration_issue_priorities: Issue priorities
951 enumeration_doc_categories: Document categories
951 enumeration_doc_categories: Document categories
952 enumeration_activities: Activities (time tracking)
952 enumeration_activities: Activities (time tracking)
953 enumeration_system_activity: System Activity
953 enumeration_system_activity: System Activity
954 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
954 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
955 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
955 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
956 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
956 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
957 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
957 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
958 label_issue_note_added: Note added
958 label_issue_note_added: Note added
959 label_issue_status_updated: Status updated
959 label_issue_status_updated: Status updated
960 label_issue_priority_updated: Priority updated
960 label_issue_priority_updated: Priority updated
961 label_issues_visibility_own: Issues created by or assigned to the user
961 label_issues_visibility_own: Issues created by or assigned to the user
962 field_issues_visibility: Issues visibility
962 field_issues_visibility: Issues visibility
963 label_issues_visibility_all: All issues
963 label_issues_visibility_all: All issues
964 permission_set_own_issues_private: Set own issues public or private
964 permission_set_own_issues_private: Set own issues public or private
965 field_is_private: Private
965 field_is_private: Private
966 permission_set_issues_private: Set issues public or private
966 permission_set_issues_private: Set issues public or private
967 label_issues_visibility_public: All non private issues
967 label_issues_visibility_public: All non private issues
968 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
968 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
969 field_commit_logs_encoding: Commit messages encoding
969 field_commit_logs_encoding: Commit messages encoding
970 field_scm_path_encoding: Path encoding
970 field_scm_path_encoding: Path encoding
971 text_scm_path_encoding_note: "Default: UTF-8"
971 text_scm_path_encoding_note: "Default: UTF-8"
972 field_path_to_repository: Path to repository
972 field_path_to_repository: Path to repository
973 field_root_directory: Root directory
973 field_root_directory: Root directory
974 field_cvs_module: Module
974 field_cvs_module: Module
975 field_cvsroot: CVSROOT
975 field_cvsroot: CVSROOT
976 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
976 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
977 text_scm_command: Command
977 text_scm_command: Command
978 text_scm_command_version: Version
978 text_scm_command_version: Version
979 label_git_report_last_commit: Report last commit for files and directories
979 label_git_report_last_commit: Report last commit for files and directories
980 text_scm_config: You can configure your scm commands in config/configuration.yml. Please restart the application after editing it.
980 text_scm_config: You can configure your scm commands in config/configuration.yml. Please restart the application after editing it.
981 text_scm_command_not_available: Scm command is not available. Please check settings on the administration panel.
981 text_scm_command_not_available: Scm command is not available. Please check settings on the administration panel.
982 notice_issue_successful_create: Issue %{id} created.
982 notice_issue_successful_create: Issue %{id} created.
983 label_between: between
983 label_between: between
984 label_diff: diff
984 label_diff: diff
985 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
985 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
986 description_query_sort_criteria_direction: Sort direction
986 description_query_sort_criteria_direction: Sort direction
987 description_project_scope: Search scope
987 description_project_scope: Search scope
988 description_filter: Filter
988 description_filter: Filter
989 description_user_mail_notification: Mail notification settings
989 description_user_mail_notification: Mail notification settings
990 description_date_from: Enter start date
990 description_date_from: Enter start date
991 description_message_content: Message content
991 description_message_content: Message content
992 description_available_columns: Available Columns
992 description_available_columns: Available Columns
993 description_date_range_interval: Choose range by selecting start and end date
993 description_date_range_interval: Choose range by selecting start and end date
994 description_issue_category_reassign: Choose issue category
994 description_issue_category_reassign: Choose issue category
995 description_search: Searchfield
995 description_search: Searchfield
996 description_notes: Notes
996 description_notes: Notes
997 description_date_range_list: Choose range from list
997 description_date_range_list: Choose range from list
998 description_choose_project: Projects
998 description_choose_project: Projects
999 description_date_to: Enter end date
999 description_date_to: Enter end date
1000 description_query_sort_criteria_attribute: Sort attribute
1000 description_query_sort_criteria_attribute: Sort attribute
1001 description_wiki_subpages_reassign: Choose new parent page
1001 description_wiki_subpages_reassign: Choose new parent page
1002 description_selected_columns: Selected Columns
1002 description_selected_columns: Selected Columns
1003 label_parent_revision: Parent
1003 label_parent_revision: Parent
1004 label_child_revision: Child
1004 label_child_revision: Child
1005 button_edit_section: Edit this section
1005 button_edit_section: Edit this section
1006 setting_repositories_encodings: Attachments and repositories encodings
1006 setting_repositories_encodings: Attachments and repositories encodings
1007 description_all_columns: All Columns
1007 description_all_columns: All Columns
1008 button_export: Export
1008 button_export: Export
1009 label_export_options: "%{export_format} export options"
1009 label_export_options: "%{export_format} export options"
1010 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1010 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1011 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1011 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1012 label_x_issues:
1012 label_x_issues:
1013 zero: 0 issue
1013 zero: 0 issue
1014 one: 1 issue
1014 one: 1 issue
1015 other: "%{count} issues"
1015 other: "%{count} issues"
1016 label_repository_new: New repository
1016 label_repository_new: New repository
1017 field_repository_is_default: Main repository
1017 field_repository_is_default: Main repository
1018 label_copy_attachments: Copy attachments
1018 label_copy_attachments: Copy attachments
1019 label_item_position: "%{position} of %{count}"
1019 label_item_position: "%{position} of %{count}"
1020 label_completed_versions: Completed versions
1020 label_completed_versions: Completed versions
1021 field_multiple: Multiple values
1021 field_multiple: Multiple values
1022 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1022 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1023 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1023 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1024 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1024 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1025 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1025 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1026 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1026 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1027 permission_manage_related_issues: Manage related issues
1027 permission_manage_related_issues: Manage related issues
1028 field_ldap_filter: LDAP filter
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
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