##// END OF EJS Templates
Warn about subtasks before deleting a parent issue (#6562)....
Jean-Philippe Lang -
r5375:f89d04074e56
parent child
Show More

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

@@ -1,57 +1,58
1 1 class ContextMenusController < ApplicationController
2 2 helper :watchers
3 helper :issues
3 4
4 5 def issues
5 6 @issues = Issue.visible.all(:conditions => {:id => params[:ids]}, :include => :project)
6 7
7 8 if (@issues.size == 1)
8 9 @issue = @issues.first
9 10 @allowed_statuses = @issue.new_statuses_allowed_to(User.current)
10 11 else
11 12 @allowed_statuses = @issues.map do |i|
12 13 i.new_statuses_allowed_to(User.current)
13 14 end.inject do |memo,s|
14 15 memo & s
15 16 end
16 17 end
17 18 @projects = @issues.collect(&:project).compact.uniq
18 19 @project = @projects.first if @projects.size == 1
19 20
20 21 @can = {:edit => User.current.allowed_to?(:edit_issues, @projects),
21 22 :log_time => (@project && User.current.allowed_to?(:log_time, @project)),
22 23 :update => (User.current.allowed_to?(:edit_issues, @projects) || (User.current.allowed_to?(:change_status, @projects) && !@allowed_statuses.blank?)),
23 24 :move => (@project && User.current.allowed_to?(:move_issues, @project)),
24 25 :copy => (@issue && @project.trackers.include?(@issue.tracker) && User.current.allowed_to?(:add_issues, @project)),
25 26 :delete => User.current.allowed_to?(:delete_issues, @projects)
26 27 }
27 28 if @project
28 29 @assignables = @project.assignable_users
29 30 @assignables << @issue.assigned_to if @issue && @issue.assigned_to && !@assignables.include?(@issue.assigned_to)
30 31 @trackers = @project.trackers
31 32 else
32 33 #when multiple projects, we only keep the intersection of each set
33 34 @assignables = @projects.map(&:assignable_users).inject{|memo,a| memo & a}
34 35 @trackers = @projects.map(&:trackers).inject{|memo,t| memo & t}
35 36 end
36 37
37 38 @priorities = IssuePriority.all.reverse
38 39 @statuses = IssueStatus.find(:all, :order => 'position')
39 40 @back = back_url
40 41
41 42 render :layout => false
42 43 end
43 44
44 45 def time_entries
45 46 @time_entries = TimeEntry.all(
46 47 :conditions => {:id => params[:ids]}, :include => :project)
47 48 @projects = @time_entries.collect(&:project).compact.uniq
48 49 @project = @projects.first if @projects.size == 1
49 50 @activities = TimeEntryActivity.shared.active
50 51 @can = {:edit => User.current.allowed_to?(:log_time, @projects),
51 52 :update => User.current.allowed_to?(:log_time, @projects),
52 53 :delete => User.current.allowed_to?(:log_time, @projects)
53 54 }
54 55 @back = back_url
55 56 render :layout => false
56 57 end
57 58 end
@@ -1,305 +1,323
1 1 # Redmine - project management software
2 2 # Copyright (C) 2006-2011 Jean-Philippe Lang
3 3 #
4 4 # This program is free software; you can redistribute it and/or
5 5 # modify it under the terms of the GNU General Public License
6 6 # as published by the Free Software Foundation; either version 2
7 7 # of the License, or (at your option) any later version.
8 8 #
9 9 # This program is distributed in the hope that it will be useful,
10 10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 12 # GNU General Public License for more details.
13 13 #
14 14 # You should have received a copy of the GNU General Public License
15 15 # along with this program; if not, write to the Free Software
16 16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
17 17
18 18 module IssuesHelper
19 19 include ApplicationHelper
20 20
21 21 def issue_list(issues, &block)
22 22 ancestors = []
23 23 issues.each do |issue|
24 24 while (ancestors.any? && !issue.is_descendant_of?(ancestors.last))
25 25 ancestors.pop
26 26 end
27 27 yield issue, ancestors.size
28 28 ancestors << issue unless issue.leaf?
29 29 end
30 30 end
31 31
32 32 # Renders a HTML/CSS tooltip
33 33 #
34 34 # To use, a trigger div is needed. This is a div with the class of "tooltip"
35 35 # that contains this method wrapped in a span with the class of "tip"
36 36 #
37 37 # <div class="tooltip"><%= link_to_issue(issue) %>
38 38 # <span class="tip"><%= render_issue_tooltip(issue) %></span>
39 39 # </div>
40 40 #
41 41 def render_issue_tooltip(issue)
42 42 @cached_label_status ||= l(:field_status)
43 43 @cached_label_start_date ||= l(:field_start_date)
44 44 @cached_label_due_date ||= l(:field_due_date)
45 45 @cached_label_assigned_to ||= l(:field_assigned_to)
46 46 @cached_label_priority ||= l(:field_priority)
47 47 @cached_label_project ||= l(:field_project)
48 48
49 49 link_to_issue(issue) + "<br /><br />" +
50 50 "<strong>#{@cached_label_project}</strong>: #{link_to_project(issue.project)}<br />" +
51 51 "<strong>#{@cached_label_status}</strong>: #{issue.status.name}<br />" +
52 52 "<strong>#{@cached_label_start_date}</strong>: #{format_date(issue.start_date)}<br />" +
53 53 "<strong>#{@cached_label_due_date}</strong>: #{format_date(issue.due_date)}<br />" +
54 54 "<strong>#{@cached_label_assigned_to}</strong>: #{issue.assigned_to}<br />" +
55 55 "<strong>#{@cached_label_priority}</strong>: #{issue.priority.name}"
56 56 end
57 57
58 58 def issue_heading(issue)
59 59 h("#{issue.tracker} ##{issue.id}")
60 60 end
61 61
62 62 def render_issue_subject_with_tree(issue)
63 63 s = ''
64 64 ancestors = issue.root? ? [] : issue.ancestors.visible.all
65 65 ancestors.each do |ancestor|
66 66 s << '<div>' + content_tag('p', link_to_issue(ancestor))
67 67 end
68 68 s << '<div>'
69 69 subject = h(issue.subject)
70 70 if issue.is_private?
71 71 subject = content_tag('span', l(:field_is_private), :class => 'private') + ' ' + subject
72 72 end
73 73 s << content_tag('h3', subject)
74 74 s << '</div>' * (ancestors.size + 1)
75 75 s
76 76 end
77 77
78 78 def render_descendants_tree(issue)
79 79 s = '<form><table class="list issues">'
80 80 issue_list(issue.descendants.visible.sort_by(&:lft)) do |child, level|
81 81 s << content_tag('tr',
82 82 content_tag('td', check_box_tag("ids[]", child.id, false, :id => nil), :class => 'checkbox') +
83 83 content_tag('td', link_to_issue(child, :truncate => 60), :class => 'subject') +
84 84 content_tag('td', h(child.status)) +
85 85 content_tag('td', link_to_user(child.assigned_to)) +
86 86 content_tag('td', progress_bar(child.done_ratio, :width => '80px')),
87 87 :class => "issue issue-#{child.id} hascontextmenu #{level > 0 ? "idnt idnt-#{level}" : nil}")
88 88 end
89 89 s << '</form></table>'
90 90 s
91 91 end
92 92
93 93 def render_custom_fields_rows(issue)
94 94 return if issue.custom_field_values.empty?
95 95 ordered_values = []
96 96 half = (issue.custom_field_values.size / 2.0).ceil
97 97 half.times do |i|
98 98 ordered_values << issue.custom_field_values[i]
99 99 ordered_values << issue.custom_field_values[i + half]
100 100 end
101 101 s = "<tr>\n"
102 102 n = 0
103 103 ordered_values.compact.each do |value|
104 104 s << "</tr>\n<tr>\n" if n > 0 && (n % 2) == 0
105 105 s << "\t<th>#{ h(value.custom_field.name) }:</th><td>#{ simple_format_without_paragraph(h(show_value(value))) }</td>\n"
106 106 n += 1
107 107 end
108 108 s << "</tr>\n"
109 109 s
110 110 end
111 111
112 def issues_destroy_confirmation_message(issues)
113 issues = [issues] unless issues.is_a?(Array)
114 message = l(:text_issues_destroy_confirmation)
115 descendant_count = issues.inject(0) {|memo, i| memo += (i.right - i.left - 1)/2}
116 if descendant_count > 0
117 issues.each do |issue|
118 next if issue.root?
119 issues.each do |other_issue|
120 descendant_count -= 1 if issue.is_descendant_of?(other_issue)
121 end
122 end
123 if descendant_count > 0
124 message << "\n" + l(:text_issues_destroy_descendants_confirmation, :count => descendant_count)
125 end
126 end
127 message
128 end
129
112 130 def sidebar_queries
113 131 unless @sidebar_queries
114 132 # User can see public queries and his own queries
115 133 visible = ARCondition.new(["is_public = ? OR user_id = ?", true, (User.current.logged? ? User.current.id : 0)])
116 134 # Project specific queries and global queries
117 135 visible << (@project.nil? ? ["project_id IS NULL"] : ["project_id IS NULL OR project_id = ?", @project.id])
118 136 @sidebar_queries = Query.find(:all,
119 137 :select => 'id, name, is_public',
120 138 :order => "name ASC",
121 139 :conditions => visible.conditions)
122 140 end
123 141 @sidebar_queries
124 142 end
125 143
126 144 def query_links(title, queries)
127 145 # links to #index on issues/show
128 146 url_params = controller_name == 'issues' ? {:controller => 'issues', :action => 'index', :project_id => @project} : params
129 147
130 148 content_tag('h3', title) +
131 149 queries.collect {|query|
132 150 link_to(h(query.name), url_params.merge(:query_id => query))
133 151 }.join('<br />')
134 152 end
135 153
136 154 def render_sidebar_queries
137 155 out = ''
138 156 queries = sidebar_queries.select {|q| !q.is_public?}
139 157 out << query_links(l(:label_my_queries), queries) if queries.any?
140 158 queries = sidebar_queries.select {|q| q.is_public?}
141 159 out << query_links(l(:label_query_plural), queries) if queries.any?
142 160 out
143 161 end
144 162
145 163 def show_detail(detail, no_html=false)
146 164 case detail.property
147 165 when 'attr'
148 166 field = detail.prop_key.to_s.gsub(/\_id$/, "")
149 167 label = l(("field_" + field).to_sym)
150 168 case
151 169 when ['due_date', 'start_date'].include?(detail.prop_key)
152 170 value = format_date(detail.value.to_date) if detail.value
153 171 old_value = format_date(detail.old_value.to_date) if detail.old_value
154 172
155 173 when ['project_id', 'status_id', 'tracker_id', 'assigned_to_id', 'priority_id', 'category_id', 'fixed_version_id'].include?(detail.prop_key)
156 174 value = find_name_by_reflection(field, detail.value)
157 175 old_value = find_name_by_reflection(field, detail.old_value)
158 176
159 177 when detail.prop_key == 'estimated_hours'
160 178 value = "%0.02f" % detail.value.to_f unless detail.value.blank?
161 179 old_value = "%0.02f" % detail.old_value.to_f unless detail.old_value.blank?
162 180
163 181 when detail.prop_key == 'parent_id'
164 182 label = l(:field_parent_issue)
165 183 value = "##{detail.value}" unless detail.value.blank?
166 184 old_value = "##{detail.old_value}" unless detail.old_value.blank?
167 185
168 186 when detail.prop_key == 'is_private'
169 187 value = l(detail.value == "0" ? :general_text_No : :general_text_Yes) unless detail.value.blank?
170 188 old_value = l(detail.old_value == "0" ? :general_text_No : :general_text_Yes) unless detail.old_value.blank?
171 189 end
172 190 when 'cf'
173 191 custom_field = CustomField.find_by_id(detail.prop_key)
174 192 if custom_field
175 193 label = custom_field.name
176 194 value = format_value(detail.value, custom_field.field_format) if detail.value
177 195 old_value = format_value(detail.old_value, custom_field.field_format) if detail.old_value
178 196 end
179 197 when 'attachment'
180 198 label = l(:label_attachment)
181 199 end
182 200 call_hook(:helper_issues_show_detail_after_setting, {:detail => detail, :label => label, :value => value, :old_value => old_value })
183 201
184 202 label ||= detail.prop_key
185 203 value ||= detail.value
186 204 old_value ||= detail.old_value
187 205
188 206 unless no_html
189 207 label = content_tag('strong', label)
190 208 old_value = content_tag("i", h(old_value)) if detail.old_value
191 209 old_value = content_tag("strike", old_value) if detail.old_value and (!detail.value or detail.value.empty?)
192 210 if detail.property == 'attachment' && !value.blank? && a = Attachment.find_by_id(detail.prop_key)
193 211 # Link to the attachment if it has not been removed
194 212 value = link_to_attachment(a)
195 213 else
196 214 value = content_tag("i", h(value)) if value
197 215 end
198 216 end
199 217
200 218 if detail.property == 'attr' && detail.prop_key == 'description'
201 219 s = l(:text_journal_changed_no_detail, :label => label)
202 220 unless no_html
203 221 diff_link = link_to 'diff',
204 222 {:controller => 'journals', :action => 'diff', :id => detail.journal_id, :detail_id => detail.id},
205 223 :title => l(:label_view_diff)
206 224 s << " (#{ diff_link })"
207 225 end
208 226 s
209 227 elsif !detail.value.blank?
210 228 case detail.property
211 229 when 'attr', 'cf'
212 230 if !detail.old_value.blank?
213 231 l(:text_journal_changed, :label => label, :old => old_value, :new => value)
214 232 else
215 233 l(:text_journal_set_to, :label => label, :value => value)
216 234 end
217 235 when 'attachment'
218 236 l(:text_journal_added, :label => label, :value => value)
219 237 end
220 238 else
221 239 l(:text_journal_deleted, :label => label, :old => old_value)
222 240 end
223 241 end
224 242
225 243 # Find the name of an associated record stored in the field attribute
226 244 def find_name_by_reflection(field, id)
227 245 association = Issue.reflect_on_association(field.to_sym)
228 246 if association
229 247 record = association.class_name.constantize.find_by_id(id)
230 248 return record.name if record
231 249 end
232 250 end
233 251
234 252 # Renders issue children recursively
235 253 def render_api_issue_children(issue, api)
236 254 return if issue.leaf?
237 255 api.array :children do
238 256 issue.children.each do |child|
239 257 api.issue(:id => child.id) do
240 258 api.tracker(:id => child.tracker_id, :name => child.tracker.name) unless child.tracker.nil?
241 259 api.subject child.subject
242 260 render_api_issue_children(child, api)
243 261 end
244 262 end
245 263 end
246 264 end
247 265
248 266 def issues_to_csv(issues, project = nil)
249 267 ic = Iconv.new(l(:general_csv_encoding), 'UTF-8')
250 268 decimal_separator = l(:general_csv_decimal_separator)
251 269 export = FCSV.generate(:col_sep => l(:general_csv_separator)) do |csv|
252 270 # csv header fields
253 271 headers = [ "#",
254 272 l(:field_status),
255 273 l(:field_project),
256 274 l(:field_tracker),
257 275 l(:field_priority),
258 276 l(:field_subject),
259 277 l(:field_assigned_to),
260 278 l(:field_category),
261 279 l(:field_fixed_version),
262 280 l(:field_author),
263 281 l(:field_start_date),
264 282 l(:field_due_date),
265 283 l(:field_done_ratio),
266 284 l(:field_estimated_hours),
267 285 l(:field_parent_issue),
268 286 l(:field_created_on),
269 287 l(:field_updated_on)
270 288 ]
271 289 # Export project custom fields if project is given
272 290 # otherwise export custom fields marked as "For all projects"
273 291 custom_fields = project.nil? ? IssueCustomField.for_all : project.all_issue_custom_fields
274 292 custom_fields.each {|f| headers << f.name}
275 293 # Description in the last column
276 294 headers << l(:field_description)
277 295 csv << headers.collect {|c| begin; ic.iconv(c.to_s); rescue; c.to_s; end }
278 296 # csv lines
279 297 issues.each do |issue|
280 298 fields = [issue.id,
281 299 issue.status.name,
282 300 issue.project.name,
283 301 issue.tracker.name,
284 302 issue.priority.name,
285 303 issue.subject,
286 304 issue.assigned_to,
287 305 issue.category,
288 306 issue.fixed_version,
289 307 issue.author.name,
290 308 format_date(issue.start_date),
291 309 format_date(issue.due_date),
292 310 issue.done_ratio,
293 311 issue.estimated_hours.to_s.gsub('.', decimal_separator),
294 312 issue.parent_id,
295 313 format_time(issue.created_on),
296 314 format_time(issue.updated_on)
297 315 ]
298 316 custom_fields.each {|f| fields << show_value(issue.custom_value_for(f)) }
299 317 fields << issue.description
300 318 csv << fields.collect {|c| begin; ic.iconv(c.to_s); rescue; c.to_s; end }
301 319 end
302 320 end
303 321 export
304 322 end
305 323 end
@@ -1,121 +1,121
1 1 <ul>
2 2 <%= call_hook(:view_issues_context_menu_start, {:issues => @issues, :can => @can, :back => @back }) %>
3 3
4 4 <% if !@issue.nil? -%>
5 5 <li><%= context_menu_link l(:button_edit), {:controller => 'issues', :action => 'edit', :id => @issue},
6 6 :class => 'icon-edit', :disabled => !@can[:edit] %></li>
7 7 <% else %>
8 8 <li><%= context_menu_link l(:button_edit), {:controller => 'issues', :action => 'bulk_edit', :ids => @issues.collect(&:id)},
9 9 :class => 'icon-edit', :disabled => !@can[:edit] %></li>
10 10 <% end %>
11 11
12 12 <% if @allowed_statuses.present? %>
13 13 <li class="folder">
14 14 <a href="#" class="submenu" onclick="return false;"><%= l(:field_status) %></a>
15 15 <ul>
16 16 <% @statuses.each do |s| -%>
17 17 <li><%= context_menu_link s.name, {:controller => 'issues', :action => 'bulk_edit', :ids => @issues.collect(&:id), :issue => {:status_id => s}, :back_url => @back}, :method => :post,
18 18 :selected => (@issue && s == @issue.status), :disabled => !(@can[:update] && @allowed_statuses.include?(s)) %></li>
19 19 <% end -%>
20 20 </ul>
21 21 </li>
22 22 <% end %>
23 23
24 24 <% unless @trackers.nil? %>
25 25 <li class="folder">
26 26 <a href="#" class="submenu"><%= l(:field_tracker) %></a>
27 27 <ul>
28 28 <% @trackers.each do |t| -%>
29 29 <li><%= context_menu_link t.name, {:controller => 'issues', :action => 'bulk_edit', :ids => @issues.collect(&:id), :issue => {'tracker_id' => t}, :back_url => @back}, :method => :post,
30 30 :selected => (@issue && t == @issue.tracker), :disabled => !@can[:edit] %></li>
31 31 <% end -%>
32 32 </ul>
33 33 </li>
34 34 <% end %>
35 35
36 36 <li class="folder">
37 37 <a href="#" class="submenu"><%= l(:field_priority) %></a>
38 38 <ul>
39 39 <% @priorities.each do |p| -%>
40 40 <li><%= context_menu_link p.name, {:controller => 'issues', :action => 'bulk_edit', :ids => @issues.collect(&:id), :issue => {'priority_id' => p}, :back_url => @back}, :method => :post,
41 41 :selected => (@issue && p == @issue.priority), :disabled => (!@can[:edit] || @issues.detect {|i| !i.leaf?}) %></li>
42 42 <% end -%>
43 43 </ul>
44 44 </li>
45 45
46 46 <% #TODO: allow editing versions when multiple projects %>
47 47 <% unless @project.nil? || @project.shared_versions.open.empty? -%>
48 48 <li class="folder">
49 49 <a href="#" class="submenu"><%= l(:field_fixed_version) %></a>
50 50 <ul>
51 51 <% @project.shared_versions.open.sort.each do |v| -%>
52 52 <li><%= context_menu_link format_version_name(v), {:controller => 'issues', :action => 'bulk_edit', :ids => @issues.collect(&:id), :issue => {'fixed_version_id' => v}, :back_url => @back}, :method => :post,
53 53 :selected => (@issue && v == @issue.fixed_version), :disabled => !@can[:update] %></li>
54 54 <% end -%>
55 55 <li><%= context_menu_link l(:label_none), {:controller => 'issues', :action => 'bulk_edit', :ids => @issues.collect(&:id), :issue => {'fixed_version_id' => 'none'}, :back_url => @back}, :method => :post,
56 56 :selected => (@issue && @issue.fixed_version.nil?), :disabled => !@can[:update] %></li>
57 57 </ul>
58 58 </li>
59 59 <% end %>
60 60 <% if @assignables.present? -%>
61 61 <li class="folder">
62 62 <a href="#" class="submenu"><%= l(:field_assigned_to) %></a>
63 63 <ul>
64 64 <% @assignables.each do |u| -%>
65 65 <li><%= context_menu_link u.name, {:controller => 'issues', :action => 'bulk_edit', :ids => @issues.collect(&:id), :issue => {'assigned_to_id' => u}, :back_url => @back}, :method => :post,
66 66 :selected => (@issue && u == @issue.assigned_to), :disabled => !@can[:update] %></li>
67 67 <% end -%>
68 68 <li><%= context_menu_link l(:label_nobody), {:controller => 'issues', :action => 'bulk_edit', :ids => @issues.collect(&:id), :issue => {'assigned_to_id' => 'none'}, :back_url => @back}, :method => :post,
69 69 :selected => (@issue && @issue.assigned_to.nil?), :disabled => !@can[:update] %></li>
70 70 </ul>
71 71 </li>
72 72 <% end %>
73 73 <% unless @project.nil? || @project.issue_categories.empty? -%>
74 74 <li class="folder">
75 75 <a href="#" class="submenu"><%= l(:field_category) %></a>
76 76 <ul>
77 77 <% @project.issue_categories.each do |u| -%>
78 78 <li><%= context_menu_link u.name, {:controller => 'issues', :action => 'bulk_edit', :ids => @issues.collect(&:id), :issue => {'category_id' => u}, :back_url => @back}, :method => :post,
79 79 :selected => (@issue && u == @issue.category), :disabled => !@can[:update] %></li>
80 80 <% end -%>
81 81 <li><%= context_menu_link l(:label_none), {:controller => 'issues', :action => 'bulk_edit', :ids => @issues.collect(&:id), :issue => {'category_id' => 'none'}, :back_url => @back}, :method => :post,
82 82 :selected => (@issue && @issue.category.nil?), :disabled => !@can[:update] %></li>
83 83 </ul>
84 84 </li>
85 85 <% end -%>
86 86
87 87 <% if Issue.use_field_for_done_ratio? %>
88 88 <li class="folder">
89 89 <a href="#" class="submenu"><%= l(:field_done_ratio) %></a>
90 90 <ul>
91 91 <% (0..10).map{|x|x*10}.each do |p| -%>
92 92 <li><%= context_menu_link "#{p}%", {:controller => 'issues', :action => 'bulk_edit', :ids => @issues.collect(&:id), :issue => {'done_ratio' => p}, :back_url => @back}, :method => :post,
93 93 :selected => (@issue && p == @issue.done_ratio), :disabled => (!@can[:edit] || @issues.detect {|i| !i.leaf?}) %></li>
94 94 <% end -%>
95 95 </ul>
96 96 </li>
97 97 <% end %>
98 98
99 99 <% if !@issue.nil? %>
100 100 <% if @can[:log_time] -%>
101 101 <li><%= context_menu_link l(:button_log_time), {:controller => 'timelog', :action => 'new', :issue_id => @issue},
102 102 :class => 'icon-time-add' %></li>
103 103 <% end %>
104 104 <% if User.current.logged? %>
105 105 <li><%= watcher_link(@issue, User.current) %></li>
106 106 <% end %>
107 107 <% end %>
108 108
109 109 <% if @issue.present? %>
110 110 <li><%= context_menu_link l(:button_duplicate), {:controller => 'issues', :action => 'new', :project_id => @project, :copy_from => @issue},
111 111 :class => 'icon-duplicate', :disabled => !@can[:copy] %></li>
112 112 <% end %>
113 113 <li><%= context_menu_link l(:button_copy), new_issue_move_path(:ids => @issues.collect(&:id), :copy_options => {:copy => 't'}),
114 114 :class => 'icon-copy', :disabled => !@can[:move] %></li>
115 115 <li><%= context_menu_link l(:button_move), new_issue_move_path(:ids => @issues.collect(&:id)),
116 116 :class => 'icon-move', :disabled => !@can[:move] %></li>
117 117 <li><%= context_menu_link l(:button_delete), {:controller => 'issues', :action => 'destroy', :ids => @issues.collect(&:id), :back_url => @back},
118 :method => :post, :confirm => l(:text_issues_destroy_confirmation), :class => 'icon-del', :disabled => !@can[:delete] %></li>
118 :method => :post, :confirm => issues_destroy_confirmation_message(@issues), :class => 'icon-del', :disabled => !@can[:delete] %></li>
119 119
120 120 <%= call_hook(:view_issues_context_menu_end, {:issues => @issues, :can => @can, :back => @back }) %>
121 121 </ul>
@@ -1,9 +1,9
1 1 <div class="contextual">
2 2 <%= link_to_if_authorized(l(:button_update), {:controller => 'issues', :action => 'edit', :id => @issue }, :onclick => 'showAndScrollTo("update", "notes"); return false;', :class => 'icon icon-edit', :accesskey => accesskey(:edit)) %>
3 3 <%= link_to_if_authorized l(:button_log_time), {:controller => 'timelog', :action => 'new', :issue_id => @issue}, :class => 'icon icon-time-add' %>
4 4 <%= watcher_tag(@issue, User.current) %>
5 5 <%= link_to_if_authorized l(:button_duplicate), {:controller => 'issues', :action => 'new', :project_id => @project, :copy_from => @issue }, :class => 'icon icon-duplicate' %>
6 6 <%= link_to_if_authorized l(:button_copy), {:controller => 'issue_moves', :action => 'new', :id => @issue, :copy_options => {:copy => 't'}}, :class => 'icon icon-copy' %>
7 7 <%= link_to_if_authorized l(:button_move), {:controller => 'issue_moves', :action => 'new', :id => @issue}, :class => 'icon icon-move' %>
8 <%= link_to_if_authorized l(:button_delete), {:controller => 'issues', :action => 'destroy', :id => @issue}, :confirm => (@issue.leaf? ? l(:text_are_you_sure) : l(:text_are_you_sure_with_children)), :method => :post, :class => 'icon icon-del' %>
8 <%= link_to_if_authorized l(:button_delete), {:controller => 'issues', :action => 'destroy', :id => @issue}, :confirm => issues_destroy_confirmation_message(@issue), :method => :post, :class => 'icon icon-del' %>
9 9 </div>
@@ -1,962 +1,963
1 1 bg:
2 2 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
3 3 direction: ltr
4 4 date:
5 5 formats:
6 6 # Use the strftime parameters for formats.
7 7 # When no format has been given, it uses default.
8 8 # You can provide other formats here if you like!
9 9 default: "%d-%m-%Y"
10 10 short: "%b %d"
11 11 long: "%B %d, %Y"
12 12
13 13 day_names: [Неделя, Понеделник, Вторник, Сряда, Четвъртък, Петък, Събота]
14 14 abbr_day_names: [Нед, Пон, Вто, Сря, Чет, Пет, Съб]
15 15
16 16 # Don't forget the nil at the beginning; there's no such thing as a 0th month
17 17 month_names: [~, Януари, Февруари, Март, Април, Май, Юни, Юли, Август, Септември, Октомври, Ноември, Декември]
18 18 abbr_month_names: [~, Яну, Фев, Мар, Апр, Май, Юни, Юли, Авг, Сеп, Окт, Ное, Дек]
19 19 # Used in date_select and datime_select.
20 20 order: [ :year, :month, :day ]
21 21
22 22 time:
23 23 formats:
24 24 default: "%a, %d %b %Y %H:%M:%S %z"
25 25 time: "%H:%M"
26 26 short: "%d %b %H:%M"
27 27 long: "%B %d, %Y %H:%M"
28 28 am: "am"
29 29 pm: "pm"
30 30
31 31 datetime:
32 32 distance_in_words:
33 33 half_a_minute: "half a minute"
34 34 less_than_x_seconds:
35 35 one: "по-малко от 1 секунда"
36 36 other: "по-малко от %{count} секунди"
37 37 x_seconds:
38 38 one: "1 секунда"
39 39 other: "%{count} секунди"
40 40 less_than_x_minutes:
41 41 one: "по-малко от 1 минута"
42 42 other: "по-малко от %{count} минути"
43 43 x_minutes:
44 44 one: "1 минута"
45 45 other: "%{count} минути"
46 46 about_x_hours:
47 47 one: "около 1 час"
48 48 other: "около %{count} часа"
49 49 x_days:
50 50 one: "1 ден"
51 51 other: "%{count} дена"
52 52 about_x_months:
53 53 one: "около 1 месец"
54 54 other: "около %{count} месеца"
55 55 x_months:
56 56 one: "1 месец"
57 57 other: "%{count} месеца"
58 58 about_x_years:
59 59 one: "около 1 година"
60 60 other: "около %{count} години"
61 61 over_x_years:
62 62 one: "над 1 година"
63 63 other: "над %{count} години"
64 64 almost_x_years:
65 65 one: "почти 1 година"
66 66 other: "почти %{count} години"
67 67
68 68 number:
69 69 # Default format for numbers
70 70 format:
71 71 separator: "."
72 72 delimiter: ""
73 73 precision: 3
74 74 human:
75 75 format:
76 76 precision: 1
77 77 delimiter: ""
78 78 storage_units:
79 79 format: "%n %u"
80 80 units:
81 81 byte:
82 82 one: Byte
83 83 other: Bytes
84 84 kb: "KB"
85 85 mb: "MB"
86 86 gb: "GB"
87 87 tb: "TB"
88 88
89 89
90 90 # Used in array.to_sentence.
91 91 support:
92 92 array:
93 93 sentence_connector: "и"
94 94 skip_last_comma: false
95 95
96 96 activerecord:
97 97 errors:
98 98 template:
99 99 header:
100 100 one: "1 грешка попречи този %{model} да бъде записан"
101 101 other: "%{count} грешки попречиха този %{model} да бъде записан"
102 102 messages:
103 103 inclusion: "не съществува в списъка"
104 104 exclusion: запазено"
105 105 invalid: невалидно"
106 106 confirmation: "липсва одобрение"
107 107 accepted: "трябва да се приеме"
108 108 empty: "не може да е празно"
109 109 blank: "не може да е празно"
110 110 too_long: прекалено дълго"
111 111 too_short: прекалено късо"
112 112 wrong_length: с грешна дължина"
113 113 taken: "вече съществува"
114 114 not_a_number: "не е число"
115 115 not_a_date: невалидна дата"
116 116 greater_than: "трябва да бъде по-голям[a/о] от %{count}"
117 117 greater_than_or_equal_to: "трябва да бъде по-голям[a/о] от или равен[a/o] на %{count}"
118 118 equal_to: "трябва да бъде равен[a/o] на %{count}"
119 119 less_than: "трябва да бъде по-малък[a/o] от %{count}"
120 120 less_than_or_equal_to: "трябва да бъде по-малък[a/o] от или равен[a/o] на %{count}"
121 121 odd: "трябва да бъде нечетен[a/o]"
122 122 even: "трябва да бъде четен[a/o]"
123 123 greater_than_start_date: "трябва да е след началната дата"
124 124 not_same_project: "не е от същия проект"
125 125 circular_dependency: "Тази релация ще доведе до безкрайна зависимост"
126 126 cant_link_an_issue_with_a_descendant: "Една задача не може да бъде свързвана към своя подзадача"
127 127
128 128 actionview_instancetag_blank_option: Изберете
129 129
130 130 general_text_No: 'Не'
131 131 general_text_Yes: 'Да'
132 132 general_text_no: 'не'
133 133 general_text_yes: 'да'
134 134 general_lang_name: 'Bulgarian (Български)'
135 135 general_csv_separator: ','
136 136 general_csv_decimal_separator: '.'
137 137 general_csv_encoding: UTF-8
138 138 general_pdf_encoding: UTF-8
139 139 general_first_day_of_week: '1'
140 140
141 141 notice_account_updated: Профилът е обновен успешно.
142 142 notice_account_invalid_creditentials: Невалиден потребител или парола.
143 143 notice_account_password_updated: Паролата е успешно променена.
144 144 notice_account_wrong_password: Грешна парола
145 145 notice_account_register_done: Профилът е създаден успешно.
146 146 notice_account_unknown_email: Непознат e-mail.
147 147 notice_can_t_change_password: Този профил е с външен метод за оторизация. Невъзможна смяна на паролата.
148 148 notice_account_lost_email_sent: Изпратен ви е e-mail с инструкции за избор на нова парола.
149 149 notice_account_activated: Профилът ви е активиран. Вече може да влезете в системата.
150 150 notice_successful_create: Успешно създаване.
151 151 notice_successful_update: Успешно обновяване.
152 152 notice_successful_delete: Успешно изтриване.
153 153 notice_successful_connection: Успешно свързване.
154 154 notice_file_not_found: Несъществуваща или преместена страница.
155 155 notice_locking_conflict: Друг потребител променя тези данни в момента.
156 156 notice_not_authorized: Нямате право на достъп до тази страница.
157 157 notice_not_authorized_archived_project: Проектът, който се опитвате да видите е архивиран.
158 158 notice_email_sent: "Изпратен e-mail на %{value}"
159 159 notice_email_error: "Грешка при изпращане на e-mail (%{value})"
160 160 notice_feeds_access_key_reseted: Вашия ключ за RSS достъп беше променен.
161 161 notice_api_access_key_reseted: Вашият API ключ за достъп беше изчистен.
162 162 notice_failed_to_save_issues: "Неуспешен запис на %{count} задачи от %{total} избрани: %{ids}."
163 163 notice_failed_to_save_members: "Невъзможност за запис на член(ове): %{errors}."
164 164 notice_no_issue_selected: "Няма избрани задачи."
165 165 notice_account_pending: "Профилът Ви е създаден и очаква одобрение от администратор."
166 166 notice_default_data_loaded: Примерната информация е заредена успешно.
167 167 notice_unable_delete_version: Невъзможност за изтриване на версия
168 168 notice_unable_delete_time_entry: Невъзможност за изтриване на запис на time log.
169 169 notice_issue_done_ratios_updated: Обновен процент на завършените задачи.
170 170 notice_gantt_chart_truncated: Мрежовият график е съкратен, понеже броят на обектите, които могат да бъдат показани е твърде голям (%{max})
171 171
172 172 error_can_t_load_default_data: "Грешка при зареждане на примерната информация: %{value}"
173 173 error_scm_not_found: Несъществуващ обект в хранилището.
174 174 error_scm_command_failed: "Грешка при опит за комуникация с хранилище: %{value}"
175 175 error_scm_annotate: "Обектът не съществува или не може да бъде анотиран."
176 176 error_issue_not_found_in_project: 'Задачата не е намерена или не принадлежи на този проект'
177 177 error_no_tracker_in_project: Няма асоциирани тракери с този проект. Проверете настройките на проекта.
178 178 error_no_default_issue_status: Няма установено подразбиращо се състояние за задачите. Моля проверете вашата конфигурация (Вижте "Администрация -> Състояния на задачи").
179 179 error_can_not_delete_custom_field: Невъзможност за изтриване на потребителско поле
180 180 error_can_not_delete_tracker: Този тракер съдържа задачи и не може да бъде изтрит.
181 181 error_can_not_remove_role: Тази роля се използва и не може да бъде изтрита.
182 182 error_can_not_reopen_issue_on_closed_version: Задача, асоциирана със затворена версия не може да бъде отворена отново
183 183 error_can_not_archive_project: Този проект не може да бъде архивиран
184 184 error_issue_done_ratios_not_updated: Процентът на завършените задачи не е обновен.
185 185 error_workflow_copy_source: Моля изберете source тракер или роля
186 186 error_workflow_copy_target: Моля изберете тракер(и) и роля (роли).
187 187 error_unable_delete_issue_status: Невъзможност за изтриване на състояние на задача
188 188 error_unable_to_connect: Невъзможност за свързване с (%{value})
189 189 warning_attachments_not_saved: "%{count} файла не бяха записани."
190 190
191 191 mail_subject_lost_password: "Вашата парола (%{value})"
192 192 mail_body_lost_password: 'За да смените паролата си, използвайте следния линк:'
193 193 mail_subject_register: "Активация на профил (%{value})"
194 194 mail_body_register: 'За да активирате профила си използвайте следния линк:'
195 195 mail_body_account_information_external: "Можете да използвате вашия %{value} профил за вход."
196 196 mail_body_account_information: Информацията за профила ви
197 197 mail_subject_account_activation_request: "Заявка за активиране на профил в %{value}"
198 198 mail_body_account_activation_request: "Има новорегистриран потребител (%{value}), очакващ вашето одобрение:"
199 199 mail_subject_reminder: "%{count} задачи с краен срок с следващите %{days} дни"
200 200 mail_body_reminder: "%{count} задачи, назначени на вас са с краен срок в следващите %{days} дни:"
201 201 mail_subject_wiki_content_added: "Wiki страницата '%{id}' беше добавена"
202 202 mail_body_wiki_content_added: Wiki страницата '%{id}' беше добавена от %{author}.
203 203 mail_subject_wiki_content_updated: "Wiki страницата '%{id}' не беше обновена"
204 204 mail_body_wiki_content_updated: Wiki страницата '%{id}' беше обновена от %{author}.
205 205
206 206 gui_validation_error: 1 грешка
207 207 gui_validation_error_plural: "%{count} грешки"
208 208
209 209 field_name: Име
210 210 field_description: Описание
211 211 field_summary: Анотация
212 212 field_is_required: Задължително
213 213 field_firstname: Име
214 214 field_lastname: Фамилия
215 215 field_mail: Email
216 216 field_filename: Файл
217 217 field_filesize: Големина
218 218 field_downloads: Изтеглени файлове
219 219 field_author: Автор
220 220 field_created_on: От дата
221 221 field_updated_on: Обновена
222 222 field_field_format: Тип
223 223 field_is_for_all: За всички проекти
224 224 field_possible_values: Възможни стойности
225 225 field_regexp: Регулярен израз
226 226 field_min_length: Мин. дължина
227 227 field_max_length: Макс. дължина
228 228 field_value: Стойност
229 229 field_category: Категория
230 230 field_title: Заглавие
231 231 field_project: Проект
232 232 field_issue: Задача
233 233 field_status: Състояние
234 234 field_notes: Бележка
235 235 field_is_closed: Затворена задача
236 236 field_is_default: Състояние по подразбиране
237 237 field_tracker: Тракер
238 238 field_subject: Относно
239 239 field_due_date: Крайна дата
240 240 field_assigned_to: Възложена на
241 241 field_priority: Приоритет
242 242 field_fixed_version: Планувана версия
243 243 field_user: Потребител
244 244 field_principal: Principal
245 245 field_role: Роля
246 246 field_homepage: Начална страница
247 247 field_is_public: Публичен
248 248 field_parent: Подпроект на
249 249 field_is_in_roadmap: Да се вижда ли в Пътна карта
250 250 field_login: Потребител
251 251 field_mail_notification: Известия по пощата
252 252 field_admin: Администратор
253 253 field_last_login_on: Последно свързване
254 254 field_language: Език
255 255 field_effective_date: Дата
256 256 field_password: Парола
257 257 field_new_password: Нова парола
258 258 field_password_confirmation: Потвърждение
259 259 field_version: Версия
260 260 field_type: Тип
261 261 field_host: Хост
262 262 field_port: Порт
263 263 field_account: Профил
264 264 field_base_dn: Base DN
265 265 field_attr_login: Атрибут Login
266 266 field_attr_firstname: Атрибут Първо име (Firstname)
267 267 field_attr_lastname: Атрибут Фамилия (Lastname)
268 268 field_attr_mail: Атрибут Email
269 269 field_onthefly: Динамично създаване на потребител
270 270 field_start_date: Начална дата
271 271 field_done_ratio: % Прогрес
272 272 field_auth_source: Начин на оторизация
273 273 field_hide_mail: Скрий e-mail адреса ми
274 274 field_comments: Коментар
275 275 field_url: Адрес
276 276 field_start_page: Начална страница
277 277 field_subproject: Подпроект
278 278 field_hours: Часове
279 279 field_activity: Дейност
280 280 field_spent_on: Дата
281 281 field_identifier: Идентификатор
282 282 field_is_filter: Използва се за филтър
283 283 field_issue_to: Свързана задача
284 284 field_delay: Отместване
285 285 field_assignable: Възможно е възлагане на задачи за тази роля
286 286 field_redirect_existing_links: Пренасочване на съществуващи линкове
287 287 field_estimated_hours: Изчислено време
288 288 field_column_names: Колони
289 289 field_time_entries: Log time
290 290 field_time_zone: Часова зона
291 291 field_searchable: С възможност за търсене
292 292 field_default_value: Стойност по подразбиране
293 293 field_comments_sorting: Сортиране на коментарите
294 294 field_parent_title: Родителска страница
295 295 field_editable: Editable
296 296 field_watcher: Наблюдател
297 297 field_identity_url: OpenID URL
298 298 field_content: Съдържание
299 299 field_group_by: Групиране на резултатите по
300 300 field_sharing: Sharing
301 301 field_parent_issue: Родителска задача
302 302 field_member_of_group: Член на група
303 303 field_assigned_to_role: Assignee's role
304 304 field_text: Текстово поле
305 305 field_visible: Видим
306 306 field_warn_on_leaving_unsaved: Предупреди ме, когато напускам страница с незаписано съдържание
307 307 field_issues_visibility: Видимост на задачите
308 308
309 309 setting_app_title: Заглавие
310 310 setting_app_subtitle: Описание
311 311 setting_welcome_text: Допълнителен текст
312 312 setting_default_language: Език по подразбиране
313 313 setting_login_required: Изискване за вход в системата
314 314 setting_self_registration: Регистрация от потребители
315 315 setting_attachment_max_size: Максимална големина на прикачен файл
316 316 setting_issues_export_limit: Максимален брой задачи за експорт
317 317 setting_mail_from: E-mail адрес за емисии
318 318 setting_bcc_recipients: Получатели на скрито копие (bcc)
319 319 setting_plain_text_mail: само чист текст (без HTML)
320 320 setting_host_name: Хост
321 321 setting_text_formatting: Форматиране на текста
322 322 setting_wiki_compression: Wiki компресиране на историята
323 323 setting_feeds_limit: Максимален брой за емисии
324 324 setting_default_projects_public: Новите проекти са публични по подразбиране
325 325 setting_autofetch_changesets: Автоматично обработване на ревизиите
326 326 setting_sys_api_enabled: Разрешаване на WS за управление
327 327 setting_commit_ref_keywords: Отбелязващи ключови думи
328 328 setting_commit_fix_keywords: Приключващи ключови думи
329 329 setting_autologin: Автоматичен вход
330 330 setting_date_format: Формат на датата
331 331 setting_time_format: Формат на часа
332 332 setting_cross_project_issue_relations: Релации на задачи между проекти
333 333 setting_issue_list_default_columns: Показвани колони по подразбиране
334 334 setting_repositories_encodings: Кодови таблици
335 335 setting_commit_logs_encoding: Кодова таблица на съобщенията при поверяване
336 336 setting_emails_header: Emails header
337 337 setting_emails_footer: Подтекст за e-mail
338 338 setting_protocol: Протокол
339 339 setting_per_page_options: Опции за страниране
340 340 setting_user_format: Потребителски формат
341 341 setting_activity_days_default: Брой дни показвани на таб Дейност
342 342 setting_display_subprojects_issues: Показване на подпроектите в проектите по подразбиране
343 343 setting_enabled_scm: Разрешена SCM
344 344 setting_mail_handler_body_delimiters: Отрязване на e-mail-ите след един от тези редове
345 345 setting_mail_handler_api_enabled: Разрешаване на WS за входящи e-mail-и
346 346 setting_mail_handler_api_key: API ключ
347 347 setting_sequential_project_identifiers: Генериране на последователни проектни идентификатори
348 348 setting_gravatar_enabled: Използване на портребителски икони от Gravatar
349 349 setting_gravatar_default: Подразбиращо се изображение от Gravatar
350 350 setting_diff_max_lines_displayed: Максимален брой показани diff редове
351 351 setting_file_max_size_displayed: Максимален размер на текстовите файлове, показвани inline
352 352 setting_repository_log_display_limit: Максимален брой на показванете ревизии в лог файла
353 353 setting_openid: Рарешаване на OpenID вход и регистрация
354 354 setting_password_min_length: Минимална дължина на парола
355 355 setting_new_project_user_role_id: Роля, давана на потребител, създаващ проекти, който не е администратор
356 356 setting_default_projects_modules: Активирани модули по подразбиране за нов проект
357 357 setting_issue_done_ratio: Изчисление на процента на готови задачи с
358 358 setting_issue_done_ratio_issue_field: Използване на поле '% Прогрес'
359 359 setting_issue_done_ratio_issue_status: Използване на състоянието на задачите
360 360 setting_start_of_week: Първи ден на седмицата
361 361 setting_rest_api_enabled: Разрешаване на REST web сървис
362 362 setting_cache_formatted_text: Cache formatted text
363 363 setting_default_notification_option: Подразбиращ се начин за известяване
364 364 setting_commit_logtime_enabled: Разрешаване на отчитането на работното време
365 365 setting_commit_logtime_activity_id: Дейност при отчитане на работното време
366 366 setting_gantt_items_limit: Максимален брой обекти, които да се показват в мрежов график
367 367
368 368 permission_add_project: Създаване на проект
369 369 permission_add_subprojects: Създаване на подпроекти
370 370 permission_edit_project: Редактиране на проект
371 371 permission_select_project_modules: Избор на проектни модули
372 372 permission_manage_members: Управление на членовете (на екип)
373 373 permission_manage_project_activities: Управление на дейностите на проекта
374 374 permission_manage_versions: Управление на версиите
375 375 permission_manage_categories: Управление на категориите
376 376 permission_view_issues: Разглеждане на задачите
377 377 permission_add_issues: Добавяне на задачи
378 378 permission_edit_issues: Редактиране на задачи
379 379 permission_manage_issue_relations: Управление на връзките между задачите
380 380 permission_add_issue_notes: Добавяне на бележки
381 381 permission_edit_issue_notes: Редактиране на бележки
382 382 permission_edit_own_issue_notes: Редактиране на собствени бележки
383 383 permission_move_issues: Преместване на задачи
384 384 permission_delete_issues: Изтриване на задачи
385 385 permission_manage_public_queries: Управление на публичните заявки
386 386 permission_save_queries: Запис на запитвания (queries)
387 387 permission_view_gantt: Разглеждане на мрежов график
388 388 permission_view_calendar: Разглеждане на календари
389 389 permission_view_issue_watchers: Разглеждане на списък с наблюдатели
390 390 permission_add_issue_watchers: Добавяне на наблюдатели
391 391 permission_delete_issue_watchers: Изтриване на наблюдатели
392 392 permission_log_time: Log spent time
393 393 permission_view_time_entries: Разглеждане на изразходваното време
394 394 permission_edit_time_entries: Редактиране на time logs
395 395 permission_edit_own_time_entries: Редактиране на собствените time logs
396 396 permission_manage_news: Управление на новини
397 397 permission_comment_news: Коментиране на новини
398 398 permission_manage_documents: Управление на документи
399 399 permission_view_documents: Разглеждане на документи
400 400 permission_manage_files: Управление на файлове
401 401 permission_view_files: Разглеждане на файлове
402 402 permission_manage_wiki: Управление на wiki
403 403 permission_rename_wiki_pages: Преименуване на wiki страници
404 404 permission_delete_wiki_pages: Изтриване на wiki страници
405 405 permission_view_wiki_pages: Разглеждане на wiki
406 406 permission_view_wiki_edits: Разглеждане на wiki история
407 407 permission_edit_wiki_pages: Редактиране на wiki страници
408 408 permission_delete_wiki_pages_attachments: Изтриване на прикачени файлове към wiki страници
409 409 permission_protect_wiki_pages: Заключване на wiki страници
410 410 permission_manage_repository: Управление на хранилища
411 411 permission_browse_repository: Разглеждане на хранилища
412 412 permission_view_changesets: Разглеждане на changesets
413 413 permission_commit_access: Поверяване
414 414 permission_manage_boards: Управление на boards
415 415 permission_view_messages: Разглеждане на съобщения
416 416 permission_add_messages: Публикуване на съобщения
417 417 permission_edit_messages: Редактиране на съобщения
418 418 permission_edit_own_messages: Редактиране на собствени съобщения
419 419 permission_delete_messages: Изтриване на съобщения
420 420 permission_delete_own_messages: Изтриване на собствени съобщения
421 421 permission_export_wiki_pages: Експорт на wiki страници
422 422 permission_manage_subtasks: Управление на подзадачите
423 423
424 424 project_module_issue_tracking: Тракинг
425 425 project_module_time_tracking: Отделяне на време
426 426 project_module_news: Новини
427 427 project_module_documents: Документи
428 428 project_module_files: Файлове
429 429 project_module_wiki: Wiki
430 430 project_module_repository: Хранилище
431 431 project_module_boards: Форуми
432 432 project_module_calendar: Календар
433 433 project_module_gantt: Мрежов график
434 434
435 435 label_user: Потребител
436 436 label_user_plural: Потребители
437 437 label_user_new: Нов потребител
438 438 label_user_anonymous: Анонимен
439 439 label_project: Проект
440 440 label_project_new: Нов проект
441 441 label_project_plural: Проекти
442 442 label_x_projects:
443 443 zero: 0 проекта
444 444 one: 1 проект
445 445 other: "%{count} проекта"
446 446 label_project_all: Всички проекти
447 447 label_project_latest: Последни проекти
448 448 label_issue: Задача
449 449 label_issue_new: Нова задача
450 450 label_issue_plural: Задачи
451 451 label_issue_view_all: Всички задачи
452 452 label_issues_by: "Задачи по %{value}"
453 453 label_issue_added: Добавена задача
454 454 label_issue_updated: Обновена задача
455 455 label_issue_note_added: Добавена бележка
456 456 label_issue_status_updated: Обновено състояние
457 457 label_issue_priority_updated: Обновен приоритет
458 458 label_document: Документ
459 459 label_document_new: Нов документ
460 460 label_document_plural: Документи
461 461 label_document_added: Добавен документ
462 462 label_role: Роля
463 463 label_role_plural: Роли
464 464 label_role_new: Нова роля
465 465 label_role_and_permissions: Роли и права
466 466 label_role_anonymous: Анонимен
467 467 label_role_non_member: Не член
468 468 label_member: Член
469 469 label_member_new: Нов член
470 470 label_member_plural: Членове
471 471 label_tracker: Тракер
472 472 label_tracker_plural: Тракери
473 473 label_tracker_new: Нов тракер
474 474 label_workflow: Работен процес
475 475 label_issue_status: Състояние на задача
476 476 label_issue_status_plural: Състояния на задачи
477 477 label_issue_status_new: Ново състояние
478 478 label_issue_category: Категория задача
479 479 label_issue_category_plural: Категории задачи
480 480 label_issue_category_new: Нова категория
481 481 label_custom_field: Потребителско поле
482 482 label_custom_field_plural: Потребителски полета
483 483 label_custom_field_new: Ново потребителско поле
484 484 label_enumerations: Списъци
485 485 label_enumeration_new: Нова стойност
486 486 label_information: Информация
487 487 label_information_plural: Информация
488 488 label_please_login: Вход
489 489 label_register: Регистрация
490 490 label_login_with_open_id_option: или вход чрез OpenID
491 491 label_password_lost: Забравена парола
492 492 label_home: Начало
493 493 label_my_page: Лична страница
494 494 label_my_account: Профил
495 495 label_my_projects: Проекти, в които участвам
496 496 label_my_page_block: Блокове в личната страница
497 497 label_administration: Администрация
498 498 label_login: Вход
499 499 label_logout: Изход
500 500 label_help: Помощ
501 501 label_reported_issues: Публикувани задачи
502 502 label_assigned_to_me_issues: Възложени на мен
503 503 label_last_login: Последно свързване
504 504 label_registered_on: Регистрация
505 505 label_activity: Дейност
506 506 label_overall_activity: Цялостна дейност
507 507 label_user_activity: "Активност на %{value}"
508 508 label_new: Нов
509 509 label_logged_as: Здравейте,
510 510 label_environment: Среда
511 511 label_authentication: Оторизация
512 512 label_auth_source: Начин на оторозация
513 513 label_auth_source_new: Нов начин на оторизация
514 514 label_auth_source_plural: Начини на оторизация
515 515 label_subproject_plural: Подпроекти
516 516 label_subproject_new: Нов подпроект
517 517 label_and_its_subprojects: "%{value} и неговите подпроекти"
518 518 label_min_max_length: Минимална - максимална дължина
519 519 label_list: Списък
520 520 label_date: Дата
521 521 label_integer: Целочислен
522 522 label_float: Дробно
523 523 label_boolean: Чекбокс
524 524 label_string: Текст
525 525 label_text: Дълъг текст
526 526 label_attribute: Атрибут
527 527 label_attribute_plural: Атрибути
528 528 label_download: "%{count} изтегляне"
529 529 label_download_plural: "%{count} изтегляния"
530 530 label_no_data: Няма изходни данни
531 531 label_change_status: Промяна на състоянието
532 532 label_history: История
533 533 label_attachment: Файл
534 534 label_attachment_new: Нов файл
535 535 label_attachment_delete: Изтриване
536 536 label_attachment_plural: Файлове
537 537 label_file_added: Добавен файл
538 538 label_report: Справка
539 539 label_report_plural: Справки
540 540 label_news: Новини
541 541 label_news_new: Добави
542 542 label_news_plural: Новини
543 543 label_news_latest: Последни новини
544 544 label_news_view_all: Виж всички
545 545 label_news_added: Добавена новина
546 546 label_news_comment_added: Добавен коментар към новина
547 547 label_settings: Настройки
548 548 label_overview: Общ изглед
549 549 label_version: Версия
550 550 label_version_new: Нова версия
551 551 label_version_plural: Версии
552 552 label_close_versions: Затваряне на завършените версии
553 553 label_confirmation: Одобрение
554 554 label_export_to: Експорт към
555 555 label_read: Read...
556 556 label_public_projects: Публични проекти
557 557 label_open_issues: отворена
558 558 label_open_issues_plural: отворени
559 559 label_closed_issues: затворена
560 560 label_closed_issues_plural: затворени
561 561 label_x_open_issues_abbr_on_total:
562 562 zero: 0 отворени / %{total}
563 563 one: 1 отворена / %{total}
564 564 other: "%{count} отворени / %{total}"
565 565 label_x_open_issues_abbr:
566 566 zero: 0 отворени
567 567 one: 1 отворена
568 568 other: "%{count} отворени"
569 569 label_x_closed_issues_abbr:
570 570 zero: 0 затворени
571 571 one: 1 затворена
572 572 other: "%{count} затворени"
573 573 label_total: Общо
574 574 label_permissions: Права
575 575 label_current_status: Текущо състояние
576 576 label_new_statuses_allowed: Позволени състояния
577 577 label_all: всички
578 578 label_none: никакви
579 579 label_nobody: никой
580 580 label_next: Следващ
581 581 label_previous: Предишен
582 582 label_used_by: Използва се от
583 583 label_details: Детайли
584 584 label_add_note: Добавяне на бележка
585 585 label_per_page: На страница
586 586 label_calendar: Календар
587 587 label_months_from: месеца от
588 588 label_gantt: Мрежов график
589 589 label_internal: Вътрешен
590 590 label_last_changes: "последни %{count} промени"
591 591 label_change_view_all: Виж всички промени
592 592 label_personalize_page: Персонализиране
593 593 label_comment: Коментар
594 594 label_comment_plural: Коментари
595 595 label_x_comments:
596 596 zero: 0 коментари
597 597 one: 1 коментар
598 598 other: "%{count} коментари"
599 599 label_comment_add: Добавяне на коментар
600 600 label_comment_added: Добавен коментар
601 601 label_comment_delete: Изтриване на коментари
602 602 label_query: Потребителска справка
603 603 label_query_plural: Потребителски справки
604 604 label_query_new: Нова заявка
605 605 label_my_queries: Моите заявки
606 606 label_filter_add: Добави филтър
607 607 label_filter_plural: Филтри
608 608 label_equals: е
609 609 label_not_equals: не е
610 610 label_in_less_than: след по-малко от
611 611 label_in_more_than: след повече от
612 612 label_greater_or_equal: ">="
613 613 label_less_or_equal: <=
614 614 label_in: в следващите
615 615 label_today: днес
616 616 label_all_time: всички
617 617 label_yesterday: вчера
618 618 label_this_week: тази седмица
619 619 label_last_week: последната седмица
620 620 label_last_n_days: "последните %{count} дни"
621 621 label_this_month: текущия месец
622 622 label_last_month: последния месец
623 623 label_this_year: текущата година
624 624 label_date_range: Период
625 625 label_less_than_ago: преди по-малко от
626 626 label_more_than_ago: преди повече от
627 627 label_ago: преди
628 628 label_contains: съдържа
629 629 label_not_contains: не съдържа
630 630 label_day_plural: дни
631 631 label_repository: Хранилище
632 632 label_repository_plural: Хранилища
633 633 label_browse: Разглеждане
634 634 label_modification: "%{count} промяна"
635 635 label_modification_plural: "%{count} промени"
636 636 label_branch: работен вариант
637 637 label_tag: Версия
638 638 label_revision: Ревизия
639 639 label_revision_plural: Ревизии
640 640 label_revision_id: Ревизия %{value}
641 641 label_associated_revisions: Асоциирани ревизии
642 642 label_added: добавено
643 643 label_modified: променено
644 644 label_copied: копирано
645 645 label_renamed: преименувано
646 646 label_deleted: изтрито
647 647 label_latest_revision: Последна ревизия
648 648 label_latest_revision_plural: Последни ревизии
649 649 label_view_revisions: Виж ревизиите
650 650 label_view_all_revisions: Разглеждане на всички ревизии
651 651 label_max_size: Максимална големина
652 652 label_sort_highest: Премести най-горе
653 653 label_sort_higher: Премести по-горе
654 654 label_sort_lower: Премести по-долу
655 655 label_sort_lowest: Премести най-долу
656 656 label_roadmap: Пътна карта
657 657 label_roadmap_due_in: "Излиза след %{value}"
658 658 label_roadmap_overdue: "%{value} закъснение"
659 659 label_roadmap_no_issues: Няма задачи за тази версия
660 660 label_search: Търсене
661 661 label_result_plural: Pезултати
662 662 label_all_words: Всички думи
663 663 label_wiki: Wiki
664 664 label_wiki_edit: Wiki редакция
665 665 label_wiki_edit_plural: Wiki редакции
666 666 label_wiki_page: Wiki страница
667 667 label_wiki_page_plural: Wiki страници
668 668 label_index_by_title: Индекс
669 669 label_index_by_date: Индекс по дата
670 670 label_current_version: Текуща версия
671 671 label_preview: Преглед
672 672 label_feed_plural: Емисии
673 673 label_changes_details: Подробни промени
674 674 label_issue_tracking: Тракинг
675 675 label_spent_time: Отделено време
676 676 label_overall_spent_time: Общо употребено време
677 677 label_f_hour: "%{value} час"
678 678 label_f_hour_plural: "%{value} часа"
679 679 label_time_tracking: Отделяне на време
680 680 label_change_plural: Промени
681 681 label_statistics: Статистики
682 682 label_commits_per_month: Ревизии по месеци
683 683 label_commits_per_author: Ревизии по автор
684 684 label_view_diff: Виж разликите
685 685 label_diff_inline: хоризонтално
686 686 label_diff_side_by_side: вертикално
687 687 label_options: Опции
688 688 label_copy_workflow_from: Копирай работния процес от
689 689 label_permissions_report: Справка за права
690 690 label_watched_issues: Наблюдавани задачи
691 691 label_related_issues: Свързани задачи
692 692 label_applied_status: Установено състояние
693 693 label_loading: Зареждане...
694 694 label_relation_new: Нова релация
695 695 label_relation_delete: Изтриване на релация
696 696 label_relates_to: свързана със
697 697 label_duplicates: дублира
698 698 label_duplicated_by: дублирана от
699 699 label_blocks: блокира
700 700 label_blocked_by: блокирана от
701 701 label_precedes: предшества
702 702 label_follows: изпълнява се след
703 703 label_end_to_start: край към начало
704 704 label_end_to_end: край към край
705 705 label_start_to_start: начало към начало
706 706 label_start_to_end: начало към край
707 707 label_stay_logged_in: Запомни ме
708 708 label_disabled: забранено
709 709 label_show_completed_versions: Показване на реализирани версии
710 710 label_me: аз
711 711 label_board: Форум
712 712 label_board_new: Нов форум
713 713 label_board_plural: Форуми
714 714 label_board_locked: Заключена
715 715 label_board_sticky: Sticky
716 716 label_topic_plural: Теми
717 717 label_message_plural: Съобщения
718 718 label_message_last: Последно съобщение
719 719 label_message_new: Нова тема
720 720 label_message_posted: Добавено съобщение
721 721 label_reply_plural: Отговори
722 722 label_send_information: Изпращане на информацията до потребителя
723 723 label_year: Година
724 724 label_month: Месец
725 725 label_week: Седмица
726 726 label_date_from: От
727 727 label_date_to: До
728 728 label_language_based: В зависимост от езика
729 729 label_sort_by: "Сортиране по %{value}"
730 730 label_send_test_email: Изпращане на тестов e-mail
731 731 label_feeds_access_key: RSS access ключ
732 732 label_missing_feeds_access_key: Липсващ RSS ключ за достъп
733 733 label_feeds_access_key_created_on: "%{value} от създаването на RSS ключа"
734 734 label_module_plural: Модули
735 735 label_added_time_by: "Публикувана от %{author} преди %{age}"
736 736 label_updated_time_by: "Обновена от %{author} преди %{age}"
737 737 label_updated_time: "Обновена преди %{value}"
738 738 label_jump_to_a_project: Проект...
739 739 label_file_plural: Файлове
740 740 label_changeset_plural: Ревизии
741 741 label_default_columns: По подразбиране
742 742 label_no_change_option: (Без промяна)
743 743 label_bulk_edit_selected_issues: Групово редактиране на задачи
744 744 label_bulk_edit_selected_time_entries: Групово редактиране на записи за използвано време
745 745 label_theme: Тема
746 746 label_default: По подразбиране
747 747 label_search_titles_only: Само в заглавията
748 748 label_user_mail_option_all: "За всяко събитие в проектите, в които участвам"
749 749 label_user_mail_option_selected: "За всички събития само в избраните проекти..."
750 750 label_user_mail_option_none: "Само за наблюдавани или в които участвам (автор или назначени на мен)"
751 751 label_user_mail_option_only_my_events: Само за неща, в които съм включен/а
752 752 label_user_mail_option_only_assigned: Само за неща, назначени на мен
753 753 label_user_mail_option_only_owner: Само за неща, на които аз съм собственик
754 754 label_user_mail_no_self_notified: "Не искам известия за извършени от мен промени"
755 755 label_registration_activation_by_email: активиране на профила по email
756 756 label_registration_manual_activation: ръчно активиране
757 757 label_registration_automatic_activation: автоматично активиране
758 758 label_display_per_page: "На страница по: %{value}"
759 759 label_age: Възраст
760 760 label_change_properties: Промяна на настройки
761 761 label_general: Основни
762 762 label_more: Още
763 763 label_scm: SCM (Система за контрол на версиите)
764 764 label_plugins: Плъгини
765 765 label_ldap_authentication: LDAP оторизация
766 766 label_downloads_abbr: D/L
767 767 label_optional_description: Незадължително описание
768 768 label_add_another_file: Добавяне на друг файл
769 769 label_preferences: Предпочитания
770 770 label_chronological_order: Хронологичен ред
771 771 label_reverse_chronological_order: Обратен хронологичен ред
772 772 label_planning: Планиране
773 773 label_incoming_emails: Входящи e-mail-и
774 774 label_generate_key: Генериране на ключ
775 775 label_issue_watchers: Наблюдатели
776 776 label_example: Пример
777 777 label_display: Display
778 778 label_sort: Сортиране
779 779 label_ascending: Нарастващ
780 780 label_descending: Намаляващ
781 781 label_date_from_to: От %{start} до %{end}
782 782 label_wiki_content_added: Wiki страница беше добавена
783 783 label_wiki_content_updated: Wiki страница беше обновена
784 784 label_group: Група
785 785 label_group_plural: Групи
786 786 label_group_new: Нова група
787 787 label_time_entry_plural: Използвано време
788 788 label_version_sharing_none: Не споделен
789 789 label_version_sharing_descendants: С подпроекти
790 790 label_version_sharing_hierarchy: С проектна йерархия
791 791 label_version_sharing_tree: С дърво на проектите
792 792 label_version_sharing_system: С всички проекти
793 793 label_update_issue_done_ratios: Обновяване на процента на завършените задачи
794 794 label_copy_source: Източник
795 795 label_copy_target: Цел
796 796 label_copy_same_as_target: Също като целта
797 797 label_display_used_statuses_only: Показване само на състоянията, използвани от този тракер
798 798 label_api_access_key: API ключ за достъп
799 799 label_missing_api_access_key: Липсващ API ключ
800 800 label_api_access_key_created_on: API ключ за достъп е създаден преди %{value}
801 801 label_profile: Профил
802 802 label_subtask_plural: Подзадачи
803 803 label_project_copy_notifications: Изпращане на Send e-mail известия по време на копирането на проекта
804 804 label_principal_search: "Търсене на потребител или група:"
805 805 label_user_search: "Търсене на потребител:"
806 806 label_additional_workflow_transitions_for_author: Позволени са допълнителни преходи, когато потребителят е авторът
807 807 label_additional_workflow_transitions_for_assignee: Позволени са допълнителни преходи, когато потребителят е назначеният към задачата
808 808 label_issues_visibility_all: Всички задачи
809 809 label_issues_visibility_own: Задачи, създадени от или назначени на потребителя
810 810
811 811 button_login: Вход
812 812 button_submit: Прикачване
813 813 button_save: Запис
814 814 button_check_all: Избор на всички
815 815 button_uncheck_all: Изчистване на всички
816 816 button_collapse_all: Скриване всички
817 817 button_expand_all: Разгъване всички
818 818 button_delete: Изтриване
819 819 button_create: Създаване
820 820 button_create_and_continue: Създаване и продължаване
821 821 button_test: Тест
822 822 button_edit: Редакция
823 823 button_edit_associated_wikipage: "Редактиране на асоциираната Wiki страница: %{page_title}"
824 824 button_add: Добавяне
825 825 button_change: Промяна
826 826 button_apply: Приложи
827 827 button_clear: Изчисти
828 828 button_lock: Заключване
829 829 button_unlock: Отключване
830 830 button_download: Изтегляне
831 831 button_list: Списък
832 832 button_view: Преглед
833 833 button_move: Преместване
834 834 button_move_and_follow: Преместване и продължаване
835 835 button_back: Назад
836 836 button_cancel: Отказ
837 837 button_activate: Активация
838 838 button_sort: Сортиране
839 839 button_log_time: Отделяне на време
840 840 button_rollback: Върни се към тази ревизия
841 841 button_watch: Наблюдаване
842 842 button_unwatch: Край на наблюдението
843 843 button_reply: Отговор
844 844 button_archive: Архивиране
845 845 button_unarchive: Разархивиране
846 846 button_reset: Генериране наново
847 847 button_rename: Преименуване
848 848 button_change_password: Промяна на парола
849 849 button_copy: Копиране
850 850 button_copy_and_follow: Копиране и продължаване
851 851 button_annotate: Анотация
852 852 button_update: Обновяване
853 853 button_configure: Конфигуриране
854 854 button_quote: Цитат
855 855 button_duplicate: Дублиране
856 856 button_show: Показване
857 857
858 858 status_active: активен
859 859 status_registered: регистриран
860 860 status_locked: заключен
861 861
862 862 version_status_open: отворена
863 863 version_status_locked: заключена
864 864 version_status_closed: затворена
865 865
866 866 field_active: Активен
867 867
868 868 text_select_mail_notifications: Изберете събития за изпращане на e-mail.
869 869 text_regexp_info: пр. ^[A-Z0-9]+$
870 870 text_min_max_length_info: 0 - без ограничения
871 871 text_project_destroy_confirmation: Сигурни ли сте, че искате да изтриете проекта и данните в него?
872 872 text_subprojects_destroy_warning: "Неговите подпроекти: %{value} също ще бъдат изтрити."
873 873 text_workflow_edit: Изберете роля и тракер за да редактирате работния процес
874 874 text_are_you_sure: Сигурни ли сте?
875 875 text_are_you_sure_with_children: Изтриване на задачата и нейните подзадачи?
876 876 text_journal_changed: "%{label} променен от %{old} на %{new}"
877 877 text_journal_changed_no_detail: "%{label} променен"
878 878 text_journal_set_to: "%{label} установен на %{value}"
879 879 text_journal_deleted: "%{label} изтрит (%{old})"
880 880 text_journal_added: "Добавено %{label} %{value}"
881 881 text_tip_issue_begin_day: задача, започваща този ден
882 882 text_tip_issue_end_day: задача, завършваща този ден
883 883 text_tip_issue_begin_end_day: задача, започваща и завършваща този ден
884 884 text_project_identifier_info: 'Позволени са малки букви (a-z), цифри и тирета.<br />Невъзможна промяна след запис.'
885 885 text_caracters_maximum: "До %{count} символа."
886 886 text_caracters_minimum: "Минимум %{count} символа."
887 887 text_length_between: "От %{min} до %{max} символа."
888 888 text_tracker_no_workflow: Няма дефиниран работен процес за този тракер
889 889 text_unallowed_characters: Непозволени символи
890 890 text_comma_separated: Позволено е изброяване (с разделител запетая).
891 891 text_line_separated: Позволени са много стойности (по едно на ред).
892 892 text_issues_ref_in_commit_messages: Отбелязване и приключване на задачи от ревизии
893 893 text_issue_added: "Публикувана е нова задача с номер %{id} (от %{author})."
894 894 text_issue_updated: "Задача %{id} е обновена (от %{author})."
895 895 text_wiki_destroy_confirmation: Сигурни ли сте, че искате да изтриете това Wiki и цялото му съдържание?
896 896 text_issue_category_destroy_question: "Има задачи (%{count}) обвързани с тази категория. Какво ще изберете?"
897 897 text_issue_category_destroy_assignments: Премахване на връзките с категорията
898 898 text_issue_category_reassign_to: Преобвързване с категория
899 899 text_user_mail_option: "За неизбраните проекти, ще получавате известия само за наблюдавани дейности или в които участвате (т.е. автор или назначени на мен)."
900 900 text_no_configuration_data: "Все още не са конфигурирани Роли, тракери, състояния на задачи и работен процес.\nСтрого се препоръчва зареждането на примерната информация. Веднъж заредена ще имате възможност да я редактирате."
901 901 text_load_default_configuration: Зареждане на примерна информация
902 902 text_status_changed_by_changeset: "Приложено с ревизия %{value}."
903 903 text_time_logged_by_changeset: Приложено в ревизия %{value}.
904 904 text_issues_destroy_confirmation: 'Сигурни ли сте, че искате да изтриете избраните задачи?'
905 905 text_time_entries_destroy_confirmation: Сигурен ли сте, че изтриете избраните записи за изразходвано време?
906 906 text_select_project_modules: 'Изберете активните модули за този проект:'
907 907 text_default_administrator_account_changed: Сменен фабричния администраторски профил
908 908 text_file_repository_writable: Възможност за писане в хранилището с файлове
909 909 text_plugin_assets_writable: Папката на приставките е разрешена за запис
910 910 text_rmagick_available: Наличен RMagick (по избор)
911 911 text_destroy_time_entries_question: "%{hours} часа са отделени на задачите, които искате да изтриете. Какво избирате?"
912 912 text_destroy_time_entries: Изтриване на отделеното време
913 913 text_assign_time_entries_to_project: Прехвърляне на отделеното време към проект
914 914 text_reassign_time_entries: 'Прехвърляне на отделеното време към задача:'
915 915 text_user_wrote: "%{value} написа:"
916 916 text_enumeration_destroy_question: "%{count} обекта са свързани с тази стойност."
917 917 text_enumeration_category_reassign_to: 'Пресвържете ги към тази стойност:'
918 918 text_email_delivery_not_configured: "Изпращането на e-mail-и не е конфигурирано и известията не са разрешени.\nКонфигурирайте вашия SMTP сървър в config/configuration.yml и рестартирайте Redmine, за да ги разрешите."
919 919 text_repository_usernames_mapping: "Изберете или променете потребителите в Redmine, съответстващи на потребителите в дневника на хранилището (repository).\nПотребителите с еднакви имена в Redmine и хранилищата се съвместяват автоматично."
920 920 text_diff_truncated: '... Този diff не е пълен, понеже е надхвърля максималния размер, който може да бъде показан.'
921 921 text_custom_field_possible_values_info: 'Една стойност на ред'
922 922 text_wiki_page_destroy_question: Тази страница има %{descendants} страници деца и descendant(s). Какво желаете да правите?
923 923 text_wiki_page_nullify_children: Запазване на тези страници като коренни страници
924 924 text_wiki_page_destroy_children: Изтриване на страниците деца и всички техни descendants
925 925 text_wiki_page_reassign_children: Преназначаване на страниците деца на тази родителска страница
926 926 text_own_membership_delete_confirmation: "Вие сте на път да премахнете някои или всички ваши разрешения и е възможно след това да не можете да редактирате този проект.\nСигурен ли сте, че искате да продължите?"
927 927 text_zoom_in: Увеличаване
928 928 text_zoom_out: Намаляване
929 929 text_warn_on_leaving_unsaved: Страницата съдържа незаписано съдържание, което може да бъде загубено, ако я напуснете.
930 930
931 931 default_role_manager: Мениджър
932 932 default_role_developer: Разработчик
933 933 default_role_reporter: Публикуващ
934 934 default_tracker_bug: Грешка
935 935 default_tracker_feature: Функционалност
936 936 default_tracker_support: Поддръжка
937 937 default_issue_status_new: Нова
938 938 default_issue_status_in_progress: Изпълнение
939 939 default_issue_status_resolved: Приключена
940 940 default_issue_status_feedback: Обратна връзка
941 941 default_issue_status_closed: Затворена
942 942 default_issue_status_rejected: Отхвърлена
943 943 default_doc_category_user: Документация за потребителя
944 944 default_doc_category_tech: Техническа документация
945 945 default_priority_low: Нисък
946 946 default_priority_normal: Нормален
947 947 default_priority_high: Висок
948 948 default_priority_urgent: Спешен
949 949 default_priority_immediate: Веднага
950 950 default_activity_design: Дизайн
951 951 default_activity_development: Разработка
952 952
953 953 enumeration_issue_priorities: Приоритети на задачи
954 954 enumeration_doc_categories: Категории документи
955 955 enumeration_activities: Дейности (time tracking)
956 956 enumeration_system_activity: Системна активност
957 957
958 958 permission_set_own_issues_private: Set own issues public or private
959 959 field_is_private: Private
960 960 permission_set_issues_private: Set issues public or private
961 961 label_issues_visibility_public: All non private issues
962 962
963 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
@@ -1,975 +1,976
1 1 #Ernad Husremovic hernad@bring.out.ba
2 2
3 3 bs:
4 4 direction: ltr
5 5 date:
6 6 formats:
7 7 default: "%d.%m.%Y"
8 8 short: "%e. %b"
9 9 long: "%e. %B %Y"
10 10 only_day: "%e"
11 11
12 12
13 13 day_names: [Nedjelja, Ponedjeljak, Utorak, Srijeda, Četvrtak, Petak, Subota]
14 14 abbr_day_names: [Ned, Pon, Uto, Sri, Čet, Pet, Sub]
15 15
16 16 month_names: [~, Januar, Februar, Mart, April, Maj, Jun, Jul, Avgust, Septembar, Oktobar, Novembar, Decembar]
17 17 abbr_month_names: [~, Jan, Feb, Mar, Apr, Maj, Jun, Jul, Avg, Sep, Okt, Nov, Dec]
18 18 order: [ :day, :month, :year ]
19 19
20 20 time:
21 21 formats:
22 22 default: "%A, %e. %B %Y, %H:%M"
23 23 short: "%e. %B, %H:%M Uhr"
24 24 long: "%A, %e. %B %Y, %H:%M"
25 25 time: "%H:%M"
26 26
27 27 am: "prijepodne"
28 28 pm: "poslijepodne"
29 29
30 30 datetime:
31 31 distance_in_words:
32 32 half_a_minute: "pola minute"
33 33 less_than_x_seconds:
34 34 one: "manje od 1 sekunde"
35 35 other: "manje od %{count} sekudni"
36 36 x_seconds:
37 37 one: "1 sekunda"
38 38 other: "%{count} sekundi"
39 39 less_than_x_minutes:
40 40 one: "manje od 1 minute"
41 41 other: "manje od %{count} minuta"
42 42 x_minutes:
43 43 one: "1 minuta"
44 44 other: "%{count} minuta"
45 45 about_x_hours:
46 46 one: "oko 1 sahat"
47 47 other: "oko %{count} sahata"
48 48 x_days:
49 49 one: "1 dan"
50 50 other: "%{count} dana"
51 51 about_x_months:
52 52 one: "oko 1 mjesec"
53 53 other: "oko %{count} mjeseci"
54 54 x_months:
55 55 one: "1 mjesec"
56 56 other: "%{count} mjeseci"
57 57 about_x_years:
58 58 one: "oko 1 godine"
59 59 other: "oko %{count} godina"
60 60 over_x_years:
61 61 one: "preko 1 godine"
62 62 other: "preko %{count} godina"
63 63 almost_x_years:
64 64 one: "almost 1 year"
65 65 other: "almost %{count} years"
66 66
67 67
68 68 number:
69 69 format:
70 70 precision: 2
71 71 separator: ','
72 72 delimiter: '.'
73 73 currency:
74 74 format:
75 75 unit: 'KM'
76 76 format: '%u %n'
77 77 separator:
78 78 delimiter:
79 79 precision:
80 80 percentage:
81 81 format:
82 82 delimiter: ""
83 83 precision:
84 84 format:
85 85 delimiter: ""
86 86 human:
87 87 format:
88 88 delimiter: ""
89 89 precision: 1
90 90 storage_units:
91 91 format: "%n %u"
92 92 units:
93 93 byte:
94 94 one: "Byte"
95 95 other: "Bytes"
96 96 kb: "KB"
97 97 mb: "MB"
98 98 gb: "GB"
99 99 tb: "TB"
100 100
101 101 # Used in array.to_sentence.
102 102 support:
103 103 array:
104 104 sentence_connector: "i"
105 105 skip_last_comma: false
106 106
107 107 activerecord:
108 108 errors:
109 109 template:
110 110 header:
111 111 one: "1 error prohibited this %{model} from being saved"
112 112 other: "%{count} errors prohibited this %{model} from being saved"
113 113 messages:
114 114 inclusion: "nije uključeno u listu"
115 115 exclusion: "je rezervisano"
116 116 invalid: "nije ispravno"
117 117 confirmation: "ne odgovara potvrdi"
118 118 accepted: "mora se prihvatiti"
119 119 empty: "ne može biti prazno"
120 120 blank: "ne može biti znak razmaka"
121 121 too_long: "je predugačko"
122 122 too_short: "je prekratko"
123 123 wrong_length: "je pogrešne dužine"
124 124 taken: "već je zauzeto"
125 125 not_a_number: "nije broj"
126 126 not_a_date: "nije ispravan datum"
127 127 greater_than: "mora bit veći od %{count}"
128 128 greater_than_or_equal_to: "mora bit veći ili jednak %{count}"
129 129 equal_to: "mora biti jednak %{count}"
130 130 less_than: "mora biti manji od %{count}"
131 131 less_than_or_equal_to: "mora bit manji ili jednak %{count}"
132 132 odd: "mora biti neparan"
133 133 even: "mora biti paran"
134 134 greater_than_start_date: "mora biti veći nego početni datum"
135 135 not_same_project: "ne pripada istom projektu"
136 136 circular_dependency: "Ova relacija stvar cirkularnu zavisnost"
137 137 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
138 138
139 139 actionview_instancetag_blank_option: Molimo odaberite
140 140
141 141 general_text_No: 'Da'
142 142 general_text_Yes: 'Ne'
143 143 general_text_no: 'ne'
144 144 general_text_yes: 'da'
145 145 general_lang_name: 'Bosanski'
146 146 general_csv_separator: ','
147 147 general_csv_decimal_separator: '.'
148 148 general_csv_encoding: UTF-8
149 149 general_pdf_encoding: UTF-8
150 150 general_first_day_of_week: '7'
151 151
152 152 notice_account_activated: Vaš nalog je aktiviran. Možete se prijaviti.
153 153 notice_account_invalid_creditentials: Pogrešan korisnik ili lozinka
154 154 notice_account_lost_email_sent: Email sa uputstvima o izboru nove šifre je poslat na vašu adresu.
155 155 notice_account_password_updated: Lozinka je uspješno promjenjena.
156 156 notice_account_pending: "Vaš nalog je kreiran i čeka odobrenje administratora."
157 157 notice_account_register_done: Nalog je uspješno kreiran. Da bi ste aktivirali vaš nalog kliknite na link koji vam je poslat.
158 158 notice_account_unknown_email: Nepoznati korisnik.
159 159 notice_account_updated: Nalog je uspješno promjenen.
160 160 notice_account_wrong_password: Pogrešna lozinka
161 161 notice_can_t_change_password: Ovaj nalog koristi eksterni izvor prijavljivanja. Ne mogu da promjenim šifru.
162 162 notice_default_data_loaded: Podrazumjevana konfiguracija uspječno učitana.
163 163 notice_email_error: Došlo je do greške pri slanju emaila (%{value})
164 164 notice_email_sent: "Email je poslan %{value}"
165 165 notice_failed_to_save_issues: "Neuspješno snimanje %{count} aktivnosti na %{total} izabrano: %{ids}."
166 166 notice_feeds_access_key_reseted: Vaš RSS pristup je resetovan.
167 167 notice_file_not_found: Stranica kojoj pokušavate da pristupite ne postoji ili je uklonjena.
168 168 notice_locking_conflict: "Konflikt: podaci su izmjenjeni od strane drugog korisnika."
169 169 notice_no_issue_selected: "Nijedna aktivnost nije izabrana! Molim, izaberite aktivnosti koje želite za ispravljate."
170 170 notice_not_authorized: Niste ovlašćeni da pristupite ovoj stranici.
171 171 notice_successful_connection: Uspješna konekcija.
172 172 notice_successful_create: Uspješno kreiranje.
173 173 notice_successful_delete: Brisanje izvršeno.
174 174 notice_successful_update: Promjene uspješno izvršene.
175 175
176 176 error_can_t_load_default_data: "Podrazumjevane postavke se ne mogu učitati %{value}"
177 177 error_scm_command_failed: "Desila se greška pri pristupu repozitoriju: %{value}"
178 178 error_scm_not_found: "Unos i/ili revizija ne postoji u repozitoriju."
179 179
180 180 error_scm_annotate: "Ova stavka ne postoji ili nije označena."
181 181 error_issue_not_found_in_project: 'Aktivnost nije nađena ili ne pripada ovom projektu'
182 182
183 183 warning_attachments_not_saved: "%{count} fajl(ovi) ne mogu biti snimljen(i)."
184 184
185 185 mail_subject_lost_password: "Vaša %{value} lozinka"
186 186 mail_body_lost_password: 'Za promjenu lozinke, kliknite na sljedeći link:'
187 187 mail_subject_register: "Aktivirajte %{value} vaš korisnički račun"
188 188 mail_body_register: 'Za aktivaciju vašeg korisničkog računa, kliknite na sljedeći link:'
189 189 mail_body_account_information_external: "Možete koristiti vaš %{value} korisnički račun za prijavu na sistem."
190 190 mail_body_account_information: Informacija o vašem korisničkom računu
191 191 mail_subject_account_activation_request: "%{value} zahtjev za aktivaciju korisničkog računa"
192 192 mail_body_account_activation_request: "Novi korisnik (%{value}) se registrovao. Korisnički račun čeka vaše odobrenje za aktivaciju:"
193 193 mail_subject_reminder: "%{count} aktivnost(i) u kašnjenju u narednim %{days} danima"
194 194 mail_body_reminder: "%{count} aktivnost(i) koje su dodjeljenje vama u narednim %{days} danima:"
195 195
196 196 gui_validation_error: 1 greška
197 197 gui_validation_error_plural: "%{count} grešaka"
198 198
199 199 field_name: Ime
200 200 field_description: Opis
201 201 field_summary: Pojašnjenje
202 202 field_is_required: Neophodno popuniti
203 203 field_firstname: Ime
204 204 field_lastname: Prezime
205 205 field_mail: Email
206 206 field_filename: Fajl
207 207 field_filesize: Veličina
208 208 field_downloads: Downloadi
209 209 field_author: Autor
210 210 field_created_on: Kreirano
211 211 field_updated_on: Izmjenjeno
212 212 field_field_format: Format
213 213 field_is_for_all: Za sve projekte
214 214 field_possible_values: Moguće vrijednosti
215 215 field_regexp: '"Regularni izraz"'
216 216 field_min_length: Minimalna veličina
217 217 field_max_length: Maksimalna veličina
218 218 field_value: Vrijednost
219 219 field_category: Kategorija
220 220 field_title: Naslov
221 221 field_project: Projekat
222 222 field_issue: Aktivnost
223 223 field_status: Status
224 224 field_notes: Bilješke
225 225 field_is_closed: Aktivnost zatvorena
226 226 field_is_default: Podrazumjevana vrijednost
227 227 field_tracker: Područje aktivnosti
228 228 field_subject: Subjekat
229 229 field_due_date: Završiti do
230 230 field_assigned_to: Dodijeljeno
231 231 field_priority: Prioritet
232 232 field_fixed_version: Ciljna verzija
233 233 field_user: Korisnik
234 234 field_role: Uloga
235 235 field_homepage: Naslovna strana
236 236 field_is_public: Javni
237 237 field_parent: Podprojekt od
238 238 field_is_in_roadmap: Aktivnosti prikazane u planu realizacije
239 239 field_login: Prijava
240 240 field_mail_notification: Email notifikacije
241 241 field_admin: Administrator
242 242 field_last_login_on: Posljednja konekcija
243 243 field_language: Jezik
244 244 field_effective_date: Datum
245 245 field_password: Lozinka
246 246 field_new_password: Nova lozinka
247 247 field_password_confirmation: Potvrda
248 248 field_version: Verzija
249 249 field_type: Tip
250 250 field_host: Host
251 251 field_port: Port
252 252 field_account: Korisnički račun
253 253 field_base_dn: Base DN
254 254 field_attr_login: Attribut za prijavu
255 255 field_attr_firstname: Attribut za ime
256 256 field_attr_lastname: Atribut za prezime
257 257 field_attr_mail: Atribut za email
258 258 field_onthefly: 'Kreiranje korisnika "On-the-fly"'
259 259 field_start_date: Početak
260 260 field_done_ratio: % Realizovano
261 261 field_auth_source: Mod za authentifikaciju
262 262 field_hide_mail: Sakrij moju email adresu
263 263 field_comments: Komentar
264 264 field_url: URL
265 265 field_start_page: Početna stranica
266 266 field_subproject: Podprojekat
267 267 field_hours: Sahata
268 268 field_activity: Operacija
269 269 field_spent_on: Datum
270 270 field_identifier: Identifikator
271 271 field_is_filter: Korišteno kao filter
272 272 field_issue_to: Povezana aktivnost
273 273 field_delay: Odgađanje
274 274 field_assignable: Aktivnosti dodijeljene ovoj ulozi
275 275 field_redirect_existing_links: Izvrši redirekciju postojećih linkova
276 276 field_estimated_hours: Procjena vremena
277 277 field_column_names: Kolone
278 278 field_time_zone: Vremenska zona
279 279 field_searchable: Pretraživo
280 280 field_default_value: Podrazumjevana vrijednost
281 281 field_comments_sorting: Prikaži komentare
282 282 field_parent_title: 'Stranica "roditelj"'
283 283 field_editable: Može se mijenjati
284 284 field_watcher: Posmatrač
285 285 field_identity_url: OpenID URL
286 286 field_content: Sadržaj
287 287
288 288 setting_app_title: Naslov aplikacije
289 289 setting_app_subtitle: Podnaslov aplikacije
290 290 setting_welcome_text: Tekst dobrodošlice
291 291 setting_default_language: Podrazumjevani jezik
292 292 setting_login_required: Authentifikacija neophodna
293 293 setting_self_registration: Samo-registracija
294 294 setting_attachment_max_size: Maksimalna veličina prikačenog fajla
295 295 setting_issues_export_limit: Limit za eksport aktivnosti
296 296 setting_mail_from: Mail adresa - pošaljilac
297 297 setting_bcc_recipients: '"BCC" (blind carbon copy) primaoci '
298 298 setting_plain_text_mail: Email sa običnim tekstom (bez HTML-a)
299 299 setting_host_name: Ime hosta i putanja
300 300 setting_text_formatting: Formatiranje teksta
301 301 setting_wiki_compression: Kompresija Wiki istorije
302 302
303 303 setting_feeds_limit: 'Limit za "RSS" feed-ove'
304 304 setting_default_projects_public: Podrazumjeva se da je novi projekat javni
305 305 setting_autofetch_changesets: 'Automatski kupi "commit"-e'
306 306 setting_sys_api_enabled: 'Omogući "WS" za upravljanje repozitorijom'
307 307 setting_commit_ref_keywords: Ključne riječi za reference
308 308 setting_commit_fix_keywords: 'Ključne riječi za status "zatvoreno"'
309 309 setting_autologin: Automatski login
310 310 setting_date_format: Format datuma
311 311 setting_time_format: Format vremena
312 312 setting_cross_project_issue_relations: Omogući relacije između aktivnosti na različitim projektima
313 313 setting_issue_list_default_columns: Podrazumjevane koleone za prikaz na listi aktivnosti
314 314 setting_repositories_encodings: Enkodiranje repozitorija
315 315 setting_commit_logs_encoding: 'Enkodiranje "commit" poruka'
316 316 setting_emails_footer: Potpis na email-ovima
317 317 setting_protocol: Protokol
318 318 setting_per_page_options: Broj objekata po stranici
319 319 setting_user_format: Format korisničkog prikaza
320 320 setting_activity_days_default: Prikaz promjena na projektu - opseg dana
321 321 setting_display_subprojects_issues: Prikaz podprojekata na glavnom projektima (podrazumjeva se)
322 322 setting_enabled_scm: Omogući SCM (source code management)
323 323 setting_mail_handler_api_enabled: Omogući automatsku obradu ulaznih emailova
324 324 setting_mail_handler_api_key: API ključ (obrada ulaznih mailova)
325 325 setting_sequential_project_identifiers: Generiši identifikatore projekta sekvencijalno
326 326 setting_gravatar_enabled: 'Koristi "gravatar" korisničke ikone'
327 327 setting_diff_max_lines_displayed: Maksimalan broj linija za prikaz razlika između dva fajla
328 328 setting_file_max_size_displayed: Maksimalna veličina fajla kod prikaza razlika unutar fajla (inline)
329 329 setting_repository_log_display_limit: Maksimalna veličina revizija prikazanih na log fajlu
330 330 setting_openid: Omogući OpenID prijavu i registraciju
331 331
332 332 permission_edit_project: Ispravke projekta
333 333 permission_select_project_modules: Odaberi module projekta
334 334 permission_manage_members: Upravljanje članovima
335 335 permission_manage_versions: Upravljanje verzijama
336 336 permission_manage_categories: Upravljanje kategorijama aktivnosti
337 337 permission_add_issues: Dodaj aktivnosti
338 338 permission_edit_issues: Ispravka aktivnosti
339 339 permission_manage_issue_relations: Upravljaj relacijama među aktivnostima
340 340 permission_add_issue_notes: Dodaj bilješke
341 341 permission_edit_issue_notes: Ispravi bilješke
342 342 permission_edit_own_issue_notes: Ispravi sopstvene bilješke
343 343 permission_move_issues: Pomjeri aktivnosti
344 344 permission_delete_issues: Izbriši aktivnosti
345 345 permission_manage_public_queries: Upravljaj javnim upitima
346 346 permission_save_queries: Snimi upite
347 347 permission_view_gantt: Pregled gantograma
348 348 permission_view_calendar: Pregled kalendara
349 349 permission_view_issue_watchers: Pregled liste korisnika koji prate aktivnost
350 350 permission_add_issue_watchers: Dodaj onoga koji prati aktivnost
351 351 permission_log_time: Evidentiraj utrošak vremena
352 352 permission_view_time_entries: Pregled utroška vremena
353 353 permission_edit_time_entries: Ispravka utroška vremena
354 354 permission_edit_own_time_entries: Ispravka svog utroška vremena
355 355 permission_manage_news: Upravljaj novostima
356 356 permission_comment_news: Komentiraj novosti
357 357 permission_manage_documents: Upravljaj dokumentima
358 358 permission_view_documents: Pregled dokumenata
359 359 permission_manage_files: Upravljaj fajlovima
360 360 permission_view_files: Pregled fajlova
361 361 permission_manage_wiki: Upravljaj wiki stranicama
362 362 permission_rename_wiki_pages: Ispravi wiki stranicu
363 363 permission_delete_wiki_pages: Izbriši wiki stranicu
364 364 permission_view_wiki_pages: Pregled wiki sadržaja
365 365 permission_view_wiki_edits: Pregled wiki istorije
366 366 permission_edit_wiki_pages: Ispravka wiki stranica
367 367 permission_delete_wiki_pages_attachments: Brisanje fajlova prikačenih wiki-ju
368 368 permission_protect_wiki_pages: Zaštiti wiki stranicu
369 369 permission_manage_repository: Upravljaj repozitorijem
370 370 permission_browse_repository: Pregled repozitorija
371 371 permission_view_changesets: Pregled setova promjena
372 372 permission_commit_access: 'Pristup "commit"-u'
373 373 permission_manage_boards: Upravljaj forumima
374 374 permission_view_messages: Pregled poruka
375 375 permission_add_messages: Šalji poruke
376 376 permission_edit_messages: Ispravi poruke
377 377 permission_edit_own_messages: Ispravka sopstvenih poruka
378 378 permission_delete_messages: Prisanje poruka
379 379 permission_delete_own_messages: Brisanje sopstvenih poruka
380 380
381 381 project_module_issue_tracking: Praćenje aktivnosti
382 382 project_module_time_tracking: Praćenje vremena
383 383 project_module_news: Novosti
384 384 project_module_documents: Dokumenti
385 385 project_module_files: Fajlovi
386 386 project_module_wiki: Wiki stranice
387 387 project_module_repository: Repozitorij
388 388 project_module_boards: Forumi
389 389
390 390 label_user: Korisnik
391 391 label_user_plural: Korisnici
392 392 label_user_new: Novi korisnik
393 393 label_project: Projekat
394 394 label_project_new: Novi projekat
395 395 label_project_plural: Projekti
396 396 label_x_projects:
397 397 zero: 0 projekata
398 398 one: 1 projekat
399 399 other: "%{count} projekata"
400 400 label_project_all: Svi projekti
401 401 label_project_latest: Posljednji projekti
402 402 label_issue: Aktivnost
403 403 label_issue_new: Nova aktivnost
404 404 label_issue_plural: Aktivnosti
405 405 label_issue_view_all: Vidi sve aktivnosti
406 406 label_issues_by: "Aktivnosti po %{value}"
407 407 label_issue_added: Aktivnost je dodana
408 408 label_issue_updated: Aktivnost je izmjenjena
409 409 label_document: Dokument
410 410 label_document_new: Novi dokument
411 411 label_document_plural: Dokumenti
412 412 label_document_added: Dokument je dodan
413 413 label_role: Uloga
414 414 label_role_plural: Uloge
415 415 label_role_new: Nove uloge
416 416 label_role_and_permissions: Uloge i dozvole
417 417 label_member: Izvršilac
418 418 label_member_new: Novi izvršilac
419 419 label_member_plural: Izvršioci
420 420 label_tracker: Područje aktivnosti
421 421 label_tracker_plural: Područja aktivnosti
422 422 label_tracker_new: Novo područje aktivnosti
423 423 label_workflow: Tok promjena na aktivnosti
424 424 label_issue_status: Status aktivnosti
425 425 label_issue_status_plural: Statusi aktivnosti
426 426 label_issue_status_new: Novi status
427 427 label_issue_category: Kategorija aktivnosti
428 428 label_issue_category_plural: Kategorije aktivnosti
429 429 label_issue_category_new: Nova kategorija
430 430 label_custom_field: Proizvoljno polje
431 431 label_custom_field_plural: Proizvoljna polja
432 432 label_custom_field_new: Novo proizvoljno polje
433 433 label_enumerations: Enumeracije
434 434 label_enumeration_new: Nova vrijednost
435 435 label_information: Informacija
436 436 label_information_plural: Informacije
437 437 label_please_login: Molimo prijavite se
438 438 label_register: Registracija
439 439 label_login_with_open_id_option: ili prijava sa OpenID-om
440 440 label_password_lost: Izgubljena lozinka
441 441 label_home: Početna stranica
442 442 label_my_page: Moja stranica
443 443 label_my_account: Moj korisnički račun
444 444 label_my_projects: Moji projekti
445 445 label_administration: Administracija
446 446 label_login: Prijavi se
447 447 label_logout: Odjavi se
448 448 label_help: Pomoć
449 449 label_reported_issues: Prijavljene aktivnosti
450 450 label_assigned_to_me_issues: Aktivnosti dodjeljene meni
451 451 label_last_login: Posljednja konekcija
452 452 label_registered_on: Registrovan na
453 453 label_activity_plural: Promjene
454 454 label_activity: Operacija
455 455 label_overall_activity: Pregled svih promjena
456 456 label_user_activity: "Promjene izvršene od: %{value}"
457 457 label_new: Novi
458 458 label_logged_as: Prijavljen kao
459 459 label_environment: Sistemsko okruženje
460 460 label_authentication: Authentifikacija
461 461 label_auth_source: Mod authentifikacije
462 462 label_auth_source_new: Novi mod authentifikacije
463 463 label_auth_source_plural: Modovi authentifikacije
464 464 label_subproject_plural: Podprojekti
465 465 label_and_its_subprojects: "%{value} i njegovi podprojekti"
466 466 label_min_max_length: Min - Maks dužina
467 467 label_list: Lista
468 468 label_date: Datum
469 469 label_integer: Cijeli broj
470 470 label_float: Float
471 471 label_boolean: Logička varijabla
472 472 label_string: Tekst
473 473 label_text: Dugi tekst
474 474 label_attribute: Atribut
475 475 label_attribute_plural: Atributi
476 476 label_download: "%{count} download"
477 477 label_download_plural: "%{count} download-i"
478 478 label_no_data: Nema podataka za prikaz
479 479 label_change_status: Promjeni status
480 480 label_history: Istorija
481 481 label_attachment: Fajl
482 482 label_attachment_new: Novi fajl
483 483 label_attachment_delete: Izbriši fajl
484 484 label_attachment_plural: Fajlovi
485 485 label_file_added: Fajl je dodan
486 486 label_report: Izvještaj
487 487 label_report_plural: Izvještaji
488 488 label_news: Novosti
489 489 label_news_new: Dodaj novosti
490 490 label_news_plural: Novosti
491 491 label_news_latest: Posljednje novosti
492 492 label_news_view_all: Pogledaj sve novosti
493 493 label_news_added: Novosti su dodane
494 494 label_settings: Postavke
495 495 label_overview: Pregled
496 496 label_version: Verzija
497 497 label_version_new: Nova verzija
498 498 label_version_plural: Verzije
499 499 label_confirmation: Potvrda
500 500 label_export_to: 'Takođe dostupno u:'
501 501 label_read: Čitaj...
502 502 label_public_projects: Javni projekti
503 503 label_open_issues: otvoren
504 504 label_open_issues_plural: otvoreni
505 505 label_closed_issues: zatvoren
506 506 label_closed_issues_plural: zatvoreni
507 507 label_x_open_issues_abbr_on_total:
508 508 zero: 0 otvoreno / %{total}
509 509 one: 1 otvorena / %{total}
510 510 other: "%{count} otvorene / %{total}"
511 511 label_x_open_issues_abbr:
512 512 zero: 0 otvoreno
513 513 one: 1 otvorena
514 514 other: "%{count} otvorene"
515 515 label_x_closed_issues_abbr:
516 516 zero: 0 zatvoreno
517 517 one: 1 zatvorena
518 518 other: "%{count} zatvorene"
519 519 label_total: Ukupno
520 520 label_permissions: Dozvole
521 521 label_current_status: Tekući status
522 522 label_new_statuses_allowed: Novi statusi dozvoljeni
523 523 label_all: sve
524 524 label_none: ništa
525 525 label_nobody: niko
526 526 label_next: Sljedeće
527 527 label_previous: Predhodno
528 528 label_used_by: Korišteno od
529 529 label_details: Detalji
530 530 label_add_note: Dodaj bilješku
531 531 label_per_page: Po stranici
532 532 label_calendar: Kalendar
533 533 label_months_from: mjeseci od
534 534 label_gantt: Gantt
535 535 label_internal: Interno
536 536 label_last_changes: "posljednjih %{count} promjena"
537 537 label_change_view_all: Vidi sve promjene
538 538 label_personalize_page: Personaliziraj ovu stranicu
539 539 label_comment: Komentar
540 540 label_comment_plural: Komentari
541 541 label_x_comments:
542 542 zero: bez komentara
543 543 one: 1 komentar
544 544 other: "%{count} komentari"
545 545 label_comment_add: Dodaj komentar
546 546 label_comment_added: Komentar je dodan
547 547 label_comment_delete: Izbriši komentar
548 548 label_query: Proizvoljan upit
549 549 label_query_plural: Proizvoljni upiti
550 550 label_query_new: Novi upit
551 551 label_filter_add: Dodaj filter
552 552 label_filter_plural: Filteri
553 553 label_equals: je
554 554 label_not_equals: nije
555 555 label_in_less_than: je manji nego
556 556 label_in_more_than: je više nego
557 557 label_in: u
558 558 label_today: danas
559 559 label_all_time: sve vrijeme
560 560 label_yesterday: juče
561 561 label_this_week: ova hefta
562 562 label_last_week: zadnja hefta
563 563 label_last_n_days: "posljednjih %{count} dana"
564 564 label_this_month: ovaj mjesec
565 565 label_last_month: posljednji mjesec
566 566 label_this_year: ova godina
567 567 label_date_range: Datumski opseg
568 568 label_less_than_ago: ranije nego (dana)
569 569 label_more_than_ago: starije nego (dana)
570 570 label_ago: prije (dana)
571 571 label_contains: sadrži
572 572 label_not_contains: ne sadrži
573 573 label_day_plural: dani
574 574 label_repository: Repozitorij
575 575 label_repository_plural: Repozitoriji
576 576 label_browse: Listaj
577 577 label_modification: "%{count} promjena"
578 578 label_modification_plural: "%{count} promjene"
579 579 label_revision: Revizija
580 580 label_revision_plural: Revizije
581 581 label_associated_revisions: Doddjeljene revizije
582 582 label_added: dodano
583 583 label_modified: izmjenjeno
584 584 label_copied: kopirano
585 585 label_renamed: preimenovano
586 586 label_deleted: izbrisano
587 587 label_latest_revision: Posljednja revizija
588 588 label_latest_revision_plural: Posljednje revizije
589 589 label_view_revisions: Vidi revizije
590 590 label_max_size: Maksimalna veličina
591 591 label_sort_highest: Pomjeri na vrh
592 592 label_sort_higher: Pomjeri gore
593 593 label_sort_lower: Pomjeri dole
594 594 label_sort_lowest: Pomjeri na dno
595 595 label_roadmap: Plan realizacije
596 596 label_roadmap_due_in: "Obavezan do %{value}"
597 597 label_roadmap_overdue: "%{value} kasni"
598 598 label_roadmap_no_issues: Nema aktivnosti za ovu verziju
599 599 label_search: Traži
600 600 label_result_plural: Rezultati
601 601 label_all_words: Sve riječi
602 602 label_wiki: Wiki stranice
603 603 label_wiki_edit: ispravka wiki-ja
604 604 label_wiki_edit_plural: ispravke wiki-ja
605 605 label_wiki_page: Wiki stranica
606 606 label_wiki_page_plural: Wiki stranice
607 607 label_index_by_title: Indeks prema naslovima
608 608 label_index_by_date: Indeks po datumima
609 609 label_current_version: Tekuća verzija
610 610 label_preview: Pregled
611 611 label_feed_plural: Feeds
612 612 label_changes_details: Detalji svih promjena
613 613 label_issue_tracking: Evidencija aktivnosti
614 614 label_spent_time: Utrošak vremena
615 615 label_f_hour: "%{value} sahat"
616 616 label_f_hour_plural: "%{value} sahata"
617 617 label_time_tracking: Evidencija vremena
618 618 label_change_plural: Promjene
619 619 label_statistics: Statistika
620 620 label_commits_per_month: '"Commit"-a po mjesecu'
621 621 label_commits_per_author: '"Commit"-a po autoru'
622 622 label_view_diff: Pregled razlika
623 623 label_diff_inline: zajedno
624 624 label_diff_side_by_side: jedna pored druge
625 625 label_options: Opcije
626 626 label_copy_workflow_from: Kopiraj tok promjena statusa iz
627 627 label_permissions_report: Izvještaj
628 628 label_watched_issues: Aktivnosti koje pratim
629 629 label_related_issues: Korelirane aktivnosti
630 630 label_applied_status: Status je primjenjen
631 631 label_loading: Učitavam...
632 632 label_relation_new: Nova relacija
633 633 label_relation_delete: Izbriši relaciju
634 634 label_relates_to: korelira sa
635 635 label_duplicates: duplikat
636 636 label_duplicated_by: duplicirano od
637 637 label_blocks: blokira
638 638 label_blocked_by: blokirano on
639 639 label_precedes: predhodi
640 640 label_follows: slijedi
641 641 label_end_to_start: 'kraj -> početak'
642 642 label_end_to_end: 'kraja -> kraj'
643 643 label_start_to_start: 'početak -> početak'
644 644 label_start_to_end: 'početak -> kraj'
645 645 label_stay_logged_in: Ostani prijavljen
646 646 label_disabled: onemogućen
647 647 label_show_completed_versions: Prikaži završene verzije
648 648 label_me: ja
649 649 label_board: Forum
650 650 label_board_new: Novi forum
651 651 label_board_plural: Forumi
652 652 label_topic_plural: Teme
653 653 label_message_plural: Poruke
654 654 label_message_last: Posljednja poruka
655 655 label_message_new: Nova poruka
656 656 label_message_posted: Poruka je dodana
657 657 label_reply_plural: Odgovori
658 658 label_send_information: Pošalji informaciju o korisničkom računu
659 659 label_year: Godina
660 660 label_month: Mjesec
661 661 label_week: Hefta
662 662 label_date_from: Od
663 663 label_date_to: Do
664 664 label_language_based: Bazirano na korisnikovom jeziku
665 665 label_sort_by: "Sortiraj po %{value}"
666 666 label_send_test_email: Pošalji testni email
667 667 label_feeds_access_key_created_on: "RSS pristupni ključ kreiran prije %{value} dana"
668 668 label_module_plural: Moduli
669 669 label_added_time_by: "Dodano od %{author} prije %{age}"
670 670 label_updated_time_by: "Izmjenjeno od %{author} prije %{age}"
671 671 label_updated_time: "Izmjenjeno prije %{value}"
672 672 label_jump_to_a_project: Skoči na projekat...
673 673 label_file_plural: Fajlovi
674 674 label_changeset_plural: Setovi promjena
675 675 label_default_columns: Podrazumjevane kolone
676 676 label_no_change_option: (Bez promjene)
677 677 label_bulk_edit_selected_issues: Ispravi odjednom odabrane aktivnosti
678 678 label_theme: Tema
679 679 label_default: Podrazumjevano
680 680 label_search_titles_only: Pretraži samo naslove
681 681 label_user_mail_option_all: "Za bilo koji događaj na svim mojim projektima"
682 682 label_user_mail_option_selected: "Za bilo koji događaj na odabranim projektima..."
683 683 label_user_mail_no_self_notified: "Ne želim notifikaciju za promjene koje sam ja napravio"
684 684 label_registration_activation_by_email: aktivacija korisničkog računa email-om
685 685 label_registration_manual_activation: ručna aktivacija korisničkog računa
686 686 label_registration_automatic_activation: automatska kreacija korisničkog računa
687 687 label_display_per_page: "Po stranici: %{value}"
688 688 label_age: Starost
689 689 label_change_properties: Promjena osobina
690 690 label_general: Generalno
691 691 label_more: Više
692 692 label_scm: SCM
693 693 label_plugins: Plugin-ovi
694 694 label_ldap_authentication: LDAP authentifikacija
695 695 label_downloads_abbr: D/L
696 696 label_optional_description: Opis (opciono)
697 697 label_add_another_file: Dodaj još jedan fajl
698 698 label_preferences: Postavke
699 699 label_chronological_order: Hronološki poredak
700 700 label_reverse_chronological_order: Reverzni hronološki poredak
701 701 label_planning: Planiranje
702 702 label_incoming_emails: Dolazni email-ovi
703 703 label_generate_key: Generiši ključ
704 704 label_issue_watchers: Praćeno od
705 705 label_example: Primjer
706 706 label_display: Prikaz
707 707
708 708 button_apply: Primjeni
709 709 button_add: Dodaj
710 710 button_archive: Arhiviranje
711 711 button_back: Nazad
712 712 button_cancel: Odustani
713 713 button_change: Izmjeni
714 714 button_change_password: Izmjena lozinke
715 715 button_check_all: Označi sve
716 716 button_clear: Briši
717 717 button_copy: Kopiraj
718 718 button_create: Novi
719 719 button_delete: Briši
720 720 button_download: Download
721 721 button_edit: Ispravka
722 722 button_list: Lista
723 723 button_lock: Zaključaj
724 724 button_log_time: Utrošak vremena
725 725 button_login: Prijava
726 726 button_move: Pomjeri
727 727 button_rename: Promjena imena
728 728 button_reply: Odgovor
729 729 button_reset: Resetuj
730 730 button_rollback: Vrati predhodno stanje
731 731 button_save: Snimi
732 732 button_sort: Sortiranje
733 733 button_submit: Pošalji
734 734 button_test: Testiraj
735 735 button_unarchive: Otpakuj arhivu
736 736 button_uncheck_all: Isključi sve
737 737 button_unlock: Otključaj
738 738 button_unwatch: Prekini notifikaciju
739 739 button_update: Promjena na aktivnosti
740 740 button_view: Pregled
741 741 button_watch: Notifikacija
742 742 button_configure: Konfiguracija
743 743 button_quote: Citat
744 744
745 745 status_active: aktivan
746 746 status_registered: registrovan
747 747 status_locked: zaključan
748 748
749 749 text_select_mail_notifications: Odaberi događaje za koje će se slati email notifikacija.
750 750 text_regexp_info: npr. ^[A-Z0-9]+$
751 751 text_min_max_length_info: 0 znači bez restrikcije
752 752 text_project_destroy_confirmation: Sigurno želite izbrisati ovaj projekat i njegove podatke ?
753 753 text_subprojects_destroy_warning: "Podprojekt(i): %{value} će takođe biti izbrisani."
754 754 text_workflow_edit: Odaberite ulogu i područje aktivnosti za ispravku toka promjena na aktivnosti
755 755 text_are_you_sure: Da li ste sigurni ?
756 756 text_tip_issue_begin_day: zadatak počinje danas
757 757 text_tip_issue_end_day: zadatak završava danas
758 758 text_tip_issue_begin_end_day: zadatak započinje i završava danas
759 759 text_project_identifier_info: 'Samo mala slova (a-z), brojevi i crtice su dozvoljeni.<br />Nakon snimanja, identifikator se ne može mijenjati.'
760 760 text_caracters_maximum: "maksimum %{count} karaktera."
761 761 text_caracters_minimum: "Dužina mora biti najmanje %{count} znakova."
762 762 text_length_between: "Broj znakova između %{min} i %{max}."
763 763 text_tracker_no_workflow: Tok statusa nije definisan za ovo područje aktivnosti
764 764 text_unallowed_characters: Nedozvoljeni znakovi
765 765 text_comma_separated: Višestruke vrijednosti dozvoljene (odvojiti zarezom).
766 766 text_issues_ref_in_commit_messages: 'Referenciranje i zatvaranje aktivnosti putem "commit" poruka'
767 767 text_issue_added: "Aktivnost %{id} je prijavljena od %{author}."
768 768 text_issue_updated: "Aktivnost %{id} je izmjenjena od %{author}."
769 769 text_wiki_destroy_confirmation: Sigurno želite izbrisati ovaj wiki i čitav njegov sadržaj ?
770 770 text_issue_category_destroy_question: "Neke aktivnosti (%{count}) pripadaju ovoj kategoriji. Sigurno to želite uraditi ?"
771 771 text_issue_category_destroy_assignments: Ukloni kategoriju
772 772 text_issue_category_reassign_to: Ponovo dodijeli ovu kategoriju
773 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 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 775 text_load_default_configuration: Učitaj tekuću konfiguraciju
776 776 text_status_changed_by_changeset: "Primjenjeno u setu promjena %{value}."
777 777 text_issues_destroy_confirmation: 'Sigurno želite izbrisati odabranu/e aktivnost/i ?'
778 778 text_select_project_modules: 'Odaberi module koje želite u ovom projektu:'
779 779 text_default_administrator_account_changed: Tekući administratorski račun je promjenjen
780 780 text_file_repository_writable: U direktorij sa fajlovima koji su prilozi se može pisati
781 781 text_plugin_assets_writable: U direktorij plugin-ova se može pisati
782 782 text_rmagick_available: RMagick je dostupan (opciono)
783 783 text_destroy_time_entries_question: "%{hours} sahata je prijavljeno na aktivnostima koje želite brisati. Želite li to učiniti ?"
784 784 text_destroy_time_entries: Izbriši prijavljeno vrijeme
785 785 text_assign_time_entries_to_project: Dodaj prijavljenoo vrijeme projektu
786 786 text_reassign_time_entries: 'Preraspodjeli prijavljeno vrijeme na ovu aktivnost:'
787 787 text_user_wrote: "%{value} je napisao/la:"
788 788 text_enumeration_destroy_question: "Za %{count} objekata je dodjeljenja ova vrijednost."
789 789 text_enumeration_category_reassign_to: 'Ponovo im dodjeli ovu vrijednost:'
790 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 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 792 text_diff_truncated: '... Ovaj prikaz razlike je odsječen pošto premašuje maksimalnu veličinu za prikaz'
793 793 text_custom_field_possible_values_info: 'Jedna linija za svaku vrijednost'
794 794
795 795 default_role_manager: Menadžer
796 796 default_role_developer: Programer
797 797 default_role_reporter: Reporter
798 798 default_tracker_bug: Greška
799 799 default_tracker_feature: Nova funkcija
800 800 default_tracker_support: Podrška
801 801 default_issue_status_new: Novi
802 802 default_issue_status_in_progress: In Progress
803 803 default_issue_status_resolved: Riješen
804 804 default_issue_status_feedback: Čeka se povratna informacija
805 805 default_issue_status_closed: Zatvoren
806 806 default_issue_status_rejected: Odbijen
807 807 default_doc_category_user: Korisnička dokumentacija
808 808 default_doc_category_tech: Tehnička dokumentacija
809 809 default_priority_low: Nizak
810 810 default_priority_normal: Normalan
811 811 default_priority_high: Visok
812 812 default_priority_urgent: Urgentno
813 813 default_priority_immediate: Odmah
814 814 default_activity_design: Dizajn
815 815 default_activity_development: Programiranje
816 816
817 817 enumeration_issue_priorities: Prioritet aktivnosti
818 818 enumeration_doc_categories: Kategorije dokumenata
819 819 enumeration_activities: Operacije (utrošak vremena)
820 820 notice_unable_delete_version: Ne mogu izbrisati verziju.
821 821 button_create_and_continue: Kreiraj i nastavi
822 822 button_annotate: Zabilježi
823 823 button_activate: Aktiviraj
824 824 label_sort: Sortiranje
825 825 label_date_from_to: Od %{start} do %{end}
826 826 label_ascending: Rastuće
827 827 label_descending: Opadajuće
828 828 label_greater_or_equal: ">="
829 829 label_less_or_equal: <=
830 830 text_wiki_page_destroy_question: This page has %{descendants} child page(s) and descendant(s). What do you want to do?
831 831 text_wiki_page_reassign_children: Reassign child pages to this parent page
832 832 text_wiki_page_nullify_children: Keep child pages as root pages
833 833 text_wiki_page_destroy_children: Delete child pages and all their descendants
834 834 setting_password_min_length: Minimum password length
835 835 field_group_by: Group results by
836 836 mail_subject_wiki_content_updated: "'%{id}' wiki page has been updated"
837 837 label_wiki_content_added: Wiki page added
838 838 mail_subject_wiki_content_added: "'%{id}' wiki page has been added"
839 839 mail_body_wiki_content_added: The '%{id}' wiki page has been added by %{author}.
840 840 label_wiki_content_updated: Wiki page updated
841 841 mail_body_wiki_content_updated: The '%{id}' wiki page has been updated by %{author}.
842 842 permission_add_project: Create project
843 843 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
844 844 label_view_all_revisions: View all revisions
845 845 label_tag: Tag
846 846 label_branch: Branch
847 847 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
848 848 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
849 849 text_journal_changed: "%{label} changed from %{old} to %{new}"
850 850 text_journal_set_to: "%{label} set to %{value}"
851 851 text_journal_deleted: "%{label} deleted (%{old})"
852 852 label_group_plural: Groups
853 853 label_group: Group
854 854 label_group_new: New group
855 855 label_time_entry_plural: Spent time
856 856 text_journal_added: "%{label} %{value} added"
857 857 field_active: Active
858 858 enumeration_system_activity: System Activity
859 859 permission_delete_issue_watchers: Delete watchers
860 860 version_status_closed: closed
861 861 version_status_locked: locked
862 862 version_status_open: open
863 863 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
864 864 label_user_anonymous: Anonymous
865 865 button_move_and_follow: Move and follow
866 866 setting_default_projects_modules: Default enabled modules for new projects
867 867 setting_gravatar_default: Default Gravatar image
868 868 field_sharing: Sharing
869 869 label_version_sharing_hierarchy: With project hierarchy
870 870 label_version_sharing_system: With all projects
871 871 label_version_sharing_descendants: With subprojects
872 872 label_version_sharing_tree: With project tree
873 873 label_version_sharing_none: Not shared
874 874 error_can_not_archive_project: This project can not be archived
875 875 button_duplicate: Duplicate
876 876 button_copy_and_follow: Copy and follow
877 877 label_copy_source: Source
878 878 setting_issue_done_ratio: Calculate the issue done ratio with
879 879 setting_issue_done_ratio_issue_status: Use the issue status
880 880 error_issue_done_ratios_not_updated: Issue done ratios not updated.
881 881 error_workflow_copy_target: Please select target tracker(s) and role(s)
882 882 setting_issue_done_ratio_issue_field: Use the issue field
883 883 label_copy_same_as_target: Same as target
884 884 label_copy_target: Target
885 885 notice_issue_done_ratios_updated: Issue done ratios updated.
886 886 error_workflow_copy_source: Please select a source tracker or role
887 887 label_update_issue_done_ratios: Update issue done ratios
888 888 setting_start_of_week: Start calendars on
889 889 permission_view_issues: View Issues
890 890 label_display_used_statuses_only: Only display statuses that are used by this tracker
891 891 label_revision_id: Revision %{value}
892 892 label_api_access_key: API access key
893 893 label_api_access_key_created_on: API access key created %{value} ago
894 894 label_feeds_access_key: RSS access key
895 895 notice_api_access_key_reseted: Your API access key was reset.
896 896 setting_rest_api_enabled: Enable REST web service
897 897 label_missing_api_access_key: Missing an API access key
898 898 label_missing_feeds_access_key: Missing a RSS access key
899 899 button_show: Show
900 900 text_line_separated: Multiple values allowed (one line for each value).
901 901 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
902 902 permission_add_subprojects: Create subprojects
903 903 label_subproject_new: New subproject
904 904 text_own_membership_delete_confirmation: |-
905 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 906 Are you sure you want to continue?
907 907 label_close_versions: Close completed versions
908 908 label_board_sticky: Sticky
909 909 label_board_locked: Locked
910 910 permission_export_wiki_pages: Export wiki pages
911 911 setting_cache_formatted_text: Cache formatted text
912 912 permission_manage_project_activities: Manage project activities
913 913 error_unable_delete_issue_status: Unable to delete issue status
914 914 label_profile: Profile
915 915 permission_manage_subtasks: Manage subtasks
916 916 field_parent_issue: Parent task
917 917 label_subtask_plural: Subtasks
918 918 label_project_copy_notifications: Send email notifications during the project copy
919 919 error_can_not_delete_custom_field: Unable to delete custom field
920 920 error_unable_to_connect: Unable to connect (%{value})
921 921 error_can_not_remove_role: This role is in use and can not be deleted.
922 922 error_can_not_delete_tracker: This tracker contains issues and can't be deleted.
923 923 field_principal: Principal
924 924 label_my_page_block: My page block
925 925 notice_failed_to_save_members: "Failed to save member(s): %{errors}."
926 926 text_zoom_out: Zoom out
927 927 text_zoom_in: Zoom in
928 928 notice_unable_delete_time_entry: Unable to delete time log entry.
929 929 label_overall_spent_time: Overall spent time
930 930 field_time_entries: Log time
931 931 project_module_gantt: Gantt
932 932 project_module_calendar: Calendar
933 933 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
934 934 text_are_you_sure_with_children: Delete issue and all child issues?
935 935 field_text: Text field
936 936 label_user_mail_option_only_owner: Only for things I am the owner of
937 937 setting_default_notification_option: Default notification option
938 938 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
939 939 label_user_mail_option_only_assigned: Only for things I am assigned to
940 940 label_user_mail_option_none: No events
941 941 field_member_of_group: Assignee's group
942 942 field_assigned_to_role: Assignee's role
943 943 notice_not_authorized_archived_project: The project you're trying to access has been archived.
944 944 label_principal_search: "Search for user or group:"
945 945 label_user_search: "Search for user:"
946 946 field_visible: Visible
947 947 setting_emails_header: Emails header
948 948 setting_commit_logtime_activity_id: Activity for logged time
949 949 text_time_logged_by_changeset: Applied in changeset %{value}.
950 950 setting_commit_logtime_enabled: Enable time logging
951 951 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
952 952 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
953 953 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
954 954 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
955 955 label_my_queries: My custom queries
956 956 text_journal_changed_no_detail: "%{label} updated"
957 957 label_news_comment_added: Comment added to a news
958 958 button_expand_all: Expand all
959 959 button_collapse_all: Collapse all
960 960 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
961 961 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
962 962 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
963 963 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
964 964 label_role_anonymous: Anonymous
965 965 label_role_non_member: Non member
966 966 label_issue_note_added: Note added
967 967 label_issue_status_updated: Status updated
968 968 label_issue_priority_updated: Priority updated
969 969 label_issues_visibility_own: Issues created by or assigned to the user
970 970 field_issues_visibility: Issues visibility
971 971 label_issues_visibility_all: All issues
972 972 permission_set_own_issues_private: Set own issues public or private
973 973 field_is_private: Private
974 974 permission_set_issues_private: Set issues public or private
975 975 label_issues_visibility_public: All non private issues
976 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
@@ -1,964 +1,965
1 1 # Redmine catalan translation:
2 2 # by Joan Duran
3 3
4 4 ca:
5 5 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
6 6 direction: ltr
7 7 date:
8 8 formats:
9 9 # Use the strftime parameters for formats.
10 10 # When no format has been given, it uses default.
11 11 # You can provide other formats here if you like!
12 12 default: "%d-%m-%Y"
13 13 short: "%e de %b"
14 14 long: "%a, %e de %b de %Y"
15 15
16 16 day_names: [Diumenge, Dilluns, Dimarts, Dimecres, Dijous, Divendres, Dissabte]
17 17 abbr_day_names: [dg, dl, dt, dc, dj, dv, ds]
18 18
19 19 # Don't forget the nil at the beginning; there's no such thing as a 0th month
20 20 month_names: [~, Gener, Febrer, Març, Abril, Maig, Juny, Juliol, Agost, Setembre, Octubre, Novembre, Desembre]
21 21 abbr_month_names: [~, Gen, Feb, Mar, Abr, Mai, Jun, Jul, Ago, Set, Oct, Nov, Des]
22 22 # Used in date_select and datime_select.
23 23 order: [ :year, :month, :day ]
24 24
25 25 time:
26 26 formats:
27 27 default: "%d-%m-%Y %H:%M"
28 28 time: "%H:%M"
29 29 short: "%e de %b, %H:%M"
30 30 long: "%a, %e de %b de %Y, %H:%M"
31 31 am: "am"
32 32 pm: "pm"
33 33
34 34 datetime:
35 35 distance_in_words:
36 36 half_a_minute: "mig minut"
37 37 less_than_x_seconds:
38 38 one: "menys d'un segon"
39 39 other: "menys de %{count} segons"
40 40 x_seconds:
41 41 one: "1 segons"
42 42 other: "%{count} segons"
43 43 less_than_x_minutes:
44 44 one: "menys d'un minut"
45 45 other: "menys de %{count} minuts"
46 46 x_minutes:
47 47 one: "1 minut"
48 48 other: "%{count} minuts"
49 49 about_x_hours:
50 50 one: "aproximadament 1 hora"
51 51 other: "aproximadament %{count} hores"
52 52 x_days:
53 53 one: "1 dia"
54 54 other: "%{count} dies"
55 55 about_x_months:
56 56 one: "aproximadament 1 mes"
57 57 other: "aproximadament %{count} mesos"
58 58 x_months:
59 59 one: "1 mes"
60 60 other: "%{count} mesos"
61 61 about_x_years:
62 62 one: "aproximadament 1 any"
63 63 other: "aproximadament %{count} anys"
64 64 over_x_years:
65 65 one: "més d'un any"
66 66 other: "més de %{count} anys"
67 67 almost_x_years:
68 68 one: "almost 1 year"
69 69 other: "almost %{count} years"
70 70
71 71 number:
72 72 # Default format for numbers
73 73 format:
74 74 separator: "."
75 75 delimiter: ""
76 76 precision: 3
77 77 human:
78 78 format:
79 79 delimiter: ""
80 80 precision: 1
81 81 storage_units:
82 82 format: "%n %u"
83 83 units:
84 84 byte:
85 85 one: "Byte"
86 86 other: "Bytes"
87 87 kb: "KB"
88 88 mb: "MB"
89 89 gb: "GB"
90 90 tb: "TB"
91 91
92 92
93 93 # Used in array.to_sentence.
94 94 support:
95 95 array:
96 96 sentence_connector: "i"
97 97 skip_last_comma: false
98 98
99 99 activerecord:
100 100 errors:
101 101 template:
102 102 header:
103 103 one: "1 error prohibited this %{model} from being saved"
104 104 other: "%{count} errors prohibited this %{model} from being saved"
105 105 messages:
106 106 inclusion: "no està inclòs a la llista"
107 107 exclusion: "està reservat"
108 108 invalid: "no és vàlid"
109 109 confirmation: "la confirmació no coincideix"
110 110 accepted: "s'ha d'acceptar"
111 111 empty: "no pot estar buit"
112 112 blank: "no pot estar en blanc"
113 113 too_long: "és massa llarg"
114 114 too_short: "és massa curt"
115 115 wrong_length: "la longitud és incorrecta"
116 116 taken: "ja s'està utilitzant"
117 117 not_a_number: "no és un número"
118 118 not_a_date: "no és una data vàlida"
119 119 greater_than: "ha de ser més gran que %{count}"
120 120 greater_than_or_equal_to: "ha de ser més gran o igual a %{count}"
121 121 equal_to: "ha de ser igual a %{count}"
122 122 less_than: "ha de ser menys que %{count}"
123 123 less_than_or_equal_to: "ha de ser menys o igual a %{count}"
124 124 odd: "ha de ser senar"
125 125 even: "ha de ser parell"
126 126 greater_than_start_date: "ha de ser superior que la data inicial"
127 127 not_same_project: "no pertany al mateix projecte"
128 128 circular_dependency: "Aquesta relació crearia una dependència circular"
129 129 cant_link_an_issue_with_a_descendant: "Un assumpte no es pot enllaçar a una de les seves subtasques"
130 130
131 131 actionview_instancetag_blank_option: Seleccioneu
132 132
133 133 general_text_No: 'No'
134 134 general_text_Yes: 'Si'
135 135 general_text_no: 'no'
136 136 general_text_yes: 'si'
137 137 general_lang_name: 'Català'
138 138 general_csv_separator: ';'
139 139 general_csv_decimal_separator: ','
140 140 general_csv_encoding: ISO-8859-15
141 141 general_pdf_encoding: UTF-8
142 142 general_first_day_of_week: '1'
143 143
144 144 notice_account_updated: "El compte s'ha actualitzat correctament."
145 145 notice_account_invalid_creditentials: Usuari o contrasenya invàlid
146 146 notice_account_password_updated: "La contrasenya s'ha modificat correctament."
147 147 notice_account_wrong_password: Contrasenya incorrecta
148 148 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."
149 149 notice_account_unknown_email: Usuari desconegut.
150 150 notice_can_t_change_password: "Aquest compte utilitza una font d'autenticació externa. No és possible canviar la contrasenya."
151 151 notice_account_lost_email_sent: "S'ha enviat un correu electrònic amb instruccions per a seleccionar una contrasenya nova."
152 152 notice_account_activated: "El compte s'ha activat. Ara podeu entrar."
153 153 notice_successful_create: "S'ha creat correctament."
154 154 notice_successful_update: "S'ha modificat correctament."
155 155 notice_successful_delete: "S'ha suprimit correctament."
156 156 notice_successful_connection: "S'ha connectat correctament."
157 157 notice_file_not_found: "La pàgina a la que intenteu accedir no existeix o s'ha suprimit."
158 158 notice_locking_conflict: Un altre usuari ha actualitzat les dades.
159 159 notice_not_authorized: No teniu permís per a accedir a aquesta pàgina.
160 160 notice_email_sent: "S'ha enviat un correu electrònic a %{value}"
161 161 notice_email_error: "S'ha produït un error en enviar el correu (%{value})"
162 162 notice_feeds_access_key_reseted: "S'ha reiniciat la clau d'accés del RSS."
163 163 notice_api_access_key_reseted: "S'ha reiniciat la clau d'accés a l'API."
164 164 notice_failed_to_save_issues: "No s'han pogut desar %s assumptes de %{count} seleccionats: %{ids}."
165 165 notice_failed_to_save_members: "No s'han pogut desar els membres: %{errors}."
166 166 notice_no_issue_selected: "No s'ha seleccionat cap assumpte. Activeu els assumptes que voleu editar."
167 167 notice_account_pending: "S'ha creat el compte i ara està pendent de l'aprovació de l'administrador."
168 168 notice_default_data_loaded: "S'ha carregat correctament la configuració predeterminada."
169 169 notice_unable_delete_version: "No s'ha pogut suprimir la versió."
170 170 notice_unable_delete_time_entry: "No s'ha pogut suprimir l'entrada del registre de temps."
171 171 notice_issue_done_ratios_updated: "S'ha actualitzat el tant per cent dels assumptes."
172 172
173 173 error_can_t_load_default_data: "No s'ha pogut carregar la configuració predeterminada: %{value} "
174 174 error_scm_not_found: "No s'ha trobat l'entrada o la revisió en el dipòsit."
175 175 error_scm_command_failed: "S'ha produït un error en intentar accedir al dipòsit: %{value}"
176 176 error_scm_annotate: "L'entrada no existeix o no s'ha pogut anotar."
177 177 error_issue_not_found_in_project: "No s'ha trobat l'assumpte o no pertany a aquest projecte"
178 178 error_no_tracker_in_project: "Aquest projecte no seguidor associat. Comproveu els paràmetres del projecte."
179 179 error_no_default_issue_status: "No s'ha definit cap estat d'assumpte predeterminat. Comproveu la configuració (aneu a «Administració -> Estats de l'assumpte»)."
180 180 error_can_not_delete_custom_field: "No s'ha pogut suprimir el camp personalitat"
181 181 error_can_not_delete_tracker: "Aquest seguidor conté assumptes i no es pot suprimir."
182 182 error_can_not_remove_role: "Aquest rol s'està utilitzant i no es pot suprimir."
183 183 error_can_not_reopen_issue_on_closed_version: "Un assumpte assignat a una versió tancada no es pot tornar a obrir"
184 184 error_can_not_archive_project: "Aquest projecte no es pot arxivar"
185 185 error_issue_done_ratios_not_updated: "No s'ha actualitza el tant per cent dels assumptes."
186 186 error_workflow_copy_source: "Seleccioneu un seguidor o rol font"
187 187 error_workflow_copy_target: "Seleccioneu seguidors i rols objectiu"
188 188 error_unable_delete_issue_status: "No s'ha pogut suprimir l'estat de l'assumpte"
189 189 error_unable_to_connect: "No s'ha pogut connectar (%{value})"
190 190 warning_attachments_not_saved: "No s'han pogut desar %{count} fitxers."
191 191
192 192 mail_subject_lost_password: "Contrasenya de %{value}"
193 193 mail_body_lost_password: "Per a canviar la contrasenya, feu clic en l'enllaç següent:"
194 194 mail_subject_register: "Activació del compte de %{value}"
195 195 mail_body_register: "Per a activar el compte, feu clic en l'enllaç següent:"
196 196 mail_body_account_information_external: "Podeu utilitzar el compte «%{value}» per a entrar."
197 197 mail_body_account_information: Informació del compte
198 198 mail_subject_account_activation_request: "Sol·licitud d'activació del compte de %{value}"
199 199 mail_body_account_activation_request: "S'ha registrat un usuari nou (%{value}). El seu compte està pendent d'aprovació:"
200 200 mail_subject_reminder: "%{count} assumptes venceran els següents %{days} dies"
201 201 mail_body_reminder: "%{count} assumptes que teniu assignades venceran els següents %{days} dies:"
202 202 mail_subject_wiki_content_added: "S'ha afegit la pàgina wiki «%{id}»"
203 203 mail_body_wiki_content_added: "En %{author} ha afegit la pàgina wiki «%{id}»."
204 204 mail_subject_wiki_content_updated: "S'ha actualitzat la pàgina wiki «%{id}»"
205 205 mail_body_wiki_content_updated: "En %{author} ha actualitzat la pàgina wiki «%{id}»."
206 206
207 207 gui_validation_error: 1 error
208 208 gui_validation_error_plural: "%{count} errors"
209 209
210 210 field_name: Nom
211 211 field_description: Descripció
212 212 field_summary: Resum
213 213 field_is_required: Necessari
214 214 field_firstname: Nom
215 215 field_lastname: Cognom
216 216 field_mail: Correu electrònic
217 217 field_filename: Fitxer
218 218 field_filesize: Mida
219 219 field_downloads: Baixades
220 220 field_author: Autor
221 221 field_created_on: Creat
222 222 field_updated_on: Actualitzat
223 223 field_field_format: Format
224 224 field_is_for_all: Per a tots els projectes
225 225 field_possible_values: Valores possibles
226 226 field_regexp: Expressió regular
227 227 field_min_length: Longitud mínima
228 228 field_max_length: Longitud màxima
229 229 field_value: Valor
230 230 field_category: Categoria
231 231 field_title: Títol
232 232 field_project: Projecte
233 233 field_issue: Assumpte
234 234 field_status: Estat
235 235 field_notes: Notes
236 236 field_is_closed: Assumpte tancat
237 237 field_is_default: Estat predeterminat
238 238 field_tracker: Seguidor
239 239 field_subject: Tema
240 240 field_due_date: Data de venciment
241 241 field_assigned_to: Assignat a
242 242 field_priority: Prioritat
243 243 field_fixed_version: Versió objectiu
244 244 field_user: Usuari
245 245 field_principal: Principal
246 246 field_role: Rol
247 247 field_homepage: Pàgina web
248 248 field_is_public: Públic
249 249 field_parent: Subprojecte de
250 250 field_is_in_roadmap: Assumptes mostrats en la planificació
251 251 field_login: Entrada
252 252 field_mail_notification: Notificacions per correu electrònic
253 253 field_admin: Administrador
254 254 field_last_login_on: Última connexió
255 255 field_language: Idioma
256 256 field_effective_date: Data
257 257 field_password: Contrasenya
258 258 field_new_password: Contrasenya nova
259 259 field_password_confirmation: Confirmació
260 260 field_version: Versió
261 261 field_type: Tipus
262 262 field_host: Ordinador
263 263 field_port: Port
264 264 field_account: Compte
265 265 field_base_dn: Base DN
266 266 field_attr_login: "Atribut d'entrada"
267 267 field_attr_firstname: Atribut del nom
268 268 field_attr_lastname: Atribut del cognom
269 269 field_attr_mail: Atribut del correu electrònic
270 270 field_onthefly: "Creació de l'usuari «al vol»"
271 271 field_start_date: Inici
272 272 field_done_ratio: % realitzat
273 273 field_auth_source: "Mode d'autenticació"
274 274 field_hide_mail: "Oculta l'adreça de correu electrònic"
275 275 field_comments: Comentari
276 276 field_url: URL
277 277 field_start_page: Pàgina inicial
278 278 field_subproject: Subprojecte
279 279 field_hours: Hores
280 280 field_activity: Activitat
281 281 field_spent_on: Data
282 282 field_identifier: Identificador
283 283 field_is_filter: "S'ha utilitzat com a filtre"
284 284 field_issue_to: Assumpte relacionat
285 285 field_delay: Retard
286 286 field_assignable: Es poden assignar assumptes a aquest rol
287 287 field_redirect_existing_links: Redirigeix els enllaços existents
288 288 field_estimated_hours: Temps previst
289 289 field_column_names: Columnes
290 290 field_time_entries: "Registre de temps"
291 291 field_time_zone: Zona horària
292 292 field_searchable: Es pot cercar
293 293 field_default_value: Valor predeterminat
294 294 field_comments_sorting: Mostra els comentaris
295 295 field_parent_title: Pàgina pare
296 296 field_editable: Es pot editar
297 297 field_watcher: Vigilància
298 298 field_identity_url: URL OpenID
299 299 field_content: Contingut
300 300 field_group_by: "Agrupa els resultats per"
301 301 field_sharing: Compartició
302 302 field_parent_issue: "Tasca pare"
303 303
304 304 setting_app_title: "Títol de l'aplicació"
305 305 setting_app_subtitle: "Subtítol de l'aplicació"
306 306 setting_welcome_text: Text de benvinguda
307 307 setting_default_language: Idioma predeterminat
308 308 setting_login_required: Es necessita autenticació
309 309 setting_self_registration: Registre automàtic
310 310 setting_attachment_max_size: Mida màxima dels adjunts
311 311 setting_issues_export_limit: "Límit d'exportació d'assumptes"
312 312 setting_mail_from: "Adreça de correu electrònic d'emissió"
313 313 setting_bcc_recipients: Vincula els destinataris de les còpies amb carbó (bcc)
314 314 setting_plain_text_mail: només text pla (no HTML)
315 315 setting_host_name: "Nom de l'ordinador"
316 316 setting_text_formatting: Format del text
317 317 setting_wiki_compression: "Comprimeix l'historial del wiki"
318 318 setting_feeds_limit: Límit de contingut del canal
319 319 setting_default_projects_public: Els projectes nous són públics per defecte
320 320 setting_autofetch_changesets: Omple automàticament les publicacions
321 321 setting_sys_api_enabled: Habilita el WS per a la gestió del dipòsit
322 322 setting_commit_ref_keywords: Paraules claus per a la referència
323 323 setting_commit_fix_keywords: Paraules claus per a la correcció
324 324 setting_autologin: Entrada automàtica
325 325 setting_date_format: Format de la data
326 326 setting_time_format: Format de hora
327 327 setting_cross_project_issue_relations: "Permet les relacions d'assumptes entre projectes"
328 328 setting_issue_list_default_columns: "Columnes mostrades per defecte en la llista d'assumptes"
329 329 setting_repositories_encodings: Codificacions del dipòsit
330 330 setting_commit_logs_encoding: Codificació dels missatges publicats
331 331 setting_emails_footer: Peu dels correus electrònics
332 332 setting_protocol: Protocol
333 333 setting_per_page_options: Opcions dels objectes per pàgina
334 334 setting_user_format: "Format de com mostrar l'usuari"
335 335 setting_activity_days_default: "Dies a mostrar l'activitat del projecte"
336 336 setting_display_subprojects_issues: "Mostra els assumptes d'un subprojecte en el projecte pare per defecte"
337 337 setting_enabled_scm: "Habilita l'SCM"
338 338 setting_mail_handler_body_delimiters: "Trunca els correus electrònics després d'una d'aquestes línies"
339 339 setting_mail_handler_api_enabled: "Habilita el WS per correus electrònics d'entrada"
340 340 setting_mail_handler_api_key: Clau API
341 341 setting_sequential_project_identifiers: Genera identificadors de projecte seqüencials
342 342 setting_gravatar_enabled: "Utilitza les icones d'usuari Gravatar"
343 343 setting_gravatar_default: "Imatge Gravatar predeterminada"
344 344 setting_diff_max_lines_displayed: Número màxim de línies amb diferències mostrades
345 345 setting_file_max_size_displayed: Mida màxima dels fitxers de text mostrats en línia
346 346 setting_repository_log_display_limit: Número màxim de revisions que es mostren al registre de fitxers
347 347 setting_openid: "Permet entrar i registrar-se amb l'OpenID"
348 348 setting_password_min_length: "Longitud mínima de la contrasenya"
349 349 setting_new_project_user_role_id: "Aquest rol es dóna a un usuari no administrador per a crear projectes"
350 350 setting_default_projects_modules: "Mòduls activats per defecte en els projectes nous"
351 351 setting_issue_done_ratio: "Calcula tant per cent realitzat de l'assumpte amb"
352 352 setting_issue_done_ratio_issue_status: "Utilitza l'estat de l'assumpte"
353 353 setting_issue_done_ratio_issue_field: "Utilitza el camp de l'assumpte"
354 354 setting_start_of_week: "Inicia les setmanes en"
355 355 setting_rest_api_enabled: "Habilita el servei web REST"
356 356 setting_cache_formatted_text: Cache formatted text
357 357
358 358 permission_add_project: "Crea projectes"
359 359 permission_add_subprojects: "Crea subprojectes"
360 360 permission_edit_project: Edita el projecte
361 361 permission_select_project_modules: Selecciona els mòduls del projecte
362 362 permission_manage_members: Gestiona els membres
363 363 permission_manage_project_activities: "Gestiona les activitats del projecte"
364 364 permission_manage_versions: Gestiona les versions
365 365 permission_manage_categories: Gestiona les categories dels assumptes
366 366 permission_view_issues: "Visualitza els assumptes"
367 367 permission_add_issues: Afegeix assumptes
368 368 permission_edit_issues: Edita els assumptes
369 369 permission_manage_issue_relations: Gestiona les relacions dels assumptes
370 370 permission_add_issue_notes: Afegeix notes
371 371 permission_edit_issue_notes: Edita les notes
372 372 permission_edit_own_issue_notes: Edita les notes pròpies
373 373 permission_move_issues: Mou els assumptes
374 374 permission_delete_issues: Suprimeix els assumptes
375 375 permission_manage_public_queries: Gestiona les consultes públiques
376 376 permission_save_queries: Desa les consultes
377 377 permission_view_gantt: Visualitza la gràfica de Gantt
378 378 permission_view_calendar: Visualitza el calendari
379 379 permission_view_issue_watchers: Visualitza la llista de vigilàncies
380 380 permission_add_issue_watchers: Afegeix vigilàncies
381 381 permission_delete_issue_watchers: Suprimeix els vigilants
382 382 permission_log_time: Registra el temps invertit
383 383 permission_view_time_entries: Visualitza el temps invertit
384 384 permission_edit_time_entries: Edita els registres de temps
385 385 permission_edit_own_time_entries: Edita els registres de temps propis
386 386 permission_manage_news: Gestiona les noticies
387 387 permission_comment_news: Comenta les noticies
388 388 permission_manage_documents: Gestiona els documents
389 389 permission_view_documents: Visualitza els documents
390 390 permission_manage_files: Gestiona els fitxers
391 391 permission_view_files: Visualitza els fitxers
392 392 permission_manage_wiki: Gestiona el wiki
393 393 permission_rename_wiki_pages: Canvia el nom de les pàgines wiki
394 394 permission_delete_wiki_pages: Suprimeix les pàgines wiki
395 395 permission_view_wiki_pages: Visualitza el wiki
396 396 permission_view_wiki_edits: "Visualitza l'historial del wiki"
397 397 permission_edit_wiki_pages: Edita les pàgines wiki
398 398 permission_delete_wiki_pages_attachments: Suprimeix adjunts
399 399 permission_protect_wiki_pages: Protegeix les pàgines wiki
400 400 permission_manage_repository: Gestiona el dipòsit
401 401 permission_browse_repository: Navega pel dipòsit
402 402 permission_view_changesets: Visualitza els canvis realitzats
403 403 permission_commit_access: Accés a les publicacions
404 404 permission_manage_boards: Gestiona els taulers
405 405 permission_view_messages: Visualitza els missatges
406 406 permission_add_messages: Envia missatges
407 407 permission_edit_messages: Edita els missatges
408 408 permission_edit_own_messages: Edita els missatges propis
409 409 permission_delete_messages: Suprimeix els missatges
410 410 permission_delete_own_messages: Suprimeix els missatges propis
411 411 permission_export_wiki_pages: "Exporta les pàgines wiki"
412 412 permission_manage_subtasks: "Gestiona subtasques"
413 413
414 414 project_module_issue_tracking: "Seguidor d'assumptes"
415 415 project_module_time_tracking: Seguidor de temps
416 416 project_module_news: Noticies
417 417 project_module_documents: Documents
418 418 project_module_files: Fitxers
419 419 project_module_wiki: Wiki
420 420 project_module_repository: Dipòsit
421 421 project_module_boards: Taulers
422 422 project_module_calendar: Calendari
423 423 project_module_gantt: Gantt
424 424
425 425 label_user: Usuari
426 426 label_user_plural: Usuaris
427 427 label_user_new: Usuari nou
428 428 label_user_anonymous: Anònim
429 429 label_project: Projecte
430 430 label_project_new: Projecte nou
431 431 label_project_plural: Projectes
432 432 label_x_projects:
433 433 zero: cap projecte
434 434 one: 1 projecte
435 435 other: "%{count} projectes"
436 436 label_project_all: Tots els projectes
437 437 label_project_latest: Els últims projectes
438 438 label_issue: Assumpte
439 439 label_issue_new: Assumpte nou
440 440 label_issue_plural: Assumptes
441 441 label_issue_view_all: Visualitza tots els assumptes
442 442 label_issues_by: "Assumptes per %{value}"
443 443 label_issue_added: Assumpte afegit
444 444 label_issue_updated: Assumpte actualitzat
445 445 label_document: Document
446 446 label_document_new: Document nou
447 447 label_document_plural: Documents
448 448 label_document_added: Document afegit
449 449 label_role: Rol
450 450 label_role_plural: Rols
451 451 label_role_new: Rol nou
452 452 label_role_and_permissions: Rols i permisos
453 453 label_member: Membre
454 454 label_member_new: Membre nou
455 455 label_member_plural: Membres
456 456 label_tracker: Seguidor
457 457 label_tracker_plural: Seguidors
458 458 label_tracker_new: Seguidor nou
459 459 label_workflow: Flux de treball
460 460 label_issue_status: "Estat de l'assumpte"
461 461 label_issue_status_plural: "Estats de l'assumpte"
462 462 label_issue_status_new: Estat nou
463 463 label_issue_category: "Categoria de l'assumpte"
464 464 label_issue_category_plural: "Categories de l'assumpte"
465 465 label_issue_category_new: Categoria nova
466 466 label_custom_field: Camp personalitzat
467 467 label_custom_field_plural: Camps personalitzats
468 468 label_custom_field_new: Camp personalitzat nou
469 469 label_enumerations: Enumeracions
470 470 label_enumeration_new: Valor nou
471 471 label_information: Informació
472 472 label_information_plural: Informació
473 473 label_please_login: Entreu
474 474 label_register: Registre
475 475 label_login_with_open_id_option: "o entra amb l'OpenID"
476 476 label_password_lost: Contrasenya perduda
477 477 label_home: Inici
478 478 label_my_page: La meva pàgina
479 479 label_my_account: El meu compte
480 480 label_my_projects: Els meus projectes
481 481 label_my_page_block: "Els meus blocs de pàgina"
482 482 label_administration: Administració
483 483 label_login: Entra
484 484 label_logout: Surt
485 485 label_help: Ajuda
486 486 label_reported_issues: Assumptes informats
487 487 label_assigned_to_me_issues: Assumptes assignats a mi
488 488 label_last_login: Última connexió
489 489 label_registered_on: Informat el
490 490 label_activity: Activitat
491 491 label_overall_activity: Activitat global
492 492 label_user_activity: "Activitat de %{value}"
493 493 label_new: Nou
494 494 label_logged_as: Heu entrat com a
495 495 label_environment: Entorn
496 496 label_authentication: Autenticació
497 497 label_auth_source: "Mode d'autenticació"
498 498 label_auth_source_new: "Mode d'autenticació nou"
499 499 label_auth_source_plural: "Modes d'autenticació"
500 500 label_subproject_plural: Subprojectes
501 501 label_subproject_new: "Subprojecte nou"
502 502 label_and_its_subprojects: "%{value} i els seus subprojectes"
503 503 label_min_max_length: Longitud mín - max
504 504 label_list: Llist
505 505 label_date: Data
506 506 label_integer: Enter
507 507 label_float: Flotant
508 508 label_boolean: Booleà
509 509 label_string: Text
510 510 label_text: Text llarg
511 511 label_attribute: Atribut
512 512 label_attribute_plural: Atributs
513 513 label_download: "%{count} baixada"
514 514 label_download_plural: "%{count} baixades"
515 515 label_no_data: Sense dades a mostrar
516 516 label_change_status: "Canvia l'estat"
517 517 label_history: Historial
518 518 label_attachment: Fitxer
519 519 label_attachment_new: Fitxer nou
520 520 label_attachment_delete: Suprimeix el fitxer
521 521 label_attachment_plural: Fitxers
522 522 label_file_added: Fitxer afegit
523 523 label_report: Informe
524 524 label_report_plural: Informes
525 525 label_news: Noticies
526 526 label_news_new: Afegeix noticies
527 527 label_news_plural: Noticies
528 528 label_news_latest: Últimes noticies
529 529 label_news_view_all: Visualitza totes les noticies
530 530 label_news_added: Noticies afegides
531 531 label_settings: Paràmetres
532 532 label_overview: Resum
533 533 label_version: Versió
534 534 label_version_new: Versió nova
535 535 label_version_plural: Versions
536 536 label_close_versions: "Tanca les versions completades"
537 537 label_confirmation: Confirmació
538 538 label_export_to: "També disponible a:"
539 539 label_read: Llegeix...
540 540 label_public_projects: Projectes públics
541 541 label_open_issues: obert
542 542 label_open_issues_plural: oberts
543 543 label_closed_issues: tancat
544 544 label_closed_issues_plural: tancats
545 545 label_x_open_issues_abbr_on_total:
546 546 zero: 0 oberts / %{total}
547 547 one: 1 obert / %{total}
548 548 other: "%{count} oberts / %{total}"
549 549 label_x_open_issues_abbr:
550 550 zero: 0 oberts
551 551 one: 1 obert
552 552 other: "%{count} oberts"
553 553 label_x_closed_issues_abbr:
554 554 zero: 0 tancats
555 555 one: 1 tancat
556 556 other: "%{count} tancats"
557 557 label_total: Total
558 558 label_permissions: Permisos
559 559 label_current_status: Estat actual
560 560 label_new_statuses_allowed: Nous estats autoritzats
561 561 label_all: tots
562 562 label_none: cap
563 563 label_nobody: ningú
564 564 label_next: Següent
565 565 label_previous: Anterior
566 566 label_used_by: Utilitzat per
567 567 label_details: Detalls
568 568 label_add_note: Afegeix una nota
569 569 label_per_page: Per pàgina
570 570 label_calendar: Calendari
571 571 label_months_from: mesos des de
572 572 label_gantt: Gantt
573 573 label_internal: Intern
574 574 label_last_changes: "últims %{count} canvis"
575 575 label_change_view_all: Visualitza tots els canvis
576 576 label_personalize_page: Personalitza aquesta pàgina
577 577 label_comment: Comentari
578 578 label_comment_plural: Comentaris
579 579 label_x_comments:
580 580 zero: sense comentaris
581 581 one: 1 comentari
582 582 other: "%{count} comentaris"
583 583 label_comment_add: Afegeix un comentari
584 584 label_comment_added: Comentari afegit
585 585 label_comment_delete: Suprimeix comentaris
586 586 label_query: Consulta personalitzada
587 587 label_query_plural: Consultes personalitzades
588 588 label_query_new: Consulta nova
589 589 label_filter_add: Afegeix un filtre
590 590 label_filter_plural: Filtres
591 591 label_equals: és
592 592 label_not_equals: no és
593 593 label_in_less_than: en menys de
594 594 label_in_more_than: en més de
595 595 label_greater_or_equal: ">="
596 596 label_less_or_equal: <=
597 597 label_in: en
598 598 label_today: avui
599 599 label_all_time: tot el temps
600 600 label_yesterday: ahir
601 601 label_this_week: aquesta setmana
602 602 label_last_week: "l'última setmana"
603 603 label_last_n_days: "els últims %{count} dies"
604 604 label_this_month: aquest més
605 605 label_last_month: "l'últim més"
606 606 label_this_year: aquest any
607 607 label_date_range: Abast de les dates
608 608 label_less_than_ago: fa menys de
609 609 label_more_than_ago: fa més de
610 610 label_ago: fa
611 611 label_contains: conté
612 612 label_not_contains: no conté
613 613 label_day_plural: dies
614 614 label_repository: Dipòsit
615 615 label_repository_plural: Dipòsits
616 616 label_browse: Navega
617 617 label_modification: "%{count} canvi"
618 618 label_modification_plural: "%{count} canvis"
619 619 label_branch: Branca
620 620 label_tag: Etiqueta
621 621 label_revision: Revisió
622 622 label_revision_plural: Revisions
623 623 label_revision_id: "Revisió %{value}"
624 624 label_associated_revisions: Revisions associades
625 625 label_added: afegit
626 626 label_modified: modificat
627 627 label_copied: copiat
628 628 label_renamed: reanomenat
629 629 label_deleted: suprimit
630 630 label_latest_revision: Última revisió
631 631 label_latest_revision_plural: Últimes revisions
632 632 label_view_revisions: Visualitza les revisions
633 633 label_view_all_revisions: "Visualitza totes les revisions"
634 634 label_max_size: Mida màxima
635 635 label_sort_highest: Mou a la part superior
636 636 label_sort_higher: Mou cap amunt
637 637 label_sort_lower: Mou cap avall
638 638 label_sort_lowest: Mou a la part inferior
639 639 label_roadmap: Planificació
640 640 label_roadmap_due_in: "Venç en %{value}"
641 641 label_roadmap_overdue: "%{value} tard"
642 642 label_roadmap_no_issues: No hi ha assumptes per a aquesta versió
643 643 label_search: Cerca
644 644 label_result_plural: Resultats
645 645 label_all_words: Totes les paraules
646 646 label_wiki: Wiki
647 647 label_wiki_edit: Edició wiki
648 648 label_wiki_edit_plural: Edicions wiki
649 649 label_wiki_page: Pàgina wiki
650 650 label_wiki_page_plural: Pàgines wiki
651 651 label_index_by_title: Índex per títol
652 652 label_index_by_date: Índex per data
653 653 label_current_version: Versió actual
654 654 label_preview: Previsualització
655 655 label_feed_plural: Canals
656 656 label_changes_details: Detalls de tots els canvis
657 657 label_issue_tracking: "Seguiment d'assumptes"
658 658 label_spent_time: Temps invertit
659 659 label_overall_spent_time: "Temps total invertit"
660 660 label_f_hour: "%{value} hora"
661 661 label_f_hour_plural: "%{value} hores"
662 662 label_time_tracking: Temps de seguiment
663 663 label_change_plural: Canvis
664 664 label_statistics: Estadístiques
665 665 label_commits_per_month: Publicacions per mes
666 666 label_commits_per_author: Publicacions per autor
667 667 label_view_diff: Visualitza les diferències
668 668 label_diff_inline: en línia
669 669 label_diff_side_by_side: costat per costat
670 670 label_options: Opcions
671 671 label_copy_workflow_from: Copia el flux de treball des de
672 672 label_permissions_report: Informe de permisos
673 673 label_watched_issues: Assumptes vigilats
674 674 label_related_issues: Assumptes relacionats
675 675 label_applied_status: Estat aplicat
676 676 label_loading: "S'està carregant..."
677 677 label_relation_new: Relació nova
678 678 label_relation_delete: Suprimeix la relació
679 679 label_relates_to: relacionat amb
680 680 label_duplicates: duplicats
681 681 label_duplicated_by: duplicat per
682 682 label_blocks: bloqueja
683 683 label_blocked_by: bloquejats per
684 684 label_precedes: anterior a
685 685 label_follows: posterior a
686 686 label_end_to_start: final al començament
687 687 label_end_to_end: final al final
688 688 label_start_to_start: començament al començament
689 689 label_start_to_end: començament al final
690 690 label_stay_logged_in: "Manté l'entrada"
691 691 label_disabled: inhabilitat
692 692 label_show_completed_versions: Mostra les versions completes
693 693 label_me: jo mateix
694 694 label_board: Fòrum
695 695 label_board_new: Fòrum nou
696 696 label_board_plural: Fòrums
697 697 label_board_locked: Bloquejat
698 698 label_board_sticky: Sticky
699 699 label_topic_plural: Temes
700 700 label_message_plural: Missatges
701 701 label_message_last: Últim missatge
702 702 label_message_new: Missatge nou
703 703 label_message_posted: Missatge afegit
704 704 label_reply_plural: Respostes
705 705 label_send_information: "Envia la informació del compte a l'usuari"
706 706 label_year: Any
707 707 label_month: Mes
708 708 label_week: Setmana
709 709 label_date_from: Des de
710 710 label_date_to: A
711 711 label_language_based: "Basat en l'idioma de l'usuari"
712 712 label_sort_by: "Ordena per %{value}"
713 713 label_send_test_email: Envia un correu electrònic de prova
714 714 label_feeds_access_key: "Clau d'accés del RSS"
715 715 label_missing_feeds_access_key: "Falta una clau d'accés del RSS"
716 716 label_feeds_access_key_created_on: "Clau d'accés del RSS creada fa %{value}"
717 717 label_module_plural: Mòduls
718 718 label_added_time_by: "Afegit per %{author} fa %{age}"
719 719 label_updated_time_by: "Actualitzat per %{author} fa %{age}"
720 720 label_updated_time: "Actualitzat fa %{value}"
721 721 label_jump_to_a_project: Salta al projecte...
722 722 label_file_plural: Fitxers
723 723 label_changeset_plural: Conjunt de canvis
724 724 label_default_columns: Columnes predeterminades
725 725 label_no_change_option: (sense canvis)
726 726 label_bulk_edit_selected_issues: Edita en bloc els assumptes seleccionats
727 727 label_theme: Tema
728 728 label_default: Predeterminat
729 729 label_search_titles_only: Cerca només en els títols
730 730 label_user_mail_option_all: "Per qualsevol esdeveniment en tots els meus projectes"
731 731 label_user_mail_option_selected: "Per qualsevol esdeveniment en els projectes seleccionats..."
732 732 label_user_mail_no_self_notified: "No vull ser notificat pels canvis que faig jo mateix"
733 733 label_registration_activation_by_email: activació del compte per correu electrònic
734 734 label_registration_manual_activation: activació del compte manual
735 735 label_registration_automatic_activation: activació del compte automàtica
736 736 label_display_per_page: "Per pàgina: %{value}"
737 737 label_age: Edat
738 738 label_change_properties: Canvia les propietats
739 739 label_general: General
740 740 label_more: Més
741 741 label_scm: SCM
742 742 label_plugins: Connectors
743 743 label_ldap_authentication: Autenticació LDAP
744 744 label_downloads_abbr: Baixades
745 745 label_optional_description: Descripció opcional
746 746 label_add_another_file: Afegeix un altre fitxer
747 747 label_preferences: Preferències
748 748 label_chronological_order: En ordre cronològic
749 749 label_reverse_chronological_order: En ordre cronològic invers
750 750 label_planning: Planificació
751 751 label_incoming_emails: "Correu electrònics d'entrada"
752 752 label_generate_key: Genera una clau
753 753 label_issue_watchers: Vigilàncies
754 754 label_example: Exemple
755 755 label_display: Mostra
756 756 label_sort: Ordena
757 757 label_ascending: Ascendent
758 758 label_descending: Descendent
759 759 label_date_from_to: Des de %{start} a %{end}
760 760 label_wiki_content_added: "S'ha afegit la pàgina wiki"
761 761 label_wiki_content_updated: "S'ha actualitzat la pàgina wiki"
762 762 label_group: Grup
763 763 label_group_plural: Grups
764 764 label_group_new: Grup nou
765 765 label_time_entry_plural: Temps invertit
766 766 label_version_sharing_hierarchy: "Amb la jerarquia del projecte"
767 767 label_version_sharing_system: "Amb tots els projectes"
768 768 label_version_sharing_descendants: "Amb tots els subprojectes"
769 769 label_version_sharing_tree: "Amb l'arbre del projecte"
770 770 label_version_sharing_none: "Sense compartir"
771 771 label_update_issue_done_ratios: "Actualitza el tant per cent dels assumptes realitzats"
772 772 label_copy_source: Font
773 773 label_copy_target: Objectiu
774 774 label_copy_same_as_target: "El mateix que l'objectiu"
775 775 label_display_used_statuses_only: "Mostra només els estats que utilitza aquest seguidor"
776 776 label_api_access_key: "Clau d'accés a l'API"
777 777 label_missing_api_access_key: "Falta una clau d'accés de l'API"
778 778 label_api_access_key_created_on: "Clau d'accés de l'API creada fa %{value}"
779 779 label_profile: Perfil
780 780 label_subtask_plural: Subtasques
781 781 label_project_copy_notifications: "Envia notificacions de correu electrònic durant la còpia del projecte"
782 782
783 783 button_login: Entra
784 784 button_submit: Tramet
785 785 button_save: Desa
786 786 button_check_all: Activa-ho tot
787 787 button_uncheck_all: Desactiva-ho tot
788 788 button_delete: Suprimeix
789 789 button_create: Crea
790 790 button_create_and_continue: Crea i continua
791 791 button_test: Test
792 792 button_edit: Edit
793 793 button_add: Afegeix
794 794 button_change: Canvia
795 795 button_apply: Aplica
796 796 button_clear: Neteja
797 797 button_lock: Bloca
798 798 button_unlock: Desbloca
799 799 button_download: Baixa
800 800 button_list: Llista
801 801 button_view: Visualitza
802 802 button_move: Mou
803 803 button_move_and_follow: "Mou i segueix"
804 804 button_back: Enrere
805 805 button_cancel: Cancel·la
806 806 button_activate: Activa
807 807 button_sort: Ordena
808 808 button_log_time: "Registre de temps"
809 809 button_rollback: Torna a aquesta versió
810 810 button_watch: Vigila
811 811 button_unwatch: No vigilis
812 812 button_reply: Resposta
813 813 button_archive: Arxiva
814 814 button_unarchive: Desarxiva
815 815 button_reset: Reinicia
816 816 button_rename: Reanomena
817 817 button_change_password: Canvia la contrasenya
818 818 button_copy: Copia
819 819 button_copy_and_follow: "Copia i segueix"
820 820 button_annotate: Anota
821 821 button_update: Actualitza
822 822 button_configure: Configura
823 823 button_quote: Cita
824 824 button_duplicate: Duplica
825 825 button_show: Mostra
826 826
827 827 status_active: actiu
828 828 status_registered: informat
829 829 status_locked: bloquejat
830 830
831 831 version_status_open: oberta
832 832 version_status_locked: bloquejada
833 833 version_status_closed: tancada
834 834
835 835 field_active: Actiu
836 836
837 837 text_select_mail_notifications: "Seleccioneu les accions per les quals s'hauria d'enviar una notificació per correu electrònic."
838 838 text_regexp_info: ex. ^[A-Z0-9]+$
839 839 text_min_max_length_info: 0 significa sense restricció
840 840 text_project_destroy_confirmation: Segur que voleu suprimir aquest projecte i les dades relacionades?
841 841 text_subprojects_destroy_warning: "També seran suprimits els seus subprojectes: %{value}."
842 842 text_workflow_edit: Seleccioneu un rol i un seguidor per a editar el flux de treball
843 843 text_are_you_sure: Segur?
844 844 text_journal_changed: "%{label} ha canviat de %{old} a %{new}"
845 845 text_journal_set_to: "%{label} s'ha establert a %{value}"
846 846 text_journal_deleted: "%{label} s'ha suprimit (%{old})"
847 847 text_journal_added: "S'ha afegit %{label} %{value}"
848 848 text_tip_issue_begin_day: "tasca que s'inicia aquest dia"
849 849 text_tip_issue_end_day: tasca que finalitza aquest dia
850 850 text_tip_issue_begin_end_day: "tasca que s'inicia i finalitza aquest dia"
851 851 text_project_identifier_info: "Es permeten lletres en minúscules (a-z), números i guions.<br />Un cop desat, l'identificador no es pot modificar."
852 852 text_caracters_maximum: "%{count} caràcters com a màxim."
853 853 text_caracters_minimum: "Com a mínim ha de tenir %{count} caràcters."
854 854 text_length_between: "Longitud entre %{min} i %{max} caràcters."
855 855 text_tracker_no_workflow: "No s'ha definit cap flux de treball per a aquest seguidor"
856 856 text_unallowed_characters: Caràcters no permesos
857 857 text_comma_separated: Es permeten valors múltiples (separats per una coma).
858 858 text_line_separated: "Es permeten diversos valors (una línia per cada valor)."
859 859 text_issues_ref_in_commit_messages: Referència i soluciona els assumptes en els missatges publicats
860 860 text_issue_added: "L'assumpte %{id} ha sigut informat per %{author}."
861 861 text_issue_updated: "L'assumpte %{id} ha sigut actualitzat per %{author}."
862 862 text_wiki_destroy_confirmation: Segur que voleu suprimir aquest wiki i tots els seus continguts?
863 863 text_issue_category_destroy_question: "Alguns assumptes (%{count}) estan assignats a aquesta categoria. Què voleu fer?"
864 864 text_issue_category_destroy_assignments: Suprimeix les assignacions de la categoria
865 865 text_issue_category_reassign_to: Torna a assignar els assumptes a aquesta categoria
866 866 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)."
867 867 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."
868 868 text_load_default_configuration: Carrega la configuració predeterminada
869 869 text_status_changed_by_changeset: "Aplicat en el conjunt de canvis %{value}."
870 870 text_issues_destroy_confirmation: "Segur que voleu suprimir els assumptes seleccionats?"
871 871 text_select_project_modules: "Seleccioneu els mòduls a habilitar per a aquest projecte:"
872 872 text_default_administrator_account_changed: "S'ha canviat el compte d'administrador predeterminat"
873 873 text_file_repository_writable: Es pot escriure en el dipòsit de fitxers
874 874 text_plugin_assets_writable: Es pot escriure als connectors actius
875 875 text_rmagick_available: RMagick disponible (opcional)
876 876 text_destroy_time_entries_question: "S'han informat %{hours} hores en els assumptes que aneu a suprimir. Què voleu fer?"
877 877 text_destroy_time_entries: Suprimeix les hores informades
878 878 text_assign_time_entries_to_project: Assigna les hores informades al projecte
879 879 text_reassign_time_entries: "Torna a assignar les hores informades a aquest assumpte:"
880 880 text_user_wrote: "%{value} va escriure:"
881 881 text_enumeration_destroy_question: "%{count} objectes estan assignats a aquest valor."
882 882 text_enumeration_category_reassign_to: "Torna a assignar-los a aquest valor:"
883 883 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."
884 884 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."
885 885 text_diff_truncated: "... Aquestes diferències s'han trucat perquè excedeixen la mida màxima que es pot mostrar."
886 886 text_custom_field_possible_values_info: "Una línia per a cada valor"
887 887 text_wiki_page_destroy_question: "Aquesta pàgina %{descendants} pàgines fill i descendents. Què voleu fer?"
888 888 text_wiki_page_nullify_children: "Deixa les pàgines fill com a pàgines arrel"
889 889 text_wiki_page_destroy_children: "Suprimeix les pàgines fill i tots els seus descendents"
890 890 text_wiki_page_reassign_children: "Reasigna les pàgines fill a aquesta pàgina pare"
891 891 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?"
892 892 text_zoom_in: Redueix
893 893 text_zoom_out: Amplia
894 894
895 895 default_role_manager: Gestor
896 896 default_role_developer: Desenvolupador
897 897 default_role_reporter: Informador
898 898 default_tracker_bug: Error
899 899 default_tracker_feature: Característica
900 900 default_tracker_support: Suport
901 901 default_issue_status_new: Nou
902 902 default_issue_status_in_progress: In Progress
903 903 default_issue_status_resolved: Resolt
904 904 default_issue_status_feedback: Comentaris
905 905 default_issue_status_closed: Tancat
906 906 default_issue_status_rejected: Rebutjat
907 907 default_doc_category_user: "Documentació d'usuari"
908 908 default_doc_category_tech: Documentació tècnica
909 909 default_priority_low: Baixa
910 910 default_priority_normal: Normal
911 911 default_priority_high: Alta
912 912 default_priority_urgent: Urgent
913 913 default_priority_immediate: Immediata
914 914 default_activity_design: Disseny
915 915 default_activity_development: Desenvolupament
916 916
917 917 enumeration_issue_priorities: Prioritat dels assumptes
918 918 enumeration_doc_categories: Categories del document
919 919 enumeration_activities: Activitats (seguidor de temps)
920 920 enumeration_system_activity: Activitat del sistema
921 921
922 922 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
923 923 text_are_you_sure_with_children: Delete issue and all child issues?
924 924 field_text: Text field
925 925 label_user_mail_option_only_owner: Only for things I am the owner of
926 926 setting_default_notification_option: Default notification option
927 927 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
928 928 label_user_mail_option_only_assigned: Only for things I am assigned to
929 929 label_user_mail_option_none: No events
930 930 field_member_of_group: Assignee's group
931 931 field_assigned_to_role: Assignee's role
932 932 notice_not_authorized_archived_project: The project you're trying to access has been archived.
933 933 label_principal_search: "Search for user or group:"
934 934 label_user_search: "Search for user:"
935 935 field_visible: Visible
936 936 setting_emails_header: Emails header
937 937 setting_commit_logtime_activity_id: Activity for logged time
938 938 text_time_logged_by_changeset: Applied in changeset %{value}.
939 939 setting_commit_logtime_enabled: Enable time logging
940 940 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
941 941 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
942 942 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
943 943 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
944 944 label_my_queries: My custom queries
945 945 text_journal_changed_no_detail: "%{label} updated"
946 946 label_news_comment_added: Comment added to a news
947 947 button_expand_all: Expand all
948 948 button_collapse_all: Collapse all
949 949 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
950 950 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
951 951 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
952 952 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
953 953 label_role_anonymous: Anonymous
954 954 label_role_non_member: Non member
955 955 label_issue_note_added: Note added
956 956 label_issue_status_updated: Status updated
957 957 label_issue_priority_updated: Priority updated
958 958 label_issues_visibility_own: Issues created by or assigned to the user
959 959 field_issues_visibility: Issues visibility
960 960 label_issues_visibility_all: All issues
961 961 permission_set_own_issues_private: Set own issues public or private
962 962 field_is_private: Private
963 963 permission_set_issues_private: Set issues public or private
964 964 label_issues_visibility_public: All non private issues
965 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
@@ -1,965 +1,966
1 1 # Update to 1.1 by Michal Gebauer <mishak@mishak.net>
2 2 # Updated by Josef Liška <jl@chl.cz>
3 3 # CZ translation by Maxim Krušina | Massimo Filippi, s.r.o. | maxim@mxm.cz
4 4 # Based on original CZ translation by Jan Kadleček
5 5 cs:
6 6 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
7 7 direction: ltr
8 8 date:
9 9 formats:
10 10 # Use the strftime parameters for formats.
11 11 # When no format has been given, it uses default.
12 12 # You can provide other formats here if you like!
13 13 default: "%Y-%m-%d"
14 14 short: "%b %d"
15 15 long: "%B %d, %Y"
16 16
17 17 day_names: [Neděle, Pondělí, Úterý, Středa, Čtvrtek, Pátek, Sobota]
18 18 abbr_day_names: [Ne, Po, Út, St, Čt, , So]
19 19
20 20 # Don't forget the nil at the beginning; there's no such thing as a 0th month
21 21 month_names: [~, Leden, Únor, Březen, Duben, Květen, Červen, Červenec, Srpen, Září, Říjen, Listopad, Prosinec]
22 22 abbr_month_names: [~, Led, Úno, Bře, Dub, Kvě, Čer, Čec, Srp, Zář, Říj, Lis, Pro]
23 23 # Used in date_select and datime_select.
24 24 order: [ :year, :month, :day ]
25 25
26 26 time:
27 27 formats:
28 28 default: "%a, %d %b %Y %H:%M:%S %z"
29 29 time: "%H:%M"
30 30 short: "%d %b %H:%M"
31 31 long: "%B %d, %Y %H:%M"
32 32 am: "dop."
33 33 pm: "odp."
34 34
35 35 datetime:
36 36 distance_in_words:
37 37 half_a_minute: "půl minuty"
38 38 less_than_x_seconds:
39 39 one: "méně než sekunda"
40 40 other: "méně než %{count} sekund"
41 41 x_seconds:
42 42 one: "1 sekunda"
43 43 other: "%{count} sekund"
44 44 less_than_x_minutes:
45 45 one: "méně než minuta"
46 46 other: "méně než %{count} minut"
47 47 x_minutes:
48 48 one: "1 minuta"
49 49 other: "%{count} minut"
50 50 about_x_hours:
51 51 one: "asi 1 hodina"
52 52 other: "asi %{count} hodin"
53 53 x_days:
54 54 one: "1 den"
55 55 other: "%{count} dnů"
56 56 about_x_months:
57 57 one: "asi 1 měsíc"
58 58 other: "asi %{count} měsíců"
59 59 x_months:
60 60 one: "1 měsíc"
61 61 other: "%{count} měsíců"
62 62 about_x_years:
63 63 one: "asi 1 rok"
64 64 other: "asi %{count} let"
65 65 over_x_years:
66 66 one: "více než 1 rok"
67 67 other: "více než %{count} roky"
68 68 almost_x_years:
69 69 one: "témeř 1 rok"
70 70 other: "téměř %{count} roky"
71 71
72 72 number:
73 73 # Výchozí formát pro čísla
74 74 format:
75 75 separator: "."
76 76 delimiter: ""
77 77 precision: 3
78 78 human:
79 79 format:
80 80 delimiter: ""
81 81 precision: 1
82 82 storage_units:
83 83 format: "%n %u"
84 84 units:
85 85 byte:
86 86 one: "Bajt"
87 87 other: "Bajtů"
88 88 kb: "kB"
89 89 mb: "MB"
90 90 gb: "GB"
91 91 tb: "TB"
92 92
93 93
94 94 # Used in array.to_sentence.
95 95 support:
96 96 array:
97 97 sentence_connector: "a"
98 98 skip_last_comma: false
99 99
100 100 activerecord:
101 101 errors:
102 102 template:
103 103 header:
104 104 one: "1 chyba zabránila uložení %{model}"
105 105 other: "%{count} chyb zabránilo uložení %{model}"
106 106 messages:
107 107 inclusion: "není zahrnuto v seznamu"
108 108 exclusion: "je rezervováno"
109 109 invalid: "je neplatné"
110 110 confirmation: "se neshoduje s potvrzením"
111 111 accepted: "musí být akceptováno"
112 112 empty: "nemůže být prázdný"
113 113 blank: "nemůže být prázdný"
114 114 too_long: "je příliš dlouhý"
115 115 too_short: "je příliš krátký"
116 116 wrong_length: "má chybnou délku"
117 117 taken: "je již použito"
118 118 not_a_number: "není číslo"
119 119 not_a_date: "není platné datum"
120 120 greater_than: "musí být větší než %{count}"
121 121 greater_than_or_equal_to: "musí být větší nebo rovno %{count}"
122 122 equal_to: "musí být přesně %{count}"
123 123 less_than: "musí být méně než %{count}"
124 124 less_than_or_equal_to: "musí být méně nebo rovno %{count}"
125 125 odd: "musí být liché"
126 126 even: "musí být sudé"
127 127 greater_than_start_date: "musí být větší než počáteční datum"
128 128 not_same_project: "nepatří stejnému projektu"
129 129 circular_dependency: "Tento vztah by vytvořil cyklickou závislost"
130 130 cant_link_an_issue_with_a_descendant: "Úkol nemůže být spojen s jedním z jeho dílčích úkolů"
131 131
132 132 actionview_instancetag_blank_option: Prosím vyberte
133 133
134 134 general_text_No: 'Ne'
135 135 general_text_Yes: 'Ano'
136 136 general_text_no: 'ne'
137 137 general_text_yes: 'ano'
138 138 general_lang_name: 'Čeština'
139 139 general_csv_separator: ','
140 140 general_csv_decimal_separator: '.'
141 141 general_csv_encoding: UTF-8
142 142 general_pdf_encoding: UTF-8
143 143 general_first_day_of_week: '1'
144 144
145 145 notice_account_updated: Účet byl úspěšně změněn.
146 146 notice_account_invalid_creditentials: Chybné jméno nebo heslo
147 147 notice_account_password_updated: Heslo bylo úspěšně změněno.
148 148 notice_account_wrong_password: Chybné heslo
149 149 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.
150 150 notice_account_unknown_email: Neznámý uživatel.
151 151 notice_can_t_change_password: Tento účet používá externí autentifikaci. Zde heslo změnit nemůžete.
152 152 notice_account_lost_email_sent: Byl vám zaslán email s intrukcemi jak si nastavíte nové heslo.
153 153 notice_account_activated: Váš účet byl aktivován. Nyní se můžete přihlásit.
154 154 notice_successful_create: Úspěšně vytvořeno.
155 155 notice_successful_update: Úspěšně aktualizováno.
156 156 notice_successful_delete: Úspěšně odstraněno.
157 157 notice_successful_connection: Úspěšné připojení.
158 158 notice_file_not_found: Stránka na kterou se snažíte zobrazit neexistuje nebo byla smazána.
159 159 notice_locking_conflict: Údaje byly změněny jiným uživatelem.
160 160 notice_not_authorized: Nemáte dostatečná práva pro zobrazení této stránky.
161 161 notice_not_authorized_archived_project: Projekt ke kterému se snažíte přistupovat byl archivován.
162 162 notice_email_sent: "Na adresu %{value} byl odeslán email"
163 163 notice_email_error: "Při odesílání emailu nastala chyba (%{value})"
164 164 notice_feeds_access_key_reseted: Váš klíč pro přístup k RSS byl resetován.
165 165 notice_api_access_key_reseted: Váš API přístupový klíč byl resetován.
166 166 notice_failed_to_save_issues: "Chyba při uložení %{count} úkolu(ů) z %{total} vybraných: %{ids}."
167 167 notice_failed_to_save_members: "Nepodařilo se uložit člena(y): %{errors}."
168 168 notice_no_issue_selected: "Nebyl zvolen žádný úkol. Prosím, zvolte úkoly, které chcete editovat"
169 169 notice_account_pending: "Váš účet byl vytvořen, nyní čeká na schválení administrátorem."
170 170 notice_default_data_loaded: Výchozí konfigurace úspěšně nahrána.
171 171 notice_unable_delete_version: Nemohu odstanit verzi
172 172 notice_unable_delete_time_entry: Nelze smazat čas ze záznamu.
173 173 notice_issue_done_ratios_updated: Koeficienty dokončení úkolu byly aktualizovány.
174 174 notice_gantt_chart_truncated: Graf byl oříznut, počet položek přesáhl limit pro zobrazení (%{max})
175 175
176 176 error_can_t_load_default_data: "Výchozí konfigurace nebyla nahrána: %{value}"
177 177 error_scm_not_found: "Položka a/nebo revize neexistují v repozitáři."
178 178 error_scm_command_failed: "Při pokusu o přístup k repozitáři došlo k chybě: %{value}"
179 179 error_scm_annotate: "Položka neexistuje nebo nemůže být komentována."
180 180 error_issue_not_found_in_project: 'Úkol nebyl nalezen nebo nepatří k tomuto projektu'
181 181 error_no_tracker_in_project: Žádná fronta nebyla přiřazena tomuto projektu. Prosím zkontroluje nastavení projektu.
182 182 error_no_default_issue_status: Není nastaven výchozí stav úkolu. Prosím zkontrolujte nastavení ("Administrace -> Stavy úkolů").
183 183 error_can_not_delete_custom_field: Nelze smazat volitelné pole
184 184 error_can_not_delete_tracker: Tato fronta obsahuje úkoly a nemůže být smazán.
185 185 error_can_not_remove_role: Tato role je právě používaná a nelze ji smazat.
186 186 error_can_not_reopen_issue_on_closed_version: Úkol přiřazený k uzavřené verzi nemůže být znovu otevřen
187 187 error_can_not_archive_project: Tento projekt nemůže být archivován
188 188 error_issue_done_ratios_not_updated: Koeficient dokončení úkolu nebyl aktualizován.
189 189 error_workflow_copy_source: Prosím vyberte zdrojovou frontu nebo roly
190 190 error_workflow_copy_target: Prosím vyberte cílovou frontu(y) a roly(e)
191 191 error_unable_delete_issue_status: Nelze smazat stavy úkolů
192 192 error_unable_to_connect: Nelze se připojit (%{value})
193 193 warning_attachments_not_saved: "%{count} soubor(ů) nebylo možné uložit."
194 194
195 195 mail_subject_lost_password: "Vaše heslo (%{value})"
196 196 mail_body_lost_password: 'Pro změnu vašeho hesla klikněte na následující odkaz:'
197 197 mail_subject_register: "Aktivace účtu (%{value})"
198 198 mail_body_register: 'Pro aktivaci vašeho účtu klikněte na následující odkaz:'
199 199 mail_body_account_information_external: "Pomocí vašeho účtu %{value} se můžete přihlásit."
200 200 mail_body_account_information: Informace o vašem účtu
201 201 mail_subject_account_activation_request: "Aktivace %{value} účtu"
202 202 mail_body_account_activation_request: "Byl zaregistrován nový uživatel %{value}. Aktivace jeho účtu závisí na vašem potvrzení."
203 203 mail_subject_reminder: "%{count} úkol(ů) termín během několik dní (%{days})"
204 204 mail_body_reminder: "%{count} úkol(ů), které máte přiřazeny termín během několik dní (%{days}):"
205 205 mail_subject_wiki_content_added: "'%{id}' Wiki stránka byla přidána"
206 206 mail_body_wiki_content_added: "'%{id}' Wiki stránka byla přidána od %{author}."
207 207 mail_subject_wiki_content_updated: "'%{id}' Wiki stránka byla aktualizována"
208 208 mail_body_wiki_content_updated: "'%{id}' Wiki stránka byla aktualizována od %{author}."
209 209
210 210 gui_validation_error: 1 chyba
211 211 gui_validation_error_plural: "%{count} chyb(y)"
212 212
213 213 field_name: Název
214 214 field_description: Popis
215 215 field_summary: Přehled
216 216 field_is_required: Povinné pole
217 217 field_firstname: Jméno
218 218 field_lastname: Příjmení
219 219 field_mail: Email
220 220 field_filename: Soubor
221 221 field_filesize: Velikost
222 222 field_downloads: Staženo
223 223 field_author: Autor
224 224 field_created_on: Vytvořeno
225 225 field_updated_on: Aktualizováno
226 226 field_field_format: Formát
227 227 field_is_for_all: Pro všechny projekty
228 228 field_possible_values: Možné hodnoty
229 229 field_regexp: Regulární výraz
230 230 field_min_length: Minimální délka
231 231 field_max_length: Maximální délka
232 232 field_value: Hodnota
233 233 field_category: Kategorie
234 234 field_title: Název
235 235 field_project: Projekt
236 236 field_issue: Úkol
237 237 field_status: Stav
238 238 field_notes: Poznámka
239 239 field_is_closed: Úkol uzavřen
240 240 field_is_default: Výchozí stav
241 241 field_tracker: Fronta
242 242 field_subject: Předmět
243 243 field_due_date: Uzavřít do
244 244 field_assigned_to: Přiřazeno
245 245 field_priority: Priorita
246 246 field_fixed_version: Cílová verze
247 247 field_user: Uživatel
248 248 field_principal: Hlavní
249 249 field_role: Role
250 250 field_homepage: Domovská stránka
251 251 field_is_public: Veřejný
252 252 field_parent: Nadřazený projekt
253 253 field_is_in_roadmap: Úkoly zobrazené v plánu
254 254 field_login: Přihlášení
255 255 field_mail_notification: Emailová oznámení
256 256 field_admin: Administrátor
257 257 field_last_login_on: Poslední přihlášení
258 258 field_language: Jazyk
259 259 field_effective_date: Datum
260 260 field_password: Heslo
261 261 field_new_password: Nové heslo
262 262 field_password_confirmation: Potvrzení
263 263 field_version: Verze
264 264 field_type: Typ
265 265 field_host: Host
266 266 field_port: Port
267 267 field_account: Účet
268 268 field_base_dn: Base DN
269 269 field_attr_login: Přihlášení (atribut)
270 270 field_attr_firstname: Jméno (atribut)
271 271 field_attr_lastname: Příjemní (atribut)
272 272 field_attr_mail: Email (atribut)
273 273 field_onthefly: Automatické vytváření uživatelů
274 274 field_start_date: Začátek
275 275 field_done_ratio: % Hotovo
276 276 field_auth_source: Autentifikační mód
277 277 field_hide_mail: Nezobrazovat můj email
278 278 field_comments: Komentář
279 279 field_url: URL
280 280 field_start_page: Výchozí stránka
281 281 field_subproject: Podprojekt
282 282 field_hours: Hodiny
283 283 field_activity: Aktivita
284 284 field_spent_on: Datum
285 285 field_identifier: Identifikátor
286 286 field_is_filter: Použít jako filtr
287 287 field_issue_to: Související úkol
288 288 field_delay: Zpoždění
289 289 field_assignable: Úkoly mohou být přiřazeny této roli
290 290 field_redirect_existing_links: Přesměrovat stvávající odkazy
291 291 field_estimated_hours: Odhadovaná doba
292 292 field_column_names: Sloupce
293 293 field_time_entries: Zaznamenaný čas
294 294 field_time_zone: Časové pásmo
295 295 field_searchable: Umožnit vyhledávání
296 296 field_default_value: Výchozí hodnota
297 297 field_comments_sorting: Zobrazit komentáře
298 298 field_parent_title: Rodičovská stránka
299 299 field_editable: Editovatelný
300 300 field_watcher: Sleduje
301 301 field_identity_url: OpenID URL
302 302 field_content: Obsah
303 303 field_group_by: Seskupovat výsledky podle
304 304 field_sharing: Sdílení
305 305 field_parent_issue: Rodičovský úkol
306 306 field_member_of_group: Skupina přiřaditele
307 307 field_assigned_to_role: Role přiřaditele
308 308 field_text: Textové pole
309 309 field_visible: Viditelný
310 310
311 311 setting_app_title: Název aplikace
312 312 setting_app_subtitle: Podtitulek aplikace
313 313 setting_welcome_text: Uvítací text
314 314 setting_default_language: Výchozí jazyk
315 315 setting_login_required: Autentifikace vyžadována
316 316 setting_self_registration: Povolena automatická registrace
317 317 setting_attachment_max_size: Maximální velikost přílohy
318 318 setting_issues_export_limit: Limit pro export úkolů
319 319 setting_mail_from: Odesílat emaily z adresy
320 320 setting_bcc_recipients: Příjemci skryté kopie (bcc)
321 321 setting_plain_text_mail: pouze prostý text (ne HTML)
322 322 setting_host_name: Jméno serveru
323 323 setting_text_formatting: Formátování textu
324 324 setting_wiki_compression: Komprese historie Wiki
325 325 setting_feeds_limit: Limit obsahu příspěvků
326 326 setting_default_projects_public: Nové projekty nastavovat jako veřejné
327 327 setting_autofetch_changesets: Automaticky stahovat commity
328 328 setting_sys_api_enabled: Povolit WS pro správu repozitory
329 329 setting_commit_ref_keywords: Klíčová slova pro odkazy
330 330 setting_commit_fix_keywords: Klíčová slova pro uzavření
331 331 setting_autologin: Automatické přihlašování
332 332 setting_date_format: Formát data
333 333 setting_time_format: Formát času
334 334 setting_cross_project_issue_relations: Povolit vazby úkolů napříč projekty
335 335 setting_issue_list_default_columns: Výchozí sloupce zobrazené v seznamu úkolů
336 336 setting_repositories_encodings: Kódování
337 337 setting_commit_logs_encoding: Kódování zpráv při commitu
338 338 setting_emails_header: Hlavička emailů
339 339 setting_emails_footer: Patička emailů
340 340 setting_protocol: Protokol
341 341 setting_per_page_options: Povolené počty řádků na stránce
342 342 setting_user_format: Formát zobrazení uživatele
343 343 setting_activity_days_default: Dny zobrazené v činnosti projektu
344 344 setting_display_subprojects_issues: Automaticky zobrazit úkoly podprojektu v hlavním projektu
345 345 setting_enabled_scm: Povolené SCM
346 346 setting_mail_handler_body_delimiters: Zkrátit e-maily po jednom z těchto řádků
347 347 setting_mail_handler_api_enabled: Povolit WS pro příchozí e-maily
348 348 setting_mail_handler_api_key: API klíč
349 349 setting_sequential_project_identifiers: Generovat sekvenční identifikátory projektů
350 350 setting_gravatar_enabled: Použít uživatelské ikony Gravatar
351 351 setting_gravatar_default: Výchozí Gravatar
352 352 setting_diff_max_lines_displayed: Maximální počet zobrazenách řádků rozdílů
353 353 setting_file_max_size_displayed: Maximální velikost textových souborů zobrazených přímo na stránce
354 354 setting_repository_log_display_limit: Maximální počet revizí zobrazených v logu souboru
355 355 setting_openid: Umožnit přihlašování a registrace s OpenID
356 356 setting_password_min_length: Minimální délka hesla
357 357 setting_new_project_user_role_id: Role přiřazená uživateli bez práv administrátora, který projekt vytvořil
358 358 setting_default_projects_modules: Výchozí zapnutné moduly pro nový projekt
359 359 setting_issue_done_ratio: Spočítat koeficient dokončení úkolu s
360 360 setting_issue_done_ratio_issue_field: Použít pole úkolu
361 361 setting_issue_done_ratio_issue_status: Použít stav úkolu
362 362 setting_start_of_week: Začínat kalendáře
363 363 setting_rest_api_enabled: Zapnout službu REST
364 364 setting_cache_formatted_text: Ukládat formátovaný text do vyrovnávací paměti
365 365 setting_default_notification_option: Výchozí nastavení oznámení
366 366 setting_commit_logtime_enabled: Povolit zapisování času
367 367 setting_commit_logtime_activity_id: Aktivita pro zapsaný čas
368 368 setting_gantt_items_limit: Maximální počet položek zobrazený na ganttově grafu
369 369
370 370 permission_add_project: Vytvořit projekt
371 371 permission_add_subprojects: Vytvořit podprojekty
372 372 permission_edit_project: Úprava projektů
373 373 permission_select_project_modules: Výběr modulů projektu
374 374 permission_manage_members: Spravování členství
375 375 permission_manage_project_activities: Spravovat aktivity projektu
376 376 permission_manage_versions: Spravování verzí
377 377 permission_manage_categories: Spravování kategorií úkolů
378 378 permission_view_issues: Zobrazit úkoly
379 379 permission_add_issues: Přidávání úkolů
380 380 permission_edit_issues: Upravování úkolů
381 381 permission_manage_issue_relations: Spravování vztahů mezi úkoly
382 382 permission_add_issue_notes: Přidávání poznámek
383 383 permission_edit_issue_notes: Upravování poznámek
384 384 permission_edit_own_issue_notes: Upravování vlastních poznámek
385 385 permission_move_issues: Přesouvání úkolů
386 386 permission_delete_issues: Mazání úkolů
387 387 permission_manage_public_queries: Správa veřejných dotazů
388 388 permission_save_queries: Ukládání dotazů
389 389 permission_view_gantt: Zobrazené Ganttova diagramu
390 390 permission_view_calendar: Prohlížení kalendáře
391 391 permission_view_issue_watchers: Zobrazení seznamu sledujícíh uživatelů
392 392 permission_add_issue_watchers: Přidání sledujících uživatelů
393 393 permission_delete_issue_watchers: Smazat přihlížející
394 394 permission_log_time: Zaznamenávání stráveného času
395 395 permission_view_time_entries: Zobrazení stráveného času
396 396 permission_edit_time_entries: Upravování záznamů o stráveném času
397 397 permission_edit_own_time_entries: Upravování vlastních zázamů o stráveném čase
398 398 permission_manage_news: Spravování novinek
399 399 permission_comment_news: Komentování novinek
400 400 permission_manage_documents: Správa dokumentů
401 401 permission_view_documents: Prohlížení dokumentů
402 402 permission_manage_files: Spravování souborů
403 403 permission_view_files: Prohlížení souborů
404 404 permission_manage_wiki: Spravování Wiki
405 405 permission_rename_wiki_pages: Přejmenovávání Wiki stránek
406 406 permission_delete_wiki_pages: Mazání stránek na Wiki
407 407 permission_view_wiki_pages: Prohlížení Wiki
408 408 permission_view_wiki_edits: Prohlížení historie Wiki
409 409 permission_edit_wiki_pages: Upravování stránek Wiki
410 410 permission_delete_wiki_pages_attachments: Mazání příloh
411 411 permission_protect_wiki_pages: Zabezpečení Wiki stránek
412 412 permission_manage_repository: Spravování repozitáře
413 413 permission_browse_repository: Procházení repozitáře
414 414 permission_view_changesets: Zobrazování sady změn
415 415 permission_commit_access: Commit přístup
416 416 permission_manage_boards: Správa diskusních fór
417 417 permission_view_messages: Prohlížení zpráv
418 418 permission_add_messages: Posílání zpráv
419 419 permission_edit_messages: Upravování zpráv
420 420 permission_edit_own_messages: Upravit vlastní zprávy
421 421 permission_delete_messages: Mazání zpráv
422 422 permission_delete_own_messages: Smazat vlastní zprávy
423 423 permission_export_wiki_pages: Exportovat Wiki stránky
424 424 permission_manage_subtasks: Spravovat podúkoly
425 425
426 426 project_module_issue_tracking: Sledování úkolů
427 427 project_module_time_tracking: Sledování času
428 428 project_module_news: Novinky
429 429 project_module_documents: Dokumenty
430 430 project_module_files: Soubory
431 431 project_module_wiki: Wiki
432 432 project_module_repository: Repozitář
433 433 project_module_boards: Diskuse
434 434 project_module_calendar: Kalendář
435 435 project_module_gantt: Gantt
436 436
437 437 label_user: Uživatel
438 438 label_user_plural: Uživatelé
439 439 label_user_new: Nový uživatel
440 440 label_user_anonymous: Anonymní
441 441 label_project: Projekt
442 442 label_project_new: Nový projekt
443 443 label_project_plural: Projekty
444 444 label_x_projects:
445 445 zero: žádné projekty
446 446 one: 1 projekt
447 447 other: "%{count} projekty(ů)"
448 448 label_project_all: Všechny projekty
449 449 label_project_latest: Poslední projekty
450 450 label_issue: Úkol
451 451 label_issue_new: Nový úkol
452 452 label_issue_plural: Úkoly
453 453 label_issue_view_all: Všechny úkoly
454 454 label_issues_by: "Úkoly podle %{value}"
455 455 label_issue_added: Úkol přidán
456 456 label_issue_updated: Úkol aktualizován
457 457 label_document: Dokument
458 458 label_document_new: Nový dokument
459 459 label_document_plural: Dokumenty
460 460 label_document_added: Dokument přidán
461 461 label_role: Role
462 462 label_role_plural: Role
463 463 label_role_new: Nová role
464 464 label_role_and_permissions: Role a práva
465 465 label_member: Člen
466 466 label_member_new: Nový člen
467 467 label_member_plural: Členové
468 468 label_tracker: Fronta
469 469 label_tracker_plural: Fronty
470 470 label_tracker_new: Nová fronta
471 471 label_workflow: Průběh práce
472 472 label_issue_status: Stav úkolu
473 473 label_issue_status_plural: Stavy úkolů
474 474 label_issue_status_new: Nový stav
475 475 label_issue_category: Kategorie úkolu
476 476 label_issue_category_plural: Kategorie úkolů
477 477 label_issue_category_new: Nová kategorie
478 478 label_custom_field: Uživatelské pole
479 479 label_custom_field_plural: Uživatelská pole
480 480 label_custom_field_new: Nové uživatelské pole
481 481 label_enumerations: Seznamy
482 482 label_enumeration_new: Nová hodnota
483 483 label_information: Informace
484 484 label_information_plural: Informace
485 485 label_please_login: Prosím přihlašte se
486 486 label_register: Registrovat
487 487 label_login_with_open_id_option: nebo se přihlašte s OpenID
488 488 label_password_lost: Zapomenuté heslo
489 489 label_home: Úvodní
490 490 label_my_page: Moje stránka
491 491 label_my_account: Můj účet
492 492 label_my_projects: Moje projekty
493 493 label_my_page_block: Bloky na mé stránce
494 494 label_administration: Administrace
495 495 label_login: Přihlášení
496 496 label_logout: Odhlášení
497 497 label_help: Nápověda
498 498 label_reported_issues: Nahlášené úkoly
499 499 label_assigned_to_me_issues: Mé úkoly
500 500 label_last_login: Poslední přihlášení
501 501 label_registered_on: Registrován
502 502 label_activity: Aktivita
503 503 label_overall_activity: Celková aktivita
504 504 label_user_activity: "Aktivita uživatele: %{value}"
505 505 label_new: Nový
506 506 label_logged_as: Přihlášen jako
507 507 label_environment: Prostředí
508 508 label_authentication: Autentifikace
509 509 label_auth_source: Mód autentifikace
510 510 label_auth_source_new: Nový mód autentifikace
511 511 label_auth_source_plural: Módy autentifikace
512 512 label_subproject_plural: Podprojekty
513 513 label_subproject_new: Nový podprojekt
514 514 label_and_its_subprojects: "%{value} a jeho podprojekty"
515 515 label_min_max_length: Min - Max délka
516 516 label_list: Seznam
517 517 label_date: Datum
518 518 label_integer: Celé číslo
519 519 label_float: Desetinné číslo
520 520 label_boolean: Ano/Ne
521 521 label_string: Text
522 522 label_text: Dlouhý text
523 523 label_attribute: Atribut
524 524 label_attribute_plural: Atributy
525 525 label_download: "%{count} stažení"
526 526 label_download_plural: "%{count} stažení"
527 527 label_no_data: Žádné položky
528 528 label_change_status: Změnit stav
529 529 label_history: Historie
530 530 label_attachment: Soubor
531 531 label_attachment_new: Nový soubor
532 532 label_attachment_delete: Odstranit soubor
533 533 label_attachment_plural: Soubory
534 534 label_file_added: Soubor přidán
535 535 label_report: Přehled
536 536 label_report_plural: Přehledy
537 537 label_news: Novinky
538 538 label_news_new: Přidat novinku
539 539 label_news_plural: Novinky
540 540 label_news_latest: Poslední novinky
541 541 label_news_view_all: Zobrazit všechny novinky
542 542 label_news_added: Novinka přidána
543 543 label_settings: Nastavení
544 544 label_overview: Přehled
545 545 label_version: Verze
546 546 label_version_new: Nová verze
547 547 label_version_plural: Verze
548 548 label_close_versions: Zavřít dokončené verze
549 549 label_confirmation: Potvrzení
550 550 label_export_to: 'Také k dispozici:'
551 551 label_read: Načítá se...
552 552 label_public_projects: Veřejné projekty
553 553 label_open_issues: otevřený
554 554 label_open_issues_plural: otevřené
555 555 label_closed_issues: uzavřený
556 556 label_closed_issues_plural: uzavřené
557 557 label_x_open_issues_abbr_on_total:
558 558 zero: 0 otevřených / %{total}
559 559 one: 1 otevřený / %{total}
560 560 other: "%{count} otevřených / %{total}"
561 561 label_x_open_issues_abbr:
562 562 zero: 0 otevřených
563 563 one: 1 otevřený
564 564 other: "%{count} otevřených"
565 565 label_x_closed_issues_abbr:
566 566 zero: 0 uzavřených
567 567 one: 1 uzavřený
568 568 other: "%{count} uzavřených"
569 569 label_total: Celkem
570 570 label_permissions: Práva
571 571 label_current_status: Aktuální stav
572 572 label_new_statuses_allowed: Nové povolené stavy
573 573 label_all: vše
574 574 label_none: nic
575 575 label_nobody: nikdo
576 576 label_next: Další
577 577 label_previous: Předchozí
578 578 label_used_by: Použito
579 579 label_details: Detaily
580 580 label_add_note: Přidat poznámku
581 581 label_per_page: Na stránku
582 582 label_calendar: Kalendář
583 583 label_months_from: měsíců od
584 584 label_gantt: Ganttův graf
585 585 label_internal: Interní
586 586 label_last_changes: "posledních %{count} změn"
587 587 label_change_view_all: Zobrazit všechny změny
588 588 label_personalize_page: Přizpůsobit tuto stránku
589 589 label_comment: Komentář
590 590 label_comment_plural: Komentáře
591 591 label_x_comments:
592 592 zero: žádné komentáře
593 593 one: 1 komentář
594 594 other: "%{count} komentářů"
595 595 label_comment_add: Přidat komentáře
596 596 label_comment_added: Komentář přidán
597 597 label_comment_delete: Odstranit komentář
598 598 label_query: Uživatelský dotaz
599 599 label_query_plural: Uživatelské dotazy
600 600 label_query_new: Nový dotaz
601 601 label_filter_add: Přidat filtr
602 602 label_filter_plural: Filtry
603 603 label_equals: je
604 604 label_not_equals: není
605 605 label_in_less_than: je měší než
606 606 label_in_more_than: je větší než
607 607 label_greater_or_equal: '>='
608 608 label_less_or_equal: '<='
609 609 label_in: v
610 610 label_today: dnes
611 611 label_all_time: vše
612 612 label_yesterday: včera
613 613 label_this_week: tento týden
614 614 label_last_week: minulý týden
615 615 label_last_n_days: "posledních %{count} dnů"
616 616 label_this_month: tento měsíc
617 617 label_last_month: minulý měsíc
618 618 label_this_year: tento rok
619 619 label_date_range: Časový rozsah
620 620 label_less_than_ago: před méně jak (dny)
621 621 label_more_than_ago: před více jak (dny)
622 622 label_ago: před (dny)
623 623 label_contains: obsahuje
624 624 label_not_contains: neobsahuje
625 625 label_day_plural: dny
626 626 label_repository: Repozitář
627 627 label_repository_plural: Repozitáře
628 628 label_browse: Procházet
629 629 label_modification: "%{count} změna"
630 630 label_modification_plural: "%{count} změn"
631 631 label_branch: Větev
632 632 label_tag: Tag
633 633 label_revision: Revize
634 634 label_revision_plural: Revizí
635 635 label_revision_id: "Revize %{value}"
636 636 label_associated_revisions: Související verze
637 637 label_added: přidáno
638 638 label_modified: změněno
639 639 label_copied: zkopírováno
640 640 label_renamed: přejmenováno
641 641 label_deleted: odstraněno
642 642 label_latest_revision: Poslední revize
643 643 label_latest_revision_plural: Poslední revize
644 644 label_view_revisions: Zobrazit revize
645 645 label_view_all_revisions: Zobrazit všechny revize
646 646 label_max_size: Maximální velikost
647 647 label_sort_highest: Přesunout na začátek
648 648 label_sort_higher: Přesunout nahoru
649 649 label_sort_lower: Přesunout dolů
650 650 label_sort_lowest: Přesunout na konec
651 651 label_roadmap: Plán
652 652 label_roadmap_due_in: "Zbývá %{value}"
653 653 label_roadmap_overdue: "%{value} pozdě"
654 654 label_roadmap_no_issues: Pro tuto verzi nejsou žádné úkoly
655 655 label_search: Hledat
656 656 label_result_plural: Výsledky
657 657 label_all_words: Všechna slova
658 658 label_wiki: Wiki
659 659 label_wiki_edit: Wiki úprava
660 660 label_wiki_edit_plural: Wiki úpravy
661 661 label_wiki_page: Wiki stránka
662 662 label_wiki_page_plural: Wiki stránky
663 663 label_index_by_title: Index dle názvu
664 664 label_index_by_date: Index dle data
665 665 label_current_version: Aktuální verze
666 666 label_preview: Náhled
667 667 label_feed_plural: Příspěvky
668 668 label_changes_details: Detail všech změn
669 669 label_issue_tracking: Sledování úkolů
670 670 label_spent_time: Strávený čas
671 671 label_overall_spent_time: Celkem strávený čas
672 672 label_f_hour: "%{value} hodina"
673 673 label_f_hour_plural: "%{value} hodin"
674 674 label_time_tracking: Sledování času
675 675 label_change_plural: Změny
676 676 label_statistics: Statistiky
677 677 label_commits_per_month: Commitů za měsíc
678 678 label_commits_per_author: Commitů za autora
679 679 label_view_diff: Zobrazit rozdíly
680 680 label_diff_inline: uvnitř
681 681 label_diff_side_by_side: vedle sebe
682 682 label_options: Nastavení
683 683 label_copy_workflow_from: Kopírovat průběh práce z
684 684 label_permissions_report: Přehled práv
685 685 label_watched_issues: Sledované úkoly
686 686 label_related_issues: Související úkoly
687 687 label_applied_status: Použitý stav
688 688 label_loading: Nahrávám...
689 689 label_relation_new: Nová souvislost
690 690 label_relation_delete: Odstranit souvislost
691 691 label_relates_to: související s
692 692 label_duplicates: duplikuje
693 693 label_duplicated_by: zduplikován
694 694 label_blocks: blokuje
695 695 label_blocked_by: zablokován
696 696 label_precedes: předchází
697 697 label_follows: následuje
698 698 label_end_to_start: od konce do začátku
699 699 label_end_to_end: od konce do konce
700 700 label_start_to_start: od začátku do začátku
701 701 label_start_to_end: od začátku do konce
702 702 label_stay_logged_in: Zůstat přihlášený
703 703 label_disabled: zakázán
704 704 label_show_completed_versions: Ukázat dokončené verze
705 705 label_me:
706 706 label_board: Fórum
707 707 label_board_new: Nové fórum
708 708 label_board_plural: Fóra
709 709 label_board_locked: Uzamčeno
710 710 label_board_sticky: Nálepka
711 711 label_topic_plural: Témata
712 712 label_message_plural: Zprávy
713 713 label_message_last: Poslední zpráva
714 714 label_message_new: Nová zpráva
715 715 label_message_posted: Zpráva přidána
716 716 label_reply_plural: Odpovědi
717 717 label_send_information: Zaslat informace o účtu uživateli
718 718 label_year: Rok
719 719 label_month: Měsíc
720 720 label_week: Týden
721 721 label_date_from: Od
722 722 label_date_to: Do
723 723 label_language_based: Podle výchozího jazyku
724 724 label_sort_by: "Seřadit podle %{value}"
725 725 label_send_test_email: Poslat testovací email
726 726 label_feeds_access_key: Přístupový klíč pro RSS
727 727 label_missing_feeds_access_key: Postrádá přístupový klíč pro RSS
728 728 label_feeds_access_key_created_on: "Přístupový klíč pro RSS byl vytvořen před %{value}"
729 729 label_module_plural: Moduly
730 730 label_added_time_by: "Přidáno uživatelem %{author} před %{age}"
731 731 label_updated_time_by: "Aktualizováno uživatelem %{author} před %{age}"
732 732 label_updated_time: "Aktualizováno před %{value}"
733 733 label_jump_to_a_project: Vyberte projekt...
734 734 label_file_plural: Soubory
735 735 label_changeset_plural: Changesety
736 736 label_default_columns: Výchozí sloupce
737 737 label_no_change_option: (beze změny)
738 738 label_bulk_edit_selected_issues: Hromadná úprava vybraných úkolů
739 739 label_theme: Téma
740 740 label_default: Výchozí
741 741 label_search_titles_only: Vyhledávat pouze v názvech
742 742 label_user_mail_option_all: "Pro všechny události všech mých projektů"
743 743 label_user_mail_option_selected: "Pro všechny události vybraných projektů..."
744 744 label_user_mail_option_none: "Žádné události"
745 745 label_user_mail_option_only_my_events: "Jen pro věci co sleduji nebo jsem v nich zapojen"
746 746 label_user_mail_option_only_assigned: "Jen pro všeci kterým sem přiřazen"
747 747 label_user_mail_option_only_owner: "Jen pro věci které vlastním"
748 748 label_user_mail_no_self_notified: "Nezasílat informace o mnou vytvořených změnách"
749 749 label_registration_activation_by_email: aktivace účtu emailem
750 750 label_registration_manual_activation: manuální aktivace účtu
751 751 label_registration_automatic_activation: automatická aktivace účtu
752 752 label_display_per_page: "%{value} na stránku"
753 753 label_age: Věk
754 754 label_change_properties: Změnit vlastnosti
755 755 label_general: Obecné
756 756 label_more: Více
757 757 label_scm: SCM
758 758 label_plugins: Doplňky
759 759 label_ldap_authentication: Autentifikace LDAP
760 760 label_downloads_abbr: Staž.
761 761 label_optional_description: Volitelný popis
762 762 label_add_another_file: Přidat další soubor
763 763 label_preferences: Nastavení
764 764 label_chronological_order: V chronologickém pořadí
765 765 label_reverse_chronological_order: V obrácaném chronologickém pořadí
766 766 label_planning: Plánování
767 767 label_incoming_emails: Příchozí e-maily
768 768 label_generate_key: Generovat klíč
769 769 label_issue_watchers: Sledování
770 770 label_example: Příklad
771 771 label_display: Zobrazit
772 772 label_sort: Řazení
773 773 label_ascending: Vzestupně
774 774 label_descending: Sestupně
775 775 label_date_from_to: Od %{start} do %{end}
776 776 label_wiki_content_added: Wiki stránka přidána
777 777 label_wiki_content_updated: Wiki stránka aktualizována
778 778 label_group: Skupina
779 779 label_group_plural: Skupiny
780 780 label_group_new: Nová skupina
781 781 label_time_entry_plural: Strávený čas
782 782 label_version_sharing_none: Nesdíleno
783 783 label_version_sharing_descendants: S podprojekty
784 784 label_version_sharing_hierarchy: S hierarchií projektu
785 785 label_version_sharing_tree: Se stromem projektu
786 786 label_version_sharing_system: Se všemi projekty
787 787 label_update_issue_done_ratios: Aktualizovat koeficienty dokončení úkolů
788 788 label_copy_source: Zdroj
789 789 label_copy_target: Cíl
790 790 label_copy_same_as_target: Stejný jako cíl
791 791 label_display_used_statuses_only: Zobrazit pouze stavy které jsou použité touto frontou
792 792 label_api_access_key: API přístupový klíč
793 793 label_missing_api_access_key: Chybějící přístupový klíč API
794 794 label_api_access_key_created_on: API přístupový klíč vytvořen %{value}
795 795 label_profile: Profil
796 796 label_subtask_plural: Podúkol
797 797 label_project_copy_notifications: Odeslat email oznámení v průběhu kopie projektu
798 798 label_principal_search: "Hledat uživatele nebo skupinu:"
799 799 label_user_search: "Hledat uživatele:"
800 800
801 801 button_login: Přihlásit
802 802 button_submit: Potvrdit
803 803 button_save: Uložit
804 804 button_check_all: Zašrtnout vše
805 805 button_uncheck_all: Odšrtnout vše
806 806 button_delete: Odstranit
807 807 button_create: Vytvořit
808 808 button_create_and_continue: Vytvořit a pokračovat
809 809 button_test: Testovat
810 810 button_edit: Upravit
811 811 button_edit_associated_wikipage: "Upravit přiřazenou Wiki stránku: %{page_title}"
812 812 button_add: Přidat
813 813 button_change: Změnit
814 814 button_apply: Použít
815 815 button_clear: Smazat
816 816 button_lock: Zamknout
817 817 button_unlock: Odemknout
818 818 button_download: Stáhnout
819 819 button_list: Vypsat
820 820 button_view: Zobrazit
821 821 button_move: Přesunout
822 822 button_move_and_follow: Přesunout a následovat
823 823 button_back: Zpět
824 824 button_cancel: Storno
825 825 button_activate: Aktivovat
826 826 button_sort: Seřadit
827 827 button_log_time: Přidat čas
828 828 button_rollback: Zpět k této verzi
829 829 button_watch: Sledovat
830 830 button_unwatch: Nesledovat
831 831 button_reply: Odpovědět
832 832 button_archive: Archivovat
833 833 button_unarchive: Odarchivovat
834 834 button_reset: Resetovat
835 835 button_rename: Přejmenovat
836 836 button_change_password: Změnit heslo
837 837 button_copy: Kopírovat
838 838 button_copy_and_follow: Kopírovat a následovat
839 839 button_annotate: Komentovat
840 840 button_update: Aktualizovat
841 841 button_configure: Konfigurovat
842 842 button_quote: Citovat
843 843 button_duplicate: Duplikát
844 844 button_show: Zobrazit
845 845
846 846 status_active: aktivní
847 847 status_registered: registrovaný
848 848 status_locked: uzamčený
849 849
850 850 version_status_open: otevřený
851 851 version_status_locked: uzamčený
852 852 version_status_closed: zavřený
853 853
854 854 field_active: Aktivní
855 855
856 856 text_select_mail_notifications: Vyberte akci při které bude zasláno upozornění emailem.
857 857 text_regexp_info: např. ^[A-Z0-9]+$
858 858 text_min_max_length_info: 0 znamená bez limitu
859 859 text_project_destroy_confirmation: Jste si jisti, že chcete odstranit tento projekt a všechna související data ?
860 860 text_subprojects_destroy_warning: "Jeho podprojek(y): %{value} budou také smazány."
861 861 text_workflow_edit: Vyberte roli a frontu k editaci průběhu práce
862 862 text_are_you_sure: Jste si jisti?
863 863 text_are_you_sure_with_children: Smazat úkol včetně všech podúkolů?
864 864 text_journal_changed: "%{label} změněn z %{old} na %{new}"
865 865 text_journal_set_to: "%{label} nastaven na %{value}"
866 866 text_journal_deleted: "%{label} smazán (%{old})"
867 867 text_journal_added: "%{label} %{value} přidán"
868 868 text_tip_issue_begin_day: úkol začíná v tento den
869 869 text_tip_issue_end_day: úkol končí v tento den
870 870 text_tip_issue_begin_end_day: úkol začíná a končí v tento den
871 871 text_project_identifier_info: 'Jsou povolena malá písmena (a-z), čísla a pomlčky.<br />Po uložení již není možné identifikátor změnit.'
872 872 text_caracters_maximum: "%{count} znaků maximálně."
873 873 text_caracters_minimum: "Musí být alespoň %{count} znaků dlouhé."
874 874 text_length_between: "Délka mezi %{min} a %{max} znaky."
875 875 text_tracker_no_workflow: Pro tuto frontu není definován žádný průběh práce
876 876 text_unallowed_characters: Nepovolené znaky
877 877 text_comma_separated: Povoleno více hodnot (oddělěné čárkou).
878 878 text_line_separated: Více hodnot povoleno (jeden řádek pro každou hodnotu).
879 879 text_issues_ref_in_commit_messages: Odkazování a opravování úkolů ve zprávách commitů
880 880 text_issue_added: "Úkol %{id} byl vytvořen uživatelem %{author}."
881 881 text_issue_updated: "Úkol %{id} byl aktualizován uživatelem %{author}."
882 882 text_wiki_destroy_confirmation: Opravdu si přejete odstranit tuto Wiki a celý její obsah?
883 883 text_issue_category_destroy_question: "Některé úkoly (%{count}) jsou přiřazeny k této kategorii. Co s nimi chtete udělat?"
884 884 text_issue_category_destroy_assignments: Zrušit přiřazení ke kategorii
885 885 text_issue_category_reassign_to: Přiřadit úkoly do této kategorie
886 886 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))."
887 887 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"
888 888 text_load_default_configuration: Nahrát výchozí konfiguraci
889 889 text_status_changed_by_changeset: "Použito v changesetu %{value}."
890 890 text_time_logged_by_changeset: Aplikováno v changesetu %{value}.
891 891 text_issues_destroy_confirmation: 'Opravdu si přejete odstranit všechny zvolené úkoly?'
892 892 text_select_project_modules: 'Aktivní moduly v tomto projektu:'
893 893 text_default_administrator_account_changed: Výchozí nastavení administrátorského účtu změněno
894 894 text_file_repository_writable: Povolen zápis do adresáře ukládání souborů
895 895 text_plugin_assets_writable: Možnost zápisu do adresáře plugin assets
896 896 text_rmagick_available: RMagick k dispozici (volitelné)
897 897 text_destroy_time_entries_question: "U úkolů, které chcete odstranit je evidováno %{hours} práce. Co chete udělat?"
898 898 text_destroy_time_entries: Odstranit evidované hodiny.
899 899 text_assign_time_entries_to_project: Přiřadit evidované hodiny projektu
900 900 text_reassign_time_entries: 'Přeřadit evidované hodiny k tomuto úkolu:'
901 901 text_user_wrote: "%{value} napsal:"
902 902 text_enumeration_destroy_question: "Několik (%{count}) objektů je přiřazeno k této hodnotě."
903 903 text_enumeration_category_reassign_to: 'Přeřadit je do této:'
904 904 text_email_delivery_not_configured: "Doručování e-mailů není nastaveno a odesílání notifikací je zakázáno.\nNastavte Váš SMTP server v souboru config/email.yml a restartujte aplikaci."
905 905 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."
906 906 text_diff_truncated: '... Rozdílový soubor je zkrácen, protože jeho délka přesahuje max. limit.'
907 907 text_custom_field_possible_values_info: 'Každá hodnota na novém řádku'
908 908 text_wiki_page_destroy_question: Tato stránka má %{descendants} podstránek a potomků. Co chcete udělat?
909 909 text_wiki_page_nullify_children: Ponechat podstránky jako kořenové stránky
910 910 text_wiki_page_destroy_children: Smazat podstránky a všechny jejich potomky
911 911 text_wiki_page_reassign_children: Přiřadit podstránky k tomuto rodiči
912 912 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?"
913 913 text_zoom_in: Přiblížit
914 914 text_zoom_out: Oddálit
915 915
916 916 default_role_manager: Manažer
917 917 default_role_developer: Vývojář
918 918 default_role_reporter: Reportér
919 919 default_tracker_bug: Chyba
920 920 default_tracker_feature: Požadavek
921 921 default_tracker_support: Podpora
922 922 default_issue_status_new: Nový
923 923 default_issue_status_in_progress: Ve vývoji
924 924 default_issue_status_resolved: Vyřešený
925 925 default_issue_status_feedback: Čeká se
926 926 default_issue_status_closed: Uzavřený
927 927 default_issue_status_rejected: Odmítnutý
928 928 default_doc_category_user: Uživatelská dokumentace
929 929 default_doc_category_tech: Technická dokumentace
930 930 default_priority_low: Nízká
931 931 default_priority_normal: Normální
932 932 default_priority_high: Vysoká
933 933 default_priority_urgent: Urgentní
934 934 default_priority_immediate: Okamžitá
935 935 default_activity_design: Návhr
936 936 default_activity_development: Vývoj
937 937
938 938 enumeration_issue_priorities: Priority úkolů
939 939 enumeration_doc_categories: Kategorie dokumentů
940 940 enumeration_activities: Aktivity (sledování času)
941 941 enumeration_system_activity: Systémová aktivita
942 942
943 943 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
944 944 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
945 945 label_my_queries: My custom queries
946 946 text_journal_changed_no_detail: "%{label} updated"
947 947 label_news_comment_added: Comment added to a news
948 948 button_expand_all: Expand all
949 949 button_collapse_all: Collapse all
950 950 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
951 951 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
952 952 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
953 953 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
954 954 label_role_anonymous: Anonymous
955 955 label_role_non_member: Non member
956 956 label_issue_note_added: Note added
957 957 label_issue_status_updated: Status updated
958 958 label_issue_priority_updated: Priority updated
959 959 label_issues_visibility_own: Issues created by or assigned to the user
960 960 field_issues_visibility: Issues visibility
961 961 label_issues_visibility_all: All issues
962 962 permission_set_own_issues_private: Set own issues public or private
963 963 field_is_private: Private
964 964 permission_set_issues_private: Set issues public or private
965 965 label_issues_visibility_public: All non private issues
966 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
@@ -1,977 +1,978
1 1 # Danish translation file for standard Ruby on Rails internationalization
2 2 # by Lars Hoeg (http://www.lenio.dk/)
3 3 # updated and upgraded to 0.9 by Morten Krogh Andersen (http://www.krogh.net)
4 4
5 5 da:
6 6 direction: ltr
7 7 date:
8 8 formats:
9 9 default: "%d.%m.%Y"
10 10 short: "%e. %b %Y"
11 11 long: "%e. %B %Y"
12 12
13 13 day_names: [søndag, mandag, tirsdag, onsdag, torsdag, fredag, lørdag]
14 14 abbr_day_names: [, ma, ti, 'on', to, fr, ]
15 15 month_names: [~, januar, februar, marts, april, maj, juni, juli, august, september, oktober, november, december]
16 16 abbr_month_names: [~, jan, feb, mar, apr, maj, jun, jul, aug, sep, okt, nov, dec]
17 17 order: [ :day, :month, :year ]
18 18
19 19 time:
20 20 formats:
21 21 default: "%e. %B %Y, %H:%M"
22 22 time: "%H:%M"
23 23 short: "%e. %b %Y, %H:%M"
24 24 long: "%A, %e. %B %Y, %H:%M"
25 25 am: ""
26 26 pm: ""
27 27
28 28 support:
29 29 array:
30 30 sentence_connector: "og"
31 31 skip_last_comma: true
32 32
33 33 datetime:
34 34 distance_in_words:
35 35 half_a_minute: "et halvt minut"
36 36 less_than_x_seconds:
37 37 one: "mindre end et sekund"
38 38 other: "mindre end %{count} sekunder"
39 39 x_seconds:
40 40 one: "et sekund"
41 41 other: "%{count} sekunder"
42 42 less_than_x_minutes:
43 43 one: "mindre end et minut"
44 44 other: "mindre end %{count} minutter"
45 45 x_minutes:
46 46 one: "et minut"
47 47 other: "%{count} minutter"
48 48 about_x_hours:
49 49 one: "cirka en time"
50 50 other: "cirka %{count} timer"
51 51 x_days:
52 52 one: "en dag"
53 53 other: "%{count} dage"
54 54 about_x_months:
55 55 one: "cirka en måned"
56 56 other: "cirka %{count} måneder"
57 57 x_months:
58 58 one: "en måned"
59 59 other: "%{count} måneder"
60 60 about_x_years:
61 61 one: "cirka et år"
62 62 other: "cirka %{count} år"
63 63 over_x_years:
64 64 one: "mere end et år"
65 65 other: "mere end %{count} år"
66 66 almost_x_years:
67 67 one: "næsten 1 år"
68 68 other: "næsten %{count} år"
69 69
70 70 number:
71 71 format:
72 72 separator: ","
73 73 delimiter: "."
74 74 precision: 3
75 75 currency:
76 76 format:
77 77 format: "%u %n"
78 78 unit: "DKK"
79 79 separator: ","
80 80 delimiter: "."
81 81 precision: 2
82 82 precision:
83 83 format:
84 84 # separator:
85 85 delimiter: ""
86 86 # precision:
87 87 human:
88 88 format:
89 89 # separator:
90 90 delimiter: ""
91 91 precision: 1
92 92 storage_units:
93 93 format: "%n %u"
94 94 units:
95 95 byte:
96 96 one: "Byte"
97 97 other: "Bytes"
98 98 kb: "KB"
99 99 mb: "MB"
100 100 gb: "GB"
101 101 tb: "TB"
102 102 percentage:
103 103 format:
104 104 # separator:
105 105 delimiter: ""
106 106 # precision:
107 107
108 108 activerecord:
109 109 errors:
110 110 template:
111 111 header:
112 112 one: "1 error prohibited this %{model} from being saved"
113 113 other: "%{count} errors prohibited this %{model} from being saved"
114 114 messages:
115 115 inclusion: "er ikke i listen"
116 116 exclusion: "er reserveret"
117 117 invalid: "er ikke gyldig"
118 118 confirmation: "stemmer ikke overens"
119 119 accepted: "skal accepteres"
120 120 empty: "må ikke udelades"
121 121 blank: "skal udfyldes"
122 122 too_long: "er for lang (højst %{count} tegn)"
123 123 too_short: "er for kort (mindst %{count} tegn)"
124 124 wrong_length: "har forkert længde (skulle være %{count} tegn)"
125 125 taken: "er allerede anvendt"
126 126 not_a_number: "er ikke et tal"
127 127 greater_than: "skal være større end %{count}"
128 128 greater_than_or_equal_to: "skal være større end eller lig med %{count}"
129 129 equal_to: "skal være lig med %{count}"
130 130 less_than: "skal være mindre end %{count}"
131 131 less_than_or_equal_to: "skal være mindre end eller lig med %{count}"
132 132 odd: "skal være ulige"
133 133 even: "skal være lige"
134 134 greater_than_start_date: "skal være senere end startdatoen"
135 135 not_same_project: "hører ikke til samme projekt"
136 136 circular_dependency: "Denne relation vil skabe et afhængighedsforhold"
137 137 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
138 138
139 139 template:
140 140 header:
141 141 one: "En fejl forhindrede %{model} i at blive gemt"
142 142 other: "%{count} fejl forhindrede denne %{model} i at blive gemt"
143 143 body: "Der var problemer med følgende felter:"
144 144
145 145 actionview_instancetag_blank_option: Vælg venligst
146 146
147 147 general_text_No: 'Nej'
148 148 general_text_Yes: 'Ja'
149 149 general_text_no: 'nej'
150 150 general_text_yes: 'ja'
151 151 general_lang_name: 'Danish (Dansk)'
152 152 general_csv_separator: ','
153 153 general_csv_encoding: ISO-8859-1
154 154 general_pdf_encoding: UTF-8
155 155 general_first_day_of_week: '1'
156 156
157 157 notice_account_updated: Kontoen er opdateret.
158 158 notice_account_invalid_creditentials: Ugyldig bruger og/eller kodeord
159 159 notice_account_password_updated: Kodeordet er opdateret.
160 160 notice_account_wrong_password: Forkert kodeord
161 161 notice_account_register_done: Kontoen er oprettet. For at aktivere kontoen skal du klikke på linket i den tilsendte email.
162 162 notice_account_unknown_email: Ukendt bruger.
163 163 notice_can_t_change_password: Denne konto benytter en ekstern sikkerhedsgodkendelse. Det er ikke muligt at skifte kodeord.
164 164 notice_account_lost_email_sent: En email med instruktioner til at vælge et nyt kodeord er afsendt til dig.
165 165 notice_account_activated: Din konto er aktiveret. Du kan nu logge ind.
166 166 notice_successful_create: Succesfuld oprettelse.
167 167 notice_successful_update: Succesfuld opdatering.
168 168 notice_successful_delete: Succesfuld sletning.
169 169 notice_successful_connection: Succesfuld forbindelse.
170 170 notice_file_not_found: Siden du forsøger at tilgå eksisterer ikke eller er blevet fjernet.
171 171 notice_locking_conflict: Data er opdateret af en anden bruger.
172 172 notice_not_authorized: Du har ikke adgang til denne side.
173 173 notice_email_sent: "En email er sendt til %{value}"
174 174 notice_email_error: "En fejl opstod under afsendelse af email (%{value})"
175 175 notice_feeds_access_key_reseted: Din adgangsnøgle til RSS er nulstillet.
176 176 notice_failed_to_save_issues: "Det mislykkedes at gemme %{count} sage(r) %{total} valgt: %{ids}."
177 177 notice_no_issue_selected: "Ingen sag er valgt! Vælg venligst hvilke emner du vil rette."
178 178 notice_account_pending: "Din konto er oprettet, og afventer administrators godkendelse."
179 179 notice_default_data_loaded: Standardopsætningen er indlæst.
180 180
181 181 error_can_t_load_default_data: "Standardopsætning kunne ikke indlæses: %{value}"
182 182 error_scm_not_found: "Adgang nægtet og/eller revision blev ikke fundet i det valgte repository."
183 183 error_scm_command_failed: "En fejl opstod under forbindelsen til det valgte repository: %{value}"
184 184
185 185 mail_subject_lost_password: "Dit %{value} kodeord"
186 186 mail_body_lost_password: 'For at ændre dit kodeord, klik dette link:'
187 187 mail_subject_register: "%{value} kontoaktivering"
188 188 mail_body_register: 'Klik dette link for at aktivere din konto:'
189 189 mail_body_account_information_external: "Du kan bruge din %{value} konto til at logge ind."
190 190 mail_body_account_information: Din kontoinformation
191 191 mail_subject_account_activation_request: "%{value} kontoaktivering"
192 192 mail_body_account_activation_request: "En ny bruger (%{value}) er registreret. Godkend venligst kontoen:"
193 193
194 194 gui_validation_error: 1 fejl
195 195 gui_validation_error_plural: "%{count} fejl"
196 196
197 197 field_name: Navn
198 198 field_description: Beskrivelse
199 199 field_summary: Sammenfatning
200 200 field_is_required: Skal udfyldes
201 201 field_firstname: Fornavn
202 202 field_lastname: Efternavn
203 203 field_mail: Email
204 204 field_filename: Fil
205 205 field_filesize: Størrelse
206 206 field_downloads: Downloads
207 207 field_author: Forfatter
208 208 field_created_on: Oprettet
209 209 field_updated_on: Opdateret
210 210 field_field_format: Format
211 211 field_is_for_all: For alle projekter
212 212 field_possible_values: Mulige værdier
213 213 field_regexp: Regulære udtryk
214 214 field_min_length: Mindste længde
215 215 field_max_length: Største længde
216 216 field_value: Værdi
217 217 field_category: Kategori
218 218 field_title: Titel
219 219 field_project: Projekt
220 220 field_issue: Sag
221 221 field_status: Status
222 222 field_notes: Noter
223 223 field_is_closed: Sagen er lukket
224 224 field_is_default: Standardværdi
225 225 field_tracker: Type
226 226 field_subject: Emne
227 227 field_due_date: Deadline
228 228 field_assigned_to: Tildelt til
229 229 field_priority: Prioritet
230 230 field_fixed_version: Target version
231 231 field_user: Bruger
232 232 field_role: Rolle
233 233 field_homepage: Hjemmeside
234 234 field_is_public: Offentlig
235 235 field_parent: Underprojekt af
236 236 field_is_in_roadmap: Sager vist i roadmap
237 237 field_login: Login
238 238 field_mail_notification: Email-påmindelser
239 239 field_admin: Administrator
240 240 field_last_login_on: Sidste forbindelse
241 241 field_language: Sprog
242 242 field_effective_date: Dato
243 243 field_password: Kodeord
244 244 field_new_password: Nyt kodeord
245 245 field_password_confirmation: Bekræft
246 246 field_version: Version
247 247 field_type: Type
248 248 field_host: Vært
249 249 field_port: Port
250 250 field_account: Kode
251 251 field_base_dn: Base DN
252 252 field_attr_login: Login attribut
253 253 field_attr_firstname: Fornavn attribut
254 254 field_attr_lastname: Efternavn attribut
255 255 field_attr_mail: Email attribut
256 256 field_onthefly: løbende brugeroprettelse
257 257 field_start_date: Start date
258 258 field_done_ratio: % Færdig
259 259 field_auth_source: Sikkerhedsmetode
260 260 field_hide_mail: Skjul min email
261 261 field_comments: Kommentar
262 262 field_url: URL
263 263 field_start_page: Startside
264 264 field_subproject: Underprojekt
265 265 field_hours: Timer
266 266 field_activity: Aktivitet
267 267 field_spent_on: Dato
268 268 field_identifier: Identifikator
269 269 field_is_filter: Brugt som et filter
270 270 field_issue_to: Beslægtede sag
271 271 field_delay: Udsættelse
272 272 field_assignable: Sager kan tildeles denne rolle
273 273 field_redirect_existing_links: Videresend eksisterende links
274 274 field_estimated_hours: Anslået tid
275 275 field_column_names: Kolonner
276 276 field_time_zone: Tidszone
277 277 field_searchable: Søgbar
278 278 field_default_value: Standardværdi
279 279
280 280 setting_app_title: Applikationstitel
281 281 setting_app_subtitle: Applikationsundertekst
282 282 setting_welcome_text: Velkomsttekst
283 283 setting_default_language: Standardsporg
284 284 setting_login_required: Sikkerhed påkrævet
285 285 setting_self_registration: Brugeroprettelse
286 286 setting_attachment_max_size: Vedhæftede filers max størrelse
287 287 setting_issues_export_limit: Sagseksporteringsbegrænsning
288 288 setting_mail_from: Afsender-email
289 289 setting_bcc_recipients: Skjult modtager (bcc)
290 290 setting_host_name: Værtsnavn
291 291 setting_text_formatting: Tekstformatering
292 292 setting_wiki_compression: Komprimering af wiki-historik
293 293 setting_feeds_limit: Feed indholdsbegrænsning
294 294 setting_autofetch_changesets: Hent automatisk commits
295 295 setting_sys_api_enabled: Aktiver webservice for automatisk administration af repository
296 296 setting_commit_ref_keywords: Referencenøgleord
297 297 setting_commit_fix_keywords: Afslutningsnøgleord
298 298 setting_autologin: Automatisk login
299 299 setting_date_format: Datoformat
300 300 setting_time_format: Tidsformat
301 301 setting_cross_project_issue_relations: Tillad sagsrelationer på tværs af projekter
302 302 setting_issue_list_default_columns: Standardkolonner på sagslisten
303 303 setting_repositories_encodings: Repository-tegnsæt
304 304 setting_emails_footer: Email-fodnote
305 305 setting_protocol: Protokol
306 306 setting_user_format: Brugervisningsformat
307 307
308 308 project_module_issue_tracking: Sagssøgning
309 309 project_module_time_tracking: Tidsstyring
310 310 project_module_news: Nyheder
311 311 project_module_documents: Dokumenter
312 312 project_module_files: Filer
313 313 project_module_wiki: Wiki
314 314 project_module_repository: Repository
315 315 project_module_boards: Fora
316 316
317 317 label_user: Bruger
318 318 label_user_plural: Brugere
319 319 label_user_new: Ny bruger
320 320 label_project: Projekt
321 321 label_project_new: Nyt projekt
322 322 label_project_plural: Projekter
323 323 label_x_projects:
324 324 zero: Ingen projekter
325 325 one: 1 projekt
326 326 other: "%{count} projekter"
327 327 label_project_all: Alle projekter
328 328 label_project_latest: Seneste projekter
329 329 label_issue: Sag
330 330 label_issue_new: Opret sag
331 331 label_issue_plural: Sager
332 332 label_issue_view_all: Vis alle sager
333 333 label_issues_by: "Sager fra %{value}"
334 334 label_issue_added: Sagen er oprettet
335 335 label_issue_updated: Sagen er opdateret
336 336 label_document: Dokument
337 337 label_document_new: Nyt dokument
338 338 label_document_plural: Dokumenter
339 339 label_document_added: Dokument tilføjet
340 340 label_role: Rolle
341 341 label_role_plural: Roller
342 342 label_role_new: Ny rolle
343 343 label_role_and_permissions: Roller og rettigheder
344 344 label_member: Medlem
345 345 label_member_new: Nyt medlem
346 346 label_member_plural: Medlemmer
347 347 label_tracker: Type
348 348 label_tracker_plural: Typer
349 349 label_tracker_new: Ny type
350 350 label_workflow: Arbejdsgang
351 351 label_issue_status: Sagsstatus
352 352 label_issue_status_plural: Sagsstatuser
353 353 label_issue_status_new: Ny status
354 354 label_issue_category: Sagskategori
355 355 label_issue_category_plural: Sagskategorier
356 356 label_issue_category_new: Ny kategori
357 357 label_custom_field: Brugerdefineret felt
358 358 label_custom_field_plural: Brugerdefinerede felter
359 359 label_custom_field_new: Nyt brugerdefineret felt
360 360 label_enumerations: Værdier
361 361 label_enumeration_new: Ny værdi
362 362 label_information: Information
363 363 label_information_plural: Information
364 364 label_please_login: Login
365 365 label_register: Registrér
366 366 label_password_lost: Glemt kodeord
367 367 label_home: Forside
368 368 label_my_page: Min side
369 369 label_my_account: Min konto
370 370 label_my_projects: Mine projekter
371 371 label_administration: Administration
372 372 label_login: Log ind
373 373 label_logout: Log ud
374 374 label_help: Hjælp
375 375 label_reported_issues: Rapporterede sager
376 376 label_assigned_to_me_issues: Sager tildelt mig
377 377 label_last_login: Sidste login tidspunkt
378 378 label_registered_on: Registreret den
379 379 label_activity: Aktivitet
380 380 label_new: Ny
381 381 label_logged_as: Registreret som
382 382 label_environment: Miljø
383 383 label_authentication: Sikkerhed
384 384 label_auth_source: Sikkerhedsmetode
385 385 label_auth_source_new: Ny sikkerhedsmetode
386 386 label_auth_source_plural: Sikkerhedsmetoder
387 387 label_subproject_plural: Underprojekter
388 388 label_min_max_length: Min - Max længde
389 389 label_list: Liste
390 390 label_date: Dato
391 391 label_integer: Heltal
392 392 label_float: Kommatal
393 393 label_boolean: Sand/falsk
394 394 label_string: Tekst
395 395 label_text: Lang tekst
396 396 label_attribute: Attribut
397 397 label_attribute_plural: Attributter
398 398 label_download: "%{count} Download"
399 399 label_download_plural: "%{count} Downloads"
400 400 label_no_data: Ingen data at vise
401 401 label_change_status: Ændringsstatus
402 402 label_history: Historik
403 403 label_attachment: Fil
404 404 label_attachment_new: Ny fil
405 405 label_attachment_delete: Slet fil
406 406 label_attachment_plural: Filer
407 407 label_file_added: Fil tilføjet
408 408 label_report: Rapport
409 409 label_report_plural: Rapporter
410 410 label_news: Nyheder
411 411 label_news_new: Tilføj nyheder
412 412 label_news_plural: Nyheder
413 413 label_news_latest: Seneste nyheder
414 414 label_news_view_all: Vis alle nyheder
415 415 label_news_added: Nyhed tilføjet
416 416 label_settings: Indstillinger
417 417 label_overview: Oversigt
418 418 label_version: Udgave
419 419 label_version_new: Ny udgave
420 420 label_version_plural: Udgaver
421 421 label_confirmation: Bekræftelser
422 422 label_export_to: Eksporter til
423 423 label_read: Læs...
424 424 label_public_projects: Offentlige projekter
425 425 label_open_issues: åben
426 426 label_open_issues_plural: åbne
427 427 label_closed_issues: lukket
428 428 label_closed_issues_plural: lukkede
429 429 label_x_open_issues_abbr_on_total:
430 430 zero: 0 åbne / %{total}
431 431 one: 1 åben / %{total}
432 432 other: "%{count} åbne / %{total}"
433 433 label_x_open_issues_abbr:
434 434 zero: 0 åbne
435 435 one: 1 åben
436 436 other: "%{count} åbne"
437 437 label_x_closed_issues_abbr:
438 438 zero: 0 lukkede
439 439 one: 1 lukket
440 440 other: "%{count} lukkede"
441 441 label_total: Total
442 442 label_permissions: Rettigheder
443 443 label_current_status: Nuværende status
444 444 label_new_statuses_allowed: Ny status tilladt
445 445 label_all: alle
446 446 label_none: intet
447 447 label_nobody: ingen
448 448 label_next: Næste
449 449 label_previous: Forrige
450 450 label_used_by: Brugt af
451 451 label_details: Detaljer
452 452 label_add_note: Tilføj note
453 453 label_per_page: Pr. side
454 454 label_calendar: Kalender
455 455 label_months_from: måneder frem
456 456 label_gantt: Gantt
457 457 label_internal: Intern
458 458 label_last_changes: "sidste %{count} ændringer"
459 459 label_change_view_all: Vis alle ændringer
460 460 label_personalize_page: Tilret denne side
461 461 label_comment: Kommentar
462 462 label_comment_plural: Kommentarer
463 463 label_x_comments:
464 464 zero: ingen kommentarer
465 465 one: 1 kommentar
466 466 other: "%{count} kommentarer"
467 467 label_comment_add: Tilføj en kommentar
468 468 label_comment_added: Kommentaren er tilføjet
469 469 label_comment_delete: Slet kommentar
470 470 label_query: Brugerdefineret forespørgsel
471 471 label_query_plural: Brugerdefinerede forespørgsler
472 472 label_query_new: Ny forespørgsel
473 473 label_filter_add: Tilføj filter
474 474 label_filter_plural: Filtre
475 475 label_equals: er
476 476 label_not_equals: er ikke
477 477 label_in_less_than: er mindre end
478 478 label_in_more_than: er større end
479 479 label_in: indeholdt i
480 480 label_today: i dag
481 481 label_all_time: altid
482 482 label_yesterday: i går
483 483 label_this_week: denne uge
484 484 label_last_week: sidste uge
485 485 label_last_n_days: "sidste %{count} dage"
486 486 label_this_month: denne måned
487 487 label_last_month: sidste måned
488 488 label_this_year: dette år
489 489 label_date_range: Dato interval
490 490 label_less_than_ago: mindre end dage siden
491 491 label_more_than_ago: mere end dage siden
492 492 label_ago: days siden
493 493 label_contains: indeholder
494 494 label_not_contains: ikke indeholder
495 495 label_day_plural: dage
496 496 label_repository: Repository
497 497 label_repository_plural: Repositories
498 498 label_browse: Gennemse
499 499 label_modification: "%{count} ændring"
500 500 label_modification_plural: "%{count} ændringer"
501 501 label_revision: Revision
502 502 label_revision_plural: Revisioner
503 503 label_associated_revisions: Tilnyttede revisioner
504 504 label_added: tilføjet
505 505 label_modified: ændret
506 506 label_deleted: slettet
507 507 label_latest_revision: Seneste revision
508 508 label_latest_revision_plural: Seneste revisioner
509 509 label_view_revisions: Se revisioner
510 510 label_max_size: Maksimal størrelse
511 511 label_sort_highest: Flyt til toppen
512 512 label_sort_higher: Flyt op
513 513 label_sort_lower: Flyt ned
514 514 label_sort_lowest: Flyt til bunden
515 515 label_roadmap: Roadmap
516 516 label_roadmap_due_in: Deadline
517 517 label_roadmap_overdue: "%{value} forsinket"
518 518 label_roadmap_no_issues: Ingen sager i denne version
519 519 label_search: Søg
520 520 label_result_plural: Resultater
521 521 label_all_words: Alle ord
522 522 label_wiki: Wiki
523 523 label_wiki_edit: Wiki ændring
524 524 label_wiki_edit_plural: Wiki ændringer
525 525 label_wiki_page: Wiki side
526 526 label_wiki_page_plural: Wiki sider
527 527 label_index_by_title: Indhold efter titel
528 528 label_index_by_date: Indhold efter dato
529 529 label_current_version: Nuværende version
530 530 label_preview: Forhåndsvisning
531 531 label_feed_plural: Feeds
532 532 label_changes_details: Detaljer for alle ændringer
533 533 label_issue_tracking: Sags søgning
534 534 label_spent_time: Anvendt tid
535 535 label_f_hour: "%{value} time"
536 536 label_f_hour_plural: "%{value} timer"
537 537 label_time_tracking: Tidsstyring
538 538 label_change_plural: Ændringer
539 539 label_statistics: Statistik
540 540 label_commits_per_month: Commits pr. måned
541 541 label_commits_per_author: Commits pr. bruger
542 542 label_view_diff: Vis forskelle
543 543 label_diff_inline: inline
544 544 label_diff_side_by_side: side om side
545 545 label_options: Formatering
546 546 label_copy_workflow_from: Kopier arbejdsgang fra
547 547 label_permissions_report: Godkendelsesrapport
548 548 label_watched_issues: Overvågede sager
549 549 label_related_issues: Relaterede sager
550 550 label_applied_status: Anvendte statuser
551 551 label_loading: Indlæser...
552 552 label_relation_new: Ny relation
553 553 label_relation_delete: Slet relation
554 554 label_relates_to: relaterer til
555 555 label_duplicates: duplikater
556 556 label_blocks: blokerer
557 557 label_blocked_by: blokeret af
558 558 label_precedes: kommer før
559 559 label_follows: følger
560 560 label_end_to_start: slut til start
561 561 label_end_to_end: slut til slut
562 562 label_start_to_start: start til start
563 563 label_start_to_end: start til slut
564 564 label_stay_logged_in: Forbliv indlogget
565 565 label_disabled: deaktiveret
566 566 label_show_completed_versions: Vis færdige versioner
567 567 label_me: mig
568 568 label_board: Forum
569 569 label_board_new: Nyt forum
570 570 label_board_plural: Fora
571 571 label_topic_plural: Emner
572 572 label_message_plural: Beskeder
573 573 label_message_last: Sidste besked
574 574 label_message_new: Ny besked
575 575 label_message_posted: Besked tilføjet
576 576 label_reply_plural: Besvarer
577 577 label_send_information: Send konto information til bruger
578 578 label_year: År
579 579 label_month: Måned
580 580 label_week: Uge
581 581 label_date_from: Fra
582 582 label_date_to: Til
583 583 label_language_based: Baseret på brugerens sprog
584 584 label_sort_by: "Sortér efter %{value}"
585 585 label_send_test_email: Send en test email
586 586 label_feeds_access_key_created_on: "RSS adgangsnøgle dannet for %{value} siden"
587 587 label_module_plural: Moduler
588 588 label_added_time_by: "Tilføjet af %{author} for %{age} siden"
589 589 label_updated_time: "Opdateret for %{value} siden"
590 590 label_jump_to_a_project: Skift til projekt...
591 591 label_file_plural: Filer
592 592 label_changeset_plural: Ændringer
593 593 label_default_columns: Standard kolonner
594 594 label_no_change_option: (Ingen ændringer)
595 595 label_bulk_edit_selected_issues: Masse-ret de valgte sager
596 596 label_theme: Tema
597 597 label_default: standard
598 598 label_search_titles_only: Søg kun i titler
599 599 label_user_mail_option_all: "For alle hændelser mine projekter"
600 600 label_user_mail_option_selected: "For alle hændelser de valgte projekter..."
601 601 label_user_mail_no_self_notified: "Jeg ønsker ikke besked om ændring foretaget af mig selv"
602 602 label_registration_activation_by_email: kontoaktivering på email
603 603 label_registration_manual_activation: manuel kontoaktivering
604 604 label_registration_automatic_activation: automatisk kontoaktivering
605 605 label_display_per_page: "Per side: %{value}"
606 606 label_age: Alder
607 607 label_change_properties: Ændre indstillinger
608 608 label_general: Generelt
609 609 label_more: Mere
610 610 label_scm: SCM
611 611 label_plugins: Plugins
612 612 label_ldap_authentication: LDAP-godkendelse
613 613 label_downloads_abbr: D/L
614 614
615 615 button_login: Login
616 616 button_submit: Send
617 617 button_save: Gem
618 618 button_check_all: Vælg alt
619 619 button_uncheck_all: Fravælg alt
620 620 button_delete: Slet
621 621 button_create: Opret
622 622 button_test: Test
623 623 button_edit: Ret
624 624 button_add: Tilføj
625 625 button_change: Ændre
626 626 button_apply: Anvend
627 627 button_clear: Nulstil
628 628 button_lock: Lås
629 629 button_unlock: Lås op
630 630 button_download: Download
631 631 button_list: List
632 632 button_view: Vis
633 633 button_move: Flyt
634 634 button_back: Tilbage
635 635 button_cancel: Annullér
636 636 button_activate: Aktivér
637 637 button_sort: Sortér
638 638 button_log_time: Log tid
639 639 button_rollback: Tilbagefør til denne version
640 640 button_watch: Overvåg
641 641 button_unwatch: Stop overvågning
642 642 button_reply: Besvar
643 643 button_archive: Arkivér
644 644 button_unarchive: Fjern fra arkiv
645 645 button_reset: Nulstil
646 646 button_rename: Omdøb
647 647 button_change_password: Skift kodeord
648 648 button_copy: Kopiér
649 649 button_annotate: Annotér
650 650 button_update: Opdatér
651 651 button_configure: Konfigurér
652 652
653 653 status_active: aktiv
654 654 status_registered: registreret
655 655 status_locked: låst
656 656
657 657 text_select_mail_notifications: Vælg handlinger der skal sendes email besked for.
658 658 text_regexp_info: f.eks. ^[A-ZÆØÅ0-9]+$
659 659 text_min_max_length_info: 0 betyder ingen begrænsninger
660 660 text_project_destroy_confirmation: Er du sikker på at du vil slette dette projekt og alle relaterede data?
661 661 text_workflow_edit: Vælg en rolle samt en type, for at redigere arbejdsgangen
662 662 text_are_you_sure: Er du sikker?
663 663 text_tip_issue_begin_day: opgaven begynder denne dag
664 664 text_tip_issue_end_day: opaven slutter denne dag
665 665 text_tip_issue_begin_end_day: opgaven begynder og slutter denne dag
666 666 text_project_identifier_info: 'Små bogstaver (a-z), numre og bindestreg er tilladt.<br />Denne er en unik identifikation for projektet, og kan defor ikke rettes senere.'
667 667 text_caracters_maximum: "max %{count} karakterer."
668 668 text_caracters_minimum: "Skal være mindst %{count} karakterer lang."
669 669 text_length_between: "Længde skal være mellem %{min} og %{max} karakterer."
670 670 text_tracker_no_workflow: Ingen arbejdsgang defineret for denne type
671 671 text_unallowed_characters: Ikke-tilladte karakterer
672 672 text_comma_separated: Adskillige værdier tilladt (adskilt med komma).
673 673 text_issues_ref_in_commit_messages: Referer og løser sager i commit-beskeder
674 674 text_issue_added: "Sag %{id} er rapporteret af %{author}."
675 675 text_issue_updated: "Sag %{id} er blevet opdateret af %{author}."
676 676 text_wiki_destroy_confirmation: Er du sikker på at du vil slette denne wiki og dens indhold?
677 677 text_issue_category_destroy_question: "Nogle sager (%{count}) er tildelt denne kategori. Hvad ønsker du at gøre?"
678 678 text_issue_category_destroy_assignments: Slet tildelinger af kategori
679 679 text_issue_category_reassign_to: Tildel sager til denne kategori
680 680 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 681 text_no_configuration_data: "Roller, typer, sagsstatuser og arbejdsgange er endnu ikke konfigureret.\nDet er anbefalet at indlæse standardopsætningen. Du vil kunne ændre denne når den er indlæst."
682 682 text_load_default_configuration: Indlæs standardopsætningen
683 683 text_status_changed_by_changeset: "Anvendt i ændring %{value}."
684 684 text_issues_destroy_confirmation: 'Er du sikker du ønsker at slette den/de valgte sag(er)?'
685 685 text_select_project_modules: 'Vælg moduler er skal være aktiveret for dette projekt:'
686 686 text_default_administrator_account_changed: Standard administratorkonto ændret
687 687 text_file_repository_writable: Filarkiv er skrivbar
688 688 text_rmagick_available: RMagick tilgængelig (valgfri)
689 689
690 690 default_role_manager: Leder
691 691 default_role_developer: Udvikler
692 692 default_role_reporter: Rapportør
693 693 default_tracker_bug: Bug
694 694 default_tracker_feature: Feature
695 695 default_tracker_support: Support
696 696 default_issue_status_new: Ny
697 697 default_issue_status_in_progress: Igangværende
698 698 default_issue_status_resolved: Løst
699 699 default_issue_status_feedback: Feedback
700 700 default_issue_status_closed: Lukket
701 701 default_issue_status_rejected: Afvist
702 702 default_doc_category_user: Brugerdokumentation
703 703 default_doc_category_tech: Teknisk dokumentation
704 704 default_priority_low: Lav
705 705 default_priority_normal: Normal
706 706 default_priority_high: Høj
707 707 default_priority_urgent: Akut
708 708 default_priority_immediate: Omgående
709 709 default_activity_design: Design
710 710 default_activity_development: Udvikling
711 711
712 712 enumeration_issue_priorities: Sagsprioriteter
713 713 enumeration_doc_categories: Dokumentkategorier
714 714 enumeration_activities: Aktiviteter (tidsstyring)
715 715
716 716 label_add_another_file: Tilføj endnu en fil
717 717 label_chronological_order: I kronologisk rækkefølge
718 718 setting_activity_days_default: Antal dage der vises under projektaktivitet
719 719 text_destroy_time_entries_question: "%{hours} timer er registreret denne sag som du er ved at slette. Hvad vil du gøre?"
720 720 error_issue_not_found_in_project: 'Sagen blev ikke fundet eller tilhører ikke dette projekt'
721 721 text_assign_time_entries_to_project: Tildel raporterede timer til projektet
722 722 setting_display_subprojects_issues: Vis sager for underprojekter på hovedprojektet som standard
723 723 label_optional_description: Optionel beskrivelse
724 724 text_destroy_time_entries: Slet registrerede timer
725 725 field_comments_sorting: Vis kommentar
726 726 text_reassign_time_entries: 'Tildel registrerede timer til denne sag igen'
727 727 label_reverse_chronological_order: I omvendt kronologisk rækkefølge
728 728 label_preferences: Preferences
729 729 label_overall_activity: Overordnet aktivitet
730 730 setting_default_projects_public: Nye projekter er offentlige som standard
731 731 error_scm_annotate: "Filen findes ikke, eller kunne ikke annoteres."
732 732 label_planning: Planlægning
733 733 text_subprojects_destroy_warning: "Dets underprojekter(er): %{value} vil også blive slettet."
734 734 permission_edit_issues: Redigér sager
735 735 setting_diff_max_lines_displayed: Højeste antal forskelle der vises
736 736 permission_edit_own_issue_notes: Redigér egne noter
737 737 setting_enabled_scm: Aktiveret SCM
738 738 button_quote: Citér
739 739 permission_view_files: Se filer
740 740 permission_add_issues: Tilføj sager
741 741 permission_edit_own_messages: Redigér egne beskeder
742 742 permission_delete_own_messages: Slet egne beskeder
743 743 permission_manage_public_queries: Administrér offentlig forespørgsler
744 744 permission_log_time: Registrér anvendt tid
745 745 label_renamed: omdøbt
746 746 label_incoming_emails: Indkommende emails
747 747 permission_view_changesets: Se ændringer
748 748 permission_manage_versions: Administrér versioner
749 749 permission_view_time_entries: Se anvendt tid
750 750 label_generate_key: Generér en nøglefil
751 751 permission_manage_categories: Administrér sagskategorier
752 752 permission_manage_wiki: Administrér wiki
753 753 setting_sequential_project_identifiers: Generér sekventielle projekt-identifikatorer
754 754 setting_plain_text_mail: Emails som almindelig tekst (ingen HTML)
755 755 field_parent_title: Siden over
756 756 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 757 permission_protect_wiki_pages: Beskyt wiki sider
758 758 permission_manage_documents: Administrér dokumenter
759 759 permission_add_issue_watchers: Tilføj overvågere
760 760 warning_attachments_not_saved: "der var %{count} fil(er), som ikke kunne gemmes."
761 761 permission_comment_news: Kommentér nyheder
762 762 text_enumeration_category_reassign_to: 'FLyt dem til denne værdi:'
763 763 permission_select_project_modules: Vælg projektmoduler
764 764 permission_view_gantt: Se Gantt diagram
765 765 permission_delete_messages: Slet beskeder
766 766 permission_move_issues: Flyt sager
767 767 permission_edit_wiki_pages: Redigér wiki sider
768 768 label_user_activity: "%{value}'s aktivitet"
769 769 permission_manage_issue_relations: Administrér sags-relationer
770 770 label_issue_watchers: Overvågere
771 771 permission_delete_wiki_pages: Slet wiki sider
772 772 notice_unable_delete_version: Kan ikke slette versionen.
773 773 permission_view_wiki_edits: Se wiki historik
774 774 field_editable: Redigérbar
775 775 label_duplicated_by: dubleret af
776 776 permission_manage_boards: Administrér fora
777 777 permission_delete_wiki_pages_attachments: Slet filer vedhæftet wiki sider
778 778 permission_view_messages: Se beskeder
779 779 text_enumeration_destroy_question: "%{count} objekter er tildelt denne værdi."
780 780 permission_manage_files: Administrér filer
781 781 permission_add_messages: Opret beskeder
782 782 permission_edit_issue_notes: Redigér noter
783 783 permission_manage_news: Administrér nyheder
784 784 text_plugin_assets_writable: Der er skriverettigheder til plugin assets folderen
785 785 label_display: Vis
786 786 label_and_its_subprojects: "%{value} og dets underprojekter"
787 787 permission_view_calendar: Se kalender
788 788 button_create_and_continue: Opret og fortsæt
789 789 setting_gravatar_enabled: Anvend Gravatar bruger ikoner
790 790 label_updated_time_by: "Opdateret af %{author} for %{age} siden"
791 791 text_diff_truncated: '... Listen over forskelle er bleve afkortet da den overstiger den maksimale størrelse der kan vises.'
792 792 text_user_wrote: "%{value} skrev:"
793 793 setting_mail_handler_api_enabled: Aktiver webservice for indkomne emails
794 794 permission_delete_issues: Slet sager
795 795 permission_view_documents: Se dokumenter
796 796 permission_browse_repository: Gennemse repository
797 797 permission_manage_repository: Administrér repository
798 798 permission_manage_members: Administrér medlemmer
799 799 mail_subject_reminder: "%{count} sag(er) har deadline i de kommende dage (%{days})"
800 800 permission_add_issue_notes: Tilføj noter
801 801 permission_edit_messages: Redigér beskeder
802 802 permission_view_issue_watchers: Se liste over overvågere
803 803 permission_commit_access: Commit adgang
804 804 setting_mail_handler_api_key: API nøgle
805 805 label_example: Eksempel
806 806 permission_rename_wiki_pages: Omdøb wiki sider
807 807 text_custom_field_possible_values_info: 'En linje for hver værdi'
808 808 permission_view_wiki_pages: Se wiki
809 809 permission_edit_project: Redigér projekt
810 810 permission_save_queries: Gem forespørgsler
811 811 label_copied: kopieret
812 812 setting_commit_logs_encoding: Kodning af Commit beskeder
813 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 814 permission_edit_time_entries: Redigér tidsregistreringer
815 815 general_csv_decimal_separator: ','
816 816 permission_edit_own_time_entries: Redigér egne tidsregistreringer
817 817 setting_repository_log_display_limit: Højeste antal revisioner vist i fil-log
818 818 setting_file_max_size_displayed: Maksimale størrelse på tekstfiler vist inline
819 819 field_watcher: Overvåger
820 820 setting_openid: Tillad OpenID login og registrering
821 821 field_identity_url: OpenID URL
822 822 label_login_with_open_id_option: eller login med OpenID
823 823 setting_per_page_options: Enheder per side muligheder
824 824 mail_body_reminder: "%{count} sage(er) som er tildelt dig har deadline indenfor de næste %{days} dage:"
825 825 field_content: Indhold
826 826 label_descending: Aftagende
827 827 label_sort: Sortér
828 828 label_ascending: Tiltagende
829 829 label_date_from_to: Fra %{start} til %{end}
830 830 label_greater_or_equal: ">="
831 831 label_less_or_equal: <=
832 832 text_wiki_page_destroy_question: Denne side har %{descendants} underside(r) og afledte. Hvad vil du gøre?
833 833 text_wiki_page_reassign_children: Flyt undersider til denne side
834 834 text_wiki_page_nullify_children: Behold undersider som rod-sider
835 835 text_wiki_page_destroy_children: Slet undersider ogalle deres afledte sider.
836 836 setting_password_min_length: Mindste længde på kodeord
837 837 field_group_by: Gruppér resultater efter
838 838 mail_subject_wiki_content_updated: "'%{id}' wikisiden er blevet opdateret"
839 839 label_wiki_content_added: Wiki side tilføjet
840 840 mail_subject_wiki_content_added: "'%{id}' wikisiden er blevet tilføjet"
841 841 mail_body_wiki_content_added: The '%{id}' wikiside er blevet tilføjet af %{author}.
842 842 label_wiki_content_updated: Wikiside opdateret
843 843 mail_body_wiki_content_updated: Wikisiden '%{id}' er blevet opdateret af %{author}.
844 844 permission_add_project: Opret projekt
845 845 setting_new_project_user_role_id: Denne rolle gives til en bruger, som ikke er administrator, og som opretter et projekt
846 846 label_view_all_revisions: Se alle revisioner
847 847 label_tag: Tag
848 848 label_branch: Branch
849 849 error_no_tracker_in_project: Der er ingen sagshåndtering for dette projekt. Kontrollér venligst projektindstillingerne.
850 850 error_no_default_issue_status: Der er ikek defineret en standardstatus. Kontrollér venligst indstillingernen (Gå til "Administration -> Sagsstatuser").
851 851 text_journal_changed: "%{label} ændret fra %{old} til %{new}"
852 852 text_journal_set_to: "%{label} sat til %{value}"
853 853 text_journal_deleted: "%{label} slettet (%{old})"
854 854 label_group_plural: Grupper
855 855 label_group: Grupper
856 856 label_group_new: Ny gruppe
857 857 label_time_entry_plural: Anvendt tid
858 858 text_journal_added: "%{label} %{value} tilføjet"
859 859 field_active: Aktiv
860 860 enumeration_system_activity: System Aktivitet
861 861 permission_delete_issue_watchers: Slet overvågere
862 862 version_status_closed: lukket
863 863 version_status_locked: låst
864 864 version_status_open: åben
865 865 error_can_not_reopen_issue_on_closed_version: En sag tildelt en lukket version, kan ikke genåbnes
866 866 label_user_anonymous: Anonym
867 867 button_move_and_follow: Flyt og overvåg
868 868 setting_default_projects_modules: Standard moduler, aktiveret for nye projekter
869 869 setting_gravatar_default: Standard Gravatar billede
870 870 field_sharing: Delning
871 871 label_version_sharing_hierarchy: Med projekt hierarki
872 872 label_version_sharing_system: Med alle projekter
873 873 label_version_sharing_descendants: Med under projekter
874 874 label_version_sharing_tree: Med projekt træ
875 875 label_version_sharing_none: Ikke delt
876 876 error_can_not_archive_project: Dette projekt kan ikke arkiveres
877 877 button_duplicate: Duplikér
878 878 button_copy_and_follow: Kopiér og overvåg
879 879 label_copy_source: Kilde
880 880 setting_issue_done_ratio: Beregn sagsløsning ratio
881 881 setting_issue_done_ratio_issue_status: Benyt sags status
882 882 error_issue_done_ratios_not_updated: Sagsløsnings ratio, ikke opdateret.
883 883 error_workflow_copy_target: Vælg venligst mål tracker og rolle(r)
884 884 setting_issue_done_ratio_issue_field: Benyt sags felt
885 885 label_copy_same_as_target: Samme som mål
886 886 label_copy_target: Mål
887 887 notice_issue_done_ratios_updated: Sagsløsnings ratio opdateret.
888 888 error_workflow_copy_source: Vælg venligst en kilde tracker eller rolle
889 889 label_update_issue_done_ratios: Opdater sagsløsnings ratio
890 890 setting_start_of_week: Start kalendre på
891 891 permission_view_issues: Vis sager
892 892 label_display_used_statuses_only: Vis kun statuser der er benyttet af denne tracker
893 893 label_revision_id: Revision %{value}
894 894 label_api_access_key: API nøgle
895 895 label_api_access_key_created_on: API nøgle genereret %{value} siden
896 896 label_feeds_access_key: RSS nøgle
897 897 notice_api_access_key_reseted: Din API nøgle er nulstillet.
898 898 setting_rest_api_enabled: Aktiver REST web service
899 899 label_missing_api_access_key: Mangler en API nøgle
900 900 label_missing_feeds_access_key: Mangler en RSS nøgle
901 901 button_show: Vis
902 902 text_line_separated: Flere væredier tilladt (en linje for hver værdi).
903 903 setting_mail_handler_body_delimiters: Trunkér emails efter en af disse linjer
904 904 permission_add_subprojects: Lav underprojekter
905 905 label_subproject_new: Nyt underprojekt
906 906 text_own_membership_delete_confirmation: |-
907 907 Du er ved at fjerne en eller flere af dine rettigheder, og kan muligvis ikke redigere projektet bagefter.
908 908 Er du sikker på du ønsker at fortsætte?
909 909 label_close_versions: Luk færdige versioner
910 910 label_board_sticky: Klistret
911 911 label_board_locked: Låst
912 912 permission_export_wiki_pages: Eksporter wiki sider
913 913 setting_cache_formatted_text: Cache formatteret tekst
914 914 permission_manage_project_activities: Administrer projekt aktiviteter
915 915 error_unable_delete_issue_status: Det var ikke muligt at slette sags status
916 916 label_profile: Profil
917 917 permission_manage_subtasks: Administrer under opgaver
918 918 field_parent_issue: Hoved opgave
919 919 label_subtask_plural: Under opgaver
920 920 label_project_copy_notifications: Send email notifikationer, mens projektet kopieres
921 921 error_can_not_delete_custom_field: Kan ikke slette brugerdefineret felt
922 922 error_unable_to_connect: Kan ikke forbinde (%{value})
923 923 error_can_not_remove_role: Denne rolle er i brug og kan ikke slettes.
924 924 error_can_not_delete_tracker: Denne type indeholder sager og kan ikke slettes.
925 925 field_principal: Principal
926 926 label_my_page_block: blok
927 927 notice_failed_to_save_members: "Fejl under lagring af medlem(mer): %{errors}."
928 928 text_zoom_out: Zoom ud
929 929 text_zoom_in: Zoom in
930 930 notice_unable_delete_time_entry: Kan ikke slette tidsregistrering.
931 931 label_overall_spent_time: Overordnet forbrug af tid
932 932 field_time_entries: Log tid
933 933 project_module_gantt: Gantt
934 934 project_module_calendar: Kalender
935 935 button_edit_associated_wikipage: "Redigér tilknyttet Wiki side: %{page_title}"
936 936 text_are_you_sure_with_children: Slet sag og alle undersager?
937 937 field_text: Tekstfelt
938 938 label_user_mail_option_only_owner: Only for things I am the owner of
939 939 setting_default_notification_option: Default notification option
940 940 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
941 941 label_user_mail_option_only_assigned: Only for things I am assigned to
942 942 label_user_mail_option_none: No events
943 943 field_member_of_group: Medlem af Gruppe
944 944 field_assigned_to_role: Medlem af Rolle
945 945 notice_not_authorized_archived_project: The project you're trying to access has been archived.
946 946 label_principal_search: "Search for user or group:"
947 947 label_user_search: "Search for user:"
948 948 field_visible: Visible
949 949 setting_emails_header: Emails header
950 950 setting_commit_logtime_activity_id: Activity for logged time
951 951 text_time_logged_by_changeset: Applied in changeset %{value}.
952 952 setting_commit_logtime_enabled: Enable time logging
953 953 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
954 954 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
955 955 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
956 956 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
957 957 label_my_queries: My custom queries
958 958 text_journal_changed_no_detail: "%{label} updated"
959 959 label_news_comment_added: Comment added to a news
960 960 button_expand_all: Expand all
961 961 button_collapse_all: Collapse all
962 962 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
963 963 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
964 964 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
965 965 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
966 966 label_role_anonymous: Anonymous
967 967 label_role_non_member: Non member
968 968 label_issue_note_added: Note added
969 969 label_issue_status_updated: Status updated
970 970 label_issue_priority_updated: Priority updated
971 971 label_issues_visibility_own: Issues created by or assigned to the user
972 972 field_issues_visibility: Issues visibility
973 973 label_issues_visibility_all: All issues
974 974 permission_set_own_issues_private: Set own issues public or private
975 975 field_is_private: Private
976 976 permission_set_issues_private: Set issues public or private
977 977 label_issues_visibility_public: All non private issues
978 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
@@ -1,978 +1,979
1 1 # German translations for Ruby on Rails
2 2 # by Clemens Kofler (clemens@railway.at)
3 3
4 4 de:
5 5 direction: ltr
6 6 date:
7 7 formats:
8 8 # Use the strftime parameters for formats.
9 9 # When no format has been given, it uses default.
10 10 # You can provide other formats here if you like!
11 11 default: "%d.%m.%Y"
12 12 short: "%e. %b"
13 13 long: "%e. %B %Y"
14 14
15 15 day_names: [Sonntag, Montag, Dienstag, Mittwoch, Donnerstag, Freitag, Samstag]
16 16 abbr_day_names: [So, Mo, Di, Mi, Do, Fr, Sa]
17 17
18 18 # Don't forget the nil at the beginning; there's no such thing as a 0th month
19 19 month_names: [~, Januar, Februar, März, April, Mai, Juni, Juli, August, September, Oktober, November, Dezember]
20 20 abbr_month_names: [~, Jan, Feb, Mär, Apr, Mai, Jun, Jul, Aug, Sep, Okt, Nov, Dez]
21 21 # Used in date_select and datime_select.
22 22 order: [:day, :month, :year]
23 23
24 24 time:
25 25 formats:
26 26 default: "%d.%m.%Y %H:%M"
27 27 time: "%H:%M"
28 28 short: "%e. %b %H:%M"
29 29 long: "%A, %e. %B %Y, %H:%M Uhr"
30 30 am: "vormittags"
31 31 pm: "nachmittags"
32 32
33 33 datetime:
34 34 distance_in_words:
35 35 half_a_minute: 'eine halbe Minute'
36 36 less_than_x_seconds:
37 37 one: 'weniger als 1 Sekunde'
38 38 other: 'weniger als %{count} Sekunden'
39 39 x_seconds:
40 40 one: '1 Sekunde'
41 41 other: '%{count} Sekunden'
42 42 less_than_x_minutes:
43 43 one: 'weniger als 1 Minute'
44 44 other: 'weniger als %{count} Minuten'
45 45 x_minutes:
46 46 one: '1 Minute'
47 47 other: '%{count} Minuten'
48 48 about_x_hours:
49 49 one: 'etwa 1 Stunde'
50 50 other: 'etwa %{count} Stunden'
51 51 x_days:
52 52 one: '1 Tag'
53 53 other: '%{count} Tagen'
54 54 about_x_months:
55 55 one: 'etwa 1 Monat'
56 56 other: 'etwa %{count} Monaten'
57 57 x_months:
58 58 one: '1 Monat'
59 59 other: '%{count} Monaten'
60 60 about_x_years:
61 61 one: 'etwa 1 Jahr'
62 62 other: 'etwa %{count} Jahren'
63 63 over_x_years:
64 64 one: 'mehr als 1 Jahr'
65 65 other: 'mehr als %{count} Jahren'
66 66 almost_x_years:
67 67 one: "fast 1 Jahr"
68 68 other: "fast %{count} Jahren"
69 69
70 70 number:
71 71 # Default format for numbers
72 72 format:
73 73 separator: ','
74 74 delimiter: '.'
75 75 precision: 2
76 76 currency:
77 77 format:
78 78 unit: '€'
79 79 format: '%n %u'
80 80 separator:
81 81 delimiter:
82 82 precision:
83 83 percentage:
84 84 format:
85 85 delimiter: ""
86 86 precision:
87 87 format:
88 88 delimiter: ""
89 89 human:
90 90 format:
91 91 delimiter: ""
92 92 precision: 1
93 93 storage_units:
94 94 format: "%n %u"
95 95 units:
96 96 byte:
97 97 one: "Byte"
98 98 other: "Bytes"
99 99 kb: "KB"
100 100 mb: "MB"
101 101 gb: "GB"
102 102 tb: "TB"
103 103
104 104
105 105 # Used in array.to_sentence.
106 106 support:
107 107 array:
108 108 sentence_connector: "und"
109 109 skip_last_comma: true
110 110
111 111 activerecord:
112 112 errors:
113 113 template:
114 114 header:
115 115 one: "Dieses %{model}-Objekt konnte nicht gespeichert werden: %{count} Fehler."
116 116 other: "Dieses %{model}-Objekt konnte nicht gespeichert werden: %{count} Fehler."
117 117 body: "Bitte überprüfen Sie die folgenden Felder:"
118 118
119 119 messages:
120 120 inclusion: "ist kein gültiger Wert"
121 121 exclusion: "ist nicht verfügbar"
122 122 invalid: "ist nicht gültig"
123 123 confirmation: "stimmt nicht mit der Bestätigung überein"
124 124 accepted: "muss akzeptiert werden"
125 125 empty: "muss ausgefüllt werden"
126 126 blank: "muss ausgefüllt werden"
127 127 too_long: "ist zu lang (nicht mehr als %{count} Zeichen)"
128 128 too_short: "ist zu kurz (nicht weniger als %{count} Zeichen)"
129 129 wrong_length: "hat die falsche Länge (muss genau %{count} Zeichen haben)"
130 130 taken: "ist bereits vergeben"
131 131 not_a_number: "ist keine Zahl"
132 132 not_a_date: "is kein gültiges Datum"
133 133 greater_than: "muss größer als %{count} sein"
134 134 greater_than_or_equal_to: "muss größer oder gleich %{count} sein"
135 135 equal_to: "muss genau %{count} sein"
136 136 less_than: "muss kleiner als %{count} sein"
137 137 less_than_or_equal_to: "muss kleiner oder gleich %{count} sein"
138 138 odd: "muss ungerade sein"
139 139 even: "muss gerade sein"
140 140 greater_than_start_date: "muss größer als Anfangsdatum sein"
141 141 not_same_project: "gehört nicht zum selben Projekt"
142 142 circular_dependency: "Diese Beziehung würde eine zyklische Abhängigkeit erzeugen"
143 143 cant_link_an_issue_with_a_descendant: "Ein Ticket kann nicht mit einer ihrer Unteraufgaben verlinkt werden"
144 144
145 145 actionview_instancetag_blank_option: Bitte auswählen
146 146
147 147 general_text_No: 'Nein'
148 148 general_text_Yes: 'Ja'
149 149 general_text_no: 'nein'
150 150 general_text_yes: 'ja'
151 151 general_lang_name: 'Deutsch'
152 152 general_csv_separator: ';'
153 153 general_csv_decimal_separator: ','
154 154 general_csv_encoding: ISO-8859-1
155 155 general_pdf_encoding: UTF-8
156 156 general_first_day_of_week: '1'
157 157
158 158 notice_account_updated: Konto wurde erfolgreich aktualisiert.
159 159 notice_account_invalid_creditentials: Benutzer oder Kennwort ist ungültig.
160 160 notice_account_password_updated: Kennwort wurde erfolgreich aktualisiert.
161 161 notice_account_wrong_password: Falsches Kennwort.
162 162 notice_account_register_done: Konto wurde erfolgreich angelegt.
163 163 notice_account_unknown_email: Unbekannter Benutzer.
164 164 notice_can_t_change_password: Dieses Konto verwendet eine externe Authentifizierungs-Quelle. Unmöglich, das Kennwort zu ändern.
165 165 notice_account_lost_email_sent: Eine E-Mail mit Anweisungen, ein neues Kennwort zu wählen, wurde Ihnen geschickt.
166 166 notice_account_activated: Ihr Konto ist aktiviert. Sie können sich jetzt anmelden.
167 167 notice_successful_create: Erfolgreich angelegt
168 168 notice_successful_update: Erfolgreich aktualisiert.
169 169 notice_successful_delete: Erfolgreich gelöscht.
170 170 notice_successful_connection: Verbindung erfolgreich.
171 171 notice_file_not_found: Anhang existiert nicht oder ist gelöscht worden.
172 172 notice_locking_conflict: Datum wurde von einem anderen Benutzer geändert.
173 173 notice_not_authorized: Sie sind nicht berechtigt, auf diese Seite zuzugreifen.
174 174 notice_email_sent: "Eine E-Mail wurde an %{value} gesendet."
175 175 notice_email_error: "Beim Senden einer E-Mail ist ein Fehler aufgetreten (%{value})."
176 176 notice_feeds_access_key_reseted: Ihr Atom-Zugriffsschlüssel wurde zurückgesetzt.
177 177 notice_api_access_key_reseted: Ihr API-Zugriffsschlüssel wurde zurückgesetzt.
178 178 notice_failed_to_save_issues: "%{count} von %{total} ausgewählten Tickets konnte(n) nicht gespeichert werden: %{ids}."
179 179 notice_failed_to_save_members: "Benutzer konnte nicht gespeichert werden: %{errors}."
180 180 notice_no_issue_selected: "Kein Ticket ausgewählt! Bitte wählen Sie die Tickets, die Sie bearbeiten möchten."
181 181 notice_account_pending: "Ihr Konto wurde erstellt und wartet jetzt auf die Genehmigung des Administrators."
182 182 notice_default_data_loaded: Die Standard-Konfiguration wurde erfolgreich geladen.
183 183 notice_unable_delete_version: Die Version konnte nicht gelöscht werden.
184 184 notice_unable_delete_time_entry: Der Zeiterfassungseintrag konnte nicht gelöscht werden.
185 185 notice_issue_done_ratios_updated: Der Ticket-Fortschritt wurde aktualisiert.
186 186
187 187 error_can_t_load_default_data: "Die Standard-Konfiguration konnte nicht geladen werden: %{value}"
188 188 error_scm_not_found: Eintrag und/oder Revision existiert nicht im Projektarchiv.
189 189 error_scm_command_failed: "Beim Zugriff auf das Projektarchiv ist ein Fehler aufgetreten: %{value}"
190 190 error_scm_annotate: "Der Eintrag existiert nicht oder kann nicht annotiert werden."
191 191 error_issue_not_found_in_project: 'Das Ticket wurde nicht gefunden oder gehört nicht zu diesem Projekt.'
192 192 error_no_tracker_in_project: Diesem Projekt ist kein Tracker zugeordnet. Bitte überprüfen Sie die Projekteinstellungen.
193 193 error_no_default_issue_status: Es ist kein Status als Standard definiert. Bitte überprüfen Sie Ihre Konfiguration (unter "Administration -> Ticket-Status").
194 194 error_can_not_delete_custom_field: Kann das benutzerdefinierte Feld nicht löschen.
195 195 error_can_not_delete_tracker: Dieser Tracker enthält Tickets und kann nicht gelöscht werden.
196 196 error_can_not_remove_role: Diese Rolle wird verwendet und kann nicht gelöscht werden.
197 197 error_can_not_reopen_issue_on_closed_version: Das Ticket ist einer abgeschlossenen Version zugeordnet und kann daher nicht wieder geöffnet werden.
198 198 error_can_not_archive_project: Dieses Projekt kann nicht archiviert werden.
199 199 error_issue_done_ratios_not_updated: Der Ticket-Fortschritt wurde nicht aktualisiert.
200 200 error_workflow_copy_source: Bitte wählen Sie einen Quell-Tracker und eine Quell-Rolle.
201 201 error_workflow_copy_target: Bitte wählen Sie die Ziel-Tracker und -Rollen.
202 202 error_unable_delete_issue_status: "Der Ticket-Status konnte nicht gelöscht werden."
203 203 error_unable_to_connect: Fehler beim Verbinden (%{value})
204 204 warning_attachments_not_saved: "%{count} Datei(en) konnten nicht gespeichert werden."
205 205
206 206 mail_subject_lost_password: "Ihr %{value} Kennwort"
207 207 mail_body_lost_password: 'Benutzen Sie den folgenden Link, um Ihr Kennwort zu ändern:'
208 208 mail_subject_register: "%{value} Kontoaktivierung"
209 209 mail_body_register: 'Um Ihr Konto zu aktivieren, benutzen Sie folgenden Link:'
210 210 mail_body_account_information_external: "Sie können sich mit Ihrem Konto %{value} an anmelden."
211 211 mail_body_account_information: Ihre Konto-Informationen
212 212 mail_subject_account_activation_request: "Antrag auf %{value} Kontoaktivierung"
213 213 mail_body_account_activation_request: "Ein neuer Benutzer (%{value}) hat sich registriert. Sein Konto wartet auf Ihre Genehmigung:"
214 214 mail_subject_reminder: "%{count} Tickets müssen in den nächsten %{days} Tagen abgegeben werden"
215 215 mail_body_reminder: "%{count} Tickets, die Ihnen zugewiesen sind, müssen in den nächsten %{days} Tagen abgegeben werden:"
216 216 mail_subject_wiki_content_added: "Wiki-Seite '%{id}' hinzugefügt"
217 217 mail_body_wiki_content_added: "Die Wiki-Seite '%{id}' wurde von %{author} hinzugefügt."
218 218 mail_subject_wiki_content_updated: "Wiki-Seite '%{id}' erfolgreich aktualisiert"
219 219 mail_body_wiki_content_updated: "Die Wiki-Seite '%{id}' wurde von %{author} aktualisiert."
220 220
221 221 gui_validation_error: 1 Fehler
222 222 gui_validation_error_plural: "%{count} Fehler"
223 223
224 224 field_name: Name
225 225 field_description: Beschreibung
226 226 field_summary: Zusammenfassung
227 227 field_is_required: Erforderlich
228 228 field_firstname: Vorname
229 229 field_lastname: Nachname
230 230 field_mail: E-Mail
231 231 field_filename: Datei
232 232 field_filesize: Größe
233 233 field_downloads: Downloads
234 234 field_author: Autor
235 235 field_created_on: Angelegt
236 236 field_updated_on: Aktualisiert
237 237 field_field_format: Format
238 238 field_is_for_all: Für alle Projekte
239 239 field_possible_values: Mögliche Werte
240 240 field_regexp: Regulärer Ausdruck
241 241 field_min_length: Minimale Länge
242 242 field_max_length: Maximale Länge
243 243 field_value: Wert
244 244 field_category: Kategorie
245 245 field_title: Titel
246 246 field_project: Projekt
247 247 field_issue: Ticket
248 248 field_status: Status
249 249 field_notes: Kommentare
250 250 field_is_closed: Ticket geschlossen
251 251 field_is_default: Standardeinstellung
252 252 field_tracker: Tracker
253 253 field_subject: Thema
254 254 field_due_date: Abgabedatum
255 255 field_assigned_to: Zugewiesen an
256 256 field_priority: Priorität
257 257 field_fixed_version: Zielversion
258 258 field_user: Benutzer
259 259 field_principal: Auftraggeber
260 260 field_role: Rolle
261 261 field_homepage: Projekt-Homepage
262 262 field_is_public: Öffentlich
263 263 field_parent: Unterprojekt von
264 264 field_is_in_roadmap: In der Roadmap anzeigen
265 265 field_login: Mitgliedsname
266 266 field_mail_notification: Mailbenachrichtigung
267 267 field_admin: Administrator
268 268 field_last_login_on: Letzte Anmeldung
269 269 field_language: Sprache
270 270 field_effective_date: Datum
271 271 field_password: Kennwort
272 272 field_new_password: Neues Kennwort
273 273 field_password_confirmation: Bestätigung
274 274 field_version: Version
275 275 field_type: Typ
276 276 field_host: Host
277 277 field_port: Port
278 278 field_account: Konto
279 279 field_base_dn: Base DN
280 280 field_attr_login: Mitgliedsname-Attribut
281 281 field_attr_firstname: Vorname-Attribut
282 282 field_attr_lastname: Name-Attribut
283 283 field_attr_mail: E-Mail-Attribut
284 284 field_onthefly: On-the-fly-Benutzererstellung
285 285 field_start_date: Beginn
286 286 field_done_ratio: % erledigt
287 287 field_auth_source: Authentifizierungs-Modus
288 288 field_hide_mail: E-Mail-Adresse nicht anzeigen
289 289 field_comments: Kommentar
290 290 field_url: URL
291 291 field_start_page: Hauptseite
292 292 field_subproject: Unterprojekt von
293 293 field_hours: Stunden
294 294 field_activity: Aktivität
295 295 field_spent_on: Datum
296 296 field_identifier: Kennung
297 297 field_is_filter: Als Filter benutzen
298 298 field_issue_to: Zugehöriges Ticket
299 299 field_delay: Pufferzeit
300 300 field_assignable: Tickets können dieser Rolle zugewiesen werden
301 301 field_redirect_existing_links: Existierende Links umleiten
302 302 field_estimated_hours: Geschätzter Aufwand
303 303 field_column_names: Spalten
304 304 field_time_entries: Logzeit
305 305 field_time_zone: Zeitzone
306 306 field_searchable: Durchsuchbar
307 307 field_default_value: Standardwert
308 308 field_comments_sorting: Kommentare anzeigen
309 309 field_parent_title: Übergeordnete Seite
310 310 field_editable: Bearbeitbar
311 311 field_watcher: Beobachter
312 312 field_identity_url: OpenID-URL
313 313 field_content: Inhalt
314 314 field_group_by: Gruppiere Ergebnisse nach
315 315 field_sharing: Gemeinsame Verwendung
316 316 field_parent_issue: Übergeordnete Aufgabe
317 317
318 318 setting_app_title: Applikations-Titel
319 319 setting_app_subtitle: Applikations-Untertitel
320 320 setting_welcome_text: Willkommenstext
321 321 setting_default_language: Default-Sprache
322 322 setting_login_required: Authentifizierung erforderlich
323 323 setting_self_registration: Anmeldung ermöglicht
324 324 setting_attachment_max_size: Max. Dateigröße
325 325 setting_issues_export_limit: Max. Anzahl Tickets bei CSV/PDF-Export
326 326 setting_mail_from: E-Mail-Absender
327 327 setting_bcc_recipients: E-Mails als Blindkopie (BCC) senden
328 328 setting_plain_text_mail: Nur reinen Text (kein HTML) senden
329 329 setting_host_name: Hostname
330 330 setting_text_formatting: Textformatierung
331 331 setting_wiki_compression: Wiki-Historie komprimieren
332 332 setting_feeds_limit: Max. Anzahl Einträge pro Atom-Feed
333 333 setting_default_projects_public: Neue Projekte sind standardmäßig öffentlich
334 334 setting_autofetch_changesets: Changesets automatisch abrufen
335 335 setting_sys_api_enabled: Webservice zur Verwaltung der Projektarchive benutzen
336 336 setting_commit_ref_keywords: Schlüsselwörter (Beziehungen)
337 337 setting_commit_fix_keywords: Schlüsselwörter (Status)
338 338 setting_autologin: Automatische Anmeldung
339 339 setting_date_format: Datumsformat
340 340 setting_time_format: Zeitformat
341 341 setting_cross_project_issue_relations: Ticket-Beziehungen zwischen Projekten erlauben
342 342 setting_issue_list_default_columns: Default-Spalten in der Ticket-Auflistung
343 343 setting_repositories_encodings: Kodierungen der Projektarchive
344 344 setting_commit_logs_encoding: Kodierung der Commit-Log-Meldungen
345 345 setting_emails_footer: E-Mail-Fußzeile
346 346 setting_protocol: Protokoll
347 347 setting_per_page_options: Objekte pro Seite
348 348 setting_user_format: Benutzer-Anzeigeformat
349 349 setting_activity_days_default: Anzahl Tage pro Seite der Projekt-Aktivität
350 350 setting_display_subprojects_issues: Tickets von Unterprojekten im Hauptprojekt anzeigen
351 351 setting_enabled_scm: Aktivierte Versionskontrollsysteme
352 352 setting_mail_handler_body_delimiters: "Schneide E-Mails nach einer dieser Zeilen ab"
353 353 setting_mail_handler_api_enabled: Abruf eingehender E-Mails aktivieren
354 354 setting_mail_handler_api_key: API-Schlüssel
355 355 setting_sequential_project_identifiers: Fortlaufende Projektkennungen generieren
356 356 setting_gravatar_enabled: Gravatar-Benutzerbilder benutzen
357 357 setting_gravatar_default: Standard-Gravatar-Bild
358 358 setting_diff_max_lines_displayed: Maximale Anzahl anzuzeigender Diff-Zeilen
359 359 setting_file_max_size_displayed: Maximale Größe inline angezeigter Textdateien
360 360 setting_repository_log_display_limit: Maximale Anzahl anzuzeigender Revisionen in der Historie einer Datei
361 361 setting_openid: Erlaube OpenID-Anmeldung und -Registrierung
362 362 setting_password_min_length: Mindestlänge des Kennworts
363 363 setting_new_project_user_role_id: Rolle, die einem Nicht-Administrator zugeordnet wird, der ein Projekt erstellt
364 364 setting_default_projects_modules: Standardmäßig aktivierte Module für neue Projekte
365 365 setting_issue_done_ratio: Berechne den Ticket-Fortschritt mittels
366 366 setting_issue_done_ratio_issue_field: Ticket-Feld %-erledigt
367 367 setting_issue_done_ratio_issue_status: Ticket-Status
368 368 setting_start_of_week: Wochenanfang
369 369 setting_rest_api_enabled: REST-Schnittstelle aktivieren
370 370 setting_cache_formatted_text: Formatierten Text im Cache speichern
371 371
372 372 permission_add_project: Projekt erstellen
373 373 permission_add_subprojects: Unterprojekte erstellen
374 374 permission_edit_project: Projekt bearbeiten
375 375 permission_select_project_modules: Projektmodule auswählen
376 376 permission_manage_members: Mitglieder verwalten
377 377 permission_manage_project_activities: Aktivitäten (Zeiterfassung) verwalten
378 378 permission_manage_versions: Versionen verwalten
379 379 permission_manage_categories: Ticket-Kategorien verwalten
380 380 permission_view_issues: Tickets anzeigen
381 381 permission_add_issues: Tickets hinzufügen
382 382 permission_edit_issues: Tickets bearbeiten
383 383 permission_manage_issue_relations: Ticket-Beziehungen verwalten
384 384 permission_add_issue_notes: Kommentare hinzufügen
385 385 permission_edit_issue_notes: Kommentare bearbeiten
386 386 permission_edit_own_issue_notes: Eigene Kommentare bearbeiten
387 387 permission_move_issues: Tickets verschieben
388 388 permission_delete_issues: Tickets löschen
389 389 permission_manage_public_queries: Öffentliche Filter verwalten
390 390 permission_save_queries: Filter speichern
391 391 permission_view_gantt: Gantt-Diagramm ansehen
392 392 permission_view_calendar: Kalender ansehen
393 393 permission_view_issue_watchers: Liste der Beobachter ansehen
394 394 permission_add_issue_watchers: Beobachter hinzufügen
395 395 permission_delete_issue_watchers: Beobachter löschen
396 396 permission_log_time: Aufwände buchen
397 397 permission_view_time_entries: Gebuchte Aufwände ansehen
398 398 permission_edit_time_entries: Gebuchte Aufwände bearbeiten
399 399 permission_edit_own_time_entries: Selbst gebuchte Aufwände bearbeiten
400 400 permission_manage_news: News verwalten
401 401 permission_comment_news: News kommentieren
402 402 permission_manage_documents: Dokumente verwalten
403 403 permission_view_documents: Dokumente ansehen
404 404 permission_manage_files: Dateien verwalten
405 405 permission_view_files: Dateien ansehen
406 406 permission_manage_wiki: Wiki verwalten
407 407 permission_rename_wiki_pages: Wiki-Seiten umbenennen
408 408 permission_delete_wiki_pages: Wiki-Seiten löschen
409 409 permission_view_wiki_pages: Wiki ansehen
410 410 permission_view_wiki_edits: Wiki-Versionsgeschichte ansehen
411 411 permission_edit_wiki_pages: Wiki-Seiten bearbeiten
412 412 permission_delete_wiki_pages_attachments: Anhänge löschen
413 413 permission_protect_wiki_pages: Wiki-Seiten schützen
414 414 permission_manage_repository: Projektarchiv verwalten
415 415 permission_browse_repository: Projektarchiv ansehen
416 416 permission_view_changesets: Changesets ansehen
417 417 permission_commit_access: Commit-Zugriff (über WebDAV)
418 418 permission_manage_boards: Foren verwalten
419 419 permission_view_messages: Forenbeiträge ansehen
420 420 permission_add_messages: Forenbeiträge hinzufügen
421 421 permission_edit_messages: Forenbeiträge bearbeiten
422 422 permission_edit_own_messages: Eigene Forenbeiträge bearbeiten
423 423 permission_delete_messages: Forenbeiträge löschen
424 424 permission_delete_own_messages: Eigene Forenbeiträge löschen
425 425 permission_export_wiki_pages: Wiki-Seiten exportieren
426 426 permission_manage_subtasks: Unteraufgaben verwalten
427 427
428 428 project_module_issue_tracking: Ticket-Verfolgung
429 429 project_module_time_tracking: Zeiterfassung
430 430 project_module_news: News
431 431 project_module_documents: Dokumente
432 432 project_module_files: Dateien
433 433 project_module_wiki: Wiki
434 434 project_module_repository: Projektarchiv
435 435 project_module_boards: Foren
436 436 project_module_calendar: Kalender
437 437 project_module_gantt: Gantt
438 438
439 439 label_user: Benutzer
440 440 label_user_plural: Benutzer
441 441 label_user_new: Neuer Benutzer
442 442 label_user_anonymous: Anonym
443 443 label_project: Projekt
444 444 label_project_new: Neues Projekt
445 445 label_project_plural: Projekte
446 446 label_x_projects:
447 447 zero: keine Projekte
448 448 one: 1 Projekt
449 449 other: "%{count} Projekte"
450 450 label_project_all: Alle Projekte
451 451 label_project_latest: Neueste Projekte
452 452 label_issue: Ticket
453 453 label_issue_new: Neues Ticket
454 454 label_issue_plural: Tickets
455 455 label_issue_view_all: Alle Tickets anzeigen
456 456 label_issues_by: "Tickets von %{value}"
457 457 label_issue_added: Ticket hinzugefügt
458 458 label_issue_updated: Ticket aktualisiert
459 459 label_document: Dokument
460 460 label_document_new: Neues Dokument
461 461 label_document_plural: Dokumente
462 462 label_document_added: Dokument hinzugefügt
463 463 label_role: Rolle
464 464 label_role_plural: Rollen
465 465 label_role_new: Neue Rolle
466 466 label_role_and_permissions: Rollen und Rechte
467 467 label_member: Mitglied
468 468 label_member_new: Neues Mitglied
469 469 label_member_plural: Mitglieder
470 470 label_tracker: Tracker
471 471 label_tracker_plural: Tracker
472 472 label_tracker_new: Neuer Tracker
473 473 label_workflow: Workflow
474 474 label_issue_status: Ticket-Status
475 475 label_issue_status_plural: Ticket-Status
476 476 label_issue_status_new: Neuer Status
477 477 label_issue_category: Ticket-Kategorie
478 478 label_issue_category_plural: Ticket-Kategorien
479 479 label_issue_category_new: Neue Kategorie
480 480 label_custom_field: Benutzerdefiniertes Feld
481 481 label_custom_field_plural: Benutzerdefinierte Felder
482 482 label_custom_field_new: Neues Feld
483 483 label_enumerations: Aufzählungen
484 484 label_enumeration_new: Neuer Wert
485 485 label_information: Information
486 486 label_information_plural: Informationen
487 487 label_please_login: Anmelden
488 488 label_register: Registrieren
489 489 label_login_with_open_id_option: oder mit OpenID anmelden
490 490 label_password_lost: Kennwort vergessen
491 491 label_home: Hauptseite
492 492 label_my_page: Meine Seite
493 493 label_my_account: Mein Konto
494 494 label_my_projects: Meine Projekte
495 495 label_my_page_block: Bereich "Meine Seite"
496 496 label_administration: Administration
497 497 label_login: Anmelden
498 498 label_logout: Abmelden
499 499 label_help: Hilfe
500 500 label_reported_issues: Gemeldete Tickets
501 501 label_assigned_to_me_issues: Mir zugewiesen
502 502 label_last_login: Letzte Anmeldung
503 503 label_registered_on: Angemeldet am
504 504 label_activity: Aktivität
505 505 label_overall_activity: Aktivität aller Projekte anzeigen
506 506 label_user_activity: "Aktivität von %{value}"
507 507 label_new: Neu
508 508 label_logged_as: Angemeldet als
509 509 label_environment: Umgebung
510 510 label_authentication: Authentifizierung
511 511 label_auth_source: Authentifizierungs-Modus
512 512 label_auth_source_new: Neuer Authentifizierungs-Modus
513 513 label_auth_source_plural: Authentifizierungs-Arten
514 514 label_subproject_plural: Unterprojekte
515 515 label_subproject_new: Neues Unterprojekt
516 516 label_and_its_subprojects: "%{value} und dessen Unterprojekte"
517 517 label_min_max_length: Länge (Min. - Max.)
518 518 label_list: Liste
519 519 label_date: Datum
520 520 label_integer: Zahl
521 521 label_float: Fließkommazahl
522 522 label_boolean: Boolean
523 523 label_string: Text
524 524 label_text: Langer Text
525 525 label_attribute: Attribut
526 526 label_attribute_plural: Attribute
527 527 label_download: "%{count} Download"
528 528 label_download_plural: "%{count} Downloads"
529 529 label_no_data: Nichts anzuzeigen
530 530 label_change_status: Statuswechsel
531 531 label_history: Historie
532 532 label_attachment: Datei
533 533 label_attachment_new: Neue Datei
534 534 label_attachment_delete: Anhang löschen
535 535 label_attachment_plural: Dateien
536 536 label_file_added: Datei hinzugefügt
537 537 label_report: Bericht
538 538 label_report_plural: Berichte
539 539 label_news: News
540 540 label_news_new: News hinzufügen
541 541 label_news_plural: News
542 542 label_news_latest: Letzte News
543 543 label_news_view_all: Alle News anzeigen
544 544 label_news_added: News hinzugefügt
545 545 label_settings: Konfiguration
546 546 label_overview: Übersicht
547 547 label_version: Version
548 548 label_version_new: Neue Version
549 549 label_version_plural: Versionen
550 550 label_close_versions: Vollständige Versionen schließen
551 551 label_confirmation: Bestätigung
552 552 label_export_to: "Auch abrufbar als:"
553 553 label_read: Lesen...
554 554 label_public_projects: Öffentliche Projekte
555 555 label_open_issues: offen
556 556 label_open_issues_plural: offen
557 557 label_closed_issues: geschlossen
558 558 label_closed_issues_plural: geschlossen
559 559 label_x_open_issues_abbr_on_total:
560 560 zero: 0 offen / %{total}
561 561 one: 1 offen / %{total}
562 562 other: "%{count} offen / %{total}"
563 563 label_x_open_issues_abbr:
564 564 zero: 0 offen
565 565 one: 1 offen
566 566 other: "%{count} offen"
567 567 label_x_closed_issues_abbr:
568 568 zero: 0 geschlossen
569 569 one: 1 geschlossen
570 570 other: "%{count} geschlossen"
571 571 label_total: Gesamtzahl
572 572 label_permissions: Berechtigungen
573 573 label_current_status: Gegenwärtiger Status
574 574 label_new_statuses_allowed: Neue Berechtigungen
575 575 label_all: alle
576 576 label_none: kein
577 577 label_nobody: Niemand
578 578 label_next: Weiter
579 579 label_previous: Zurück
580 580 label_used_by: Benutzt von
581 581 label_details: Details
582 582 label_add_note: Kommentar hinzufügen
583 583 label_per_page: Pro Seite
584 584 label_calendar: Kalender
585 585 label_months_from: Monate ab
586 586 label_gantt: Gantt-Diagramm
587 587 label_internal: Intern
588 588 label_last_changes: "%{count} letzte Änderungen"
589 589 label_change_view_all: Alle Änderungen anzeigen
590 590 label_personalize_page: Diese Seite anpassen
591 591 label_comment: Kommentar
592 592 label_comment_plural: Kommentare
593 593 label_x_comments:
594 594 zero: keine Kommentare
595 595 one: 1 Kommentar
596 596 other: "%{count} Kommentare"
597 597 label_comment_add: Kommentar hinzufügen
598 598 label_comment_added: Kommentar hinzugefügt
599 599 label_comment_delete: Kommentar löschen
600 600 label_query: Benutzerdefinierte Abfrage
601 601 label_query_plural: Benutzerdefinierte Berichte
602 602 label_query_new: Neuer Bericht
603 603 label_filter_add: Filter hinzufügen
604 604 label_filter_plural: Filter
605 605 label_equals: ist
606 606 label_not_equals: ist nicht
607 607 label_in_less_than: in weniger als
608 608 label_in_more_than: in mehr als
609 609 label_greater_or_equal: ">="
610 610 label_less_or_equal: "<="
611 611 label_in: an
612 612 label_today: heute
613 613 label_all_time: gesamter Zeitraum
614 614 label_yesterday: gestern
615 615 label_this_week: aktuelle Woche
616 616 label_last_week: vorige Woche
617 617 label_last_n_days: "die letzten %{count} Tage"
618 618 label_this_month: aktueller Monat
619 619 label_last_month: voriger Monat
620 620 label_this_year: aktuelles Jahr
621 621 label_date_range: Zeitraum
622 622 label_less_than_ago: vor weniger als
623 623 label_more_than_ago: vor mehr als
624 624 label_ago: vor
625 625 label_contains: enthält
626 626 label_not_contains: enthält nicht
627 627 label_day_plural: Tage
628 628 label_repository: Projektarchiv
629 629 label_repository_plural: Projektarchive
630 630 label_browse: Codebrowser
631 631 label_modification: "%{count} Änderung"
632 632 label_modification_plural: "%{count} Änderungen"
633 633 label_branch: Zweig
634 634 label_tag: Markierung
635 635 label_revision: Revision
636 636 label_revision_plural: Revisionen
637 637 label_revision_id: Revision %{value}
638 638 label_associated_revisions: Zugehörige Revisionen
639 639 label_added: hinzugefügt
640 640 label_modified: geändert
641 641 label_copied: kopiert
642 642 label_renamed: umbenannt
643 643 label_deleted: gelöscht
644 644 label_latest_revision: Aktuellste Revision
645 645 label_latest_revision_plural: Aktuellste Revisionen
646 646 label_view_revisions: Revisionen anzeigen
647 647 label_view_all_revisions: Alle Revisionen anzeigen
648 648 label_max_size: Maximale Größe
649 649 label_sort_highest: An den Anfang
650 650 label_sort_higher: Eins höher
651 651 label_sort_lower: Eins tiefer
652 652 label_sort_lowest: Ans Ende
653 653 label_roadmap: Roadmap
654 654 label_roadmap_due_in: "Fällig in %{value}"
655 655 label_roadmap_overdue: "%{value} verspätet"
656 656 label_roadmap_no_issues: Keine Tickets für diese Version
657 657 label_search: Suche
658 658 label_result_plural: Resultate
659 659 label_all_words: Alle Wörter
660 660 label_wiki: Wiki
661 661 label_wiki_edit: Wiki-Bearbeitung
662 662 label_wiki_edit_plural: Wiki-Bearbeitungen
663 663 label_wiki_page: Wiki-Seite
664 664 label_wiki_page_plural: Wiki-Seiten
665 665 label_index_by_title: Seiten nach Titel sortiert
666 666 label_index_by_date: Seiten nach Datum sortiert
667 667 label_current_version: Gegenwärtige Version
668 668 label_preview: Vorschau
669 669 label_feed_plural: Feeds
670 670 label_changes_details: Details aller Änderungen
671 671 label_issue_tracking: Tickets
672 672 label_spent_time: Aufgewendete Zeit
673 673 label_overall_spent_time: Aufgewendete Zeit aller Projekte anzeigen
674 674 label_f_hour: "%{value} Stunde"
675 675 label_f_hour_plural: "%{value} Stunden"
676 676 label_time_tracking: Zeiterfassung
677 677 label_change_plural: Änderungen
678 678 label_statistics: Statistiken
679 679 label_commits_per_month: Übertragungen pro Monat
680 680 label_commits_per_author: Übertragungen pro Autor
681 681 label_view_diff: Unterschiede anzeigen
682 682 label_diff_inline: einspaltig
683 683 label_diff_side_by_side: nebeneinander
684 684 label_options: Optionen
685 685 label_copy_workflow_from: Workflow kopieren von
686 686 label_permissions_report: Berechtigungsübersicht
687 687 label_watched_issues: Beobachtete Tickets
688 688 label_related_issues: Zugehörige Tickets
689 689 label_applied_status: Zugewiesener Status
690 690 label_loading: Lade...
691 691 label_relation_new: Neue Beziehung
692 692 label_relation_delete: Beziehung löschen
693 693 label_relates_to: Beziehung mit
694 694 label_duplicates: Duplikat von
695 695 label_duplicated_by: Dupliziert durch
696 696 label_blocks: Blockiert
697 697 label_blocked_by: Blockiert durch
698 698 label_precedes: Vorgänger von
699 699 label_follows: folgt
700 700 label_end_to_start: Ende - Anfang
701 701 label_end_to_end: Ende - Ende
702 702 label_start_to_start: Anfang - Anfang
703 703 label_start_to_end: Anfang - Ende
704 704 label_stay_logged_in: Angemeldet bleiben
705 705 label_disabled: gesperrt
706 706 label_show_completed_versions: Abgeschlossene Versionen anzeigen
707 707 label_me: ich
708 708 label_board: Forum
709 709 label_board_new: Neues Forum
710 710 label_board_plural: Foren
711 711 label_board_locked: Gesperrt
712 712 label_board_sticky: Wichtig (immer oben)
713 713 label_topic_plural: Themen
714 714 label_message_plural: Forenbeiträge
715 715 label_message_last: Letzter Forenbeitrag
716 716 label_message_new: Neues Thema
717 717 label_message_posted: Forenbeitrag hinzugefügt
718 718 label_reply_plural: Antworten
719 719 label_send_information: Sende Kontoinformationen zum Benutzer
720 720 label_year: Jahr
721 721 label_month: Monat
722 722 label_week: Woche
723 723 label_date_from: Von
724 724 label_date_to: Bis
725 725 label_language_based: Sprachabhängig
726 726 label_sort_by: "Sortiert nach %{value}"
727 727 label_send_test_email: Test-E-Mail senden
728 728 label_feeds_access_key: RSS-Zugriffsschlüssel
729 729 label_missing_feeds_access_key: Der RSS-Zugriffsschlüssel fehlt.
730 730 label_feeds_access_key_created_on: "Atom-Zugriffsschlüssel vor %{value} erstellt"
731 731 label_module_plural: Module
732 732 label_added_time_by: "Von %{author} vor %{age} hinzugefügt"
733 733 label_updated_time_by: "Von %{author} vor %{age} aktualisiert"
734 734 label_updated_time: "Vor %{value} aktualisiert"
735 735 label_jump_to_a_project: Zu einem Projekt springen...
736 736 label_file_plural: Dateien
737 737 label_changeset_plural: Changesets
738 738 label_default_columns: Standard-Spalten
739 739 label_no_change_option: (Keine Änderung)
740 740 label_bulk_edit_selected_issues: Alle ausgewählten Tickets bearbeiten
741 741 label_theme: Stil
742 742 label_default: Standard
743 743 label_search_titles_only: Nur Titel durchsuchen
744 744 label_user_mail_option_all: "Für alle Ereignisse in all meinen Projekten"
745 745 label_user_mail_option_selected: "Für alle Ereignisse in den ausgewählten Projekten..."
746 746 label_user_mail_no_self_notified: "Ich möchte nicht über Änderungen benachrichtigt werden, die ich selbst durchführe."
747 747 label_registration_activation_by_email: Kontoaktivierung durch E-Mail
748 748 label_registration_manual_activation: Manuelle Kontoaktivierung
749 749 label_registration_automatic_activation: Automatische Kontoaktivierung
750 750 label_display_per_page: "Pro Seite: %{value}"
751 751 label_age: Geändert vor
752 752 label_change_properties: Eigenschaften ändern
753 753 label_general: Allgemein
754 754 label_more: Mehr
755 755 label_scm: Versionskontrollsystem
756 756 label_plugins: Plugins
757 757 label_ldap_authentication: LDAP-Authentifizierung
758 758 label_downloads_abbr: D/L
759 759 label_optional_description: Beschreibung (optional)
760 760 label_add_another_file: Eine weitere Datei hinzufügen
761 761 label_preferences: Präferenzen
762 762 label_chronological_order: in zeitlicher Reihenfolge
763 763 label_reverse_chronological_order: in umgekehrter zeitlicher Reihenfolge
764 764 label_planning: Terminplanung
765 765 label_incoming_emails: Eingehende E-Mails
766 766 label_generate_key: Generieren
767 767 label_issue_watchers: Beobachter
768 768 label_example: Beispiel
769 769 label_display: Anzeige
770 770 label_sort: Sortierung
771 771 label_ascending: Aufsteigend
772 772 label_descending: Absteigend
773 773 label_date_from_to: von %{start} bis %{end}
774 774 label_wiki_content_added: Die Wiki-Seite wurde erfolgreich hinzugefügt.
775 775 label_wiki_content_updated: Die Wiki-Seite wurde erfolgreich aktualisiert.
776 776 label_group: Gruppe
777 777 label_group_plural: Gruppen
778 778 label_group_new: Neue Gruppe
779 779 label_time_entry_plural: Benötigte Zeit
780 780 label_version_sharing_none: Nicht gemeinsam verwenden
781 781 label_version_sharing_descendants: Mit Unterprojekten
782 782 label_version_sharing_hierarchy: Mit Projekthierarchie
783 783 label_version_sharing_tree: Mit Projektbaum
784 784 label_version_sharing_system: Mit allen Projekten
785 785 label_update_issue_done_ratios: Ticket-Fortschritt aktualisieren
786 786 label_copy_source: Quelle
787 787 label_copy_target: Ziel
788 788 label_copy_same_as_target: So wie das Ziel
789 789 label_display_used_statuses_only: Zeige nur Status an, die von diesem Tracker verwendet werden
790 790 label_api_access_key: API-Zugriffsschlüssel
791 791 label_missing_api_access_key: Der API-Zugriffsschlüssel fehlt.
792 792 label_api_access_key_created_on: Der API-Zugriffsschlüssel wurde vor %{value} erstellt
793 793 label_profile: Profil
794 794 label_subtask_plural: Unteraufgaben
795 795 label_project_copy_notifications: Sende Mailbenachrichtigungen beim Kopieren des Projekts.
796 796 label_principal_search: "Nach Benutzer oder Gruppe suchen:"
797 797 label_user_search: "Nach Benutzer suchen:"
798 798
799 799 button_login: Anmelden
800 800 button_submit: OK
801 801 button_save: Speichern
802 802 button_check_all: Alles auswählen
803 803 button_uncheck_all: Alles abwählen
804 804 button_delete: Löschen
805 805 button_create: Anlegen
806 806 button_create_and_continue: Anlegen und weiter
807 807 button_test: Testen
808 808 button_edit: Bearbeiten
809 809 button_edit_associated_wikipage: "Zugehörige Wikiseite bearbeiten: %{page_title}"
810 810 button_add: Hinzufügen
811 811 button_change: Wechseln
812 812 button_apply: Anwenden
813 813 button_clear: Zurücksetzen
814 814 button_lock: Sperren
815 815 button_unlock: Entsperren
816 816 button_download: Download
817 817 button_list: Liste
818 818 button_view: Anzeigen
819 819 button_move: Verschieben
820 820 button_move_and_follow: Verschieben und Ticket anzeigen
821 821 button_back: Zurück
822 822 button_cancel: Abbrechen
823 823 button_activate: Aktivieren
824 824 button_sort: Sortieren
825 825 button_log_time: Aufwand buchen
826 826 button_rollback: Auf diese Version zurücksetzen
827 827 button_watch: Beobachten
828 828 button_unwatch: Nicht beobachten
829 829 button_reply: Antworten
830 830 button_archive: Archivieren
831 831 button_unarchive: Entarchivieren
832 832 button_reset: Zurücksetzen
833 833 button_rename: Umbenennen
834 834 button_change_password: Kennwort ändern
835 835 button_copy: Kopieren
836 836 button_copy_and_follow: Kopieren und Ticket anzeigen
837 837 button_annotate: Annotieren
838 838 button_update: Bearbeiten
839 839 button_configure: Konfigurieren
840 840 button_quote: Zitieren
841 841 button_duplicate: Duplizieren
842 842 button_show: Anzeigen
843 843
844 844 status_active: aktiv
845 845 status_registered: angemeldet
846 846 status_locked: gesperrt
847 847
848 848 version_status_open: offen
849 849 version_status_locked: gesperrt
850 850 version_status_closed: abgeschlossen
851 851
852 852 field_active: Aktiv
853 853
854 854 text_select_mail_notifications: Bitte wählen Sie die Aktionen aus, für die eine Mailbenachrichtigung gesendet werden soll.
855 855 text_regexp_info: z. B. ^[A-Z0-9]+$
856 856 text_min_max_length_info: 0 heißt keine Beschränkung
857 857 text_project_destroy_confirmation: Sind Sie sicher, dass sie das Projekt löschen wollen?
858 858 text_subprojects_destroy_warning: "Dessen Unterprojekte (%{value}) werden ebenfalls gelöscht."
859 859 text_workflow_edit: Workflow zum Bearbeiten auswählen
860 860 text_are_you_sure: Sind Sie sicher?
861 861 text_are_you_sure_with_children: "Lösche Aufgabe und alle Unteraufgaben?"
862 862 text_journal_changed: "%{label} wurde von %{old} zu %{new} geändert"
863 863 text_journal_set_to: "%{label} wurde auf %{value} gesetzt"
864 864 text_journal_deleted: "%{label} %{old} wurde gelöscht"
865 865 text_journal_added: "%{label} %{value} wurde hinzugefügt"
866 866 text_tip_issue_begin_day: Aufgabe, die an diesem Tag beginnt
867 867 text_tip_issue_end_day: Aufgabe, die an diesem Tag endet
868 868 text_tip_issue_begin_end_day: Aufgabe, die an diesem Tag beginnt und endet
869 869 text_project_identifier_info: 'Kleinbuchstaben (a-z), Ziffern und Bindestriche erlaubt.<br />Einmal gespeichert, kann die Kennung nicht mehr geändert werden.'
870 870 text_caracters_maximum: "Max. %{count} Zeichen."
871 871 text_caracters_minimum: "Muss mindestens %{count} Zeichen lang sein."
872 872 text_length_between: "Länge zwischen %{min} und %{max} Zeichen."
873 873 text_tracker_no_workflow: Kein Workflow für diesen Tracker definiert.
874 874 text_unallowed_characters: Nicht erlaubte Zeichen
875 875 text_comma_separated: Mehrere Werte erlaubt (durch Komma getrennt).
876 876 text_line_separated: Mehrere Werte sind erlaubt (eine Zeile pro Wert).
877 877 text_issues_ref_in_commit_messages: Ticket-Beziehungen und -Status in Commit-Log-Meldungen
878 878 text_issue_added: "Ticket %{id} wurde erstellt von %{author}."
879 879 text_issue_updated: "Ticket %{id} wurde aktualisiert von %{author}."
880 880 text_wiki_destroy_confirmation: Sind Sie sicher, dass Sie dieses Wiki mit sämtlichem Inhalt löschen möchten?
881 881 text_issue_category_destroy_question: "Einige Tickets (%{count}) sind dieser Kategorie zugeodnet. Was möchten Sie tun?"
882 882 text_issue_category_destroy_assignments: Kategorie-Zuordnung entfernen
883 883 text_issue_category_reassign_to: Tickets dieser Kategorie zuordnen
884 884 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 885 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 886 text_load_default_configuration: Standard-Konfiguration laden
887 887 text_status_changed_by_changeset: "Status geändert durch Changeset %{value}."
888 888 text_issues_destroy_confirmation: 'Sind Sie sicher, dass Sie die ausgewählten Tickets löschen möchten?'
889 889 text_select_project_modules: 'Bitte wählen Sie die Module aus, die in diesem Projekt aktiviert sein sollen:'
890 890 text_default_administrator_account_changed: Administrator-Kennwort geändert
891 891 text_file_repository_writable: Verzeichnis für Dateien beschreibbar
892 892 text_plugin_assets_writable: Verzeichnis für Plugin-Assets beschreibbar
893 893 text_rmagick_available: RMagick verfügbar (optional)
894 894 text_destroy_time_entries_question: Es wurden bereits %{hours} Stunden auf dieses Ticket gebucht. Was soll mit den Aufwänden geschehen?
895 895 text_destroy_time_entries: Gebuchte Aufwände löschen
896 896 text_assign_time_entries_to_project: Gebuchte Aufwände dem Projekt zuweisen
897 897 text_reassign_time_entries: 'Gebuchte Aufwände diesem Ticket zuweisen:'
898 898 text_user_wrote: "%{value} schrieb:"
899 899 text_enumeration_destroy_question: "%{count} Objekt(e) sind diesem Wert zugeordnet."
900 900 text_enumeration_category_reassign_to: 'Die Objekte stattdessen diesem Wert zuordnen:'
901 901 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 902 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 903 text_diff_truncated: '... Dieser Diff wurde abgeschnitten, weil er die maximale Anzahl anzuzeigender Zeilen überschreitet.'
904 904 text_custom_field_possible_values_info: 'Eine Zeile pro Wert'
905 905 text_wiki_page_destroy_question: "Diese Seite hat %{descendants} Unterseite(n). Was möchten Sie tun?"
906 906 text_wiki_page_nullify_children: Verschiebe die Unterseiten auf die oberste Ebene
907 907 text_wiki_page_destroy_children: Lösche alle Unterseiten
908 908 text_wiki_page_reassign_children: Ordne die Unterseiten dieser Seite zu
909 909 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 910 text_zoom_in: Zoom in
911 911 text_zoom_out: Zoom out
912 912
913 913 default_role_manager: Manager
914 914 default_role_developer: Entwickler
915 915 default_role_reporter: Reporter
916 916 default_tracker_bug: Fehler
917 917 default_tracker_feature: Feature
918 918 default_tracker_support: Unterstützung
919 919 default_issue_status_new: Neu
920 920 default_issue_status_in_progress: In Bearbeitung
921 921 default_issue_status_resolved: Gelöst
922 922 default_issue_status_feedback: Feedback
923 923 default_issue_status_closed: Erledigt
924 924 default_issue_status_rejected: Abgewiesen
925 925 default_doc_category_user: Benutzerdokumentation
926 926 default_doc_category_tech: Technische Dokumentation
927 927 default_priority_low: Niedrig
928 928 default_priority_normal: Normal
929 929 default_priority_high: Hoch
930 930 default_priority_urgent: Dringend
931 931 default_priority_immediate: Sofort
932 932 default_activity_design: Design
933 933 default_activity_development: Entwicklung
934 934
935 935 enumeration_issue_priorities: Ticket-Prioritäten
936 936 enumeration_doc_categories: Dokumentenkategorien
937 937 enumeration_activities: Aktivitäten (Zeiterfassung)
938 938 enumeration_system_activity: System-Aktivität
939 939
940 940 field_text: Textfeld
941 941 label_user_mail_option_only_owner: Nur für Aufgaben die ich angelegt habe
942 942 setting_default_notification_option: Standard Benachrichtigungsoptionen
943 943 label_user_mail_option_only_my_events: Nur für Aufgaben die ich beobachte oder an welchen ich mitarbeite
944 944 label_user_mail_option_only_assigned: Nur für Aufgaben für die ich zuständig bin.
945 945 notice_not_authorized_archived_project: Das Projekt wurde archiviert und ist daher nicht nicht verfügbar.
946 946 label_user_mail_option_none: keine Ereignisse
947 947 field_member_of_group: Zuständigkeitsgruppe
948 948 field_assigned_to_role: Zuständigkeitsrolle
949 949 field_visible: Sichtbar
950 950 setting_emails_header: Emailkopf
951 951 setting_commit_logtime_activity_id: Aktivität für die Zeiterfassung
952 952 text_time_logged_by_changeset: Angewendet in Changeset %{value}.
953 953 setting_commit_logtime_enabled: Aktiviere Zeitlogging
954 954 notice_gantt_chart_truncated: Die Grafik ist unvollständig, da das Maximum der anzeigbaren Aufgaben überschritten wurde (%{max})
955 955 setting_gantt_items_limit: Maximale Anzahl von Aufgaben die im Gantt-Chart angezeigt werden.
956 956 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
957 957 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
958 958 label_my_queries: My custom queries
959 959 text_journal_changed_no_detail: "%{label} updated"
960 960 label_news_comment_added: Comment added to a news
961 961 button_expand_all: Expand all
962 962 button_collapse_all: Collapse all
963 963 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
964 964 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
965 965 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
966 966 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
967 967 label_role_anonymous: Anonymous
968 968 label_role_non_member: Non member
969 969 label_issue_note_added: Note added
970 970 label_issue_status_updated: Status updated
971 971 label_issue_priority_updated: Priority updated
972 972 label_issues_visibility_own: Issues created by or assigned to the user
973 973 field_issues_visibility: Issues visibility
974 974 label_issues_visibility_all: All issues
975 975 permission_set_own_issues_private: Set own issues public or private
976 976 field_is_private: Private
977 977 permission_set_issues_private: Set issues public or private
978 978 label_issues_visibility_public: All non private issues
979 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
@@ -1,961 +1,962
1 1 # Greek translations for Ruby on Rails
2 2 # by Vaggelis Typaldos (vtypal@gmail.com), Spyros Raptis (spirosrap@gmail.com)
3 3
4 4 el:
5 5 direction: ltr
6 6 date:
7 7 formats:
8 8 # Use the strftime parameters for formats.
9 9 # When no format has been given, it uses default.
10 10 # You can provide other formats here if you like!
11 11 default: "%m/%d/%Y"
12 12 short: "%b %d"
13 13 long: "%B %d, %Y"
14 14
15 15 day_names: [Κυριακή, Δευτέρα, Τρίτη, Τετάρτη, Πέμπτη, Παρασκευή, Σάββατο]
16 16 abbr_day_names: [Κυρ, Δευ, Τρι, Τετ, Πεμ, Παρ, Σαβ]
17 17
18 18 # Don't forget the nil at the beginning; there's no such thing as a 0th month
19 19 month_names: [~, Ιανουάριος, Φεβρουάριος, Μάρτιος, Απρίλιος, Μάϊος, Ιούνιος, Ιούλιος, Αύγουστος, Σεπτέμβριος, Οκτώβριος, Νοέμβριος, Δεκέμβριος]
20 20 abbr_month_names: [~, Ιαν, Φεβ, Μαρ, Απρ, Μαϊ, Ιον, Ιολ, Αυγ, Σεπ, Οκτ, Νοε, Δεκ]
21 21 # Used in date_select and datime_select.
22 22 order: [ :year, :month, :day ]
23 23
24 24 time:
25 25 formats:
26 26 default: "%m/%d/%Y %I:%M %p"
27 27 time: "%I:%M %p"
28 28 short: "%d %b %H:%M"
29 29 long: "%B %d, %Y %H:%M"
30 30 am: "πμ"
31 31 pm: "μμ"
32 32
33 33 datetime:
34 34 distance_in_words:
35 35 half_a_minute: "μισό λεπτό"
36 36 less_than_x_seconds:
37 37 one: "λιγότερο από 1 δευτερόλεπτο"
38 38 other: "λιγότερο από %{count} δευτερόλεπτα"
39 39 x_seconds:
40 40 one: "1 δευτερόλεπτο"
41 41 other: "%{count} δευτερόλεπτα"
42 42 less_than_x_minutes:
43 43 one: "λιγότερο από ένα λεπτό"
44 44 other: "λιγότερο από %{count} λεπτά"
45 45 x_minutes:
46 46 one: "1 λεπτό"
47 47 other: "%{count} λεπτά"
48 48 about_x_hours:
49 49 one: "περίπου 1 ώρα"
50 50 other: "περίπου %{count} ώρες"
51 51 x_days:
52 52 one: "1 ημέρα"
53 53 other: "%{count} ημέρες"
54 54 about_x_months:
55 55 one: "περίπου 1 μήνα"
56 56 other: "περίπου %{count} μήνες"
57 57 x_months:
58 58 one: "1 μήνα"
59 59 other: "%{count} μήνες"
60 60 about_x_years:
61 61 one: "περίπου 1 χρόνο"
62 62 other: "περίπου %{count} χρόνια"
63 63 over_x_years:
64 64 one: "πάνω από 1 χρόνο"
65 65 other: "πάνω από %{count} χρόνια"
66 66 almost_x_years:
67 67 one: "almost 1 year"
68 68 other: "almost %{count} years"
69 69
70 70 number:
71 71 format:
72 72 separator: "."
73 73 delimiter: ""
74 74 precision: 3
75 75 human:
76 76 format:
77 77 precision: 1
78 78 delimiter: ""
79 79 storage_units:
80 80 format: "%n %u"
81 81 units:
82 82 kb: KB
83 83 tb: TB
84 84 gb: GB
85 85 byte:
86 86 one: Byte
87 87 other: Bytes
88 88 mb: MB
89 89
90 90 # Used in array.to_sentence.
91 91 support:
92 92 array:
93 93 sentence_connector: "and"
94 94 skip_last_comma: false
95 95
96 96 activerecord:
97 97 errors:
98 98 template:
99 99 header:
100 100 one: "1 error prohibited this %{model} from being saved"
101 101 other: "%{count} errors prohibited this %{model} from being saved"
102 102 messages:
103 103 inclusion: "δεν περιέχεται στη λίστα"
104 104 exclusion: "έχει κατοχυρωθεί"
105 105 invalid: "είναι άκυρο"
106 106 confirmation: "δεν αντιστοιχεί με την επιβεβαίωση"
107 107 accepted: "πρέπει να γίνει αποδοχή"
108 108 empty: "δε μπορεί να είναι άδειο"
109 109 blank: "δε μπορεί να είναι κενό"
110 110 too_long: "έχει πολλούς (μέγ.επιτρ. %{count} χαρακτήρες)"
111 111 too_short: "έχει λίγους (ελάχ.επιτρ. %{count} χαρακτήρες)"
112 112 wrong_length: "δεν είναι σωστός ο αριθμός χαρακτήρων (πρέπει να έχει %{count} χαρακτήρες)"
113 113 taken: "έχει ήδη κατοχυρωθεί"
114 114 not_a_number: "δεν είναι αριθμός"
115 115 not_a_date: "δεν είναι σωστή ημερομηνία"
116 116 greater_than: "πρέπει να είναι μεγαλύτερο από %{count}"
117 117 greater_than_or_equal_to: "πρέπει να είναι μεγαλύτερο από ή ίσο με %{count}"
118 118 equal_to: "πρέπει να είναι ίσον με %{count}"
119 119 less_than: "πρέπει να είναι μικρότερη από %{count}"
120 120 less_than_or_equal_to: "πρέπει να είναι μικρότερο από ή ίσο με %{count}"
121 121 odd: "πρέπει να είναι μονός"
122 122 even: "πρέπει να είναι ζυγός"
123 123 greater_than_start_date: "πρέπει να είναι αργότερα από την ημερομηνία έναρξης"
124 124 not_same_project: "δεν ανήκει στο ίδιο έργο"
125 125 circular_dependency: "Αυτή η σχέση θα δημιουργήσει κυκλικές εξαρτήσεις"
126 126 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
127 127
128 128 actionview_instancetag_blank_option: Παρακαλώ επιλέξτε
129 129
130 130 general_text_No: 'Όχι'
131 131 general_text_Yes: 'Ναι'
132 132 general_text_no: 'όχι'
133 133 general_text_yes: 'ναι'
134 134 general_lang_name: 'Ελληνικά'
135 135 general_csv_separator: ','
136 136 general_csv_decimal_separator: '.'
137 137 general_csv_encoding: UTF-8
138 138 general_pdf_encoding: UTF-8
139 139 general_first_day_of_week: '7'
140 140
141 141 notice_account_updated: Ο λογαριασμός ενημερώθηκε επιτυχώς.
142 142 notice_account_invalid_creditentials: Άκυρο όνομα χρήστη ή κωδικού πρόσβασης
143 143 notice_account_password_updated: Ο κωδικός πρόσβασης ενημερώθηκε επιτυχώς.
144 144 notice_account_wrong_password: Λάθος κωδικός πρόσβασης
145 145 notice_account_register_done: Ο λογαριασμός δημιουργήθηκε επιτυχώς. Για να ενεργοποιήσετε το λογαριασμό σας, πατήστε το σύνδεσμο που σας έχει αποσταλεί με email.
146 146 notice_account_unknown_email: Άγνωστος χρήστης.
147 147 notice_can_t_change_password: Αυτός ο λογαριασμός χρησιμοποιεί εξωτερική πηγή πιστοποίησης. Δεν είναι δυνατόν να αλλάξετε τον κωδικό πρόσβασης.
148 148 notice_account_lost_email_sent: Σας έχει αποσταλεί email με οδηγίες για την επιλογή νέου κωδικού πρόσβασης.
149 149 notice_account_activated: Ο λογαριασμός σας έχει ενεργοποιηθεί. Τώρα μπορείτε να συνδεθείτε.
150 150 notice_successful_create: Επιτυχής δημιουργία.
151 151 notice_successful_update: Επιτυχής ενημέρωση.
152 152 notice_successful_delete: Επιτυχής διαγραφή.
153 153 notice_successful_connection: Επιτυχής σύνδεση.
154 154 notice_file_not_found: Η σελίδα που ζητήσατε δεν υπάρχει ή έχει αφαιρεθεί.
155 155 notice_locking_conflict: Τα δεδομένα έχουν ενημερωθεί από άλλο χρήστη.
156 156 notice_not_authorized: Δεν έχετε δικαίωμα πρόσβασης σε αυτή τη σελίδα.
157 157 notice_email_sent: "Ένα μήνυμα ηλεκτρονικού ταχυδρομείου εστάλη στο %{value}"
158 158 notice_email_error: "Σφάλμα κατά την αποστολή του μηνύματος στο (%{value})"
159 159 notice_feeds_access_key_reseted: Έγινε επαναφορά στο κλειδί πρόσβασης RSS.
160 160 notice_failed_to_save_issues: "Αποτυχία αποθήκευσης %{count} θεμα(των) από τα %{total} επιλεγμένα: %{ids}."
161 161 notice_no_issue_selected: "Κανένα θέμα δεν είναι επιλεγμένο! Παρακαλούμε, ελέγξτε τα θέματα που θέλετε να επεξεργαστείτε."
162 162 notice_account_pending: λογαριασμός σας έχει δημιουργηθεί και είναι σε στάδιο έγκρισης από τον διαχειριστή."
163 163 notice_default_data_loaded: Οι προεπιλεγμένες ρυθμίσεις φορτώθηκαν επιτυχώς.
164 164 notice_unable_delete_version: Αδύνατον να διαγραφεί η έκδοση.
165 165
166 166 error_can_t_load_default_data: "Οι προεπιλεγμένες ρυθμίσεις δεν μπόρεσαν να φορτωθούν:: %{value}"
167 167 error_scm_not_found: εγγραφή ή η αναθεώρηση δεν βρέθηκε στο αποθετήριο."
168 168 error_scm_command_failed: "Παρουσιάστηκε σφάλμα κατά την προσπάθεια πρόσβασης στο αποθετήριο: %{value}"
169 169 error_scm_annotate: καταχώριση δεν υπάρχει ή δεν μπορεί να σχολιαστεί."
170 170 error_issue_not_found_in_project: 'Το θέμα δεν βρέθηκε ή δεν ανήκει σε αυτό το έργο'
171 171 error_no_tracker_in_project: 'Δεν υπάρχει ανιχνευτής για αυτό το έργο. Παρακαλώ ελέγξτε τις ρυθμίσεις του έργου.'
172 172 error_no_default_issue_status: 'Δεν έχει οριστεί η προεπιλογή κατάστασης θεμάτων. Παρακαλώ ελέγξτε τις ρυθμίσεις σας (Μεταβείτε στην "Διαχείριση -> Κατάσταση θεμάτων").'
173 173
174 174 warning_attachments_not_saved: "%{count} αρχείο(α) δε μπορούν να αποθηκευτούν."
175 175
176 176 mail_subject_lost_password: κωδικός σας %{value}"
177 177 mail_body_lost_password: 'Για να αλλάξετε τον κωδικό πρόσβασης, πατήστε τον ακόλουθο σύνδεσμο:'
178 178 mail_subject_register: "Ενεργοποίηση του λογαριασμού χρήστη %{value} "
179 179 mail_body_register: 'Για να ενεργοποιήσετε το λογαριασμό σας, επιλέξτε τον ακόλουθο σύνδεσμο:'
180 180 mail_body_account_information_external: "Μπορείτε να χρησιμοποιήσετε τον λογαριασμό %{value} για να συνδεθείτε."
181 181 mail_body_account_information: Πληροφορίες του λογαριασμού σας
182 182 mail_subject_account_activation_request: "αίτημα ενεργοποίησης λογαριασμού %{value}"
183 183 mail_body_account_activation_request: "'Ένας νέος χρήστης (%{value}) έχει εγγραφεί. Ο λογαριασμός είναι σε στάδιο αναμονής της έγκρισης σας:"
184 184 mail_subject_reminder: "%{count} θέμα(τα) με προθεσμία στις επόμενες %{days} ημέρες"
185 185 mail_body_reminder: "%{count}θέμα(τα) που έχουν ανατεθεί σε σας, με προθεσμία στις επόμενες %{days} ημέρες:"
186 186 mail_subject_wiki_content_added: "'προστέθηκε η σελίδα wiki %{id}' "
187 187 mail_body_wiki_content_added: σελίδα wiki '%{id}' προστέθηκε από τον %{author}."
188 188 mail_subject_wiki_content_updated: "'ενημερώθηκε η σελίδα wiki %{id}' "
189 189 mail_body_wiki_content_updated: σελίδα wiki '%{id}' ενημερώθηκε από τον %{author}."
190 190
191 191 gui_validation_error: 1 σφάλμα
192 192 gui_validation_error_plural: "%{count} σφάλματα"
193 193
194 194 field_name: Όνομα
195 195 field_description: Περιγραφή
196 196 field_summary: Συνοπτικά
197 197 field_is_required: Απαιτείται
198 198 field_firstname: Όνομα
199 199 field_lastname: Επώνυμο
200 200 field_mail: Email
201 201 field_filename: Αρχείο
202 202 field_filesize: Μέγεθος
203 203 field_downloads: Μεταφορτώσεις
204 204 field_author: Συγγραφέας
205 205 field_created_on: Δημιουργήθηκε
206 206 field_updated_on: Ενημερώθηκε
207 207 field_field_format: Μορφοποίηση
208 208 field_is_for_all: Για όλα τα έργα
209 209 field_possible_values: Πιθανές τιμές
210 210 field_regexp: Κανονική παράσταση
211 211 field_min_length: Ελάχιστο μήκος
212 212 field_max_length: Μέγιστο μήκος
213 213 field_value: Τιμή
214 214 field_category: Κατηγορία
215 215 field_title: Τίτλος
216 216 field_project: Έργο
217 217 field_issue: Θέμα
218 218 field_status: Κατάσταση
219 219 field_notes: Σημειώσεις
220 220 field_is_closed: Κλειστά θέματα
221 221 field_is_default: Προεπιλεγμένη τιμή
222 222 field_tracker: Ανιχνευτής
223 223 field_subject: Θέμα
224 224 field_due_date: Προθεσμία
225 225 field_assigned_to: Ανάθεση σε
226 226 field_priority: Προτεραιότητα
227 227 field_fixed_version: Στόχος έκδοσης
228 228 field_user: Χρήστης
229 229 field_role: Ρόλος
230 230 field_homepage: Αρχική σελίδα
231 231 field_is_public: Δημόσιο
232 232 field_parent: Επιμέρους έργο του
233 233 field_is_in_roadmap: Προβολή θεμάτων στο χάρτη πορείας
234 234 field_login: Όνομα χρήστη
235 235 field_mail_notification: Ειδοποιήσεις email
236 236 field_admin: Διαχειριστής
237 237 field_last_login_on: Τελευταία σύνδεση
238 238 field_language: Γλώσσα
239 239 field_effective_date: Ημερομηνία
240 240 field_password: Κωδικός πρόσβασης
241 241 field_new_password: Νέος κωδικός πρόσβασης
242 242 field_password_confirmation: Επιβεβαίωση
243 243 field_version: Έκδοση
244 244 field_type: Τύπος
245 245 field_host: Κόμβος
246 246 field_port: Θύρα
247 247 field_account: Λογαριασμός
248 248 field_base_dn: Βάση DN
249 249 field_attr_login: Ιδιότητα εισόδου
250 250 field_attr_firstname: Ιδιότητα ονόματος
251 251 field_attr_lastname: Ιδιότητα επωνύμου
252 252 field_attr_mail: Ιδιότητα email
253 253 field_onthefly: Άμεση δημιουργία χρήστη
254 254 field_start_date: Εκκίνηση
255 255 field_done_ratio: % επιτεύχθη
256 256 field_auth_source: Τρόπος πιστοποίησης
257 257 field_hide_mail: Απόκρυψη διεύθυνσης email
258 258 field_comments: Σχόλιο
259 259 field_url: URL
260 260 field_start_page: Πρώτη σελίδα
261 261 field_subproject: Επιμέρους έργο
262 262 field_hours: Ώρες
263 263 field_activity: Δραστηριότητα
264 264 field_spent_on: Ημερομηνία
265 265 field_identifier: Στοιχείο αναγνώρισης
266 266 field_is_filter: Χρήση ως φίλτρο
267 267 field_issue_to: Σχετικά θέματα
268 268 field_delay: Καθυστέρηση
269 269 field_assignable: Θέματα που μπορούν να ανατεθούν σε αυτό το ρόλο
270 270 field_redirect_existing_links: Ανακατεύθυνση των τρεχόντων συνδέσμων
271 271 field_estimated_hours: Εκτιμώμενος χρόνος
272 272 field_column_names: Στήλες
273 273 field_time_zone: Ωριαία ζώνη
274 274 field_searchable: Ερευνήσιμο
275 275 field_default_value: Προκαθορισμένη τιμή
276 276 field_comments_sorting: Προβολή σχολίων
277 277 field_parent_title: Γονική σελίδα
278 278 field_editable: Επεξεργάσιμο
279 279 field_watcher: Παρατηρητής
280 280 field_identity_url: OpenID URL
281 281 field_content: Περιεχόμενο
282 282 field_group_by: Ομαδικά αποτελέσματα από
283 283
284 284 setting_app_title: Τίτλος εφαρμογής
285 285 setting_app_subtitle: Υπότιτλος εφαρμογής
286 286 setting_welcome_text: Κείμενο υποδοχής
287 287 setting_default_language: Προεπιλεγμένη γλώσσα
288 288 setting_login_required: Απαιτείται πιστοποίηση
289 289 setting_self_registration: Αυτο-εγγραφή
290 290 setting_attachment_max_size: Μέγ. μέγεθος συνημμένου
291 291 setting_issues_export_limit: Θέματα περιορισμού εξαγωγής
292 292 setting_mail_from: Μετάδοση διεύθυνσης email
293 293 setting_bcc_recipients: Αποδέκτες κρυφής κοινοποίησης (bcc)
294 294 setting_plain_text_mail: Email απλού κειμένου (όχι HTML)
295 295 setting_host_name: Όνομα κόμβου και διαδρομή
296 296 setting_text_formatting: Μορφοποίηση κειμένου
297 297 setting_wiki_compression: Συμπίεση ιστορικού wiki
298 298 setting_feeds_limit: Feed περιορισμού περιεχομένου
299 299 setting_default_projects_public: Τα νέα έργα έχουν προεπιλεγεί ως δημόσια
300 300 setting_autofetch_changesets: Αυτόματη λήψη commits
301 301 setting_sys_api_enabled: Ενεργοποίηση WS για διαχείριση αποθετηρίου
302 302 setting_commit_ref_keywords: Αναφορά σε λέξεις-κλειδιά
303 303 setting_commit_fix_keywords: Καθορισμός σε λέξεις-κλειδιά
304 304 setting_autologin: Αυτόματη σύνδεση
305 305 setting_date_format: Μορφή ημερομηνίας
306 306 setting_time_format: Μορφή ώρας
307 307 setting_cross_project_issue_relations: Επιτρέψτε συσχετισμό θεμάτων σε διασταύρωση-έργων
308 308 setting_issue_list_default_columns: Προκαθορισμένες εμφανιζόμενες στήλες στη λίστα θεμάτων
309 309 setting_repositories_encodings: Κωδικοποίηση χαρακτήρων αποθετηρίου
310 310 setting_commit_logs_encoding: Κωδικοποίηση μηνυμάτων commit
311 311 setting_emails_footer: Υποσέλιδο στα email
312 312 setting_protocol: Πρωτόκολο
313 313 setting_per_page_options: Αντικείμενα ανά σελίδα επιλογών
314 314 setting_user_format: Μορφή εμφάνισης χρηστών
315 315 setting_activity_days_default: Ημέρες που εμφανίζεται στη δραστηριότητα έργου
316 316 setting_display_subprojects_issues: Εμφάνιση από προεπιλογή θεμάτων επιμέρους έργων στα κύρια έργα
317 317 setting_enabled_scm: Ενεργοποίηση SCM
318 318 setting_mail_handler_api_enabled: Ενεργοποίηση WS για εισερχόμενα email
319 319 setting_mail_handler_api_key: κλειδί API
320 320 setting_sequential_project_identifiers: Δημιουργία διαδοχικών αναγνωριστικών έργου
321 321 setting_gravatar_enabled: Χρήση Gravatar εικονιδίων χρηστών
322 322 setting_diff_max_lines_displayed: Μεγ.αριθμός εμφάνισης γραμμών diff
323 323 setting_file_max_size_displayed: Μεγ.μέγεθος των αρχείων απλού κειμένου που εμφανίζονται σε σειρά
324 324 setting_repository_log_display_limit: Μέγιστος αριθμός αναθεωρήσεων που εμφανίζονται στο ιστορικό αρχείου
325 325 setting_openid: Επιτρέψτε συνδέσεις OpenID και εγγραφή
326 326 setting_password_min_length: Ελάχιστο μήκος κωδικού πρόσβασης
327 327 setting_new_project_user_role_id: Απόδοση ρόλου σε χρήστη μη-διαχειριστή όταν δημιουργεί ένα έργο
328 328
329 329 permission_add_project: Δημιουργία έργου
330 330 permission_edit_project: Επεξεργασία έργου
331 331 permission_select_project_modules: Επιλογή μονάδων έργου
332 332 permission_manage_members: Διαχείριση μελών
333 333 permission_manage_versions: Διαχείριση εκδόσεων
334 334 permission_manage_categories: Διαχείριση κατηγοριών θεμάτων
335 335 permission_add_issues: Προσθήκη θεμάτων
336 336 permission_edit_issues: Επεξεργασία θεμάτων
337 337 permission_manage_issue_relations: Διαχείριση συσχετισμών θεμάτων
338 338 permission_add_issue_notes: Προσθήκη σημειώσεων
339 339 permission_edit_issue_notes: Επεξεργασία σημειώσεων
340 340 permission_edit_own_issue_notes: Επεξεργασία δικών μου σημειώσεων
341 341 permission_move_issues: Μεταφορά θεμάτων
342 342 permission_delete_issues: Διαγραφή θεμάτων
343 343 permission_manage_public_queries: Διαχείριση δημόσιων αναζητήσεων
344 344 permission_save_queries: Αποθήκευση αναζητήσεων
345 345 permission_view_gantt: Προβολή διαγράμματος gantt
346 346 permission_view_calendar: Προβολή ημερολογίου
347 347 permission_view_issue_watchers: Προβολή λίστας παρατηρητών
348 348 permission_add_issue_watchers: Προσθήκη παρατηρητών
349 349 permission_log_time: Ιστορικό χρόνου που δαπανήθηκε
350 350 permission_view_time_entries: Προβολή χρόνου που δαπανήθηκε
351 351 permission_edit_time_entries: Επεξεργασία ιστορικού χρόνου
352 352 permission_edit_own_time_entries: Επεξεργασία δικού μου ιστορικού χρόνου
353 353 permission_manage_news: Διαχείριση νέων
354 354 permission_comment_news: Σχολιασμός νέων
355 355 permission_manage_documents: Διαχείριση εγγράφων
356 356 permission_view_documents: Προβολή εγγράφων
357 357 permission_manage_files: Διαχείριση αρχείων
358 358 permission_view_files: Προβολή αρχείων
359 359 permission_manage_wiki: Διαχείριση wiki
360 360 permission_rename_wiki_pages: Μετονομασία σελίδων wiki
361 361 permission_delete_wiki_pages: Διαγραφή σελίδων wiki
362 362 permission_view_wiki_pages: Προβολή wiki
363 363 permission_view_wiki_edits: Προβολή ιστορικού wiki
364 364 permission_edit_wiki_pages: Επεξεργασία σελίδων wiki
365 365 permission_delete_wiki_pages_attachments: Διαγραφή συνημμένων
366 366 permission_protect_wiki_pages: Προστασία σελίδων wiki
367 367 permission_manage_repository: Διαχείριση αποθετηρίου
368 368 permission_browse_repository: Διαχείριση εγγράφων
369 369 permission_view_changesets: Προβολή changesets
370 370 permission_commit_access: Πρόσβαση commit
371 371 permission_manage_boards: Διαχείριση πινάκων συζητήσεων
372 372 permission_view_messages: Προβολή μηνυμάτων
373 373 permission_add_messages: Αποστολή μηνυμάτων
374 374 permission_edit_messages: Επεξεργασία μηνυμάτων
375 375 permission_edit_own_messages: Επεξεργασία δικών μου μηνυμάτων
376 376 permission_delete_messages: Διαγραφή μηνυμάτων
377 377 permission_delete_own_messages: Διαγραφή δικών μου μηνυμάτων
378 378
379 379 project_module_issue_tracking: Ανίχνευση θεμάτων
380 380 project_module_time_tracking: Ανίχνευση χρόνου
381 381 project_module_news: Νέα
382 382 project_module_documents: Έγγραφα
383 383 project_module_files: Αρχεία
384 384 project_module_wiki: Wiki
385 385 project_module_repository: Αποθετήριο
386 386 project_module_boards: Πίνακες συζητήσεων
387 387
388 388 label_user: Χρήστης
389 389 label_user_plural: Χρήστες
390 390 label_user_new: Νέος Χρήστης
391 391 label_project: Έργο
392 392 label_project_new: Νέο έργο
393 393 label_project_plural: Έργα
394 394 label_x_projects:
395 395 zero: κανένα έργο
396 396 one: 1 έργο
397 397 other: "%{count} έργα"
398 398 label_project_all: Όλα τα έργα
399 399 label_project_latest: Τελευταία έργα
400 400 label_issue: Θέμα
401 401 label_issue_new: Νέο θέμα
402 402 label_issue_plural: Θέματα
403 403 label_issue_view_all: Προβολή όλων των θεμάτων
404 404 label_issues_by: "Θέματα του %{value}"
405 405 label_issue_added: Το θέμα προστέθηκε
406 406 label_issue_updated: Το θέμα ενημερώθηκε
407 407 label_document: Έγγραφο
408 408 label_document_new: Νέο έγγραφο
409 409 label_document_plural: Έγγραφα
410 410 label_document_added: Έγγραφο προστέθηκε
411 411 label_role: Ρόλος
412 412 label_role_plural: Ρόλοι
413 413 label_role_new: Νέος ρόλος
414 414 label_role_and_permissions: Ρόλοι και άδειες
415 415 label_member: Μέλος
416 416 label_member_new: Νέο μέλος
417 417 label_member_plural: Μέλη
418 418 label_tracker: Ανιχνευτής
419 419 label_tracker_plural: Ανιχνευτές
420 420 label_tracker_new: Νέος Ανιχνευτής
421 421 label_workflow: Ροή εργασίας
422 422 label_issue_status: Κατάσταση θέματος
423 423 label_issue_status_plural: Κατάσταση θέματος
424 424 label_issue_status_new: Νέα κατάσταση
425 425 label_issue_category: Κατηγορία θέματος
426 426 label_issue_category_plural: Κατηγορίες θεμάτων
427 427 label_issue_category_new: Νέα κατηγορία
428 428 label_custom_field: Προσαρμοσμένο πεδίο
429 429 label_custom_field_plural: Προσαρμοσμένα πεδία
430 430 label_custom_field_new: Νέο προσαρμοσμένο πεδίο
431 431 label_enumerations: Απαριθμήσεις
432 432 label_enumeration_new: Νέα τιμή
433 433 label_information: Πληροφορία
434 434 label_information_plural: Πληροφορίες
435 435 label_please_login: Παρακαλώ συνδεθείτε
436 436 label_register: Εγγραφή
437 437 label_login_with_open_id_option: ή συνδεθείτε με OpenID
438 438 label_password_lost: Ανάκτηση κωδικού πρόσβασης
439 439 label_home: Αρχική σελίδα
440 440 label_my_page: Η σελίδα μου
441 441 label_my_account: Ο λογαριασμός μου
442 442 label_my_projects: Τα έργα μου
443 443 label_administration: Διαχείριση
444 444 label_login: Σύνδεση
445 445 label_logout: Αποσύνδεση
446 446 label_help: Βοήθεια
447 447 label_reported_issues: Εισηγμένα θέματα
448 448 label_assigned_to_me_issues: Θέματα που έχουν ανατεθεί σε μένα
449 449 label_last_login: Τελευταία σύνδεση
450 450 label_registered_on: Εγγράφηκε την
451 451 label_activity: Δραστηριότητα
452 452 label_overall_activity: Συνολική δραστηριότητα
453 453 label_user_activity: "δραστηριότητα του %{value}"
454 454 label_new: Νέο
455 455 label_logged_as: Σύνδεδεμένος ως
456 456 label_environment: Περιβάλλον
457 457 label_authentication: Πιστοποίηση
458 458 label_auth_source: Τρόπος πιστοποίησης
459 459 label_auth_source_new: Νέος τρόπος πιστοποίησης
460 460 label_auth_source_plural: Τρόποι πιστοποίησης
461 461 label_subproject_plural: Επιμέρους έργα
462 462 label_and_its_subprojects: "%{value} και τα επιμέρους έργα του"
463 463 label_min_max_length: Ελάχ. - Μέγ. μήκος
464 464 label_list: Λίστα
465 465 label_date: Ημερομηνία
466 466 label_integer: Ακέραιος
467 467 label_float: Αριθμός κινητής υποδιαστολής
468 468 label_boolean: Λογικός
469 469 label_string: Κείμενο
470 470 label_text: Μακροσκελές κείμενο
471 471 label_attribute: Ιδιότητα
472 472 label_attribute_plural: Ιδιότητες
473 473 label_download: "%{count} Μεταφόρτωση"
474 474 label_download_plural: "%{count} Μεταφορτώσεις"
475 475 label_no_data: Δεν υπάρχουν δεδομένα
476 476 label_change_status: Αλλαγή κατάστασης
477 477 label_history: Ιστορικό
478 478 label_attachment: Αρχείο
479 479 label_attachment_new: Νέο αρχείο
480 480 label_attachment_delete: Διαγραφή αρχείου
481 481 label_attachment_plural: Αρχεία
482 482 label_file_added: Το αρχείο προστέθηκε
483 483 label_report: Αναφορά
484 484 label_report_plural: Αναφορές
485 485 label_news: Νέα
486 486 label_news_new: Προσθήκη νέων
487 487 label_news_plural: Νέα
488 488 label_news_latest: Τελευταία νέα
489 489 label_news_view_all: Προβολή όλων των νέων
490 490 label_news_added: Τα νέα προστέθηκαν
491 491 label_settings: Ρυθμίσεις
492 492 label_overview: Επισκόπηση
493 493 label_version: Έκδοση
494 494 label_version_new: Νέα έκδοση
495 495 label_version_plural: Εκδόσεις
496 496 label_confirmation: Επιβεβαίωση
497 497 label_export_to: 'Επίσης διαθέσιμο σε:'
498 498 label_read: Διάβασε...
499 499 label_public_projects: Δημόσια έργα
500 500 label_open_issues: Ανοικτό
501 501 label_open_issues_plural: Ανοικτά
502 502 label_closed_issues: Κλειστό
503 503 label_closed_issues_plural: Κλειστά
504 504 label_x_open_issues_abbr_on_total:
505 505 zero: 0 ανοικτά / %{total}
506 506 one: 1 ανοικτό / %{total}
507 507 other: "%{count} ανοικτά / %{total}"
508 508 label_x_open_issues_abbr:
509 509 zero: 0 ανοικτά
510 510 one: 1 ανοικτό
511 511 other: "%{count} ανοικτά"
512 512 label_x_closed_issues_abbr:
513 513 zero: 0 κλειστά
514 514 one: 1 κλειστό
515 515 other: "%{count} κλειστά"
516 516 label_total: Σύνολο
517 517 label_permissions: Άδειες
518 518 label_current_status: Τρέχουσα κατάσταση
519 519 label_new_statuses_allowed: Νέες καταστάσεις επιτρέπονται
520 520 label_all: όλα
521 521 label_none: κανένα
522 522 label_nobody: κανείς
523 523 label_next: Επόμενο
524 524 label_previous: Προηγούμενο
525 525 label_used_by: Χρησιμοποιήθηκε από
526 526 label_details: Λεπτομέρειες
527 527 label_add_note: Προσθήκη σημείωσης
528 528 label_per_page: Ανά σελίδα
529 529 label_calendar: Ημερολόγιο
530 530 label_months_from: μηνών από
531 531 label_gantt: Gantt
532 532 label_internal: Εσωτερικό
533 533 label_last_changes: "Τελευταίες %{count} αλλαγές"
534 534 label_change_view_all: Προβολή όλων των αλλαγών
535 535 label_personalize_page: Προσαρμογή σελίδας
536 536 label_comment: Σχόλιο
537 537 label_comment_plural: Σχόλια
538 538 label_x_comments:
539 539 zero: δεν υπάρχουν σχόλια
540 540 one: 1 σχόλιο
541 541 other: "%{count} σχόλια"
542 542 label_comment_add: Προσθήκη σχολίου
543 543 label_comment_added: Τα σχόλια προστέθηκαν
544 544 label_comment_delete: Διαγραφή σχολίων
545 545 label_query: Προσαρμοσμένη αναζήτηση
546 546 label_query_plural: Προσαρμοσμένες αναζητήσεις
547 547 label_query_new: Νέα αναζήτηση
548 548 label_filter_add: Προσθήκη φίλτρου
549 549 label_filter_plural: Φίλτρα
550 550 label_equals: είναι
551 551 label_not_equals: δεν είναι
552 552 label_in_less_than: μικρότερο από
553 553 label_in_more_than: περισσότερο από
554 554 label_greater_or_equal: '>='
555 555 label_less_or_equal: '<='
556 556 label_in: σε
557 557 label_today: σήμερα
558 558 label_all_time: συνέχεια
559 559 label_yesterday: χθες
560 560 label_this_week: αυτή την εβδομάδα
561 561 label_last_week: την προηγούμενη εβδομάδα
562 562 label_last_n_days: "τελευταίες %{count} μέρες"
563 563 label_this_month: αυτό το μήνα
564 564 label_last_month: τον προηγούμενο μήνα
565 565 label_this_year: αυτό το χρόνο
566 566 label_date_range: Χρονικό διάστημα
567 567 label_less_than_ago: σε λιγότερο από ημέρες πριν
568 568 label_more_than_ago: σε περισσότερο από ημέρες πριν
569 569 label_ago: ημέρες πριν
570 570 label_contains: περιέχει
571 571 label_not_contains: δεν περιέχει
572 572 label_day_plural: μέρες
573 573 label_repository: Αποθετήριο
574 574 label_repository_plural: Αποθετήρια
575 575 label_browse: Πλοήγηση
576 576 label_modification: "%{count} τροποποίηση"
577 577 label_modification_plural: "%{count} τροποποιήσεις"
578 578 label_branch: Branch
579 579 label_tag: Tag
580 580 label_revision: Αναθεώρηση
581 581 label_revision_plural: Αναθεωρήσεις
582 582 label_associated_revisions: Συνεταιρικές αναθεωρήσεις
583 583 label_added: προστέθηκε
584 584 label_modified: τροποποιήθηκε
585 585 label_copied: αντιγράφηκε
586 586 label_renamed: μετονομάστηκε
587 587 label_deleted: διαγράφηκε
588 588 label_latest_revision: Τελευταία αναθεώριση
589 589 label_latest_revision_plural: Τελευταίες αναθεωρήσεις
590 590 label_view_revisions: Προβολή αναθεωρήσεων
591 591 label_view_all_revisions: Προβολή όλων των αναθεωρήσεων
592 592 label_max_size: Μέγιστο μέγεθος
593 593 label_sort_highest: Μετακίνηση στην κορυφή
594 594 label_sort_higher: Μετακίνηση προς τα πάνω
595 595 label_sort_lower: Μετακίνηση προς τα κάτω
596 596 label_sort_lowest: Μετακίνηση στο κατώτατο μέρος
597 597 label_roadmap: Χάρτης πορείας
598 598 label_roadmap_due_in: "Προθεσμία σε %{value}"
599 599 label_roadmap_overdue: "%{value} καθυστερημένο"
600 600 label_roadmap_no_issues: Δεν υπάρχουν θέματα για αυτή την έκδοση
601 601 label_search: Αναζήτηση
602 602 label_result_plural: Αποτελέσματα
603 603 label_all_words: Όλες οι λέξεις
604 604 label_wiki: Wiki
605 605 label_wiki_edit: Επεξεργασία wiki
606 606 label_wiki_edit_plural: Επεξεργασία wiki
607 607 label_wiki_page: Σελίδα Wiki
608 608 label_wiki_page_plural: Σελίδες Wiki
609 609 label_index_by_title: Δείκτης ανά τίτλο
610 610 label_index_by_date: Δείκτης ανά ημερομηνία
611 611 label_current_version: Τρέχουσα έκδοση
612 612 label_preview: Προεπισκόπηση
613 613 label_feed_plural: Feeds
614 614 label_changes_details: Λεπτομέρειες όλων των αλλαγών
615 615 label_issue_tracking: Ανίχνευση θεμάτων
616 616 label_spent_time: Δαπανημένος χρόνος
617 617 label_f_hour: "%{value} ώρα"
618 618 label_f_hour_plural: "%{value} ώρες"
619 619 label_time_tracking: Ανίχνευση χρόνου
620 620 label_change_plural: Αλλαγές
621 621 label_statistics: Στατιστικά
622 622 label_commits_per_month: Commits ανά μήνα
623 623 label_commits_per_author: Commits ανά συγγραφέα
624 624 label_view_diff: Προβολή διαφορών
625 625 label_diff_inline: σε σειρά
626 626 label_diff_side_by_side: αντικρυστά
627 627 label_options: Επιλογές
628 628 label_copy_workflow_from: Αντιγραφή ροής εργασίας από
629 629 label_permissions_report: Συνοπτικός πίνακας αδειών
630 630 label_watched_issues: Θέματα υπό παρακολούθηση
631 631 label_related_issues: Σχετικά θέματα
632 632 label_applied_status: Εφαρμογή κατάστασης
633 633 label_loading: Φορτώνεται...
634 634 label_relation_new: Νέα συσχέτιση
635 635 label_relation_delete: Διαγραφή συσχέτισης
636 636 label_relates_to: σχετικό με
637 637 label_duplicates: αντίγραφα
638 638 label_duplicated_by: αντιγράφηκε από
639 639 label_blocks: φραγές
640 640 label_blocked_by: φραγή από τον
641 641 label_precedes: προηγείται
642 642 label_follows: ακολουθεί
643 643 label_end_to_start: από το τέλος στην αρχή
644 644 label_end_to_end: από το τέλος στο τέλος
645 645 label_start_to_start: από την αρχή στην αρχή
646 646 label_start_to_end: από την αρχή στο τέλος
647 647 label_stay_logged_in: Παραμονή σύνδεσης
648 648 label_disabled: απενεργοποιημένη
649 649 label_show_completed_versions: Προβολή ολοκληρωμένων εκδόσεων
650 650 label_me: εγώ
651 651 label_board: Φόρουμ
652 652 label_board_new: Νέο φόρουμ
653 653 label_board_plural: Φόρουμ
654 654 label_topic_plural: Θέματα
655 655 label_message_plural: Μηνύματα
656 656 label_message_last: Τελευταίο μήνυμα
657 657 label_message_new: Νέο μήνυμα
658 658 label_message_posted: Το μήνυμα προστέθηκε
659 659 label_reply_plural: Απαντήσεις
660 660 label_send_information: Αποστολή πληροφοριών λογαριασμού στο χρήστη
661 661 label_year: Έτος
662 662 label_month: Μήνας
663 663 label_week: Εβδομάδα
664 664 label_date_from: Από
665 665 label_date_to: Έως
666 666 label_language_based: Με βάση τη γλώσσα του χρήστη
667 667 label_sort_by: "Ταξινόμηση ανά %{value}"
668 668 label_send_test_email: Αποστολή δοκιμαστικού email
669 669 label_feeds_access_key_created_on: "το κλειδί πρόσβασης RSS δημιουργήθηκε πριν από %{value}"
670 670 label_module_plural: Μονάδες
671 671 label_added_time_by: "Προστέθηκε από τον %{author} πριν από %{age}"
672 672 label_updated_time_by: "Ενημερώθηκε από τον %{author} πριν από %{age}"
673 673 label_updated_time: "Ενημερώθηκε πριν από %{value}"
674 674 label_jump_to_a_project: Μεταβείτε σε ένα έργο...
675 675 label_file_plural: Αρχεία
676 676 label_changeset_plural: Changesets
677 677 label_default_columns: Προεπιλεγμένες στήλες
678 678 label_no_change_option: (Δεν υπάρχουν αλλαγές)
679 679 label_bulk_edit_selected_issues: Μαζική επεξεργασία επιλεγμένων θεμάτων
680 680 label_theme: Θέμα
681 681 label_default: Προεπιλογή
682 682 label_search_titles_only: Αναζήτηση τίτλων μόνο
683 683 label_user_mail_option_all: "Για όλες τις εξελίξεις σε όλα τα έργα μου"
684 684 label_user_mail_option_selected: "Για όλες τις εξελίξεις μόνο στα επιλεγμένα έργα..."
685 685 label_user_mail_no_self_notified: "Δεν θέλω να ειδοποιούμαι για τις δικές μου αλλαγές"
686 686 label_registration_activation_by_email: ενεργοποίηση λογαριασμού με email
687 687 label_registration_manual_activation: χειροκίνητη ενεργοποίηση λογαριασμού
688 688 label_registration_automatic_activation: αυτόματη ενεργοποίηση λογαριασμού
689 689 label_display_per_page: "Ανά σελίδα: %{value}"
690 690 label_age: Ηλικία
691 691 label_change_properties: Αλλαγή ιδιοτήτων
692 692 label_general: Γενικά
693 693 label_more: Περισσότερα
694 694 label_scm: SCM
695 695 label_plugins: Plugins
696 696 label_ldap_authentication: Πιστοποίηση LDAP
697 697 label_downloads_abbr: Μ/Φ
698 698 label_optional_description: Προαιρετική περιγραφή
699 699 label_add_another_file: Προσθήκη άλλου αρχείου
700 700 label_preferences: Προτιμήσεις
701 701 label_chronological_order: Κατά χρονολογική σειρά
702 702 label_reverse_chronological_order: Κατά αντίστροφη χρονολογική σειρά
703 703 label_planning: Σχεδιασμός
704 704 label_incoming_emails: Εισερχόμενα email
705 705 label_generate_key: Δημιουργία κλειδιού
706 706 label_issue_watchers: Παρατηρητές
707 707 label_example: Παράδειγμα
708 708 label_display: Προβολή
709 709 label_sort: Ταξινόμηση
710 710 label_ascending: Αύξουσα
711 711 label_descending: Φθίνουσα
712 712 label_date_from_to: Από %{start} έως %{end}
713 713 label_wiki_content_added: Η σελίδα Wiki προστέθηκε
714 714 label_wiki_content_updated: Η σελίδα Wiki ενημερώθηκε
715 715
716 716 button_login: Σύνδεση
717 717 button_submit: Αποστολή
718 718 button_save: Αποθήκευση
719 719 button_check_all: Επιλογή όλων
720 720 button_uncheck_all: Αποεπιλογή όλων
721 721 button_delete: Διαγραφή
722 722 button_create: Δημιουργία
723 723 button_create_and_continue: Δημιουργία και συνέχεια
724 724 button_test: Τεστ
725 725 button_edit: Επεξεργασία
726 726 button_add: Προσθήκη
727 727 button_change: Αλλαγή
728 728 button_apply: Εφαρμογή
729 729 button_clear: Καθαρισμός
730 730 button_lock: Κλείδωμα
731 731 button_unlock: Ξεκλείδωμα
732 732 button_download: Μεταφόρτωση
733 733 button_list: Λίστα
734 734 button_view: Προβολή
735 735 button_move: Μετακίνηση
736 736 button_back: Πίσω
737 737 button_cancel: Ακύρωση
738 738 button_activate: Ενεργοποίηση
739 739 button_sort: Ταξινόμηση
740 740 button_log_time: Ιστορικό χρόνου
741 741 button_rollback: Επαναφορά σε αυτή την έκδοση
742 742 button_watch: Παρακολούθηση
743 743 button_unwatch: Αναίρεση παρακολούθησης
744 744 button_reply: Απάντηση
745 745 button_archive: Αρχειοθέτηση
746 746 button_unarchive: Αναίρεση αρχειοθέτησης
747 747 button_reset: Επαναφορά
748 748 button_rename: Μετονομασία
749 749 button_change_password: Αλλαγή κωδικού πρόσβασης
750 750 button_copy: Αντιγραφή
751 751 button_annotate: Σχολιασμός
752 752 button_update: Ενημέρωση
753 753 button_configure: Ρύθμιση
754 754 button_quote: Παράθεση
755 755
756 756 status_active: ενεργό(ς)/ή
757 757 status_registered: εγεγγραμμένο(ς)/η
758 758 status_locked: κλειδωμένο(ς)/η
759 759
760 760 text_select_mail_notifications: Επιλογή ενεργειών για τις οποίες θα πρέπει να αποσταλεί ειδοποίηση με email.
761 761 text_regexp_info: eg. ^[A-Z0-9]+$
762 762 text_min_max_length_info: 0 σημαίνει ότι δεν υπάρχουν περιορισμοί
763 763 text_project_destroy_confirmation: Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το έργο και τα σχετικά δεδομένα του;
764 764 text_subprojects_destroy_warning: "Επίσης το(α) επιμέρους έργο(α): %{value} θα διαγραφούν."
765 765 text_workflow_edit: Επιλέξτε ένα ρόλο και έναν ανιχνευτή για να επεξεργαστείτε τη ροή εργασίας
766 766 text_are_you_sure: Είστε σίγουρος ;
767 767 text_tip_issue_begin_day: καθήκοντα που ξεκινάνε σήμερα
768 768 text_tip_issue_end_day: καθήκοντα που τελειώνουν σήμερα
769 769 text_tip_issue_begin_end_day: καθήκοντα που ξεκινάνε και τελειώνουν σήμερα
770 770 text_project_identifier_info: 'Επιτρέπονται μόνο μικρά πεζά γράμματα (a-z), αριθμοί και παύλες. <br /> Μετά την αποθήκευση, το αναγνωριστικό δεν μπορεί να αλλάξει.'
771 771 text_caracters_maximum: "μέγιστος αριθμός %{count} χαρακτήρες."
772 772 text_caracters_minimum: "Πρέπει να περιέχει τουλάχιστον %{count} χαρακτήρες."
773 773 text_length_between: "Μήκος μεταξύ %{min} και %{max} χαρακτήρες."
774 774 text_tracker_no_workflow: Δεν έχει οριστεί ροή εργασίας για αυτό τον ανιχνευτή
775 775 text_unallowed_characters: Μη επιτρεπόμενοι χαρακτήρες
776 776 text_comma_separated: Επιτρέπονται πολλαπλές τιμές (χωρισμένες με κόμμα).
777 777 text_issues_ref_in_commit_messages: Αναφορά και καθορισμός θεμάτων σε μηνύματα commit
778 778 text_issue_added: "Το θέμα %{id} παρουσιάστηκε από τον %{author}."
779 779 text_issue_updated: "Το θέμα %{id} ενημερώθηκε από τον %{author}."
780 780 text_wiki_destroy_confirmation: Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το wiki και όλο το περιεχόμενο του ;
781 781 text_issue_category_destroy_question: "Κάποια θέματα (%{count}) έχουν εκχωρηθεί σε αυτή την κατηγορία. Τι θέλετε να κάνετε ;"
782 782 text_issue_category_destroy_assignments: Αφαίρεση εκχωρήσεων κατηγορίας
783 783 text_issue_category_reassign_to: Επανεκχώρηση θεμάτων σε αυτή την κατηγορία
784 784 text_user_mail_option: "Για μη επιλεγμένα έργα, θα λάβετε ειδοποιήσεις μόνο για πράγματα που παρακολουθείτε ή στα οποία συμμετέχω ενεργά (π.χ. θέματα των οποίων είστε συγγραφέας ή σας έχουν ανατεθεί)."
785 785 text_no_configuration_data: "Οι ρόλοι, οι ανιχνευτές, η κατάσταση των θεμάτων και η ροή εργασίας δεν έχουν ρυθμιστεί ακόμα.\nΣυνιστάται ιδιαίτερα να φορτώσετε τις προεπιλεγμένες ρυθμίσεις. Θα είστε σε θέση να τις τροποποιήσετε μετά τη φόρτωση τους."
786 786 text_load_default_configuration: Φόρτωση προεπιλεγμένων ρυθμίσεων
787 787 text_status_changed_by_changeset: "Εφαρμόστηκε στο changeset %{value}."
788 788 text_issues_destroy_confirmation: 'Είστε σίγουρος ότι θέλετε να διαγράψετε το επιλεγμένο θέμα(τα);'
789 789 text_select_project_modules: 'Επιλέξτε ποιες μονάδες θα ενεργοποιήσετε για αυτό το έργο:'
790 790 text_default_administrator_account_changed: Ο προκαθορισμένος λογαριασμός του διαχειριστή άλλαξε
791 791 text_file_repository_writable: Εγγράψιμος κατάλογος συνημμένων
792 792 text_plugin_assets_writable: Εγγράψιμος κατάλογος plugin assets
793 793 text_rmagick_available: Διαθέσιμο RMagick (προαιρετικό)
794 794 text_destroy_time_entries_question: "%{hours} δαπανήθηκαν σχετικά με τα θέματα που πρόκειται να διαγράψετε. Τι θέλετε να κάνετε ;"
795 795 text_destroy_time_entries: Διαγραφή αναφερόμενων ωρών
796 796 text_assign_time_entries_to_project: Ανάθεση αναφερόμενων ωρών στο έργο
797 797 text_reassign_time_entries: 'Ανάθεση εκ νέου των αναφερόμενων ωρών στο θέμα:'
798 798 text_user_wrote: "%{value} έγραψε:"
799 799 text_enumeration_destroy_question: "%{count} αντικείμενα έχουν τεθεί σε αυτή την τιμή."
800 800 text_enumeration_category_reassign_to: 'Επανεκχώρηση τους στην παρούσα αξία:'
801 801 text_email_delivery_not_configured: "Δεν έχουν γίνει ρυθμίσεις παράδοσης email, και οι ειδοποιήσεις είναι απενεργοποιημένες.\nΔηλώστε τον εξυπηρετητή SMTP στο config/configuration.yml και κάντε επανακκίνηση την εφαρμογή για να τις ρυθμίσεις."
802 802 text_repository_usernames_mapping: "Επιλέξτε ή ενημερώστε τον χρήστη Redmine που αντιστοιχεί σε κάθε όνομα χρήστη στο ιστορικό του αποθετηρίου.\nΧρήστες με το ίδιο όνομα χρήστη ή email στο Redmine και στο αποθετηρίο αντιστοιχίζονται αυτόματα."
803 803 text_diff_truncated: '... Αυτό το diff εχεί κοπεί επειδή υπερβαίνει το μέγιστο μέγεθος που μπορεί να προβληθεί.'
804 804 text_custom_field_possible_values_info: 'Μία γραμμή για κάθε τιμή'
805 805 text_wiki_page_destroy_question: "Αυτή η σελίδα έχει %{descendants} σελίδες τέκνων και απογόνων. Τι θέλετε να κάνετε ;"
806 806 text_wiki_page_nullify_children: "Διατηρήστε τις σελίδες τέκνων ως σελίδες root"
807 807 text_wiki_page_destroy_children: "Διαγράψτε όλες τις σελίδες τέκνων και των απογόνων τους"
808 808 text_wiki_page_reassign_children: "Επανεκχώριση των σελίδων τέκνων στη γονική σελίδα"
809 809
810 810 default_role_manager: Manager
811 811 default_role_developer: Developer
812 812 default_role_reporter: Reporter
813 813 default_tracker_bug: Σφάλματα
814 814 default_tracker_feature: Λειτουργίες
815 815 default_tracker_support: Υποστήριξη
816 816 default_issue_status_new: Νέα
817 817 default_issue_status_in_progress: In Progress
818 818 default_issue_status_resolved: Επιλυμένο
819 819 default_issue_status_feedback: Σχόλια
820 820 default_issue_status_closed: Κλειστό
821 821 default_issue_status_rejected: Απορριπτέο
822 822 default_doc_category_user: Τεκμηρίωση χρήστη
823 823 default_doc_category_tech: Τεχνική τεκμηρίωση
824 824 default_priority_low: Χαμηλή
825 825 default_priority_normal: Κανονική
826 826 default_priority_high: Υψηλή
827 827 default_priority_urgent: Επείγον
828 828 default_priority_immediate: Άμεση
829 829 default_activity_design: Σχεδιασμός
830 830 default_activity_development: Ανάπτυξη
831 831
832 832 enumeration_issue_priorities: Προτεραιότητα θέματος
833 833 enumeration_doc_categories: Κατηγορία εγγράφων
834 834 enumeration_activities: Δραστηριότητες (κατακερματισμός χρόνου)
835 835 text_journal_changed: "%{label} άλλαξε από %{old} σε %{new}"
836 836 text_journal_set_to: "%{label} ορίζεται σε %{value}"
837 837 text_journal_deleted: "%{label} διαγράφηκε (%{old})"
838 838 label_group_plural: Ομάδες
839 839 label_group: Ομάδα
840 840 label_group_new: Νέα ομάδα
841 841 label_time_entry_plural: Χρόνος που δαπανήθηκε
842 842 text_journal_added: "%{label} %{value} added"
843 843 field_active: Active
844 844 enumeration_system_activity: System Activity
845 845 permission_delete_issue_watchers: Delete watchers
846 846 version_status_closed: closed
847 847 version_status_locked: locked
848 848 version_status_open: open
849 849 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
850 850 label_user_anonymous: Anonymous
851 851 button_move_and_follow: Move and follow
852 852 setting_default_projects_modules: Default enabled modules for new projects
853 853 setting_gravatar_default: Default Gravatar image
854 854 field_sharing: Sharing
855 855 label_version_sharing_hierarchy: With project hierarchy
856 856 label_version_sharing_system: With all projects
857 857 label_version_sharing_descendants: With subprojects
858 858 label_version_sharing_tree: With project tree
859 859 label_version_sharing_none: Not shared
860 860 error_can_not_archive_project: This project can not be archived
861 861 button_duplicate: Duplicate
862 862 button_copy_and_follow: Copy and follow
863 863 label_copy_source: Source
864 864 setting_issue_done_ratio: Calculate the issue done ratio with
865 865 setting_issue_done_ratio_issue_status: Use the issue status
866 866 error_issue_done_ratios_not_updated: Issue done ratios not updated.
867 867 error_workflow_copy_target: Please select target tracker(s) and role(s)
868 868 setting_issue_done_ratio_issue_field: Use the issue field
869 869 label_copy_same_as_target: Same as target
870 870 label_copy_target: Target
871 871 notice_issue_done_ratios_updated: Issue done ratios updated.
872 872 error_workflow_copy_source: Please select a source tracker or role
873 873 label_update_issue_done_ratios: Update issue done ratios
874 874 setting_start_of_week: Start calendars on
875 875 permission_view_issues: View Issues
876 876 label_display_used_statuses_only: Only display statuses that are used by this tracker
877 877 label_revision_id: Revision %{value}
878 878 label_api_access_key: API access key
879 879 label_api_access_key_created_on: API access key created %{value} ago
880 880 label_feeds_access_key: RSS access key
881 881 notice_api_access_key_reseted: Your API access key was reset.
882 882 setting_rest_api_enabled: Enable REST web service
883 883 label_missing_api_access_key: Missing an API access key
884 884 label_missing_feeds_access_key: Missing a RSS access key
885 885 button_show: Show
886 886 text_line_separated: Multiple values allowed (one line for each value).
887 887 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
888 888 permission_add_subprojects: Create subprojects
889 889 label_subproject_new: New subproject
890 890 text_own_membership_delete_confirmation: |-
891 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 892 Are you sure you want to continue?
893 893 label_close_versions: Close completed versions
894 894 label_board_sticky: Sticky
895 895 label_board_locked: Locked
896 896 permission_export_wiki_pages: Export wiki pages
897 897 setting_cache_formatted_text: Cache formatted text
898 898 permission_manage_project_activities: Manage project activities
899 899 error_unable_delete_issue_status: Unable to delete issue status
900 900 label_profile: Profile
901 901 permission_manage_subtasks: Manage subtasks
902 902 field_parent_issue: Parent task
903 903 label_subtask_plural: Subtasks
904 904 label_project_copy_notifications: Send email notifications during the project copy
905 905 error_can_not_delete_custom_field: Unable to delete custom field
906 906 error_unable_to_connect: Unable to connect (%{value})
907 907 error_can_not_remove_role: This role is in use and can not be deleted.
908 908 error_can_not_delete_tracker: This tracker contains issues and can't be deleted.
909 909 field_principal: Principal
910 910 label_my_page_block: My page block
911 911 notice_failed_to_save_members: "Failed to save member(s): %{errors}."
912 912 text_zoom_out: Zoom out
913 913 text_zoom_in: Zoom in
914 914 notice_unable_delete_time_entry: Unable to delete time log entry.
915 915 label_overall_spent_time: Overall spent time
916 916 field_time_entries: Log time
917 917 project_module_gantt: Gantt
918 918 project_module_calendar: Calendar
919 919 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
920 920 text_are_you_sure_with_children: Delete issue and all child issues?
921 921 field_text: Text field
922 922 label_user_mail_option_only_owner: Only for things I am the owner of
923 923 setting_default_notification_option: Default notification option
924 924 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
925 925 label_user_mail_option_only_assigned: Only for things I am assigned to
926 926 label_user_mail_option_none: No events
927 927 field_member_of_group: Assignee's group
928 928 field_assigned_to_role: Assignee's role
929 929 notice_not_authorized_archived_project: The project you're trying to access has been archived.
930 930 label_principal_search: "Search for user or group:"
931 931 label_user_search: "Search for user:"
932 932 field_visible: Visible
933 933 setting_emails_header: Emails header
934 934 setting_commit_logtime_activity_id: Activity for logged time
935 935 text_time_logged_by_changeset: Applied in changeset %{value}.
936 936 setting_commit_logtime_enabled: Enable time logging
937 937 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
938 938 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
939 939 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
940 940 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
941 941 label_my_queries: My custom queries
942 942 text_journal_changed_no_detail: "%{label} updated"
943 943 label_news_comment_added: Comment added to a news
944 944 button_expand_all: Expand all
945 945 button_collapse_all: Collapse all
946 946 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
947 947 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
948 948 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
949 949 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
950 950 label_role_anonymous: Anonymous
951 951 label_role_non_member: Non member
952 952 label_issue_note_added: Note added
953 953 label_issue_status_updated: Status updated
954 954 label_issue_priority_updated: Priority updated
955 955 label_issues_visibility_own: Issues created by or assigned to the user
956 956 field_issues_visibility: Issues visibility
957 957 label_issues_visibility_all: All issues
958 958 permission_set_own_issues_private: Set own issues public or private
959 959 field_is_private: Private
960 960 permission_set_issues_private: Set issues public or private
961 961 label_issues_visibility_public: All non private issues
962 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
@@ -1,964 +1,965
1 1 en-GB:
2 2 direction: ltr
3 3 date:
4 4 formats:
5 5 # Use the strftime parameters for formats.
6 6 # When no format has been given, it uses default.
7 7 # You can provide other formats here if you like!
8 8 default: "%d/%m/%Y"
9 9 short: "%d %b"
10 10 long: "%d %B, %Y"
11 11
12 12 day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday]
13 13 abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat]
14 14
15 15 # Don't forget the nil at the beginning; there's no such thing as a 0th month
16 16 month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December]
17 17 abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec]
18 18 # Used in date_select and datime_select.
19 19 order: [ :year, :month, :day ]
20 20
21 21 time:
22 22 formats:
23 23 default: "%d/%m/%Y %I:%M %p"
24 24 time: "%I:%M %p"
25 25 short: "%d %b %H:%M"
26 26 long: "%d %B, %Y %H:%M"
27 27 am: "am"
28 28 pm: "pm"
29 29
30 30 datetime:
31 31 distance_in_words:
32 32 half_a_minute: "half a minute"
33 33 less_than_x_seconds:
34 34 one: "less than 1 second"
35 35 other: "less than %{count} seconds"
36 36 x_seconds:
37 37 one: "1 second"
38 38 other: "%{count} seconds"
39 39 less_than_x_minutes:
40 40 one: "less than a minute"
41 41 other: "less than %{count} minutes"
42 42 x_minutes:
43 43 one: "1 minute"
44 44 other: "%{count} minutes"
45 45 about_x_hours:
46 46 one: "about 1 hour"
47 47 other: "about %{count} hours"
48 48 x_days:
49 49 one: "1 day"
50 50 other: "%{count} days"
51 51 about_x_months:
52 52 one: "about 1 month"
53 53 other: "about %{count} months"
54 54 x_months:
55 55 one: "1 month"
56 56 other: "%{count} months"
57 57 about_x_years:
58 58 one: "about 1 year"
59 59 other: "about %{count} years"
60 60 over_x_years:
61 61 one: "over 1 year"
62 62 other: "over %{count} years"
63 63 almost_x_years:
64 64 one: "almost 1 year"
65 65 other: "almost %{count} years"
66 66
67 67 number:
68 68 format:
69 69 separator: "."
70 70 delimiter: " "
71 71 precision: 3
72 72
73 73 currency:
74 74 format:
75 75 format: "%u%n"
76 76 unit: "£"
77 77
78 78 human:
79 79 format:
80 80 delimiter: ""
81 81 precision: 1
82 82 storage_units:
83 83 format: "%n %u"
84 84 units:
85 85 byte:
86 86 one: "Byte"
87 87 other: "Bytes"
88 88 kb: "kB"
89 89 mb: "MB"
90 90 gb: "GB"
91 91 tb: "TB"
92 92
93 93
94 94 # Used in array.to_sentence.
95 95 support:
96 96 array:
97 97 sentence_connector: "and"
98 98 skip_last_comma: false
99 99
100 100 activerecord:
101 101 errors:
102 102 template:
103 103 header:
104 104 one: "1 error prohibited this %{model} from being saved"
105 105 other: "%{count} errors prohibited this %{model} from being saved"
106 106 messages:
107 107 inclusion: "is not included in the list"
108 108 exclusion: "is reserved"
109 109 invalid: "is invalid"
110 110 confirmation: "doesn't match confirmation"
111 111 accepted: "must be accepted"
112 112 empty: "can't be empty"
113 113 blank: "can't be blank"
114 114 too_long: "is too long (maximum is %{count} characters)"
115 115 too_short: "is too short (minimum is %{count} characters)"
116 116 wrong_length: "is the wrong length (should be %{count} characters)"
117 117 taken: "has already been taken"
118 118 not_a_number: "is not a number"
119 119 not_a_date: "is not a valid date"
120 120 greater_than: "must be greater than %{count}"
121 121 greater_than_or_equal_to: "must be greater than or equal to %{count}"
122 122 equal_to: "must be equal to %{count}"
123 123 less_than: "must be less than %{count}"
124 124 less_than_or_equal_to: "must be less than or equal to %{count}"
125 125 odd: "must be odd"
126 126 even: "must be even"
127 127 greater_than_start_date: "must be greater than start date"
128 128 not_same_project: "doesn't belong to the same project"
129 129 circular_dependency: "This relation would create a circular dependency"
130 130 cant_link_an_issue_with_a_descendant: "An issue cannot be linked to one of its subtasks"
131 131
132 132 actionview_instancetag_blank_option: Please select
133 133
134 134 general_text_No: 'No'
135 135 general_text_Yes: 'Yes'
136 136 general_text_no: 'no'
137 137 general_text_yes: 'yes'
138 138 general_lang_name: 'English (British)'
139 139 general_csv_separator: ','
140 140 general_csv_decimal_separator: '.'
141 141 general_csv_encoding: ISO-8859-1
142 142 general_pdf_encoding: UTF-8
143 143 general_first_day_of_week: '1'
144 144
145 145 notice_account_updated: Account was successfully updated.
146 146 notice_account_invalid_creditentials: Invalid user or password
147 147 notice_account_password_updated: Password was successfully updated.
148 148 notice_account_wrong_password: Wrong password
149 149 notice_account_register_done: Account was successfully created. To activate your account, click on the link that was emailed to you.
150 150 notice_account_unknown_email: Unknown user.
151 151 notice_can_t_change_password: This account uses an external authentication source. Impossible to change the password.
152 152 notice_account_lost_email_sent: An email with instructions to choose a new password has been sent to you.
153 153 notice_account_activated: Your account has been activated. You can now log in.
154 154 notice_successful_create: Successful creation.
155 155 notice_successful_update: Successful update.
156 156 notice_successful_delete: Successful deletion.
157 157 notice_successful_connection: Successful connection.
158 158 notice_file_not_found: The page you were trying to access doesn't exist or has been removed.
159 159 notice_locking_conflict: Data has been updated by another user.
160 160 notice_not_authorized: You are not authorised to access this page.
161 161 notice_not_authorized_archived_project: The project you're trying to access has been archived.
162 162 notice_email_sent: "An email was sent to %{value}"
163 163 notice_email_error: "An error occurred while sending mail (%{value})"
164 164 notice_feeds_access_key_reseted: Your RSS access key was reset.
165 165 notice_api_access_key_reseted: Your API access key was reset.
166 166 notice_failed_to_save_issues: "Failed to save %{count} issue(s) on %{total} selected: %{ids}."
167 167 notice_failed_to_save_members: "Failed to save member(s): %{errors}."
168 168 notice_no_issue_selected: "No issue is selected! Please, check the issues you want to edit."
169 169 notice_account_pending: "Your account was created and is now pending administrator approval."
170 170 notice_default_data_loaded: Default configuration successfully loaded.
171 171 notice_unable_delete_version: Unable to delete version.
172 172 notice_unable_delete_time_entry: Unable to delete time log entry.
173 173 notice_issue_done_ratios_updated: Issue done ratios updated.
174 174 notice_gantt_chart_truncated: "The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})"
175 175
176 176 error_can_t_load_default_data: "Default configuration could not be loaded: %{value}"
177 177 error_scm_not_found: "The entry or revision was not found in the repository."
178 178 error_scm_command_failed: "An error occurred when trying to access the repository: %{value}"
179 179 error_scm_annotate: "The entry does not exist or cannot be annotated."
180 180 error_issue_not_found_in_project: 'The issue was not found or does not belong to this project'
181 181 error_no_tracker_in_project: 'No tracker is associated to this project. Please check the Project settings.'
182 182 error_no_default_issue_status: 'No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").'
183 183 error_can_not_delete_custom_field: Unable to delete custom field
184 184 error_can_not_delete_tracker: "This tracker contains issues and cannot be deleted."
185 185 error_can_not_remove_role: "This role is in use and cannot be deleted."
186 186 error_can_not_reopen_issue_on_closed_version: 'An issue assigned to a closed version cannot be reopened'
187 187 error_can_not_archive_project: This project cannot be archived
188 188 error_issue_done_ratios_not_updated: "Issue done ratios not updated."
189 189 error_workflow_copy_source: 'Please select a source tracker or role'
190 190 error_workflow_copy_target: 'Please select target tracker(s) and role(s)'
191 191 error_unable_delete_issue_status: 'Unable to delete issue status'
192 192 error_unable_to_connect: "Unable to connect (%{value})"
193 193 warning_attachments_not_saved: "%{count} file(s) could not be saved."
194 194
195 195 mail_subject_lost_password: "Your %{value} password"
196 196 mail_body_lost_password: 'To change your password, click on the following link:'
197 197 mail_subject_register: "Your %{value} account activation"
198 198 mail_body_register: 'To activate your account, click on the following link:'
199 199 mail_body_account_information_external: "You can use your %{value} account to log in."
200 200 mail_body_account_information: Your account information
201 201 mail_subject_account_activation_request: "%{value} account activation request"
202 202 mail_body_account_activation_request: "A new user (%{value}) has registered. The account is pending your approval:"
203 203 mail_subject_reminder: "%{count} issue(s) due in the next %{days} days"
204 204 mail_body_reminder: "%{count} issue(s) that are assigned to you are due in the next %{days} days:"
205 205 mail_subject_wiki_content_added: "'%{id}' wiki page has been added"
206 206 mail_body_wiki_content_added: "The '%{id}' wiki page has been added by %{author}."
207 207 mail_subject_wiki_content_updated: "'%{id}' wiki page has been updated"
208 208 mail_body_wiki_content_updated: "The '%{id}' wiki page has been updated by %{author}."
209 209
210 210 gui_validation_error: 1 error
211 211 gui_validation_error_plural: "%{count} errors"
212 212
213 213 field_name: Name
214 214 field_description: Description
215 215 field_summary: Summary
216 216 field_is_required: Required
217 217 field_firstname: First name
218 218 field_lastname: Last name
219 219 field_mail: Email
220 220 field_filename: File
221 221 field_filesize: Size
222 222 field_downloads: Downloads
223 223 field_author: Author
224 224 field_created_on: Created
225 225 field_updated_on: Updated
226 226 field_field_format: Format
227 227 field_is_for_all: For all projects
228 228 field_possible_values: Possible values
229 229 field_regexp: Regular expression
230 230 field_min_length: Minimum length
231 231 field_max_length: Maximum length
232 232 field_value: Value
233 233 field_category: Category
234 234 field_title: Title
235 235 field_project: Project
236 236 field_issue: Issue
237 237 field_status: Status
238 238 field_notes: Notes
239 239 field_is_closed: Issue closed
240 240 field_is_default: Default value
241 241 field_tracker: Tracker
242 242 field_subject: Subject
243 243 field_due_date: Due date
244 244 field_assigned_to: Assignee
245 245 field_priority: Priority
246 246 field_fixed_version: Target version
247 247 field_user: User
248 248 field_principal: Principal
249 249 field_role: Role
250 250 field_homepage: Homepage
251 251 field_is_public: Public
252 252 field_parent: Subproject of
253 253 field_is_in_roadmap: Issues displayed in roadmap
254 254 field_login: Login
255 255 field_mail_notification: Email notifications
256 256 field_admin: Administrator
257 257 field_last_login_on: Last connection
258 258 field_language: Language
259 259 field_effective_date: Date
260 260 field_password: Password
261 261 field_new_password: New password
262 262 field_password_confirmation: Confirmation
263 263 field_version: Version
264 264 field_type: Type
265 265 field_host: Host
266 266 field_port: Port
267 267 field_account: Account
268 268 field_base_dn: Base DN
269 269 field_attr_login: Login attribute
270 270 field_attr_firstname: Firstname attribute
271 271 field_attr_lastname: Lastname attribute
272 272 field_attr_mail: Email attribute
273 273 field_onthefly: On-the-fly user creation
274 274 field_start_date: Start date
275 275 field_done_ratio: % Done
276 276 field_auth_source: Authentication mode
277 277 field_hide_mail: Hide my email address
278 278 field_comments: Comment
279 279 field_url: URL
280 280 field_start_page: Start page
281 281 field_subproject: Subproject
282 282 field_hours: Hours
283 283 field_activity: Activity
284 284 field_spent_on: Date
285 285 field_identifier: Identifier
286 286 field_is_filter: Used as a filter
287 287 field_issue_to: Related issue
288 288 field_delay: Delay
289 289 field_assignable: Issues can be assigned to this role
290 290 field_redirect_existing_links: Redirect existing links
291 291 field_estimated_hours: Estimated time
292 292 field_column_names: Columns
293 293 field_time_entries: Log time
294 294 field_time_zone: Time zone
295 295 field_searchable: Searchable
296 296 field_default_value: Default value
297 297 field_comments_sorting: Display comments
298 298 field_parent_title: Parent page
299 299 field_editable: Editable
300 300 field_watcher: Watcher
301 301 field_identity_url: OpenID URL
302 302 field_content: Content
303 303 field_group_by: Group results by
304 304 field_sharing: Sharing
305 305 field_parent_issue: Parent task
306 306 field_member_of_group: "Assignee's group"
307 307 field_assigned_to_role: "Assignee's role"
308 308 field_text: Text field
309 309 field_visible: Visible
310 310 field_warn_on_leaving_unsaved: "Warn me when leaving a page with unsaved text"
311 311
312 312 setting_app_title: Application title
313 313 setting_app_subtitle: Application subtitle
314 314 setting_welcome_text: Welcome text
315 315 setting_default_language: Default language
316 316 setting_login_required: Authentication required
317 317 setting_self_registration: Self-registration
318 318 setting_attachment_max_size: Attachment max. size
319 319 setting_issues_export_limit: Issues export limit
320 320 setting_mail_from: Emission email address
321 321 setting_bcc_recipients: Blind carbon copy recipients (bcc)
322 322 setting_plain_text_mail: Plain text mail (no HTML)
323 323 setting_host_name: Host name and path
324 324 setting_text_formatting: Text formatting
325 325 setting_wiki_compression: Wiki history compression
326 326 setting_feeds_limit: Feed content limit
327 327 setting_default_projects_public: New projects are public by default
328 328 setting_autofetch_changesets: Autofetch commits
329 329 setting_sys_api_enabled: Enable WS for repository management
330 330 setting_commit_ref_keywords: Referencing keywords
331 331 setting_commit_fix_keywords: Fixing keywords
332 332 setting_autologin: Autologin
333 333 setting_date_format: Date format
334 334 setting_time_format: Time format
335 335 setting_cross_project_issue_relations: Allow cross-project issue relations
336 336 setting_issue_list_default_columns: Default columns displayed on the issue list
337 337 setting_repositories_encodings: Repositories encodings
338 338 setting_commit_logs_encoding: Commit messages encoding
339 339 setting_emails_header: Emails header
340 340 setting_emails_footer: Emails footer
341 341 setting_protocol: Protocol
342 342 setting_per_page_options: Objects per page options
343 343 setting_user_format: Users display format
344 344 setting_activity_days_default: Days displayed on project activity
345 345 setting_display_subprojects_issues: Display subprojects issues on main projects by default
346 346 setting_enabled_scm: Enabled SCM
347 347 setting_mail_handler_body_delimiters: "Truncate emails after one of these lines"
348 348 setting_mail_handler_api_enabled: Enable WS for incoming emails
349 349 setting_mail_handler_api_key: API key
350 350 setting_sequential_project_identifiers: Generate sequential project identifiers
351 351 setting_gravatar_enabled: Use Gravatar user icons
352 352 setting_gravatar_default: Default Gravatar image
353 353 setting_diff_max_lines_displayed: Max number of diff lines displayed
354 354 setting_file_max_size_displayed: Max size of text files displayed inline
355 355 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
356 356 setting_openid: Allow OpenID login and registration
357 357 setting_password_min_length: Minimum password length
358 358 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
359 359 setting_default_projects_modules: Default enabled modules for new projects
360 360 setting_issue_done_ratio: Calculate the issue done ratio with
361 361 setting_issue_done_ratio_issue_field: Use the issue field
362 362 setting_issue_done_ratio_issue_status: Use the issue status
363 363 setting_start_of_week: Start calendars on
364 364 setting_rest_api_enabled: Enable REST web service
365 365 setting_cache_formatted_text: Cache formatted text
366 366 setting_default_notification_option: Default notification option
367 367 setting_commit_logtime_enabled: Enable time logging
368 368 setting_commit_logtime_activity_id: Activity for logged time
369 369 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
370 370
371 371 permission_add_project: Create project
372 372 permission_add_subprojects: Create subprojects
373 373 permission_edit_project: Edit project
374 374 permission_select_project_modules: Select project modules
375 375 permission_manage_members: Manage members
376 376 permission_manage_project_activities: Manage project activities
377 377 permission_manage_versions: Manage versions
378 378 permission_manage_categories: Manage issue categories
379 379 permission_view_issues: View Issues
380 380 permission_add_issues: Add issues
381 381 permission_edit_issues: Edit issues
382 382 permission_manage_issue_relations: Manage issue relations
383 383 permission_add_issue_notes: Add notes
384 384 permission_edit_issue_notes: Edit notes
385 385 permission_edit_own_issue_notes: Edit own notes
386 386 permission_move_issues: Move issues
387 387 permission_delete_issues: Delete issues
388 388 permission_manage_public_queries: Manage public queries
389 389 permission_save_queries: Save queries
390 390 permission_view_gantt: View gantt chart
391 391 permission_view_calendar: View calendar
392 392 permission_view_issue_watchers: View watchers list
393 393 permission_add_issue_watchers: Add watchers
394 394 permission_delete_issue_watchers: Delete watchers
395 395 permission_log_time: Log spent time
396 396 permission_view_time_entries: View spent time
397 397 permission_edit_time_entries: Edit time logs
398 398 permission_edit_own_time_entries: Edit own time logs
399 399 permission_manage_news: Manage news
400 400 permission_comment_news: Comment news
401 401 permission_manage_documents: Manage documents
402 402 permission_view_documents: View documents
403 403 permission_manage_files: Manage files
404 404 permission_view_files: View files
405 405 permission_manage_wiki: Manage wiki
406 406 permission_rename_wiki_pages: Rename wiki pages
407 407 permission_delete_wiki_pages: Delete wiki pages
408 408 permission_view_wiki_pages: View wiki
409 409 permission_view_wiki_edits: View wiki history
410 410 permission_edit_wiki_pages: Edit wiki pages
411 411 permission_delete_wiki_pages_attachments: Delete attachments
412 412 permission_protect_wiki_pages: Protect wiki pages
413 413 permission_manage_repository: Manage repository
414 414 permission_browse_repository: Browse repository
415 415 permission_view_changesets: View changesets
416 416 permission_commit_access: Commit access
417 417 permission_manage_boards: Manage forums
418 418 permission_view_messages: View messages
419 419 permission_add_messages: Post messages
420 420 permission_edit_messages: Edit messages
421 421 permission_edit_own_messages: Edit own messages
422 422 permission_delete_messages: Delete messages
423 423 permission_delete_own_messages: Delete own messages
424 424 permission_export_wiki_pages: Export wiki pages
425 425 permission_manage_subtasks: Manage subtasks
426 426
427 427 project_module_issue_tracking: Issue tracking
428 428 project_module_time_tracking: Time tracking
429 429 project_module_news: News
430 430 project_module_documents: Documents
431 431 project_module_files: Files
432 432 project_module_wiki: Wiki
433 433 project_module_repository: Repository
434 434 project_module_boards: Forums
435 435 project_module_calendar: Calendar
436 436 project_module_gantt: Gantt
437 437
438 438 label_user: User
439 439 label_user_plural: Users
440 440 label_user_new: New user
441 441 label_user_anonymous: Anonymous
442 442 label_project: Project
443 443 label_project_new: New project
444 444 label_project_plural: Projects
445 445 label_x_projects:
446 446 zero: no projects
447 447 one: 1 project
448 448 other: "%{count} projects"
449 449 label_project_all: All Projects
450 450 label_project_latest: Latest projects
451 451 label_issue: Issue
452 452 label_issue_new: New issue
453 453 label_issue_plural: Issues
454 454 label_issue_view_all: View all issues
455 455 label_issues_by: "Issues by %{value}"
456 456 label_issue_added: Issue added
457 457 label_issue_updated: Issue updated
458 458 label_document: Document
459 459 label_document_new: New document
460 460 label_document_plural: Documents
461 461 label_document_added: Document added
462 462 label_role: Role
463 463 label_role_plural: Roles
464 464 label_role_new: New role
465 465 label_role_and_permissions: Roles and permissions
466 466 label_role_anonymous: Anonymous
467 467 label_role_non_member: Non member
468 468 label_member: Member
469 469 label_member_new: New member
470 470 label_member_plural: Members
471 471 label_tracker: Tracker
472 472 label_tracker_plural: Trackers
473 473 label_tracker_new: New tracker
474 474 label_workflow: Workflow
475 475 label_issue_status: Issue status
476 476 label_issue_status_plural: Issue statuses
477 477 label_issue_status_new: New status
478 478 label_issue_category: Issue category
479 479 label_issue_category_plural: Issue categories
480 480 label_issue_category_new: New category
481 481 label_custom_field: Custom field
482 482 label_custom_field_plural: Custom fields
483 483 label_custom_field_new: New custom field
484 484 label_enumerations: Enumerations
485 485 label_enumeration_new: New value
486 486 label_information: Information
487 487 label_information_plural: Information
488 488 label_please_login: Please log in
489 489 label_register: Register
490 490 label_login_with_open_id_option: or login with OpenID
491 491 label_password_lost: Lost password
492 492 label_home: Home
493 493 label_my_page: My page
494 494 label_my_account: My account
495 495 label_my_projects: My projects
496 496 label_my_page_block: My page block
497 497 label_administration: Administration
498 498 label_login: Sign in
499 499 label_logout: Sign out
500 500 label_help: Help
501 501 label_reported_issues: Reported issues
502 502 label_assigned_to_me_issues: Issues assigned to me
503 503 label_last_login: Last connection
504 504 label_registered_on: Registered on
505 505 label_activity: Activity
506 506 label_overall_activity: Overall activity
507 507 label_user_activity: "%{value}'s activity"
508 508 label_new: New
509 509 label_logged_as: Logged in as
510 510 label_environment: Environment
511 511 label_authentication: Authentication
512 512 label_auth_source: Authentication mode
513 513 label_auth_source_new: New authentication mode
514 514 label_auth_source_plural: Authentication modes
515 515 label_subproject_plural: Subprojects
516 516 label_subproject_new: New subproject
517 517 label_and_its_subprojects: "%{value} and its subprojects"
518 518 label_min_max_length: Min - Max length
519 519 label_list: List
520 520 label_date: Date
521 521 label_integer: Integer
522 522 label_float: Float
523 523 label_boolean: Boolean
524 524 label_string: Text
525 525 label_text: Long text
526 526 label_attribute: Attribute
527 527 label_attribute_plural: Attributes
528 528 label_download: "%{count} Download"
529 529 label_download_plural: "%{count} Downloads"
530 530 label_no_data: No data to display
531 531 label_change_status: Change status
532 532 label_history: History
533 533 label_attachment: File
534 534 label_attachment_new: New file
535 535 label_attachment_delete: Delete file
536 536 label_attachment_plural: Files
537 537 label_file_added: File added
538 538 label_report: Report
539 539 label_report_plural: Reports
540 540 label_news: News
541 541 label_news_new: Add news
542 542 label_news_plural: News
543 543 label_news_latest: Latest news
544 544 label_news_view_all: View all news
545 545 label_news_added: News added
546 546 label_news_comment_added: Comment added to a news
547 547 label_settings: Settings
548 548 label_overview: Overview
549 549 label_version: Version
550 550 label_version_new: New version
551 551 label_version_plural: Versions
552 552 label_close_versions: Close completed versions
553 553 label_confirmation: Confirmation
554 554 label_export_to: 'Also available in:'
555 555 label_read: Read...
556 556 label_public_projects: Public projects
557 557 label_open_issues: open
558 558 label_open_issues_plural: open
559 559 label_closed_issues: closed
560 560 label_closed_issues_plural: closed
561 561 label_x_open_issues_abbr_on_total:
562 562 zero: 0 open / %{total}
563 563 one: 1 open / %{total}
564 564 other: "%{count} open / %{total}"
565 565 label_x_open_issues_abbr:
566 566 zero: 0 open
567 567 one: 1 open
568 568 other: "%{count} open"
569 569 label_x_closed_issues_abbr:
570 570 zero: 0 closed
571 571 one: 1 closed
572 572 other: "%{count} closed"
573 573 label_total: Total
574 574 label_permissions: Permissions
575 575 label_current_status: Current status
576 576 label_new_statuses_allowed: New statuses allowed
577 577 label_all: all
578 578 label_none: none
579 579 label_nobody: nobody
580 580 label_next: Next
581 581 label_previous: Previous
582 582 label_used_by: Used by
583 583 label_details: Details
584 584 label_add_note: Add a note
585 585 label_per_page: Per page
586 586 label_calendar: Calendar
587 587 label_months_from: months from
588 588 label_gantt: Gantt
589 589 label_internal: Internal
590 590 label_last_changes: "last %{count} changes"
591 591 label_change_view_all: View all changes
592 592 label_personalize_page: Personalise this page
593 593 label_comment: Comment
594 594 label_comment_plural: Comments
595 595 label_x_comments:
596 596 zero: no comments
597 597 one: 1 comment
598 598 other: "%{count} comments"
599 599 label_comment_add: Add a comment
600 600 label_comment_added: Comment added
601 601 label_comment_delete: Delete comments
602 602 label_query: Custom query
603 603 label_query_plural: Custom queries
604 604 label_query_new: New query
605 605 label_my_queries: My custom queries
606 606 label_filter_add: Add filter
607 607 label_filter_plural: Filters
608 608 label_equals: is
609 609 label_not_equals: is not
610 610 label_in_less_than: in less than
611 611 label_in_more_than: in more than
612 612 label_greater_or_equal: '>='
613 613 label_less_or_equal: '<='
614 614 label_in: in
615 615 label_today: today
616 616 label_all_time: all time
617 617 label_yesterday: yesterday
618 618 label_this_week: this week
619 619 label_last_week: last week
620 620 label_last_n_days: "last %{count} days"
621 621 label_this_month: this month
622 622 label_last_month: last month
623 623 label_this_year: this year
624 624 label_date_range: Date range
625 625 label_less_than_ago: less than days ago
626 626 label_more_than_ago: more than days ago
627 627 label_ago: days ago
628 628 label_contains: contains
629 629 label_not_contains: doesn't contain
630 630 label_day_plural: days
631 631 label_repository: Repository
632 632 label_repository_plural: Repositories
633 633 label_browse: Browse
634 634 label_modification: "%{count} change"
635 635 label_modification_plural: "%{count} changes"
636 636 label_branch: Branch
637 637 label_tag: Tag
638 638 label_revision: Revision
639 639 label_revision_plural: Revisions
640 640 label_revision_id: "Revision %{value}"
641 641 label_associated_revisions: Associated revisions
642 642 label_added: added
643 643 label_modified: modified
644 644 label_copied: copied
645 645 label_renamed: renamed
646 646 label_deleted: deleted
647 647 label_latest_revision: Latest revision
648 648 label_latest_revision_plural: Latest revisions
649 649 label_view_revisions: View revisions
650 650 label_view_all_revisions: View all revisions
651 651 label_max_size: Maximum size
652 652 label_sort_highest: Move to top
653 653 label_sort_higher: Move up
654 654 label_sort_lower: Move down
655 655 label_sort_lowest: Move to bottom
656 656 label_roadmap: Roadmap
657 657 label_roadmap_due_in: "Due in %{value}"
658 658 label_roadmap_overdue: "%{value} late"
659 659 label_roadmap_no_issues: No issues for this version
660 660 label_search: Search
661 661 label_result_plural: Results
662 662 label_all_words: All words
663 663 label_wiki: Wiki
664 664 label_wiki_edit: Wiki edit
665 665 label_wiki_edit_plural: Wiki edits
666 666 label_wiki_page: Wiki page
667 667 label_wiki_page_plural: Wiki pages
668 668 label_index_by_title: Index by title
669 669 label_index_by_date: Index by date
670 670 label_current_version: Current version
671 671 label_preview: Preview
672 672 label_feed_plural: Feeds
673 673 label_changes_details: Details of all changes
674 674 label_issue_tracking: Issue tracking
675 675 label_spent_time: Spent time
676 676 label_overall_spent_time: Overall spent time
677 677 label_f_hour: "%{value} hour"
678 678 label_f_hour_plural: "%{value} hours"
679 679 label_time_tracking: Time tracking
680 680 label_change_plural: Changes
681 681 label_statistics: Statistics
682 682 label_commits_per_month: Commits per month
683 683 label_commits_per_author: Commits per author
684 684 label_view_diff: View differences
685 685 label_diff_inline: inline
686 686 label_diff_side_by_side: side by side
687 687 label_options: Options
688 688 label_copy_workflow_from: Copy workflow from
689 689 label_permissions_report: Permissions report
690 690 label_watched_issues: Watched issues
691 691 label_related_issues: Related issues
692 692 label_applied_status: Applied status
693 693 label_loading: Loading...
694 694 label_relation_new: New relation
695 695 label_relation_delete: Delete relation
696 696 label_relates_to: related to
697 697 label_duplicates: duplicates
698 698 label_duplicated_by: duplicated by
699 699 label_blocks: blocks
700 700 label_blocked_by: blocked by
701 701 label_precedes: precedes
702 702 label_follows: follows
703 703 label_end_to_start: end to start
704 704 label_end_to_end: end to end
705 705 label_start_to_start: start to start
706 706 label_start_to_end: start to end
707 707 label_stay_logged_in: Stay logged in
708 708 label_disabled: disabled
709 709 label_show_completed_versions: Show completed versions
710 710 label_me: me
711 711 label_board: Forum
712 712 label_board_new: New forum
713 713 label_board_plural: Forums
714 714 label_board_locked: Locked
715 715 label_board_sticky: Sticky
716 716 label_topic_plural: Topics
717 717 label_message_plural: Messages
718 718 label_message_last: Last message
719 719 label_message_new: New message
720 720 label_message_posted: Message added
721 721 label_reply_plural: Replies
722 722 label_send_information: Send account information to the user
723 723 label_year: Year
724 724 label_month: Month
725 725 label_week: Week
726 726 label_date_from: From
727 727 label_date_to: To
728 728 label_language_based: Based on user's language
729 729 label_sort_by: "Sort by %{value}"
730 730 label_send_test_email: Send a test email
731 731 label_feeds_access_key: RSS access key
732 732 label_missing_feeds_access_key: Missing a RSS access key
733 733 label_feeds_access_key_created_on: "RSS access key created %{value} ago"
734 734 label_module_plural: Modules
735 735 label_added_time_by: "Added by %{author} %{age} ago"
736 736 label_updated_time_by: "Updated by %{author} %{age} ago"
737 737 label_updated_time: "Updated %{value} ago"
738 738 label_jump_to_a_project: Jump to a project...
739 739 label_file_plural: Files
740 740 label_changeset_plural: Changesets
741 741 label_default_columns: Default columns
742 742 label_no_change_option: (No change)
743 743 label_bulk_edit_selected_issues: Bulk edit selected issues
744 744 label_theme: Theme
745 745 label_default: Default
746 746 label_search_titles_only: Search titles only
747 747 label_user_mail_option_all: "For any event on all my projects"
748 748 label_user_mail_option_selected: "For any event on the selected projects only..."
749 749 label_user_mail_option_none: "No events"
750 750 label_user_mail_option_only_my_events: "Only for things I watch or I'm involved in"
751 751 label_user_mail_option_only_assigned: "Only for things I am assigned to"
752 752 label_user_mail_option_only_owner: "Only for things I am the owner of"
753 753 label_user_mail_no_self_notified: "I don't want to be notified of changes that I make myself"
754 754 label_registration_activation_by_email: account activation by email
755 755 label_registration_manual_activation: manual account activation
756 756 label_registration_automatic_activation: automatic account activation
757 757 label_display_per_page: "Per page: %{value}"
758 758 label_age: Age
759 759 label_change_properties: Change properties
760 760 label_general: General
761 761 label_more: More
762 762 label_scm: SCM
763 763 label_plugins: Plugins
764 764 label_ldap_authentication: LDAP authentication
765 765 label_downloads_abbr: D/L
766 766 label_optional_description: Optional description
767 767 label_add_another_file: Add another file
768 768 label_preferences: Preferences
769 769 label_chronological_order: In chronological order
770 770 label_reverse_chronological_order: In reverse chronological order
771 771 label_planning: Planning
772 772 label_incoming_emails: Incoming emails
773 773 label_generate_key: Generate a key
774 774 label_issue_watchers: Watchers
775 775 label_example: Example
776 776 label_display: Display
777 777 label_sort: Sort
778 778 label_ascending: Ascending
779 779 label_descending: Descending
780 780 label_date_from_to: From %{start} to %{end}
781 781 label_wiki_content_added: Wiki page added
782 782 label_wiki_content_updated: Wiki page updated
783 783 label_group: Group
784 784 label_group_plural: Groups
785 785 label_group_new: New group
786 786 label_time_entry_plural: Spent time
787 787 label_version_sharing_none: Not shared
788 788 label_version_sharing_descendants: With subprojects
789 789 label_version_sharing_hierarchy: With project hierarchy
790 790 label_version_sharing_tree: With project tree
791 791 label_version_sharing_system: With all projects
792 792 label_update_issue_done_ratios: Update issue done ratios
793 793 label_copy_source: Source
794 794 label_copy_target: Target
795 795 label_copy_same_as_target: Same as target
796 796 label_display_used_statuses_only: Only display statuses that are used by this tracker
797 797 label_api_access_key: API access key
798 798 label_missing_api_access_key: Missing an API access key
799 799 label_api_access_key_created_on: "API access key created %{value} ago"
800 800 label_profile: Profile
801 801 label_subtask_plural: Subtasks
802 802 label_project_copy_notifications: Send email notifications during the project copy
803 803 label_principal_search: "Search for user or group:"
804 804 label_user_search: "Search for user:"
805 805
806 806 button_login: Login
807 807 button_submit: Submit
808 808 button_save: Save
809 809 button_check_all: Check all
810 810 button_uncheck_all: Uncheck all
811 811 button_collapse_all: Collapse all
812 812 button_expand_all: Expand all
813 813 button_delete: Delete
814 814 button_create: Create
815 815 button_create_and_continue: Create and continue
816 816 button_test: Test
817 817 button_edit: Edit
818 818 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
819 819 button_add: Add
820 820 button_change: Change
821 821 button_apply: Apply
822 822 button_clear: Clear
823 823 button_lock: Lock
824 824 button_unlock: Unlock
825 825 button_download: Download
826 826 button_list: List
827 827 button_view: View
828 828 button_move: Move
829 829 button_move_and_follow: Move and follow
830 830 button_back: Back
831 831 button_cancel: Cancel
832 832 button_activate: Activate
833 833 button_sort: Sort
834 834 button_log_time: Log time
835 835 button_rollback: Rollback to this version
836 836 button_watch: Watch
837 837 button_unwatch: Unwatch
838 838 button_reply: Reply
839 839 button_archive: Archive
840 840 button_unarchive: Unarchive
841 841 button_reset: Reset
842 842 button_rename: Rename
843 843 button_change_password: Change password
844 844 button_copy: Copy
845 845 button_copy_and_follow: Copy and follow
846 846 button_annotate: Annotate
847 847 button_update: Update
848 848 button_configure: Configure
849 849 button_quote: Quote
850 850 button_duplicate: Duplicate
851 851 button_show: Show
852 852
853 853 status_active: active
854 854 status_registered: registered
855 855 status_locked: locked
856 856
857 857 version_status_open: open
858 858 version_status_locked: locked
859 859 version_status_closed: closed
860 860
861 861 field_active: Active
862 862
863 863 text_select_mail_notifications: Select actions for which email notifications should be sent.
864 864 text_regexp_info: eg. ^[A-Z0-9]+$
865 865 text_min_max_length_info: 0 means no restriction
866 866 text_project_destroy_confirmation: Are you sure you want to delete this project and related data?
867 867 text_subprojects_destroy_warning: "Its subproject(s): %{value} will be also deleted."
868 868 text_workflow_edit: Select a role and a tracker to edit the workflow
869 869 text_are_you_sure: Are you sure?
870 870 text_are_you_sure_with_children: "Delete issue and all child issues?"
871 871 text_journal_changed: "%{label} changed from %{old} to %{new}"
872 872 text_journal_changed_no_detail: "%{label} updated"
873 873 text_journal_set_to: "%{label} set to %{value}"
874 874 text_journal_deleted: "%{label} deleted (%{old})"
875 875 text_journal_added: "%{label} %{value} added"
876 876 text_tip_issue_begin_day: task beginning this day
877 877 text_tip_issue_end_day: task ending this day
878 878 text_tip_issue_begin_end_day: task beginning and ending this day
879 879 text_project_identifier_info: 'Only lower case letters (a-z), numbers and dashes are allowed.<br />Once saved, the identifier cannot be changed.'
880 880 text_caracters_maximum: "%{count} characters maximum."
881 881 text_caracters_minimum: "Must be at least %{count} characters long."
882 882 text_length_between: "Length between %{min} and %{max} characters."
883 883 text_tracker_no_workflow: No workflow defined for this tracker
884 884 text_unallowed_characters: Unallowed characters
885 885 text_comma_separated: Multiple values allowed (comma separated).
886 886 text_line_separated: Multiple values allowed (one line for each value).
887 887 text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages
888 888 text_issue_added: "Issue %{id} has been reported by %{author}."
889 889 text_issue_updated: "Issue %{id} has been updated by %{author}."
890 890 text_wiki_destroy_confirmation: Are you sure you want to delete this wiki and all its content?
891 891 text_issue_category_destroy_question: "Some issues (%{count}) are assigned to this category. What do you want to do?"
892 892 text_issue_category_destroy_assignments: Remove category assignments
893 893 text_issue_category_reassign_to: Reassign issues to this category
894 894 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)."
895 895 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."
896 896 text_load_default_configuration: Load the default configuration
897 897 text_status_changed_by_changeset: "Applied in changeset %{value}."
898 898 text_time_logged_by_changeset: "Applied in changeset %{value}."
899 899 text_issues_destroy_confirmation: 'Are you sure you want to delete the selected issue(s)?'
900 900 text_select_project_modules: 'Select modules to enable for this project:'
901 901 text_default_administrator_account_changed: Default administrator account changed
902 902 text_file_repository_writable: Attachments directory writable
903 903 text_plugin_assets_writable: Plugin assets directory writable
904 904 text_rmagick_available: RMagick available (optional)
905 905 text_destroy_time_entries_question: "%{hours} hours were reported on the issues you are about to delete. What do you want to do?"
906 906 text_destroy_time_entries: Delete reported hours
907 907 text_assign_time_entries_to_project: Assign reported hours to the project
908 908 text_reassign_time_entries: 'Reassign reported hours to this issue:'
909 909 text_user_wrote: "%{value} wrote:"
910 910 text_enumeration_destroy_question: "%{count} objects are assigned to this value."
911 911 text_enumeration_category_reassign_to: 'Reassign them to this value:'
912 912 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."
913 913 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."
914 914 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
915 915 text_custom_field_possible_values_info: 'One line for each value'
916 916 text_wiki_page_destroy_question: "This page has %{descendants} child page(s) and descendant(s). What do you want to do?"
917 917 text_wiki_page_nullify_children: "Keep child pages as root pages"
918 918 text_wiki_page_destroy_children: "Delete child pages and all their descendants"
919 919 text_wiki_page_reassign_children: "Reassign child pages to this parent page"
920 920 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?"
921 921 text_zoom_in: Zoom in
922 922 text_zoom_out: Zoom out
923 923 text_warn_on_leaving_unsaved: "The current page contains unsaved text that will be lost if you leave this page."
924 924
925 925 default_role_manager: Manager
926 926 default_role_developer: Developer
927 927 default_role_reporter: Reporter
928 928 default_tracker_bug: Bug
929 929 default_tracker_feature: Feature
930 930 default_tracker_support: Support
931 931 default_issue_status_new: New
932 932 default_issue_status_in_progress: In Progress
933 933 default_issue_status_resolved: Resolved
934 934 default_issue_status_feedback: Feedback
935 935 default_issue_status_closed: Closed
936 936 default_issue_status_rejected: Rejected
937 937 default_doc_category_user: User documentation
938 938 default_doc_category_tech: Technical documentation
939 939 default_priority_low: Low
940 940 default_priority_normal: Normal
941 941 default_priority_high: High
942 942 default_priority_urgent: Urgent
943 943 default_priority_immediate: Immediate
944 944 default_activity_design: Design
945 945 default_activity_development: Development
946 946
947 947 enumeration_issue_priorities: Issue priorities
948 948 enumeration_doc_categories: Document categories
949 949 enumeration_activities: Activities (time tracking)
950 950 enumeration_system_activity: System Activity
951 951 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
952 952 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
953 953 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
954 954 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
955 955 label_issue_note_added: Note added
956 956 label_issue_status_updated: Status updated
957 957 label_issue_priority_updated: Priority updated
958 958 label_issues_visibility_own: Issues created by or assigned to the user
959 959 field_issues_visibility: Issues visibility
960 960 label_issues_visibility_all: All issues
961 961 permission_set_own_issues_private: Set own issues public or private
962 962 field_is_private: Private
963 963 permission_set_issues_private: Set issues public or private
964 964 label_issues_visibility_public: All non private issues
965 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
@@ -1,960 +1,961
1 1 en:
2 2 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
3 3 direction: ltr
4 4 date:
5 5 formats:
6 6 # Use the strftime parameters for formats.
7 7 # When no format has been given, it uses default.
8 8 # You can provide other formats here if you like!
9 9 default: "%m/%d/%Y"
10 10 short: "%b %d"
11 11 long: "%B %d, %Y"
12 12
13 13 day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday]
14 14 abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat]
15 15
16 16 # Don't forget the nil at the beginning; there's no such thing as a 0th month
17 17 month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December]
18 18 abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec]
19 19 # Used in date_select and datime_select.
20 20 order: [ :year, :month, :day ]
21 21
22 22 time:
23 23 formats:
24 24 default: "%m/%d/%Y %I:%M %p"
25 25 time: "%I:%M %p"
26 26 short: "%d %b %H:%M"
27 27 long: "%B %d, %Y %H:%M"
28 28 am: "am"
29 29 pm: "pm"
30 30
31 31 datetime:
32 32 distance_in_words:
33 33 half_a_minute: "half a minute"
34 34 less_than_x_seconds:
35 35 one: "less than 1 second"
36 36 other: "less than %{count} seconds"
37 37 x_seconds:
38 38 one: "1 second"
39 39 other: "%{count} seconds"
40 40 less_than_x_minutes:
41 41 one: "less than a minute"
42 42 other: "less than %{count} minutes"
43 43 x_minutes:
44 44 one: "1 minute"
45 45 other: "%{count} minutes"
46 46 about_x_hours:
47 47 one: "about 1 hour"
48 48 other: "about %{count} hours"
49 49 x_days:
50 50 one: "1 day"
51 51 other: "%{count} days"
52 52 about_x_months:
53 53 one: "about 1 month"
54 54 other: "about %{count} months"
55 55 x_months:
56 56 one: "1 month"
57 57 other: "%{count} months"
58 58 about_x_years:
59 59 one: "about 1 year"
60 60 other: "about %{count} years"
61 61 over_x_years:
62 62 one: "over 1 year"
63 63 other: "over %{count} years"
64 64 almost_x_years:
65 65 one: "almost 1 year"
66 66 other: "almost %{count} years"
67 67
68 68 number:
69 69 format:
70 70 separator: "."
71 71 delimiter: ""
72 72 precision: 3
73 73
74 74 human:
75 75 format:
76 76 delimiter: ""
77 77 precision: 1
78 78 storage_units:
79 79 format: "%n %u"
80 80 units:
81 81 byte:
82 82 one: "Byte"
83 83 other: "Bytes"
84 84 kb: "kB"
85 85 mb: "MB"
86 86 gb: "GB"
87 87 tb: "TB"
88 88
89 89
90 90 # Used in array.to_sentence.
91 91 support:
92 92 array:
93 93 sentence_connector: "and"
94 94 skip_last_comma: false
95 95
96 96 activerecord:
97 97 errors:
98 98 template:
99 99 header:
100 100 one: "1 error prohibited this %{model} from being saved"
101 101 other: "%{count} errors prohibited this %{model} from being saved"
102 102 messages:
103 103 inclusion: "is not included in the list"
104 104 exclusion: "is reserved"
105 105 invalid: "is invalid"
106 106 confirmation: "doesn't match confirmation"
107 107 accepted: "must be accepted"
108 108 empty: "can't be empty"
109 109 blank: "can't be blank"
110 110 too_long: "is too long (maximum is %{count} characters)"
111 111 too_short: "is too short (minimum is %{count} characters)"
112 112 wrong_length: "is the wrong length (should be %{count} characters)"
113 113 taken: "has already been taken"
114 114 not_a_number: "is not a number"
115 115 not_a_date: "is not a valid date"
116 116 greater_than: "must be greater than %{count}"
117 117 greater_than_or_equal_to: "must be greater than or equal to %{count}"
118 118 equal_to: "must be equal to %{count}"
119 119 less_than: "must be less than %{count}"
120 120 less_than_or_equal_to: "must be less than or equal to %{count}"
121 121 odd: "must be odd"
122 122 even: "must be even"
123 123 greater_than_start_date: "must be greater than start date"
124 124 not_same_project: "doesn't belong to the same project"
125 125 circular_dependency: "This relation would create a circular dependency"
126 126 cant_link_an_issue_with_a_descendant: "An issue cannot be linked to one of its subtasks"
127 127
128 128 actionview_instancetag_blank_option: Please select
129 129
130 130 general_text_No: 'No'
131 131 general_text_Yes: 'Yes'
132 132 general_text_no: 'no'
133 133 general_text_yes: 'yes'
134 134 general_lang_name: 'English'
135 135 general_csv_separator: ','
136 136 general_csv_decimal_separator: '.'
137 137 general_csv_encoding: ISO-8859-1
138 138 general_pdf_encoding: UTF-8
139 139 general_first_day_of_week: '7'
140 140
141 141 notice_account_updated: Account was successfully updated.
142 142 notice_account_invalid_creditentials: Invalid user or password
143 143 notice_account_password_updated: Password was successfully updated.
144 144 notice_account_wrong_password: Wrong password
145 145 notice_account_register_done: Account was successfully created. To activate your account, click on the link that was emailed to you.
146 146 notice_account_unknown_email: Unknown user.
147 147 notice_can_t_change_password: This account uses an external authentication source. Impossible to change the password.
148 148 notice_account_lost_email_sent: An email with instructions to choose a new password has been sent to you.
149 149 notice_account_activated: Your account has been activated. You can now log in.
150 150 notice_successful_create: Successful creation.
151 151 notice_successful_update: Successful update.
152 152 notice_successful_delete: Successful deletion.
153 153 notice_successful_connection: Successful connection.
154 154 notice_file_not_found: The page you were trying to access doesn't exist or has been removed.
155 155 notice_locking_conflict: Data has been updated by another user.
156 156 notice_not_authorized: You are not authorized to access this page.
157 157 notice_not_authorized_archived_project: The project you're trying to access has been archived.
158 158 notice_email_sent: "An email was sent to %{value}"
159 159 notice_email_error: "An error occurred while sending mail (%{value})"
160 160 notice_feeds_access_key_reseted: Your RSS access key was reset.
161 161 notice_api_access_key_reseted: Your API access key was reset.
162 162 notice_failed_to_save_issues: "Failed to save %{count} issue(s) on %{total} selected: %{ids}."
163 163 notice_failed_to_save_members: "Failed to save member(s): %{errors}."
164 164 notice_no_issue_selected: "No issue is selected! Please, check the issues you want to edit."
165 165 notice_account_pending: "Your account was created and is now pending administrator approval."
166 166 notice_default_data_loaded: Default configuration successfully loaded.
167 167 notice_unable_delete_version: Unable to delete version.
168 168 notice_unable_delete_time_entry: Unable to delete time log entry.
169 169 notice_issue_done_ratios_updated: Issue done ratios updated.
170 170 notice_gantt_chart_truncated: "The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})"
171 171
172 172 error_can_t_load_default_data: "Default configuration could not be loaded: %{value}"
173 173 error_scm_not_found: "The entry or revision was not found in the repository."
174 174 error_scm_command_failed: "An error occurred when trying to access the repository: %{value}"
175 175 error_scm_annotate: "The entry does not exist or cannot be annotated."
176 176 error_issue_not_found_in_project: 'The issue was not found or does not belong to this project'
177 177 error_no_tracker_in_project: 'No tracker is associated to this project. Please check the Project settings.'
178 178 error_no_default_issue_status: 'No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").'
179 179 error_can_not_delete_custom_field: Unable to delete custom field
180 180 error_can_not_delete_tracker: "This tracker contains issues and cannot be deleted."
181 181 error_can_not_remove_role: "This role is in use and cannot be deleted."
182 182 error_can_not_reopen_issue_on_closed_version: 'An issue assigned to a closed version cannot be reopened'
183 183 error_can_not_archive_project: This project cannot be archived
184 184 error_issue_done_ratios_not_updated: "Issue done ratios not updated."
185 185 error_workflow_copy_source: 'Please select a source tracker or role'
186 186 error_workflow_copy_target: 'Please select target tracker(s) and role(s)'
187 187 error_unable_delete_issue_status: 'Unable to delete issue status'
188 188 error_unable_to_connect: "Unable to connect (%{value})"
189 189 warning_attachments_not_saved: "%{count} file(s) could not be saved."
190 190
191 191 mail_subject_lost_password: "Your %{value} password"
192 192 mail_body_lost_password: 'To change your password, click on the following link:'
193 193 mail_subject_register: "Your %{value} account activation"
194 194 mail_body_register: 'To activate your account, click on the following link:'
195 195 mail_body_account_information_external: "You can use your %{value} account to log in."
196 196 mail_body_account_information: Your account information
197 197 mail_subject_account_activation_request: "%{value} account activation request"
198 198 mail_body_account_activation_request: "A new user (%{value}) has registered. The account is pending your approval:"
199 199 mail_subject_reminder: "%{count} issue(s) due in the next %{days} days"
200 200 mail_body_reminder: "%{count} issue(s) that are assigned to you are due in the next %{days} days:"
201 201 mail_subject_wiki_content_added: "'%{id}' wiki page has been added"
202 202 mail_body_wiki_content_added: "The '%{id}' wiki page has been added by %{author}."
203 203 mail_subject_wiki_content_updated: "'%{id}' wiki page has been updated"
204 204 mail_body_wiki_content_updated: "The '%{id}' wiki page has been updated by %{author}."
205 205
206 206 gui_validation_error: 1 error
207 207 gui_validation_error_plural: "%{count} errors"
208 208
209 209 field_name: Name
210 210 field_description: Description
211 211 field_summary: Summary
212 212 field_is_required: Required
213 213 field_firstname: First name
214 214 field_lastname: Last name
215 215 field_mail: Email
216 216 field_filename: File
217 217 field_filesize: Size
218 218 field_downloads: Downloads
219 219 field_author: Author
220 220 field_created_on: Created
221 221 field_updated_on: Updated
222 222 field_field_format: Format
223 223 field_is_for_all: For all projects
224 224 field_possible_values: Possible values
225 225 field_regexp: Regular expression
226 226 field_min_length: Minimum length
227 227 field_max_length: Maximum length
228 228 field_value: Value
229 229 field_category: Category
230 230 field_title: Title
231 231 field_project: Project
232 232 field_issue: Issue
233 233 field_status: Status
234 234 field_notes: Notes
235 235 field_is_closed: Issue closed
236 236 field_is_default: Default value
237 237 field_tracker: Tracker
238 238 field_subject: Subject
239 239 field_due_date: Due date
240 240 field_assigned_to: Assignee
241 241 field_priority: Priority
242 242 field_fixed_version: Target version
243 243 field_user: User
244 244 field_principal: Principal
245 245 field_role: Role
246 246 field_homepage: Homepage
247 247 field_is_public: Public
248 248 field_parent: Subproject of
249 249 field_is_in_roadmap: Issues displayed in roadmap
250 250 field_login: Login
251 251 field_mail_notification: Email notifications
252 252 field_admin: Administrator
253 253 field_last_login_on: Last connection
254 254 field_language: Language
255 255 field_effective_date: Date
256 256 field_password: Password
257 257 field_new_password: New password
258 258 field_password_confirmation: Confirmation
259 259 field_version: Version
260 260 field_type: Type
261 261 field_host: Host
262 262 field_port: Port
263 263 field_account: Account
264 264 field_base_dn: Base DN
265 265 field_attr_login: Login attribute
266 266 field_attr_firstname: Firstname attribute
267 267 field_attr_lastname: Lastname attribute
268 268 field_attr_mail: Email attribute
269 269 field_onthefly: On-the-fly user creation
270 270 field_start_date: Start date
271 271 field_done_ratio: % Done
272 272 field_auth_source: Authentication mode
273 273 field_hide_mail: Hide my email address
274 274 field_comments: Comment
275 275 field_url: URL
276 276 field_start_page: Start page
277 277 field_subproject: Subproject
278 278 field_hours: Hours
279 279 field_activity: Activity
280 280 field_spent_on: Date
281 281 field_identifier: Identifier
282 282 field_is_filter: Used as a filter
283 283 field_issue_to: Related issue
284 284 field_delay: Delay
285 285 field_assignable: Issues can be assigned to this role
286 286 field_redirect_existing_links: Redirect existing links
287 287 field_estimated_hours: Estimated time
288 288 field_column_names: Columns
289 289 field_time_entries: Log time
290 290 field_time_zone: Time zone
291 291 field_searchable: Searchable
292 292 field_default_value: Default value
293 293 field_comments_sorting: Display comments
294 294 field_parent_title: Parent page
295 295 field_editable: Editable
296 296 field_watcher: Watcher
297 297 field_identity_url: OpenID URL
298 298 field_content: Content
299 299 field_group_by: Group results by
300 300 field_sharing: Sharing
301 301 field_parent_issue: Parent task
302 302 field_member_of_group: "Assignee's group"
303 303 field_assigned_to_role: "Assignee's role"
304 304 field_text: Text field
305 305 field_visible: Visible
306 306 field_warn_on_leaving_unsaved: "Warn me when leaving a page with unsaved text"
307 307 field_issues_visibility: Issues visibility
308 308 field_is_private: Private
309 309
310 310 setting_app_title: Application title
311 311 setting_app_subtitle: Application subtitle
312 312 setting_welcome_text: Welcome text
313 313 setting_default_language: Default language
314 314 setting_login_required: Authentication required
315 315 setting_self_registration: Self-registration
316 316 setting_attachment_max_size: Attachment max. size
317 317 setting_issues_export_limit: Issues export limit
318 318 setting_mail_from: Emission email address
319 319 setting_bcc_recipients: Blind carbon copy recipients (bcc)
320 320 setting_plain_text_mail: Plain text mail (no HTML)
321 321 setting_host_name: Host name and path
322 322 setting_text_formatting: Text formatting
323 323 setting_wiki_compression: Wiki history compression
324 324 setting_feeds_limit: Feed content limit
325 325 setting_default_projects_public: New projects are public by default
326 326 setting_autofetch_changesets: Autofetch commits
327 327 setting_sys_api_enabled: Enable WS for repository management
328 328 setting_commit_ref_keywords: Referencing keywords
329 329 setting_commit_fix_keywords: Fixing keywords
330 330 setting_autologin: Autologin
331 331 setting_date_format: Date format
332 332 setting_time_format: Time format
333 333 setting_cross_project_issue_relations: Allow cross-project issue relations
334 334 setting_issue_list_default_columns: Default columns displayed on the issue list
335 335 setting_repositories_encodings: Repositories encodings
336 336 setting_commit_logs_encoding: Commit messages encoding
337 337 setting_emails_header: Emails header
338 338 setting_emails_footer: Emails footer
339 339 setting_protocol: Protocol
340 340 setting_per_page_options: Objects per page options
341 341 setting_user_format: Users display format
342 342 setting_activity_days_default: Days displayed on project activity
343 343 setting_display_subprojects_issues: Display subprojects issues on main projects by default
344 344 setting_enabled_scm: Enabled SCM
345 345 setting_mail_handler_body_delimiters: "Truncate emails after one of these lines"
346 346 setting_mail_handler_api_enabled: Enable WS for incoming emails
347 347 setting_mail_handler_api_key: API key
348 348 setting_sequential_project_identifiers: Generate sequential project identifiers
349 349 setting_gravatar_enabled: Use Gravatar user icons
350 350 setting_gravatar_default: Default Gravatar image
351 351 setting_diff_max_lines_displayed: Max number of diff lines displayed
352 352 setting_file_max_size_displayed: Max size of text files displayed inline
353 353 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
354 354 setting_openid: Allow OpenID login and registration
355 355 setting_password_min_length: Minimum password length
356 356 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
357 357 setting_default_projects_modules: Default enabled modules for new projects
358 358 setting_issue_done_ratio: Calculate the issue done ratio with
359 359 setting_issue_done_ratio_issue_field: Use the issue field
360 360 setting_issue_done_ratio_issue_status: Use the issue status
361 361 setting_start_of_week: Start calendars on
362 362 setting_rest_api_enabled: Enable REST web service
363 363 setting_cache_formatted_text: Cache formatted text
364 364 setting_default_notification_option: Default notification option
365 365 setting_commit_logtime_enabled: Enable time logging
366 366 setting_commit_logtime_activity_id: Activity for logged time
367 367 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
368 368
369 369 permission_add_project: Create project
370 370 permission_add_subprojects: Create subprojects
371 371 permission_edit_project: Edit project
372 372 permission_select_project_modules: Select project modules
373 373 permission_manage_members: Manage members
374 374 permission_manage_project_activities: Manage project activities
375 375 permission_manage_versions: Manage versions
376 376 permission_manage_categories: Manage issue categories
377 377 permission_view_issues: View Issues
378 378 permission_add_issues: Add issues
379 379 permission_edit_issues: Edit issues
380 380 permission_manage_issue_relations: Manage issue relations
381 381 permission_set_issues_private: Set issues public or private
382 382 permission_set_own_issues_private: Set own issues public or private
383 383 permission_add_issue_notes: Add notes
384 384 permission_edit_issue_notes: Edit notes
385 385 permission_edit_own_issue_notes: Edit own notes
386 386 permission_move_issues: Move issues
387 387 permission_delete_issues: Delete issues
388 388 permission_manage_public_queries: Manage public queries
389 389 permission_save_queries: Save queries
390 390 permission_view_gantt: View gantt chart
391 391 permission_view_calendar: View calendar
392 392 permission_view_issue_watchers: View watchers list
393 393 permission_add_issue_watchers: Add watchers
394 394 permission_delete_issue_watchers: Delete watchers
395 395 permission_log_time: Log spent time
396 396 permission_view_time_entries: View spent time
397 397 permission_edit_time_entries: Edit time logs
398 398 permission_edit_own_time_entries: Edit own time logs
399 399 permission_manage_news: Manage news
400 400 permission_comment_news: Comment news
401 401 permission_manage_documents: Manage documents
402 402 permission_view_documents: View documents
403 403 permission_manage_files: Manage files
404 404 permission_view_files: View files
405 405 permission_manage_wiki: Manage wiki
406 406 permission_rename_wiki_pages: Rename wiki pages
407 407 permission_delete_wiki_pages: Delete wiki pages
408 408 permission_view_wiki_pages: View wiki
409 409 permission_view_wiki_edits: View wiki history
410 410 permission_edit_wiki_pages: Edit wiki pages
411 411 permission_delete_wiki_pages_attachments: Delete attachments
412 412 permission_protect_wiki_pages: Protect wiki pages
413 413 permission_manage_repository: Manage repository
414 414 permission_browse_repository: Browse repository
415 415 permission_view_changesets: View changesets
416 416 permission_commit_access: Commit access
417 417 permission_manage_boards: Manage forums
418 418 permission_view_messages: View messages
419 419 permission_add_messages: Post messages
420 420 permission_edit_messages: Edit messages
421 421 permission_edit_own_messages: Edit own messages
422 422 permission_delete_messages: Delete messages
423 423 permission_delete_own_messages: Delete own messages
424 424 permission_export_wiki_pages: Export wiki pages
425 425 permission_manage_subtasks: Manage subtasks
426 426
427 427 project_module_issue_tracking: Issue tracking
428 428 project_module_time_tracking: Time tracking
429 429 project_module_news: News
430 430 project_module_documents: Documents
431 431 project_module_files: Files
432 432 project_module_wiki: Wiki
433 433 project_module_repository: Repository
434 434 project_module_boards: Forums
435 435 project_module_calendar: Calendar
436 436 project_module_gantt: Gantt
437 437
438 438 label_user: User
439 439 label_user_plural: Users
440 440 label_user_new: New user
441 441 label_user_anonymous: Anonymous
442 442 label_project: Project
443 443 label_project_new: New project
444 444 label_project_plural: Projects
445 445 label_x_projects:
446 446 zero: no projects
447 447 one: 1 project
448 448 other: "%{count} projects"
449 449 label_project_all: All Projects
450 450 label_project_latest: Latest projects
451 451 label_issue: Issue
452 452 label_issue_new: New issue
453 453 label_issue_plural: Issues
454 454 label_issue_view_all: View all issues
455 455 label_issues_by: "Issues by %{value}"
456 456 label_issue_added: Issue added
457 457 label_issue_updated: Issue updated
458 458 label_issue_note_added: Note added
459 459 label_issue_status_updated: Status updated
460 460 label_issue_priority_updated: Priority updated
461 461 label_document: Document
462 462 label_document_new: New document
463 463 label_document_plural: Documents
464 464 label_document_added: Document added
465 465 label_role: Role
466 466 label_role_plural: Roles
467 467 label_role_new: New role
468 468 label_role_and_permissions: Roles and permissions
469 469 label_role_anonymous: Anonymous
470 470 label_role_non_member: Non member
471 471 label_member: Member
472 472 label_member_new: New member
473 473 label_member_plural: Members
474 474 label_tracker: Tracker
475 475 label_tracker_plural: Trackers
476 476 label_tracker_new: New tracker
477 477 label_workflow: Workflow
478 478 label_issue_status: Issue status
479 479 label_issue_status_plural: Issue statuses
480 480 label_issue_status_new: New status
481 481 label_issue_category: Issue category
482 482 label_issue_category_plural: Issue categories
483 483 label_issue_category_new: New category
484 484 label_custom_field: Custom field
485 485 label_custom_field_plural: Custom fields
486 486 label_custom_field_new: New custom field
487 487 label_enumerations: Enumerations
488 488 label_enumeration_new: New value
489 489 label_information: Information
490 490 label_information_plural: Information
491 491 label_please_login: Please log in
492 492 label_register: Register
493 493 label_login_with_open_id_option: or login with OpenID
494 494 label_password_lost: Lost password
495 495 label_home: Home
496 496 label_my_page: My page
497 497 label_my_account: My account
498 498 label_my_projects: My projects
499 499 label_my_page_block: My page block
500 500 label_administration: Administration
501 501 label_login: Sign in
502 502 label_logout: Sign out
503 503 label_help: Help
504 504 label_reported_issues: Reported issues
505 505 label_assigned_to_me_issues: Issues assigned to me
506 506 label_last_login: Last connection
507 507 label_registered_on: Registered on
508 508 label_activity: Activity
509 509 label_overall_activity: Overall activity
510 510 label_user_activity: "%{value}'s activity"
511 511 label_new: New
512 512 label_logged_as: Logged in as
513 513 label_environment: Environment
514 514 label_authentication: Authentication
515 515 label_auth_source: Authentication mode
516 516 label_auth_source_new: New authentication mode
517 517 label_auth_source_plural: Authentication modes
518 518 label_subproject_plural: Subprojects
519 519 label_subproject_new: New subproject
520 520 label_and_its_subprojects: "%{value} and its subprojects"
521 521 label_min_max_length: Min - Max length
522 522 label_list: List
523 523 label_date: Date
524 524 label_integer: Integer
525 525 label_float: Float
526 526 label_boolean: Boolean
527 527 label_string: Text
528 528 label_text: Long text
529 529 label_attribute: Attribute
530 530 label_attribute_plural: Attributes
531 531 label_download: "%{count} Download"
532 532 label_download_plural: "%{count} Downloads"
533 533 label_no_data: No data to display
534 534 label_change_status: Change status
535 535 label_history: History
536 536 label_attachment: File
537 537 label_attachment_new: New file
538 538 label_attachment_delete: Delete file
539 539 label_attachment_plural: Files
540 540 label_file_added: File added
541 541 label_report: Report
542 542 label_report_plural: Reports
543 543 label_news: News
544 544 label_news_new: Add news
545 545 label_news_plural: News
546 546 label_news_latest: Latest news
547 547 label_news_view_all: View all news
548 548 label_news_added: News added
549 549 label_news_comment_added: Comment added to a news
550 550 label_settings: Settings
551 551 label_overview: Overview
552 552 label_version: Version
553 553 label_version_new: New version
554 554 label_version_plural: Versions
555 555 label_close_versions: Close completed versions
556 556 label_confirmation: Confirmation
557 557 label_export_to: 'Also available in:'
558 558 label_read: Read...
559 559 label_public_projects: Public projects
560 560 label_open_issues: open
561 561 label_open_issues_plural: open
562 562 label_closed_issues: closed
563 563 label_closed_issues_plural: closed
564 564 label_x_open_issues_abbr_on_total:
565 565 zero: 0 open / %{total}
566 566 one: 1 open / %{total}
567 567 other: "%{count} open / %{total}"
568 568 label_x_open_issues_abbr:
569 569 zero: 0 open
570 570 one: 1 open
571 571 other: "%{count} open"
572 572 label_x_closed_issues_abbr:
573 573 zero: 0 closed
574 574 one: 1 closed
575 575 other: "%{count} closed"
576 576 label_total: Total
577 577 label_permissions: Permissions
578 578 label_current_status: Current status
579 579 label_new_statuses_allowed: New statuses allowed
580 580 label_all: all
581 581 label_none: none
582 582 label_nobody: nobody
583 583 label_next: Next
584 584 label_previous: Previous
585 585 label_used_by: Used by
586 586 label_details: Details
587 587 label_add_note: Add a note
588 588 label_per_page: Per page
589 589 label_calendar: Calendar
590 590 label_months_from: months from
591 591 label_gantt: Gantt
592 592 label_internal: Internal
593 593 label_last_changes: "last %{count} changes"
594 594 label_change_view_all: View all changes
595 595 label_personalize_page: Personalize this page
596 596 label_comment: Comment
597 597 label_comment_plural: Comments
598 598 label_x_comments:
599 599 zero: no comments
600 600 one: 1 comment
601 601 other: "%{count} comments"
602 602 label_comment_add: Add a comment
603 603 label_comment_added: Comment added
604 604 label_comment_delete: Delete comments
605 605 label_query: Custom query
606 606 label_query_plural: Custom queries
607 607 label_query_new: New query
608 608 label_my_queries: My custom queries
609 609 label_filter_add: Add filter
610 610 label_filter_plural: Filters
611 611 label_equals: is
612 612 label_not_equals: is not
613 613 label_in_less_than: in less than
614 614 label_in_more_than: in more than
615 615 label_greater_or_equal: '>='
616 616 label_less_or_equal: '<='
617 617 label_in: in
618 618 label_today: today
619 619 label_all_time: all time
620 620 label_yesterday: yesterday
621 621 label_this_week: this week
622 622 label_last_week: last week
623 623 label_last_n_days: "last %{count} days"
624 624 label_this_month: this month
625 625 label_last_month: last month
626 626 label_this_year: this year
627 627 label_date_range: Date range
628 628 label_less_than_ago: less than days ago
629 629 label_more_than_ago: more than days ago
630 630 label_ago: days ago
631 631 label_contains: contains
632 632 label_not_contains: doesn't contain
633 633 label_day_plural: days
634 634 label_repository: Repository
635 635 label_repository_plural: Repositories
636 636 label_browse: Browse
637 637 label_modification: "%{count} change"
638 638 label_modification_plural: "%{count} changes"
639 639 label_branch: Branch
640 640 label_tag: Tag
641 641 label_revision: Revision
642 642 label_revision_plural: Revisions
643 643 label_revision_id: "Revision %{value}"
644 644 label_associated_revisions: Associated revisions
645 645 label_added: added
646 646 label_modified: modified
647 647 label_copied: copied
648 648 label_renamed: renamed
649 649 label_deleted: deleted
650 650 label_latest_revision: Latest revision
651 651 label_latest_revision_plural: Latest revisions
652 652 label_view_revisions: View revisions
653 653 label_view_all_revisions: View all revisions
654 654 label_max_size: Maximum size
655 655 label_sort_highest: Move to top
656 656 label_sort_higher: Move up
657 657 label_sort_lower: Move down
658 658 label_sort_lowest: Move to bottom
659 659 label_roadmap: Roadmap
660 660 label_roadmap_due_in: "Due in %{value}"
661 661 label_roadmap_overdue: "%{value} late"
662 662 label_roadmap_no_issues: No issues for this version
663 663 label_search: Search
664 664 label_result_plural: Results
665 665 label_all_words: All words
666 666 label_wiki: Wiki
667 667 label_wiki_edit: Wiki edit
668 668 label_wiki_edit_plural: Wiki edits
669 669 label_wiki_page: Wiki page
670 670 label_wiki_page_plural: Wiki pages
671 671 label_index_by_title: Index by title
672 672 label_index_by_date: Index by date
673 673 label_current_version: Current version
674 674 label_preview: Preview
675 675 label_feed_plural: Feeds
676 676 label_changes_details: Details of all changes
677 677 label_issue_tracking: Issue tracking
678 678 label_spent_time: Spent time
679 679 label_overall_spent_time: Overall spent time
680 680 label_f_hour: "%{value} hour"
681 681 label_f_hour_plural: "%{value} hours"
682 682 label_time_tracking: Time tracking
683 683 label_change_plural: Changes
684 684 label_statistics: Statistics
685 685 label_commits_per_month: Commits per month
686 686 label_commits_per_author: Commits per author
687 687 label_view_diff: View differences
688 688 label_diff_inline: inline
689 689 label_diff_side_by_side: side by side
690 690 label_options: Options
691 691 label_copy_workflow_from: Copy workflow from
692 692 label_permissions_report: Permissions report
693 693 label_watched_issues: Watched issues
694 694 label_related_issues: Related issues
695 695 label_applied_status: Applied status
696 696 label_loading: Loading...
697 697 label_relation_new: New relation
698 698 label_relation_delete: Delete relation
699 699 label_relates_to: related to
700 700 label_duplicates: duplicates
701 701 label_duplicated_by: duplicated by
702 702 label_blocks: blocks
703 703 label_blocked_by: blocked by
704 704 label_precedes: precedes
705 705 label_follows: follows
706 706 label_end_to_start: end to start
707 707 label_end_to_end: end to end
708 708 label_start_to_start: start to start
709 709 label_start_to_end: start to end
710 710 label_stay_logged_in: Stay logged in
711 711 label_disabled: disabled
712 712 label_show_completed_versions: Show completed versions
713 713 label_me: me
714 714 label_board: Forum
715 715 label_board_new: New forum
716 716 label_board_plural: Forums
717 717 label_board_locked: Locked
718 718 label_board_sticky: Sticky
719 719 label_topic_plural: Topics
720 720 label_message_plural: Messages
721 721 label_message_last: Last message
722 722 label_message_new: New message
723 723 label_message_posted: Message added
724 724 label_reply_plural: Replies
725 725 label_send_information: Send account information to the user
726 726 label_year: Year
727 727 label_month: Month
728 728 label_week: Week
729 729 label_date_from: From
730 730 label_date_to: To
731 731 label_language_based: Based on user's language
732 732 label_sort_by: "Sort by %{value}"
733 733 label_send_test_email: Send a test email
734 734 label_feeds_access_key: RSS access key
735 735 label_missing_feeds_access_key: Missing a RSS access key
736 736 label_feeds_access_key_created_on: "RSS access key created %{value} ago"
737 737 label_module_plural: Modules
738 738 label_added_time_by: "Added by %{author} %{age} ago"
739 739 label_updated_time_by: "Updated by %{author} %{age} ago"
740 740 label_updated_time: "Updated %{value} ago"
741 741 label_jump_to_a_project: Jump to a project...
742 742 label_file_plural: Files
743 743 label_changeset_plural: Changesets
744 744 label_default_columns: Default columns
745 745 label_no_change_option: (No change)
746 746 label_bulk_edit_selected_issues: Bulk edit selected issues
747 747 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
748 748 label_theme: Theme
749 749 label_default: Default
750 750 label_search_titles_only: Search titles only
751 751 label_user_mail_option_all: "For any event on all my projects"
752 752 label_user_mail_option_selected: "For any event on the selected projects only..."
753 753 label_user_mail_option_none: "No events"
754 754 label_user_mail_option_only_my_events: "Only for things I watch or I'm involved in"
755 755 label_user_mail_option_only_assigned: "Only for things I am assigned to"
756 756 label_user_mail_option_only_owner: "Only for things I am the owner of"
757 757 label_user_mail_no_self_notified: "I don't want to be notified of changes that I make myself"
758 758 label_registration_activation_by_email: account activation by email
759 759 label_registration_manual_activation: manual account activation
760 760 label_registration_automatic_activation: automatic account activation
761 761 label_display_per_page: "Per page: %{value}"
762 762 label_age: Age
763 763 label_change_properties: Change properties
764 764 label_general: General
765 765 label_more: More
766 766 label_scm: SCM
767 767 label_plugins: Plugins
768 768 label_ldap_authentication: LDAP authentication
769 769 label_downloads_abbr: D/L
770 770 label_optional_description: Optional description
771 771 label_add_another_file: Add another file
772 772 label_preferences: Preferences
773 773 label_chronological_order: In chronological order
774 774 label_reverse_chronological_order: In reverse chronological order
775 775 label_planning: Planning
776 776 label_incoming_emails: Incoming emails
777 777 label_generate_key: Generate a key
778 778 label_issue_watchers: Watchers
779 779 label_example: Example
780 780 label_display: Display
781 781 label_sort: Sort
782 782 label_ascending: Ascending
783 783 label_descending: Descending
784 784 label_date_from_to: From %{start} to %{end}
785 785 label_wiki_content_added: Wiki page added
786 786 label_wiki_content_updated: Wiki page updated
787 787 label_group: Group
788 788 label_group_plural: Groups
789 789 label_group_new: New group
790 790 label_time_entry_plural: Spent time
791 791 label_version_sharing_none: Not shared
792 792 label_version_sharing_descendants: With subprojects
793 793 label_version_sharing_hierarchy: With project hierarchy
794 794 label_version_sharing_tree: With project tree
795 795 label_version_sharing_system: With all projects
796 796 label_update_issue_done_ratios: Update issue done ratios
797 797 label_copy_source: Source
798 798 label_copy_target: Target
799 799 label_copy_same_as_target: Same as target
800 800 label_display_used_statuses_only: Only display statuses that are used by this tracker
801 801 label_api_access_key: API access key
802 802 label_missing_api_access_key: Missing an API access key
803 803 label_api_access_key_created_on: "API access key created %{value} ago"
804 804 label_profile: Profile
805 805 label_subtask_plural: Subtasks
806 806 label_project_copy_notifications: Send email notifications during the project copy
807 807 label_principal_search: "Search for user or group:"
808 808 label_user_search: "Search for user:"
809 809 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
810 810 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
811 811 label_issues_visibility_all: All issues
812 812 label_issues_visibility_public: All non private issues
813 813 label_issues_visibility_own: Issues created by or assigned to the user
814 814
815 815 button_login: Login
816 816 button_submit: Submit
817 817 button_save: Save
818 818 button_check_all: Check all
819 819 button_uncheck_all: Uncheck all
820 820 button_collapse_all: Collapse all
821 821 button_expand_all: Expand all
822 822 button_delete: Delete
823 823 button_create: Create
824 824 button_create_and_continue: Create and continue
825 825 button_test: Test
826 826 button_edit: Edit
827 827 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
828 828 button_add: Add
829 829 button_change: Change
830 830 button_apply: Apply
831 831 button_clear: Clear
832 832 button_lock: Lock
833 833 button_unlock: Unlock
834 834 button_download: Download
835 835 button_list: List
836 836 button_view: View
837 837 button_move: Move
838 838 button_move_and_follow: Move and follow
839 839 button_back: Back
840 840 button_cancel: Cancel
841 841 button_activate: Activate
842 842 button_sort: Sort
843 843 button_log_time: Log time
844 844 button_rollback: Rollback to this version
845 845 button_watch: Watch
846 846 button_unwatch: Unwatch
847 847 button_reply: Reply
848 848 button_archive: Archive
849 849 button_unarchive: Unarchive
850 850 button_reset: Reset
851 851 button_rename: Rename
852 852 button_change_password: Change password
853 853 button_copy: Copy
854 854 button_copy_and_follow: Copy and follow
855 855 button_annotate: Annotate
856 856 button_update: Update
857 857 button_configure: Configure
858 858 button_quote: Quote
859 859 button_duplicate: Duplicate
860 860 button_show: Show
861 861
862 862 status_active: active
863 863 status_registered: registered
864 864 status_locked: locked
865 865
866 866 version_status_open: open
867 867 version_status_locked: locked
868 868 version_status_closed: closed
869 869
870 870 field_active: Active
871 871
872 872 text_select_mail_notifications: Select actions for which email notifications should be sent.
873 873 text_regexp_info: eg. ^[A-Z0-9]+$
874 874 text_min_max_length_info: 0 means no restriction
875 875 text_project_destroy_confirmation: Are you sure you want to delete this project and related data?
876 876 text_subprojects_destroy_warning: "Its subproject(s): %{value} will be also deleted."
877 877 text_workflow_edit: Select a role and a tracker to edit the workflow
878 878 text_are_you_sure: Are you sure?
879 879 text_are_you_sure_with_children: "Delete issue and all child issues?"
880 880 text_journal_changed: "%{label} changed from %{old} to %{new}"
881 881 text_journal_changed_no_detail: "%{label} updated"
882 882 text_journal_set_to: "%{label} set to %{value}"
883 883 text_journal_deleted: "%{label} deleted (%{old})"
884 884 text_journal_added: "%{label} %{value} added"
885 885 text_tip_issue_begin_day: issue beginning this day
886 886 text_tip_issue_end_day: issue ending this day
887 887 text_tip_issue_begin_end_day: issue beginning and ending this day
888 888 text_project_identifier_info: 'Only lower case letters (a-z), numbers and dashes are allowed.<br />Once saved, the identifier cannot be changed.'
889 889 text_caracters_maximum: "%{count} characters maximum."
890 890 text_caracters_minimum: "Must be at least %{count} characters long."
891 891 text_length_between: "Length between %{min} and %{max} characters."
892 892 text_tracker_no_workflow: No workflow defined for this tracker
893 893 text_unallowed_characters: Unallowed characters
894 894 text_comma_separated: Multiple values allowed (comma separated).
895 895 text_line_separated: Multiple values allowed (one line for each value).
896 896 text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages
897 897 text_issue_added: "Issue %{id} has been reported by %{author}."
898 898 text_issue_updated: "Issue %{id} has been updated by %{author}."
899 899 text_wiki_destroy_confirmation: Are you sure you want to delete this wiki and all its content?
900 900 text_issue_category_destroy_question: "Some issues (%{count}) are assigned to this category. What do you want to do?"
901 901 text_issue_category_destroy_assignments: Remove category assignments
902 902 text_issue_category_reassign_to: Reassign issues to this category
903 903 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)."
904 904 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."
905 905 text_load_default_configuration: Load the default configuration
906 906 text_status_changed_by_changeset: "Applied in changeset %{value}."
907 907 text_time_logged_by_changeset: "Applied in changeset %{value}."
908 908 text_issues_destroy_confirmation: 'Are you sure you want to delete the selected issue(s)?'
909 text_issues_destroy_descendants_confirmation: "This will also delete %{count} subtask(s)."
909 910 text_time_entries_destroy_confirmation: 'Are you sure you want to delete the selected time entr(y/ies)?'
910 911 text_select_project_modules: 'Select modules to enable for this project:'
911 912 text_default_administrator_account_changed: Default administrator account changed
912 913 text_file_repository_writable: Attachments directory writable
913 914 text_plugin_assets_writable: Plugin assets directory writable
914 915 text_rmagick_available: RMagick available (optional)
915 916 text_destroy_time_entries_question: "%{hours} hours were reported on the issues you are about to delete. What do you want to do?"
916 917 text_destroy_time_entries: Delete reported hours
917 918 text_assign_time_entries_to_project: Assign reported hours to the project
918 919 text_reassign_time_entries: 'Reassign reported hours to this issue:'
919 920 text_user_wrote: "%{value} wrote:"
920 921 text_enumeration_destroy_question: "%{count} objects are assigned to this value."
921 922 text_enumeration_category_reassign_to: 'Reassign them to this value:'
922 923 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."
923 924 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."
924 925 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
925 926 text_custom_field_possible_values_info: 'One line for each value'
926 927 text_wiki_page_destroy_question: "This page has %{descendants} child page(s) and descendant(s). What do you want to do?"
927 928 text_wiki_page_nullify_children: "Keep child pages as root pages"
928 929 text_wiki_page_destroy_children: "Delete child pages and all their descendants"
929 930 text_wiki_page_reassign_children: "Reassign child pages to this parent page"
930 931 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?"
931 932 text_zoom_in: Zoom in
932 933 text_zoom_out: Zoom out
933 934 text_warn_on_leaving_unsaved: "The current page contains unsaved text that will be lost if you leave this page."
934 935
935 936 default_role_manager: Manager
936 937 default_role_developer: Developer
937 938 default_role_reporter: Reporter
938 939 default_tracker_bug: Bug
939 940 default_tracker_feature: Feature
940 941 default_tracker_support: Support
941 942 default_issue_status_new: New
942 943 default_issue_status_in_progress: In Progress
943 944 default_issue_status_resolved: Resolved
944 945 default_issue_status_feedback: Feedback
945 946 default_issue_status_closed: Closed
946 947 default_issue_status_rejected: Rejected
947 948 default_doc_category_user: User documentation
948 949 default_doc_category_tech: Technical documentation
949 950 default_priority_low: Low
950 951 default_priority_normal: Normal
951 952 default_priority_high: High
952 953 default_priority_urgent: Urgent
953 954 default_priority_immediate: Immediate
954 955 default_activity_design: Design
955 956 default_activity_development: Development
956 957
957 958 enumeration_issue_priorities: Issue priorities
958 959 enumeration_doc_categories: Document categories
959 960 enumeration_activities: Activities (time tracking)
960 961 enumeration_system_activity: System Activity
@@ -1,998 +1,999
1 1 # Spanish translations for Rails
2 2 # by Francisco Fernando García Nieto (ffgarcianieto@gmail.com)
3 3 # Redmine spanish translation:
4 4 # by J. Cayetano Delgado (Cayetano _dot_ Delgado _at_ ioko _dot_ com)
5 5
6 6 es:
7 7 number:
8 8 # Used in number_with_delimiter()
9 9 # These are also the defaults for 'currency', 'percentage', 'precision', and 'human'
10 10 format:
11 11 # Sets the separator between the units, for more precision (e.g. 1.0 / 2.0 == 0.5)
12 12 separator: ","
13 13 # Delimets thousands (e.g. 1,000,000 is a million) (always in groups of three)
14 14 delimiter: "."
15 15 # Number of decimals, behind the separator (1 with a precision of 2 gives: 1.00)
16 16 precision: 3
17 17
18 18 # Used in number_to_currency()
19 19 currency:
20 20 format:
21 21 # Where is the currency sign? %u is the currency unit, %n the number (default: $5.00)
22 22 format: "%n %u"
23 23 unit: "€"
24 24 # These three are to override number.format and are optional
25 25 separator: ","
26 26 delimiter: "."
27 27 precision: 2
28 28
29 29 # Used in number_to_percentage()
30 30 percentage:
31 31 format:
32 32 # These three are to override number.format and are optional
33 33 # separator:
34 34 delimiter: ""
35 35 # precision:
36 36
37 37 # Used in number_to_precision()
38 38 precision:
39 39 format:
40 40 # These three are to override number.format and are optional
41 41 # separator:
42 42 delimiter: ""
43 43 # precision:
44 44
45 45 # Used in number_to_human_size()
46 46 human:
47 47 format:
48 48 # These three are to override number.format and are optional
49 49 # separator:
50 50 delimiter: ""
51 51 precision: 1
52 52 storage_units:
53 53 format: "%n %u"
54 54 units:
55 55 byte:
56 56 one: "Byte"
57 57 other: "Bytes"
58 58 kb: "KB"
59 59 mb: "MB"
60 60 gb: "GB"
61 61 tb: "TB"
62 62
63 63 # Used in distance_of_time_in_words(), distance_of_time_in_words_to_now(), time_ago_in_words()
64 64 datetime:
65 65 distance_in_words:
66 66 half_a_minute: "medio minuto"
67 67 less_than_x_seconds:
68 68 one: "menos de 1 segundo"
69 69 other: "menos de %{count} segundos"
70 70 x_seconds:
71 71 one: "1 segundo"
72 72 other: "%{count} segundos"
73 73 less_than_x_minutes:
74 74 one: "menos de 1 minuto"
75 75 other: "menos de %{count} minutos"
76 76 x_minutes:
77 77 one: "1 minuto"
78 78 other: "%{count} minutos"
79 79 about_x_hours:
80 80 one: "alrededor de 1 hora"
81 81 other: "alrededor de %{count} horas"
82 82 x_days:
83 83 one: "1 día"
84 84 other: "%{count} días"
85 85 about_x_months:
86 86 one: "alrededor de 1 mes"
87 87 other: "alrededor de %{count} meses"
88 88 x_months:
89 89 one: "1 mes"
90 90 other: "%{count} meses"
91 91 about_x_years:
92 92 one: "alrededor de 1 año"
93 93 other: "alrededor de %{count} años"
94 94 over_x_years:
95 95 one: "más de 1 año"
96 96 other: "más de %{count} años"
97 97 almost_x_years:
98 98 one: "casi 1 año"
99 99 other: "casi %{count} años"
100 100
101 101 activerecord:
102 102 errors:
103 103 template:
104 104 header:
105 105 one: "no se pudo guardar este %{model} porque se encontró 1 error"
106 106 other: "no se pudo guardar este %{model} porque se encontraron %{count} errores"
107 107 # The variable :count is also available
108 108 body: "Se encontraron problemas con los siguientes campos:"
109 109
110 110 # The values :model, :attribute and :value are always available for interpolation
111 111 # The value :count is available when applicable. Can be used for pluralization.
112 112 messages:
113 113 inclusion: "no está incluido en la lista"
114 114 exclusion: "está reservado"
115 115 invalid: "no es válido"
116 116 confirmation: "no coincide con la confirmación"
117 117 accepted: "debe ser aceptado"
118 118 empty: "no puede estar vacío"
119 119 blank: "no puede estar en blanco"
120 120 too_long: "es demasiado largo (%{count} caracteres máximo)"
121 121 too_short: "es demasiado corto (%{count} caracteres mínimo)"
122 122 wrong_length: "no tiene la longitud correcta (%{count} caracteres exactos)"
123 123 taken: "ya está en uso"
124 124 not_a_number: "no es un número"
125 125 greater_than: "debe ser mayor que %{count}"
126 126 greater_than_or_equal_to: "debe ser mayor que o igual a %{count}"
127 127 equal_to: "debe ser igual a %{count}"
128 128 less_than: "debe ser menor que %{count}"
129 129 less_than_or_equal_to: "debe ser menor que o igual a %{count}"
130 130 odd: "debe ser impar"
131 131 even: "debe ser par"
132 132 greater_than_start_date: "debe ser posterior a la fecha de comienzo"
133 133 not_same_project: "no pertenece al mismo proyecto"
134 134 circular_dependency: "Esta relación podría crear una dependencia circular"
135 135 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
136 136
137 137 # Append your own errors here or at the model/attributes scope.
138 138
139 139 models:
140 140 # Overrides default messages
141 141
142 142 attributes:
143 143 # Overrides model and default messages.
144 144
145 145 direction: ltr
146 146 date:
147 147 formats:
148 148 # Use the strftime parameters for formats.
149 149 # When no format has been given, it uses default.
150 150 # You can provide other formats here if you like!
151 151 default: "%Y-%m-%d"
152 152 short: "%d de %b"
153 153 long: "%d de %B de %Y"
154 154
155 155 day_names: [Domingo, Lunes, Martes, Miércoles, Jueves, Viernes, Sábado]
156 156 abbr_day_names: [Dom, Lun, Mar, Mie, Jue, Vie, Sab]
157 157
158 158 # Don't forget the nil at the beginning; there's no such thing as a 0th month
159 159 month_names: [~, Enero, Febrero, Marzo, Abril, Mayo, Junio, Julio, Agosto, Setiembre, Octubre, Noviembre, Diciembre]
160 160 abbr_month_names: [~, Ene, Feb, Mar, Abr, May, Jun, Jul, Ago, Set, Oct, Nov, Dic]
161 161 # Used in date_select and datime_select.
162 162 order: [ :year, :month, :day ]
163 163
164 164 time:
165 165 formats:
166 166 default: "%A, %d de %B de %Y %H:%M:%S %z"
167 167 time: "%H:%M"
168 168 short: "%d de %b %H:%M"
169 169 long: "%d de %B de %Y %H:%M"
170 170 am: "am"
171 171 pm: "pm"
172 172
173 173 # Used in array.to_sentence.
174 174 support:
175 175 array:
176 176 sentence_connector: "y"
177 177
178 178 actionview_instancetag_blank_option: Por favor seleccione
179 179
180 180 button_activate: Activar
181 181 button_add: Añadir
182 182 button_annotate: Anotar
183 183 button_apply: Aceptar
184 184 button_archive: Archivar
185 185 button_back: Atrás
186 186 button_cancel: Cancelar
187 187 button_change: Cambiar
188 188 button_change_password: Cambiar contraseña
189 189 button_check_all: Seleccionar todo
190 190 button_clear: Anular
191 191 button_configure: Configurar
192 192 button_copy: Copiar
193 193 button_create: Crear
194 194 button_delete: Borrar
195 195 button_download: Descargar
196 196 button_edit: Modificar
197 197 button_list: Listar
198 198 button_lock: Bloquear
199 199 button_log_time: Tiempo dedicado
200 200 button_login: Conexión
201 201 button_move: Mover
202 202 button_quote: Citar
203 203 button_rename: Renombrar
204 204 button_reply: Responder
205 205 button_reset: Reestablecer
206 206 button_rollback: Volver a esta versión
207 207 button_save: Guardar
208 208 button_sort: Ordenar
209 209 button_submit: Aceptar
210 210 button_test: Probar
211 211 button_unarchive: Desarchivar
212 212 button_uncheck_all: No seleccionar nada
213 213 button_unlock: Desbloquear
214 214 button_unwatch: No monitorizar
215 215 button_update: Actualizar
216 216 button_view: Ver
217 217 button_watch: Monitorizar
218 218 default_activity_design: Diseño
219 219 default_activity_development: Desarrollo
220 220 default_doc_category_tech: Documentación técnica
221 221 default_doc_category_user: Documentación de usuario
222 222 default_issue_status_in_progress: En curso
223 223 default_issue_status_closed: Cerrada
224 224 default_issue_status_feedback: Comentarios
225 225 default_issue_status_new: Nueva
226 226 default_issue_status_rejected: Rechazada
227 227 default_issue_status_resolved: Resuelta
228 228 default_priority_high: Alta
229 229 default_priority_immediate: Inmediata
230 230 default_priority_low: Baja
231 231 default_priority_normal: Normal
232 232 default_priority_urgent: Urgente
233 233 default_role_developer: Desarrollador
234 234 default_role_manager: Jefe de proyecto
235 235 default_role_reporter: Informador
236 236 default_tracker_bug: Errores
237 237 default_tracker_feature: Tareas
238 238 default_tracker_support: Soporte
239 239 enumeration_activities: Actividades (tiempo dedicado)
240 240 enumeration_doc_categories: Categorías del documento
241 241 enumeration_issue_priorities: Prioridad de las peticiones
242 242 error_can_t_load_default_data: "No se ha podido cargar la configuración por defecto: %{value}"
243 243 error_issue_not_found_in_project: 'La petición no se encuentra o no está asociada a este proyecto'
244 244 error_scm_annotate: "No existe la entrada o no ha podido ser anotada"
245 245 error_scm_command_failed: "Se produjo un error al acceder al repositorio: %{value}"
246 246 error_scm_not_found: "La entrada y/o la revisión no existe en el repositorio."
247 247 field_account: Cuenta
248 248 field_activity: Actividad
249 249 field_admin: Administrador
250 250 field_assignable: Se pueden asignar peticiones a este perfil
251 251 field_assigned_to: Asignado a
252 252 field_attr_firstname: Cualidad del nombre
253 253 field_attr_lastname: Cualidad del apellido
254 254 field_attr_login: Cualidad del identificador
255 255 field_attr_mail: Cualidad del Email
256 256 field_auth_source: Modo de identificación
257 257 field_author: Autor
258 258 field_base_dn: DN base
259 259 field_category: Categoría
260 260 field_column_names: Columnas
261 261 field_comments: Comentario
262 262 field_comments_sorting: Mostrar comentarios
263 263 field_created_on: Creado
264 264 field_default_value: Estado por defecto
265 265 field_delay: Retraso
266 266 field_description: Descripción
267 267 field_done_ratio: % Realizado
268 268 field_downloads: Descargas
269 269 field_due_date: Fecha fin
270 270 field_effective_date: Fecha
271 271 field_estimated_hours: Tiempo estimado
272 272 field_field_format: Formato
273 273 field_filename: Fichero
274 274 field_filesize: Tamaño
275 275 field_firstname: Nombre
276 276 field_fixed_version: Versión prevista
277 277 field_hide_mail: Ocultar mi dirección de correo
278 278 field_homepage: Sitio web
279 279 field_host: Anfitrión
280 280 field_hours: Horas
281 281 field_identifier: Identificador
282 282 field_is_closed: Petición resuelta
283 283 field_is_default: Estado por defecto
284 284 field_is_filter: Usado como filtro
285 285 field_is_for_all: Para todos los proyectos
286 286 field_is_in_roadmap: Consultar las peticiones en la planificación
287 287 field_is_public: Público
288 288 field_is_required: Obligatorio
289 289 field_issue: Petición
290 290 field_issue_to: Petición relacionada
291 291 field_language: Idioma
292 292 field_last_login_on: Última conexión
293 293 field_lastname: Apellido
294 294 field_login: Identificador
295 295 field_mail: Correo electrónico
296 296 field_mail_notification: Notificaciones por correo
297 297 field_max_length: Longitud máxima
298 298 field_min_length: Longitud mínima
299 299 field_name: Nombre
300 300 field_new_password: Nueva contraseña
301 301 field_notes: Notas
302 302 field_onthefly: Creación del usuario "al vuelo"
303 303 field_parent: Proyecto padre
304 304 field_parent_title: Página padre
305 305 field_password: Contraseña
306 306 field_password_confirmation: Confirmación
307 307 field_port: Puerto
308 308 field_possible_values: Valores posibles
309 309 field_priority: Prioridad
310 310 field_project: Proyecto
311 311 field_redirect_existing_links: Redireccionar enlaces existentes
312 312 field_regexp: Expresión regular
313 313 field_role: Perfil
314 314 field_searchable: Incluir en las búsquedas
315 315 field_spent_on: Fecha
316 316 field_start_date: Fecha de inicio
317 317 field_start_page: Página principal
318 318 field_status: Estado
319 319 field_subject: Tema
320 320 field_subproject: Proyecto secundario
321 321 field_summary: Resumen
322 322 field_time_zone: Zona horaria
323 323 field_title: Título
324 324 field_tracker: Tipo
325 325 field_type: Tipo
326 326 field_updated_on: Actualizado
327 327 field_url: URL
328 328 field_user: Usuario
329 329 field_value: Valor
330 330 field_version: Versión
331 331 general_csv_decimal_separator: ','
332 332 general_csv_encoding: ISO-8859-15
333 333 general_csv_separator: ';'
334 334 general_first_day_of_week: '1'
335 335 general_lang_name: 'Español'
336 336 general_pdf_encoding: UTF-8
337 337 general_text_No: 'No'
338 338 general_text_Yes: 'Sí'
339 339 general_text_no: 'no'
340 340 general_text_yes: 'sí'
341 341 gui_validation_error: 1 error
342 342 gui_validation_error_plural: "%{count} errores"
343 343 label_activity: Actividad
344 344 label_add_another_file: Añadir otro fichero
345 345 label_add_note: Añadir una nota
346 346 label_added: añadido
347 347 label_added_time_by: "Añadido por %{author} hace %{age}"
348 348 label_administration: Administración
349 349 label_age: Edad
350 350 label_ago: hace
351 351 label_all: todos
352 352 label_all_time: todo el tiempo
353 353 label_all_words: Todas las palabras
354 354 label_and_its_subprojects: "%{value} y proyectos secundarios"
355 355 label_applied_status: Aplicar estado
356 356 label_assigned_to_me_issues: Peticiones que me están asignadas
357 357 label_associated_revisions: Revisiones asociadas
358 358 label_attachment: Fichero
359 359 label_attachment_delete: Borrar el fichero
360 360 label_attachment_new: Nuevo fichero
361 361 label_attachment_plural: Ficheros
362 362 label_attribute: Cualidad
363 363 label_attribute_plural: Cualidades
364 364 label_auth_source: Modo de autenticación
365 365 label_auth_source_new: Nuevo modo de autenticación
366 366 label_auth_source_plural: Modos de autenticación
367 367 label_authentication: Autenticación
368 368 label_blocked_by: bloqueado por
369 369 label_blocks: bloquea a
370 370 label_board: Foro
371 371 label_board_new: Nuevo foro
372 372 label_board_plural: Foros
373 373 label_boolean: Booleano
374 374 label_browse: Hojear
375 375 label_bulk_edit_selected_issues: Editar las peticiones seleccionadas
376 376 label_calendar: Calendario
377 377 label_change_plural: Cambios
378 378 label_change_properties: Cambiar propiedades
379 379 label_change_status: Cambiar el estado
380 380 label_change_view_all: Ver todos los cambios
381 381 label_changes_details: Detalles de todos los cambios
382 382 label_changeset_plural: Cambios
383 383 label_chronological_order: En orden cronológico
384 384 label_closed_issues: cerrada
385 385 label_closed_issues_plural: cerradas
386 386 label_x_open_issues_abbr_on_total:
387 387 zero: 0 abiertas / %{total}
388 388 one: 1 abierta / %{total}
389 389 other: "%{count} abiertas / %{total}"
390 390 label_x_open_issues_abbr:
391 391 zero: 0 abiertas
392 392 one: 1 abierta
393 393 other: "%{count} abiertas"
394 394 label_x_closed_issues_abbr:
395 395 zero: 0 cerradas
396 396 one: 1 cerrada
397 397 other: "%{count} cerradas"
398 398 label_comment: Comentario
399 399 label_comment_add: Añadir un comentario
400 400 label_comment_added: Comentario añadido
401 401 label_comment_delete: Borrar comentarios
402 402 label_comment_plural: Comentarios
403 403 label_x_comments:
404 404 zero: sin comentarios
405 405 one: 1 comentario
406 406 other: "%{count} comentarios"
407 407 label_commits_per_author: Commits por autor
408 408 label_commits_per_month: Commits por mes
409 409 label_confirmation: Confirmación
410 410 label_contains: contiene
411 411 label_copied: copiado
412 412 label_copy_workflow_from: Copiar flujo de trabajo desde
413 413 label_current_status: Estado actual
414 414 label_current_version: Versión actual
415 415 label_custom_field: Campo personalizado
416 416 label_custom_field_new: Nuevo campo personalizado
417 417 label_custom_field_plural: Campos personalizados
418 418 label_date: Fecha
419 419 label_date_from: Desde
420 420 label_date_range: Rango de fechas
421 421 label_date_to: Hasta
422 422 label_day_plural: días
423 423 label_default: Por defecto
424 424 label_default_columns: Columnas por defecto
425 425 label_deleted: suprimido
426 426 label_details: Detalles
427 427 label_diff_inline: en línea
428 428 label_diff_side_by_side: cara a cara
429 429 label_disabled: deshabilitado
430 430 label_display_per_page: "Por página: %{value}"
431 431 label_document: Documento
432 432 label_document_added: Documento añadido
433 433 label_document_new: Nuevo documento
434 434 label_document_plural: Documentos
435 435 label_download: "%{count} Descarga"
436 436 label_download_plural: "%{count} Descargas"
437 437 label_downloads_abbr: D/L
438 438 label_duplicated_by: duplicada por
439 439 label_duplicates: duplicada de
440 440 label_end_to_end: fin a fin
441 441 label_end_to_start: fin a principio
442 442 label_enumeration_new: Nuevo valor
443 443 label_enumerations: Listas de valores
444 444 label_environment: Entorno
445 445 label_equals: igual
446 446 label_example: Ejemplo
447 447 label_export_to: 'Exportar a:'
448 448 label_f_hour: "%{value} hora"
449 449 label_f_hour_plural: "%{value} horas"
450 450 label_feed_plural: Feeds
451 451 label_feeds_access_key_created_on: "Clave de acceso por RSS creada hace %{value}"
452 452 label_file_added: Fichero añadido
453 453 label_file_plural: Archivos
454 454 label_filter_add: Añadir el filtro
455 455 label_filter_plural: Filtros
456 456 label_float: Flotante
457 457 label_follows: posterior a
458 458 label_gantt: Gantt
459 459 label_general: General
460 460 label_generate_key: Generar clave
461 461 label_help: Ayuda
462 462 label_history: Histórico
463 463 label_home: Inicio
464 464 label_in: en
465 465 label_in_less_than: en menos que
466 466 label_in_more_than: en más que
467 467 label_incoming_emails: Correos entrantes
468 468 label_index_by_date: Índice por fecha
469 469 label_index_by_title: Índice por título
470 470 label_information: Información
471 471 label_information_plural: Información
472 472 label_integer: Número
473 473 label_internal: Interno
474 474 label_issue: Petición
475 475 label_issue_added: Petición añadida
476 476 label_issue_category: Categoría de las peticiones
477 477 label_issue_category_new: Nueva categoría
478 478 label_issue_category_plural: Categorías de las peticiones
479 479 label_issue_new: Nueva petición
480 480 label_issue_plural: Peticiones
481 481 label_issue_status: Estado de la petición
482 482 label_issue_status_new: Nuevo estado
483 483 label_issue_status_plural: Estados de las peticiones
484 484 label_issue_tracking: Peticiones
485 485 label_issue_updated: Petición actualizada
486 486 label_issue_view_all: Ver todas las peticiones
487 487 label_issue_watchers: Seguidores
488 488 label_issues_by: "Peticiones por %{value}"
489 489 label_jump_to_a_project: Ir al proyecto...
490 490 label_language_based: Basado en el idioma
491 491 label_last_changes: "últimos %{count} cambios"
492 492 label_last_login: Última conexión
493 493 label_last_month: último mes
494 494 label_last_n_days: "últimos %{count} días"
495 495 label_last_week: última semana
496 496 label_latest_revision: Última revisión
497 497 label_latest_revision_plural: Últimas revisiones
498 498 label_ldap_authentication: Autenticación LDAP
499 499 label_less_than_ago: hace menos de
500 500 label_list: Lista
501 501 label_loading: Cargando...
502 502 label_logged_as: Conectado como
503 503 label_login: Conexión
504 504 label_logout: Desconexión
505 505 label_max_size: Tamaño máximo
506 506 label_me: yo mismo
507 507 label_member: Miembro
508 508 label_member_new: Nuevo miembro
509 509 label_member_plural: Miembros
510 510 label_message_last: Último mensaje
511 511 label_message_new: Nuevo mensaje
512 512 label_message_plural: Mensajes
513 513 label_message_posted: Mensaje añadido
514 514 label_min_max_length: Longitud mín - máx
515 515 label_modification: "%{count} modificación"
516 516 label_modification_plural: "%{count} modificaciones"
517 517 label_modified: modificado
518 518 label_module_plural: Módulos
519 519 label_month: Mes
520 520 label_months_from: meses de
521 521 label_more: Más
522 522 label_more_than_ago: hace más de
523 523 label_my_account: Mi cuenta
524 524 label_my_page: Mi página
525 525 label_my_projects: Mis proyectos
526 526 label_new: Nuevo
527 527 label_new_statuses_allowed: Nuevos estados autorizados
528 528 label_news: Noticia
529 529 label_news_added: Noticia añadida
530 530 label_news_latest: Últimas noticias
531 531 label_news_new: Nueva noticia
532 532 label_news_plural: Noticias
533 533 label_news_view_all: Ver todas las noticias
534 534 label_next: Siguiente
535 535 label_no_change_option: (Sin cambios)
536 536 label_no_data: Ningún dato disponible
537 537 label_nobody: nadie
538 538 label_none: ninguno
539 539 label_not_contains: no contiene
540 540 label_not_equals: no igual
541 541 label_open_issues: abierta
542 542 label_open_issues_plural: abiertas
543 543 label_optional_description: Descripción opcional
544 544 label_options: Opciones
545 545 label_overall_activity: Actividad global
546 546 label_overview: Vistazo
547 547 label_password_lost: ¿Olvidaste la contraseña?
548 548 label_per_page: Por página
549 549 label_permissions: Permisos
550 550 label_permissions_report: Informe de permisos
551 551 label_personalize_page: Personalizar esta página
552 552 label_planning: Planificación
553 553 label_please_login: Conexión
554 554 label_plugins: Extensiones
555 555 label_precedes: anterior a
556 556 label_preferences: Preferencias
557 557 label_preview: Previsualizar
558 558 label_previous: Anterior
559 559 label_project: Proyecto
560 560 label_project_all: Todos los proyectos
561 561 label_project_latest: Últimos proyectos
562 562 label_project_new: Nuevo proyecto
563 563 label_project_plural: Proyectos
564 564 label_x_projects:
565 565 zero: sin proyectos
566 566 one: 1 proyecto
567 567 other: "%{count} proyectos"
568 568 label_public_projects: Proyectos públicos
569 569 label_query: Consulta personalizada
570 570 label_query_new: Nueva consulta
571 571 label_query_plural: Consultas personalizadas
572 572 label_read: Leer...
573 573 label_register: Registrar
574 574 label_registered_on: Inscrito el
575 575 label_registration_activation_by_email: activación de cuenta por correo
576 576 label_registration_automatic_activation: activación automática de cuenta
577 577 label_registration_manual_activation: activación manual de cuenta
578 578 label_related_issues: Peticiones relacionadas
579 579 label_relates_to: relacionada con
580 580 label_relation_delete: Eliminar relación
581 581 label_relation_new: Nueva relación
582 582 label_renamed: renombrado
583 583 label_reply_plural: Respuestas
584 584 label_report: Informe
585 585 label_report_plural: Informes
586 586 label_reported_issues: Peticiones registradas por mí
587 587 label_repository: Repositorio
588 588 label_repository_plural: Repositorios
589 589 label_result_plural: Resultados
590 590 label_reverse_chronological_order: En orden cronológico inverso
591 591 label_revision: Revisión
592 592 label_revision_plural: Revisiones
593 593 label_roadmap: Planificación
594 594 label_roadmap_due_in: "Finaliza en %{value}"
595 595 label_roadmap_no_issues: No hay peticiones para esta versión
596 596 label_roadmap_overdue: "%{value} tarde"
597 597 label_role: Perfil
598 598 label_role_and_permissions: Perfiles y permisos
599 599 label_role_new: Nuevo perfil
600 600 label_role_plural: Perfiles
601 601 label_scm: SCM
602 602 label_search: Búsqueda
603 603 label_search_titles_only: Buscar sólo en títulos
604 604 label_send_information: Enviar información de la cuenta al usuario
605 605 label_send_test_email: Enviar un correo de prueba
606 606 label_settings: Configuración
607 607 label_show_completed_versions: Muestra las versiones terminadas
608 608 label_sort_by: "Ordenar por %{value}"
609 609 label_sort_higher: Subir
610 610 label_sort_highest: Primero
611 611 label_sort_lower: Bajar
612 612 label_sort_lowest: Último
613 613 label_spent_time: Tiempo dedicado
614 614 label_start_to_end: principio a fin
615 615 label_start_to_start: principio a principio
616 616 label_statistics: Estadísticas
617 617 label_stay_logged_in: Recordar conexión
618 618 label_string: Texto
619 619 label_subproject_plural: Proyectos secundarios
620 620 label_text: Texto largo
621 621 label_theme: Tema
622 622 label_this_month: este mes
623 623 label_this_week: esta semana
624 624 label_this_year: este año
625 625 label_time_tracking: Control de tiempo
626 626 label_today: hoy
627 627 label_topic_plural: Temas
628 628 label_total: Total
629 629 label_tracker: Tipo
630 630 label_tracker_new: Nuevo tipo
631 631 label_tracker_plural: Tipos de peticiones
632 632 label_updated_time: "Actualizado hace %{value}"
633 633 label_updated_time_by: "Actualizado por %{author} hace %{age}"
634 634 label_used_by: Utilizado por
635 635 label_user: Usuario
636 636 label_user_activity: "Actividad de %{value}"
637 637 label_user_mail_no_self_notified: "No quiero ser avisado de cambios hechos por mí"
638 638 label_user_mail_option_all: "Para cualquier evento en todos mis proyectos"
639 639 label_user_mail_option_selected: "Para cualquier evento de los proyectos seleccionados..."
640 640 label_user_new: Nuevo usuario
641 641 label_user_plural: Usuarios
642 642 label_version: Versión
643 643 label_version_new: Nueva versión
644 644 label_version_plural: Versiones
645 645 label_view_diff: Ver diferencias
646 646 label_view_revisions: Ver las revisiones
647 647 label_watched_issues: Peticiones monitorizadas
648 648 label_week: Semana
649 649 label_wiki: Wiki
650 650 label_wiki_edit: Modificación Wiki
651 651 label_wiki_edit_plural: Modificaciones Wiki
652 652 label_wiki_page: Página Wiki
653 653 label_wiki_page_plural: Páginas Wiki
654 654 label_workflow: Flujo de trabajo
655 655 label_year: Año
656 656 label_yesterday: ayer
657 657 mail_body_account_activation_request: "Se ha inscrito un nuevo usuario (%{value}). La cuenta está pendiende de aprobación:"
658 658 mail_body_account_information: Información sobre su cuenta
659 659 mail_body_account_information_external: "Puede usar su cuenta %{value} para conectarse."
660 660 mail_body_lost_password: 'Para cambiar su contraseña, haga clic en el siguiente enlace:'
661 661 mail_body_register: 'Para activar su cuenta, haga clic en el siguiente enlace:'
662 662 mail_body_reminder: "%{count} peticion(es) asignadas a finalizan en los próximos %{days} días:"
663 663 mail_subject_account_activation_request: "Petición de activación de cuenta %{value}"
664 664 mail_subject_lost_password: "Tu contraseña del %{value}"
665 665 mail_subject_register: "Activación de la cuenta del %{value}"
666 666 mail_subject_reminder: "%{count} peticion(es) finalizan en los próximos %{days} días"
667 667 notice_account_activated: Su cuenta ha sido activada. Ya puede conectarse.
668 668 notice_account_invalid_creditentials: Usuario o contraseña inválido.
669 669 notice_account_lost_email_sent: Se le ha enviado un correo con instrucciones para elegir una nueva contraseña.
670 670 notice_account_password_updated: Contraseña modificada correctamente.
671 671 notice_account_pending: "Su cuenta ha sido creada y está pendiende de la aprobación por parte del administrador."
672 672 notice_account_register_done: Cuenta creada correctamente. Para activarla, haga clic sobre el enlace que le ha sido enviado por correo.
673 673 notice_account_unknown_email: Usuario desconocido.
674 674 notice_account_updated: Cuenta actualizada correctamente.
675 675 notice_account_wrong_password: Contraseña incorrecta.
676 676 notice_can_t_change_password: Esta cuenta utiliza una fuente de autenticación externa. No es posible cambiar la contraseña.
677 677 notice_default_data_loaded: Configuración por defecto cargada correctamente.
678 678 notice_email_error: "Ha ocurrido un error mientras enviando el correo (%{value})"
679 679 notice_email_sent: "Se ha enviado un correo a %{value}"
680 680 notice_failed_to_save_issues: "Imposible grabar %s peticion(es) en %{count} seleccionado: %{ids}."
681 681 notice_feeds_access_key_reseted: Su clave de acceso para RSS ha sido reiniciada.
682 682 notice_file_not_found: La página a la que intenta acceder no existe.
683 683 notice_locking_conflict: Los datos han sido modificados por otro usuario.
684 684 notice_no_issue_selected: "Ninguna petición seleccionada. Por favor, compruebe la petición que quiere modificar"
685 685 notice_not_authorized: No tiene autorización para acceder a esta página.
686 686 notice_successful_connection: Conexión correcta.
687 687 notice_successful_create: Creación correcta.
688 688 notice_successful_delete: Borrado correcto.
689 689 notice_successful_update: Modificación correcta.
690 690 notice_unable_delete_version: No se puede borrar la versión
691 691 permission_add_issue_notes: Añadir notas
692 692 permission_add_issue_watchers: Añadir seguidores
693 693 permission_add_issues: Añadir peticiones
694 694 permission_add_messages: Enviar mensajes
695 695 permission_browse_repository: Hojear repositiorio
696 696 permission_comment_news: Comentar noticias
697 697 permission_commit_access: Acceso de escritura
698 698 permission_delete_issues: Borrar peticiones
699 699 permission_delete_messages: Borrar mensajes
700 700 permission_delete_own_messages: Borrar mensajes propios
701 701 permission_delete_wiki_pages: Borrar páginas wiki
702 702 permission_delete_wiki_pages_attachments: Borrar ficheros
703 703 permission_edit_issue_notes: Modificar notas
704 704 permission_edit_issues: Modificar peticiones
705 705 permission_edit_messages: Modificar mensajes
706 706 permission_edit_own_issue_notes: Modificar notas propias
707 707 permission_edit_own_messages: Editar mensajes propios
708 708 permission_edit_own_time_entries: Modificar tiempos dedicados propios
709 709 permission_edit_project: Modificar proyecto
710 710 permission_edit_time_entries: Modificar tiempos dedicados
711 711 permission_edit_wiki_pages: Modificar páginas wiki
712 712 permission_log_time: Anotar tiempo dedicado
713 713 permission_manage_boards: Administrar foros
714 714 permission_manage_categories: Administrar categorías de peticiones
715 715 permission_manage_documents: Administrar documentos
716 716 permission_manage_files: Administrar ficheros
717 717 permission_manage_issue_relations: Administrar relación con otras peticiones
718 718 permission_manage_members: Administrar miembros
719 719 permission_manage_news: Administrar noticias
720 720 permission_manage_public_queries: Administrar consultas públicas
721 721 permission_manage_repository: Administrar repositorio
722 722 permission_manage_versions: Administrar versiones
723 723 permission_manage_wiki: Administrar wiki
724 724 permission_move_issues: Mover peticiones
725 725 permission_protect_wiki_pages: Proteger páginas wiki
726 726 permission_rename_wiki_pages: Renombrar páginas wiki
727 727 permission_save_queries: Grabar consultas
728 728 permission_select_project_modules: Seleccionar módulos del proyecto
729 729 permission_view_calendar: Ver calendario
730 730 permission_view_changesets: Ver cambios
731 731 permission_view_documents: Ver documentos
732 732 permission_view_files: Ver ficheros
733 733 permission_view_gantt: Ver diagrama de Gantt
734 734 permission_view_issue_watchers: Ver lista de seguidores
735 735 permission_view_messages: Ver mensajes
736 736 permission_view_time_entries: Ver tiempo dedicado
737 737 permission_view_wiki_edits: Ver histórico del wiki
738 738 permission_view_wiki_pages: Ver wiki
739 739 project_module_boards: Foros
740 740 project_module_documents: Documentos
741 741 project_module_files: Ficheros
742 742 project_module_issue_tracking: Peticiones
743 743 project_module_news: Noticias
744 744 project_module_repository: Repositorio
745 745 project_module_time_tracking: Control de tiempo
746 746 project_module_wiki: Wiki
747 747 setting_activity_days_default: Días a mostrar en la actividad de proyecto
748 748 setting_app_subtitle: Subtítulo de la aplicación
749 749 setting_app_title: Título de la aplicación
750 750 setting_attachment_max_size: Tamaño máximo del fichero
751 751 setting_autofetch_changesets: Autorellenar los commits del repositorio
752 752 setting_autologin: Conexión automática
753 753 setting_bcc_recipients: Ocultar las copias de carbón (bcc)
754 754 setting_commit_fix_keywords: Palabras clave para la corrección
755 755 setting_commit_logs_encoding: Codificación de los mensajes de commit
756 756 setting_commit_ref_keywords: Palabras clave para la referencia
757 757 setting_cross_project_issue_relations: Permitir relacionar peticiones de distintos proyectos
758 758 setting_date_format: Formato de fecha
759 759 setting_default_language: Idioma por defecto
760 760 setting_default_projects_public: Los proyectos nuevos son públicos por defecto
761 761 setting_diff_max_lines_displayed: Número máximo de diferencias mostradas
762 762 setting_display_subprojects_issues: Mostrar por defecto peticiones de proy. secundarios en el principal
763 763 setting_emails_footer: Pie de mensajes
764 764 setting_enabled_scm: Activar SCM
765 765 setting_feeds_limit: Límite de contenido para sindicación
766 766 setting_gravatar_enabled: Usar iconos de usuario (Gravatar)
767 767 setting_host_name: Nombre y ruta del servidor
768 768 setting_issue_list_default_columns: Columnas por defecto para la lista de peticiones
769 769 setting_issues_export_limit: Límite de exportación de peticiones
770 770 setting_login_required: Se requiere identificación
771 771 setting_mail_from: Correo desde el que enviar mensajes
772 772 setting_mail_handler_api_enabled: Activar SW para mensajes entrantes
773 773 setting_mail_handler_api_key: Clave de la API
774 774 setting_per_page_options: Objetos por página
775 775 setting_plain_text_mail: sólo texto plano (no HTML)
776 776 setting_protocol: Protocolo
777 777 setting_repositories_encodings: Codificaciones del repositorio
778 778 setting_self_registration: Registro permitido
779 779 setting_sequential_project_identifiers: Generar identificadores de proyecto
780 780 setting_sys_api_enabled: Habilitar SW para la gestión del repositorio
781 781 setting_text_formatting: Formato de texto
782 782 setting_time_format: Formato de hora
783 783 setting_user_format: Formato de nombre de usuario
784 784 setting_welcome_text: Texto de bienvenida
785 785 setting_wiki_compression: Compresión del historial del Wiki
786 786 status_active: activo
787 787 status_locked: bloqueado
788 788 status_registered: registrado
789 789 text_are_you_sure: ¿Está seguro?
790 790 text_assign_time_entries_to_project: Asignar las horas al proyecto
791 791 text_caracters_maximum: "%{count} caracteres como máximo."
792 792 text_caracters_minimum: "%{count} caracteres como mínimo."
793 793 text_comma_separated: Múltiples valores permitidos (separados por coma).
794 794 text_default_administrator_account_changed: Cuenta de administrador por defecto modificada
795 795 text_destroy_time_entries: Borrar las horas
796 796 text_destroy_time_entries_question: Existen %{hours} horas asignadas a la petición que quiere borrar. ¿Qué quiere hacer?
797 797 text_diff_truncated: '... Diferencia truncada por exceder el máximo tamaño visualizable.'
798 798 text_email_delivery_not_configured: "Las notificaciones están desactivadas porque el servidor de correo no está configurado.\nConfigure el servidor de SMTP en config/configuration.yml y reinicie la aplicación para activar los cambios."
799 799 text_enumeration_category_reassign_to: 'Reasignar al siguiente valor:'
800 800 text_enumeration_destroy_question: "%{count} objetos con este valor asignado."
801 801 text_file_repository_writable: Se puede escribir en el repositorio
802 802 text_issue_added: "Petición %{id} añadida por %{author}."
803 803 text_issue_category_destroy_assignments: Dejar las peticiones sin categoría
804 804 text_issue_category_destroy_question: "Algunas peticiones (%{count}) están asignadas a esta categoría. ¿Qué desea hacer?"
805 805 text_issue_category_reassign_to: Reasignar las peticiones a la categoría
806 806 text_issue_updated: "La petición %{id} ha sido actualizada por %{author}."
807 807 text_issues_destroy_confirmation: '¿Seguro que quiere borrar las peticiones seleccionadas?'
808 808 text_issues_ref_in_commit_messages: Referencia y petición de corrección en los mensajes
809 809 text_length_between: "Longitud entre %{min} y %{max} caracteres."
810 810 text_load_default_configuration: Cargar la configuración por defecto
811 811 text_min_max_length_info: 0 para ninguna restricción
812 812 text_no_configuration_data: "Todavía no se han configurado perfiles, ni tipos, estados y flujo de trabajo asociado a peticiones. Se recomiendo encarecidamente cargar la configuración por defecto. Una vez cargada, podrá modificarla."
813 813 text_project_destroy_confirmation: ¿Estás seguro de querer eliminar el proyecto?
814 814 text_project_identifier_info: 'Letras minúsculas (a-z), números y signos de puntuación permitidos.<br />Una vez guardado, el identificador no puede modificarse.'
815 815 text_reassign_time_entries: 'Reasignar las horas a esta petición:'
816 816 text_regexp_info: ej. ^[A-Z0-9]+$
817 817 text_repository_usernames_mapping: "Establezca la correspondencia entre los usuarios de Redmine y los presentes en el log del repositorio.\nLos usuarios con el mismo nombre o correo en Redmine y en el repositorio serán asociados automáticamente."
818 818 text_rmagick_available: RMagick disponible (opcional)
819 819 text_select_mail_notifications: Seleccionar los eventos a notificar
820 820 text_select_project_modules: 'Seleccione los módulos a activar para este proyecto:'
821 821 text_status_changed_by_changeset: "Aplicado en los cambios %{value}"
822 822 text_subprojects_destroy_warning: "Los proyectos secundarios: %{value} también se eliminarán"
823 823 text_tip_issue_begin_day: tarea que comienza este día
824 824 text_tip_issue_begin_end_day: tarea que comienza y termina este día
825 825 text_tip_issue_end_day: tarea que termina este día
826 826 text_tracker_no_workflow: No hay ningún flujo de trabajo definido para este tipo de petición
827 827 text_unallowed_characters: Caracteres no permitidos
828 828 text_user_mail_option: "De los proyectos no seleccionados, sólo recibirá notificaciones sobre elementos monitorizados o elementos en los que esté involucrado (por ejemplo, peticiones de las que usted sea autor o asignadas a usted)."
829 829 text_user_wrote: "%{value} escribió:"
830 830 text_wiki_destroy_confirmation: ¿Seguro que quiere borrar el wiki y todo su contenido?
831 831 text_workflow_edit: Seleccionar un flujo de trabajo para actualizar
832 832 text_plugin_assets_writable: Se puede escribir en el directorio público de las extensiones
833 833 warning_attachments_not_saved: "No se han podido grabar %{count} ficheros."
834 834 button_create_and_continue: Crear y continuar
835 835 text_custom_field_possible_values_info: 'Un valor en cada línea'
836 836 label_display: Mostrar
837 837 field_editable: Modificable
838 838 setting_repository_log_display_limit: Número máximo de revisiones mostradas en el fichero de trazas
839 839 setting_file_max_size_displayed: Tamaño máximo de los ficheros de texto mostrados
840 840 field_watcher: Seguidor
841 841 setting_openid: Permitir identificación y registro por OpenID
842 842 field_identity_url: URL de OpenID
843 843 label_login_with_open_id_option: o identifíquese con OpenID
844 844 field_content: Contenido
845 845 label_descending: Descendente
846 846 label_sort: Ordenar
847 847 label_ascending: Ascendente
848 848 label_date_from_to: Desde %{start} hasta %{end}
849 849 label_greater_or_equal: ">="
850 850 label_less_or_equal: <=
851 851 text_wiki_page_destroy_question: Esta página tiene %{descendants} página(s) hija(s) y descendiente(s). ¿Qué desea hacer?
852 852 text_wiki_page_reassign_children: Reasignar páginas hijas a esta página
853 853 text_wiki_page_nullify_children: Dejar páginas hijas como páginas raíz
854 854 text_wiki_page_destroy_children: Eliminar páginas hijas y todos sus descendientes
855 855 setting_password_min_length: Longitud mínima de la contraseña
856 856 field_group_by: Agrupar resultados por
857 857 mail_subject_wiki_content_updated: "La página wiki '%{id}' ha sido actualizada"
858 858 label_wiki_content_added: Página wiki añadida
859 859 mail_subject_wiki_content_added: "Se ha añadido la página wiki '%{id}'."
860 860 mail_body_wiki_content_added: "%{author} ha añadido la página wiki '%{id}'."
861 861 label_wiki_content_updated: Página wiki actualizada
862 862 mail_body_wiki_content_updated: La página wiki '%{id}' ha sido actualizada por %{author}.
863 863 permission_add_project: Crear proyecto
864 864 setting_new_project_user_role_id: Permiso asignado a un usuario no-administrador para crear proyectos
865 865 label_view_all_revisions: Ver todas las revisiones
866 866 label_tag: Etiqueta
867 867 label_branch: Rama
868 868 error_no_tracker_in_project: Este proyecto no tiene asociados tipos de peticiones. Por favor, revise la configuración.
869 869 error_no_default_issue_status: No se ha definido un estado de petición por defecto. Por favor, revise la configuración (en "Administración" -> "Estados de las peticiones").
870 870 text_journal_changed: "%{label} cambiado %{old} por %{new}"
871 871 text_journal_set_to: "%{label} establecido a %{value}"
872 872 text_journal_deleted: "%{label} eliminado (%{old})"
873 873 label_group_plural: Grupos
874 874 label_group: Grupo
875 875 label_group_new: Nuevo grupo
876 876 label_time_entry_plural: Tiempo dedicado
877 877 text_journal_added: "Añadido %{label} %{value}"
878 878 field_active: Activo
879 879 enumeration_system_activity: Actividad del sistema
880 880 permission_delete_issue_watchers: Borrar seguidores
881 881 version_status_closed: cerrado
882 882 version_status_locked: bloqueado
883 883 version_status_open: abierto
884 884 error_can_not_reopen_issue_on_closed_version: No se puede reabrir una petición asignada a una versión cerrada
885 885
886 886 label_user_anonymous: Anónimo
887 887 button_move_and_follow: Mover y seguir
888 888 setting_default_projects_modules: Módulos activados por defecto en proyectos nuevos
889 889 setting_gravatar_default: Imagen Gravatar por defecto
890 890 field_sharing: Compartir
891 891 button_copy_and_follow: Copiar y seguir
892 892 label_version_sharing_hierarchy: Con la jerarquía del proyecto
893 893 label_version_sharing_tree: Con el árbol del proyecto
894 894 label_version_sharing_descendants: Con proyectos hijo
895 895 label_version_sharing_system: Con todos los proyectos
896 896 label_version_sharing_none: No compartir
897 897 button_duplicate: Duplicar
898 898 error_can_not_archive_project: Este proyecto no puede ser archivado
899 899 label_copy_source: Fuente
900 900 setting_issue_done_ratio: Calcular el ratio de tareas realizadas con
901 901 setting_issue_done_ratio_issue_status: Usar el estado de tareas
902 902 error_issue_done_ratios_not_updated: Ratios de tareas realizadas no actualizado.
903 903 error_workflow_copy_target: Por favor, elija categoría(s) y perfil(es) destino
904 904 setting_issue_done_ratio_issue_field: Utilizar el campo de petición
905 905 label_copy_same_as_target: El mismo que el destino
906 906 label_copy_target: Destino
907 907 notice_issue_done_ratios_updated: Ratios de tareas realizadas actualizados.
908 908 error_workflow_copy_source: Por favor, elija una categoría o rol de origen
909 909 label_update_issue_done_ratios: Actualizar ratios de tareas realizadas
910 910 setting_start_of_week: Comenzar las semanas en
911 911 permission_view_issues: Ver peticiones
912 912 label_display_used_statuses_only: Sólo mostrar los estados usados por este tipo de petición
913 913 label_revision_id: Revisión %{value}
914 914 label_api_access_key: Clave de acceso de la API
915 915 label_api_access_key_created_on: Clave de acceso de la API creada hace %{value}
916 916 label_feeds_access_key: Clave de acceso RSS
917 917 notice_api_access_key_reseted: Clave de acceso a la API regenerada.
918 918 setting_rest_api_enabled: Activar servicio web REST
919 919 label_missing_api_access_key: Clave de acceso a la API ausente
920 920 label_missing_feeds_access_key: Clave de accesso RSS ausente
921 921 button_show: Mostrar
922 922 text_line_separated: Múltiples valores permitidos (un valor en cada línea).
923 923 setting_mail_handler_body_delimiters: Truncar correos tras una de estas líneas
924 924 permission_add_subprojects: Crear subproyectos
925 925 label_subproject_new: Nuevo subproyecto
926 926 text_own_membership_delete_confirmation: |-
927 927 Está a punto de eliminar algún o todos sus permisos y podría perder la posibilidad de modificar este proyecto tras hacerlo.
928 928 ¿Está seguro de querer continuar?
929 929 label_close_versions: Cerrar versiones completadas
930 930 label_board_sticky: Pegajoso
931 931 label_board_locked: Bloqueado
932 932 permission_export_wiki_pages: Exportar páginas wiki
933 933 setting_cache_formatted_text: Cachear texto formateado
934 934 permission_manage_project_activities: Gestionar actividades del proyecto
935 935 error_unable_delete_issue_status: Fue imposible eliminar el estado de la petición
936 936 label_profile: Perfil
937 937 permission_manage_subtasks: Gestionar subtareas
938 938 field_parent_issue: Tarea padre
939 939 label_subtask_plural: Subtareas
940 940 label_project_copy_notifications: Enviar notificaciones por correo electrónico durante la copia del proyecto
941 941 error_can_not_delete_custom_field: Fue imposible eliminar el campo personalizado
942 942 error_unable_to_connect: Fue imposible conectar con (%{value})
943 943 error_can_not_remove_role: Este rol está en uso y no puede ser eliminado.
944 944 error_can_not_delete_tracker: Este tipo contiene peticiones y no puede ser eliminado.
945 945 field_principal: Principal
946 946 label_my_page_block: Bloque Mi página
947 947 notice_failed_to_save_members: "Fallo al guardar miembro(s): %{errors}."
948 948 text_zoom_out: Alejar
949 949 text_zoom_in: Acercar
950 950 notice_unable_delete_time_entry: Fue imposible eliminar la entrada de tiempo dedicado.
951 951 label_overall_spent_time: Tiempo total dedicado
952 952 field_time_entries: Log time
953 953 project_module_gantt: Gantt
954 954 project_module_calendar: Calendario
955 955 button_edit_associated_wikipage: "Editar paginas Wiki asociadas: %{page_title}"
956 956 text_are_you_sure_with_children: ¿Borrar peticiones y todas sus peticiones hijas?
957 957 field_text: Campo de texto
958 958 label_user_mail_option_only_owner: Solo para objetos que soy propietario
959 959 setting_default_notification_option: Opcion de notificacion por defecto
960 960 label_user_mail_option_only_my_events: Solo para objetos que soy seguidor o estoy involucrado
961 961 label_user_mail_option_only_assigned: Solo para objetos que estoy asignado
962 962 label_user_mail_option_none: Sin eventos
963 963 field_member_of_group: Asignado al grupo
964 964 field_assigned_to_role: Asignado al perfil
965 965 notice_not_authorized_archived_project: El proyecto al que intenta acceder ha sido archivado.
966 966 label_principal_search: "Buscar por usuario o grupo:"
967 967 label_user_search: "Buscar por usuario:"
968 968 field_visible: Visible
969 969 setting_emails_header: Encabezado de Correos
970 970
971 971 setting_commit_logtime_activity_id: Activity for logged time
972 972 text_time_logged_by_changeset: Applied in changeset %{value}.
973 973 setting_commit_logtime_enabled: Enable time logging
974 974 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
975 975 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
976 976 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
977 977 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
978 978 label_my_queries: My custom queries
979 979 text_journal_changed_no_detail: "%{label} updated"
980 980 label_news_comment_added: Comment added to a news
981 981 button_expand_all: Expand all
982 982 button_collapse_all: Collapse all
983 983 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
984 984 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
985 985 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
986 986 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
987 987 label_role_anonymous: Anonymous
988 988 label_role_non_member: Non member
989 989 label_issue_note_added: Note added
990 990 label_issue_status_updated: Status updated
991 991 label_issue_priority_updated: Priority updated
992 992 label_issues_visibility_own: Issues created by or assigned to the user
993 993 field_issues_visibility: Issues visibility
994 994 label_issues_visibility_all: All issues
995 995 permission_set_own_issues_private: Set own issues public or private
996 996 field_is_private: Private
997 997 permission_set_issues_private: Set issues public or private
998 998 label_issues_visibility_public: All non private issues
999 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
General Comments 0
You need to be logged in to leave comments. Login now