##// END OF EJS Templates
Adds an option to enable/disable email notifications during a project copy (#4672)....
Jean-Philippe Lang -
r3494:79b4f681760e
parent child
Show More

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

@@ -1,386 +1,388
1 1 # Redmine - project management software
2 2 # Copyright (C) 2006-2009 Jean-Philippe Lang
3 3 #
4 4 # This program is free software; you can redistribute it and/or
5 5 # modify it under the terms of the GNU General Public License
6 6 # as published by the Free Software Foundation; either version 2
7 7 # of the License, or (at your option) any later version.
8 8 #
9 9 # This program is distributed in the hope that it will be useful,
10 10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 12 # GNU General Public License for more details.
13 13 #
14 14 # You should have received a copy of the GNU General Public License
15 15 # along with this program; if not, write to the Free Software
16 16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
17 17
18 18 class ProjectsController < ApplicationController
19 19 menu_item :overview
20 20 menu_item :activity, :only => :activity
21 21 menu_item :roadmap, :only => :roadmap
22 22 menu_item :files, :only => [:list_files, :add_file]
23 23 menu_item :settings, :only => :settings
24 24
25 25 before_filter :find_project, :except => [ :index, :list, :add, :copy, :activity ]
26 26 before_filter :find_optional_project, :only => :activity
27 27 before_filter :authorize, :except => [ :index, :list, :add, :copy, :archive, :unarchive, :destroy, :activity ]
28 28 before_filter :authorize_global, :only => :add
29 29 before_filter :require_admin, :only => [ :copy, :archive, :unarchive, :destroy ]
30 30 accept_key_auth :activity
31 31
32 32 after_filter :only => [:add, :edit, :archive, :unarchive, :destroy] do |controller|
33 33 if controller.request.post?
34 34 controller.send :expire_action, :controller => 'welcome', :action => 'robots.txt'
35 35 end
36 36 end
37 37
38 38 helper :sort
39 39 include SortHelper
40 40 helper :custom_fields
41 41 include CustomFieldsHelper
42 42 helper :issues
43 43 helper IssuesHelper
44 44 helper :queries
45 45 include QueriesHelper
46 46 helper :repositories
47 47 include RepositoriesHelper
48 48 include ProjectsHelper
49 49
50 50 # Lists visible projects
51 51 def index
52 52 respond_to do |format|
53 53 format.html {
54 54 @projects = Project.visible.find(:all, :order => 'lft')
55 55 }
56 56 format.xml {
57 57 @projects = Project.visible.find(:all, :order => 'lft')
58 58 }
59 59 format.atom {
60 60 projects = Project.visible.find(:all, :order => 'created_on DESC',
61 61 :limit => Setting.feeds_limit.to_i)
62 62 render_feed(projects, :title => "#{Setting.app_title}: #{l(:label_project_latest)}")
63 63 }
64 64 end
65 65 end
66 66
67 67 # Add a new project
68 68 def add
69 69 @issue_custom_fields = IssueCustomField.find(:all, :order => "#{CustomField.table_name}.position")
70 70 @trackers = Tracker.all
71 71 @project = Project.new(params[:project])
72 72 if request.get?
73 73 @project.identifier = Project.next_identifier if Setting.sequential_project_identifiers?
74 74 @project.trackers = Tracker.all
75 75 @project.is_public = Setting.default_projects_public?
76 76 @project.enabled_module_names = Setting.default_projects_modules
77 77 else
78 78 @project.enabled_module_names = params[:enabled_modules]
79 79 if validate_parent_id && @project.save
80 80 @project.set_allowed_parent!(params[:project]['parent_id']) if params[:project].has_key?('parent_id')
81 81 # Add current user as a project member if he is not admin
82 82 unless User.current.admin?
83 83 r = Role.givable.find_by_id(Setting.new_project_user_role_id.to_i) || Role.givable.first
84 84 m = Member.new(:user => User.current, :roles => [r])
85 85 @project.members << m
86 86 end
87 87 respond_to do |format|
88 88 format.html {
89 89 flash[:notice] = l(:notice_successful_create)
90 90 redirect_to :controller => 'projects', :action => 'settings', :id => @project
91 91 }
92 92 format.xml { head :created, :location => url_for(:controller => 'projects', :action => 'show', :id => @project.id) }
93 93 end
94 94 else
95 95 respond_to do |format|
96 96 format.html
97 97 format.xml { render :xml => @project.errors, :status => :unprocessable_entity }
98 98 end
99 99 end
100 100 end
101 101 end
102 102
103 103 def copy
104 104 @issue_custom_fields = IssueCustomField.find(:all, :order => "#{CustomField.table_name}.position")
105 105 @trackers = Tracker.all
106 106 @root_projects = Project.find(:all,
107 107 :conditions => "parent_id IS NULL AND status = #{Project::STATUS_ACTIVE}",
108 108 :order => 'name')
109 109 @source_project = Project.find(params[:id])
110 110 if request.get?
111 111 @project = Project.copy_from(@source_project)
112 112 if @project
113 113 @project.identifier = Project.next_identifier if Setting.sequential_project_identifiers?
114 114 else
115 115 redirect_to :controller => 'admin', :action => 'projects'
116 116 end
117 117 else
118 @project = Project.new(params[:project])
119 @project.enabled_module_names = params[:enabled_modules]
120 if validate_parent_id && @project.copy(@source_project, :only => params[:only])
121 @project.set_allowed_parent!(params[:project]['parent_id']) if params[:project].has_key?('parent_id')
122 flash[:notice] = l(:notice_successful_create)
123 redirect_to :controller => 'admin', :action => 'projects'
124 elsif !@project.new_record?
125 # Project was created
126 # But some objects were not copied due to validation failures
127 # (eg. issues from disabled trackers)
128 # TODO: inform about that
129 redirect_to :controller => 'admin', :action => 'projects'
118 Mailer.with_deliveries(params[:notifications] == '1') do
119 @project = Project.new(params[:project])
120 @project.enabled_module_names = params[:enabled_modules]
121 if validate_parent_id && @project.copy(@source_project, :only => params[:only])
122 @project.set_allowed_parent!(params[:project]['parent_id']) if params[:project].has_key?('parent_id')
123 flash[:notice] = l(:notice_successful_create)
124 redirect_to :controller => 'admin', :action => 'projects'
125 elsif !@project.new_record?
126 # Project was created
127 # But some objects were not copied due to validation failures
128 # (eg. issues from disabled trackers)
129 # TODO: inform about that
130 redirect_to :controller => 'admin', :action => 'projects'
131 end
130 132 end
131 133 end
132 134 rescue ActiveRecord::RecordNotFound
133 135 redirect_to :controller => 'admin', :action => 'projects'
134 136 end
135 137
136 138 # Show @project
137 139 def show
138 140 if params[:jump]
139 141 # try to redirect to the requested menu item
140 142 redirect_to_project_menu_item(@project, params[:jump]) && return
141 143 end
142 144
143 145 @users_by_role = @project.users_by_role
144 146 @subprojects = @project.children.visible
145 147 @news = @project.news.find(:all, :limit => 5, :include => [ :author, :project ], :order => "#{News.table_name}.created_on DESC")
146 148 @trackers = @project.rolled_up_trackers
147 149
148 150 cond = @project.project_condition(Setting.display_subprojects_issues?)
149 151
150 152 @open_issues_by_tracker = Issue.visible.count(:group => :tracker,
151 153 :include => [:project, :status, :tracker],
152 154 :conditions => ["(#{cond}) AND #{IssueStatus.table_name}.is_closed=?", false])
153 155 @total_issues_by_tracker = Issue.visible.count(:group => :tracker,
154 156 :include => [:project, :status, :tracker],
155 157 :conditions => cond)
156 158
157 159 TimeEntry.visible_by(User.current) do
158 160 @total_hours = TimeEntry.sum(:hours,
159 161 :include => :project,
160 162 :conditions => cond).to_f
161 163 end
162 164 @key = User.current.rss_key
163 165
164 166 respond_to do |format|
165 167 format.html
166 168 format.xml
167 169 end
168 170 end
169 171
170 172 def settings
171 173 @issue_custom_fields = IssueCustomField.find(:all, :order => "#{CustomField.table_name}.position")
172 174 @issue_category ||= IssueCategory.new
173 175 @member ||= @project.members.new
174 176 @trackers = Tracker.all
175 177 @repository ||= @project.repository
176 178 @wiki ||= @project.wiki
177 179 end
178 180
179 181 # Edit @project
180 182 def edit
181 183 if request.get?
182 184 else
183 185 @project.attributes = params[:project]
184 186 if validate_parent_id && @project.save
185 187 @project.set_allowed_parent!(params[:project]['parent_id']) if params[:project].has_key?('parent_id')
186 188 respond_to do |format|
187 189 format.html {
188 190 flash[:notice] = l(:notice_successful_update)
189 191 redirect_to :action => 'settings', :id => @project
190 192 }
191 193 format.xml { head :ok }
192 194 end
193 195 else
194 196 respond_to do |format|
195 197 format.html {
196 198 settings
197 199 render :action => 'settings'
198 200 }
199 201 format.xml { render :xml => @project.errors, :status => :unprocessable_entity }
200 202 end
201 203 end
202 204 end
203 205 end
204 206
205 207 def modules
206 208 @project.enabled_module_names = params[:enabled_modules]
207 209 flash[:notice] = l(:notice_successful_update)
208 210 redirect_to :action => 'settings', :id => @project, :tab => 'modules'
209 211 end
210 212
211 213 def archive
212 214 if request.post?
213 215 unless @project.archive
214 216 flash[:error] = l(:error_can_not_archive_project)
215 217 end
216 218 end
217 219 redirect_to(url_for(:controller => 'admin', :action => 'projects', :status => params[:status]))
218 220 end
219 221
220 222 def unarchive
221 223 @project.unarchive if request.post? && !@project.active?
222 224 redirect_to(url_for(:controller => 'admin', :action => 'projects', :status => params[:status]))
223 225 end
224 226
225 227 # Delete @project
226 228 def destroy
227 229 @project_to_destroy = @project
228 230 if request.get?
229 231 # display confirmation view
230 232 else
231 233 if params[:format] == 'xml' || params[:confirm]
232 234 @project_to_destroy.destroy
233 235 respond_to do |format|
234 236 format.html { redirect_to :controller => 'admin', :action => 'projects' }
235 237 format.xml { head :ok }
236 238 end
237 239 end
238 240 end
239 241 # hide project in layout
240 242 @project = nil
241 243 end
242 244
243 245 def add_file
244 246 if request.post?
245 247 container = (params[:version_id].blank? ? @project : @project.versions.find_by_id(params[:version_id]))
246 248 attachments = Attachment.attach_files(container, params[:attachments])
247 249 render_attachment_warning_if_needed(container)
248 250
249 251 if !attachments.empty? && Setting.notified_events.include?('file_added')
250 252 Mailer.deliver_attachments_added(attachments[:files])
251 253 end
252 254 redirect_to :controller => 'projects', :action => 'list_files', :id => @project
253 255 return
254 256 end
255 257 @versions = @project.versions.sort
256 258 end
257 259
258 260 def save_activities
259 261 if request.post? && params[:enumerations]
260 262 Project.transaction do
261 263 params[:enumerations].each do |id, activity|
262 264 @project.update_or_create_time_entry_activity(id, activity)
263 265 end
264 266 end
265 267 flash[:notice] = l(:notice_successful_update)
266 268 end
267 269
268 270 redirect_to :controller => 'projects', :action => 'settings', :tab => 'activities', :id => @project
269 271 end
270 272
271 273 def reset_activities
272 274 @project.time_entry_activities.each do |time_entry_activity|
273 275 time_entry_activity.destroy(time_entry_activity.parent)
274 276 end
275 277 flash[:notice] = l(:notice_successful_update)
276 278 redirect_to :controller => 'projects', :action => 'settings', :tab => 'activities', :id => @project
277 279 end
278 280
279 281 def list_files
280 282 sort_init 'filename', 'asc'
281 283 sort_update 'filename' => "#{Attachment.table_name}.filename",
282 284 'created_on' => "#{Attachment.table_name}.created_on",
283 285 'size' => "#{Attachment.table_name}.filesize",
284 286 'downloads' => "#{Attachment.table_name}.downloads"
285 287
286 288 @containers = [ Project.find(@project.id, :include => :attachments, :order => sort_clause)]
287 289 @containers += @project.versions.find(:all, :include => :attachments, :order => sort_clause).sort.reverse
288 290 render :layout => !request.xhr?
289 291 end
290 292
291 293 def roadmap
292 294 @trackers = @project.trackers.find(:all, :order => 'position')
293 295 retrieve_selected_tracker_ids(@trackers, @trackers.select {|t| t.is_in_roadmap?})
294 296 @with_subprojects = params[:with_subprojects].nil? ? Setting.display_subprojects_issues? : (params[:with_subprojects] == '1')
295 297 project_ids = @with_subprojects ? @project.self_and_descendants.collect(&:id) : [@project.id]
296 298
297 299 @versions = @project.shared_versions.sort
298 300 @versions.reject! {|version| version.closed? || version.completed? } unless params[:completed]
299 301
300 302 @issues_by_version = {}
301 303 unless @selected_tracker_ids.empty?
302 304 @versions.each do |version|
303 305 issues = version.fixed_issues.visible.find(:all,
304 306 :include => [:project, :status, :tracker, :priority],
305 307 :conditions => {:tracker_id => @selected_tracker_ids, :project_id => project_ids},
306 308 :order => "#{Project.table_name}.lft, #{Tracker.table_name}.position, #{Issue.table_name}.id")
307 309 @issues_by_version[version] = issues
308 310 end
309 311 end
310 312 @versions.reject! {|version| !project_ids.include?(version.project_id) && @issues_by_version[version].blank?}
311 313 end
312 314
313 315 def activity
314 316 @days = Setting.activity_days_default.to_i
315 317
316 318 if params[:from]
317 319 begin; @date_to = params[:from].to_date + 1; rescue; end
318 320 end
319 321
320 322 @date_to ||= Date.today + 1
321 323 @date_from = @date_to - @days
322 324 @with_subprojects = params[:with_subprojects].nil? ? Setting.display_subprojects_issues? : (params[:with_subprojects] == '1')
323 325 @author = (params[:user_id].blank? ? nil : User.active.find(params[:user_id]))
324 326
325 327 @activity = Redmine::Activity::Fetcher.new(User.current, :project => @project,
326 328 :with_subprojects => @with_subprojects,
327 329 :author => @author)
328 330 @activity.scope_select {|t| !params["show_#{t}"].nil?}
329 331 @activity.scope = (@author.nil? ? :default : :all) if @activity.scope.empty?
330 332
331 333 events = @activity.events(@date_from, @date_to)
332 334
333 335 if events.empty? || stale?(:etag => [events.first, User.current])
334 336 respond_to do |format|
335 337 format.html {
336 338 @events_by_day = events.group_by(&:event_date)
337 339 render :layout => false if request.xhr?
338 340 }
339 341 format.atom {
340 342 title = l(:label_activity)
341 343 if @author
342 344 title = @author.name
343 345 elsif @activity.scope.size == 1
344 346 title = l("label_#{@activity.scope.first.singularize}_plural")
345 347 end
346 348 render_feed(events, :title => "#{@project || Setting.app_title}: #{title}")
347 349 }
348 350 end
349 351 end
350 352
351 353 rescue ActiveRecord::RecordNotFound
352 354 render_404
353 355 end
354 356
355 357 private
356 358 def find_optional_project
357 359 return true unless params[:id]
358 360 @project = Project.find(params[:id])
359 361 authorize
360 362 rescue ActiveRecord::RecordNotFound
361 363 render_404
362 364 end
363 365
364 366 def retrieve_selected_tracker_ids(selectable_trackers, default_trackers=nil)
365 367 if ids = params[:tracker_ids]
366 368 @selected_tracker_ids = (ids.is_a? Array) ? ids.collect { |id| id.to_i.to_s } : ids.split('/').collect { |id| id.to_i.to_s }
367 369 else
368 370 @selected_tracker_ids = (default_trackers || selectable_trackers).collect {|t| t.id.to_s }
369 371 end
370 372 end
371 373
372 374 # Validates parent_id param according to user's permissions
373 375 # TODO: move it to Project model in a validation that depends on User.current
374 376 def validate_parent_id
375 377 return true if User.current.admin?
376 378 parent_id = params[:project] && params[:project][:parent_id]
377 379 if parent_id || @project.new_record?
378 380 parent = parent_id.blank? ? nil : Project.find_by_id(parent_id.to_i)
379 381 unless @project.allowed_parents.include?(parent)
380 382 @project.errors.add :parent_id, :invalid
381 383 return false
382 384 end
383 385 end
384 386 true
385 387 end
386 388 end
@@ -1,428 +1,437
1 1 # redMine - project management software
2 2 # Copyright (C) 2006-2007 Jean-Philippe Lang
3 3 #
4 4 # This program is free software; you can redistribute it and/or
5 5 # modify it under the terms of the GNU General Public License
6 6 # as published by the Free Software Foundation; either version 2
7 7 # of the License, or (at your option) any later version.
8 8 #
9 9 # This program is distributed in the hope that it will be useful,
10 10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 12 # GNU General Public License for more details.
13 13 #
14 14 # You should have received a copy of the GNU General Public License
15 15 # along with this program; if not, write to the Free Software
16 16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
17 17
18 18 class Mailer < ActionMailer::Base
19 19 layout 'mailer'
20 20 helper :application
21 21 helper :issues
22 22 helper :custom_fields
23 23
24 24 include ActionController::UrlWriter
25 25 include Redmine::I18n
26 26
27 27 def self.default_url_options
28 28 h = Setting.host_name
29 29 h = h.to_s.gsub(%r{\/.*$}, '') unless Redmine::Utils.relative_url_root.blank?
30 30 { :host => h, :protocol => Setting.protocol }
31 31 end
32 32
33 33 # Builds a tmail object used to email recipients of the added issue.
34 34 #
35 35 # Example:
36 36 # issue_add(issue) => tmail object
37 37 # Mailer.deliver_issue_add(issue) => sends an email to issue recipients
38 38 def issue_add(issue)
39 39 redmine_headers 'Project' => issue.project.identifier,
40 40 'Issue-Id' => issue.id,
41 41 'Issue-Author' => issue.author.login
42 42 redmine_headers 'Issue-Assignee' => issue.assigned_to.login if issue.assigned_to
43 43 message_id issue
44 44 recipients issue.recipients
45 45 cc(issue.watcher_recipients - @recipients)
46 46 subject "[#{issue.project.name} - #{issue.tracker.name} ##{issue.id}] (#{issue.status.name}) #{issue.subject}"
47 47 body :issue => issue,
48 48 :issue_url => url_for(:controller => 'issues', :action => 'show', :id => issue)
49 49 render_multipart('issue_add', body)
50 50 end
51 51
52 52 # Builds a tmail object used to email recipients of the edited issue.
53 53 #
54 54 # Example:
55 55 # issue_edit(journal) => tmail object
56 56 # Mailer.deliver_issue_edit(journal) => sends an email to issue recipients
57 57 def issue_edit(journal)
58 58 issue = journal.journalized.reload
59 59 redmine_headers 'Project' => issue.project.identifier,
60 60 'Issue-Id' => issue.id,
61 61 'Issue-Author' => issue.author.login
62 62 redmine_headers 'Issue-Assignee' => issue.assigned_to.login if issue.assigned_to
63 63 message_id journal
64 64 references issue
65 65 @author = journal.user
66 66 recipients issue.recipients
67 67 # Watchers in cc
68 68 cc(issue.watcher_recipients - @recipients)
69 69 s = "[#{issue.project.name} - #{issue.tracker.name} ##{issue.id}] "
70 70 s << "(#{issue.status.name}) " if journal.new_value_for('status_id')
71 71 s << issue.subject
72 72 subject s
73 73 body :issue => issue,
74 74 :journal => journal,
75 75 :issue_url => url_for(:controller => 'issues', :action => 'show', :id => issue)
76 76
77 77 render_multipart('issue_edit', body)
78 78 end
79 79
80 80 def reminder(user, issues, days)
81 81 set_language_if_valid user.language
82 82 recipients user.mail
83 83 subject l(:mail_subject_reminder, issues.size)
84 84 body :issues => issues,
85 85 :days => days,
86 86 :issues_url => url_for(:controller => 'issues', :action => 'index', :set_filter => 1, :assigned_to_id => user.id, :sort_key => 'due_date', :sort_order => 'asc')
87 87 render_multipart('reminder', body)
88 88 end
89 89
90 90 # Builds a tmail object used to email users belonging to the added document's project.
91 91 #
92 92 # Example:
93 93 # document_added(document) => tmail object
94 94 # Mailer.deliver_document_added(document) => sends an email to the document's project recipients
95 95 def document_added(document)
96 96 redmine_headers 'Project' => document.project.identifier
97 97 recipients document.recipients
98 98 subject "[#{document.project.name}] #{l(:label_document_new)}: #{document.title}"
99 99 body :document => document,
100 100 :document_url => url_for(:controller => 'documents', :action => 'show', :id => document)
101 101 render_multipart('document_added', body)
102 102 end
103 103
104 104 # Builds a tmail object used to email recipients of a project when an attachements are added.
105 105 #
106 106 # Example:
107 107 # attachments_added(attachments) => tmail object
108 108 # Mailer.deliver_attachments_added(attachments) => sends an email to the project's recipients
109 109 def attachments_added(attachments)
110 110 container = attachments.first.container
111 111 added_to = ''
112 112 added_to_url = ''
113 113 case container.class.name
114 114 when 'Project'
115 115 added_to_url = url_for(:controller => 'projects', :action => 'list_files', :id => container)
116 116 added_to = "#{l(:label_project)}: #{container}"
117 117 recipients container.project.notified_users.select {|user| user.allowed_to?(:view_files, container.project)}.collect {|u| u.mail}
118 118 when 'Version'
119 119 added_to_url = url_for(:controller => 'projects', :action => 'list_files', :id => container.project_id)
120 120 added_to = "#{l(:label_version)}: #{container.name}"
121 121 recipients container.project.notified_users.select {|user| user.allowed_to?(:view_files, container.project)}.collect {|u| u.mail}
122 122 when 'Document'
123 123 added_to_url = url_for(:controller => 'documents', :action => 'show', :id => container.id)
124 124 added_to = "#{l(:label_document)}: #{container.title}"
125 125 recipients container.recipients
126 126 end
127 127 redmine_headers 'Project' => container.project.identifier
128 128 subject "[#{container.project.name}] #{l(:label_attachment_new)}"
129 129 body :attachments => attachments,
130 130 :added_to => added_to,
131 131 :added_to_url => added_to_url
132 132 render_multipart('attachments_added', body)
133 133 end
134 134
135 135 # Builds a tmail object used to email recipients of a news' project when a news item is added.
136 136 #
137 137 # Example:
138 138 # news_added(news) => tmail object
139 139 # Mailer.deliver_news_added(news) => sends an email to the news' project recipients
140 140 def news_added(news)
141 141 redmine_headers 'Project' => news.project.identifier
142 142 message_id news
143 143 recipients news.recipients
144 144 subject "[#{news.project.name}] #{l(:label_news)}: #{news.title}"
145 145 body :news => news,
146 146 :news_url => url_for(:controller => 'news', :action => 'show', :id => news)
147 147 render_multipart('news_added', body)
148 148 end
149 149
150 150 # Builds a tmail object used to email the recipients of the specified message that was posted.
151 151 #
152 152 # Example:
153 153 # message_posted(message) => tmail object
154 154 # Mailer.deliver_message_posted(message) => sends an email to the recipients
155 155 def message_posted(message)
156 156 redmine_headers 'Project' => message.project.identifier,
157 157 'Topic-Id' => (message.parent_id || message.id)
158 158 message_id message
159 159 references message.parent unless message.parent.nil?
160 160 recipients(message.recipients)
161 161 cc((message.root.watcher_recipients + message.board.watcher_recipients).uniq - @recipients)
162 162 subject "[#{message.board.project.name} - #{message.board.name} - msg#{message.root.id}] #{message.subject}"
163 163 body :message => message,
164 164 :message_url => url_for(message.event_url)
165 165 render_multipart('message_posted', body)
166 166 end
167 167
168 168 # Builds a tmail object used to email the recipients of a project of the specified wiki content was added.
169 169 #
170 170 # Example:
171 171 # wiki_content_added(wiki_content) => tmail object
172 172 # Mailer.deliver_wiki_content_added(wiki_content) => sends an email to the project's recipients
173 173 def wiki_content_added(wiki_content)
174 174 redmine_headers 'Project' => wiki_content.project.identifier,
175 175 'Wiki-Page-Id' => wiki_content.page.id
176 176 message_id wiki_content
177 177 recipients wiki_content.recipients
178 178 cc(wiki_content.page.wiki.watcher_recipients - recipients)
179 179 subject "[#{wiki_content.project.name}] #{l(:mail_subject_wiki_content_added, :page => wiki_content.page.pretty_title)}"
180 180 body :wiki_content => wiki_content,
181 181 :wiki_content_url => url_for(:controller => 'wiki', :action => 'index', :id => wiki_content.project, :page => wiki_content.page.title)
182 182 render_multipart('wiki_content_added', body)
183 183 end
184 184
185 185 # Builds a tmail object used to email the recipients of a project of the specified wiki content was updated.
186 186 #
187 187 # Example:
188 188 # wiki_content_updated(wiki_content) => tmail object
189 189 # Mailer.deliver_wiki_content_updated(wiki_content) => sends an email to the project's recipients
190 190 def wiki_content_updated(wiki_content)
191 191 redmine_headers 'Project' => wiki_content.project.identifier,
192 192 'Wiki-Page-Id' => wiki_content.page.id
193 193 message_id wiki_content
194 194 recipients wiki_content.recipients
195 195 cc(wiki_content.page.wiki.watcher_recipients + wiki_content.page.watcher_recipients - recipients)
196 196 subject "[#{wiki_content.project.name}] #{l(:mail_subject_wiki_content_updated, :page => wiki_content.page.pretty_title)}"
197 197 body :wiki_content => wiki_content,
198 198 :wiki_content_url => url_for(:controller => 'wiki', :action => 'index', :id => wiki_content.project, :page => wiki_content.page.title),
199 199 :wiki_diff_url => url_for(:controller => 'wiki', :action => 'diff', :id => wiki_content.project, :page => wiki_content.page.title, :version => wiki_content.version)
200 200 render_multipart('wiki_content_updated', body)
201 201 end
202 202
203 203 # Builds a tmail object used to email the specified user their account information.
204 204 #
205 205 # Example:
206 206 # account_information(user, password) => tmail object
207 207 # Mailer.deliver_account_information(user, password) => sends account information to the user
208 208 def account_information(user, password)
209 209 set_language_if_valid user.language
210 210 recipients user.mail
211 211 subject l(:mail_subject_register, Setting.app_title)
212 212 body :user => user,
213 213 :password => password,
214 214 :login_url => url_for(:controller => 'account', :action => 'login')
215 215 render_multipart('account_information', body)
216 216 end
217 217
218 218 # Builds a tmail object used to email all active administrators of an account activation request.
219 219 #
220 220 # Example:
221 221 # account_activation_request(user) => tmail object
222 222 # Mailer.deliver_account_activation_request(user)=> sends an email to all active administrators
223 223 def account_activation_request(user)
224 224 # Send the email to all active administrators
225 225 recipients User.active.find(:all, :conditions => {:admin => true}).collect { |u| u.mail }.compact
226 226 subject l(:mail_subject_account_activation_request, Setting.app_title)
227 227 body :user => user,
228 228 :url => url_for(:controller => 'users', :action => 'index', :status => User::STATUS_REGISTERED, :sort_key => 'created_on', :sort_order => 'desc')
229 229 render_multipart('account_activation_request', body)
230 230 end
231 231
232 232 # Builds a tmail object used to email the specified user that their account was activated by an administrator.
233 233 #
234 234 # Example:
235 235 # account_activated(user) => tmail object
236 236 # Mailer.deliver_account_activated(user) => sends an email to the registered user
237 237 def account_activated(user)
238 238 set_language_if_valid user.language
239 239 recipients user.mail
240 240 subject l(:mail_subject_register, Setting.app_title)
241 241 body :user => user,
242 242 :login_url => url_for(:controller => 'account', :action => 'login')
243 243 render_multipart('account_activated', body)
244 244 end
245 245
246 246 def lost_password(token)
247 247 set_language_if_valid(token.user.language)
248 248 recipients token.user.mail
249 249 subject l(:mail_subject_lost_password, Setting.app_title)
250 250 body :token => token,
251 251 :url => url_for(:controller => 'account', :action => 'lost_password', :token => token.value)
252 252 render_multipart('lost_password', body)
253 253 end
254 254
255 255 def register(token)
256 256 set_language_if_valid(token.user.language)
257 257 recipients token.user.mail
258 258 subject l(:mail_subject_register, Setting.app_title)
259 259 body :token => token,
260 260 :url => url_for(:controller => 'account', :action => 'activate', :token => token.value)
261 261 render_multipart('register', body)
262 262 end
263 263
264 264 def test(user)
265 265 set_language_if_valid(user.language)
266 266 recipients user.mail
267 267 subject 'Redmine test'
268 268 body :url => url_for(:controller => 'welcome')
269 269 render_multipart('test', body)
270 270 end
271 271
272 272 # Overrides default deliver! method to prevent from sending an email
273 273 # with no recipient, cc or bcc
274 274 def deliver!(mail = @mail)
275 275 set_language_if_valid @initial_language
276 276 return false if (recipients.nil? || recipients.empty?) &&
277 277 (cc.nil? || cc.empty?) &&
278 278 (bcc.nil? || bcc.empty?)
279 279
280 280 # Set Message-Id and References
281 281 if @message_id_object
282 282 mail.message_id = self.class.message_id_for(@message_id_object)
283 283 end
284 284 if @references_objects
285 285 mail.references = @references_objects.collect {|o| self.class.message_id_for(o)}
286 286 end
287 287
288 288 # Log errors when raise_delivery_errors is set to false, Rails does not
289 289 raise_errors = self.class.raise_delivery_errors
290 290 self.class.raise_delivery_errors = true
291 291 begin
292 292 return super(mail)
293 293 rescue Exception => e
294 294 if raise_errors
295 295 raise e
296 296 elsif mylogger
297 297 mylogger.error "The following error occured while sending email notification: \"#{e.message}\". Check your configuration in config/email.yml."
298 298 end
299 299 ensure
300 300 self.class.raise_delivery_errors = raise_errors
301 301 end
302 302 end
303 303
304 304 # Sends reminders to issue assignees
305 305 # Available options:
306 306 # * :days => how many days in the future to remind about (defaults to 7)
307 307 # * :tracker => id of tracker for filtering issues (defaults to all trackers)
308 308 # * :project => id or identifier of project to process (defaults to all projects)
309 309 def self.reminders(options={})
310 310 days = options[:days] || 7
311 311 project = options[:project] ? Project.find(options[:project]) : nil
312 312 tracker = options[:tracker] ? Tracker.find(options[:tracker]) : nil
313 313
314 314 s = ARCondition.new ["#{IssueStatus.table_name}.is_closed = ? AND #{Issue.table_name}.due_date <= ?", false, days.day.from_now.to_date]
315 315 s << "#{Issue.table_name}.assigned_to_id IS NOT NULL"
316 316 s << "#{Project.table_name}.status = #{Project::STATUS_ACTIVE}"
317 317 s << "#{Issue.table_name}.project_id = #{project.id}" if project
318 318 s << "#{Issue.table_name}.tracker_id = #{tracker.id}" if tracker
319 319
320 320 issues_by_assignee = Issue.find(:all, :include => [:status, :assigned_to, :project, :tracker],
321 321 :conditions => s.conditions
322 322 ).group_by(&:assigned_to)
323 323 issues_by_assignee.each do |assignee, issues|
324 324 deliver_reminder(assignee, issues, days) unless assignee.nil?
325 325 end
326 326 end
327
328 # Activates/desactivates email deliveries during +block+
329 def self.with_deliveries(enabled = true, &block)
330 was_enabled = ActionMailer::Base.perform_deliveries
331 ActionMailer::Base.perform_deliveries = !!enabled
332 yield
333 ensure
334 ActionMailer::Base.perform_deliveries = was_enabled
335 end
327 336
328 337 private
329 338 def initialize_defaults(method_name)
330 339 super
331 340 @initial_language = current_language
332 341 set_language_if_valid Setting.default_language
333 342 from Setting.mail_from
334 343
335 344 # Common headers
336 345 headers 'X-Mailer' => 'Redmine',
337 346 'X-Redmine-Host' => Setting.host_name,
338 347 'X-Redmine-Site' => Setting.app_title,
339 348 'Precedence' => 'bulk',
340 349 'Auto-Submitted' => 'auto-generated'
341 350 end
342 351
343 352 # Appends a Redmine header field (name is prepended with 'X-Redmine-')
344 353 def redmine_headers(h)
345 354 h.each { |k,v| headers["X-Redmine-#{k}"] = v }
346 355 end
347 356
348 357 # Overrides the create_mail method
349 358 def create_mail
350 359 # Removes the current user from the recipients and cc
351 360 # if he doesn't want to receive notifications about what he does
352 361 @author ||= User.current
353 362 if @author.pref[:no_self_notified]
354 363 recipients.delete(@author.mail) if recipients
355 364 cc.delete(@author.mail) if cc
356 365 end
357 366
358 367 notified_users = [recipients, cc].flatten.compact.uniq
359 368 # Rails would log recipients only, not cc and bcc
360 369 mylogger.info "Sending email notification to: #{notified_users.join(', ')}" if mylogger
361 370
362 371 # Blind carbon copy recipients
363 372 if Setting.bcc_recipients?
364 373 bcc(notified_users)
365 374 recipients []
366 375 cc []
367 376 end
368 377 super
369 378 end
370 379
371 380 # Rails 2.3 has problems rendering implicit multipart messages with
372 381 # layouts so this method will wrap an multipart messages with
373 382 # explicit parts.
374 383 #
375 384 # https://rails.lighthouseapp.com/projects/8994/tickets/2338-actionmailer-mailer-views-and-content-type
376 385 # https://rails.lighthouseapp.com/projects/8994/tickets/1799-actionmailer-doesnt-set-template_format-when-rendering-layouts
377 386
378 387 def render_multipart(method_name, body)
379 388 if Setting.plain_text_mail?
380 389 content_type "text/plain"
381 390 body render(:file => "#{method_name}.text.plain.rhtml", :body => body, :layout => 'mailer.text.plain.erb')
382 391 else
383 392 content_type "multipart/alternative"
384 393 part :content_type => "text/plain", :body => render(:file => "#{method_name}.text.plain.rhtml", :body => body, :layout => 'mailer.text.plain.erb')
385 394 part :content_type => "text/html", :body => render_message("#{method_name}.text.html.rhtml", body)
386 395 end
387 396 end
388 397
389 398 # Makes partial rendering work with Rails 1.2 (retro-compatibility)
390 399 def self.controller_path
391 400 ''
392 401 end unless respond_to?('controller_path')
393 402
394 403 # Returns a predictable Message-Id for the given object
395 404 def self.message_id_for(object)
396 405 # id + timestamp should reduce the odds of a collision
397 406 # as far as we don't send multiple emails for the same object
398 407 timestamp = object.send(object.respond_to?(:created_on) ? :created_on : :updated_on)
399 408 hash = "redmine.#{object.class.name.demodulize.underscore}-#{object.id}.#{timestamp.strftime("%Y%m%d%H%M%S")}"
400 409 host = Setting.mail_from.to_s.gsub(%r{^.*@}, '')
401 410 host = "#{::Socket.gethostname}.redmine" if host.empty?
402 411 "<#{hash}@#{host}>"
403 412 end
404 413
405 414 private
406 415
407 416 def message_id(object)
408 417 @message_id_object = object
409 418 end
410 419
411 420 def references(object)
412 421 @references_objects ||= []
413 422 @references_objects << object
414 423 end
415 424
416 425 def mylogger
417 426 RAILS_DEFAULT_LOGGER
418 427 end
419 428 end
420 429
421 430 # Patch TMail so that message_id is not overwritten
422 431 module TMail
423 432 class Mail
424 433 def add_message_id( fqdn = nil )
425 434 self.message_id ||= ::TMail::new_message_id(fqdn)
426 435 end
427 436 end
428 437 end
@@ -1,27 +1,29
1 1 <h2><%=l(:label_project_new)%></h2>
2 2
3 3 <% labelled_tabular_form_for :project, @project, :url => { :action => "copy" } do |f| %>
4 4 <%= render :partial => 'form', :locals => { :f => f } %>
5 5
6 6 <fieldset class="box"><legend><%= l(:label_module_plural) %></legend>
7 7 <% Redmine::AccessControl.available_project_modules.each do |m| %>
8 8 <label class="floating">
9 9 <%= check_box_tag 'enabled_modules[]', m, @project.module_enabled?(m) %>
10 10 <%= l_or_humanize(m, :prefix => "project_module_") %>
11 11 </label>
12 12 <% end %>
13 13 </fieldset>
14 14
15 15 <fieldset class="box"><legend><%= l(:button_copy) %></legend>
16 16 <label class="block"><%= check_box_tag 'only[]', 'members', true %> <%= l(:label_member_plural) %> (<%= @source_project.members.count %>)</label>
17 17 <label class="block"><%= check_box_tag 'only[]', 'versions', true %> <%= l(:label_version_plural) %> (<%= @source_project.versions.count %>)</label>
18 18 <label class="block"><%= check_box_tag 'only[]', 'issue_categories', true %> <%= l(:label_issue_category_plural) %> (<%= @source_project.issue_categories.count %>)</label>
19 19 <label class="block"><%= check_box_tag 'only[]', 'issues', true %> <%= l(:label_issue_plural) %> (<%= @source_project.issues.count %>)</label>
20 20 <label class="block"><%= check_box_tag 'only[]', 'queries', true %> <%= l(:label_query_plural) %> (<%= @source_project.queries.count %>)</label>
21 21 <label class="block"><%= check_box_tag 'only[]', 'boards', true %> <%= l(:label_board_plural) %> (<%= @source_project.boards.count %>)</label>
22 22 <label class="block"><%= check_box_tag 'only[]', 'wiki', true %> <%= l(:label_wiki_page_plural) %> (<%= @source_project.wiki.nil? ? 0 : @source_project.wiki.pages.count %>)</label>
23 23 <%= hidden_field_tag 'only[]', '' %>
24 <br />
25 <label class="block"><%= check_box_tag 'notifications', 1, params[:notifications] %> <%= l(:label_project_copy_notifications) %></label>
24 26 </fieldset>
25 27
26 28 <%= submit_tag l(:button_copy) %>
27 29 <% end %>
@@ -1,888 +1,889
1 1 bg:
2 2 date:
3 3 formats:
4 4 # Use the strftime parameters for formats.
5 5 # When no format has been given, it uses default.
6 6 # You can provide other formats here if you like!
7 7 default: "%Y-%m-%d"
8 8 short: "%b %d"
9 9 long: "%B %d, %Y"
10 10
11 11 day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday]
12 12 abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat]
13 13
14 14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
15 15 month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December]
16 16 abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec]
17 17 # Used in date_select and datime_select.
18 18 order: [ :year, :month, :day ]
19 19
20 20 time:
21 21 formats:
22 22 default: "%a, %d %b %Y %H:%M:%S %z"
23 23 time: "%H:%M"
24 24 short: "%d %b %H:%M"
25 25 long: "%B %d, %Y %H:%M"
26 26 am: "am"
27 27 pm: "pm"
28 28
29 29 datetime:
30 30 distance_in_words:
31 31 half_a_minute: "half a minute"
32 32 less_than_x_seconds:
33 33 one: "less than 1 second"
34 34 other: "less than {{count}} seconds"
35 35 x_seconds:
36 36 one: "1 second"
37 37 other: "{{count}} seconds"
38 38 less_than_x_minutes:
39 39 one: "less than a minute"
40 40 other: "less than {{count}} minutes"
41 41 x_minutes:
42 42 one: "1 minute"
43 43 other: "{{count}} minutes"
44 44 about_x_hours:
45 45 one: "about 1 hour"
46 46 other: "about {{count}} hours"
47 47 x_days:
48 48 one: "1 day"
49 49 other: "{{count}} days"
50 50 about_x_months:
51 51 one: "about 1 month"
52 52 other: "about {{count}} months"
53 53 x_months:
54 54 one: "1 month"
55 55 other: "{{count}} months"
56 56 about_x_years:
57 57 one: "about 1 year"
58 58 other: "about {{count}} years"
59 59 over_x_years:
60 60 one: "over 1 year"
61 61 other: "over {{count}} years"
62 62 almost_x_years:
63 63 one: "almost 1 year"
64 64 other: "almost {{count}} years"
65 65
66 66 number:
67 67 human:
68 68 format:
69 69 precision: 1
70 70 delimiter: ""
71 71 storage_units:
72 72 format: "%n %u"
73 73 units:
74 74 kb: KB
75 75 tb: TB
76 76 gb: GB
77 77 byte:
78 78 one: Byte
79 79 other: Bytes
80 80 mb: 'MB'
81 81
82 82 # Used in array.to_sentence.
83 83 support:
84 84 array:
85 85 sentence_connector: "and"
86 86 skip_last_comma: false
87 87
88 88 activerecord:
89 89 errors:
90 90 messages:
91 91 inclusion: "не съществува в списъка"
92 92 exclusion: запазено"
93 93 invalid: невалидно"
94 94 confirmation: "липсва одобрение"
95 95 accepted: "трябва да се приеме"
96 96 empty: "не може да е празно"
97 97 blank: "не може да е празно"
98 98 too_long: прекалено дълго"
99 99 too_short: прекалено късо"
100 100 wrong_length: с грешна дължина"
101 101 taken: "вече съществува"
102 102 not_a_number: "не е число"
103 103 not_a_date: невалидна дата"
104 104 greater_than: "must be greater than {{count}}"
105 105 greater_than_or_equal_to: "must be greater than or equal to {{count}}"
106 106 equal_to: "must be equal to {{count}}"
107 107 less_than: "must be less than {{count}}"
108 108 less_than_or_equal_to: "must be less than or equal to {{count}}"
109 109 odd: "must be odd"
110 110 even: "must be even"
111 111 greater_than_start_date: "трябва да е след началната дата"
112 112 not_same_project: "не е от същия проект"
113 113 circular_dependency: "Тази релация ще доведе до безкрайна зависимост"
114 114
115 115 actionview_instancetag_blank_option: Изберете
116 116
117 117 general_text_No: 'Не'
118 118 general_text_Yes: 'Да'
119 119 general_text_no: 'не'
120 120 general_text_yes: 'да'
121 121 general_lang_name: 'Bulgarian'
122 122 general_csv_separator: ','
123 123 general_csv_decimal_separator: '.'
124 124 general_csv_encoding: UTF-8
125 125 general_pdf_encoding: UTF-8
126 126 general_first_day_of_week: '1'
127 127
128 128 notice_account_updated: Профилът е обновен успешно.
129 129 notice_account_invalid_creditentials: Невалиден потребител или парола.
130 130 notice_account_password_updated: Паролата е успешно променена.
131 131 notice_account_wrong_password: Грешна парола
132 132 notice_account_register_done: Профилът е създаден успешно.
133 133 notice_account_unknown_email: Непознат e-mail.
134 134 notice_can_t_change_password: Този профил е с външен метод за оторизация. Невъзможна смяна на паролата.
135 135 notice_account_lost_email_sent: Изпратен ви е e-mail с инструкции за избор на нова парола.
136 136 notice_account_activated: Профилът ви е активиран. Вече може да влезете в системата.
137 137 notice_successful_create: Успешно създаване.
138 138 notice_successful_update: Успешно обновяване.
139 139 notice_successful_delete: Успешно изтриване.
140 140 notice_successful_connection: Успешно свързване.
141 141 notice_file_not_found: Несъществуваща или преместена страница.
142 142 notice_locking_conflict: Друг потребител променя тези данни в момента.
143 143 notice_not_authorized: Нямате право на достъп до тази страница.
144 144 notice_email_sent: "Изпратен e-mail на {{value}}"
145 145 notice_email_error: "Грешка при изпращане на e-mail ({{value}})"
146 146 notice_feeds_access_key_reseted: Вашия ключ за RSS достъп беше променен.
147 147
148 148 error_scm_not_found: Несъществуващ обект в хранилището.
149 149 error_scm_command_failed: "Грешка при опит за комуникация с хранилище: {{value}}"
150 150
151 151 mail_subject_lost_password: "Вашата парола ({{value}})"
152 152 mail_body_lost_password: 'За да смените паролата си, използвайте следния линк:'
153 153 mail_subject_register: "Активация на профил ({{value}})"
154 154 mail_body_register: 'За да активирате профила си използвайте следния линк:'
155 155
156 156 gui_validation_error: 1 грешка
157 157 gui_validation_error_plural: "{{count}} грешки"
158 158
159 159 field_name: Име
160 160 field_description: Описание
161 161 field_summary: Групиран изглед
162 162 field_is_required: Задължително
163 163 field_firstname: Име
164 164 field_lastname: Фамилия
165 165 field_mail: Email
166 166 field_filename: Файл
167 167 field_filesize: Големина
168 168 field_downloads: Downloads
169 169 field_author: Автор
170 170 field_created_on: От дата
171 171 field_updated_on: Обновена
172 172 field_field_format: Тип
173 173 field_is_for_all: За всички проекти
174 174 field_possible_values: Възможни стойности
175 175 field_regexp: Регулярен израз
176 176 field_min_length: Мин. дължина
177 177 field_max_length: Макс. дължина
178 178 field_value: Стойност
179 179 field_category: Категория
180 180 field_title: Заглавие
181 181 field_project: Проект
182 182 field_issue: Задача
183 183 field_status: Статус
184 184 field_notes: Бележка
185 185 field_is_closed: Затворена задача
186 186 field_is_default: Статус по подразбиране
187 187 field_tracker: Тракер
188 188 field_subject: Относно
189 189 field_due_date: Крайна дата
190 190 field_assigned_to: Възложена на
191 191 field_priority: Приоритет
192 192 field_fixed_version: Планувана версия
193 193 field_user: Потребител
194 194 field_role: Роля
195 195 field_homepage: Начална страница
196 196 field_is_public: Публичен
197 197 field_parent: Подпроект на
198 198 field_is_in_roadmap: Да се вижда ли в Пътна карта
199 199 field_login: Потребител
200 200 field_mail_notification: Известия по пощата
201 201 field_admin: Администратор
202 202 field_last_login_on: Последно свързване
203 203 field_language: Език
204 204 field_effective_date: Дата
205 205 field_password: Парола
206 206 field_new_password: Нова парола
207 207 field_password_confirmation: Потвърждение
208 208 field_version: Версия
209 209 field_type: Тип
210 210 field_host: Хост
211 211 field_port: Порт
212 212 field_account: Профил
213 213 field_base_dn: Base DN
214 214 field_attr_login: Login attribute
215 215 field_attr_firstname: Firstname attribute
216 216 field_attr_lastname: Lastname attribute
217 217 field_attr_mail: Email attribute
218 218 field_onthefly: Динамично създаване на потребител
219 219 field_start_date: Начална дата
220 220 field_done_ratio: % Прогрес
221 221 field_auth_source: Начин на оторизация
222 222 field_hide_mail: Скрий e-mail адреса ми
223 223 field_comments: Коментар
224 224 field_url: Адрес
225 225 field_start_page: Начална страница
226 226 field_subproject: Подпроект
227 227 field_hours: Часове
228 228 field_activity: Дейност
229 229 field_spent_on: Дата
230 230 field_identifier: Идентификатор
231 231 field_is_filter: Използва се за филтър
232 232 field_issue_to: Свързана задача
233 233 field_delay: Отместване
234 234 field_assignable: Възможно е възлагане на задачи за тази роля
235 235 field_redirect_existing_links: Пренасочване на съществуващи линкове
236 236 field_estimated_hours: Изчислено време
237 237 field_default_value: Стойност по подразбиране
238 238
239 239 setting_app_title: Заглавие
240 240 setting_app_subtitle: Описание
241 241 setting_welcome_text: Допълнителен текст
242 242 setting_default_language: Език по подразбиране
243 243 setting_login_required: Изискване за вход в системата
244 244 setting_self_registration: Регистрация от потребители
245 245 setting_attachment_max_size: Максимална големина на прикачен файл
246 246 setting_issues_export_limit: Лимит за експорт на задачи
247 247 setting_mail_from: E-mail адрес за емисии
248 248 setting_host_name: Хост
249 249 setting_text_formatting: Форматиране на текста
250 250 setting_wiki_compression: Wiki компресиране на историята
251 251 setting_feeds_limit: Лимит на Feeds
252 252 setting_autofetch_changesets: Автоматично обработване на ревизиите
253 253 setting_sys_api_enabled: Разрешаване на WS за управление
254 254 setting_commit_ref_keywords: Отбелязващи ключови думи
255 255 setting_commit_fix_keywords: Приключващи ключови думи
256 256 setting_autologin: Автоматичен вход
257 257 setting_date_format: Формат на датата
258 258 setting_cross_project_issue_relations: Релации на задачи между проекти
259 259
260 260 label_user: Потребител
261 261 label_user_plural: Потребители
262 262 label_user_new: Нов потребител
263 263 label_project: Проект
264 264 label_project_new: Нов проект
265 265 label_project_plural: Проекти
266 266 label_x_projects:
267 267 zero: no projects
268 268 one: 1 project
269 269 other: "{{count}} projects"
270 270 label_project_all: Всички проекти
271 271 label_project_latest: Последни проекти
272 272 label_issue: Задача
273 273 label_issue_new: Нова задача
274 274 label_issue_plural: Задачи
275 275 label_issue_view_all: Всички задачи
276 276 label_document: Документ
277 277 label_document_new: Нов документ
278 278 label_document_plural: Документи
279 279 label_role: Роля
280 280 label_role_plural: Роли
281 281 label_role_new: Нова роля
282 282 label_role_and_permissions: Роли и права
283 283 label_member: Член
284 284 label_member_new: Нов член
285 285 label_member_plural: Членове
286 286 label_tracker: Тракер
287 287 label_tracker_plural: Тракери
288 288 label_tracker_new: Нов тракер
289 289 label_workflow: Работен процес
290 290 label_issue_status: Статус на задача
291 291 label_issue_status_plural: Статуси на задачи
292 292 label_issue_status_new: Нов статус
293 293 label_issue_category: Категория задача
294 294 label_issue_category_plural: Категории задачи
295 295 label_issue_category_new: Нова категория
296 296 label_custom_field: Потребителско поле
297 297 label_custom_field_plural: Потребителски полета
298 298 label_custom_field_new: Ново потребителско поле
299 299 label_enumerations: Списъци
300 300 label_enumeration_new: Нова стойност
301 301 label_information: Информация
302 302 label_information_plural: Информация
303 303 label_please_login: Вход
304 304 label_register: Регистрация
305 305 label_password_lost: Забравена парола
306 306 label_home: Начало
307 307 label_my_page: Лична страница
308 308 label_my_account: Профил
309 309 label_my_projects: Проекти, в които участвам
310 310 label_administration: Администрация
311 311 label_login: Вход
312 312 label_logout: Изход
313 313 label_help: Помощ
314 314 label_reported_issues: Публикувани задачи
315 315 label_assigned_to_me_issues: Възложени на мен
316 316 label_last_login: Последно свързване
317 317 label_registered_on: Регистрация
318 318 label_activity: Дейност
319 319 label_new: Нов
320 320 label_logged_as: Логнат като
321 321 label_environment: Среда
322 322 label_authentication: Оторизация
323 323 label_auth_source: Начин на оторозация
324 324 label_auth_source_new: Нов начин на оторизация
325 325 label_auth_source_plural: Начини на оторизация
326 326 label_subproject_plural: Подпроекти
327 327 label_min_max_length: Мин. - Макс. дължина
328 328 label_list: Списък
329 329 label_date: Дата
330 330 label_integer: Целочислен
331 331 label_boolean: Чекбокс
332 332 label_string: Текст
333 333 label_text: Дълъг текст
334 334 label_attribute: Атрибут
335 335 label_attribute_plural: Атрибути
336 336 label_download: "{{count}} Download"
337 337 label_download_plural: "{{count}} Downloads"
338 338 label_no_data: Няма изходни данни
339 339 label_change_status: Промяна на статуса
340 340 label_history: История
341 341 label_attachment: Файл
342 342 label_attachment_new: Нов файл
343 343 label_attachment_delete: Изтриване
344 344 label_attachment_plural: Файлове
345 345 label_report: Справка
346 346 label_report_plural: Справки
347 347 label_news: Новини
348 348 label_news_new: Добави
349 349 label_news_plural: Новини
350 350 label_news_latest: Последни новини
351 351 label_news_view_all: Виж всички
352 352 label_settings: Настройки
353 353 label_overview: Общ изглед
354 354 label_version: Версия
355 355 label_version_new: Нова версия
356 356 label_version_plural: Версии
357 357 label_confirmation: Одобрение
358 358 label_export_to: Експорт към
359 359 label_read: Read...
360 360 label_public_projects: Публични проекти
361 361 label_open_issues: отворена
362 362 label_open_issues_plural: отворени
363 363 label_closed_issues: затворена
364 364 label_closed_issues_plural: затворени
365 365 label_x_open_issues_abbr_on_total:
366 366 zero: 0 open / {{total}}
367 367 one: 1 open / {{total}}
368 368 other: "{{count}} open / {{total}}"
369 369 label_x_open_issues_abbr:
370 370 zero: 0 open
371 371 one: 1 open
372 372 other: "{{count}} open"
373 373 label_x_closed_issues_abbr:
374 374 zero: 0 closed
375 375 one: 1 closed
376 376 other: "{{count}} closed"
377 377 label_total: Общо
378 378 label_permissions: Права
379 379 label_current_status: Текущ статус
380 380 label_new_statuses_allowed: Позволени статуси
381 381 label_all: всички
382 382 label_none: никакви
383 383 label_next: Следващ
384 384 label_previous: Предишен
385 385 label_used_by: Използва се от
386 386 label_details: Детайли
387 387 label_add_note: Добавяне на бележка
388 388 label_per_page: На страница
389 389 label_calendar: Календар
390 390 label_months_from: месеца от
391 391 label_gantt: Gantt
392 392 label_internal: Вътрешен
393 393 label_last_changes: "последни {{count}} промени"
394 394 label_change_view_all: Виж всички промени
395 395 label_personalize_page: Персонализиране
396 396 label_comment: Коментар
397 397 label_comment_plural: Коментари
398 398 label_x_comments:
399 399 zero: no comments
400 400 one: 1 comment
401 401 other: "{{count}} comments"
402 402 label_comment_add: Добавяне на коментар
403 403 label_comment_added: Добавен коментар
404 404 label_comment_delete: Изтриване на коментари
405 405 label_query: Потребителска справка
406 406 label_query_plural: Потребителски справки
407 407 label_query_new: Нова заявка
408 408 label_filter_add: Добави филтър
409 409 label_filter_plural: Филтри
410 410 label_equals: е
411 411 label_not_equals: не е
412 412 label_in_less_than: след по-малко от
413 413 label_in_more_than: след повече от
414 414 label_in: в следващите
415 415 label_today: днес
416 416 label_this_week: тази седмица
417 417 label_less_than_ago: преди по-малко от
418 418 label_more_than_ago: преди повече от
419 419 label_ago: преди
420 420 label_contains: съдържа
421 421 label_not_contains: не съдържа
422 422 label_day_plural: дни
423 423 label_repository: Хранилище
424 424 label_browse: Разглеждане
425 425 label_modification: "{{count}} промяна"
426 426 label_modification_plural: "{{count}} промени"
427 427 label_revision: Ревизия
428 428 label_revision_plural: Ревизии
429 429 label_added: добавено
430 430 label_modified: променено
431 431 label_deleted: изтрито
432 432 label_latest_revision: Последна ревизия
433 433 label_latest_revision_plural: Последни ревизии
434 434 label_view_revisions: Виж ревизиите
435 435 label_max_size: Максимална големина
436 436 label_sort_highest: Премести най-горе
437 437 label_sort_higher: Премести по-горе
438 438 label_sort_lower: Премести по-долу
439 439 label_sort_lowest: Премести най-долу
440 440 label_roadmap: Пътна карта
441 441 label_roadmap_due_in: "Излиза след {{value}}"
442 442 label_roadmap_overdue: "{{value}} закъснение"
443 443 label_roadmap_no_issues: Няма задачи за тази версия
444 444 label_search: Търсене
445 445 label_result_plural: Pезултати
446 446 label_all_words: Всички думи
447 447 label_wiki: Wiki
448 448 label_wiki_edit: Wiki редакция
449 449 label_wiki_edit_plural: Wiki редакции
450 450 label_wiki_page: Wiki page
451 451 label_wiki_page_plural: Wiki pages
452 452 label_index_by_title: Индекс
453 453 label_index_by_date: Индекс по дата
454 454 label_current_version: Текуща версия
455 455 label_preview: Преглед
456 456 label_feed_plural: Feeds
457 457 label_changes_details: Подробни промени
458 458 label_issue_tracking: Тракинг
459 459 label_spent_time: Отделено време
460 460 label_f_hour: "{{value}} час"
461 461 label_f_hour_plural: "{{value}} часа"
462 462 label_time_tracking: Отделяне на време
463 463 label_change_plural: Промени
464 464 label_statistics: Статистики
465 465 label_commits_per_month: Ревизии по месеци
466 466 label_commits_per_author: Ревизии по автор
467 467 label_view_diff: Виж разликите
468 468 label_diff_inline: хоризонтално
469 469 label_diff_side_by_side: вертикално
470 470 label_options: Опции
471 471 label_copy_workflow_from: Копирай работния процес от
472 472 label_permissions_report: Справка за права
473 473 label_watched_issues: Наблюдавани задачи
474 474 label_related_issues: Свързани задачи
475 475 label_applied_status: Промени статуса на
476 476 label_loading: Зареждане...
477 477 label_relation_new: Нова релация
478 478 label_relation_delete: Изтриване на релация
479 479 label_relates_to: свързана със
480 480 label_duplicates: дублира
481 481 label_blocks: блокира
482 482 label_blocked_by: блокирана от
483 483 label_precedes: предшества
484 484 label_follows: изпълнява се след
485 485 label_end_to_start: end to start
486 486 label_end_to_end: end to end
487 487 label_start_to_start: start to start
488 488 label_start_to_end: start to end
489 489 label_stay_logged_in: Запомни ме
490 490 label_disabled: забранено
491 491 label_show_completed_versions: Показване на реализирани версии
492 492 label_me: аз
493 493 label_board: Форум
494 494 label_board_new: Нов форум
495 495 label_board_plural: Форуми
496 496 label_topic_plural: Теми
497 497 label_message_plural: Съобщения
498 498 label_message_last: Последно съобщение
499 499 label_message_new: Нова тема
500 500 label_reply_plural: Отговори
501 501 label_send_information: Изпращане на информацията до потребителя
502 502 label_year: Година
503 503 label_month: Месец
504 504 label_week: Седмица
505 505 label_date_from: От
506 506 label_date_to: До
507 507 label_language_based: В зависимост от езика
508 508 label_sort_by: "Сортиране по {{value}}"
509 509 label_send_test_email: Изпращане на тестов e-mail
510 510 label_feeds_access_key_created_on: "{{value}} от създаването на RSS ключа"
511 511 label_module_plural: Модули
512 512 label_added_time_by: "Публикувана от {{author}} преди {{age}}"
513 513 label_updated_time: "Обновена преди {{value}}"
514 514 label_jump_to_a_project: Проект...
515 515
516 516 button_login: Вход
517 517 button_submit: Прикачване
518 518 button_save: Запис
519 519 button_check_all: Избор на всички
520 520 button_uncheck_all: Изчистване на всички
521 521 button_delete: Изтриване
522 522 button_create: Създаване
523 523 button_test: Тест
524 524 button_edit: Редакция
525 525 button_add: Добавяне
526 526 button_change: Промяна
527 527 button_apply: Приложи
528 528 button_clear: Изчисти
529 529 button_lock: Заключване
530 530 button_unlock: Отключване
531 531 button_download: Download
532 532 button_list: Списък
533 533 button_view: Преглед
534 534 button_move: Преместване
535 535 button_back: Назад
536 536 button_cancel: Отказ
537 537 button_activate: Активация
538 538 button_sort: Сортиране
539 539 button_log_time: Отделяне на време
540 540 button_rollback: Върни се към тази ревизия
541 541 button_watch: Наблюдавай
542 542 button_unwatch: Спри наблюдението
543 543 button_reply: Отговор
544 544 button_archive: Архивиране
545 545 button_unarchive: Разархивиране
546 546 button_reset: Генериране наново
547 547 button_rename: Преименуване
548 548
549 549 status_active: активен
550 550 status_registered: регистриран
551 551 status_locked: заключен
552 552
553 553 text_select_mail_notifications: Изберете събития за изпращане на e-mail.
554 554 text_regexp_info: пр. ^[A-Z0-9]+$
555 555 text_min_max_length_info: 0 - без ограничения
556 556 text_project_destroy_confirmation: Сигурни ли сте, че искате да изтриете проекта и данните в него?
557 557 text_workflow_edit: Изберете роля и тракер за да редактирате работния процес
558 558 text_are_you_sure: Сигурни ли сте?
559 559 text_tip_task_begin_day: задача започваща този ден
560 560 text_tip_task_end_day: задача завършваща този ден
561 561 text_tip_task_begin_end_day: задача започваща и завършваща този ден
562 562 text_project_identifier_info: 'Позволени са малки букви (a-z), цифри и тирета.<br />Невъзможна промяна след запис.'
563 563 text_caracters_maximum: "До {{count}} символа."
564 564 text_length_between: "От {{min}} до {{max}} символа."
565 565 text_tracker_no_workflow: Няма дефиниран работен процес за този тракер
566 566 text_unallowed_characters: Непозволени символи
567 567 text_comma_separated: Позволено е изброяване (с разделител запетая).
568 568 text_issues_ref_in_commit_messages: Отбелязване и приключване на задачи от ревизии
569 569 text_issue_added: "Публикувана е нова задача с номер {{id}} (от {{author}})."
570 570 text_issue_updated: "Задача {{id}} е обновена (от {{author}})."
571 571 text_wiki_destroy_confirmation: Сигурни ли сте, че искате да изтриете това Wiki и цялото му съдържание?
572 572 text_issue_category_destroy_question: "Има задачи ({{count}}) обвързани с тази категория. Какво ще изберете?"
573 573 text_issue_category_destroy_assignments: Премахване на връзките с категорията
574 574 text_issue_category_reassign_to: Преобвързване с категория
575 575
576 576 default_role_manager: Мениджър
577 577 default_role_developper: Разработчик
578 578 default_role_reporter: Публикуващ
579 579 default_tracker_bug: Бъг
580 580 default_tracker_feature: Функционалност
581 581 default_tracker_support: Поддръжка
582 582 default_issue_status_new: Нова
583 583 default_issue_status_in_progress: In Progress
584 584 default_issue_status_resolved: Приключена
585 585 default_issue_status_feedback: Обратна връзка
586 586 default_issue_status_closed: Затворена
587 587 default_issue_status_rejected: Отхвърлена
588 588 default_doc_category_user: Документация за потребителя
589 589 default_doc_category_tech: Техническа документация
590 590 default_priority_low: Нисък
591 591 default_priority_normal: Нормален
592 592 default_priority_high: Висок
593 593 default_priority_urgent: Спешен
594 594 default_priority_immediate: Веднага
595 595 default_activity_design: Дизайн
596 596 default_activity_development: Разработка
597 597
598 598 enumeration_issue_priorities: Приоритети на задачи
599 599 enumeration_doc_categories: Категории документи
600 600 enumeration_activities: Дейности (time tracking)
601 601 label_file_plural: Файлове
602 602 label_changeset_plural: Ревизии
603 603 field_column_names: Колони
604 604 label_default_columns: По подразбиране
605 605 setting_issue_list_default_columns: Показвани колони по подразбиране
606 606 setting_repositories_encodings: Кодови таблици
607 607 notice_no_issue_selected: "Няма избрани задачи."
608 608 label_bulk_edit_selected_issues: Редактиране на задачи
609 609 label_no_change_option: (Без промяна)
610 610 notice_failed_to_save_issues: "Неуспешен запис на {{count}} задачи от {{total}} избрани: {{ids}}."
611 611 label_theme: Тема
612 612 label_default: По подразбиране
613 613 label_search_titles_only: Само в заглавията
614 614 label_nobody: никой
615 615 button_change_password: Промяна на парола
616 616 text_user_mail_option: "За неизбраните проекти, ще получавате известия само за наблюдавани дейности или в които участвате (т.е. автор или назначени на мен)."
617 617 label_user_mail_option_selected: "За всички събития само в избраните проекти..."
618 618 label_user_mail_option_all: "За всяко събитие в проектите, в които участвам"
619 619 label_user_mail_option_none: "Само за наблюдавани или в които участвам (автор или назначени на мен)"
620 620 setting_emails_footer: Подтекст за e-mail
621 621 label_float: Дробно
622 622 button_copy: Копиране
623 623 mail_body_account_information_external: "Можете да използвате вашия {{value}} профил за вход."
624 624 mail_body_account_information: Информацията за профила ви
625 625 setting_protocol: Протокол
626 626 label_user_mail_no_self_notified: "Не искам известия за извършени от мен промени"
627 627 setting_time_format: Формат на часа
628 628 label_registration_activation_by_email: активиране на профила по email
629 629 mail_subject_account_activation_request: "Заявка за активиране на профил в {{value}}"
630 630 mail_body_account_activation_request: "Има новорегистриран потребител ({{value}}), очакващ вашето одобрение:"
631 631 label_registration_automatic_activation: автоматично активиране
632 632 label_registration_manual_activation: ръчно активиране
633 633 notice_account_pending: "Профилът Ви е създаден и очаква одобрение от администратор."
634 634 field_time_zone: Часова зона
635 635 text_caracters_minimum: "Минимум {{count}} символа."
636 636 setting_bcc_recipients: Получатели на скрито копие (bcc)
637 637 button_annotate: Анотация
638 638 label_issues_by: "Задачи по {{value}}"
639 639 field_searchable: С възможност за търсене
640 640 label_display_per_page: "На страница по: {{value}}"
641 641 setting_per_page_options: Опции за страниране
642 642 label_age: Възраст
643 643 notice_default_data_loaded: Примерната информацията е успешно заредена.
644 644 text_load_default_configuration: Зареждане на примерна информация
645 645 text_no_configuration_data: "Все още не са конфигурирани Роли, тракери, статуси на задачи и работен процес.\nСтрого се препоръчва зареждането на примерната информация. Веднъж заредена ще имате възможност да я редактирате."
646 646 error_can_t_load_default_data: "Грешка при зареждане на примерната информация: {{value}}"
647 647 button_update: Обновяване
648 648 label_change_properties: Промяна на настройки
649 649 label_general: Основни
650 650 label_repository_plural: Хранилища
651 651 label_associated_revisions: Асоциирани ревизии
652 652 setting_user_format: Потребителски формат
653 653 text_status_changed_by_changeset: "Приложено с ревизия {{value}}."
654 654 label_more: Още
655 655 text_issues_destroy_confirmation: 'Сигурни ли сте, че искате да изтриете избраните задачи?'
656 656 label_scm: SCM (Система за контрол на кода)
657 657 text_select_project_modules: 'Изберете активните модули за този проект:'
658 658 label_issue_added: Добавена задача
659 659 label_issue_updated: Обновена задача
660 660 label_document_added: Добавен документ
661 661 label_message_posted: Добавено съобщение
662 662 label_file_added: Добавен файл
663 663 label_news_added: Добавена новина
664 664 project_module_boards: Форуми
665 665 project_module_issue_tracking: Тракинг
666 666 project_module_wiki: Wiki
667 667 project_module_files: Файлове
668 668 project_module_documents: Документи
669 669 project_module_repository: Хранилище
670 670 project_module_news: Новини
671 671 project_module_time_tracking: Отделяне на време
672 672 text_file_repository_writable: Възможност за писане в хранилището с файлове
673 673 text_default_administrator_account_changed: Сменен фабричния администраторски профил
674 674 text_rmagick_available: Наличен RMagick (по избор)
675 675 button_configure: Конфигуриране
676 676 label_plugins: Плъгини
677 677 label_ldap_authentication: LDAP оторизация
678 678 label_downloads_abbr: D/L
679 679 label_this_month: текущия месец
680 680 label_last_n_days: "последните {{count}} дни"
681 681 label_all_time: всички
682 682 label_this_year: текущата година
683 683 label_date_range: Период
684 684 label_last_week: последната седмица
685 685 label_yesterday: вчера
686 686 label_last_month: последния месец
687 687 label_add_another_file: Добавяне на друг файл
688 688 label_optional_description: Незадължително описание
689 689 text_destroy_time_entries_question: "{{hours}} часа са отделени на задачите, които искате да изтриете. Какво избирате?"
690 690 error_issue_not_found_in_project: 'Задачата не е намерена или не принадлежи на този проект'
691 691 text_assign_time_entries_to_project: Прехвърляне на отделеното време към проект
692 692 text_destroy_time_entries: Изтриване на отделеното време
693 693 text_reassign_time_entries: 'Прехвърляне на отделеното време към задача:'
694 694 setting_activity_days_default: Брой дни показвани на таб Дейност
695 695 label_chronological_order: Хронологичен ред
696 696 field_comments_sorting: Сортиране на коментарите
697 697 label_reverse_chronological_order: Обратен хронологичен ред
698 698 label_preferences: Предпочитания
699 699 setting_display_subprojects_issues: Показване на подпроектите в проектите по подразбиране
700 700 label_overall_activity: Цялостна дейност
701 701 setting_default_projects_public: Новите проекти са публични по подразбиране
702 702 error_scm_annotate: "Обектът не съществува или не може да бъде анотиран."
703 703 label_planning: Планиране
704 704 text_subprojects_destroy_warning: "Its subproject(s): {{value}} will be also deleted."
705 705 label_and_its_subprojects: "{{value}} and its subprojects"
706 706 mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
707 707 mail_subject_reminder: "{{count}} issue(s) due in the next days"
708 708 text_user_wrote: "{{value}} wrote:"
709 709 label_duplicated_by: duplicated by
710 710 setting_enabled_scm: Enabled SCM
711 711 text_enumeration_category_reassign_to: 'Reassign them to this value:'
712 712 text_enumeration_destroy_question: "{{count}} objects are assigned to this value."
713 713 label_incoming_emails: Incoming emails
714 714 label_generate_key: Generate a key
715 715 setting_mail_handler_api_enabled: Enable WS for incoming emails
716 716 setting_mail_handler_api_key: API key
717 717 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/email.yml and restart the application to enable them."
718 718 field_parent_title: Parent page
719 719 label_issue_watchers: Watchers
720 720 setting_commit_logs_encoding: Commit messages encoding
721 721 button_quote: Quote
722 722 setting_sequential_project_identifiers: Generate sequential project identifiers
723 723 notice_unable_delete_version: Unable to delete version
724 724 label_renamed: renamed
725 725 label_copied: copied
726 726 setting_plain_text_mail: plain text only (no HTML)
727 727 permission_view_files: View files
728 728 permission_edit_issues: Edit issues
729 729 permission_edit_own_time_entries: Edit own time logs
730 730 permission_manage_public_queries: Manage public queries
731 731 permission_add_issues: Add issues
732 732 permission_log_time: Log spent time
733 733 permission_view_changesets: View changesets
734 734 permission_view_time_entries: View spent time
735 735 permission_manage_versions: Manage versions
736 736 permission_manage_wiki: Manage wiki
737 737 permission_manage_categories: Manage issue categories
738 738 permission_protect_wiki_pages: Protect wiki pages
739 739 permission_comment_news: Comment news
740 740 permission_delete_messages: Delete messages
741 741 permission_select_project_modules: Select project modules
742 742 permission_manage_documents: Manage documents
743 743 permission_edit_wiki_pages: Edit wiki pages
744 744 permission_add_issue_watchers: Add watchers
745 745 permission_view_gantt: View gantt chart
746 746 permission_move_issues: Move issues
747 747 permission_manage_issue_relations: Manage issue relations
748 748 permission_delete_wiki_pages: Delete wiki pages
749 749 permission_manage_boards: Manage boards
750 750 permission_delete_wiki_pages_attachments: Delete attachments
751 751 permission_view_wiki_edits: View wiki history
752 752 permission_add_messages: Post messages
753 753 permission_view_messages: View messages
754 754 permission_manage_files: Manage files
755 755 permission_edit_issue_notes: Edit notes
756 756 permission_manage_news: Manage news
757 757 permission_view_calendar: View calendrier
758 758 permission_manage_members: Manage members
759 759 permission_edit_messages: Edit messages
760 760 permission_delete_issues: Delete issues
761 761 permission_view_issue_watchers: View watchers list
762 762 permission_manage_repository: Manage repository
763 763 permission_commit_access: Commit access
764 764 permission_browse_repository: Browse repository
765 765 permission_view_documents: View documents
766 766 permission_edit_project: Edit project
767 767 permission_add_issue_notes: Add notes
768 768 permission_save_queries: Save queries
769 769 permission_view_wiki_pages: View wiki
770 770 permission_rename_wiki_pages: Rename wiki pages
771 771 permission_edit_time_entries: Edit time logs
772 772 permission_edit_own_issue_notes: Edit own notes
773 773 setting_gravatar_enabled: Use Gravatar user icons
774 774 label_example: Example
775 775 text_repository_usernames_mapping: "Select ou update the Redmine user mapped to each username found in the repository log.\nUsers with the same Redmine and repository username or email are automatically mapped."
776 776 permission_edit_own_messages: Edit own messages
777 777 permission_delete_own_messages: Delete own messages
778 778 label_user_activity: "{{value}}'s activity"
779 779 label_updated_time_by: "Updated by {{author}} {{age}} ago"
780 780 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
781 781 setting_diff_max_lines_displayed: Max number of diff lines displayed
782 782 text_plugin_assets_writable: Plugin assets directory writable
783 783 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
784 784 button_create_and_continue: Create and continue
785 785 text_custom_field_possible_values_info: 'One line for each value'
786 786 label_display: Display
787 787 field_editable: Editable
788 788 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
789 789 setting_file_max_size_displayed: Max size of text files displayed inline
790 790 field_watcher: Watcher
791 791 setting_openid: Allow OpenID login and registration
792 792 field_identity_url: OpenID URL
793 793 label_login_with_open_id_option: or login with OpenID
794 794 field_content: Content
795 795 label_descending: Descending
796 796 label_sort: Sort
797 797 label_ascending: Ascending
798 798 label_date_from_to: From {{start}} to {{end}}
799 799 label_greater_or_equal: ">="
800 800 label_less_or_equal: <=
801 801 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
802 802 text_wiki_page_reassign_children: Reassign child pages to this parent page
803 803 text_wiki_page_nullify_children: Keep child pages as root pages
804 804 text_wiki_page_destroy_children: Delete child pages and all their descendants
805 805 setting_password_min_length: Minimum password length
806 806 field_group_by: Group results by
807 807 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
808 808 label_wiki_content_added: Wiki page added
809 809 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
810 810 mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}.
811 811 label_wiki_content_updated: Wiki page updated
812 812 mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}.
813 813 permission_add_project: Create project
814 814 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
815 815 label_view_all_revisions: View all revisions
816 816 label_tag: Tag
817 817 label_branch: Branch
818 818 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
819 819 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
820 820 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
821 821 text_journal_set_to: "{{label}} set to {{value}}"
822 822 text_journal_deleted: "{{label}} deleted ({{old}})"
823 823 label_group_plural: Groups
824 824 label_group: Group
825 825 label_group_new: New group
826 826 label_time_entry_plural: Spent time
827 827 text_journal_added: "{{label}} {{value}} added"
828 828 field_active: Active
829 829 enumeration_system_activity: System Activity
830 830 permission_delete_issue_watchers: Delete watchers
831 831 version_status_closed: closed
832 832 version_status_locked: locked
833 833 version_status_open: open
834 834 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
835 835 label_user_anonymous: Anonymous
836 836 button_move_and_follow: Move and follow
837 837 setting_default_projects_modules: Default enabled modules for new projects
838 838 setting_gravatar_default: Default Gravatar image
839 839 field_sharing: Sharing
840 840 label_version_sharing_hierarchy: With project hierarchy
841 841 label_version_sharing_system: With all projects
842 842 label_version_sharing_descendants: With subprojects
843 843 label_version_sharing_tree: With project tree
844 844 label_version_sharing_none: Not shared
845 845 error_can_not_archive_project: This project can not be archived
846 846 button_duplicate: Duplicate
847 847 button_copy_and_follow: Copy and follow
848 848 label_copy_source: Source
849 849 setting_issue_done_ratio: Calculate the issue done ratio with
850 850 setting_issue_done_ratio_issue_status: Use the issue status
851 851 error_issue_done_ratios_not_updated: Issue done ratios not updated.
852 852 error_workflow_copy_target: Please select target tracker(s) and role(s)
853 853 setting_issue_done_ratio_issue_field: Use the issue field
854 854 label_copy_same_as_target: Same as target
855 855 label_copy_target: Target
856 856 notice_issue_done_ratios_updated: Issue done ratios updated.
857 857 error_workflow_copy_source: Please select a source tracker or role
858 858 label_update_issue_done_ratios: Update issue done ratios
859 859 setting_start_of_week: Start calendars on
860 860 permission_view_issues: View Issues
861 861 label_display_used_statuses_only: Only display statuses that are used by this tracker
862 862 label_revision_id: Revision {{value}}
863 863 label_api_access_key: API access key
864 864 label_api_access_key_created_on: API access key created {{value}} ago
865 865 label_feeds_access_key: RSS access key
866 866 notice_api_access_key_reseted: Your API access key was reset.
867 867 setting_rest_api_enabled: Enable REST web service
868 868 label_missing_api_access_key: Missing an API access key
869 869 label_missing_feeds_access_key: Missing a RSS access key
870 870 button_show: Show
871 871 text_line_separated: Multiple values allowed (one line for each value).
872 872 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
873 873 permission_add_subprojects: Create subprojects
874 874 label_subproject_new: New subproject
875 875 text_own_membership_delete_confirmation: |-
876 876 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
877 877 Are you sure you want to continue?
878 878 label_close_versions: Close completed versions
879 879 label_board_sticky: Sticky
880 880 label_board_locked: Locked
881 881 permission_export_wiki_pages: Export wiki pages
882 882 setting_cache_formatted_text: Cache formatted text
883 883 permission_manage_project_activities: Manage project activities
884 884 error_unable_delete_issue_status: Unable to delete issue status
885 885 label_profile: Profile
886 886 permission_manage_subtasks: Manage subtasks
887 887 field_parent_issue: Parent task
888 888 label_subtask_plural: Subtasks
889 label_project_copy_notifications: Send email notifications during the project copy
@@ -1,912 +1,913
1 1 #Ernad Husremovic hernad@bring.out.ba
2 2
3 3 bs:
4 4 date:
5 5 formats:
6 6 default: "%d.%m.%Y"
7 7 short: "%e. %b"
8 8 long: "%e. %B %Y"
9 9 only_day: "%e"
10 10
11 11
12 12 day_names: [Nedjelja, Ponedjeljak, Utorak, Srijeda, Četvrtak, Petak, Subota]
13 13 abbr_day_names: [Ned, Pon, Uto, Sri, Čet, Pet, Sub]
14 14
15 15 month_names: [~, Januar, Februar, Mart, April, Maj, Jun, Jul, Avgust, Septembar, Oktobar, Novembar, Decembar]
16 16 abbr_month_names: [~, Jan, Feb, Mar, Apr, Maj, Jun, Jul, Avg, Sep, Okt, Nov, Dec]
17 17 order: [ :day, :month, :year ]
18 18
19 19 time:
20 20 formats:
21 21 default: "%A, %e. %B %Y, %H:%M"
22 22 short: "%e. %B, %H:%M Uhr"
23 23 long: "%A, %e. %B %Y, %H:%M"
24 24 time: "%H:%M"
25 25
26 26 am: "prijepodne"
27 27 pm: "poslijepodne"
28 28
29 29 datetime:
30 30 distance_in_words:
31 31 half_a_minute: "pola minute"
32 32 less_than_x_seconds:
33 33 one: "manje od 1 sekunde"
34 34 other: "manje od {{count}} sekudni"
35 35 x_seconds:
36 36 one: "1 sekunda"
37 37 other: "{{count}} sekundi"
38 38 less_than_x_minutes:
39 39 one: "manje od 1 minute"
40 40 other: "manje od {{count}} minuta"
41 41 x_minutes:
42 42 one: "1 minuta"
43 43 other: "{{count}} minuta"
44 44 about_x_hours:
45 45 one: "oko 1 sahat"
46 46 other: "oko {{count}} sahata"
47 47 x_days:
48 48 one: "1 dan"
49 49 other: "{{count}} dana"
50 50 about_x_months:
51 51 one: "oko 1 mjesec"
52 52 other: "oko {{count}} mjeseci"
53 53 x_months:
54 54 one: "1 mjesec"
55 55 other: "{{count}} mjeseci"
56 56 about_x_years:
57 57 one: "oko 1 godine"
58 58 other: "oko {{count}} godina"
59 59 over_x_years:
60 60 one: "preko 1 godine"
61 61 other: "preko {{count}} godina"
62 62 almost_x_years:
63 63 one: "almost 1 year"
64 64 other: "almost {{count}} years"
65 65
66 66
67 67 number:
68 68 format:
69 69 precision: 2
70 70 separator: ','
71 71 delimiter: '.'
72 72 currency:
73 73 format:
74 74 unit: 'KM'
75 75 format: '%u %n'
76 76 separator:
77 77 delimiter:
78 78 precision:
79 79 percentage:
80 80 format:
81 81 delimiter: ""
82 82 precision:
83 83 format:
84 84 delimiter: ""
85 85 human:
86 86 format:
87 87 delimiter: ""
88 88 precision: 1
89 89 storage_units:
90 90 format: "%n %u"
91 91 units:
92 92 byte:
93 93 one: "Byte"
94 94 other: "Bytes"
95 95 kb: "KB"
96 96 mb: "MB"
97 97 gb: "GB"
98 98 tb: "TB"
99 99
100 100 # Used in array.to_sentence.
101 101 support:
102 102 array:
103 103 sentence_connector: "i"
104 104 skip_last_comma: false
105 105
106 106 activerecord:
107 107 errors:
108 108 messages:
109 109 inclusion: "nije uključeno u listu"
110 110 exclusion: "je rezervisano"
111 111 invalid: "nije ispravno"
112 112 confirmation: "ne odgovara potvrdi"
113 113 accepted: "mora se prihvatiti"
114 114 empty: "ne može biti prazno"
115 115 blank: "ne može biti znak razmaka"
116 116 too_long: "je predugačko"
117 117 too_short: "je prekratko"
118 118 wrong_length: "je pogrešne dužine"
119 119 taken: "već je zauzeto"
120 120 not_a_number: "nije broj"
121 121 not_a_date: "nije ispravan datum"
122 122 greater_than: "mora bit veći od {{count}}"
123 123 greater_than_or_equal_to: "mora bit veći ili jednak {{count}}"
124 124 equal_to: "mora biti jednak {{count}}"
125 125 less_than: "mora biti manji od {{count}}"
126 126 less_than_or_equal_to: "mora bit manji ili jednak {{count}}"
127 127 odd: "mora biti neparan"
128 128 even: "mora biti paran"
129 129 greater_than_start_date: "mora biti veći nego početni datum"
130 130 not_same_project: "ne pripada istom projektu"
131 131 circular_dependency: "Ova relacija stvar cirkularnu zavisnost"
132 132
133 133 actionview_instancetag_blank_option: Molimo odaberite
134 134
135 135 general_text_No: 'Da'
136 136 general_text_Yes: 'Ne'
137 137 general_text_no: 'ne'
138 138 general_text_yes: 'da'
139 139 general_lang_name: 'Bosanski'
140 140 general_csv_separator: ','
141 141 general_csv_decimal_separator: '.'
142 142 general_csv_encoding: utf8
143 143 general_pdf_encoding: utf8
144 144 general_first_day_of_week: '7'
145 145
146 146 notice_account_activated: Vaš nalog je aktiviran. Možete se prijaviti.
147 147 notice_account_invalid_creditentials: Pogrešan korisnik ili lozinka
148 148 notice_account_lost_email_sent: Email sa uputstvima o izboru nove šifre je poslat na vašu adresu.
149 149 notice_account_password_updated: Lozinka je uspješno promjenjena.
150 150 notice_account_pending: "Vaš nalog je kreiran i čeka odobrenje administratora."
151 151 notice_account_register_done: Nalog je uspješno kreiran. Da bi ste aktivirali vaš nalog kliknite na link koji vam je poslat.
152 152 notice_account_unknown_email: Nepoznati korisnik.
153 153 notice_account_updated: Nalog je uspješno promjenen.
154 154 notice_account_wrong_password: Pogrešna lozinka
155 155 notice_can_t_change_password: Ovaj nalog koristi eksterni izvor prijavljivanja. Ne mogu da promjenim šifru.
156 156 notice_default_data_loaded: Podrazumjevana konfiguracija uspječno učitana.
157 157 notice_email_error: Došlo je do greške pri slanju emaila ({{value}})
158 158 notice_email_sent: "Email je poslan {{value}}"
159 159 notice_failed_to_save_issues: "Neuspješno snimanje {{count}} aktivnosti na {{total}} izabrano: {{ids}}."
160 160 notice_feeds_access_key_reseted: Vaš RSS pristup je resetovan.
161 161 notice_file_not_found: Stranica kojoj pokušavate da pristupite ne postoji ili je uklonjena.
162 162 notice_locking_conflict: "Konflikt: podaci su izmjenjeni od strane drugog korisnika."
163 163 notice_no_issue_selected: "Nijedna aktivnost nije izabrana! Molim, izaberite aktivnosti koje želite za ispravljate."
164 164 notice_not_authorized: Niste ovlašćeni da pristupite ovoj stranici.
165 165 notice_successful_connection: Uspješna konekcija.
166 166 notice_successful_create: Uspješno kreiranje.
167 167 notice_successful_delete: Brisanje izvršeno.
168 168 notice_successful_update: Promjene uspješno izvršene.
169 169
170 170 error_can_t_load_default_data: "Podrazumjevane postavke se ne mogu učitati {{value}}"
171 171 error_scm_command_failed: "Desila se greška pri pristupu repozitoriju: {{value}}"
172 172 error_scm_not_found: "Unos i/ili revizija ne postoji u repozitoriju."
173 173
174 174 error_scm_annotate: "Ova stavka ne postoji ili nije označena."
175 175 error_issue_not_found_in_project: 'Aktivnost nije nađena ili ne pripada ovom projektu'
176 176
177 177 warning_attachments_not_saved: "{{count}} fajl(ovi) ne mogu biti snimljen(i)."
178 178
179 179 mail_subject_lost_password: "Vaša {{value}} lozinka"
180 180 mail_body_lost_password: 'Za promjenu lozinke, kliknite na sljedeći link:'
181 181 mail_subject_register: "Aktivirajte {{value}} vaš korisnički račun"
182 182 mail_body_register: 'Za aktivaciju vašeg korisničkog računa, kliknite na sljedeći link:'
183 183 mail_body_account_information_external: "Možete koristiti vaš {{value}} korisnički račun za prijavu na sistem."
184 184 mail_body_account_information: Informacija o vašem korisničkom računu
185 185 mail_subject_account_activation_request: "{{value}} zahtjev za aktivaciju korisničkog računa"
186 186 mail_body_account_activation_request: "Novi korisnik ({{value}}) se registrovao. Korisnički račun čeka vaše odobrenje za aktivaciju:"
187 187 mail_subject_reminder: "{{count}} aktivnost(i) u kašnjenju u narednim danima"
188 188 mail_body_reminder: "{{count}} aktivnost(i) koje su dodjeljenje vama u narednim {{days}} danima:"
189 189
190 190 gui_validation_error: 1 greška
191 191 gui_validation_error_plural: "{{count}} grešaka"
192 192
193 193 field_name: Ime
194 194 field_description: Opis
195 195 field_summary: Pojašnjenje
196 196 field_is_required: Neophodno popuniti
197 197 field_firstname: Ime
198 198 field_lastname: Prezime
199 199 field_mail: Email
200 200 field_filename: Fajl
201 201 field_filesize: Veličina
202 202 field_downloads: Downloadi
203 203 field_author: Autor
204 204 field_created_on: Kreirano
205 205 field_updated_on: Izmjenjeno
206 206 field_field_format: Format
207 207 field_is_for_all: Za sve projekte
208 208 field_possible_values: Moguće vrijednosti
209 209 field_regexp: '"Regularni izraz"'
210 210 field_min_length: Minimalna veličina
211 211 field_max_length: Maksimalna veličina
212 212 field_value: Vrijednost
213 213 field_category: Kategorija
214 214 field_title: Naslov
215 215 field_project: Projekat
216 216 field_issue: Aktivnost
217 217 field_status: Status
218 218 field_notes: Bilješke
219 219 field_is_closed: Aktivnost zatvorena
220 220 field_is_default: Podrazumjevana vrijednost
221 221 field_tracker: Područje aktivnosti
222 222 field_subject: Subjekat
223 223 field_due_date: Završiti do
224 224 field_assigned_to: Dodijeljeno
225 225 field_priority: Prioritet
226 226 field_fixed_version: Ciljna verzija
227 227 field_user: Korisnik
228 228 field_role: Uloga
229 229 field_homepage: Naslovna strana
230 230 field_is_public: Javni
231 231 field_parent: Podprojekt od
232 232 field_is_in_roadmap: Aktivnosti prikazane u planu realizacije
233 233 field_login: Prijava
234 234 field_mail_notification: Email notifikacije
235 235 field_admin: Administrator
236 236 field_last_login_on: Posljednja konekcija
237 237 field_language: Jezik
238 238 field_effective_date: Datum
239 239 field_password: Lozinka
240 240 field_new_password: Nova lozinka
241 241 field_password_confirmation: Potvrda
242 242 field_version: Verzija
243 243 field_type: Tip
244 244 field_host: Host
245 245 field_port: Port
246 246 field_account: Korisnički račun
247 247 field_base_dn: Base DN
248 248 field_attr_login: Attribut za prijavu
249 249 field_attr_firstname: Attribut za ime
250 250 field_attr_lastname: Atribut za prezime
251 251 field_attr_mail: Atribut za email
252 252 field_onthefly: 'Kreiranje korisnika "On-the-fly"'
253 253 field_start_date: Početak
254 254 field_done_ratio: % Realizovano
255 255 field_auth_source: Mod za authentifikaciju
256 256 field_hide_mail: Sakrij moju email adresu
257 257 field_comments: Komentar
258 258 field_url: URL
259 259 field_start_page: Početna stranica
260 260 field_subproject: Podprojekat
261 261 field_hours: Sahata
262 262 field_activity: Operacija
263 263 field_spent_on: Datum
264 264 field_identifier: Identifikator
265 265 field_is_filter: Korišteno kao filter
266 266 field_issue_to: Povezana aktivnost
267 267 field_delay: Odgađanje
268 268 field_assignable: Aktivnosti dodijeljene ovoj ulozi
269 269 field_redirect_existing_links: Izvrši redirekciju postojećih linkova
270 270 field_estimated_hours: Procjena vremena
271 271 field_column_names: Kolone
272 272 field_time_zone: Vremenska zona
273 273 field_searchable: Pretraživo
274 274 field_default_value: Podrazumjevana vrijednost
275 275 field_comments_sorting: Prikaži komentare
276 276 field_parent_title: 'Stranica "roditelj"'
277 277 field_editable: Može se mijenjati
278 278 field_watcher: Posmatrač
279 279 field_identity_url: OpenID URL
280 280 field_content: Sadržaj
281 281
282 282 setting_app_title: Naslov aplikacije
283 283 setting_app_subtitle: Podnaslov aplikacije
284 284 setting_welcome_text: Tekst dobrodošlice
285 285 setting_default_language: Podrazumjevani jezik
286 286 setting_login_required: Authentifikacija neophodna
287 287 setting_self_registration: Samo-registracija
288 288 setting_attachment_max_size: Maksimalna veličina prikačenog fajla
289 289 setting_issues_export_limit: Limit za eksport aktivnosti
290 290 setting_mail_from: Mail adresa - pošaljilac
291 291 setting_bcc_recipients: '"BCC" (blind carbon copy) primaoci '
292 292 setting_plain_text_mail: Email sa običnim tekstom (bez HTML-a)
293 293 setting_host_name: Ime hosta i putanja
294 294 setting_text_formatting: Formatiranje teksta
295 295 setting_wiki_compression: Kompresija Wiki istorije
296 296
297 297 setting_feeds_limit: 'Limit za "RSS" feed-ove'
298 298 setting_default_projects_public: Podrazumjeva se da je novi projekat javni
299 299 setting_autofetch_changesets: 'Automatski kupi "commit"-e'
300 300 setting_sys_api_enabled: 'Omogući "WS" za upravljanje repozitorijom'
301 301 setting_commit_ref_keywords: Ključne riječi za reference
302 302 setting_commit_fix_keywords: 'Ključne riječi za status "zatvoreno"'
303 303 setting_autologin: Automatski login
304 304 setting_date_format: Format datuma
305 305 setting_time_format: Format vremena
306 306 setting_cross_project_issue_relations: Omogući relacije između aktivnosti na različitim projektima
307 307 setting_issue_list_default_columns: Podrazumjevane koleone za prikaz na listi aktivnosti
308 308 setting_repositories_encodings: Enkodiranje repozitorija
309 309 setting_commit_logs_encoding: 'Enkodiranje "commit" poruka'
310 310 setting_emails_footer: Potpis na email-ovima
311 311 setting_protocol: Protokol
312 312 setting_per_page_options: Broj objekata po stranici
313 313 setting_user_format: Format korisničkog prikaza
314 314 setting_activity_days_default: Prikaz promjena na projektu - opseg dana
315 315 setting_display_subprojects_issues: Prikaz podprojekata na glavnom projektima (podrazumjeva se)
316 316 setting_enabled_scm: Omogući SCM (source code management)
317 317 setting_mail_handler_api_enabled: Omogući automatsku obradu ulaznih emailova
318 318 setting_mail_handler_api_key: API ključ (obrada ulaznih mailova)
319 319 setting_sequential_project_identifiers: Generiši identifikatore projekta sekvencijalno
320 320 setting_gravatar_enabled: 'Koristi "gravatar" korisničke ikone'
321 321 setting_diff_max_lines_displayed: Maksimalan broj linija za prikaz razlika između dva fajla
322 322 setting_file_max_size_displayed: Maksimalna veličina fajla kod prikaza razlika unutar fajla (inline)
323 323 setting_repository_log_display_limit: Maksimalna veličina revizija prikazanih na log fajlu
324 324 setting_openid: Omogući OpenID prijavu i registraciju
325 325
326 326 permission_edit_project: Ispravke projekta
327 327 permission_select_project_modules: Odaberi module projekta
328 328 permission_manage_members: Upravljanje članovima
329 329 permission_manage_versions: Upravljanje verzijama
330 330 permission_manage_categories: Upravljanje kategorijama aktivnosti
331 331 permission_add_issues: Dodaj aktivnosti
332 332 permission_edit_issues: Ispravka aktivnosti
333 333 permission_manage_issue_relations: Upravljaj relacijama među aktivnostima
334 334 permission_add_issue_notes: Dodaj bilješke
335 335 permission_edit_issue_notes: Ispravi bilješke
336 336 permission_edit_own_issue_notes: Ispravi sopstvene bilješke
337 337 permission_move_issues: Pomjeri aktivnosti
338 338 permission_delete_issues: Izbriši aktivnosti
339 339 permission_manage_public_queries: Upravljaj javnim upitima
340 340 permission_save_queries: Snimi upite
341 341 permission_view_gantt: Pregled gantograma
342 342 permission_view_calendar: Pregled kalendara
343 343 permission_view_issue_watchers: Pregled liste korisnika koji prate aktivnost
344 344 permission_add_issue_watchers: Dodaj onoga koji prati aktivnost
345 345 permission_log_time: Evidentiraj utrošak vremena
346 346 permission_view_time_entries: Pregled utroška vremena
347 347 permission_edit_time_entries: Ispravka utroška vremena
348 348 permission_edit_own_time_entries: Ispravka svog utroška vremena
349 349 permission_manage_news: Upravljaj novostima
350 350 permission_comment_news: Komentiraj novosti
351 351 permission_manage_documents: Upravljaj dokumentima
352 352 permission_view_documents: Pregled dokumenata
353 353 permission_manage_files: Upravljaj fajlovima
354 354 permission_view_files: Pregled fajlova
355 355 permission_manage_wiki: Upravljaj wiki stranicama
356 356 permission_rename_wiki_pages: Ispravi wiki stranicu
357 357 permission_delete_wiki_pages: Izbriši wiki stranicu
358 358 permission_view_wiki_pages: Pregled wiki sadržaja
359 359 permission_view_wiki_edits: Pregled wiki istorije
360 360 permission_edit_wiki_pages: Ispravka wiki stranica
361 361 permission_delete_wiki_pages_attachments: Brisanje fajlova prikačenih wiki-ju
362 362 permission_protect_wiki_pages: Zaštiti wiki stranicu
363 363 permission_manage_repository: Upravljaj repozitorijem
364 364 permission_browse_repository: Pregled repozitorija
365 365 permission_view_changesets: Pregled setova promjena
366 366 permission_commit_access: 'Pristup "commit"-u'
367 367 permission_manage_boards: Upravljaj forumima
368 368 permission_view_messages: Pregled poruka
369 369 permission_add_messages: Šalji poruke
370 370 permission_edit_messages: Ispravi poruke
371 371 permission_edit_own_messages: Ispravka sopstvenih poruka
372 372 permission_delete_messages: Prisanje poruka
373 373 permission_delete_own_messages: Brisanje sopstvenih poruka
374 374
375 375 project_module_issue_tracking: Praćenje aktivnosti
376 376 project_module_time_tracking: Praćenje vremena
377 377 project_module_news: Novosti
378 378 project_module_documents: Dokumenti
379 379 project_module_files: Fajlovi
380 380 project_module_wiki: Wiki stranice
381 381 project_module_repository: Repozitorij
382 382 project_module_boards: Forumi
383 383
384 384 label_user: Korisnik
385 385 label_user_plural: Korisnici
386 386 label_user_new: Novi korisnik
387 387 label_project: Projekat
388 388 label_project_new: Novi projekat
389 389 label_project_plural: Projekti
390 390 label_x_projects:
391 391 zero: 0 projekata
392 392 one: 1 projekat
393 393 other: "{{count}} projekata"
394 394 label_project_all: Svi projekti
395 395 label_project_latest: Posljednji projekti
396 396 label_issue: Aktivnost
397 397 label_issue_new: Nova aktivnost
398 398 label_issue_plural: Aktivnosti
399 399 label_issue_view_all: Vidi sve aktivnosti
400 400 label_issues_by: "Aktivnosti po {{value}}"
401 401 label_issue_added: Aktivnost je dodana
402 402 label_issue_updated: Aktivnost je izmjenjena
403 403 label_document: Dokument
404 404 label_document_new: Novi dokument
405 405 label_document_plural: Dokumenti
406 406 label_document_added: Dokument je dodan
407 407 label_role: Uloga
408 408 label_role_plural: Uloge
409 409 label_role_new: Nove uloge
410 410 label_role_and_permissions: Uloge i dozvole
411 411 label_member: Izvršilac
412 412 label_member_new: Novi izvršilac
413 413 label_member_plural: Izvršioci
414 414 label_tracker: Područje aktivnosti
415 415 label_tracker_plural: Područja aktivnosti
416 416 label_tracker_new: Novo područje aktivnosti
417 417 label_workflow: Tok promjena na aktivnosti
418 418 label_issue_status: Status aktivnosti
419 419 label_issue_status_plural: Statusi aktivnosti
420 420 label_issue_status_new: Novi status
421 421 label_issue_category: Kategorija aktivnosti
422 422 label_issue_category_plural: Kategorije aktivnosti
423 423 label_issue_category_new: Nova kategorija
424 424 label_custom_field: Proizvoljno polje
425 425 label_custom_field_plural: Proizvoljna polja
426 426 label_custom_field_new: Novo proizvoljno polje
427 427 label_enumerations: Enumeracije
428 428 label_enumeration_new: Nova vrijednost
429 429 label_information: Informacija
430 430 label_information_plural: Informacije
431 431 label_please_login: Molimo prijavite se
432 432 label_register: Registracija
433 433 label_login_with_open_id_option: ili prijava sa OpenID-om
434 434 label_password_lost: Izgubljena lozinka
435 435 label_home: Početna stranica
436 436 label_my_page: Moja stranica
437 437 label_my_account: Moj korisnički račun
438 438 label_my_projects: Moji projekti
439 439 label_administration: Administracija
440 440 label_login: Prijavi se
441 441 label_logout: Odjavi se
442 442 label_help: Pomoć
443 443 label_reported_issues: Prijavljene aktivnosti
444 444 label_assigned_to_me_issues: Aktivnosti dodjeljene meni
445 445 label_last_login: Posljednja konekcija
446 446 label_registered_on: Registrovan na
447 447 label_activity_plural: Promjene
448 448 label_activity: Operacija
449 449 label_overall_activity: Pregled svih promjena
450 450 label_user_activity: "Promjene izvršene od: {{value}}"
451 451 label_new: Novi
452 452 label_logged_as: Prijavljen kao
453 453 label_environment: Sistemsko okruženje
454 454 label_authentication: Authentifikacija
455 455 label_auth_source: Mod authentifikacije
456 456 label_auth_source_new: Novi mod authentifikacije
457 457 label_auth_source_plural: Modovi authentifikacije
458 458 label_subproject_plural: Podprojekti
459 459 label_and_its_subprojects: "{{value}} i njegovi podprojekti"
460 460 label_min_max_length: Min - Maks dužina
461 461 label_list: Lista
462 462 label_date: Datum
463 463 label_integer: Cijeli broj
464 464 label_float: Float
465 465 label_boolean: Logička varijabla
466 466 label_string: Tekst
467 467 label_text: Dugi tekst
468 468 label_attribute: Atribut
469 469 label_attribute_plural: Atributi
470 470 label_download: "{{count}} download"
471 471 label_download_plural: "{{count}} download-i"
472 472 label_no_data: Nema podataka za prikaz
473 473 label_change_status: Promjeni status
474 474 label_history: Istorija
475 475 label_attachment: Fajl
476 476 label_attachment_new: Novi fajl
477 477 label_attachment_delete: Izbriši fajl
478 478 label_attachment_plural: Fajlovi
479 479 label_file_added: Fajl je dodan
480 480 label_report: Izvještaj
481 481 label_report_plural: Izvještaji
482 482 label_news: Novosti
483 483 label_news_new: Dodaj novosti
484 484 label_news_plural: Novosti
485 485 label_news_latest: Posljednje novosti
486 486 label_news_view_all: Pogledaj sve novosti
487 487 label_news_added: Novosti su dodane
488 488 label_settings: Postavke
489 489 label_overview: Pregled
490 490 label_version: Verzija
491 491 label_version_new: Nova verzija
492 492 label_version_plural: Verzije
493 493 label_confirmation: Potvrda
494 494 label_export_to: 'Takođe dostupno u:'
495 495 label_read: Čitaj...
496 496 label_public_projects: Javni projekti
497 497 label_open_issues: otvoren
498 498 label_open_issues_plural: otvoreni
499 499 label_closed_issues: zatvoren
500 500 label_closed_issues_plural: zatvoreni
501 501 label_x_open_issues_abbr_on_total:
502 502 zero: 0 otvoreno / {{total}}
503 503 one: 1 otvorena / {{total}}
504 504 other: "{{count}} otvorene / {{total}}"
505 505 label_x_open_issues_abbr:
506 506 zero: 0 otvoreno
507 507 one: 1 otvorena
508 508 other: "{{count}} otvorene"
509 509 label_x_closed_issues_abbr:
510 510 zero: 0 zatvoreno
511 511 one: 1 zatvorena
512 512 other: "{{count}} zatvorene"
513 513 label_total: Ukupno
514 514 label_permissions: Dozvole
515 515 label_current_status: Tekući status
516 516 label_new_statuses_allowed: Novi statusi dozvoljeni
517 517 label_all: sve
518 518 label_none: ništa
519 519 label_nobody: niko
520 520 label_next: Sljedeće
521 521 label_previous: Predhodno
522 522 label_used_by: Korišteno od
523 523 label_details: Detalji
524 524 label_add_note: Dodaj bilješku
525 525 label_per_page: Po stranici
526 526 label_calendar: Kalendar
527 527 label_months_from: mjeseci od
528 528 label_gantt: Gantt
529 529 label_internal: Interno
530 530 label_last_changes: "posljednjih {{count}} promjena"
531 531 label_change_view_all: Vidi sve promjene
532 532 label_personalize_page: Personaliziraj ovu stranicu
533 533 label_comment: Komentar
534 534 label_comment_plural: Komentari
535 535 label_x_comments:
536 536 zero: bez komentara
537 537 one: 1 komentar
538 538 other: "{{count}} komentari"
539 539 label_comment_add: Dodaj komentar
540 540 label_comment_added: Komentar je dodan
541 541 label_comment_delete: Izbriši komentar
542 542 label_query: Proizvoljan upit
543 543 label_query_plural: Proizvoljni upiti
544 544 label_query_new: Novi upit
545 545 label_filter_add: Dodaj filter
546 546 label_filter_plural: Filteri
547 547 label_equals: je
548 548 label_not_equals: nije
549 549 label_in_less_than: je manji nego
550 550 label_in_more_than: je više nego
551 551 label_in: u
552 552 label_today: danas
553 553 label_all_time: sve vrijeme
554 554 label_yesterday: juče
555 555 label_this_week: ova hefta
556 556 label_last_week: zadnja hefta
557 557 label_last_n_days: "posljednjih {{count}} dana"
558 558 label_this_month: ovaj mjesec
559 559 label_last_month: posljednji mjesec
560 560 label_this_year: ova godina
561 561 label_date_range: Datumski opseg
562 562 label_less_than_ago: ranije nego (dana)
563 563 label_more_than_ago: starije nego (dana)
564 564 label_ago: prije (dana)
565 565 label_contains: sadrži
566 566 label_not_contains: ne sadrži
567 567 label_day_plural: dani
568 568 label_repository: Repozitorij
569 569 label_repository_plural: Repozitoriji
570 570 label_browse: Listaj
571 571 label_modification: "{{count}} promjena"
572 572 label_modification_plural: "{{count}} promjene"
573 573 label_revision: Revizija
574 574 label_revision_plural: Revizije
575 575 label_associated_revisions: Doddjeljene revizije
576 576 label_added: dodano
577 577 label_modified: izmjenjeno
578 578 label_copied: kopirano
579 579 label_renamed: preimenovano
580 580 label_deleted: izbrisano
581 581 label_latest_revision: Posljednja revizija
582 582 label_latest_revision_plural: Posljednje revizije
583 583 label_view_revisions: Vidi revizije
584 584 label_max_size: Maksimalna veličina
585 585 label_sort_highest: Pomjeri na vrh
586 586 label_sort_higher: Pomjeri gore
587 587 label_sort_lower: Pomjeri dole
588 588 label_sort_lowest: Pomjeri na dno
589 589 label_roadmap: Plan realizacije
590 590 label_roadmap_due_in: "Obavezan do {{value}}"
591 591 label_roadmap_overdue: "{{value}} kasni"
592 592 label_roadmap_no_issues: Nema aktivnosti za ovu verziju
593 593 label_search: Traži
594 594 label_result_plural: Rezultati
595 595 label_all_words: Sve riječi
596 596 label_wiki: Wiki stranice
597 597 label_wiki_edit: ispravka wiki-ja
598 598 label_wiki_edit_plural: ispravke wiki-ja
599 599 label_wiki_page: Wiki stranica
600 600 label_wiki_page_plural: Wiki stranice
601 601 label_index_by_title: Indeks prema naslovima
602 602 label_index_by_date: Indeks po datumima
603 603 label_current_version: Tekuća verzija
604 604 label_preview: Pregled
605 605 label_feed_plural: Feeds
606 606 label_changes_details: Detalji svih promjena
607 607 label_issue_tracking: Evidencija aktivnosti
608 608 label_spent_time: Utrošak vremena
609 609 label_f_hour: "{{value}} sahat"
610 610 label_f_hour_plural: "{{value}} sahata"
611 611 label_time_tracking: Evidencija vremena
612 612 label_change_plural: Promjene
613 613 label_statistics: Statistika
614 614 label_commits_per_month: '"Commit"-a po mjesecu'
615 615 label_commits_per_author: '"Commit"-a po autoru'
616 616 label_view_diff: Pregled razlika
617 617 label_diff_inline: zajedno
618 618 label_diff_side_by_side: jedna pored druge
619 619 label_options: Opcije
620 620 label_copy_workflow_from: Kopiraj tok promjena statusa iz
621 621 label_permissions_report: Izvještaj
622 622 label_watched_issues: Aktivnosti koje pratim
623 623 label_related_issues: Korelirane aktivnosti
624 624 label_applied_status: Status je primjenjen
625 625 label_loading: Učitavam...
626 626 label_relation_new: Nova relacija
627 627 label_relation_delete: Izbriši relaciju
628 628 label_relates_to: korelira sa
629 629 label_duplicates: duplikat
630 630 label_duplicated_by: duplicirano od
631 631 label_blocks: blokira
632 632 label_blocked_by: blokirano on
633 633 label_precedes: predhodi
634 634 label_follows: slijedi
635 635 label_end_to_start: 'kraj -> početak'
636 636 label_end_to_end: 'kraja -> kraj'
637 637 label_start_to_start: 'početak -> početak'
638 638 label_start_to_end: 'početak -> kraj'
639 639 label_stay_logged_in: Ostani prijavljen
640 640 label_disabled: onemogućen
641 641 label_show_completed_versions: Prikaži završene verzije
642 642 label_me: ja
643 643 label_board: Forum
644 644 label_board_new: Novi forum
645 645 label_board_plural: Forumi
646 646 label_topic_plural: Teme
647 647 label_message_plural: Poruke
648 648 label_message_last: Posljednja poruka
649 649 label_message_new: Nova poruka
650 650 label_message_posted: Poruka je dodana
651 651 label_reply_plural: Odgovori
652 652 label_send_information: Pošalji informaciju o korisničkom računu
653 653 label_year: Godina
654 654 label_month: Mjesec
655 655 label_week: Hefta
656 656 label_date_from: Od
657 657 label_date_to: Do
658 658 label_language_based: Bazirano na korisnikovom jeziku
659 659 label_sort_by: "Sortiraj po {{value}}"
660 660 label_send_test_email: Pošalji testni email
661 661 label_feeds_access_key_created_on: "RSS pristupni ključ kreiran prije {{value}} dana"
662 662 label_module_plural: Moduli
663 663 label_added_time_by: "Dodano od {{author}} prije {{age}}"
664 664 label_updated_time_by: "Izmjenjeno od {{author}} prije {{age}}"
665 665 label_updated_time: "Izmjenjeno prije {{value}}"
666 666 label_jump_to_a_project: Skoči na projekat...
667 667 label_file_plural: Fajlovi
668 668 label_changeset_plural: Setovi promjena
669 669 label_default_columns: Podrazumjevane kolone
670 670 label_no_change_option: (Bez promjene)
671 671 label_bulk_edit_selected_issues: Ispravi odjednom odabrane aktivnosti
672 672 label_theme: Tema
673 673 label_default: Podrazumjevano
674 674 label_search_titles_only: Pretraži samo naslove
675 675 label_user_mail_option_all: "Za bilo koji događaj na svim mojim projektima"
676 676 label_user_mail_option_selected: "Za bilo koji događaj na odabranim projektima..."
677 677 label_user_mail_option_none: "Samo za stvari koje ja gledam ili sam u njih uključen"
678 678 label_user_mail_no_self_notified: "Ne želim notifikaciju za promjene koje sam ja napravio"
679 679 label_registration_activation_by_email: aktivacija korisničkog računa email-om
680 680 label_registration_manual_activation: ručna aktivacija korisničkog računa
681 681 label_registration_automatic_activation: automatska kreacija korisničkog računa
682 682 label_display_per_page: "Po stranici: {{value}}"
683 683 label_age: Starost
684 684 label_change_properties: Promjena osobina
685 685 label_general: Generalno
686 686 label_more: Više
687 687 label_scm: SCM
688 688 label_plugins: Plugin-ovi
689 689 label_ldap_authentication: LDAP authentifikacija
690 690 label_downloads_abbr: D/L
691 691 label_optional_description: Opis (opciono)
692 692 label_add_another_file: Dodaj još jedan fajl
693 693 label_preferences: Postavke
694 694 label_chronological_order: Hronološki poredak
695 695 label_reverse_chronological_order: Reverzni hronološki poredak
696 696 label_planning: Planiranje
697 697 label_incoming_emails: Dolazni email-ovi
698 698 label_generate_key: Generiši ključ
699 699 label_issue_watchers: Praćeno od
700 700 label_example: Primjer
701 701 label_display: Prikaz
702 702
703 703 button_apply: Primjeni
704 704 button_add: Dodaj
705 705 button_archive: Arhiviranje
706 706 button_back: Nazad
707 707 button_cancel: Odustani
708 708 button_change: Izmjeni
709 709 button_change_password: Izmjena lozinke
710 710 button_check_all: Označi sve
711 711 button_clear: Briši
712 712 button_copy: Kopiraj
713 713 button_create: Novi
714 714 button_delete: Briši
715 715 button_download: Download
716 716 button_edit: Ispravka
717 717 button_list: Lista
718 718 button_lock: Zaključaj
719 719 button_log_time: Utrošak vremena
720 720 button_login: Prijava
721 721 button_move: Pomjeri
722 722 button_rename: Promjena imena
723 723 button_reply: Odgovor
724 724 button_reset: Resetuj
725 725 button_rollback: Vrati predhodno stanje
726 726 button_save: Snimi
727 727 button_sort: Sortiranje
728 728 button_submit: Pošalji
729 729 button_test: Testiraj
730 730 button_unarchive: Otpakuj arhivu
731 731 button_uncheck_all: Isključi sve
732 732 button_unlock: Otključaj
733 733 button_unwatch: Prekini notifikaciju
734 734 button_update: Promjena na aktivnosti
735 735 button_view: Pregled
736 736 button_watch: Notifikacija
737 737 button_configure: Konfiguracija
738 738 button_quote: Citat
739 739
740 740 status_active: aktivan
741 741 status_registered: registrovan
742 742 status_locked: zaključan
743 743
744 744 text_select_mail_notifications: Odaberi događaje za koje će se slati email notifikacija.
745 745 text_regexp_info: npr. ^[A-Z0-9]+$
746 746 text_min_max_length_info: 0 znači bez restrikcije
747 747 text_project_destroy_confirmation: Sigurno želite izbrisati ovaj projekat i njegove podatke ?
748 748 text_subprojects_destroy_warning: "Podprojekt(i): {{value}} će takođe biti izbrisani."
749 749 text_workflow_edit: Odaberite ulogu i područje aktivnosti za ispravku toka promjena na aktivnosti
750 750 text_are_you_sure: Da li ste sigurni ?
751 751 text_tip_task_begin_day: zadatak počinje danas
752 752 text_tip_task_end_day: zadatak završava danas
753 753 text_tip_task_begin_end_day: zadatak započinje i završava danas
754 754 text_project_identifier_info: 'Samo mala slova (a-z), brojevi i crtice su dozvoljeni.<br />Nakon snimanja, identifikator se ne može mijenjati.'
755 755 text_caracters_maximum: "maksimum {{count}} karaktera."
756 756 text_caracters_minimum: "Dužina mora biti najmanje {{count}} znakova."
757 757 text_length_between: "Broj znakova između {{min}} i {{max}}."
758 758 text_tracker_no_workflow: Tok statusa nije definisan za ovo područje aktivnosti
759 759 text_unallowed_characters: Nedozvoljeni znakovi
760 760 text_comma_separated: Višestruke vrijednosti dozvoljene (odvojiti zarezom).
761 761 text_issues_ref_in_commit_messages: 'Referenciranje i zatvaranje aktivnosti putem "commit" poruka'
762 762 text_issue_added: "Aktivnost {{id}} je prijavljena od {{author}}."
763 763 text_issue_updated: "Aktivnost {{id}} je izmjenjena od {{author}}."
764 764 text_wiki_destroy_confirmation: Sigurno želite izbrisati ovaj wiki i čitav njegov sadržaj ?
765 765 text_issue_category_destroy_question: "Neke aktivnosti ({{count}}) pripadaju ovoj kategoriji. Sigurno to želite uraditi ?"
766 766 text_issue_category_destroy_assignments: Ukloni kategoriju
767 767 text_issue_category_reassign_to: Ponovo dodijeli ovu kategoriju
768 768 text_user_mail_option: "Za projekte koje niste odabrali, primićete samo notifikacije o stavkama koje pratite ili ste u njih uključeni (npr. vi ste autor ili su vama dodjeljenje)."
769 769 text_no_configuration_data: "Uloge, područja aktivnosti, statusi aktivnosti i tok promjena statusa nisu konfigurisane.\nKrajnje je preporučeno da učitate tekuđe postavke. Kasnije ćete ih moći mjenjati po svojim potrebama."
770 770 text_load_default_configuration: Učitaj tekuću konfiguraciju
771 771 text_status_changed_by_changeset: "Primjenjeno u setu promjena {{value}}."
772 772 text_issues_destroy_confirmation: 'Sigurno želite izbrisati odabranu/e aktivnost/i ?'
773 773 text_select_project_modules: 'Odaberi module koje želite u ovom projektu:'
774 774 text_default_administrator_account_changed: Tekući administratorski račun je promjenjen
775 775 text_file_repository_writable: U direktorij sa fajlovima koji su prilozi se može pisati
776 776 text_plugin_assets_writable: U direktorij plugin-ova se može pisati
777 777 text_rmagick_available: RMagick je dostupan (opciono)
778 778 text_destroy_time_entries_question: "{{hours}} sahata je prijavljeno na aktivnostima koje želite brisati. Želite li to učiniti ?"
779 779 text_destroy_time_entries: Izbriši prijavljeno vrijeme
780 780 text_assign_time_entries_to_project: Dodaj prijavljenoo vrijeme projektu
781 781 text_reassign_time_entries: 'Preraspodjeli prijavljeno vrijeme na ovu aktivnost:'
782 782 text_user_wrote: "{{value}} je napisao/la:"
783 783 text_enumeration_destroy_question: "Za {{count}} objekata je dodjeljenja ova vrijednost."
784 784 text_enumeration_category_reassign_to: 'Ponovo im dodjeli ovu vrijednost:'
785 785 text_email_delivery_not_configured: "Email dostava nije konfiguraisana, notifikacija je onemogućena.\nKonfiguriši SMTP server u config/email.yml i restartuj aplikaciju nakon toga."
786 786 text_repository_usernames_mapping: "Odaberi ili ispravi redmine korisnika mapiranog za svako korisničko ima nađeno u logu repozitorija.\nKorisnici sa istim imenom u redmineu i u repozitoruju se automatski mapiraju."
787 787 text_diff_truncated: '... Ovaj prikaz razlike je odsječen pošto premašuje maksimalnu veličinu za prikaz'
788 788 text_custom_field_possible_values_info: 'Jedna linija za svaku vrijednost'
789 789
790 790 default_role_manager: Menadžer
791 791 default_role_developper: Programer
792 792 default_role_reporter: Reporter
793 793 default_tracker_bug: Greška
794 794 default_tracker_feature: Nova funkcija
795 795 default_tracker_support: Podrška
796 796 default_issue_status_new: Novi
797 797 default_issue_status_in_progress: In Progress
798 798 default_issue_status_resolved: Riješen
799 799 default_issue_status_feedback: Čeka se povratna informacija
800 800 default_issue_status_closed: Zatvoren
801 801 default_issue_status_rejected: Odbijen
802 802 default_doc_category_user: Korisnička dokumentacija
803 803 default_doc_category_tech: Tehnička dokumentacija
804 804 default_priority_low: Nizak
805 805 default_priority_normal: Normalan
806 806 default_priority_high: Visok
807 807 default_priority_urgent: Urgentno
808 808 default_priority_immediate: Odmah
809 809 default_activity_design: Dizajn
810 810 default_activity_development: Programiranje
811 811
812 812 enumeration_issue_priorities: Prioritet aktivnosti
813 813 enumeration_doc_categories: Kategorije dokumenata
814 814 enumeration_activities: Operacije (utrošak vremena)
815 815 notice_unable_delete_version: Ne mogu izbrisati verziju.
816 816 button_create_and_continue: Kreiraj i nastavi
817 817 button_annotate: Zabilježi
818 818 button_activate: Aktiviraj
819 819 label_sort: Sortiranje
820 820 label_date_from_to: Od {{start}} do {{end}}
821 821 label_ascending: Rastuće
822 822 label_descending: Opadajuće
823 823 label_greater_or_equal: ">="
824 824 label_less_or_equal: <=
825 825 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
826 826 text_wiki_page_reassign_children: Reassign child pages to this parent page
827 827 text_wiki_page_nullify_children: Keep child pages as root pages
828 828 text_wiki_page_destroy_children: Delete child pages and all their descendants
829 829 setting_password_min_length: Minimum password length
830 830 field_group_by: Group results by
831 831 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
832 832 label_wiki_content_added: Wiki page added
833 833 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
834 834 mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}.
835 835 label_wiki_content_updated: Wiki page updated
836 836 mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}.
837 837 permission_add_project: Create project
838 838 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
839 839 label_view_all_revisions: View all revisions
840 840 label_tag: Tag
841 841 label_branch: Branch
842 842 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
843 843 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
844 844 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
845 845 text_journal_set_to: "{{label}} set to {{value}}"
846 846 text_journal_deleted: "{{label}} deleted ({{old}})"
847 847 label_group_plural: Groups
848 848 label_group: Group
849 849 label_group_new: New group
850 850 label_time_entry_plural: Spent time
851 851 text_journal_added: "{{label}} {{value}} added"
852 852 field_active: Active
853 853 enumeration_system_activity: System Activity
854 854 permission_delete_issue_watchers: Delete watchers
855 855 version_status_closed: closed
856 856 version_status_locked: locked
857 857 version_status_open: open
858 858 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
859 859 label_user_anonymous: Anonymous
860 860 button_move_and_follow: Move and follow
861 861 setting_default_projects_modules: Default enabled modules for new projects
862 862 setting_gravatar_default: Default Gravatar image
863 863 field_sharing: Sharing
864 864 label_version_sharing_hierarchy: With project hierarchy
865 865 label_version_sharing_system: With all projects
866 866 label_version_sharing_descendants: With subprojects
867 867 label_version_sharing_tree: With project tree
868 868 label_version_sharing_none: Not shared
869 869 error_can_not_archive_project: This project can not be archived
870 870 button_duplicate: Duplicate
871 871 button_copy_and_follow: Copy and follow
872 872 label_copy_source: Source
873 873 setting_issue_done_ratio: Calculate the issue done ratio with
874 874 setting_issue_done_ratio_issue_status: Use the issue status
875 875 error_issue_done_ratios_not_updated: Issue done ratios not updated.
876 876 error_workflow_copy_target: Please select target tracker(s) and role(s)
877 877 setting_issue_done_ratio_issue_field: Use the issue field
878 878 label_copy_same_as_target: Same as target
879 879 label_copy_target: Target
880 880 notice_issue_done_ratios_updated: Issue done ratios updated.
881 881 error_workflow_copy_source: Please select a source tracker or role
882 882 label_update_issue_done_ratios: Update issue done ratios
883 883 setting_start_of_week: Start calendars on
884 884 permission_view_issues: View Issues
885 885 label_display_used_statuses_only: Only display statuses that are used by this tracker
886 886 label_revision_id: Revision {{value}}
887 887 label_api_access_key: API access key
888 888 label_api_access_key_created_on: API access key created {{value}} ago
889 889 label_feeds_access_key: RSS access key
890 890 notice_api_access_key_reseted: Your API access key was reset.
891 891 setting_rest_api_enabled: Enable REST web service
892 892 label_missing_api_access_key: Missing an API access key
893 893 label_missing_feeds_access_key: Missing a RSS access key
894 894 button_show: Show
895 895 text_line_separated: Multiple values allowed (one line for each value).
896 896 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
897 897 permission_add_subprojects: Create subprojects
898 898 label_subproject_new: New subproject
899 899 text_own_membership_delete_confirmation: |-
900 900 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
901 901 Are you sure you want to continue?
902 902 label_close_versions: Close completed versions
903 903 label_board_sticky: Sticky
904 904 label_board_locked: Locked
905 905 permission_export_wiki_pages: Export wiki pages
906 906 setting_cache_formatted_text: Cache formatted text
907 907 permission_manage_project_activities: Manage project activities
908 908 error_unable_delete_issue_status: Unable to delete issue status
909 909 label_profile: Profile
910 910 permission_manage_subtasks: Manage subtasks
911 911 field_parent_issue: Parent task
912 912 label_subtask_plural: Subtasks
913 label_project_copy_notifications: Send email notifications during the project copy
@@ -1,891 +1,892
1 1 ca:
2 2 date:
3 3 formats:
4 4 # Use the strftime parameters for formats.
5 5 # When no format has been given, it uses default.
6 6 # You can provide other formats here if you like!
7 7 default: "%d-%m-%Y"
8 8 short: "%e de %b"
9 9 long: "%a, %e de %b de %Y"
10 10
11 11 day_names: [Diumenge, Dilluns, Dimarts, Dimecres, Dijous, Divendres, Dissabte]
12 12 abbr_day_names: [dg, dl, dt, dc, dj, dv, ds]
13 13
14 14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
15 15 month_names: [~, Gener, Febrer, Març, Abril, Maig, Juny, Juliol, Agost, Setembre, Octubre, Novembre, Desembre]
16 16 abbr_month_names: [~, Gen, Feb, Mar, Abr, Mai, Jun, Jul, Ago, Set, Oct, Nov, Des]
17 17 # Used in date_select and datime_select.
18 18 order: [ :year, :month, :day ]
19 19
20 20 time:
21 21 formats:
22 22 default: "%d-%m-%Y %H:%M"
23 23 time: "%H:%M"
24 24 short: "%e de %b, %H:%M"
25 25 long: "%a, %e de %b de %Y, %H:%M"
26 26 am: "am"
27 27 pm: "pm"
28 28
29 29 datetime:
30 30 distance_in_words:
31 31 half_a_minute: "mig minut"
32 32 less_than_x_seconds:
33 33 one: "menys d'un segon"
34 34 other: "menys de {{count}} segons"
35 35 x_seconds:
36 36 one: "1 segons"
37 37 other: "{{count}} segons"
38 38 less_than_x_minutes:
39 39 one: "menys d'un minut"
40 40 other: "menys de {{count}} minuts"
41 41 x_minutes:
42 42 one: "1 minut"
43 43 other: "{{count}} minuts"
44 44 about_x_hours:
45 45 one: "aproximadament 1 hora"
46 46 other: "aproximadament {{count}} hores"
47 47 x_days:
48 48 one: "1 dia"
49 49 other: "{{count}} dies"
50 50 about_x_months:
51 51 one: "aproximadament 1 mes"
52 52 other: "aproximadament {{count}} mesos"
53 53 x_months:
54 54 one: "1 mes"
55 55 other: "{{count}} mesos"
56 56 about_x_years:
57 57 one: "aproximadament 1 any"
58 58 other: "aproximadament {{count}} anys"
59 59 over_x_years:
60 60 one: "més d'un any"
61 61 other: "més de {{count}} anys"
62 62 almost_x_years:
63 63 one: "almost 1 year"
64 64 other: "almost {{count}} years"
65 65
66 66 number:
67 67 human:
68 68 format:
69 69 delimiter: ""
70 70 precision: 1
71 71 storage_units:
72 72 format: "%n %u"
73 73 units:
74 74 byte:
75 75 one: "Byte"
76 76 other: "Bytes"
77 77 kb: "KB"
78 78 mb: "MB"
79 79 gb: "GB"
80 80 tb: "TB"
81 81
82 82 # Used in array.to_sentence.
83 83 support:
84 84 array:
85 85 sentence_connector: "i"
86 86 skip_last_comma: false
87 87
88 88 activerecord:
89 89 errors:
90 90 messages:
91 91 inclusion: "no està inclòs a la llista"
92 92 exclusion: "està reservat"
93 93 invalid: "no és vàlid"
94 94 confirmation: "la confirmació no coincideix"
95 95 accepted: "s'ha d'acceptar"
96 96 empty: "no pot estar buit"
97 97 blank: "no pot estar en blanc"
98 98 too_long: "és massa llarg"
99 99 too_short: "és massa curt"
100 100 wrong_length: "la longitud és incorrecta"
101 101 taken: "ja s'està utilitzant"
102 102 not_a_number: "no és un número"
103 103 not_a_date: "no és una data vàlida"
104 104 greater_than: "ha de ser més gran que {{count}}"
105 105 greater_than_or_equal_to: "ha de ser més gran o igual a {{count}}"
106 106 equal_to: "ha de ser igual a {{count}}"
107 107 less_than: "ha de ser menys que {{count}}"
108 108 less_than_or_equal_to: "ha de ser menys o igual a {{count}}"
109 109 odd: "ha de ser senar"
110 110 even: "ha de ser parell"
111 111 greater_than_start_date: "ha de ser superior que la data inicial"
112 112 not_same_project: "no pertany al mateix projecte"
113 113 circular_dependency: "Aquesta relació crearia una dependència circular"
114 114
115 115 actionview_instancetag_blank_option: Seleccioneu
116 116
117 117 general_text_No: 'No'
118 118 general_text_Yes: 'Si'
119 119 general_text_no: 'no'
120 120 general_text_yes: 'si'
121 121 general_lang_name: 'Català'
122 122 general_csv_separator: ';'
123 123 general_csv_decimal_separator: ','
124 124 general_csv_encoding: ISO-8859-15
125 125 general_pdf_encoding: ISO-8859-15
126 126 general_first_day_of_week: '1'
127 127
128 128 notice_account_updated: "El compte s'ha actualitzat correctament."
129 129 notice_account_invalid_creditentials: Usuari o contrasenya invàlid
130 130 notice_account_password_updated: "La contrasenya s'ha modificat correctament."
131 131 notice_account_wrong_password: Contrasenya incorrecta
132 132 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."
133 133 notice_account_unknown_email: Usuari desconegut.
134 134 notice_can_t_change_password: "Aquest compte utilitza una font d'autenticació externa. No és possible canviar la contrasenya."
135 135 notice_account_lost_email_sent: "S'ha enviat un correu electrònic amb instruccions per a seleccionar una contrasenya nova."
136 136 notice_account_activated: "El compte s'ha activat. Ara podeu entrar."
137 137 notice_successful_create: "S'ha creat correctament."
138 138 notice_successful_update: "S'ha modificat correctament."
139 139 notice_successful_delete: "S'ha suprimit correctament."
140 140 notice_successful_connection: "S'ha connectat correctament."
141 141 notice_file_not_found: "La pàgina a la que intenteu accedir no existeix o s'ha suprimit."
142 142 notice_locking_conflict: Un altre usuari ha actualitzat les dades.
143 143 notice_not_authorized: No teniu permís per a accedir a aquesta pàgina.
144 144 notice_email_sent: "S'ha enviat un correu electrònic a {{value}}"
145 145 notice_email_error: "S'ha produït un error en enviar el correu ({{value}})"
146 146 notice_feeds_access_key_reseted: "S'ha reiniciat la clau d'accés del RSS."
147 147 notice_failed_to_save_issues: "No s'han pogut desar %s assumptes de {{count}} seleccionats: {{ids}}."
148 148 notice_no_issue_selected: "No s'ha seleccionat cap assumpte. Activeu els assumptes que voleu editar."
149 149 notice_account_pending: "S'ha creat el compte i ara està pendent de l'aprovació de l'administrador."
150 150 notice_default_data_loaded: "S'ha carregat correctament la configuració predeterminada."
151 151 notice_unable_delete_version: "No s'ha pogut suprimir la versió."
152 152
153 153 error_can_t_load_default_data: "No s'ha pogut carregar la configuració predeterminada: {{value}} "
154 154 error_scm_not_found: "No s'ha trobat l'entrada o la revisió en el dipòsit."
155 155 error_scm_command_failed: "S'ha produït un error en intentar accedir al dipòsit: {{value}}"
156 156 error_scm_annotate: "L'entrada no existeix o no s'ha pogut anotar."
157 157 error_issue_not_found_in_project: "No s'ha trobat l'assumpte o no pertany a aquest projecte"
158 158
159 159 warning_attachments_not_saved: "No s'han pogut desar {{count}} fitxers."
160 160
161 161 mail_subject_lost_password: "Contrasenya de {{value}}"
162 162 mail_body_lost_password: "Per a canviar la contrasenya, feu clic en l'enllaç següent:"
163 163 mail_subject_register: "Activació del compte de {{value}}"
164 164 mail_body_register: "Per a activar el compte, feu clic en l'enllaç següent:"
165 165 mail_body_account_information_external: "Podeu utilitzar el compte «{{value}}» per a entrar."
166 166 mail_body_account_information: Informació del compte
167 167 mail_subject_account_activation_request: "Sol·licitud d'activació del compte de {{value}}"
168 168 mail_body_account_activation_request: "S'ha registrat un usuari nou ({{value}}). El seu compte està pendent d'aprovació:"
169 169 mail_subject_reminder: "%d assumptes venceran els següents {{count}} dies"
170 170 mail_body_reminder: "{{count}} assumptes que teniu assignades venceran els següents {{days}} dies:"
171 171
172 172 gui_validation_error: 1 error
173 173 gui_validation_error_plural: "{{count}} errors"
174 174
175 175 field_name: Nom
176 176 field_description: Descripció
177 177 field_summary: Resum
178 178 field_is_required: Necessari
179 179 field_firstname: Nom
180 180 field_lastname: Cognom
181 181 field_mail: Correu electrònic
182 182 field_filename: Fitxer
183 183 field_filesize: Mida
184 184 field_downloads: Baixades
185 185 field_author: Autor
186 186 field_created_on: Creat
187 187 field_updated_on: Actualitzat
188 188 field_field_format: Format
189 189 field_is_for_all: Per a tots els projectes
190 190 field_possible_values: Valores possibles
191 191 field_regexp: Expressió regular
192 192 field_min_length: Longitud mínima
193 193 field_max_length: Longitud màxima
194 194 field_value: Valor
195 195 field_category: Categoria
196 196 field_title: Títol
197 197 field_project: Projecte
198 198 field_issue: Assumpte
199 199 field_status: Estat
200 200 field_notes: Notes
201 201 field_is_closed: Assumpte tancat
202 202 field_is_default: Estat predeterminat
203 203 field_tracker: Seguidor
204 204 field_subject: Tema
205 205 field_due_date: Data de venciment
206 206 field_assigned_to: Assignat a
207 207 field_priority: Prioritat
208 208 field_fixed_version: Versió objectiu
209 209 field_user: Usuari
210 210 field_role: Rol
211 211 field_homepage: Pàgina web
212 212 field_is_public: Públic
213 213 field_parent: Subprojecte de
214 214 field_is_in_roadmap: Assumptes mostrats en la planificació
215 215 field_login: Entrada
216 216 field_mail_notification: Notificacions per correu electrònic
217 217 field_admin: Administrador
218 218 field_last_login_on: Última connexió
219 219 field_language: Idioma
220 220 field_effective_date: Data
221 221 field_password: Contrasenya
222 222 field_new_password: Contrasenya nova
223 223 field_password_confirmation: Confirmació
224 224 field_version: Versió
225 225 field_type: Tipus
226 226 field_host: Ordinador
227 227 field_port: Port
228 228 field_account: Compte
229 229 field_base_dn: Base DN
230 230 field_attr_login: "Atribut d'entrada"
231 231 field_attr_firstname: Atribut del nom
232 232 field_attr_lastname: Atribut del cognom
233 233 field_attr_mail: Atribut del correu electrònic
234 234 field_onthefly: "Creació de l'usuari «al vol»"
235 235 field_start_date: Inici
236 236 field_done_ratio: % realitzat
237 237 field_auth_source: "Mode d'autenticació"
238 238 field_hide_mail: "Oculta l'adreça de correu electrònic"
239 239 field_comments: Comentari
240 240 field_url: URL
241 241 field_start_page: Pàgina inicial
242 242 field_subproject: Subprojecte
243 243 field_hours: Hores
244 244 field_activity: Activitat
245 245 field_spent_on: Data
246 246 field_identifier: Identificador
247 247 field_is_filter: "S'ha utilitzat com a filtre"
248 248 field_issue_to: Assumpte relacionat
249 249 field_delay: Retard
250 250 field_assignable: Es poden assignar assumptes a aquest rol
251 251 field_redirect_existing_links: Redirigeix els enllaços existents
252 252 field_estimated_hours: Temps previst
253 253 field_column_names: Columnes
254 254 field_time_zone: Zona horària
255 255 field_searchable: Es pot cercar
256 256 field_default_value: Valor predeterminat
257 257 field_comments_sorting: Mostra els comentaris
258 258 field_parent_title: Pàgina pare
259 259 field_editable: Es pot editar
260 260 field_watcher: Vigilància
261 261 field_identity_url: URL OpenID
262 262 field_content: Contingut
263 263
264 264 setting_app_title: "Títol de l'aplicació"
265 265 setting_app_subtitle: "Subtítol de l'aplicació"
266 266 setting_welcome_text: Text de benvinguda
267 267 setting_default_language: Idioma predeterminat
268 268 setting_login_required: Es necessita autenticació
269 269 setting_self_registration: Registre automàtic
270 270 setting_attachment_max_size: Mida màxima dels adjunts
271 271 setting_issues_export_limit: "Límit d'exportació d'assumptes"
272 272 setting_mail_from: "Adreça de correu electrònic d'emissió"
273 273 setting_bcc_recipients: Vincula els destinataris de les còpies amb carbó (bcc)
274 274 setting_plain_text_mail: només text pla (no HTML)
275 275 setting_host_name: "Nom de l'ordinador"
276 276 setting_text_formatting: Format del text
277 277 setting_wiki_compression: "Comprimeix l'historial del wiki"
278 278 setting_feeds_limit: Límit de contingut del canal
279 279 setting_default_projects_public: Els projectes nous són públics per defecte
280 280 setting_autofetch_changesets: Omple automàticament les publicacions
281 281 setting_sys_api_enabled: Habilita el WS per a la gestió del dipòsit
282 282 setting_commit_ref_keywords: Paraules claus per a la referència
283 283 setting_commit_fix_keywords: Paraules claus per a la correcció
284 284 setting_autologin: Entrada automàtica
285 285 setting_date_format: Format de la data
286 286 setting_time_format: Format de hora
287 287 setting_cross_project_issue_relations: "Permet les relacions d'assumptes entre projectes"
288 288 setting_issue_list_default_columns: "Columnes mostrades per defecte en la llista d'assumptes"
289 289 setting_repositories_encodings: Codificacions del dipòsit
290 290 setting_commit_logs_encoding: Codificació dels missatges publicats
291 291 setting_emails_footer: Peu dels correus electrònics
292 292 setting_protocol: Protocol
293 293 setting_per_page_options: Opcions dels objectes per pàgina
294 294 setting_user_format: "Format de com mostrar l'usuari"
295 295 setting_activity_days_default: "Dies a mostrar l'activitat del projecte"
296 296 setting_display_subprojects_issues: "Mostra els assumptes d'un subprojecte en el projecte pare per defecte"
297 297 setting_enabled_scm: "Habilita l'SCM"
298 298 setting_mail_handler_api_enabled: "Habilita el WS per correus electrònics d'entrada"
299 299 setting_mail_handler_api_key: Clau API
300 300 setting_sequential_project_identifiers: Genera identificadors de projecte seqüencials
301 301 setting_gravatar_enabled: "Utilitza les icones d'usuari Gravatar"
302 302 setting_diff_max_lines_displayed: Número màxim de línies amb diferències mostrades
303 303 setting_file_max_size_displayed: Mida màxima dels fitxers de text mostrats en línia
304 304 setting_repository_log_display_limit: Número màxim de revisions que es mostren al registre de fitxers
305 305 setting_openid: "Permet entrar i registrar-se amb l'OpenID"
306 306
307 307 permission_edit_project: Edita el projecte
308 308 permission_select_project_modules: Selecciona els mòduls del projecte
309 309 permission_manage_members: Gestiona els membres
310 310 permission_manage_versions: Gestiona les versions
311 311 permission_manage_categories: Gestiona les categories dels assumptes
312 312 permission_add_issues: Afegeix assumptes
313 313 permission_edit_issues: Edita els assumptes
314 314 permission_manage_issue_relations: Gestiona les relacions dels assumptes
315 315 permission_add_issue_notes: Afegeix notes
316 316 permission_edit_issue_notes: Edita les notes
317 317 permission_edit_own_issue_notes: Edita les notes pròpies
318 318 permission_move_issues: Mou els assumptes
319 319 permission_delete_issues: Suprimeix els assumptes
320 320 permission_manage_public_queries: Gestiona les consultes públiques
321 321 permission_save_queries: Desa les consultes
322 322 permission_view_gantt: Visualitza la gràfica de Gantt
323 323 permission_view_calendar: Visualitza el calendari
324 324 permission_view_issue_watchers: Visualitza la llista de vigilàncies
325 325 permission_add_issue_watchers: Afegeix vigilàncies
326 326 permission_log_time: Registra el temps invertit
327 327 permission_view_time_entries: Visualitza el temps invertit
328 328 permission_edit_time_entries: Edita els registres de temps
329 329 permission_edit_own_time_entries: Edita els registres de temps propis
330 330 permission_manage_news: Gestiona les noticies
331 331 permission_comment_news: Comenta les noticies
332 332 permission_manage_documents: Gestiona els documents
333 333 permission_view_documents: Visualitza els documents
334 334 permission_manage_files: Gestiona els fitxers
335 335 permission_view_files: Visualitza els fitxers
336 336 permission_manage_wiki: Gestiona el wiki
337 337 permission_rename_wiki_pages: Canvia el nom de les pàgines wiki
338 338 permission_delete_wiki_pages: Suprimeix les pàgines wiki
339 339 permission_view_wiki_pages: Visualitza el wiki
340 340 permission_view_wiki_edits: "Visualitza l'historial del wiki"
341 341 permission_edit_wiki_pages: Edita les pàgines wiki
342 342 permission_delete_wiki_pages_attachments: Suprimeix adjunts
343 343 permission_protect_wiki_pages: Protegeix les pàgines wiki
344 344 permission_manage_repository: Gestiona el dipòsit
345 345 permission_browse_repository: Navega pel dipòsit
346 346 permission_view_changesets: Visualitza els canvis realitzats
347 347 permission_commit_access: Accés a les publicacions
348 348 permission_manage_boards: Gestiona els taulers
349 349 permission_view_messages: Visualitza els missatges
350 350 permission_add_messages: Envia missatges
351 351 permission_edit_messages: Edita els missatges
352 352 permission_edit_own_messages: Edita els missatges propis
353 353 permission_delete_messages: Suprimeix els missatges
354 354 permission_delete_own_messages: Suprimeix els missatges propis
355 355
356 356 project_module_issue_tracking: "Seguidor d'assumptes"
357 357 project_module_time_tracking: Seguidor de temps
358 358 project_module_news: Noticies
359 359 project_module_documents: Documents
360 360 project_module_files: Fitxers
361 361 project_module_wiki: Wiki
362 362 project_module_repository: Dipòsit
363 363 project_module_boards: Taulers
364 364
365 365 label_user: Usuari
366 366 label_user_plural: Usuaris
367 367 label_user_new: Usuari nou
368 368 label_project: Projecte
369 369 label_project_new: Projecte nou
370 370 label_project_plural: Projectes
371 371 label_x_projects:
372 372 zero: cap projecte
373 373 one: 1 projecte
374 374 other: "{{count}} projectes"
375 375 label_project_all: Tots els projectes
376 376 label_project_latest: Els últims projectes
377 377 label_issue: Assumpte
378 378 label_issue_new: Assumpte nou
379 379 label_issue_plural: Assumptes
380 380 label_issue_view_all: Visualitza tots els assumptes
381 381 label_issues_by: "Assumptes per {{value}}"
382 382 label_issue_added: Assumpte afegit
383 383 label_issue_updated: Assumpte actualitzat
384 384 label_document: Document
385 385 label_document_new: Document nou
386 386 label_document_plural: Documents
387 387 label_document_added: Document afegit
388 388 label_role: Rol
389 389 label_role_plural: Rols
390 390 label_role_new: Rol nou
391 391 label_role_and_permissions: Rols i permisos
392 392 label_member: Membre
393 393 label_member_new: Membre nou
394 394 label_member_plural: Membres
395 395 label_tracker: Seguidor
396 396 label_tracker_plural: Seguidors
397 397 label_tracker_new: Seguidor nou
398 398 label_workflow: Flux de treball
399 399 label_issue_status: "Estat de l'assumpte"
400 400 label_issue_status_plural: "Estats de l'assumpte"
401 401 label_issue_status_new: Estat nou
402 402 label_issue_category: "Categoria de l'assumpte"
403 403 label_issue_category_plural: "Categories de l'assumpte"
404 404 label_issue_category_new: Categoria nova
405 405 label_custom_field: Camp personalitzat
406 406 label_custom_field_plural: Camps personalitzats
407 407 label_custom_field_new: Camp personalitzat nou
408 408 label_enumerations: Enumeracions
409 409 label_enumeration_new: Valor nou
410 410 label_information: Informació
411 411 label_information_plural: Informació
412 412 label_please_login: Entreu
413 413 label_register: Registre
414 414 label_login_with_open_id_option: o entra amb l'OpenID
415 415 label_password_lost: Contrasenya perduda
416 416 label_home: Inici
417 417 label_my_page: La meva pàgina
418 418 label_my_account: El meu compte
419 419 label_my_projects: Els meus projectes
420 420 label_administration: Administració
421 421 label_login: Entra
422 422 label_logout: Surt
423 423 label_help: Ajuda
424 424 label_reported_issues: Assumptes informats
425 425 label_assigned_to_me_issues: Assumptes assignats a mi
426 426 label_last_login: Última connexió
427 427 label_registered_on: Informat el
428 428 label_activity: Activitat
429 429 label_overall_activity: Activitat global
430 430 label_user_activity: "Activitat de {{value}}"
431 431 label_new: Nou
432 432 label_logged_as: Heu entrat com a
433 433 label_environment: Entorn
434 434 label_authentication: Autenticació
435 435 label_auth_source: "Mode d'autenticació"
436 436 label_auth_source_new: "Mode d'autenticació nou"
437 437 label_auth_source_plural: "Modes d'autenticació"
438 438 label_subproject_plural: Subprojectes
439 439 label_and_its_subprojects: "{{value}} i els seus subprojectes"
440 440 label_min_max_length: Longitud mín - max
441 441 label_list: Llist
442 442 label_date: Data
443 443 label_integer: Enter
444 444 label_float: Flotant
445 445 label_boolean: Booleà
446 446 label_string: Text
447 447 label_text: Text llarg
448 448 label_attribute: Atribut
449 449 label_attribute_plural: Atributs
450 450 label_download: "{{count}} baixada"
451 451 label_download_plural: "{{count}} baixades"
452 452 label_no_data: Sense dades a mostrar
453 453 label_change_status: "Canvia l'estat"
454 454 label_history: Historial
455 455 label_attachment: Fitxer
456 456 label_attachment_new: Fitxer nou
457 457 label_attachment_delete: Suprimeix el fitxer
458 458 label_attachment_plural: Fitxers
459 459 label_file_added: Fitxer afegit
460 460 label_report: Informe
461 461 label_report_plural: Informes
462 462 label_news: Noticies
463 463 label_news_new: Afegeix noticies
464 464 label_news_plural: Noticies
465 465 label_news_latest: Últimes noticies
466 466 label_news_view_all: Visualitza totes les noticies
467 467 label_news_added: Noticies afegides
468 468 label_settings: Paràmetres
469 469 label_overview: Resum
470 470 label_version: Versió
471 471 label_version_new: Versió nova
472 472 label_version_plural: Versions
473 473 label_confirmation: Confirmació
474 474 label_export_to: 'També disponible a:'
475 475 label_read: Llegeix...
476 476 label_public_projects: Projectes públics
477 477 label_open_issues: obert
478 478 label_open_issues_plural: oberts
479 479 label_closed_issues: tancat
480 480 label_closed_issues_plural: tancats
481 481 label_x_open_issues_abbr_on_total:
482 482 zero: 0 oberts / {{total}}
483 483 one: 1 obert / {{total}}
484 484 other: "{{count}} oberts / {{total}}"
485 485 label_x_open_issues_abbr:
486 486 zero: 0 oberts
487 487 one: 1 obert
488 488 other: "{{count}} oberts"
489 489 label_x_closed_issues_abbr:
490 490 zero: 0 tancats
491 491 one: 1 tancat
492 492 other: "{{count}} tancats"
493 493 label_total: Total
494 494 label_permissions: Permisos
495 495 label_current_status: Estat actual
496 496 label_new_statuses_allowed: Nous estats autoritzats
497 497 label_all: tots
498 498 label_none: cap
499 499 label_nobody: ningú
500 500 label_next: Següent
501 501 label_previous: Anterior
502 502 label_used_by: Utilitzat per
503 503 label_details: Detalls
504 504 label_add_note: Afegeix una nota
505 505 label_per_page: Per pàgina
506 506 label_calendar: Calendari
507 507 label_months_from: mesos des de
508 508 label_gantt: Gantt
509 509 label_internal: Intern
510 510 label_last_changes: "últims {{count}} canvis"
511 511 label_change_view_all: Visualitza tots els canvis
512 512 label_personalize_page: Personalitza aquesta pàgina
513 513 label_comment: Comentari
514 514 label_comment_plural: Comentaris
515 515 label_x_comments:
516 516 zero: sense comentaris
517 517 one: 1 comentari
518 518 other: "{{count}} comentaris"
519 519 label_comment_add: Afegeix un comentari
520 520 label_comment_added: Comentari afegit
521 521 label_comment_delete: Suprimeix comentaris
522 522 label_query: Consulta personalitzada
523 523 label_query_plural: Consultes personalitzades
524 524 label_query_new: Consulta nova
525 525 label_filter_add: Afegeix un filtre
526 526 label_filter_plural: Filtres
527 527 label_equals: és
528 528 label_not_equals: no és
529 529 label_in_less_than: en menys de
530 530 label_in_more_than: en més de
531 531 label_in: en
532 532 label_today: avui
533 533 label_all_time: tot el temps
534 534 label_yesterday: ahir
535 535 label_this_week: aquesta setmana
536 536 label_last_week: "l'última setmana"
537 537 label_last_n_days: "els últims {{count}} dies"
538 538 label_this_month: aquest més
539 539 label_last_month: "l'últim més"
540 540 label_this_year: aquest any
541 541 label_date_range: Abast de les dates
542 542 label_less_than_ago: fa menys de
543 543 label_more_than_ago: fa més de
544 544 label_ago: fa
545 545 label_contains: conté
546 546 label_not_contains: no conté
547 547 label_day_plural: dies
548 548 label_repository: Dipòsit
549 549 label_repository_plural: Dipòsits
550 550 label_browse: Navega
551 551 label_modification: "{{count}} canvi"
552 552 label_modification_plural: "{{count}} canvis"
553 553 label_revision: Revisió
554 554 label_revision_plural: Revisions
555 555 label_associated_revisions: Revisions associades
556 556 label_added: afegit
557 557 label_modified: modificat
558 558 label_renamed: reanomenat
559 559 label_copied: copiat
560 560 label_deleted: suprimit
561 561 label_latest_revision: Última revisió
562 562 label_latest_revision_plural: Últimes revisions
563 563 label_view_revisions: Visualitza les revisions
564 564 label_max_size: Mida màxima
565 565 label_sort_highest: Mou a la part superior
566 566 label_sort_higher: Mou cap amunt
567 567 label_sort_lower: Mou cap avall
568 568 label_sort_lowest: Mou a la part inferior
569 569 label_roadmap: Planificació
570 570 label_roadmap_due_in: "Venç en {{value}}"
571 571 label_roadmap_overdue: "{{value}} tard"
572 572 label_roadmap_no_issues: No hi ha assumptes per a aquesta versió
573 573 label_search: Cerca
574 574 label_result_plural: Resultats
575 575 label_all_words: Totes les paraules
576 576 label_wiki: Wiki
577 577 label_wiki_edit: Edició wiki
578 578 label_wiki_edit_plural: Edicions wiki
579 579 label_wiki_page: Pàgina wiki
580 580 label_wiki_page_plural: Pàgines wiki
581 581 label_index_by_title: Índex per títol
582 582 label_index_by_date: Índex per data
583 583 label_current_version: Versió actual
584 584 label_preview: Previsualització
585 585 label_feed_plural: Canals
586 586 label_changes_details: Detalls de tots els canvis
587 587 label_issue_tracking: "Seguiment d'assumptes"
588 588 label_spent_time: Temps invertit
589 589 label_f_hour: "{{value}} hora"
590 590 label_f_hour_plural: "{{value}} hores"
591 591 label_time_tracking: Temps de seguiment
592 592 label_change_plural: Canvis
593 593 label_statistics: Estadístiques
594 594 label_commits_per_month: Publicacions per mes
595 595 label_commits_per_author: Publicacions per autor
596 596 label_view_diff: Visualitza les diferències
597 597 label_diff_inline: en línia
598 598 label_diff_side_by_side: costat per costat
599 599 label_options: Opcions
600 600 label_copy_workflow_from: Copia el flux de treball des de
601 601 label_permissions_report: Informe de permisos
602 602 label_watched_issues: Assumptes vigilats
603 603 label_related_issues: Assumptes relacionats
604 604 label_applied_status: Estat aplicat
605 605 label_loading: "S'està carregant..."
606 606 label_relation_new: Relació nova
607 607 label_relation_delete: Suprimeix la relació
608 608 label_relates_to: relacionat amb
609 609 label_duplicates: duplicats
610 610 label_duplicated_by: duplicat per
611 611 label_blocks: bloqueja
612 612 label_blocked_by: bloquejats per
613 613 label_precedes: anterior a
614 614 label_follows: posterior a
615 615 label_end_to_start: final al començament
616 616 label_end_to_end: final al final
617 617 label_start_to_start: començament al començament
618 618 label_start_to_end: començament al final
619 619 label_stay_logged_in: "Manté l'entrada"
620 620 label_disabled: inhabilitat
621 621 label_show_completed_versions: Mostra les versions completes
622 622 label_me: jo mateix
623 623 label_board: Fòrum
624 624 label_board_new: Fòrum nou
625 625 label_board_plural: Fòrums
626 626 label_topic_plural: Temes
627 627 label_message_plural: Missatges
628 628 label_message_last: Últim missatge
629 629 label_message_new: Missatge nou
630 630 label_message_posted: Missatge afegit
631 631 label_reply_plural: Respostes
632 632 label_send_information: "Envia la informació del compte a l'usuari"
633 633 label_year: Any
634 634 label_month: Mes
635 635 label_week: Setmana
636 636 label_date_from: Des de
637 637 label_date_to: A
638 638 label_language_based: "Basat en l'idioma de l'usuari"
639 639 label_sort_by: "Ordena per {{value}}"
640 640 label_send_test_email: Envia un correu electrònic de prova
641 641 label_feeds_access_key_created_on: "Clau d'accés del RSS creada fa {{value}}"
642 642 label_module_plural: Mòduls
643 643 label_added_time_by: "Afegit per {{author}} fa {{age}}"
644 644 label_updated_time_by: "Actualitzat per {{author}} fa {{age}}"
645 645 label_updated_time: "Actualitzat fa {{value}}"
646 646 label_jump_to_a_project: Salta al projecte...
647 647 label_file_plural: Fitxers
648 648 label_changeset_plural: Conjunt de canvis
649 649 label_default_columns: Columnes predeterminades
650 650 label_no_change_option: (sense canvis)
651 651 label_bulk_edit_selected_issues: Edita en bloc els assumptes seleccionats
652 652 label_theme: Tema
653 653 label_default: Predeterminat
654 654 label_search_titles_only: Cerca només en els títols
655 655 label_user_mail_option_all: "Per qualsevol esdeveniment en tots els meus projectes"
656 656 label_user_mail_option_selected: "Per qualsevol esdeveniment en els projectes seleccionats..."
657 657 label_user_mail_option_none: "Només per les coses que vigilo o hi estic implicat"
658 658 label_user_mail_no_self_notified: "No vull ser notificat pels canvis que faig jo mateix"
659 659 label_registration_activation_by_email: activació del compte per correu electrònic
660 660 label_registration_manual_activation: activació del compte manual
661 661 label_registration_automatic_activation: activació del compte automàtica
662 662 label_display_per_page: "Per pàgina: {{value}}"
663 663 label_age: Edat
664 664 label_change_properties: Canvia les propietats
665 665 label_general: General
666 666 label_more: Més
667 667 label_scm: SCM
668 668 label_plugins: Connectors
669 669 label_ldap_authentication: Autenticació LDAP
670 670 label_downloads_abbr: Baixades
671 671 label_optional_description: Descripció opcional
672 672 label_add_another_file: Afegeix un altre fitxer
673 673 label_preferences: Preferències
674 674 label_chronological_order: En ordre cronològic
675 675 label_reverse_chronological_order: En ordre cronològic invers
676 676 label_planning: Planificació
677 677 label_incoming_emails: "Correu electrònics d'entrada"
678 678 label_generate_key: Genera una clau
679 679 label_issue_watchers: Vigilàncies
680 680 label_example: Exemple
681 681 label_display: Mostra
682 682 label_sort: Ordena
683 683 label_ascending: Ascendent
684 684 label_descending: Descendent
685 685 label_date_from_to: Des de {{start}} a {{end}}
686 686
687 687 button_login: Entra
688 688 button_submit: Tramet
689 689 button_save: Desa
690 690 button_check_all: Activa-ho tot
691 691 button_uncheck_all: Desactiva-ho tot
692 692 button_delete: Suprimeix
693 693 button_create: Crea
694 694 button_create_and_continue: Crea i continua
695 695 button_test: Test
696 696 button_edit: Edit
697 697 button_add: Afegeix
698 698 button_change: Canvia
699 699 button_apply: Aplica
700 700 button_clear: Neteja
701 701 button_lock: Bloca
702 702 button_unlock: Desbloca
703 703 button_download: Baixa
704 704 button_list: Llista
705 705 button_view: Visualitza
706 706 button_move: Mou
707 707 button_back: Enrere
708 708 button_cancel: Cancel·la
709 709 button_activate: Activa
710 710 button_sort: Ordena
711 711 button_log_time: "Hora d'entrada"
712 712 button_rollback: Torna a aquesta versió
713 713 button_watch: Vigila
714 714 button_unwatch: No vigilis
715 715 button_reply: Resposta
716 716 button_archive: Arxiva
717 717 button_unarchive: Desarxiva
718 718 button_reset: Reinicia
719 719 button_rename: Reanomena
720 720 button_change_password: Canvia la contrasenya
721 721 button_copy: Copia
722 722 button_annotate: Anota
723 723 button_update: Actualitza
724 724 button_configure: Configura
725 725 button_quote: Cita
726 726
727 727 status_active: actiu
728 728 status_registered: informat
729 729 status_locked: bloquejat
730 730
731 731 text_select_mail_notifications: "Seleccioneu les accions per les quals s'hauria d'enviar una notificació per correu electrònic."
732 732 text_regexp_info: ex. ^[A-Z0-9]+$
733 733 text_min_max_length_info: 0 significa sense restricció
734 734 text_project_destroy_confirmation: Segur que voleu suprimir aquest projecte i les dades relacionades?
735 735 text_subprojects_destroy_warning: "També seran suprimits els seus subprojectes: {{value}}."
736 736 text_workflow_edit: Seleccioneu un rol i un seguidor per a editar el flux de treball
737 737 text_are_you_sure: Segur?
738 738 text_tip_task_begin_day: "tasca que s'inicia aquest dia"
739 739 text_tip_task_end_day: tasca que finalitza aquest dia
740 740 text_tip_task_begin_end_day: "tasca que s'inicia i finalitza aquest dia"
741 741 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."
742 742 text_caracters_maximum: "{{count}} caràcters com a màxim."
743 743 text_caracters_minimum: "Com a mínim ha de tenir {{count}} caràcters."
744 744 text_length_between: "Longitud entre {{min}} i {{max}} caràcters."
745 745 text_tracker_no_workflow: "No s'ha definit cap flux de treball per a aquest seguidor"
746 746 text_unallowed_characters: Caràcters no permesos
747 747 text_comma_separated: Es permeten valors múltiples (separats per una coma).
748 748 text_issues_ref_in_commit_messages: Referència i soluciona els assumptes en els missatges publicats
749 749 text_issue_added: "L'assumpte {{id}} ha sigut informat per {{author}}."
750 750 text_issue_updated: "L'assumpte {{id}} ha sigut actualitzat per {{author}}."
751 751 text_wiki_destroy_confirmation: Segur que voleu suprimir aquest wiki i tots els seus continguts?
752 752 text_issue_category_destroy_question: "Alguns assumptes ({{count}}) estan assignats a aquesta categoria. Què voleu fer?"
753 753 text_issue_category_destroy_assignments: Suprimeix les assignacions de la categoria
754 754 text_issue_category_reassign_to: Torna a assignar els assumptes a aquesta categoria
755 755 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)."
756 756 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."
757 757 text_load_default_configuration: Carrega la configuració predeterminada
758 758 text_status_changed_by_changeset: "Aplicat en el conjunt de canvis {{value}}."
759 759 text_issues_destroy_confirmation: "Segur que voleu suprimir els assumptes seleccionats?"
760 760 text_select_project_modules: "Seleccioneu els mòduls a habilitar per a aquest projecte:"
761 761 text_default_administrator_account_changed: "S'ha canviat el compte d'administrador predeterminat"
762 762 text_file_repository_writable: Es pot escriure en el dipòsit de fitxers
763 763 text_plugin_assets_writable: Es pot escriure als connectors actius
764 764 text_rmagick_available: RMagick disponible (opcional)
765 765 text_destroy_time_entries_question: "S'han informat {{hours}} hores en els assumptes que aneu a suprimir. Què voleu fer?"
766 766 text_destroy_time_entries: Suprimeix les hores informades
767 767 text_assign_time_entries_to_project: Assigna les hores informades al projecte
768 768 text_reassign_time_entries: 'Torna a assignar les hores informades a aquest assumpte:'
769 769 text_user_wrote: "{{value}} va escriure:"
770 770 text_enumeration_destroy_question: "{{count}} objectes estan assignats a aquest valor."
771 771 text_enumeration_category_reassign_to: 'Torna a assignar-los a aquest valor:'
772 772 text_email_delivery_not_configured: "El lliurament per correu electrònic no està configurat i les notificacions estan inhabilitades.\nConfigureu el servidor SMTP a config/email.yml i reinicieu l'aplicació per habilitar-lo."
773 773 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."
774 774 text_diff_truncated: "... Aquestes diferències s'han trucat perquè excedeixen la mida màxima que es pot mostrar."
775 775 text_custom_field_possible_values_info: 'Una línia per a cada valor'
776 776
777 777 default_role_manager: Gestor
778 778 default_role_developper: Desenvolupador
779 779 default_role_reporter: Informador
780 780 default_tracker_bug: Error
781 781 default_tracker_feature: Característica
782 782 default_tracker_support: Suport
783 783 default_issue_status_new: Nou
784 784 default_issue_status_in_progress: In Progress
785 785 default_issue_status_resolved: Resolt
786 786 default_issue_status_feedback: Comentaris
787 787 default_issue_status_closed: Tancat
788 788 default_issue_status_rejected: Rebutjat
789 789 default_doc_category_user: "Documentació d'usuari"
790 790 default_doc_category_tech: Documentació tècnica
791 791 default_priority_low: Baixa
792 792 default_priority_normal: Normal
793 793 default_priority_high: Alta
794 794 default_priority_urgent: Urgent
795 795 default_priority_immediate: Immediata
796 796 default_activity_design: Disseny
797 797 default_activity_development: Desenvolupament
798 798
799 799 enumeration_issue_priorities: Prioritat dels assumptes
800 800 enumeration_doc_categories: Categories del document
801 801 enumeration_activities: Activitats (seguidor de temps)
802 802 label_greater_or_equal: ">="
803 803 label_less_or_equal: <=
804 804 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
805 805 text_wiki_page_reassign_children: Reassign child pages to this parent page
806 806 text_wiki_page_nullify_children: Keep child pages as root pages
807 807 text_wiki_page_destroy_children: Delete child pages and all their descendants
808 808 setting_password_min_length: Minimum password length
809 809 field_group_by: Group results by
810 810 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
811 811 label_wiki_content_added: Wiki page added
812 812 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
813 813 mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}.
814 814 label_wiki_content_updated: Wiki page updated
815 815 mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}.
816 816 permission_add_project: Create project
817 817 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
818 818 label_view_all_revisions: View all revisions
819 819 label_tag: Tag
820 820 label_branch: Branch
821 821 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
822 822 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
823 823 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
824 824 text_journal_set_to: "{{label}} set to {{value}}"
825 825 text_journal_deleted: "{{label}} deleted ({{old}})"
826 826 label_group_plural: Groups
827 827 label_group: Group
828 828 label_group_new: New group
829 829 label_time_entry_plural: Spent time
830 830 text_journal_added: "{{label}} {{value}} added"
831 831 field_active: Active
832 832 enumeration_system_activity: System Activity
833 833 permission_delete_issue_watchers: Delete watchers
834 834 version_status_closed: closed
835 835 version_status_locked: locked
836 836 version_status_open: open
837 837 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
838 838 label_user_anonymous: Anonymous
839 839 button_move_and_follow: Move and follow
840 840 setting_default_projects_modules: Default enabled modules for new projects
841 841 setting_gravatar_default: Default Gravatar image
842 842 field_sharing: Sharing
843 843 label_version_sharing_hierarchy: With project hierarchy
844 844 label_version_sharing_system: With all projects
845 845 label_version_sharing_descendants: With subprojects
846 846 label_version_sharing_tree: With project tree
847 847 label_version_sharing_none: Not shared
848 848 error_can_not_archive_project: This project can not be archived
849 849 button_duplicate: Duplicate
850 850 button_copy_and_follow: Copy and follow
851 851 label_copy_source: Source
852 852 setting_issue_done_ratio: Calculate the issue done ratio with
853 853 setting_issue_done_ratio_issue_status: Use the issue status
854 854 error_issue_done_ratios_not_updated: Issue done ratios not updated.
855 855 error_workflow_copy_target: Please select target tracker(s) and role(s)
856 856 setting_issue_done_ratio_issue_field: Use the issue field
857 857 label_copy_same_as_target: Same as target
858 858 label_copy_target: Target
859 859 notice_issue_done_ratios_updated: Issue done ratios updated.
860 860 error_workflow_copy_source: Please select a source tracker or role
861 861 label_update_issue_done_ratios: Update issue done ratios
862 862 setting_start_of_week: Start calendars on
863 863 permission_view_issues: View Issues
864 864 label_display_used_statuses_only: Only display statuses that are used by this tracker
865 865 label_revision_id: Revision {{value}}
866 866 label_api_access_key: API access key
867 867 label_api_access_key_created_on: API access key created {{value}} ago
868 868 label_feeds_access_key: RSS access key
869 869 notice_api_access_key_reseted: Your API access key was reset.
870 870 setting_rest_api_enabled: Enable REST web service
871 871 label_missing_api_access_key: Missing an API access key
872 872 label_missing_feeds_access_key: Missing a RSS access key
873 873 button_show: Show
874 874 text_line_separated: Multiple values allowed (one line for each value).
875 875 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
876 876 permission_add_subprojects: Create subprojects
877 877 label_subproject_new: New subproject
878 878 text_own_membership_delete_confirmation: |-
879 879 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
880 880 Are you sure you want to continue?
881 881 label_close_versions: Close completed versions
882 882 label_board_sticky: Sticky
883 883 label_board_locked: Locked
884 884 permission_export_wiki_pages: Export wiki pages
885 885 setting_cache_formatted_text: Cache formatted text
886 886 permission_manage_project_activities: Manage project activities
887 887 error_unable_delete_issue_status: Unable to delete issue status
888 888 label_profile: Profile
889 889 permission_manage_subtasks: Manage subtasks
890 890 field_parent_issue: Parent task
891 891 label_subtask_plural: Subtasks
892 label_project_copy_notifications: Send email notifications during the project copy
@@ -1,894 +1,895
1 1 cs:
2 2 date:
3 3 formats:
4 4 # Use the strftime parameters for formats.
5 5 # When no format has been given, it uses default.
6 6 # You can provide other formats here if you like!
7 7 default: "%Y-%m-%d"
8 8 short: "%b %d"
9 9 long: "%B %d, %Y"
10 10
11 11 day_names: [Neděle, Pondělí, Úterý, Středa, Čtvrtek, Pátek, Sobota]
12 12 abbr_day_names: [Ne, Po, Út, St, Čt, , So]
13 13
14 14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
15 15 month_names: [~, Leden, Únor, Březen, Duben, Květen, Červen, Červenec, Srpen, Září, Říjen, Listopad, Prosinec]
16 16 abbr_month_names: [~, Led, Úno, Bře, Dub, Kvě, Čer, Čec, Srp, Zář, Říj, Lis, Pro]
17 17 # Used in date_select and datime_select.
18 18 order: [ :year, :month, :day ]
19 19
20 20 time:
21 21 formats:
22 22 default: "%a, %d %b %Y %H:%M:%S %z"
23 23 time: "%H:%M"
24 24 short: "%d %b %H:%M"
25 25 long: "%B %d, %Y %H:%M"
26 26 am: "am"
27 27 pm: "pm"
28 28
29 29 datetime:
30 30 distance_in_words:
31 31 half_a_minute: "půl minuty"
32 32 less_than_x_seconds:
33 33 one: "méně než sekunda"
34 34 other: "méně než {{count}} sekund"
35 35 x_seconds:
36 36 one: "1 sekunda"
37 37 other: "{{count}} sekund"
38 38 less_than_x_minutes:
39 39 one: "méně než minuta"
40 40 other: "méně než {{count}} minut"
41 41 x_minutes:
42 42 one: "1 minuta"
43 43 other: "{{count}} minut"
44 44 about_x_hours:
45 45 one: "asi 1 hodina"
46 46 other: "asi {{count}} hodin"
47 47 x_days:
48 48 one: "1 den"
49 49 other: "{{count}} dnů"
50 50 about_x_months:
51 51 one: "asi 1 měsíc"
52 52 other: "asi {{count}} měsíců"
53 53 x_months:
54 54 one: "1 měsíc"
55 55 other: "{{count}} měsíců"
56 56 about_x_years:
57 57 one: "asi 1 rok"
58 58 other: "asi {{count}} let"
59 59 over_x_years:
60 60 one: "více než 1 rok"
61 61 other: "více než {{count}} roky"
62 62 almost_x_years:
63 63 one: "almost 1 year"
64 64 other: "almost {{count}} years"
65 65
66 66 number:
67 67 human:
68 68 format:
69 69 precision: 1
70 70 delimiter: ""
71 71 storage_units:
72 72 format: "%n %u"
73 73 units:
74 74 kb: KB
75 75 tb: TB
76 76 gb: GB
77 77 byte:
78 78 one: Byte
79 79 other: Bytes
80 80 mb: MB
81 81
82 82 # Used in array.to_sentence.
83 83 support:
84 84 array:
85 85 sentence_connector: "a"
86 86 skip_last_comma: false
87 87
88 88 activerecord:
89 89 errors:
90 90 messages:
91 91 inclusion: "není zahrnuto v seznamu"
92 92 exclusion: "je rezervováno"
93 93 invalid: "je neplatné"
94 94 confirmation: "se neshoduje s potvrzením"
95 95 accepted: "musí být akceptováno"
96 96 empty: "nemůže být prázdný"
97 97 blank: "nemůže být prázdný"
98 98 too_long: "je příliš dlouhý"
99 99 too_short: "je příliš krátký"
100 100 wrong_length: "má chybnou délku"
101 101 taken: "je již použito"
102 102 not_a_number: "není číslo"
103 103 not_a_date: "není platné datum"
104 104 greater_than: "musí být větší než {{count}}"
105 105 greater_than_or_equal_to: "musí být větší nebo rovno {{count}}"
106 106 equal_to: "musí být přesně {{count}}"
107 107 less_than: "musí být méně než {{count}}"
108 108 less_than_or_equal_to: "musí být méně nebo rovno {{count}}"
109 109 odd: "musí být liché"
110 110 even: "musí být sudé"
111 111 greater_than_start_date: "musí být větší než počáteční datum"
112 112 not_same_project: "nepatří stejnému projektu"
113 113 circular_dependency: "Tento vztah by vytvořil cyklickou závislost"
114 114
115 115 # Updated by Josef Liška <jl@chl.cz>
116 116 # CZ translation by Maxim Krušina | Massimo Filippi, s.r.o. | maxim@mxm.cz
117 117 # Based on original CZ translation by Jan Kadleček
118 118
119 119 actionview_instancetag_blank_option: Prosím vyberte
120 120
121 121 general_text_No: 'Ne'
122 122 general_text_Yes: 'Ano'
123 123 general_text_no: 'ne'
124 124 general_text_yes: 'ano'
125 125 general_lang_name: 'Čeština'
126 126 general_csv_separator: ','
127 127 general_csv_decimal_separator: '.'
128 128 general_csv_encoding: UTF-8
129 129 general_pdf_encoding: UTF-8
130 130 general_first_day_of_week: '1'
131 131
132 132 notice_account_updated: Účet byl úspěšně změněn.
133 133 notice_account_invalid_creditentials: Chybné jméno nebo heslo
134 134 notice_account_password_updated: Heslo bylo úspěšně změněno.
135 135 notice_account_wrong_password: Chybné heslo
136 136 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.
137 137 notice_account_unknown_email: Neznámý uživatel.
138 138 notice_can_t_change_password: Tento účet používá externí autentifikaci. Zde heslo změnit nemůžete.
139 139 notice_account_lost_email_sent: Byl vám zaslán email s intrukcemi jak si nastavíte nové heslo.
140 140 notice_account_activated: Váš účet byl aktivován. Nyní se můžete přihlásit.
141 141 notice_successful_create: Úspěšně vytvořeno.
142 142 notice_successful_update: Úspěšně aktualizováno.
143 143 notice_successful_delete: Úspěšně odstraněno.
144 144 notice_successful_connection: Úspěšné připojení.
145 145 notice_file_not_found: Stránka na kterou se snažíte zobrazit neexistuje nebo byla smazána.
146 146 notice_locking_conflict: Údaje byly změněny jiným uživatelem.
147 147 notice_scm_error: Entry and/or revision doesn't exist in the repository.
148 148 notice_not_authorized: Nemáte dostatečná práva pro zobrazení této stránky.
149 149 notice_email_sent: "Na adresu {{value}} byl odeslán email"
150 150 notice_email_error: "Při odesílání emailu nastala chyba ({{value}})"
151 151 notice_feeds_access_key_reseted: Váš klíč pro přístup k RSS byl resetován.
152 152 notice_failed_to_save_issues: "Failed to save {{count}} issue(s) on {{total}} selected: {{ids}}."
153 153 notice_no_issue_selected: "Nebyl zvolen žádný úkol. Prosím, zvolte úkoly, které chcete editovat"
154 154 notice_account_pending: "Váš účet byl vytvořen, nyní čeká na schválení administrátorem."
155 155 notice_default_data_loaded: Výchozí konfigurace úspěšně nahrána.
156 156
157 157 error_can_t_load_default_data: "Výchozí konfigurace nebyla nahrána: {{value}}"
158 158 error_scm_not_found: "Položka a/nebo revize neexistují v repository."
159 159 error_scm_command_failed: "Při pokusu o přístup k repository došlo k chybě: {{value}}"
160 160 error_issue_not_found_in_project: 'Úkol nebyl nalezen nebo nepatří k tomuto projektu'
161 161
162 162 mail_subject_lost_password: "Vaše heslo ({{value}})"
163 163 mail_body_lost_password: 'Pro změnu vašeho hesla klikněte na následující odkaz:'
164 164 mail_subject_register: "Aktivace účtu ({{value}})"
165 165 mail_body_register: 'Pro aktivaci vašeho účtu klikněte na následující odkaz:'
166 166 mail_body_account_information_external: "Pomocí vašeho účtu {{value}} se můžete přihlásit."
167 167 mail_body_account_information: Informace o vašem účtu
168 168 mail_subject_account_activation_request: "Aktivace {{value}} účtu"
169 169 mail_body_account_activation_request: "Byl zaregistrován nový uživatel {{value}}. Aktivace jeho účtu závisí na vašem potvrzení."
170 170
171 171 gui_validation_error: 1 chyba
172 172 gui_validation_error_plural: "{{count}} chyb(y)"
173 173
174 174 field_name: Název
175 175 field_description: Popis
176 176 field_summary: Přehled
177 177 field_is_required: Povinné pole
178 178 field_firstname: Jméno
179 179 field_lastname: Příjmení
180 180 field_mail: Email
181 181 field_filename: Soubor
182 182 field_filesize: Velikost
183 183 field_downloads: Staženo
184 184 field_author: Autor
185 185 field_created_on: Vytvořeno
186 186 field_updated_on: Aktualizováno
187 187 field_field_format: Formát
188 188 field_is_for_all: Pro všechny projekty
189 189 field_possible_values: Možné hodnoty
190 190 field_regexp: Regulární výraz
191 191 field_min_length: Minimální délka
192 192 field_max_length: Maximální délka
193 193 field_value: Hodnota
194 194 field_category: Kategorie
195 195 field_title: Název
196 196 field_project: Projekt
197 197 field_issue: Úkol
198 198 field_status: Stav
199 199 field_notes: Poznámka
200 200 field_is_closed: Úkol uzavřen
201 201 field_is_default: Výchozí stav
202 202 field_tracker: Fronta
203 203 field_subject: Předmět
204 204 field_due_date: Uzavřít do
205 205 field_assigned_to: Přiřazeno
206 206 field_priority: Priorita
207 207 field_fixed_version: Přiřazeno k verzi
208 208 field_user: Uživatel
209 209 field_role: Role
210 210 field_homepage: Homepage
211 211 field_is_public: Veřejný
212 212 field_parent: Nadřazený projekt
213 213 field_is_in_roadmap: Úkoly zobrazené v plánu
214 214 field_login: Přihlášení
215 215 field_mail_notification: Emailová oznámení
216 216 field_admin: Administrátor
217 217 field_last_login_on: Poslední přihlášení
218 218 field_language: Jazyk
219 219 field_effective_date: Datum
220 220 field_password: Heslo
221 221 field_new_password: Nové heslo
222 222 field_password_confirmation: Potvrzení
223 223 field_version: Verze
224 224 field_type: Typ
225 225 field_host: Host
226 226 field_port: Port
227 227 field_account: Účet
228 228 field_base_dn: Base DN
229 229 field_attr_login: Přihlášení (atribut)
230 230 field_attr_firstname: Jméno (atribut)
231 231 field_attr_lastname: Příjemní (atribut)
232 232 field_attr_mail: Email (atribut)
233 233 field_onthefly: Automatické vytváření uživatelů
234 234 field_start_date: Začátek
235 235 field_done_ratio: % Hotovo
236 236 field_auth_source: Autentifikační mód
237 237 field_hide_mail: Nezobrazovat můj email
238 238 field_comments: Komentář
239 239 field_url: URL
240 240 field_start_page: Výchozí stránka
241 241 field_subproject: Podprojekt
242 242 field_hours: Hodiny
243 243 field_activity: Aktivita
244 244 field_spent_on: Datum
245 245 field_identifier: Identifikátor
246 246 field_is_filter: Použít jako filtr
247 247 field_issue_to: Související úkol
248 248 field_delay: Zpoždění
249 249 field_assignable: Úkoly mohou být přiřazeny této roli
250 250 field_redirect_existing_links: Přesměrovat stvávající odkazy
251 251 field_estimated_hours: Odhadovaná doba
252 252 field_column_names: Sloupce
253 253 field_time_zone: Časové pásmo
254 254 field_searchable: Umožnit vyhledávání
255 255 field_default_value: Výchozí hodnota
256 256 field_comments_sorting: Zobrazit komentáře
257 257
258 258 setting_app_title: Název aplikace
259 259 setting_app_subtitle: Podtitulek aplikace
260 260 setting_welcome_text: Uvítací text
261 261 setting_default_language: Výchozí jazyk
262 262 setting_login_required: Auten. vyžadována
263 263 setting_self_registration: Povolena automatická registrace
264 264 setting_attachment_max_size: Maximální velikost přílohy
265 265 setting_issues_export_limit: Limit pro export úkolů
266 266 setting_mail_from: Odesílat emaily z adresy
267 267 setting_bcc_recipients: Příjemci skryté kopie (bcc)
268 268 setting_host_name: Host name
269 269 setting_text_formatting: Formátování textu
270 270 setting_wiki_compression: Komperese historie Wiki
271 271 setting_feeds_limit: Feed content limit
272 272 setting_default_projects_public: Nové projekty nastavovat jako veřejné
273 273 setting_autofetch_changesets: Autofetch commits
274 274 setting_sys_api_enabled: Povolit WS pro správu repozitory
275 275 setting_commit_ref_keywords: Klíčová slova pro odkazy
276 276 setting_commit_fix_keywords: Klíčová slova pro uzavření
277 277 setting_autologin: Automatické přihlašování
278 278 setting_date_format: Formát data
279 279 setting_time_format: Formát času
280 280 setting_cross_project_issue_relations: Povolit vazby úkolů napříč projekty
281 281 setting_issue_list_default_columns: Výchozí sloupce zobrazené v seznamu úkolů
282 282 setting_repositories_encodings: Kódování
283 283 setting_emails_footer: Patička emailů
284 284 setting_protocol: Protokol
285 285 setting_per_page_options: Povolené počty řádků na stránce
286 286 setting_user_format: Formát zobrazení uživatele
287 287 setting_activity_days_default: Days displayed on project activity
288 288 setting_display_subprojects_issues: Display subprojects issues on main projects by default
289 289
290 290 project_module_issue_tracking: Sledování úkolů
291 291 project_module_time_tracking: Sledování času
292 292 project_module_news: Novinky
293 293 project_module_documents: Dokumenty
294 294 project_module_files: Soubory
295 295 project_module_wiki: Wiki
296 296 project_module_repository: Repository
297 297 project_module_boards: Diskuse
298 298
299 299 label_user: Uživatel
300 300 label_user_plural: Uživatelé
301 301 label_user_new: Nový uživatel
302 302 label_project: Projekt
303 303 label_project_new: Nový projekt
304 304 label_project_plural: Projekty
305 305 label_x_projects:
306 306 zero: no projects
307 307 one: 1 project
308 308 other: "{{count}} projects"
309 309 label_project_all: Všechny projekty
310 310 label_project_latest: Poslední projekty
311 311 label_issue: Úkol
312 312 label_issue_new: Nový úkol
313 313 label_issue_plural: Úkoly
314 314 label_issue_view_all: Všechny úkoly
315 315 label_issues_by: "Úkoly od uživatele {{value}}"
316 316 label_issue_added: Úkol přidán
317 317 label_issue_updated: Úkol aktualizován
318 318 label_document: Dokument
319 319 label_document_new: Nový dokument
320 320 label_document_plural: Dokumenty
321 321 label_document_added: Dokument přidán
322 322 label_role: Role
323 323 label_role_plural: Role
324 324 label_role_new: Nová role
325 325 label_role_and_permissions: Role a práva
326 326 label_member: Člen
327 327 label_member_new: Nový člen
328 328 label_member_plural: Členové
329 329 label_tracker: Fronta
330 330 label_tracker_plural: Fronty
331 331 label_tracker_new: Nová fronta
332 332 label_workflow: Workflow
333 333 label_issue_status: Stav úkolu
334 334 label_issue_status_plural: Stavy úkolů
335 335 label_issue_status_new: Nový stav
336 336 label_issue_category: Kategorie úkolu
337 337 label_issue_category_plural: Kategorie úkolů
338 338 label_issue_category_new: Nová kategorie
339 339 label_custom_field: Uživatelské pole
340 340 label_custom_field_plural: Uživatelská pole
341 341 label_custom_field_new: Nové uživatelské pole
342 342 label_enumerations: Seznamy
343 343 label_enumeration_new: Nová hodnota
344 344 label_information: Informace
345 345 label_information_plural: Informace
346 346 label_please_login: Prosím přihlašte se
347 347 label_register: Registrovat
348 348 label_password_lost: Zapomenuté heslo
349 349 label_home: Úvodní
350 350 label_my_page: Moje stránka
351 351 label_my_account: Můj účet
352 352 label_my_projects: Moje projekty
353 353 label_administration: Administrace
354 354 label_login: Přihlášení
355 355 label_logout: Odhlášení
356 356 label_help: Nápověda
357 357 label_reported_issues: Nahlášené úkoly
358 358 label_assigned_to_me_issues: Mé úkoly
359 359 label_last_login: Poslední přihlášení
360 360 label_registered_on: Registrován
361 361 label_activity: Aktivita
362 362 label_overall_activity: Celková aktivita
363 363 label_new: Nový
364 364 label_logged_as: Přihlášen jako
365 365 label_environment: Prostředí
366 366 label_authentication: Autentifikace
367 367 label_auth_source: Mód autentifikace
368 368 label_auth_source_new: Nový mód autentifikace
369 369 label_auth_source_plural: Módy autentifikace
370 370 label_subproject_plural: Podprojekty
371 371 label_min_max_length: Min - Max délka
372 372 label_list: Seznam
373 373 label_date: Datum
374 374 label_integer: Celé číslo
375 375 label_float: Desetiné číslo
376 376 label_boolean: Ano/Ne
377 377 label_string: Text
378 378 label_text: Dlouhý text
379 379 label_attribute: Atribut
380 380 label_attribute_plural: Atributy
381 381 label_download: "{{count}} Download"
382 382 label_download_plural: "{{count}} Downloads"
383 383 label_no_data: Žádné položky
384 384 label_change_status: Změnit stav
385 385 label_history: Historie
386 386 label_attachment: Soubor
387 387 label_attachment_new: Nový soubor
388 388 label_attachment_delete: Odstranit soubor
389 389 label_attachment_plural: Soubory
390 390 label_file_added: Soubor přidán
391 391 label_report: Přeheled
392 392 label_report_plural: Přehledy
393 393 label_news: Novinky
394 394 label_news_new: Přidat novinku
395 395 label_news_plural: Novinky
396 396 label_news_latest: Poslední novinky
397 397 label_news_view_all: Zobrazit všechny novinky
398 398 label_news_added: Novinka přidána
399 399 label_settings: Nastavení
400 400 label_overview: Přehled
401 401 label_version: Verze
402 402 label_version_new: Nová verze
403 403 label_version_plural: Verze
404 404 label_confirmation: Potvrzení
405 405 label_export_to: 'Také k dispozici:'
406 406 label_read: Načítá se...
407 407 label_public_projects: Veřejné projekty
408 408 label_open_issues: otevřený
409 409 label_open_issues_plural: otevřené
410 410 label_closed_issues: uzavřený
411 411 label_closed_issues_plural: uzavřené
412 412 label_x_open_issues_abbr_on_total:
413 413 zero: 0 open / {{total}}
414 414 one: 1 open / {{total}}
415 415 other: "{{count}} open / {{total}}"
416 416 label_x_open_issues_abbr:
417 417 zero: 0 open
418 418 one: 1 open
419 419 other: "{{count}} open"
420 420 label_x_closed_issues_abbr:
421 421 zero: 0 closed
422 422 one: 1 closed
423 423 other: "{{count}} closed"
424 424 label_total: Celkem
425 425 label_permissions: Práva
426 426 label_current_status: Aktuální stav
427 427 label_new_statuses_allowed: Nové povolené stavy
428 428 label_all: vše
429 429 label_none: nic
430 430 label_nobody: nikdo
431 431 label_next: Další
432 432 label_previous: Předchozí
433 433 label_used_by: Použito
434 434 label_details: Detaily
435 435 label_add_note: Přidat poznámku
436 436 label_per_page: Na stránku
437 437 label_calendar: Kalendář
438 438 label_months_from: měsíců od
439 439 label_gantt: Ganttův graf
440 440 label_internal: Interní
441 441 label_last_changes: "posledních {{count}} změn"
442 442 label_change_view_all: Zobrazit všechny změny
443 443 label_personalize_page: Přizpůsobit tuto stránku
444 444 label_comment: Komentář
445 445 label_comment_plural: Komentáře
446 446 label_x_comments:
447 447 zero: no comments
448 448 one: 1 comment
449 449 other: "{{count}} comments"
450 450 label_comment_add: Přidat komentáře
451 451 label_comment_added: Komentář přidán
452 452 label_comment_delete: Odstranit komentář
453 453 label_query: Uživatelský dotaz
454 454 label_query_plural: Uživatelské dotazy
455 455 label_query_new: Nový dotaz
456 456 label_filter_add: Přidat filtr
457 457 label_filter_plural: Filtry
458 458 label_equals: je
459 459 label_not_equals: není
460 460 label_in_less_than: je měší než
461 461 label_in_more_than: je větší než
462 462 label_in: v
463 463 label_today: dnes
464 464 label_all_time: vše
465 465 label_yesterday: včera
466 466 label_this_week: tento týden
467 467 label_last_week: minulý týden
468 468 label_last_n_days: "posledních {{count}} dnů"
469 469 label_this_month: tento měsíc
470 470 label_last_month: minulý měsíc
471 471 label_this_year: tento rok
472 472 label_date_range: Časový rozsah
473 473 label_less_than_ago: před méně jak (dny)
474 474 label_more_than_ago: před více jak (dny)
475 475 label_ago: před (dny)
476 476 label_contains: obsahuje
477 477 label_not_contains: neobsahuje
478 478 label_day_plural: dny
479 479 label_repository: Repository
480 480 label_repository_plural: Repository
481 481 label_browse: Procházet
482 482 label_modification: "{{count}} změna"
483 483 label_modification_plural: "{{count}} změn"
484 484 label_revision: Revize
485 485 label_revision_plural: Revizí
486 486 label_associated_revisions: Související verze
487 487 label_added: přidáno
488 488 label_modified: změněno
489 489 label_deleted: odstraněno
490 490 label_latest_revision: Poslední revize
491 491 label_latest_revision_plural: Poslední revize
492 492 label_view_revisions: Zobrazit revize
493 493 label_max_size: Maximální velikost
494 494 label_sort_highest: Přesunout na začátek
495 495 label_sort_higher: Přesunout nahoru
496 496 label_sort_lower: Přesunout dolů
497 497 label_sort_lowest: Přesunout na konec
498 498 label_roadmap: Plán
499 499 label_roadmap_due_in: "Zbývá {{value}}"
500 500 label_roadmap_overdue: "{{value}} pozdě"
501 501 label_roadmap_no_issues: Pro tuto verzi nejsou žádné úkoly
502 502 label_search: Hledat
503 503 label_result_plural: Výsledky
504 504 label_all_words: Všechna slova
505 505 label_wiki: Wiki
506 506 label_wiki_edit: Wiki úprava
507 507 label_wiki_edit_plural: Wiki úpravy
508 508 label_wiki_page: Wiki stránka
509 509 label_wiki_page_plural: Wiki stránky
510 510 label_index_by_title: Index dle názvu
511 511 label_index_by_date: Index dle data
512 512 label_current_version: Aktuální verze
513 513 label_preview: Náhled
514 514 label_feed_plural: Příspěvky
515 515 label_changes_details: Detail všech změn
516 516 label_issue_tracking: Sledování úkolů
517 517 label_spent_time: Strávený čas
518 518 label_f_hour: "{{value}} hodina"
519 519 label_f_hour_plural: "{{value}} hodin"
520 520 label_time_tracking: Sledování času
521 521 label_change_plural: Změny
522 522 label_statistics: Statistiky
523 523 label_commits_per_month: Commitů za měsíc
524 524 label_commits_per_author: Commitů za autora
525 525 label_view_diff: Zobrazit rozdíly
526 526 label_diff_inline: uvnitř
527 527 label_diff_side_by_side: vedle sebe
528 528 label_options: Nastavení
529 529 label_copy_workflow_from: Kopírovat workflow z
530 530 label_permissions_report: Přehled práv
531 531 label_watched_issues: Sledované úkoly
532 532 label_related_issues: Související úkoly
533 533 label_applied_status: Použitý stav
534 534 label_loading: Nahrávám...
535 535 label_relation_new: Nová souvislost
536 536 label_relation_delete: Odstranit souvislost
537 537 label_relates_to: související s
538 538 label_duplicates: duplicity
539 539 label_blocks: bloků
540 540 label_blocked_by: zablokován
541 541 label_precedes: předchází
542 542 label_follows: následuje
543 543 label_end_to_start: od konce do začátku
544 544 label_end_to_end: od konce do konce
545 545 label_start_to_start: od začátku do začátku
546 546 label_start_to_end: od začátku do konce
547 547 label_stay_logged_in: Zůstat přihlášený
548 548 label_disabled: zakázán
549 549 label_show_completed_versions: Ukázat dokončené verze
550 550 label_me:
551 551 label_board: Fórum
552 552 label_board_new: Nové fórum
553 553 label_board_plural: Fóra
554 554 label_topic_plural: Témata
555 555 label_message_plural: Zprávy
556 556 label_message_last: Poslední zpráva
557 557 label_message_new: Nová zpráva
558 558 label_message_posted: Zpráva přidána
559 559 label_reply_plural: Odpovědi
560 560 label_send_information: Zaslat informace o účtu uživateli
561 561 label_year: Rok
562 562 label_month: Měsíc
563 563 label_week: Týden
564 564 label_date_from: Od
565 565 label_date_to: Do
566 566 label_language_based: Podle výchozího jazyku
567 567 label_sort_by: "Seřadit podle {{value}}"
568 568 label_send_test_email: Poslat testovací email
569 569 label_feeds_access_key_created_on: "Přístupový klíč pro RSS byl vytvořen před {{value}}"
570 570 label_module_plural: Moduly
571 571 label_added_time_by: "Přidáno uživatelem {{author}} před {{age}}"
572 572 label_updated_time: "Aktualizováno před {{value}}"
573 573 label_jump_to_a_project: Zvolit projekt...
574 574 label_file_plural: Soubory
575 575 label_changeset_plural: Changesety
576 576 label_default_columns: Výchozí sloupce
577 577 label_no_change_option: (beze změny)
578 578 label_bulk_edit_selected_issues: Bulk edit selected issues
579 579 label_theme: Téma
580 580 label_default: Výchozí
581 581 label_search_titles_only: Vyhledávat pouze v názvech
582 582 label_user_mail_option_all: "Pro všechny události všech mých projektů"
583 583 label_user_mail_option_selected: "Pro všechny události vybraných projektů..."
584 584 label_user_mail_option_none: "Pouze pro události které sleduji nebo které se mne týkají"
585 585 label_user_mail_no_self_notified: "Nezasílat informace o mnou vytvořených změnách"
586 586 label_registration_activation_by_email: aktivace účtu emailem
587 587 label_registration_manual_activation: manuální aktivace účtu
588 588 label_registration_automatic_activation: automatická aktivace účtu
589 589 label_display_per_page: "{{value}} na stránku"
590 590 label_age: Věk
591 591 label_change_properties: Změnit vlastnosti
592 592 label_general: Obecné
593 593 label_more: Více
594 594 label_scm: SCM
595 595 label_plugins: Doplňky
596 596 label_ldap_authentication: Autentifikace LDAP
597 597 label_downloads_abbr: D/L
598 598 label_optional_description: Volitelný popis
599 599 label_add_another_file: Přidat další soubor
600 600 label_preferences: Nastavení
601 601 label_chronological_order: V chronologickém pořadí
602 602 label_reverse_chronological_order: V obrácaném chronologickém pořadí
603 603
604 604 button_login: Přihlásit
605 605 button_submit: Potvrdit
606 606 button_save: Uložit
607 607 button_check_all: Zašrtnout vše
608 608 button_uncheck_all: Odšrtnout vše
609 609 button_delete: Odstranit
610 610 button_create: Vytvořit
611 611 button_test: Test
612 612 button_edit: Upravit
613 613 button_add: Přidat
614 614 button_change: Změnit
615 615 button_apply: Použít
616 616 button_clear: Smazat
617 617 button_lock: Zamknout
618 618 button_unlock: Odemknout
619 619 button_download: Stáhnout
620 620 button_list: Vypsat
621 621 button_view: Zobrazit
622 622 button_move: Přesunout
623 623 button_back: Zpět
624 624 button_cancel: Storno
625 625 button_activate: Aktivovat
626 626 button_sort: Seřadit
627 627 button_log_time: Přidat čas
628 628 button_rollback: Zpět k této verzi
629 629 button_watch: Sledovat
630 630 button_unwatch: Nesledovat
631 631 button_reply: Odpovědět
632 632 button_archive: Archivovat
633 633 button_unarchive: Odarchivovat
634 634 button_reset: Reset
635 635 button_rename: Přejmenovat
636 636 button_change_password: Změnit heslo
637 637 button_copy: Kopírovat
638 638 button_annotate: Komentovat
639 639 button_update: Aktualizovat
640 640 button_configure: Konfigurovat
641 641
642 642 status_active: aktivní
643 643 status_registered: registrovaný
644 644 status_locked: uzamčený
645 645
646 646 text_select_mail_notifications: Vyberte akci při které bude zasláno upozornění emailem.
647 647 text_regexp_info: např. ^[A-Z0-9]+$
648 648 text_min_max_length_info: 0 znamená bez limitu
649 649 text_project_destroy_confirmation: Jste si jisti, že chcete odstranit tento projekt a všechna související data ?
650 650 text_workflow_edit: Vyberte roli a frontu k editaci workflow
651 651 text_are_you_sure: Jste si jisti?
652 652 text_tip_task_begin_day: úkol začíná v tento den
653 653 text_tip_task_end_day: úkol končí v tento den
654 654 text_tip_task_begin_end_day: úkol začíná a končí v tento den
655 655 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.'
656 656 text_caracters_maximum: "{{count}} znaků maximálně."
657 657 text_caracters_minimum: "Musí být alespoň {{count}} znaků dlouhé."
658 658 text_length_between: "Délka mezi {{min}} a {{max}} znaky."
659 659 text_tracker_no_workflow: Pro tuto frontu není definován žádný workflow
660 660 text_unallowed_characters: Nepovolené znaky
661 661 text_comma_separated: Povoleno více hodnot (oddělěné čárkou).
662 662 text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages
663 663 text_issue_added: "Úkol {{id}} byl vytvořen uživatelem {{author}}."
664 664 text_issue_updated: "Úkol {{id}} byl aktualizován uživatelem {{author}}."
665 665 text_wiki_destroy_confirmation: Opravdu si přejete odstranit tuto WIKI a celý její obsah?
666 666 text_issue_category_destroy_question: "Některé úkoly ({{count}}) jsou přiřazeny k této kategorii. Co s nimi chtete udělat?"
667 667 text_issue_category_destroy_assignments: Zrušit přiřazení ke kategorii
668 668 text_issue_category_reassign_to: Přiřadit úkoly do této kategorie
669 669 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))."
670 670 text_no_configuration_data: "Role, fronty, stavy úkolů ani workflow nebyly zatím nakonfigurovány.\nVelice doporučujeme nahrát výchozí konfiguraci.Po si můžete vše upravit"
671 671 text_load_default_configuration: Nahrát výchozí konfiguraci
672 672 text_status_changed_by_changeset: "Použito v changesetu {{value}}."
673 673 text_issues_destroy_confirmation: 'Opravdu si přejete odstranit všechny zvolené úkoly?'
674 674 text_select_project_modules: 'Aktivní moduly v tomto projektu:'
675 675 text_default_administrator_account_changed: Výchozí nastavení administrátorského účtu změněno
676 676 text_file_repository_writable: Povolen zápis do repository
677 677 text_rmagick_available: RMagick k dispozici (volitelné)
678 678 text_destroy_time_entries_question: "U úkolů, které chcete odstranit je evidováno {{hours}} práce. Co chete udělat?"
679 679 text_destroy_time_entries: Odstranit evidované hodiny.
680 680 text_assign_time_entries_to_project: Přiřadit evidované hodiny projektu
681 681 text_reassign_time_entries: 'Přeřadit evidované hodiny k tomuto úkolu:'
682 682
683 683 default_role_manager: Manažer
684 684 default_role_developper: Vývojář
685 685 default_role_reporter: Reportér
686 686 default_tracker_bug: Chyba
687 687 default_tracker_feature: Požadavek
688 688 default_tracker_support: Podpora
689 689 default_issue_status_new: Nový
690 690 default_issue_status_in_progress: In Progress
691 691 default_issue_status_resolved: Vyřešený
692 692 default_issue_status_feedback: Čeká se
693 693 default_issue_status_closed: Uzavřený
694 694 default_issue_status_rejected: Odmítnutý
695 695 default_doc_category_user: Uživatelská dokumentace
696 696 default_doc_category_tech: Technická dokumentace
697 697 default_priority_low: Nízká
698 698 default_priority_normal: Normální
699 699 default_priority_high: Vysoká
700 700 default_priority_urgent: Urgentní
701 701 default_priority_immediate: Okamžitá
702 702 default_activity_design: Design
703 703 default_activity_development: Vývoj
704 704
705 705 enumeration_issue_priorities: Priority úkolů
706 706 enumeration_doc_categories: Kategorie dokumentů
707 707 enumeration_activities: Aktivity (sledování času)
708 708 error_scm_annotate: "Položka neexistuje nebo nemůže být komentována."
709 709 label_planning: Plánování
710 710 text_subprojects_destroy_warning: "Jeho podprojek(y): {{value}} budou také smazány."
711 711 label_and_its_subprojects: "{{value}} a jeho podprojekty"
712 712 mail_body_reminder: "{{count}} úkol(ů), které máte přiřazeny termín během několik dní ({{days}}):"
713 713 mail_subject_reminder: "{{count}} úkol(ů) termín během několik dní"
714 714 text_user_wrote: "{{value}} napsal:"
715 715 label_duplicated_by: duplicated by
716 716 setting_enabled_scm: Povoleno SCM
717 717 text_enumeration_category_reassign_to: 'Přeřadit je do této:'
718 718 text_enumeration_destroy_question: "Několik ({{count}}) objektů je přiřazeno k této hodnotě."
719 719 label_incoming_emails: Příchozí e-maily
720 720 label_generate_key: Generovat klíč
721 721 setting_mail_handler_api_enabled: Povolit WS pro příchozí e-maily
722 722 setting_mail_handler_api_key: API klíč
723 723 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."
724 724 field_parent_title: Rodičovská stránka
725 725 label_issue_watchers: Sledování
726 726 setting_commit_logs_encoding: Kódování zpráv při commitu
727 727 button_quote: Citovat
728 728 setting_sequential_project_identifiers: Generovat sekvenční identifikátory projektů
729 729 notice_unable_delete_version: Nemohu odstanit verzi
730 730 label_renamed: přejmenováno
731 731 label_copied: zkopírováno
732 732 setting_plain_text_mail: pouze prostý text (ne HTML)
733 733 permission_view_files: Prohlížení souborů
734 734 permission_edit_issues: Upravování úkolů
735 735 permission_edit_own_time_entries: Upravování vlastních zázamů o stráveném čase
736 736 permission_manage_public_queries: Správa veřejných dotazů
737 737 permission_add_issues: Přidávání úkolů
738 738 permission_log_time: Zaznamenávání stráveného času
739 739 permission_view_changesets: Zobrazování sady změn
740 740 permission_view_time_entries: Zobrazení stráveného času
741 741 permission_manage_versions: Spravování verzí
742 742 permission_manage_wiki: Spravování wiki
743 743 permission_manage_categories: Spravování kategorií úkolů
744 744 permission_protect_wiki_pages: Zabezpečení wiki stránek
745 745 permission_comment_news: Komentování novinek
746 746 permission_delete_messages: Mazání zpráv
747 747 permission_select_project_modules: Výběr modulů projektu
748 748 permission_manage_documents: Správa dokumentů
749 749 permission_edit_wiki_pages: Upravování stránek wiki
750 750 permission_add_issue_watchers: Přidání sledujících uživatelů
751 751 permission_view_gantt: Zobrazené Ganttova diagramu
752 752 permission_move_issues: Přesouvání úkolů
753 753 permission_manage_issue_relations: Spravování vztahů mezi úkoly
754 754 permission_delete_wiki_pages: Mazání stránek na wiki
755 755 permission_manage_boards: Správa diskusních fór
756 756 permission_delete_wiki_pages_attachments: Mazání příloh
757 757 permission_view_wiki_edits: Prohlížení historie wiki
758 758 permission_add_messages: Posílání zpráv
759 759 permission_view_messages: Prohlížení zpráv
760 760 permission_manage_files: Spravování souborů
761 761 permission_edit_issue_notes: Upravování poznámek
762 762 permission_manage_news: Spravování novinek
763 763 permission_view_calendar: Prohlížení kalendáře
764 764 permission_manage_members: Spravování členství
765 765 permission_edit_messages: Upravování zpráv
766 766 permission_delete_issues: Mazání úkolů
767 767 permission_view_issue_watchers: Zobrazení seznamu sledujícíh uživatelů
768 768 permission_manage_repository: Spravování repozitáře
769 769 permission_commit_access: Commit access
770 770 permission_browse_repository: Procházení repozitáře
771 771 permission_view_documents: Prohlížení dokumentů
772 772 permission_edit_project: Úprava projektů
773 773 permission_add_issue_notes: Přidávání poznámek
774 774 permission_save_queries: Ukládání dotazů
775 775 permission_view_wiki_pages: Prohlížení wiki
776 776 permission_rename_wiki_pages: Přejmenovávání wiki stránek
777 777 permission_edit_time_entries: Upravování záznamů o stráveném času
778 778 permission_edit_own_issue_notes: Upravování vlastních poznámek
779 779 setting_gravatar_enabled: Použít uživatelské ikony Gravatar
780 780 label_example: Příklad
781 781 text_repository_usernames_mapping: "Vybrat nebo upravit mapování mezi Redmine uživateli a uživatelskými jmény nalezenými v logu repozitáře.\nUživatelé se shodným Redmine uživateslkým jménem a uživatelským jménem v repozitáři jsou mapovaní automaticky."
782 782 permission_edit_own_messages: Upravit vlastní zprávy
783 783 permission_delete_own_messages: Smazat vlastní zprávy
784 784 label_user_activity: "Aktivita uživatele: {{value}}"
785 785 label_updated_time_by: "Akutualizováno: {{author}} před: {{age}}"
786 786 text_diff_truncated: '... Rozdílový soubor je zkrácen, protože jeho délka přesahuje max. limit.'
787 787 setting_diff_max_lines_displayed: Maximální počet zobrazenách řádků rozdílů
788 788 text_plugin_assets_writable: Plugin assets directory writable
789 789 warning_attachments_not_saved: "{{count}} soubor(ů) nebylo možné uložit."
790 790 button_create_and_continue: Vytvořit a pokračovat
791 791 text_custom_field_possible_values_info: 'Každá hodnota na novém řádku'
792 792 label_display: Zobrazit
793 793 field_editable: Editovatelný
794 794 setting_repository_log_display_limit: Maximální počet revizí zobrazených v logu souboru
795 795 setting_file_max_size_displayed: Maximální velikost textových souborů zobrazených přímo na stránce
796 796 field_watcher: Sleduje
797 797 setting_openid: Umožnit přihlašování a registrace s OpenID
798 798 field_identity_url: OpenID URL
799 799 label_login_with_open_id_option: nebo se přihlašte s OpenID
800 800 field_content: Obsah
801 801 label_descending: Sestupně
802 802 label_sort: Řazení
803 803 label_ascending: Vzestupně
804 804 label_date_from_to: Od {{start}} do {{end}}
805 805 label_greater_or_equal: ">="
806 806 label_less_or_equal: <=
807 807 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
808 808 text_wiki_page_reassign_children: Reassign child pages to this parent page
809 809 text_wiki_page_nullify_children: Keep child pages as root pages
810 810 text_wiki_page_destroy_children: Delete child pages and all their descendants
811 811 setting_password_min_length: Minimum password length
812 812 field_group_by: Group results by
813 813 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
814 814 label_wiki_content_added: Wiki page added
815 815 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
816 816 mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}.
817 817 label_wiki_content_updated: Wiki page updated
818 818 mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}.
819 819 permission_add_project: Create project
820 820 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
821 821 label_view_all_revisions: View all revisions
822 822 label_tag: Tag
823 823 label_branch: Branch
824 824 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
825 825 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
826 826 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
827 827 text_journal_set_to: "{{label}} set to {{value}}"
828 828 text_journal_deleted: "{{label}} deleted ({{old}})"
829 829 label_group_plural: Groups
830 830 label_group: Group
831 831 label_group_new: New group
832 832 label_time_entry_plural: Spent time
833 833 text_journal_added: "{{label}} {{value}} added"
834 834 field_active: Active
835 835 enumeration_system_activity: System Activity
836 836 permission_delete_issue_watchers: Delete watchers
837 837 version_status_closed: closed
838 838 version_status_locked: locked
839 839 version_status_open: open
840 840 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
841 841 label_user_anonymous: Anonymous
842 842 button_move_and_follow: Move and follow
843 843 setting_default_projects_modules: Default enabled modules for new projects
844 844 setting_gravatar_default: Default Gravatar image
845 845 field_sharing: Sharing
846 846 label_version_sharing_hierarchy: With project hierarchy
847 847 label_version_sharing_system: With all projects
848 848 label_version_sharing_descendants: With subprojects
849 849 label_version_sharing_tree: With project tree
850 850 label_version_sharing_none: Not shared
851 851 error_can_not_archive_project: This project can not be archived
852 852 button_duplicate: Duplicate
853 853 button_copy_and_follow: Copy and follow
854 854 label_copy_source: Source
855 855 setting_issue_done_ratio: Calculate the issue done ratio with
856 856 setting_issue_done_ratio_issue_status: Use the issue status
857 857 error_issue_done_ratios_not_updated: Issue done ratios not updated.
858 858 error_workflow_copy_target: Please select target tracker(s) and role(s)
859 859 setting_issue_done_ratio_issue_field: Use the issue field
860 860 label_copy_same_as_target: Same as target
861 861 label_copy_target: Target
862 862 notice_issue_done_ratios_updated: Issue done ratios updated.
863 863 error_workflow_copy_source: Please select a source tracker or role
864 864 label_update_issue_done_ratios: Update issue done ratios
865 865 setting_start_of_week: Start calendars on
866 866 permission_view_issues: View Issues
867 867 label_display_used_statuses_only: Only display statuses that are used by this tracker
868 868 label_revision_id: Revision {{value}}
869 869 label_api_access_key: API access key
870 870 label_api_access_key_created_on: API access key created {{value}} ago
871 871 label_feeds_access_key: RSS access key
872 872 notice_api_access_key_reseted: Your API access key was reset.
873 873 setting_rest_api_enabled: Enable REST web service
874 874 label_missing_api_access_key: Missing an API access key
875 875 label_missing_feeds_access_key: Missing a RSS access key
876 876 button_show: Show
877 877 text_line_separated: Multiple values allowed (one line for each value).
878 878 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
879 879 permission_add_subprojects: Create subprojects
880 880 label_subproject_new: New subproject
881 881 text_own_membership_delete_confirmation: |-
882 882 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
883 883 Are you sure you want to continue?
884 884 label_close_versions: Close completed versions
885 885 label_board_sticky: Sticky
886 886 label_board_locked: Locked
887 887 permission_export_wiki_pages: Export wiki pages
888 888 setting_cache_formatted_text: Cache formatted text
889 889 permission_manage_project_activities: Manage project activities
890 890 error_unable_delete_issue_status: Unable to delete issue status
891 891 label_profile: Profile
892 892 permission_manage_subtasks: Manage subtasks
893 893 field_parent_issue: Parent task
894 894 label_subtask_plural: Subtasks
895 label_project_copy_notifications: Send email notifications during the project copy
@@ -1,914 +1,915
1 1 # Danish translation file for standard Ruby on Rails internationalization
2 2 # by Lars Hoeg (http://www.lenio.dk/)
3 3 # updated and upgraded to 0.9 by Morten Krogh Andersen (http://www.krogh.net)
4 4
5 5 da:
6 6 date:
7 7 formats:
8 8 default: "%d.%m.%Y"
9 9 short: "%e. %b %Y"
10 10 long: "%e. %B %Y"
11 11
12 12 day_names: [søndag, mandag, tirsdag, onsdag, torsdag, fredag, lørdag]
13 13 abbr_day_names: [, ma, ti, 'on', to, fr, ]
14 14 month_names: [~, januar, februar, marts, april, maj, juni, juli, august, september, oktober, november, december]
15 15 abbr_month_names: [~, jan, feb, mar, apr, maj, jun, jul, aug, sep, okt, nov, dec]
16 16 order: [ :day, :month, :year ]
17 17
18 18 time:
19 19 formats:
20 20 default: "%e. %B %Y, %H:%M"
21 21 time: "%H:%M"
22 22 short: "%e. %b %Y, %H:%M"
23 23 long: "%A, %e. %B %Y, %H:%M"
24 24 am: ""
25 25 pm: ""
26 26
27 27 support:
28 28 array:
29 29 sentence_connector: "og"
30 30 skip_last_comma: true
31 31
32 32 datetime:
33 33 distance_in_words:
34 34 half_a_minute: "et halvt minut"
35 35 less_than_x_seconds:
36 36 one: "mindre end et sekund"
37 37 other: "mindre end {{count}} sekunder"
38 38 x_seconds:
39 39 one: "et sekund"
40 40 other: "{{count}} sekunder"
41 41 less_than_x_minutes:
42 42 one: "mindre end et minut"
43 43 other: "mindre end {{count}} minutter"
44 44 x_minutes:
45 45 one: "et minut"
46 46 other: "{{count}} minutter"
47 47 about_x_hours:
48 48 one: "cirka en time"
49 49 other: "cirka {{count}} timer"
50 50 x_days:
51 51 one: "en dag"
52 52 other: "{{count}} dage"
53 53 about_x_months:
54 54 one: "cirka en måned"
55 55 other: "cirka {{count}} måneder"
56 56 x_months:
57 57 one: "en måned"
58 58 other: "{{count}} måneder"
59 59 about_x_years:
60 60 one: "cirka et år"
61 61 other: "cirka {{count}} år"
62 62 over_x_years:
63 63 one: "mere end et år"
64 64 other: "mere end {{count}} år"
65 65 almost_x_years:
66 66 one: "almost 1 year"
67 67 other: "almost {{count}} years"
68 68
69 69 number:
70 70 format:
71 71 separator: ","
72 72 delimiter: "."
73 73 precision: 3
74 74 currency:
75 75 format:
76 76 format: "%u %n"
77 77 unit: "DKK"
78 78 separator: ","
79 79 delimiter: "."
80 80 precision: 2
81 81 precision:
82 82 format:
83 83 # separator:
84 84 delimiter: ""
85 85 # precision:
86 86 human:
87 87 format:
88 88 # separator:
89 89 delimiter: ""
90 90 precision: 1
91 91 storage_units:
92 92 format: "%n %u"
93 93 units:
94 94 byte:
95 95 one: "Byte"
96 96 other: "Bytes"
97 97 kb: "KB"
98 98 mb: "MB"
99 99 gb: "GB"
100 100 tb: "TB"
101 101 percentage:
102 102 format:
103 103 # separator:
104 104 delimiter: ""
105 105 # precision:
106 106
107 107 activerecord:
108 108 errors:
109 109 messages:
110 110 inclusion: "er ikke i listen"
111 111 exclusion: "er reserveret"
112 112 invalid: "er ikke gyldig"
113 113 confirmation: "stemmer ikke overens"
114 114 accepted: "skal accepteres"
115 115 empty: "må ikke udelades"
116 116 blank: "skal udfyldes"
117 117 too_long: "er for lang (højst {{count}} tegn)"
118 118 too_short: "er for kort (mindst {{count}} tegn)"
119 119 wrong_length: "har forkert længde (skulle være {{count}} tegn)"
120 120 taken: "er allerede anvendt"
121 121 not_a_number: "er ikke et tal"
122 122 greater_than: "skal være større end {{count}}"
123 123 greater_than_or_equal_to: "skal være større end eller lig med {{count}}"
124 124 equal_to: "skal være lig med {{count}}"
125 125 less_than: "skal være mindre end {{count}}"
126 126 less_than_or_equal_to: "skal være mindre end eller lig med {{count}}"
127 127 odd: "skal være ulige"
128 128 even: "skal være lige"
129 129 greater_than_start_date: "skal være senere end startdatoen"
130 130 not_same_project: "hører ikke til samme projekt"
131 131 circular_dependency: "Denne relation vil skabe et afhængighedsforhold"
132 132
133 133 template:
134 134 header:
135 135 one: "En fejl forhindrede {{model}} i at blive gemt"
136 136 other: "{{count}} fejl forhindrede denne {{model}} i at blive gemt"
137 137 body: "Der var problemer med følgende felter:"
138 138
139 139 actionview_instancetag_blank_option: Vælg venligst
140 140
141 141 general_text_No: 'Nej'
142 142 general_text_Yes: 'Ja'
143 143 general_text_no: 'nej'
144 144 general_text_yes: 'ja'
145 145 general_lang_name: 'Danish (Dansk)'
146 146 general_csv_separator: ','
147 147 general_csv_encoding: ISO-8859-1
148 148 general_pdf_encoding: ISO-8859-1
149 149 general_first_day_of_week: '1'
150 150
151 151 notice_account_updated: Kontoen er opdateret.
152 152 notice_account_invalid_creditentials: Ugyldig bruger og/eller kodeord
153 153 notice_account_password_updated: Kodeordet er opdateret.
154 154 notice_account_wrong_password: Forkert kodeord
155 155 notice_account_register_done: Kontoen er oprettet. For at aktivere kontoen skal du klikke på linket i den tilsendte email.
156 156 notice_account_unknown_email: Ukendt bruger.
157 157 notice_can_t_change_password: Denne konto benytter en ekstern sikkerhedsgodkendelse. Det er ikke muligt at skifte kodeord.
158 158 notice_account_lost_email_sent: En email med instruktioner til at vælge et nyt kodeord er afsendt til dig.
159 159 notice_account_activated: Din konto er aktiveret. Du kan nu logge ind.
160 160 notice_successful_create: Succesfuld oprettelse.
161 161 notice_successful_update: Succesfuld opdatering.
162 162 notice_successful_delete: Succesfuld sletning.
163 163 notice_successful_connection: Succesfuld forbindelse.
164 164 notice_file_not_found: Siden du forsøger at tilgå eksisterer ikke eller er blevet fjernet.
165 165 notice_locking_conflict: Data er opdateret af en anden bruger.
166 166 notice_not_authorized: Du har ikke adgang til denne side.
167 167 notice_email_sent: "En email er sendt til {{value}}"
168 168 notice_email_error: "En fejl opstod under afsendelse af email ({{value}})"
169 169 notice_feeds_access_key_reseted: Din adgangsnøgle til RSS er nulstillet.
170 170 notice_failed_to_save_issues: "Det mislykkedes at gemme {{count}} sage(r) {{total}} valgt: {{ids}}."
171 171 notice_no_issue_selected: "Ingen sag er valgt! Vælg venligst hvilke emner du vil rette."
172 172 notice_account_pending: "Din konto er oprettet, og afventer administrators godkendelse."
173 173 notice_default_data_loaded: Standardopsætningen er indlæst.
174 174
175 175 error_can_t_load_default_data: "Standardopsætning kunne ikke indlæses: {{value}}"
176 176 error_scm_not_found: "Adgang nægtet og/eller revision blev ikke fundet i det valgte repository."
177 177 error_scm_command_failed: "En fejl opstod under forbindelsen til det valgte repository: {{value}}"
178 178
179 179 mail_subject_lost_password: "Dit {{value}} kodeord"
180 180 mail_body_lost_password: 'For at ændre dit kodeord, klik dette link:'
181 181 mail_subject_register: "{{value}} kontoaktivering"
182 182 mail_body_register: 'Klik dette link for at aktivere din konto:'
183 183 mail_body_account_information_external: "Du kan bruge din {{value}} konto til at logge ind."
184 184 mail_body_account_information: Din kontoinformation
185 185 mail_subject_account_activation_request: "{{value}} kontoaktivering"
186 186 mail_body_account_activation_request: "En ny bruger ({{value}}) er registreret. Godkend venligst kontoen:"
187 187
188 188 gui_validation_error: 1 fejl
189 189 gui_validation_error_plural: "{{count}} fejl"
190 190
191 191 field_name: Navn
192 192 field_description: Beskrivelse
193 193 field_summary: Sammenfatning
194 194 field_is_required: Skal udfyldes
195 195 field_firstname: Fornavn
196 196 field_lastname: Efternavn
197 197 field_mail: Email
198 198 field_filename: Fil
199 199 field_filesize: Størrelse
200 200 field_downloads: Downloads
201 201 field_author: Forfatter
202 202 field_created_on: Oprettet
203 203 field_updated_on: Opdateret
204 204 field_field_format: Format
205 205 field_is_for_all: For alle projekter
206 206 field_possible_values: Mulige værdier
207 207 field_regexp: Regulære udtryk
208 208 field_min_length: Mindste længde
209 209 field_max_length: Største længde
210 210 field_value: Værdi
211 211 field_category: Kategori
212 212 field_title: Titel
213 213 field_project: Projekt
214 214 field_issue: Sag
215 215 field_status: Status
216 216 field_notes: Noter
217 217 field_is_closed: Sagen er lukket
218 218 field_is_default: Standardværdi
219 219 field_tracker: Type
220 220 field_subject: Emne
221 221 field_due_date: Deadline
222 222 field_assigned_to: Tildelt til
223 223 field_priority: Prioritet
224 224 field_fixed_version: Target version
225 225 field_user: Bruger
226 226 field_role: Rolle
227 227 field_homepage: Hjemmeside
228 228 field_is_public: Offentlig
229 229 field_parent: Underprojekt af
230 230 field_is_in_roadmap: Sager vist i roadmap
231 231 field_login: Login
232 232 field_mail_notification: Email-påmindelser
233 233 field_admin: Administrator
234 234 field_last_login_on: Sidste forbindelse
235 235 field_language: Sprog
236 236 field_effective_date: Dato
237 237 field_password: Kodeord
238 238 field_new_password: Nyt kodeord
239 239 field_password_confirmation: Bekræft
240 240 field_version: Version
241 241 field_type: Type
242 242 field_host: Vært
243 243 field_port: Port
244 244 field_account: Kode
245 245 field_base_dn: Base DN
246 246 field_attr_login: Login attribut
247 247 field_attr_firstname: Fornavn attribut
248 248 field_attr_lastname: Efternavn attribut
249 249 field_attr_mail: Email attribut
250 250 field_onthefly: løbende brugeroprettelse
251 251 field_start_date: Start
252 252 field_done_ratio: % Færdig
253 253 field_auth_source: Sikkerhedsmetode
254 254 field_hide_mail: Skjul min email
255 255 field_comments: Kommentar
256 256 field_url: URL
257 257 field_start_page: Startside
258 258 field_subproject: Underprojekt
259 259 field_hours: Timer
260 260 field_activity: Aktivitet
261 261 field_spent_on: Dato
262 262 field_identifier: Identifikator
263 263 field_is_filter: Brugt som et filter
264 264 field_issue_to: Beslægtede sag
265 265 field_delay: Udsættelse
266 266 field_assignable: Sager kan tildeles denne rolle
267 267 field_redirect_existing_links: Videresend eksisterende links
268 268 field_estimated_hours: Anslået tid
269 269 field_column_names: Kolonner
270 270 field_time_zone: Tidszone
271 271 field_searchable: Søgbar
272 272 field_default_value: Standardværdi
273 273
274 274 setting_app_title: Applikationstitel
275 275 setting_app_subtitle: Applikationsundertekst
276 276 setting_welcome_text: Velkomsttekst
277 277 setting_default_language: Standardsporg
278 278 setting_login_required: Sikkerhed påkrævet
279 279 setting_self_registration: Brugeroprettelse
280 280 setting_attachment_max_size: Vedhæftede filers max størrelse
281 281 setting_issues_export_limit: Sagseksporteringsbegrænsning
282 282 setting_mail_from: Afsender-email
283 283 setting_bcc_recipients: Skjult modtager (bcc)
284 284 setting_host_name: Værtsnavn
285 285 setting_text_formatting: Tekstformatering
286 286 setting_wiki_compression: Komprimering af wiki-historik
287 287 setting_feeds_limit: Feed indholdsbegrænsning
288 288 setting_autofetch_changesets: Hent automatisk commits
289 289 setting_sys_api_enabled: Aktiver webservice for automatisk administration af repository
290 290 setting_commit_ref_keywords: Referencenøgleord
291 291 setting_commit_fix_keywords: Afslutningsnøgleord
292 292 setting_autologin: Automatisk login
293 293 setting_date_format: Datoformat
294 294 setting_time_format: Tidsformat
295 295 setting_cross_project_issue_relations: Tillad sagsrelationer på tværs af projekter
296 296 setting_issue_list_default_columns: Standardkolonner på sagslisten
297 297 setting_repositories_encodings: Repository-tegnsæt
298 298 setting_emails_footer: Email-fodnote
299 299 setting_protocol: Protokol
300 300 setting_user_format: Brugervisningsformat
301 301
302 302 project_module_issue_tracking: Sagssøgning
303 303 project_module_time_tracking: Tidsstyring
304 304 project_module_news: Nyheder
305 305 project_module_documents: Dokumenter
306 306 project_module_files: Filer
307 307 project_module_wiki: Wiki
308 308 project_module_repository: Repository
309 309 project_module_boards: Fora
310 310
311 311 label_user: Bruger
312 312 label_user_plural: Brugere
313 313 label_user_new: Ny bruger
314 314 label_project: Projekt
315 315 label_project_new: Nyt projekt
316 316 label_project_plural: Projekter
317 317 label_x_projects:
318 318 zero: no projects
319 319 one: 1 project
320 320 other: "{{count}} projects"
321 321 label_project_all: Alle projekter
322 322 label_project_latest: Seneste projekter
323 323 label_issue: Sag
324 324 label_issue_new: Opret sag
325 325 label_issue_plural: Sager
326 326 label_issue_view_all: Vis alle sager
327 327 label_issues_by: "Sager fra {{value}}"
328 328 label_issue_added: Sagen er oprettet
329 329 label_issue_updated: Sagen er opdateret
330 330 label_document: Dokument
331 331 label_document_new: Nyt dokument
332 332 label_document_plural: Dokumenter
333 333 label_document_added: Dokument tilføjet
334 334 label_role: Rolle
335 335 label_role_plural: Roller
336 336 label_role_new: Ny rolle
337 337 label_role_and_permissions: Roller og rettigheder
338 338 label_member: Medlem
339 339 label_member_new: Nyt medlem
340 340 label_member_plural: Medlemmer
341 341 label_tracker: Type
342 342 label_tracker_plural: Typer
343 343 label_tracker_new: Ny type
344 344 label_workflow: Arbejdsgang
345 345 label_issue_status: Sagsstatus
346 346 label_issue_status_plural: Sagsstatuser
347 347 label_issue_status_new: Ny status
348 348 label_issue_category: Sagskategori
349 349 label_issue_category_plural: Sagskategorier
350 350 label_issue_category_new: Ny kategori
351 351 label_custom_field: Brugerdefineret felt
352 352 label_custom_field_plural: Brugerdefinerede felter
353 353 label_custom_field_new: Nyt brugerdefineret felt
354 354 label_enumerations: Værdier
355 355 label_enumeration_new: Ny værdi
356 356 label_information: Information
357 357 label_information_plural: Information
358 358 label_please_login: Login
359 359 label_register: Registrér
360 360 label_password_lost: Glemt kodeord
361 361 label_home: Forside
362 362 label_my_page: Min side
363 363 label_my_account: Min konto
364 364 label_my_projects: Mine projekter
365 365 label_administration: Administration
366 366 label_login: Log ind
367 367 label_logout: Log ud
368 368 label_help: Hjælp
369 369 label_reported_issues: Rapporterede sager
370 370 label_assigned_to_me_issues: Sager tildelt mig
371 371 label_last_login: Sidste login tidspunkt
372 372 label_registered_on: Registeret den
373 373 label_activity: Aktivitet
374 374 label_new: Ny
375 375 label_logged_as: Registreret som
376 376 label_environment: Miljø
377 377 label_authentication: Sikkerhed
378 378 label_auth_source: Sikkerhedsmetode
379 379 label_auth_source_new: Ny sikkerhedsmetode
380 380 label_auth_source_plural: Sikkerhedsmetoder
381 381 label_subproject_plural: Underprojekter
382 382 label_min_max_length: Min - Max længde
383 383 label_list: Liste
384 384 label_date: Dato
385 385 label_integer: Heltal
386 386 label_float: Kommatal
387 387 label_boolean: Sand/falsk
388 388 label_string: Tekst
389 389 label_text: Lang tekst
390 390 label_attribute: Attribut
391 391 label_attribute_plural: Attributter
392 392 label_download: "{{count}} Download"
393 393 label_download_plural: "{{count}} Downloads"
394 394 label_no_data: Ingen data at vise
395 395 label_change_status: Ændringsstatus
396 396 label_history: Historik
397 397 label_attachment: Fil
398 398 label_attachment_new: Ny fil
399 399 label_attachment_delete: Slet fil
400 400 label_attachment_plural: Filer
401 401 label_file_added: Fil tilføjet
402 402 label_report: Rapport
403 403 label_report_plural: Rapporter
404 404 label_news: Nyheder
405 405 label_news_new: Tilføj nyheder
406 406 label_news_plural: Nyheder
407 407 label_news_latest: Seneste nyheder
408 408 label_news_view_all: Vis alle nyheder
409 409 label_news_added: Nyhed tilføjet
410 410 label_settings: Indstillinger
411 411 label_overview: Oversigt
412 412 label_version: Udgave
413 413 label_version_new: Ny udgave
414 414 label_version_plural: Udgaver
415 415 label_confirmation: Bekræftelser
416 416 label_export_to: Eksporter til
417 417 label_read: Læs...
418 418 label_public_projects: Offentlige projekter
419 419 label_open_issues: åben
420 420 label_open_issues_plural: åbne
421 421 label_closed_issues: lukket
422 422 label_closed_issues_plural: lukkede
423 423 label_x_open_issues_abbr_on_total:
424 424 zero: 0 åbne / {{total}}
425 425 one: 1 åben / {{total}}
426 426 other: "{{count}} åbne / {{total}}"
427 427 label_x_open_issues_abbr:
428 428 zero: 0 åbne
429 429 one: 1 åben
430 430 other: "{{count}} åbne"
431 431 label_x_closed_issues_abbr:
432 432 zero: 0 lukkede
433 433 one: 1 lukket
434 434 other: "{{count}} lukkede"
435 435 label_total: Total
436 436 label_permissions: Rettigheder
437 437 label_current_status: Nuværende status
438 438 label_new_statuses_allowed: Ny status tilladt
439 439 label_all: alle
440 440 label_none: intet
441 441 label_nobody: ingen
442 442 label_next: Næste
443 443 label_previous: Forrig
444 444 label_used_by: Brugt af
445 445 label_details: Detaljer
446 446 label_add_note: Tilføj note
447 447 label_per_page: Pr. side
448 448 label_calendar: Kalender
449 449 label_months_from: måneder frem
450 450 label_gantt: Gantt
451 451 label_internal: Intern
452 452 label_last_changes: "sidste {{count}} ændringer"
453 453 label_change_view_all: Vis alle ændringer
454 454 label_personalize_page: Tilret denne side
455 455 label_comment: Kommentar
456 456 label_comment_plural: Kommentarer
457 457 label_x_comments:
458 458 zero: ingen kommentarer
459 459 one: 1 kommentar
460 460 other: "{{count}} kommentarer"
461 461 label_comment_add: Tilføj en kommentar
462 462 label_comment_added: Kommentaren er tilføjet
463 463 label_comment_delete: Slet kommentar
464 464 label_query: Brugerdefineret forespørgsel
465 465 label_query_plural: Brugerdefinerede forespørgsler
466 466 label_query_new: Ny forespørgsel
467 467 label_filter_add: Tilføj filter
468 468 label_filter_plural: Filtre
469 469 label_equals: er
470 470 label_not_equals: er ikke
471 471 label_in_less_than: er mindre end
472 472 label_in_more_than: er større end
473 473 label_in: indeholdt i
474 474 label_today: i dag
475 475 label_all_time: altid
476 476 label_yesterday: i går
477 477 label_this_week: denne uge
478 478 label_last_week: sidste uge
479 479 label_last_n_days: "sidste {{count}} dage"
480 480 label_this_month: denne måned
481 481 label_last_month: sidste måned
482 482 label_this_year: dette år
483 483 label_date_range: Dato interval
484 484 label_less_than_ago: mindre end dage siden
485 485 label_more_than_ago: mere end dage siden
486 486 label_ago: days siden
487 487 label_contains: indeholder
488 488 label_not_contains: ikke indeholder
489 489 label_day_plural: dage
490 490 label_repository: Repository
491 491 label_repository_plural: Repositories
492 492 label_browse: Gennemse
493 493 label_modification: "{{count}} ændring"
494 494 label_modification_plural: "{{count}} ændringer"
495 495 label_revision: Revision
496 496 label_revision_plural: Revisioner
497 497 label_associated_revisions: Tilnyttede revisioner
498 498 label_added: tilføjet
499 499 label_modified: ændret
500 500 label_deleted: slettet
501 501 label_latest_revision: Seneste revision
502 502 label_latest_revision_plural: Seneste revisioner
503 503 label_view_revisions: Se revisioner
504 504 label_max_size: Maksimal størrelse
505 505 label_sort_highest: Flyt til toppen
506 506 label_sort_higher: Flyt op
507 507 label_sort_lower: Flyt ned
508 508 label_sort_lowest: Flyt til bunden
509 509 label_roadmap: Roadmap
510 510 label_roadmap_due_in: Deadline
511 511 label_roadmap_overdue: "{{value}} forsinket"
512 512 label_roadmap_no_issues: Ingen sager i denne version
513 513 label_search: Søg
514 514 label_result_plural: Resultater
515 515 label_all_words: Alle ord
516 516 label_wiki: Wiki
517 517 label_wiki_edit: Wiki ændring
518 518 label_wiki_edit_plural: Wiki ændringer
519 519 label_wiki_page: Wiki side
520 520 label_wiki_page_plural: Wiki sider
521 521 label_index_by_title: Indhold efter titel
522 522 label_index_by_date: Indhold efter dato
523 523 label_current_version: Nuværende version
524 524 label_preview: Forhåndsvisning
525 525 label_feed_plural: Feeds
526 526 label_changes_details: Detaljer for alle ændringer
527 527 label_issue_tracking: Sags søgning
528 528 label_spent_time: Anvendt tid
529 529 label_f_hour: "{{value}} time"
530 530 label_f_hour_plural: "{{value}} timer"
531 531 label_time_tracking: Tidsstyring
532 532 label_change_plural: Ændringer
533 533 label_statistics: Statistik
534 534 label_commits_per_month: Commits pr. måned
535 535 label_commits_per_author: Commits pr. bruger
536 536 label_view_diff: Vis forskelle
537 537 label_diff_inline: inline
538 538 label_diff_side_by_side: side om side
539 539 label_options: Optioner
540 540 label_copy_workflow_from: Kopier arbejdsgang fra
541 541 label_permissions_report: Godkendelsesrapport
542 542 label_watched_issues: Overvågede sager
543 543 label_related_issues: Relaterede sager
544 544 label_applied_status: Anvendte statuser
545 545 label_loading: Indlæser...
546 546 label_relation_new: Ny relation
547 547 label_relation_delete: Slet relation
548 548 label_relates_to: relaterer til
549 549 label_duplicates: kopierer
550 550 label_blocks: blokerer
551 551 label_blocked_by: blokeret af
552 552 label_precedes: kommer før
553 553 label_follows: følger
554 554 label_end_to_start: slut til start
555 555 label_end_to_end: slut til slut
556 556 label_start_to_start: start til start
557 557 label_start_to_end: start til slut
558 558 label_stay_logged_in: Forbliv indlogget
559 559 label_disabled: deaktiveret
560 560 label_show_completed_versions: Vis færdige versioner
561 561 label_me: mig
562 562 label_board: Forum
563 563 label_board_new: Nyt forum
564 564 label_board_plural: Fora
565 565 label_topic_plural: Emner
566 566 label_message_plural: Beskeder
567 567 label_message_last: Sidste besked
568 568 label_message_new: Ny besked
569 569 label_message_posted: Besked tilføjet
570 570 label_reply_plural: Besvarer
571 571 label_send_information: Send konto information til bruger
572 572 label_year: År
573 573 label_month: Måned
574 574 label_week: Uge
575 575 label_date_from: Fra
576 576 label_date_to: Til
577 577 label_language_based: Baseret på brugerens sprog
578 578 label_sort_by: "Sortér efter {{value}}"
579 579 label_send_test_email: Send en test email
580 580 label_feeds_access_key_created_on: "RSS adgangsnøgle dannet for {{value}} siden"
581 581 label_module_plural: Moduler
582 582 label_added_time_by: "Tilføjet af {{author}} for {{age}} siden"
583 583 label_updated_time: "Opdateret for {{value}} siden"
584 584 label_jump_to_a_project: Skift til projekt...
585 585 label_file_plural: Filer
586 586 label_changeset_plural: Ændringer
587 587 label_default_columns: Standard kolonner
588 588 label_no_change_option: (Ingen ændringer)
589 589 label_bulk_edit_selected_issues: Masse-ret de valgte sager
590 590 label_theme: Tema
591 591 label_default: standard
592 592 label_search_titles_only: Søg kun i titler
593 593 label_user_mail_option_all: "For alle hændelser mine projekter"
594 594 label_user_mail_option_selected: "For alle hændelser de valgte projekter..."
595 595 label_user_mail_option_none: "Kun for ting jeg overvåger eller jeg er involveret i"
596 596 label_user_mail_no_self_notified: "Jeg ønsker ikke besked om ændring foretaget af mig selv"
597 597 label_registration_activation_by_email: kontoaktivering på email
598 598 label_registration_manual_activation: manuel kontoaktivering
599 599 label_registration_automatic_activation: automatisk kontoaktivering
600 600 label_display_per_page: "Per side: {{value}}"
601 601 label_age: Alder
602 602 label_change_properties: Ændre indstillinger
603 603 label_general: Generelt
604 604 label_more: Mere
605 605 label_scm: SCM
606 606 label_plugins: Plugins
607 607 label_ldap_authentication: LDAP-godkendelse
608 608 label_downloads_abbr: D/L
609 609
610 610 button_login: Login
611 611 button_submit: Send
612 612 button_save: Gem
613 613 button_check_all: Vælg alt
614 614 button_uncheck_all: Fravælg alt
615 615 button_delete: Slet
616 616 button_create: Opret
617 617 button_test: Test
618 618 button_edit: Ret
619 619 button_add: Tilføj
620 620 button_change: Ændre
621 621 button_apply: Anvend
622 622 button_clear: Nulstil
623 623 button_lock: Lås
624 624 button_unlock: Lås op
625 625 button_download: Download
626 626 button_list: List
627 627 button_view: Vis
628 628 button_move: Flyt
629 629 button_back: Tilbage
630 630 button_cancel: Annullér
631 631 button_activate: Aktivér
632 632 button_sort: Sortér
633 633 button_log_time: Log tid
634 634 button_rollback: Tilbagefør til denne version
635 635 button_watch: Overvåg
636 636 button_unwatch: Stop overvågning
637 637 button_reply: Besvar
638 638 button_archive: Arkivér
639 639 button_unarchive: Fjern fra arkiv
640 640 button_reset: Nulstil
641 641 button_rename: Omdøb
642 642 button_change_password: Skift kodeord
643 643 button_copy: Kopiér
644 644 button_annotate: Annotér
645 645 button_update: Opdatér
646 646 button_configure: Konfigurér
647 647
648 648 status_active: aktiv
649 649 status_registered: registreret
650 650 status_locked: låst
651 651
652 652 text_select_mail_notifications: Vælg handlinger der skal sendes email besked for.
653 653 text_regexp_info: f.eks. ^[A-ZÆØÅ0-9]+$
654 654 text_min_max_length_info: 0 betyder ingen begrænsninger
655 655 text_project_destroy_confirmation: Er du sikker på at du vil slette dette projekt og alle relaterede data?
656 656 text_workflow_edit: Vælg en rolle samt en type, for at redigere arbejdsgangen
657 657 text_are_you_sure: Er du sikker?
658 658 text_tip_task_begin_day: opgaven begynder denne dag
659 659 text_tip_task_end_day: opaven slutter denne dag
660 660 text_tip_task_begin_end_day: opgaven begynder og slutter denne dag
661 661 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.'
662 662 text_caracters_maximum: "max {{count}} karakterer."
663 663 text_caracters_minimum: "Skal være mindst {{count}} karakterer lang."
664 664 text_length_between: "Længde skal være mellem {{min}} og {{max}} karakterer."
665 665 text_tracker_no_workflow: Ingen arbejdsgang defineret for denne type
666 666 text_unallowed_characters: Ikke-tilladte karakterer
667 667 text_comma_separated: Adskillige værdier tilladt (adskilt med komma).
668 668 text_issues_ref_in_commit_messages: Referer og løser sager i commit-beskeder
669 669 text_issue_added: "Sag {{id}} er rapporteret af {{author}}."
670 670 text_issue_updated: "Sag {{id}} er blevet opdateret af {{author}}."
671 671 text_wiki_destroy_confirmation: Er du sikker på at du vil slette denne wiki og dens indhold?
672 672 text_issue_category_destroy_question: "Nogle sager ({{count}}) er tildelt denne kategori. Hvad ønsker du at gøre?"
673 673 text_issue_category_destroy_assignments: Slet tildelinger af kategori
674 674 text_issue_category_reassign_to: Tildel sager til denne kategori
675 675 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)."
676 676 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."
677 677 text_load_default_configuration: Indlæs standardopsætningen
678 678 text_status_changed_by_changeset: "Anvendt i ændring {{value}}."
679 679 text_issues_destroy_confirmation: 'Er du sikker du ønsker at slette den/de valgte sag(er)?'
680 680 text_select_project_modules: 'Vælg moduler er skal være aktiveret for dette projekt:'
681 681 text_default_administrator_account_changed: Standard administratorkonto ændret
682 682 text_file_repository_writable: Filarkiv er skrivbar
683 683 text_rmagick_available: RMagick tilgængelig (valgfri)
684 684
685 685 default_role_manager: Leder
686 686 default_role_developper: Udvikler
687 687 default_role_reporter: Rapportør
688 688 default_tracker_bug: Bug
689 689 default_tracker_feature: Feature
690 690 default_tracker_support: Support
691 691 default_issue_status_new: Ny
692 692 default_issue_status_in_progress: In Progress
693 693 default_issue_status_resolved: Løst
694 694 default_issue_status_feedback: Feedback
695 695 default_issue_status_closed: Lukket
696 696 default_issue_status_rejected: Afvist
697 697 default_doc_category_user: Brugerdokumentation
698 698 default_doc_category_tech: Teknisk dokumentation
699 699 default_priority_low: Lav
700 700 default_priority_normal: Normal
701 701 default_priority_high: Høj
702 702 default_priority_urgent: Akut
703 703 default_priority_immediate: Omgående
704 704 default_activity_design: Design
705 705 default_activity_development: Udvikling
706 706
707 707 enumeration_issue_priorities: Sagsprioriteter
708 708 enumeration_doc_categories: Dokumentkategorier
709 709 enumeration_activities: Aktiviteter (tidsstyring)
710 710
711 711 label_add_another_file: Tilføj endnu en fil
712 712 label_chronological_order: I kronologisk rækkefølge
713 713 setting_activity_days_default: Antal dage der vises under projektaktivitet
714 714 text_destroy_time_entries_question: "{{hours}} timer er registreret denne sag som du er ved at slette. Hvad vil du gøre?"
715 715 error_issue_not_found_in_project: 'Sagen blev ikke fundet eller tilhører ikke dette projekt'
716 716 text_assign_time_entries_to_project: Tildel raporterede timer til projektet
717 717 setting_display_subprojects_issues: Vis sager for underprojekter på hovedprojektet som standard
718 718 label_optional_description: Optionel beskrivelse
719 719 text_destroy_time_entries: Slet registrerede timer
720 720 field_comments_sorting: Vis kommentar
721 721 text_reassign_time_entries: 'Tildel registrerede timer til denne sag igen'
722 722 label_reverse_chronological_order: I omvendt kronologisk rækkefølge
723 723 label_preferences: Preferences
724 724 label_overall_activity: Overordnet aktivitet
725 725 setting_default_projects_public: Nye projekter er offentlige som standard
726 726 error_scm_annotate: "Filen findes ikke, eller kunne ikke annoteres."
727 727 label_planning: Planlægning
728 728 text_subprojects_destroy_warning: "Dets underprojekter(er): {{value}} vil også blive slettet."
729 729 permission_edit_issues: Redigér sager
730 730 setting_diff_max_lines_displayed: Højeste antal forskelle der vises
731 731 permission_edit_own_issue_notes: Redigér egne noter
732 732 setting_enabled_scm: Aktiveret SCM
733 733 button_quote: Citér
734 734 permission_view_files: Se filer
735 735 permission_add_issues: Tilføj sager
736 736 permission_edit_own_messages: Redigér egne beskeder
737 737 permission_delete_own_messages: Slet egne beskeder
738 738 permission_manage_public_queries: Administrér offentlig forespørgsler
739 739 permission_log_time: Registrér anvendt tid
740 740 label_renamed: omdøbt
741 741 label_incoming_emails: Indkommende emails
742 742 permission_view_changesets: Se ændringer
743 743 permission_manage_versions: Administrér versioner
744 744 permission_view_time_entries: Se anvendt tid
745 745 label_generate_key: Generér en nøglefil
746 746 permission_manage_categories: Administrér sagskategorier
747 747 permission_manage_wiki: Administrér wiki
748 748 setting_sequential_project_identifiers: Generér sekventielle projekt-identifikatorer
749 749 setting_plain_text_mail: Emails som almindelig tekst (ingen HTML)
750 750 field_parent_title: Siden over
751 751 text_email_delivery_not_configured: "Email-afsendelse er ikke indstillet og notifikationer er defor slået fra.\nKonfigurér din SMTP server i config/email.yml og genstart applikationen for at aktivere email-afsendelse."
752 752 permission_protect_wiki_pages: Beskyt wiki sider
753 753 permission_manage_documents: Administrér dokumenter
754 754 permission_add_issue_watchers: Tilføj overvågere
755 755 warning_attachments_not_saved: "der var {{count}} fil(er), som ikke kunne gemmes."
756 756 permission_comment_news: Kommentér nyheder
757 757 text_enumeration_category_reassign_to: 'FLyt dem til denne værdi:'
758 758 permission_select_project_modules: Vælg projektmoduler
759 759 permission_view_gantt: Se Gantt diagram
760 760 permission_delete_messages: Slet beskeder
761 761 permission_move_issues: Flyt sager
762 762 permission_edit_wiki_pages: Redigér wiki sider
763 763 label_user_activity: "{{value}}'s aktivitet"
764 764 permission_manage_issue_relations: Administrér sags-relationer
765 765 label_issue_watchers: Overvågere
766 766 permission_delete_wiki_pages: Slet wiki sider
767 767 notice_unable_delete_version: Kan ikke slette versionen.
768 768 permission_view_wiki_edits: Se wiki historik
769 769 field_editable: Redigérbar
770 770 label_duplicated_by: dubleret af
771 771 permission_manage_boards: Administrér fora
772 772 permission_delete_wiki_pages_attachments: Slet filer vedhæftet wiki sider
773 773 permission_view_messages: Se beskeder
774 774 text_enumeration_destroy_question: "{{count}} objekter er tildelt denne værdi."
775 775 permission_manage_files: Administrér filer
776 776 permission_add_messages: Opret beskeder
777 777 permission_edit_issue_notes: Redigér noter
778 778 permission_manage_news: Administrér nyheder
779 779 text_plugin_assets_writable: Der er skriverettigheder til plugin assets folderen
780 780 label_display: Vis
781 781 label_and_its_subprojects: "{{value}} og dets underprojekter"
782 782 permission_view_calendar: Se kalender
783 783 button_create_and_continue: Opret og fortsæt
784 784 setting_gravatar_enabled: Anvend Gravatar bruger ikoner
785 785 label_updated_time_by: "Opdateret af {{author}} for {{age}} siden"
786 786 text_diff_truncated: '... Listen over forskelle er bleve afkortet da den overstiger den maksimale størrelse der kan vises.'
787 787 text_user_wrote: "{{value}} skrev:"
788 788 setting_mail_handler_api_enabled: Aktiver webservice for indkomne emails
789 789 permission_delete_issues: Slet sager
790 790 permission_view_documents: Se dokumenter
791 791 permission_browse_repository: Gennemse repository
792 792 permission_manage_repository: Administrér repository
793 793 permission_manage_members: Administrér medlemmer
794 794 mail_subject_reminder: "{{count}} sag(er) har deadline i de kommende dage"
795 795 permission_add_issue_notes: Tilføj noter
796 796 permission_edit_messages: Redigér beskeder
797 797 permission_view_issue_watchers: Se liste over overvågere
798 798 permission_commit_access: Commit adgang
799 799 setting_mail_handler_api_key: API nøgle
800 800 label_example: Eksempel
801 801 permission_rename_wiki_pages: Omdøb wiki sider
802 802 text_custom_field_possible_values_info: 'En linje for hver værdi'
803 803 permission_view_wiki_pages: Se wiki
804 804 permission_edit_project: Redigér projekt
805 805 permission_save_queries: Gem forespørgsler
806 806 label_copied: kopieret
807 807 setting_commit_logs_encoding: Kodning af Commit beskeder
808 808 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."
809 809 permission_edit_time_entries: Redigér tidsregistreringer
810 810 general_csv_decimal_separator: ','
811 811 permission_edit_own_time_entries: Redigér egne tidsregistreringer
812 812 setting_repository_log_display_limit: Højeste antal revisioner vist i fil-log
813 813 setting_file_max_size_displayed: Maksimale størrelse på tekstfiler vist inline
814 814 field_watcher: Overvåger
815 815 setting_openid: Tillad OpenID login og registrering
816 816 field_identity_url: OpenID URL
817 817 label_login_with_open_id_option: eller login med OpenID
818 818 setting_per_page_options: Enheder per side muligheder
819 819 mail_body_reminder: "{{count}} sage(er) som er tildelt dig har deadline indenfor de næste {{days}} dage:"
820 820 field_content: Indhold
821 821 label_descending: Aftagende
822 822 label_sort: Sortér
823 823 label_ascending: Tiltagende
824 824 label_date_from_to: Fra {{start}} til {{end}}
825 825 label_greater_or_equal: ">="
826 826 label_less_or_equal: <=
827 827 text_wiki_page_destroy_question: Denne side har {{descendants}} underside(r) og afledte. Hvad vil du gøre?
828 828 text_wiki_page_reassign_children: Flyt undersider til denne side
829 829 text_wiki_page_nullify_children: Behold undersider som rod-sider
830 830 text_wiki_page_destroy_children: Slet undersider ogalle deres afledte sider.
831 831 setting_password_min_length: Mindste længde på kodeord
832 832 field_group_by: Gruppér resultater efter
833 833 mail_subject_wiki_content_updated: "'{{page}}' wikisiden er blevet opdateret"
834 834 label_wiki_content_added: Wiki side tilføjet
835 835 mail_subject_wiki_content_added: "'{{page}}' wikisiden er blevet tilføjet"
836 836 mail_body_wiki_content_added: The '{{page}}' wikiside er blevet tilføjet af {{author}}.
837 837 label_wiki_content_updated: Wikiside opdateret
838 838 mail_body_wiki_content_updated: Wikisiden '{{page}}' er blevet opdateret af {{author}}.
839 839 permission_add_project: Opret projekt
840 840 setting_new_project_user_role_id: Denne rolle gives til en bruger, som ikke er administrator, og som opretter et projekt
841 841 label_view_all_revisions: Se alle revisioner
842 842 label_tag: Tag
843 843 label_branch: Branch
844 844 error_no_tracker_in_project: Der er ingen sagshåndtering for dette projekt. Kontrollér venligst projektindstillingerne.
845 845 error_no_default_issue_status: Der er ikek defineret en standardstatus. Kontrollér venligst indstillingernen (Gå til "Administration -> Sagsstatuser").
846 846 text_journal_changed: "{{label}} ændret fra {{old}} til {{new}}"
847 847 text_journal_set_to: "{{label}} sat til {{value}}"
848 848 text_journal_deleted: "{{label}} slettet ({{old}})"
849 849 label_group_plural: Grupper
850 850 label_group: Grupper
851 851 label_group_new: Ny gruppe
852 852 label_time_entry_plural: Anvendt tid
853 853 text_journal_added: "{{label}} {{value}} added"
854 854 field_active: Active
855 855 enumeration_system_activity: System Activity
856 856 permission_delete_issue_watchers: Delete watchers
857 857 version_status_closed: closed
858 858 version_status_locked: locked
859 859 version_status_open: open
860 860 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
861 861 label_user_anonymous: Anonymous
862 862 button_move_and_follow: Move and follow
863 863 setting_default_projects_modules: Default enabled modules for new projects
864 864 setting_gravatar_default: Default Gravatar image
865 865 field_sharing: Sharing
866 866 label_version_sharing_hierarchy: With project hierarchy
867 867 label_version_sharing_system: With all projects
868 868 label_version_sharing_descendants: With subprojects
869 869 label_version_sharing_tree: With project tree
870 870 label_version_sharing_none: Not shared
871 871 error_can_not_archive_project: This project can not be archived
872 872 button_duplicate: Duplicate
873 873 button_copy_and_follow: Copy and follow
874 874 label_copy_source: Source
875 875 setting_issue_done_ratio: Calculate the issue done ratio with
876 876 setting_issue_done_ratio_issue_status: Use the issue status
877 877 error_issue_done_ratios_not_updated: Issue done ratios not updated.
878 878 error_workflow_copy_target: Please select target tracker(s) and role(s)
879 879 setting_issue_done_ratio_issue_field: Use the issue field
880 880 label_copy_same_as_target: Same as target
881 881 label_copy_target: Target
882 882 notice_issue_done_ratios_updated: Issue done ratios updated.
883 883 error_workflow_copy_source: Please select a source tracker or role
884 884 label_update_issue_done_ratios: Update issue done ratios
885 885 setting_start_of_week: Start calendars on
886 886 permission_view_issues: View Issues
887 887 label_display_used_statuses_only: Only display statuses that are used by this tracker
888 888 label_revision_id: Revision {{value}}
889 889 label_api_access_key: API access key
890 890 label_api_access_key_created_on: API access key created {{value}} ago
891 891 label_feeds_access_key: RSS access key
892 892 notice_api_access_key_reseted: Your API access key was reset.
893 893 setting_rest_api_enabled: Enable REST web service
894 894 label_missing_api_access_key: Missing an API access key
895 895 label_missing_feeds_access_key: Missing a RSS access key
896 896 button_show: Show
897 897 text_line_separated: Multiple values allowed (one line for each value).
898 898 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
899 899 permission_add_subprojects: Create subprojects
900 900 label_subproject_new: New subproject
901 901 text_own_membership_delete_confirmation: |-
902 902 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
903 903 Are you sure you want to continue?
904 904 label_close_versions: Close completed versions
905 905 label_board_sticky: Sticky
906 906 label_board_locked: Locked
907 907 permission_export_wiki_pages: Export wiki pages
908 908 setting_cache_formatted_text: Cache formatted text
909 909 permission_manage_project_activities: Manage project activities
910 910 error_unable_delete_issue_status: Unable to delete issue status
911 911 label_profile: Profile
912 912 permission_manage_subtasks: Manage subtasks
913 913 field_parent_issue: Parent task
914 914 label_subtask_plural: Subtasks
915 label_project_copy_notifications: Send email notifications during the project copy
@@ -1,911 +1,912
1 1 # German translations for Ruby on Rails
2 2 # by Clemens Kofler (clemens@railway.at)
3 3
4 4 de:
5 5 date:
6 6 formats:
7 7 # Use the strftime parameters for formats.
8 8 # When no format has been given, it uses default.
9 9 # You can provide other formats here if you like!
10 10 default: "%d.%m.%Y"
11 11 short: "%e. %b"
12 12 long: "%e. %B %Y"
13 13
14 14 day_names: [Sonntag, Montag, Dienstag, Mittwoch, Donnerstag, Freitag, Samstag]
15 15 abbr_day_names: [So, Mo, Di, Mi, Do, Fr, Sa]
16 16
17 17 # Don't forget the nil at the beginning; there's no such thing as a 0th month
18 18 month_names: [~, Januar, Februar, März, April, Mai, Juni, Juli, August, September, Oktober, November, Dezember]
19 19 abbr_month_names: [~, Jan, Feb, Mär, Apr, Mai, Jun, Jul, Aug, Sep, Okt, Nov, Dez]
20 20 # Used in date_select and datime_select.
21 21 order: [:day, :month, :year]
22 22
23 23 time:
24 24 formats:
25 25 default: "%d.%m.%Y %H:%M"
26 26 time: "%H:%M"
27 27 short: "%e. %b %H:%M"
28 28 long: "%A, %e. %B %Y, %H:%M Uhr"
29 29 am: "vormittags"
30 30 pm: "nachmittags"
31 31
32 32 datetime:
33 33 distance_in_words:
34 34 half_a_minute: 'eine halbe Minute'
35 35 less_than_x_seconds:
36 36 one: 'weniger als 1 Sekunde'
37 37 other: 'weniger als {{count}} Sekunden'
38 38 x_seconds:
39 39 one: '1 Sekunde'
40 40 other: '{{count}} Sekunden'
41 41 less_than_x_minutes:
42 42 one: 'weniger als 1 Minute'
43 43 other: 'weniger als {{count}} Minuten'
44 44 x_minutes:
45 45 one: '1 Minute'
46 46 other: '{{count}} Minuten'
47 47 about_x_hours:
48 48 one: 'etwa 1 Stunde'
49 49 other: 'etwa {{count}} Stunden'
50 50 x_days:
51 51 one: '1 Tag'
52 52 other: '{{count}} Tagen'
53 53 about_x_months:
54 54 one: 'etwa 1 Monat'
55 55 other: 'etwa {{count}} Monaten'
56 56 x_months:
57 57 one: '1 Monat'
58 58 other: '{{count}} Monaten'
59 59 about_x_years:
60 60 one: 'etwa 1 Jahr'
61 61 other: 'etwa {{count}} Jahren'
62 62 over_x_years:
63 63 one: 'mehr als 1 Jahr'
64 64 other: 'mehr als {{count}} Jahren'
65 65 almost_x_years:
66 66 one: "fast 1 Jahr"
67 67 other: "fast {{count}} Jahren"
68 68
69 69 number:
70 70 format:
71 71 precision: 2
72 72 separator: ','
73 73 delimiter: '.'
74 74 currency:
75 75 format:
76 76 unit: '€'
77 77 format: '%n %u'
78 78 separator:
79 79 delimiter:
80 80 precision:
81 81 percentage:
82 82 format:
83 83 delimiter: ""
84 84 precision:
85 85 format:
86 86 delimiter: ""
87 87 human:
88 88 format:
89 89 delimiter: ""
90 90 precision: 1
91 91 storage_units:
92 92 format: "%n %u"
93 93 units:
94 94 byte:
95 95 one: "Byte"
96 96 other: "Bytes"
97 97 kb: "KB"
98 98 mb: "MB"
99 99 gb: "GB"
100 100 tb: "TB"
101 101
102 102
103 103 # Used in array.to_sentence.
104 104 support:
105 105 array:
106 106 sentence_connector: "und"
107 107 skip_last_comma: true
108 108
109 109 activerecord:
110 110 errors:
111 111 template:
112 112 header: "Dieses {{model}}-Objekt konnte nicht gespeichert werden: {{count}} Fehler."
113 113 body: "Bitte überprüfen Sie die folgenden Felder:"
114 114
115 115 messages:
116 116 inclusion: "ist kein gültiger Wert"
117 117 exclusion: "ist nicht verfügbar"
118 118 invalid: "ist nicht gültig"
119 119 confirmation: "stimmt nicht mit der Bestätigung überein"
120 120 accepted: "muss akzeptiert werden"
121 121 empty: "muss ausgefüllt werden"
122 122 blank: "muss ausgefüllt werden"
123 123 too_long: "ist zu lang (nicht mehr als {{count}} Zeichen)"
124 124 too_short: "ist zu kurz (nicht weniger als {{count}} Zeichen)"
125 125 wrong_length: "hat die falsche Länge (muss genau {{count}} Zeichen haben)"
126 126 taken: "ist bereits vergeben"
127 127 not_a_number: "ist keine Zahl"
128 128 not_a_date: "is kein gültiges Datum"
129 129 greater_than: "muss größer als {{count}} sein"
130 130 greater_than_or_equal_to: "muss größer oder gleich {{count}} sein"
131 131 equal_to: "muss genau {{count}} sein"
132 132 less_than: "muss kleiner als {{count}} sein"
133 133 less_than_or_equal_to: "muss kleiner oder gleich {{count}} sein"
134 134 odd: "muss ungerade sein"
135 135 even: "muss gerade sein"
136 136 greater_than_start_date: "muss größer als Anfangsdatum sein"
137 137 not_same_project: "gehört nicht zum selben Projekt"
138 138 circular_dependency: "Diese Beziehung würde eine zyklische Abhängigkeit erzeugen"
139 139
140 140 actionview_instancetag_blank_option: Bitte auswählen
141 141
142 142 general_text_No: 'Nein'
143 143 general_text_Yes: 'Ja'
144 144 general_text_no: 'nein'
145 145 general_text_yes: 'ja'
146 146 general_lang_name: 'Deutsch'
147 147 general_csv_separator: ';'
148 148 general_csv_decimal_separator: ','
149 149 general_csv_encoding: ISO-8859-1
150 150 general_pdf_encoding: ISO-8859-1
151 151 general_first_day_of_week: '1'
152 152
153 153 notice_account_updated: Konto wurde erfolgreich aktualisiert.
154 154 notice_account_invalid_creditentials: Benutzer oder Kennwort ist ungültig.
155 155 notice_account_password_updated: Kennwort wurde erfolgreich aktualisiert.
156 156 notice_account_wrong_password: Falsches Kennwort.
157 157 notice_account_register_done: Konto wurde erfolgreich angelegt.
158 158 notice_account_unknown_email: Unbekannter Benutzer.
159 159 notice_can_t_change_password: Dieses Konto verwendet eine externe Authentifizierungs-Quelle. Unmöglich, das Kennwort zu ändern.
160 160 notice_account_lost_email_sent: Eine E-Mail mit Anweisungen, ein neues Kennwort zu wählen, wurde Ihnen geschickt.
161 161 notice_account_activated: Ihr Konto ist aktiviert. Sie können sich jetzt anmelden.
162 162 notice_successful_create: Erfolgreich angelegt
163 163 notice_successful_update: Erfolgreich aktualisiert.
164 164 notice_successful_delete: Erfolgreich gelöscht.
165 165 notice_successful_connection: Verbindung erfolgreich.
166 166 notice_file_not_found: Anhang existiert nicht oder ist gelöscht worden.
167 167 notice_locking_conflict: Datum wurde von einem anderen Benutzer geändert.
168 168 notice_not_authorized: Sie sind nicht berechtigt, auf diese Seite zuzugreifen.
169 169 notice_email_sent: "Eine E-Mail wurde an {{value}} gesendet."
170 170 notice_email_error: "Beim Senden einer E-Mail ist ein Fehler aufgetreten ({{value}})."
171 171 notice_feeds_access_key_reseted: Ihr Atom-Zugriffsschlüssel wurde zurückgesetzt.
172 172 notice_api_access_key_reseted: Ihr API-Zugriffsschlüssel wurde zurückgesetzt.
173 173 notice_failed_to_save_issues: "{{count}} von {{total}} ausgewählten Tickets konnte(n) nicht gespeichert werden: {{ids}}."
174 174 notice_no_issue_selected: "Kein Ticket ausgewählt! Bitte wählen Sie die Tickets, die Sie bearbeiten möchten."
175 175 notice_account_pending: "Ihr Konto wurde erstellt und wartet jetzt auf die Genehmigung des Administrators."
176 176 notice_default_data_loaded: Die Standard-Konfiguration wurde erfolgreich geladen.
177 177 notice_unable_delete_version: Die Version konnte nicht gelöscht werden.
178 178 notice_issue_done_ratios_updated: Der Ticket-Fortschritt wurde aktualisiert.
179 179
180 180 error_can_t_load_default_data: "Die Standard-Konfiguration konnte nicht geladen werden: {{value}}"
181 181 error_scm_not_found: Eintrag und/oder Revision existiert nicht im Projektarchiv.
182 182 error_scm_command_failed: "Beim Zugriff auf das Projektarchiv ist ein Fehler aufgetreten: {{value}}"
183 183 error_scm_annotate: "Der Eintrag existiert nicht oder kann nicht annotiert werden."
184 184 error_issue_not_found_in_project: 'Das Ticket wurde nicht gefunden oder gehört nicht zu diesem Projekt.'
185 185 error_no_tracker_in_project: Diesem Projekt ist kein Tracker zugeordnet. Bitte überprüfen Sie die Projekteinstellungen.
186 186 error_no_default_issue_status: Es ist kein Status als Standard definiert. Bitte überprüfen Sie Ihre Konfiguration (unter "Administration -> Ticket-Status").
187 187 error_can_not_reopen_issue_on_closed_version: Das Ticket ist einer abgeschlossenen Version zugeordnet und kann daher nicht wieder geöffnet werden.
188 188 error_can_not_archive_project: Dieses Projekt kann nicht archiviert werden.
189 189 error_issue_done_ratios_not_updated: Der Ticket-Fortschritt wurde nicht aktualisiert.
190 190 error_workflow_copy_source: Bitte wählen Sie einen Quell-Tracker und eine Quell-Rolle.
191 191 error_workflow_copy_target: Bitte wählen Sie die Ziel-Tracker und -Rollen.
192 192 error_unable_delete_issue_status: "Der Ticket-Status konnte nicht gelöscht werden."
193 193
194 194 warning_attachments_not_saved:
195 195 one: "1 Datei konnte nicht gespeichert werden."
196 196 other: "{{count}} Dateien konnten nicht gespeichert werden."
197 197
198 198 mail_subject_lost_password: "Ihr {{value}} Kennwort"
199 199 mail_body_lost_password: 'Benutzen Sie den folgenden Link, um Ihr Kennwort zu ändern:'
200 200 mail_subject_register: "{{value}} Kontoaktivierung"
201 201 mail_body_register: 'Um Ihr Konto zu aktivieren, benutzen Sie folgenden Link:'
202 202 mail_body_account_information_external: "Sie können sich mit Ihrem Konto {{value}} an anmelden."
203 203 mail_body_account_information: Ihre Konto-Informationen
204 204 mail_subject_account_activation_request: "Antrag auf {{value}} Kontoaktivierung"
205 205 mail_body_account_activation_request: "Ein neuer Benutzer ({{value}}) hat sich registriert. Sein Konto wartet auf Ihre Genehmigung:"
206 206 mail_subject_reminder: "{{count}} Tickets müssen in den nächsten Tagen abgegeben werden"
207 207 mail_body_reminder: "{{count}} Tickets, die Ihnen zugewiesen sind, müssen in den nächsten {{days}} Tagen abgegeben werden:"
208 208 mail_subject_wiki_content_added: "Wiki-Seite '{{page}}' hinzugefügt"
209 209 mail_body_wiki_content_added: "Die Wiki-Seite '{{page}}' wurde von {{author}} hinzugefügt."
210 210 mail_subject_wiki_content_updated: "Wiki-Seite '{{page}}' erfolgreich aktualisiert"
211 211 mail_body_wiki_content_updated: "Die Wiki-Seite '{{page}}' wurde von {{author}} aktualisiert."
212 212
213 213 gui_validation_error: 1 Fehler
214 214 gui_validation_error_plural: "{{count}} Fehler"
215 215
216 216 field_name: Name
217 217 field_description: Beschreibung
218 218 field_summary: Zusammenfassung
219 219 field_is_required: Erforderlich
220 220 field_firstname: Vorname
221 221 field_lastname: Nachname
222 222 field_mail: E-Mail
223 223 field_filename: Datei
224 224 field_filesize: Größe
225 225 field_downloads: Downloads
226 226 field_author: Autor
227 227 field_created_on: Angelegt
228 228 field_updated_on: Aktualisiert
229 229 field_field_format: Format
230 230 field_is_for_all: Für alle Projekte
231 231 field_possible_values: Mögliche Werte
232 232 field_regexp: Regulärer Ausdruck
233 233 field_min_length: Minimale Länge
234 234 field_max_length: Maximale Länge
235 235 field_value: Wert
236 236 field_category: Kategorie
237 237 field_title: Titel
238 238 field_project: Projekt
239 239 field_issue: Ticket
240 240 field_status: Status
241 241 field_notes: Kommentare
242 242 field_is_closed: Ticket geschlossen
243 243 field_is_default: Standardeinstellung
244 244 field_tracker: Tracker
245 245 field_subject: Thema
246 246 field_due_date: Abgabedatum
247 247 field_assigned_to: Zugewiesen an
248 248 field_priority: Priorität
249 249 field_fixed_version: Zielversion
250 250 field_user: Benutzer
251 251 field_role: Rolle
252 252 field_homepage: Projekt-Homepage
253 253 field_is_public: Öffentlich
254 254 field_parent: Unterprojekt von
255 255 field_is_in_roadmap: In der Roadmap anzeigen
256 256 field_login: Mitgliedsname
257 257 field_mail_notification: Mailbenachrichtigung
258 258 field_admin: Administrator
259 259 field_last_login_on: Letzte Anmeldung
260 260 field_language: Sprache
261 261 field_effective_date: Datum
262 262 field_password: Kennwort
263 263 field_new_password: Neues Kennwort
264 264 field_password_confirmation: Bestätigung
265 265 field_version: Version
266 266 field_type: Typ
267 267 field_host: Host
268 268 field_port: Port
269 269 field_account: Konto
270 270 field_base_dn: Base DN
271 271 field_attr_login: Mitgliedsname-Attribut
272 272 field_attr_firstname: Vorname-Attribut
273 273 field_attr_lastname: Name-Attribut
274 274 field_attr_mail: E-Mail-Attribut
275 275 field_onthefly: On-the-fly-Benutzererstellung
276 276 field_start_date: Beginn
277 277 field_done_ratio: % erledigt
278 278 field_auth_source: Authentifizierungs-Modus
279 279 field_hide_mail: E-Mail-Adresse nicht anzeigen
280 280 field_comments: Kommentar
281 281 field_url: URL
282 282 field_start_page: Hauptseite
283 283 field_subproject: Unterprojekt von
284 284 field_hours: Stunden
285 285 field_activity: Aktivität
286 286 field_spent_on: Datum
287 287 field_identifier: Kennung
288 288 field_is_filter: Als Filter benutzen
289 289 field_issue_to: Zugehöriges Ticket
290 290 field_delay: Pufferzeit
291 291 field_assignable: Tickets können dieser Rolle zugewiesen werden
292 292 field_redirect_existing_links: Existierende Links umleiten
293 293 field_estimated_hours: Geschätzter Aufwand
294 294 field_column_names: Spalten
295 295 field_time_zone: Zeitzone
296 296 field_searchable: Durchsuchbar
297 297 field_default_value: Standardwert
298 298 field_comments_sorting: Kommentare anzeigen
299 299 field_parent_title: Übergeordnete Seite
300 300 field_editable: Bearbeitbar
301 301 field_watcher: Beobachter
302 302 field_identity_url: OpenID-URL
303 303 field_content: Inhalt
304 304 field_group_by: Gruppiere Ergebnisse nach
305 305 field_sharing: Gemeinsame Verwendung
306 306
307 307 setting_app_title: Applikations-Titel
308 308 setting_app_subtitle: Applikations-Untertitel
309 309 setting_welcome_text: Willkommenstext
310 310 setting_default_language: Default-Sprache
311 311 setting_login_required: Authentifizierung erforderlich
312 312 setting_self_registration: Anmeldung ermöglicht
313 313 setting_attachment_max_size: Max. Dateigröße
314 314 setting_issues_export_limit: Max. Anzahl Tickets bei CSV/PDF-Export
315 315 setting_mail_from: E-Mail-Absender
316 316 setting_bcc_recipients: E-Mails als Blindkopie (BCC) senden
317 317 setting_plain_text_mail: Nur reinen Text (kein HTML) senden
318 318 setting_host_name: Hostname
319 319 setting_text_formatting: Textformatierung
320 320 setting_wiki_compression: Wiki-Historie komprimieren
321 321 setting_feeds_limit: Max. Anzahl Einträge pro Atom-Feed
322 322 setting_default_projects_public: Neue Projekte sind standardmäßig öffentlich
323 323 setting_autofetch_changesets: Changesets automatisch abrufen
324 324 setting_sys_api_enabled: Webservice zur Verwaltung der Projektarchive benutzen
325 325 setting_commit_ref_keywords: Schlüsselwörter (Beziehungen)
326 326 setting_commit_fix_keywords: Schlüsselwörter (Status)
327 327 setting_autologin: Automatische Anmeldung
328 328 setting_date_format: Datumsformat
329 329 setting_time_format: Zeitformat
330 330 setting_cross_project_issue_relations: Ticket-Beziehungen zwischen Projekten erlauben
331 331 setting_issue_list_default_columns: Default-Spalten in der Ticket-Auflistung
332 332 setting_repositories_encodings: Kodierungen der Projektarchive
333 333 setting_commit_logs_encoding: Kodierung der Commit-Log-Meldungen
334 334 setting_emails_footer: E-Mail-Fußzeile
335 335 setting_protocol: Protokoll
336 336 setting_per_page_options: Objekte pro Seite
337 337 setting_user_format: Benutzer-Anzeigeformat
338 338 setting_activity_days_default: Anzahl Tage pro Seite der Projekt-Aktivität
339 339 setting_display_subprojects_issues: Tickets von Unterprojekten im Hauptprojekt anzeigen
340 340 setting_enabled_scm: Aktivierte Versionskontrollsysteme
341 341 setting_mail_handler_body_delimiters: "Schneide E-Mails nach einer dieser Zeilen ab"
342 342 setting_mail_handler_api_enabled: Abruf eingehender E-Mails aktivieren
343 343 setting_mail_handler_api_key: API-Schlüssel
344 344 setting_sequential_project_identifiers: Fortlaufende Projektkennungen generieren
345 345 setting_gravatar_enabled: Gravatar-Benutzerbilder benutzen
346 346 setting_gravatar_default: Standard-Gravatar-Bild
347 347 setting_diff_max_lines_displayed: Maximale Anzahl anzuzeigender Diff-Zeilen
348 348 setting_file_max_size_displayed: Maximale Größe inline angezeigter Textdateien
349 349 setting_repository_log_display_limit: Maximale Anzahl anzuzeigender Revisionen in der Historie einer Datei
350 350 setting_openid: Erlaube OpenID-Anmeldung und -Registrierung
351 351 setting_password_min_length: Mindestlänge des Kennworts
352 352 setting_new_project_user_role_id: Rolle, die einem Nicht-Administrator zugeordnet wird, der ein Projekt erstellt
353 353 setting_default_projects_modules: Standardmäßig aktivierte Module für neue Projekte
354 354 setting_issue_done_ratio: Berechne den Ticket-Fortschritt mittels
355 355 setting_issue_done_ratio_issue_field: Ticket-Feld %-erledigt
356 356 setting_issue_done_ratio_issue_status: Ticket-Status
357 357 setting_start_of_week: Wochenanfang
358 358 setting_rest_api_enabled: REST-Schnittstelle aktivieren
359 359 setting_cache_formatted_text: Formatierten Text im Cache speichern
360 360
361 361 permission_add_project: Projekt erstellen
362 362 permission_add_subprojects: Unterprojekte erstellen
363 363 permission_edit_project: Projekt bearbeiten
364 364 permission_select_project_modules: Projektmodule auswählen
365 365 permission_manage_members: Mitglieder verwalten
366 366 permission_manage_project_activities: Aktivitäten (Zeiterfassung) verwalten
367 367 permission_manage_versions: Versionen verwalten
368 368 permission_manage_categories: Ticket-Kategorien verwalten
369 369 permission_view_issues: Tickets anzeigen
370 370 permission_add_issues: Tickets hinzufügen
371 371 permission_edit_issues: Tickets bearbeiten
372 372 permission_manage_issue_relations: Ticket-Beziehungen verwalten
373 373 permission_add_issue_notes: Kommentare hinzufügen
374 374 permission_edit_issue_notes: Kommentare bearbeiten
375 375 permission_edit_own_issue_notes: Eigene Kommentare bearbeiten
376 376 permission_move_issues: Tickets verschieben
377 377 permission_delete_issues: Tickets löschen
378 378 permission_manage_public_queries: Öffentliche Filter verwalten
379 379 permission_save_queries: Filter speichern
380 380 permission_view_gantt: Gantt-Diagramm ansehen
381 381 permission_view_calendar: Kalender ansehen
382 382 permission_view_issue_watchers: Liste der Beobachter ansehen
383 383 permission_add_issue_watchers: Beobachter hinzufügen
384 384 permission_delete_issue_watchers: Beobachter löschen
385 385 permission_log_time: Aufwände buchen
386 386 permission_view_time_entries: Gebuchte Aufwände ansehen
387 387 permission_edit_time_entries: Gebuchte Aufwände bearbeiten
388 388 permission_edit_own_time_entries: Selbst gebuchte Aufwände bearbeiten
389 389 permission_manage_news: News verwalten
390 390 permission_comment_news: News kommentieren
391 391 permission_manage_documents: Dokumente verwalten
392 392 permission_view_documents: Dokumente ansehen
393 393 permission_manage_files: Dateien verwalten
394 394 permission_view_files: Dateien ansehen
395 395 permission_manage_wiki: Wiki verwalten
396 396 permission_rename_wiki_pages: Wiki-Seiten umbenennen
397 397 permission_delete_wiki_pages: Wiki-Seiten löschen
398 398 permission_view_wiki_pages: Wiki ansehen
399 399 permission_view_wiki_edits: Wiki-Versionsgeschichte ansehen
400 400 permission_edit_wiki_pages: Wiki-Seiten bearbeiten
401 401 permission_delete_wiki_pages_attachments: Anhänge löschen
402 402 permission_protect_wiki_pages: Wiki-Seiten schützen
403 403 permission_manage_repository: Projektarchiv verwalten
404 404 permission_browse_repository: Projektarchiv ansehen
405 405 permission_view_changesets: Changesets ansehen
406 406 permission_commit_access: Commit-Zugriff (über WebDAV)
407 407 permission_manage_boards: Foren verwalten
408 408 permission_view_messages: Forenbeiträge ansehen
409 409 permission_add_messages: Forenbeiträge hinzufügen
410 410 permission_edit_messages: Forenbeiträge bearbeiten
411 411 permission_edit_own_messages: Eigene Forenbeiträge bearbeiten
412 412 permission_delete_messages: Forenbeiträge löschen
413 413 permission_delete_own_messages: Eigene Forenbeiträge löschen
414 414 permission_export_wiki_pages: Wiki-Seiten exportieren
415 415
416 416 project_module_issue_tracking: Ticket-Verfolgung
417 417 project_module_time_tracking: Zeiterfassung
418 418 project_module_news: News
419 419 project_module_documents: Dokumente
420 420 project_module_files: Dateien
421 421 project_module_wiki: Wiki
422 422 project_module_repository: Projektarchiv
423 423 project_module_boards: Foren
424 424
425 425 label_user: Benutzer
426 426 label_user_plural: Benutzer
427 427 label_user_new: Neuer Benutzer
428 428 label_user_anonymous: Anonym
429 429 label_project: Projekt
430 430 label_project_new: Neues Projekt
431 431 label_project_plural: Projekte
432 432 label_x_projects:
433 433 zero: keine Projekte
434 434 one: 1 Projekt
435 435 other: "{{count}} Projekte"
436 436 label_project_all: Alle Projekte
437 437 label_project_latest: Neueste Projekte
438 438 label_issue: Ticket
439 439 label_issue_new: Neues Ticket
440 440 label_issue_plural: Tickets
441 441 label_issue_view_all: Alle Tickets anzeigen
442 442 label_issues_by: "Tickets von {{value}}"
443 443 label_issue_added: Ticket hinzugefügt
444 444 label_issue_updated: Ticket aktualisiert
445 445 label_document: Dokument
446 446 label_document_new: Neues Dokument
447 447 label_document_plural: Dokumente
448 448 label_document_added: Dokument hinzugefügt
449 449 label_role: Rolle
450 450 label_role_plural: Rollen
451 451 label_role_new: Neue Rolle
452 452 label_role_and_permissions: Rollen und Rechte
453 453 label_member: Mitglied
454 454 label_member_new: Neues Mitglied
455 455 label_member_plural: Mitglieder
456 456 label_tracker: Tracker
457 457 label_tracker_plural: Tracker
458 458 label_tracker_new: Neuer Tracker
459 459 label_workflow: Workflow
460 460 label_issue_status: Ticket-Status
461 461 label_issue_status_plural: Ticket-Status
462 462 label_issue_status_new: Neuer Status
463 463 label_issue_category: Ticket-Kategorie
464 464 label_issue_category_plural: Ticket-Kategorien
465 465 label_issue_category_new: Neue Kategorie
466 466 label_custom_field: Benutzerdefiniertes Feld
467 467 label_custom_field_plural: Benutzerdefinierte Felder
468 468 label_custom_field_new: Neues Feld
469 469 label_enumerations: Aufzählungen
470 470 label_enumeration_new: Neuer Wert
471 471 label_information: Information
472 472 label_information_plural: Informationen
473 473 label_please_login: Anmelden
474 474 label_register: Registrieren
475 475 label_login_with_open_id_option: oder mit OpenID anmelden
476 476 label_password_lost: Kennwort vergessen
477 477 label_home: Hauptseite
478 478 label_my_page: Meine Seite
479 479 label_my_account: Mein Konto
480 480 label_my_projects: Meine Projekte
481 481 label_administration: Administration
482 482 label_login: Anmelden
483 483 label_logout: Abmelden
484 484 label_help: Hilfe
485 485 label_reported_issues: Gemeldete Tickets
486 486 label_assigned_to_me_issues: Mir zugewiesen
487 487 label_last_login: Letzte Anmeldung
488 488 label_registered_on: Angemeldet am
489 489 label_activity: Aktivität
490 490 label_overall_activity: Aktivität aller Projekte anzeigen
491 491 label_user_activity: "Aktivität von {{value}}"
492 492 label_new: Neu
493 493 label_logged_as: Angemeldet als
494 494 label_environment: Environment
495 495 label_authentication: Authentifizierung
496 496 label_auth_source: Authentifizierungs-Modus
497 497 label_auth_source_new: Neuer Authentifizierungs-Modus
498 498 label_auth_source_plural: Authentifizierungs-Arten
499 499 label_subproject_plural: Unterprojekte
500 500 label_subproject_new: Neues Unterprojekt
501 501 label_and_its_subprojects: "{{value}} und dessen Unterprojekte"
502 502 label_min_max_length: Länge (Min. - Max.)
503 503 label_list: Liste
504 504 label_date: Datum
505 505 label_integer: Zahl
506 506 label_float: Fließkommazahl
507 507 label_boolean: Boolean
508 508 label_string: Text
509 509 label_text: Langer Text
510 510 label_attribute: Attribut
511 511 label_attribute_plural: Attribute
512 512 label_download: "{{count}} Download"
513 513 label_download_plural: "{{count}} Downloads"
514 514 label_no_data: Nichts anzuzeigen
515 515 label_change_status: Statuswechsel
516 516 label_history: Historie
517 517 label_attachment: Datei
518 518 label_attachment_new: Neue Datei
519 519 label_attachment_delete: Anhang löschen
520 520 label_attachment_plural: Dateien
521 521 label_file_added: Datei hinzugefügt
522 522 label_report: Bericht
523 523 label_report_plural: Berichte
524 524 label_news: News
525 525 label_news_new: News hinzufügen
526 526 label_news_plural: News
527 527 label_news_latest: Letzte News
528 528 label_news_view_all: Alle News anzeigen
529 529 label_news_added: News hinzugefügt
530 530 label_settings: Konfiguration
531 531 label_overview: Übersicht
532 532 label_version: Version
533 533 label_version_new: Neue Version
534 534 label_version_plural: Versionen
535 535 label_close_versions: Vollständige Versionen schließen
536 536 label_confirmation: Bestätigung
537 537 label_export_to: "Auch abrufbar als:"
538 538 label_read: Lesen...
539 539 label_public_projects: Öffentliche Projekte
540 540 label_open_issues: offen
541 541 label_open_issues_plural: offen
542 542 label_closed_issues: geschlossen
543 543 label_closed_issues_plural: geschlossen
544 544 label_x_open_issues_abbr_on_total: "{{count}} offen / {{total}}"
545 545 label_x_open_issues_abbr: "{{count}} offen"
546 546 label_x_closed_issues_abbr: "{{count}} geschlossen"
547 547 label_total: Gesamtzahl
548 548 label_permissions: Berechtigungen
549 549 label_current_status: Gegenwärtiger Status
550 550 label_new_statuses_allowed: Neue Berechtigungen
551 551 label_all: alle
552 552 label_none: kein
553 553 label_nobody: Niemand
554 554 label_next: Weiter
555 555 label_previous: Zurück
556 556 label_used_by: Benutzt von
557 557 label_details: Details
558 558 label_add_note: Kommentar hinzufügen
559 559 label_per_page: Pro Seite
560 560 label_calendar: Kalender
561 561 label_months_from: Monate ab
562 562 label_gantt: Gantt-Diagramm
563 563 label_internal: Intern
564 564 label_last_changes: "{{count}} letzte Änderungen"
565 565 label_change_view_all: Alle Änderungen anzeigen
566 566 label_personalize_page: Diese Seite anpassen
567 567 label_comment: Kommentar
568 568 label_comment_plural: Kommentare
569 569 label_x_comments:
570 570 zero: keine Kommentare
571 571 one: 1 Kommentar
572 572 other: "{{count}} Kommentare"
573 573 label_comment_add: Kommentar hinzufügen
574 574 label_comment_added: Kommentar hinzugefügt
575 575 label_comment_delete: Kommentar löschen
576 576 label_query: Benutzerdefinierte Abfrage
577 577 label_query_plural: Benutzerdefinierte Berichte
578 578 label_query_new: Neuer Bericht
579 579 label_filter_add: Filter hinzufügen
580 580 label_filter_plural: Filter
581 581 label_equals: ist
582 582 label_not_equals: ist nicht
583 583 label_in_less_than: in weniger als
584 584 label_in_more_than: in mehr als
585 585 label_greater_or_equal: ">="
586 586 label_less_or_equal: "<="
587 587 label_in: an
588 588 label_today: heute
589 589 label_all_time: gesamter Zeitraum
590 590 label_yesterday: gestern
591 591 label_this_week: aktuelle Woche
592 592 label_last_week: vorige Woche
593 593 label_last_n_days: "die letzten {{count}} Tage"
594 594 label_this_month: aktueller Monat
595 595 label_last_month: voriger Monat
596 596 label_this_year: aktuelles Jahr
597 597 label_date_range: Zeitraum
598 598 label_less_than_ago: vor weniger als
599 599 label_more_than_ago: vor mehr als
600 600 label_ago: vor
601 601 label_contains: enthält
602 602 label_not_contains: enthält nicht
603 603 label_day_plural: Tage
604 604 label_repository: Projektarchiv
605 605 label_repository_plural: Projektarchive
606 606 label_browse: Codebrowser
607 607 label_modification: "{{count}} Änderung"
608 608 label_modification_plural: "{{count}} Änderungen"
609 609 label_branch: Zweig
610 610 label_tag: Markierung
611 611 label_revision: Revision
612 612 label_revision_plural: Revisionen
613 613 label_revision_id: Revision {{value}}
614 614 label_associated_revisions: Zugehörige Revisionen
615 615 label_added: hinzugefügt
616 616 label_modified: geändert
617 617 label_copied: kopiert
618 618 label_renamed: umbenannt
619 619 label_deleted: gelöscht
620 620 label_latest_revision: Aktuellste Revision
621 621 label_latest_revision_plural: Aktuellste Revisionen
622 622 label_view_revisions: Revisionen anzeigen
623 623 label_view_all_revisions: Alle Revisionen anzeigen
624 624 label_max_size: Maximale Größe
625 625 label_sort_highest: An den Anfang
626 626 label_sort_higher: Eins höher
627 627 label_sort_lower: Eins tiefer
628 628 label_sort_lowest: Ans Ende
629 629 label_roadmap: Roadmap
630 630 label_roadmap_due_in: "Fällig in {{value}}"
631 631 label_roadmap_overdue: "{{value}} verspätet"
632 632 label_roadmap_no_issues: Keine Tickets für diese Version
633 633 label_search: Suche
634 634 label_result_plural: Resultate
635 635 label_all_words: Alle Wörter
636 636 label_wiki: Wiki
637 637 label_wiki_edit: Wiki-Bearbeitung
638 638 label_wiki_edit_plural: Wiki-Bearbeitungen
639 639 label_wiki_page: Wiki-Seite
640 640 label_wiki_page_plural: Wiki-Seiten
641 641 label_index_by_title: Seiten nach Titel sortiert
642 642 label_index_by_date: Seiten nach Datum sortiert
643 643 label_current_version: Gegenwärtige Version
644 644 label_preview: Vorschau
645 645 label_feed_plural: Feeds
646 646 label_changes_details: Details aller Änderungen
647 647 label_issue_tracking: Tickets
648 648 label_spent_time: Aufgewendete Zeit
649 649 label_f_hour: "{{value}} Stunde"
650 650 label_f_hour_plural: "{{value}} Stunden"
651 651 label_time_tracking: Zeiterfassung
652 652 label_change_plural: Änderungen
653 653 label_statistics: Statistiken
654 654 label_commits_per_month: Übertragungen pro Monat
655 655 label_commits_per_author: Übertragungen pro Autor
656 656 label_view_diff: Unterschiede anzeigen
657 657 label_diff_inline: einspaltig
658 658 label_diff_side_by_side: nebeneinander
659 659 label_options: Optionen
660 660 label_copy_workflow_from: Workflow kopieren von
661 661 label_permissions_report: Berechtigungsübersicht
662 662 label_watched_issues: Beobachtete Tickets
663 663 label_related_issues: Zugehörige Tickets
664 664 label_applied_status: Zugewiesener Status
665 665 label_loading: Lade...
666 666 label_relation_new: Neue Beziehung
667 667 label_relation_delete: Beziehung löschen
668 668 label_relates_to: Beziehung mit
669 669 label_duplicates: Duplikat von
670 670 label_duplicated_by: Dupliziert durch
671 671 label_blocks: Blockiert
672 672 label_blocked_by: Blockiert durch
673 673 label_precedes: Vorgänger von
674 674 label_follows: folgt
675 675 label_end_to_start: Ende - Anfang
676 676 label_end_to_end: Ende - Ende
677 677 label_start_to_start: Anfang - Anfang
678 678 label_start_to_end: Anfang - Ende
679 679 label_stay_logged_in: Angemeldet bleiben
680 680 label_disabled: gesperrt
681 681 label_show_completed_versions: Abgeschlossene Versionen anzeigen
682 682 label_me: ich
683 683 label_board: Forum
684 684 label_board_new: Neues Forum
685 685 label_board_plural: Foren
686 686 label_board_locked: Gesperrt
687 687 label_board_sticky: Wichtig (immer oben)
688 688 label_topic_plural: Themen
689 689 label_message_plural: Forenbeiträge
690 690 label_message_last: Letzter Forenbeitrag
691 691 label_message_new: Neues Thema
692 692 label_message_posted: Forenbeitrag hinzugefügt
693 693 label_reply_plural: Antworten
694 694 label_send_information: Sende Kontoinformationen zum Benutzer
695 695 label_year: Jahr
696 696 label_month: Monat
697 697 label_week: Woche
698 698 label_date_from: Von
699 699 label_date_to: Bis
700 700 label_language_based: Sprachabhängig
701 701 label_sort_by: "Sortiert nach {{value}}"
702 702 label_send_test_email: Test-E-Mail senden
703 703 label_feeds_access_key: RSS-Zugriffsschlüssel
704 704 label_missing_feeds_access_key: Der RSS-Zugriffsschlüssel fehlt.
705 705 label_feeds_access_key_created_on: "Atom-Zugriffsschlüssel vor {{value}} erstellt"
706 706 label_module_plural: Module
707 707 label_added_time_by: "Von {{author}} vor {{age}} hinzugefügt"
708 708 label_updated_time_by: "Von {{author}} vor {{age}} aktualisiert"
709 709 label_updated_time: "Vor {{value}} aktualisiert"
710 710 label_jump_to_a_project: Zu einem Projekt springen...
711 711 label_file_plural: Dateien
712 712 label_changeset_plural: Changesets
713 713 label_default_columns: Standard-Spalten
714 714 label_no_change_option: (Keine Änderung)
715 715 label_bulk_edit_selected_issues: Alle ausgewählten Tickets bearbeiten
716 716 label_theme: Stil
717 717 label_default: Standard
718 718 label_search_titles_only: Nur Titel durchsuchen
719 719 label_user_mail_option_all: "Für alle Ereignisse in all meinen Projekten"
720 720 label_user_mail_option_selected: "Für alle Ereignisse in den ausgewählten Projekten..."
721 721 label_user_mail_option_none: "Nur für Dinge, die ich beobachte oder an denen ich beteiligt bin"
722 722 label_user_mail_no_self_notified: "Ich möchte nicht über Änderungen benachrichtigt werden, die ich selbst durchführe."
723 723 label_registration_activation_by_email: Kontoaktivierung durch E-Mail
724 724 label_registration_manual_activation: Manuelle Kontoaktivierung
725 725 label_registration_automatic_activation: Automatische Kontoaktivierung
726 726 label_display_per_page: "Pro Seite: {{value}}"
727 727 label_age: Geändert vor
728 728 label_change_properties: Eigenschaften ändern
729 729 label_general: Allgemein
730 730 label_more: Mehr
731 731 label_scm: Versionskontrollsystem
732 732 label_plugins: Plugins
733 733 label_ldap_authentication: LDAP-Authentifizierung
734 734 label_downloads_abbr: D/L
735 735 label_optional_description: Beschreibung (optional)
736 736 label_add_another_file: Eine weitere Datei hinzufügen
737 737 label_preferences: Präferenzen
738 738 label_chronological_order: in zeitlicher Reihenfolge
739 739 label_reverse_chronological_order: in umgekehrter zeitlicher Reihenfolge
740 740 label_planning: Terminplanung
741 741 label_incoming_emails: Eingehende E-Mails
742 742 label_generate_key: Generieren
743 743 label_issue_watchers: Beobachter
744 744 label_example: Beispiel
745 745 label_display: Anzeige
746 746 label_sort: Sortierung
747 747 label_ascending: Aufsteigend
748 748 label_descending: Absteigend
749 749 label_date_from_to: von {{start}} bis {{end}}
750 750 label_wiki_content_added: Die Wiki-Seite wurde erfolgreich hinzugefügt.
751 751 label_wiki_content_updated: Die Wiki-Seite wurde erfolgreich aktualisiert.
752 752 label_group: Gruppe
753 753 label_group_plural: Gruppen
754 754 label_group_new: Neue Gruppe
755 755 label_time_entry_plural: Benötigte Zeit
756 756 label_version_sharing_none: Nicht gemeinsam verwenden
757 757 label_version_sharing_descendants: Mit Unterprojekten
758 758 label_version_sharing_hierarchy: Mit Projekthierarchie
759 759 label_version_sharing_tree: Mit Projektbaum
760 760 label_version_sharing_system: Mit allen Projekten
761 761 label_update_issue_done_ratios: Ticket-Fortschritt aktualisieren
762 762 label_copy_source: Quelle
763 763 label_copy_target: Ziel
764 764 label_copy_same_as_target: So wie das Ziel
765 765 label_display_used_statuses_only: Zeige nur Status an, die von diesem Tracker verwendet werden
766 766 label_api_access_key: API-Zugriffsschlüssel
767 767 label_missing_api_access_key: Der API-Zugriffsschlüssel fehlt.
768 768 label_api_access_key_created_on: Der API-Zugriffsschlüssel wurde vor {{value}} erstellt
769 769
770 770 button_login: Anmelden
771 771 button_submit: OK
772 772 button_save: Speichern
773 773 button_check_all: Alles auswählen
774 774 button_uncheck_all: Alles abwählen
775 775 button_delete: Löschen
776 776 button_create: Anlegen
777 777 button_create_and_continue: Anlegen + nächstes Ticket
778 778 button_test: Testen
779 779 button_edit: Bearbeiten
780 780 button_add: Hinzufügen
781 781 button_change: Wechseln
782 782 button_apply: Anwenden
783 783 button_clear: Zurücksetzen
784 784 button_lock: Sperren
785 785 button_unlock: Entsperren
786 786 button_download: Download
787 787 button_list: Liste
788 788 button_view: Anzeigen
789 789 button_move: Verschieben
790 790 button_move_and_follow: Verschieben und Ticket anzeigen
791 791 button_back: Zurück
792 792 button_cancel: Abbrechen
793 793 button_activate: Aktivieren
794 794 button_sort: Sortieren
795 795 button_log_time: Aufwand buchen
796 796 button_rollback: Auf diese Version zurücksetzen
797 797 button_watch: Beobachten
798 798 button_unwatch: Nicht beobachten
799 799 button_reply: Antworten
800 800 button_archive: Archivieren
801 801 button_unarchive: Entarchivieren
802 802 button_reset: Zurücksetzen
803 803 button_rename: Umbenennen
804 804 button_change_password: Kennwort ändern
805 805 button_copy: Kopieren
806 806 button_copy_and_follow: Kopieren und Ticket anzeigen
807 807 button_annotate: Annotieren
808 808 button_update: Aktualisieren
809 809 button_configure: Konfigurieren
810 810 button_quote: Zitieren
811 811 button_duplicate: Duplizieren
812 812 button_show: Anzeigen
813 813
814 814 status_active: aktiv
815 815 status_registered: angemeldet
816 816 status_locked: gesperrt
817 817
818 818 version_status_closed: abgeschlossen
819 819 version_status_locked: gesperrt
820 820 version_status_open: offen
821 821
822 822 field_active: Aktiv
823 823
824 824 text_select_mail_notifications: Bitte wählen Sie die Aktionen aus, für die eine Mailbenachrichtigung gesendet werden soll.
825 825 text_regexp_info: z. B. ^[A-Z0-9]+$
826 826 text_min_max_length_info: 0 heißt keine Beschränkung
827 827 text_project_destroy_confirmation: Sind Sie sicher, dass sie das Projekt löschen wollen?
828 828 text_subprojects_destroy_warning: "Dessen Unterprojekte ({{value}}) werden ebenfalls gelöscht."
829 829 text_workflow_edit: Workflow zum Bearbeiten auswählen
830 830 text_are_you_sure: Sind Sie sicher?
831 831 text_journal_changed: "{{label}} wurde von {{old}} zu {{new}} geändert"
832 832 text_journal_set_to: "{{label}} wurde auf {{value}} gesetzt"
833 833 text_journal_deleted: "{{label}} {{old}} wurde gelöscht"
834 834 text_journal_added: "{{label}} {{value}} wurde hinzugefügt"
835 835 text_tip_task_begin_day: Aufgabe, die an diesem Tag beginnt
836 836 text_tip_task_end_day: Aufgabe, die an diesem Tag endet
837 837 text_tip_task_begin_end_day: Aufgabe, die an diesem Tag beginnt und endet
838 838 text_project_identifier_info: 'Kleinbuchstaben (a-z), Ziffern und Bindestriche erlaubt.<br />Einmal gespeichert, kann die Kennung nicht mehr geändert werden.'
839 839 text_caracters_maximum: "Max. {{count}} Zeichen."
840 840 text_caracters_minimum: "Muss mindestens {{count}} Zeichen lang sein."
841 841 text_length_between: "Länge zwischen {{min}} und {{max}} Zeichen."
842 842 text_tracker_no_workflow: Kein Workflow für diesen Tracker definiert.
843 843 text_unallowed_characters: Nicht erlaubte Zeichen
844 844 text_comma_separated: Mehrere Werte erlaubt (durch Komma getrennt).
845 845 text_line_separated: Mehrere Werte sind erlaubt (eine Zeile pro Wert).
846 846 text_issues_ref_in_commit_messages: Ticket-Beziehungen und -Status in Commit-Log-Meldungen
847 847 text_issue_added: "Ticket {{id}} wurde erstellt von {{author}}."
848 848 text_issue_updated: "Ticket {{id}} wurde aktualisiert von {{author}}."
849 849 text_wiki_destroy_confirmation: Sind Sie sicher, dass Sie dieses Wiki mit sämtlichem Inhalt löschen möchten?
850 850 text_issue_category_destroy_question: "Einige Tickets ({{count}}) sind dieser Kategorie zugeodnet. Was möchten Sie tun?"
851 851 text_issue_category_destroy_assignments: Kategorie-Zuordnung entfernen
852 852 text_issue_category_reassign_to: Tickets dieser Kategorie zuordnen
853 853 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)."
854 854 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."
855 855 text_load_default_configuration: Standard-Konfiguration laden
856 856 text_status_changed_by_changeset: "Status geändert durch Changeset {{value}}."
857 857 text_issues_destroy_confirmation: 'Sind Sie sicher, dass Sie die ausgewählten Tickets löschen möchten?'
858 858 text_select_project_modules: 'Bitte wählen Sie die Module aus, die in diesem Projekt aktiviert sein sollen:'
859 859 text_default_administrator_account_changed: Administrator-Kennwort geändert
860 860 text_file_repository_writable: Verzeichnis für Dateien beschreibbar
861 861 text_plugin_assets_writable: Verzeichnis für Plugin-Assets beschreibbar
862 862 text_rmagick_available: RMagick verfügbar (optional)
863 863 text_destroy_time_entries_question: Es wurden bereits {{hours}} Stunden auf dieses Ticket gebucht. Was soll mit den Aufwänden geschehen?
864 864 text_destroy_time_entries: Gebuchte Aufwände löschen
865 865 text_assign_time_entries_to_project: Gebuchte Aufwände dem Projekt zuweisen
866 866 text_reassign_time_entries: 'Gebuchte Aufwände diesem Ticket zuweisen:'
867 867 text_user_wrote: "{{value}} schrieb:"
868 868 text_enumeration_destroy_question: "{{count}} Objekt(e) sind diesem Wert zugeordnet."
869 869 text_enumeration_category_reassign_to: 'Die Objekte stattdessen diesem Wert zuordnen:'
870 870 text_email_delivery_not_configured: "Der SMTP-Server ist nicht konfiguriert und Mailbenachrichtigungen sind ausgeschaltet.\nNehmen Sie die Einstellungen für Ihren SMTP-Server in config/email.yml vor und starten Sie die Applikation neu."
871 871 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."
872 872 text_diff_truncated: '... Dieser Diff wurde abgeschnitten, weil er die maximale Anzahl anzuzeigender Zeilen überschreitet.'
873 873 text_custom_field_possible_values_info: 'Eine Zeile pro Wert'
874 874 text_wiki_page_destroy_question: "Diese Seite hat {{descendants}} Unterseite(n). Was möchten Sie tun?"
875 875 text_wiki_page_nullify_children: Verschiebe die Unterseiten auf die oberste Ebene
876 876 text_wiki_page_destroy_children: Lösche alle Unterseiten
877 877 text_wiki_page_reassign_children: Ordne die Unterseiten dieser Seite zu
878 878 text_own_membership_delete_confirmation: |-
879 879 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.
880 880 Sind Sie sicher, dass Sie dies tun möchten?
881 881
882 882 default_role_manager: Manager
883 883 default_role_developper: Entwickler
884 884 default_role_reporter: Reporter
885 885 default_tracker_bug: Fehler
886 886 default_tracker_feature: Feature
887 887 default_tracker_support: Unterstützung
888 888 default_issue_status_new: Neu
889 889 default_issue_status_in_progress: In Bearbeitung
890 890 default_issue_status_resolved: Gelöst
891 891 default_issue_status_feedback: Feedback
892 892 default_issue_status_closed: Erledigt
893 893 default_issue_status_rejected: Abgewiesen
894 894 default_doc_category_user: Benutzerdokumentation
895 895 default_doc_category_tech: Technische Dokumentation
896 896 default_priority_low: Niedrig
897 897 default_priority_normal: Normal
898 898 default_priority_high: Hoch
899 899 default_priority_urgent: Dringend
900 900 default_priority_immediate: Sofort
901 901 default_activity_design: Design
902 902 default_activity_development: Entwicklung
903 903
904 904 enumeration_issue_priorities: Ticket-Prioritäten
905 905 enumeration_doc_categories: Dokumentenkategorien
906 906 enumeration_activities: Aktivitäten (Zeiterfassung)
907 907 enumeration_system_activity: System-Aktivität
908 908 label_profile: Profile
909 909 permission_manage_subtasks: Manage subtasks
910 910 field_parent_issue: Parent task
911 911 label_subtask_plural: Subtasks
912 label_project_copy_notifications: Send email notifications during the project copy
@@ -1,894 +1,895
1 1 # Greek translations for Ruby on Rails
2 2 # by Vaggelis Typaldos (vtypal@gmail.com), Spyros Raptis (spirosrap@gmail.com)
3 3
4 4 el:
5 5 date:
6 6 formats:
7 7 # Use the strftime parameters for formats.
8 8 # When no format has been given, it uses default.
9 9 # You can provide other formats here if you like!
10 10 default: "%m/%d/%Y"
11 11 short: "%b %d"
12 12 long: "%B %d, %Y"
13 13
14 14 day_names: [Κυριακή, Δευτέρα, Τρίτη, Τετάρτη, Πέμπτη, Παρασκευή, Σάββατο]
15 15 abbr_day_names: [Κυρ, Δευ, Τρι, Τετ, Πεμ, Παρ, Σαβ]
16 16
17 17 # Don't forget the nil at the beginning; there's no such thing as a 0th month
18 18 month_names: [~, Ιανουάριος, Φεβρουάριος, Μάρτιος, Απρίλιος, Μάϊος, Ιούνιος, Ιούλιος, Αύγουστος, Σεπτέμβριος, Οκτώβριος, Νοέμβριος, Δεκέμβριος]
19 19 abbr_month_names: [~, Ιαν, Φεβ, Μαρ, Απρ, Μαϊ, Ιον, Ιολ, Αυγ, Σεπ, Οκτ, Νοε, Δεκ]
20 20 # Used in date_select and datime_select.
21 21 order: [ :year, :month, :day ]
22 22
23 23 time:
24 24 formats:
25 25 default: "%m/%d/%Y %I:%M %p"
26 26 time: "%I:%M %p"
27 27 short: "%d %b %H:%M"
28 28 long: "%B %d, %Y %H:%M"
29 29 am: "πμ"
30 30 pm: "μμ"
31 31
32 32 datetime:
33 33 distance_in_words:
34 34 half_a_minute: "μισό λεπτό"
35 35 less_than_x_seconds:
36 36 one: "λιγότερο από 1 δευτερόλεπτο"
37 37 other: "λιγότερο από {{count}} δευτερόλεπτα"
38 38 x_seconds:
39 39 one: "1 δευτερόλεπτο"
40 40 other: "{{count}} δευτερόλεπτα"
41 41 less_than_x_minutes:
42 42 one: "λιγότερο από ένα λεπτό"
43 43 other: "λιγότερο από {{count}} λεπτά"
44 44 x_minutes:
45 45 one: "1 λεπτό"
46 46 other: "{{count}} λεπτά"
47 47 about_x_hours:
48 48 one: "περίπου 1 ώρα"
49 49 other: "περίπου {{count}} ώρες"
50 50 x_days:
51 51 one: "1 ημέρα"
52 52 other: "{{count}} ημέρες"
53 53 about_x_months:
54 54 one: "περίπου 1 μήνα"
55 55 other: "περίπου {{count}} μήνες"
56 56 x_months:
57 57 one: "1 μήνα"
58 58 other: "{{count}} μήνες"
59 59 about_x_years:
60 60 one: "περίπου 1 χρόνο"
61 61 other: "περίπου {{count}} χρόνια"
62 62 over_x_years:
63 63 one: "πάνω από 1 χρόνο"
64 64 other: "πάνω από {{count}} χρόνια"
65 65 almost_x_years:
66 66 one: "almost 1 year"
67 67 other: "almost {{count}} years"
68 68
69 69 number:
70 70 human:
71 71 format:
72 72 precision: 1
73 73 delimiter: ""
74 74 storage_units:
75 75 format: "%n %u"
76 76 units:
77 77 kb: KB
78 78 tb: TB
79 79 gb: GB
80 80 byte:
81 81 one: Byte
82 82 other: Bytes
83 83 mb: MB
84 84
85 85 # Used in array.to_sentence.
86 86 support:
87 87 array:
88 88 sentence_connector: "and"
89 89 skip_last_comma: false
90 90
91 91 activerecord:
92 92 errors:
93 93 messages:
94 94 inclusion: "δεν περιέχεται στη λίστα"
95 95 exclusion: "έχει κατοχυρωθεί"
96 96 invalid: "είναι άκυρο"
97 97 confirmation: "δεν αντιστοιχεί με την επιβεβαίωση"
98 98 accepted: "πρέπει να γίνει αποδοχή"
99 99 empty: "δε μπορεί να είναι άδειο"
100 100 blank: "δε μπορεί να είναι κενό"
101 101 too_long: "έχει πολλούς (μέγ.επιτρ. {{count}} χαρακτήρες)"
102 102 too_short: "έχει λίγους (ελάχ.επιτρ. {{count}} χαρακτήρες)"
103 103 wrong_length: "δεν είναι σωστός ο αριθμός χαρακτήρων (πρέπει να έχει {{count}} χαρακτήρες)"
104 104 taken: "έχει ήδη κατοχυρωθεί"
105 105 not_a_number: "δεν είναι αριθμός"
106 106 not_a_date: "δεν είναι σωστή ημερομηνία"
107 107 greater_than: "πρέπει να είναι μεγαλύτερο από {{count}}"
108 108 greater_than_or_equal_to: "πρέπει να είναι μεγαλύτερο από ή ίσο με {{count}}"
109 109 equal_to: "πρέπει να είναι ίσον με {{count}}"
110 110 less_than: "πρέπει να είναι μικρότερη από {{count}}"
111 111 less_than_or_equal_to: "πρέπει να είναι μικρότερο από ή ίσο με {{count}}"
112 112 odd: "πρέπει να είναι μονός"
113 113 even: "πρέπει να είναι ζυγός"
114 114 greater_than_start_date: "πρέπει να είναι αργότερα από την ημερομηνία έναρξης"
115 115 not_same_project: "δεν ανήκει στο ίδιο έργο"
116 116 circular_dependency: "Αυτή η σχέση θα δημιουργήσει κυκλικές εξαρτήσεις"
117 117
118 118 actionview_instancetag_blank_option: Παρακαλώ επιλέξτε
119 119
120 120 general_text_No: 'Όχι'
121 121 general_text_Yes: 'Ναι'
122 122 general_text_no: 'όχι'
123 123 general_text_yes: 'ναι'
124 124 general_lang_name: 'Ελληνικά'
125 125 general_csv_separator: ','
126 126 general_csv_decimal_separator: '.'
127 127 general_csv_encoding: UTF-8
128 128 general_pdf_encoding: UTF-8
129 129 general_first_day_of_week: '7'
130 130
131 131 notice_account_updated: Ο λογαριασμός ενημερώθηκε επιτυχώς.
132 132 notice_account_invalid_creditentials: Άκυρο όνομα χρήστη ή κωδικού πρόσβασης
133 133 notice_account_password_updated: Ο κωδικός πρόσβασης ενημερώθηκε επιτυχώς.
134 134 notice_account_wrong_password: Λάθος κωδικός πρόσβασης
135 135 notice_account_register_done: Ο λογαριασμός δημιουργήθηκε επιτυχώς. Για να ενεργοποιήσετε το λογαριασμό σας, πατήστε το σύνδεσμο που σας έχει αποσταλεί με email.
136 136 notice_account_unknown_email: Άγνωστος χρήστης.
137 137 notice_can_t_change_password: Αυτός ο λογαριασμός χρησιμοποιεί εξωτερική πηγή πιστοποίησης. Δεν είναι δυνατόν να αλλάξετε τον κωδικό πρόσβασης.
138 138 notice_account_lost_email_sent: Σας έχει αποσταλεί email με οδηγίες για την επιλογή νέου κωδικού πρόσβασης.
139 139 notice_account_activated: Ο λογαριασμός σας έχει ενεργοποιηθεί. Τώρα μπορείτε να συνδεθείτε.
140 140 notice_successful_create: Επιτυχής δημιουργία.
141 141 notice_successful_update: Επιτυχής ενημέρωση.
142 142 notice_successful_delete: Επιτυχής διαγραφή.
143 143 notice_successful_connection: Επιτυχής σύνδεση.
144 144 notice_file_not_found: Η σελίδα που ζητήσατε δεν υπάρχει ή έχει αφαιρεθεί.
145 145 notice_locking_conflict: Τα δεδομένα έχουν ενημερωθεί από άλλο χρήστη.
146 146 notice_not_authorized: Δεν έχετε δικαίωμα πρόσβασης σε αυτή τη σελίδα.
147 147 notice_email_sent: "Ένα μήνυμα ηλεκτρονικού ταχυδρομείου εστάλη στο {{value}}"
148 148 notice_email_error: "Σφάλμα κατά την αποστολή του μηνύματος στο ({{value}})"
149 149 notice_feeds_access_key_reseted: Έγινε επαναφορά στο κλειδί πρόσβασης RSS.
150 150 notice_failed_to_save_issues: "Αποτυχία αποθήκευσης {{count}} θεμα(των) από τα {{total}} επιλεγμένα: {{ids}}."
151 151 notice_no_issue_selected: "Κανένα θέμα δεν είναι επιλεγμένο! Παρακαλούμε, ελέγξτε τα θέματα που θέλετε να επεξεργαστείτε."
152 152 notice_account_pending: λογαριασμός σας έχει δημιουργηθεί και είναι σε στάδιο έγκρισης από τον διαχειριστή."
153 153 notice_default_data_loaded: Οι προεπιλεγμένες ρυθμίσεις φορτώθηκαν επιτυχώς.
154 154 notice_unable_delete_version: Αδύνατον να διαγραφεί η έκδοση.
155 155
156 156 error_can_t_load_default_data: "Οι προεπιλεγμένες ρυθμίσεις δεν μπόρεσαν να φορτωθούν:: {{value}}"
157 157 error_scm_not_found: εγγραφή ή η αναθεώρηση δεν βρέθηκε στο αποθετήριο."
158 158 error_scm_command_failed: "Παρουσιάστηκε σφάλμα κατά την προσπάθεια πρόσβασης στο αποθετήριο: {{value}}"
159 159 error_scm_annotate: καταχώριση δεν υπάρχει ή δεν μπορεί να σχολιαστεί."
160 160 error_issue_not_found_in_project: 'Το θέμα δεν βρέθηκε ή δεν ανήκει σε αυτό το έργο'
161 161 error_no_tracker_in_project: 'Δεν υπάρχει ανιχνευτής για αυτό το έργο. Παρακαλώ ελέγξτε τις ρυθμίσεις του έργου.'
162 162 error_no_default_issue_status: 'Δεν έχει οριστεί η προεπιλογή κατάστασης θεμάτων. Παρακαλώ ελέγξτε τις ρυθμίσεις σας (Μεταβείτε στην "Διαχείριση -> Κατάσταση θεμάτων").'
163 163
164 164 warning_attachments_not_saved: "{{count}} αρχείο(α) δε μπορούν να αποθηκευτούν."
165 165
166 166 mail_subject_lost_password: κωδικός σας {{value}}"
167 167 mail_body_lost_password: 'Για να αλλάξετε τον κωδικό πρόσβασης, πατήστε τον ακόλουθο σύνδεσμο:'
168 168 mail_subject_register: "Ενεργοποίηση του λογαριασμού χρήστη {{value}} "
169 169 mail_body_register: 'Για να ενεργοποιήσετε το λογαριασμό σας, επιλέξτε τον ακόλουθο σύνδεσμο:'
170 170 mail_body_account_information_external: "Μπορείτε να χρησιμοποιήσετε τον λογαριασμό {{value}} για να συνδεθείτε."
171 171 mail_body_account_information: Πληροφορίες του λογαριασμού σας
172 172 mail_subject_account_activation_request: "αίτημα ενεργοποίησης λογαριασμού {{value}}"
173 173 mail_body_account_activation_request: "'Ένας νέος χρήστης ({{value}}) έχει εγγραφεί. Ο λογαριασμός είναι σε στάδιο αναμονής της έγκρισης σας:"
174 174 mail_subject_reminder: "{{count}} θέμα(τα) με προθεσμία στις επόμενες ημέρες"
175 175 mail_body_reminder: "{{count}}θέμα(τα) που έχουν ανατεθεί σε σας, με προθεσμία στις επόμενες {{days}} ημέρες:"
176 176 mail_subject_wiki_content_added: "'προστέθηκε η σελίδα wiki {{page}}' "
177 177 mail_body_wiki_content_added: σελίδα wiki '{{page}}' προστέθηκε από τον {{author}}."
178 178 mail_subject_wiki_content_updated: "'ενημερώθηκε η σελίδα wiki {{page}}' "
179 179 mail_body_wiki_content_updated: σελίδα wiki '{{page}}' ενημερώθηκε από τον {{author}}."
180 180
181 181 gui_validation_error: 1 σφάλμα
182 182 gui_validation_error_plural: "{{count}} σφάλματα"
183 183
184 184 field_name: Όνομα
185 185 field_description: Περιγραφή
186 186 field_summary: Συνοπτικά
187 187 field_is_required: Απαιτείται
188 188 field_firstname: Όνομα
189 189 field_lastname: Επώνυμο
190 190 field_mail: Email
191 191 field_filename: Αρχείο
192 192 field_filesize: Μέγεθος
193 193 field_downloads: Μεταφορτώσεις
194 194 field_author: Συγγραφέας
195 195 field_created_on: Δημιουργήθηκε
196 196 field_updated_on: Ενημερώθηκε
197 197 field_field_format: Μορφοποίηση
198 198 field_is_for_all: Για όλα τα έργα
199 199 field_possible_values: Πιθανές τιμές
200 200 field_regexp: Κανονική παράσταση
201 201 field_min_length: Ελάχιστο μήκος
202 202 field_max_length: Μέγιστο μήκος
203 203 field_value: Τιμή
204 204 field_category: Κατηγορία
205 205 field_title: Τίτλος
206 206 field_project: Έργο
207 207 field_issue: Θέμα
208 208 field_status: Κατάσταση
209 209 field_notes: Σημειώσεις
210 210 field_is_closed: Κλειστά θέματα
211 211 field_is_default: Προεπιλεγμένη τιμή
212 212 field_tracker: Ανιχνευτής
213 213 field_subject: Θέμα
214 214 field_due_date: Προθεσμία
215 215 field_assigned_to: Ανάθεση σε
216 216 field_priority: Προτεραιότητα
217 217 field_fixed_version: Στόχος έκδοσης
218 218 field_user: Χρήστης
219 219 field_role: Ρόλος
220 220 field_homepage: Αρχική σελίδα
221 221 field_is_public: Δημόσιο
222 222 field_parent: Επιμέρους έργο του
223 223 field_is_in_roadmap: Προβολή θεμάτων στο χάρτη πορείας
224 224 field_login: Όνομα χρήστη
225 225 field_mail_notification: Ειδοποιήσεις email
226 226 field_admin: Διαχειριστής
227 227 field_last_login_on: Τελευταία σύνδεση
228 228 field_language: Γλώσσα
229 229 field_effective_date: Ημερομηνία
230 230 field_password: Κωδικός πρόσβασης
231 231 field_new_password: Νέος κωδικός πρόσβασης
232 232 field_password_confirmation: Επιβεβαίωση
233 233 field_version: Έκδοση
234 234 field_type: Τύπος
235 235 field_host: Κόμβος
236 236 field_port: Θύρα
237 237 field_account: Λογαριασμός
238 238 field_base_dn: Βάση DN
239 239 field_attr_login: Ιδιότητα εισόδου
240 240 field_attr_firstname: Ιδιότητα ονόματος
241 241 field_attr_lastname: Ιδιότητα επωνύμου
242 242 field_attr_mail: Ιδιότητα email
243 243 field_onthefly: Άμεση δημιουργία χρήστη
244 244 field_start_date: Εκκίνηση
245 245 field_done_ratio: % επιτεύχθη
246 246 field_auth_source: Τρόπος πιστοποίησης
247 247 field_hide_mail: Απόκρυψη διεύθυνσης email
248 248 field_comments: Σχόλιο
249 249 field_url: URL
250 250 field_start_page: Πρώτη σελίδα
251 251 field_subproject: Επιμέρους έργο
252 252 field_hours: Ώρες
253 253 field_activity: Δραστηριότητα
254 254 field_spent_on: Ημερομηνία
255 255 field_identifier: Στοιχείο αναγνώρισης
256 256 field_is_filter: Χρήση ως φίλτρο
257 257 field_issue_to: Σχετικά θέματα
258 258 field_delay: Καθυστέρηση
259 259 field_assignable: Θέματα που μπορούν να ανατεθούν σε αυτό το ρόλο
260 260 field_redirect_existing_links: Ανακατεύθυνση των τρεχόντων συνδέσμων
261 261 field_estimated_hours: Εκτιμώμενος χρόνος
262 262 field_column_names: Στήλες
263 263 field_time_zone: Ωριαία ζώνη
264 264 field_searchable: Ερευνήσιμο
265 265 field_default_value: Προκαθορισμένη τιμή
266 266 field_comments_sorting: Προβολή σχολίων
267 267 field_parent_title: Γονική σελίδα
268 268 field_editable: Επεξεργάσιμο
269 269 field_watcher: Παρατηρητής
270 270 field_identity_url: OpenID URL
271 271 field_content: Περιεχόμενο
272 272 field_group_by: Ομαδικά αποτελέσματα από
273 273
274 274 setting_app_title: Τίτλος εφαρμογής
275 275 setting_app_subtitle: Υπότιτλος εφαρμογής
276 276 setting_welcome_text: Κείμενο υποδοχής
277 277 setting_default_language: Προεπιλεγμένη γλώσσα
278 278 setting_login_required: Απαιτείται πιστοποίηση
279 279 setting_self_registration: Αυτο-εγγραφή
280 280 setting_attachment_max_size: Μέγ. μέγεθος συνημμένου
281 281 setting_issues_export_limit: Θέματα περιορισμού εξαγωγής
282 282 setting_mail_from: Μετάδοση διεύθυνσης email
283 283 setting_bcc_recipients: Αποδέκτες κρυφής κοινοποίησης (bcc)
284 284 setting_plain_text_mail: Email απλού κειμένου (όχι HTML)
285 285 setting_host_name: Όνομα κόμβου και διαδρομή
286 286 setting_text_formatting: Μορφοποίηση κειμένου
287 287 setting_wiki_compression: Συμπίεση ιστορικού wiki
288 288 setting_feeds_limit: Feed περιορισμού περιεχομένου
289 289 setting_default_projects_public: Τα νέα έργα έχουν προεπιλεγεί ως δημόσια
290 290 setting_autofetch_changesets: Αυτόματη λήψη commits
291 291 setting_sys_api_enabled: Ενεργοποίηση WS για διαχείριση αποθετηρίου
292 292 setting_commit_ref_keywords: Αναφορά σε λέξεις-κλειδιά
293 293 setting_commit_fix_keywords: Καθορισμός σε λέξεις-κλειδιά
294 294 setting_autologin: Αυτόματη σύνδεση
295 295 setting_date_format: Μορφή ημερομηνίας
296 296 setting_time_format: Μορφή ώρας
297 297 setting_cross_project_issue_relations: Επιτρέψτε συσχετισμό θεμάτων σε διασταύρωση-έργων
298 298 setting_issue_list_default_columns: Προκαθορισμένες εμφανιζόμενες στήλες στη λίστα θεμάτων
299 299 setting_repositories_encodings: Κωδικοποίηση χαρακτήρων αποθετηρίου
300 300 setting_commit_logs_encoding: Κωδικοποίηση μηνυμάτων commit
301 301 setting_emails_footer: Υποσέλιδο στα email
302 302 setting_protocol: Πρωτόκολο
303 303 setting_per_page_options: Αντικείμενα ανά σελίδα επιλογών
304 304 setting_user_format: Μορφή εμφάνισης χρηστών
305 305 setting_activity_days_default: Ημέρες που εμφανίζεται στη δραστηριότητα έργου
306 306 setting_display_subprojects_issues: Εμφάνιση από προεπιλογή θεμάτων επιμέρους έργων στα κύρια έργα
307 307 setting_enabled_scm: Ενεργοποίηση SCM
308 308 setting_mail_handler_api_enabled: Ενεργοποίηση WS για εισερχόμενα email
309 309 setting_mail_handler_api_key: κλειδί API
310 310 setting_sequential_project_identifiers: Δημιουργία διαδοχικών αναγνωριστικών έργου
311 311 setting_gravatar_enabled: Χρήση Gravatar εικονιδίων χρηστών
312 312 setting_diff_max_lines_displayed: Μεγ.αριθμός εμφάνισης γραμμών diff
313 313 setting_file_max_size_displayed: Μεγ.μέγεθος των αρχείων απλού κειμένου που εμφανίζονται σε σειρά
314 314 setting_repository_log_display_limit: Μέγιστος αριθμός αναθεωρήσεων που εμφανίζονται στο ιστορικό αρχείου
315 315 setting_openid: Επιτρέψτε συνδέσεις OpenID και εγγραφή
316 316 setting_password_min_length: Ελάχιστο μήκος κωδικού πρόσβασης
317 317 setting_new_project_user_role_id: Απόδοση ρόλου σε χρήστη μη-διαχειριστή όταν δημιουργεί ένα έργο
318 318
319 319 permission_add_project: Δημιουργία έργου
320 320 permission_edit_project: Επεξεργασία έργου
321 321 permission_select_project_modules: Επιλογή μονάδων έργου
322 322 permission_manage_members: Διαχείριση μελών
323 323 permission_manage_versions: Διαχείριση εκδόσεων
324 324 permission_manage_categories: Διαχείριση κατηγοριών θεμάτων
325 325 permission_add_issues: Προσθήκη θεμάτων
326 326 permission_edit_issues: Επεξεργασία θεμάτων
327 327 permission_manage_issue_relations: Διαχείριση συσχετισμών θεμάτων
328 328 permission_add_issue_notes: Προσθήκη σημειώσεων
329 329 permission_edit_issue_notes: Επεξεργασία σημειώσεων
330 330 permission_edit_own_issue_notes: Επεξεργασία δικών μου σημειώσεων
331 331 permission_move_issues: Μεταφορά θεμάτων
332 332 permission_delete_issues: Διαγραφή θεμάτων
333 333 permission_manage_public_queries: Διαχείριση δημόσιων αναζητήσεων
334 334 permission_save_queries: Αποθήκευση αναζητήσεων
335 335 permission_view_gantt: Προβολή διαγράμματος gantt
336 336 permission_view_calendar: Προβολή ημερολογίου
337 337 permission_view_issue_watchers: Προβολή λίστας παρατηρητών
338 338 permission_add_issue_watchers: Προσθήκη παρατηρητών
339 339 permission_log_time: Ιστορικό χρόνου που δαπανήθηκε
340 340 permission_view_time_entries: Προβολή χρόνου που δαπανήθηκε
341 341 permission_edit_time_entries: Επεξεργασία ιστορικού χρόνου
342 342 permission_edit_own_time_entries: Επεξεργασία δικού μου ιστορικού χρόνου
343 343 permission_manage_news: Διαχείριση νέων
344 344 permission_comment_news: Σχολιασμός νέων
345 345 permission_manage_documents: Διαχείριση εγγράφων
346 346 permission_view_documents: Προβολή εγγράφων
347 347 permission_manage_files: Διαχείριση αρχείων
348 348 permission_view_files: Προβολή αρχείων
349 349 permission_manage_wiki: Διαχείριση wiki
350 350 permission_rename_wiki_pages: Μετονομασία σελίδων wiki
351 351 permission_delete_wiki_pages: Διαγραφή σελίδων wiki
352 352 permission_view_wiki_pages: Προβολή wiki
353 353 permission_view_wiki_edits: Προβολή ιστορικού wiki
354 354 permission_edit_wiki_pages: Επεξεργασία σελίδων wiki
355 355 permission_delete_wiki_pages_attachments: Διαγραφή συνημμένων
356 356 permission_protect_wiki_pages: Προστασία σελίδων wiki
357 357 permission_manage_repository: Διαχείριση αποθετηρίου
358 358 permission_browse_repository: Διαχείριση εγγράφων
359 359 permission_view_changesets: Προβολή changesets
360 360 permission_commit_access: Πρόσβαση commit
361 361 permission_manage_boards: Διαχείριση πινάκων συζητήσεων
362 362 permission_view_messages: Προβολή μηνυμάτων
363 363 permission_add_messages: Αποστολή μηνυμάτων
364 364 permission_edit_messages: Επεξεργασία μηνυμάτων
365 365 permission_edit_own_messages: Επεξεργασία δικών μου μηνυμάτων
366 366 permission_delete_messages: Διαγραφή μηνυμάτων
367 367 permission_delete_own_messages: Διαγραφή δικών μου μηνυμάτων
368 368
369 369 project_module_issue_tracking: Ανίχνευση θεμάτων
370 370 project_module_time_tracking: Ανίχνευση χρόνου
371 371 project_module_news: Νέα
372 372 project_module_documents: Έγγραφα
373 373 project_module_files: Αρχεία
374 374 project_module_wiki: Wiki
375 375 project_module_repository: Αποθετήριο
376 376 project_module_boards: Πίνακες συζητήσεων
377 377
378 378 label_user: Χρήστης
379 379 label_user_plural: Χρήστες
380 380 label_user_new: Νέος Χρήστης
381 381 label_project: Έργο
382 382 label_project_new: Νέο έργο
383 383 label_project_plural: Έργα
384 384 label_x_projects:
385 385 zero: κανένα έργο
386 386 one: 1 έργο
387 387 other: "{{count}} έργα"
388 388 label_project_all: Όλα τα έργα
389 389 label_project_latest: Τελευταία έργα
390 390 label_issue: Θέμα
391 391 label_issue_new: Νέο θέμα
392 392 label_issue_plural: Θέματα
393 393 label_issue_view_all: Προβολή όλων των θεμάτων
394 394 label_issues_by: "Θέματα του {{value}}"
395 395 label_issue_added: Το θέμα προστέθηκε
396 396 label_issue_updated: Το θέμα ενημερώθηκε
397 397 label_document: Έγγραφο
398 398 label_document_new: Νέο έγγραφο
399 399 label_document_plural: Έγγραφα
400 400 label_document_added: Έγγραφο προστέθηκε
401 401 label_role: Ρόλος
402 402 label_role_plural: Ρόλοι
403 403 label_role_new: Νέος ρόλος
404 404 label_role_and_permissions: Ρόλοι και άδειες
405 405 label_member: Μέλος
406 406 label_member_new: Νέο μέλος
407 407 label_member_plural: Μέλη
408 408 label_tracker: Ανιχνευτής
409 409 label_tracker_plural: Ανιχνευτές
410 410 label_tracker_new: Νέος Ανιχνευτής
411 411 label_workflow: Ροή εργασίας
412 412 label_issue_status: Κατάσταση θέματος
413 413 label_issue_status_plural: Κατάσταση θέματος
414 414 label_issue_status_new: Νέα κατάσταση
415 415 label_issue_category: Κατηγορία θέματος
416 416 label_issue_category_plural: Κατηγορίες θεμάτων
417 417 label_issue_category_new: Νέα κατηγορία
418 418 label_custom_field: Προσαρμοσμένο πεδίο
419 419 label_custom_field_plural: Προσαρμοσμένα πεδία
420 420 label_custom_field_new: Νέο προσαρμοσμένο πεδίο
421 421 label_enumerations: Απαριθμήσεις
422 422 label_enumeration_new: Νέα τιμή
423 423 label_information: Πληροφορία
424 424 label_information_plural: Πληροφορίες
425 425 label_please_login: Παρακαλώ συνδεθείτε
426 426 label_register: Εγγραφή
427 427 label_login_with_open_id_option: ή συνδεθείτε με OpenID
428 428 label_password_lost: Ανάκτηση κωδικού πρόσβασης
429 429 label_home: Αρχική σελίδα
430 430 label_my_page: Η σελίδα μου
431 431 label_my_account: Ο λογαριασμός μου
432 432 label_my_projects: Τα έργα μου
433 433 label_administration: Διαχείριση
434 434 label_login: Σύνδεση
435 435 label_logout: Αποσύνδεση
436 436 label_help: Βοήθεια
437 437 label_reported_issues: Εισηγμένα θέματα
438 438 label_assigned_to_me_issues: Θέματα που έχουν ανατεθεί σε μένα
439 439 label_last_login: Τελευταία σύνδεση
440 440 label_registered_on: Εγγράφηκε την
441 441 label_activity: Δραστηριότητα
442 442 label_overall_activity: Συνολική δραστηριότητα
443 443 label_user_activity: "δραστηριότητα του {{value}}"
444 444 label_new: Νέο
445 445 label_logged_as: Σύνδεδεμένος ως
446 446 label_environment: Περιβάλλον
447 447 label_authentication: Πιστοποίηση
448 448 label_auth_source: Τρόπος πιστοποίησης
449 449 label_auth_source_new: Νέος τρόπος πιστοποίησης
450 450 label_auth_source_plural: Τρόποι πιστοποίησης
451 451 label_subproject_plural: Επιμέρους έργα
452 452 label_and_its_subprojects: "{{value}} και τα επιμέρους έργα του"
453 453 label_min_max_length: Ελάχ. - Μέγ. μήκος
454 454 label_list: Λίστα
455 455 label_date: Ημερομηνία
456 456 label_integer: Ακέραιος
457 457 label_float: Αριθμός κινητής υποδιαστολής
458 458 label_boolean: Λογικός
459 459 label_string: Κείμενο
460 460 label_text: Μακροσκελές κείμενο
461 461 label_attribute: Ιδιότητα
462 462 label_attribute_plural: Ιδιότητες
463 463 label_download: "{{count}} Μεταφόρτωση"
464 464 label_download_plural: "{{count}} Μεταφορτώσεις"
465 465 label_no_data: Δεν υπάρχουν δεδομένα
466 466 label_change_status: Αλλαγή κατάστασης
467 467 label_history: Ιστορικό
468 468 label_attachment: Αρχείο
469 469 label_attachment_new: Νέο αρχείο
470 470 label_attachment_delete: Διαγραφή αρχείου
471 471 label_attachment_plural: Αρχεία
472 472 label_file_added: Το αρχείο προστέθηκε
473 473 label_report: Αναφορά
474 474 label_report_plural: Αναφορές
475 475 label_news: Νέα
476 476 label_news_new: Προσθήκη νέων
477 477 label_news_plural: Νέα
478 478 label_news_latest: Τελευταία νέα
479 479 label_news_view_all: Προβολή όλων των νέων
480 480 label_news_added: Τα νέα προστέθηκαν
481 481 label_settings: Ρυθμίσεις
482 482 label_overview: Επισκόπηση
483 483 label_version: Έκδοση
484 484 label_version_new: Νέα έκδοση
485 485 label_version_plural: Εκδόσεις
486 486 label_confirmation: Επιβεβαίωση
487 487 label_export_to: 'Επίσης διαθέσιμο σε:'
488 488 label_read: Διάβασε...
489 489 label_public_projects: Δημόσια έργα
490 490 label_open_issues: Ανοικτό
491 491 label_open_issues_plural: Ανοικτά
492 492 label_closed_issues: Κλειστό
493 493 label_closed_issues_plural: Κλειστά
494 494 label_x_open_issues_abbr_on_total:
495 495 zero: 0 ανοικτά / {{total}}
496 496 one: 1 ανοικτό / {{total}}
497 497 other: "{{count}} ανοικτά / {{total}}"
498 498 label_x_open_issues_abbr:
499 499 zero: 0 ανοικτά
500 500 one: 1 ανοικτό
501 501 other: "{{count}} ανοικτά"
502 502 label_x_closed_issues_abbr:
503 503 zero: 0 κλειστά
504 504 one: 1 κλειστό
505 505 other: "{{count}} κλειστά"
506 506 label_total: Σύνολο
507 507 label_permissions: Άδειες
508 508 label_current_status: Τρέχουσα κατάσταση
509 509 label_new_statuses_allowed: Νέες καταστάσεις επιτρέπονται
510 510 label_all: όλα
511 511 label_none: κανένα
512 512 label_nobody: κανείς
513 513 label_next: Επόμενο
514 514 label_previous: Προηγούμενο
515 515 label_used_by: Χρησιμοποιήθηκε από
516 516 label_details: Λεπτομέρειες
517 517 label_add_note: Προσθήκη σημείωσης
518 518 label_per_page: Ανά σελίδα
519 519 label_calendar: Ημερολόγιο
520 520 label_months_from: μηνών από
521 521 label_gantt: Gantt
522 522 label_internal: Εσωτερικό
523 523 label_last_changes: "Τελευταίες {{count}} αλλαγές"
524 524 label_change_view_all: Προβολή όλων των αλλαγών
525 525 label_personalize_page: Προσαρμογή σελίδας
526 526 label_comment: Σχόλιο
527 527 label_comment_plural: Σχόλια
528 528 label_x_comments:
529 529 zero: δεν υπάρχουν σχόλια
530 530 one: 1 σχόλιο
531 531 other: "{{count}} σχόλια"
532 532 label_comment_add: Προσθήκη σχολίου
533 533 label_comment_added: Τα σχόλια προστέθηκαν
534 534 label_comment_delete: Διαγραφή σχολίων
535 535 label_query: Προσαρμοσμένη αναζήτηση
536 536 label_query_plural: Προσαρμοσμένες αναζητήσεις
537 537 label_query_new: Νέα αναζήτηση
538 538 label_filter_add: Προσθήκη φίλτρου
539 539 label_filter_plural: Φίλτρα
540 540 label_equals: είναι
541 541 label_not_equals: δεν είναι
542 542 label_in_less_than: μικρότερο από
543 543 label_in_more_than: περισσότερο από
544 544 label_greater_or_equal: '>='
545 545 label_less_or_equal: '<='
546 546 label_in: σε
547 547 label_today: σήμερα
548 548 label_all_time: συνέχεια
549 549 label_yesterday: χθες
550 550 label_this_week: αυτή την εβδομάδα
551 551 label_last_week: την προηγούμενη εβδομάδα
552 552 label_last_n_days: "τελευταίες {{count}} μέρες"
553 553 label_this_month: αυτό το μήνα
554 554 label_last_month: τον προηγούμενο μήνα
555 555 label_this_year: αυτό το χρόνο
556 556 label_date_range: Χρονικό διάστημα
557 557 label_less_than_ago: σε λιγότερο από ημέρες πριν
558 558 label_more_than_ago: σε περισσότερο από ημέρες πριν
559 559 label_ago: ημέρες πριν
560 560 label_contains: περιέχει
561 561 label_not_contains: δεν περιέχει
562 562 label_day_plural: μέρες
563 563 label_repository: Αποθετήριο
564 564 label_repository_plural: Αποθετήρια
565 565 label_browse: Πλοήγηση
566 566 label_modification: "{{count}} τροποποίηση"
567 567 label_modification_plural: "{{count}} τροποποιήσεις"
568 568 label_branch: Branch
569 569 label_tag: Tag
570 570 label_revision: Αναθεώρηση
571 571 label_revision_plural: Αναθεωρήσεις
572 572 label_associated_revisions: Συνεταιρικές αναθεωρήσεις
573 573 label_added: προστέθηκε
574 574 label_modified: τροποποιήθηκε
575 575 label_copied: αντιγράφηκε
576 576 label_renamed: μετονομάστηκε
577 577 label_deleted: διαγράφηκε
578 578 label_latest_revision: Τελευταία αναθεώριση
579 579 label_latest_revision_plural: Τελευταίες αναθεωρήσεις
580 580 label_view_revisions: Προβολή αναθεωρήσεων
581 581 label_view_all_revisions: Προβολή όλων των αναθεωρήσεων
582 582 label_max_size: Μέγιστο μέγεθος
583 583 label_sort_highest: Μετακίνηση στην κορυφή
584 584 label_sort_higher: Μετακίνηση προς τα πάνω
585 585 label_sort_lower: Μετακίνηση προς τα κάτω
586 586 label_sort_lowest: Μετακίνηση στο κατώτατο μέρος
587 587 label_roadmap: Χάρτης πορείας
588 588 label_roadmap_due_in: "Προθεσμία σε {{value}}"
589 589 label_roadmap_overdue: "{{value}} καθυστερημένο"
590 590 label_roadmap_no_issues: Δεν υπάρχουν θέματα για αυτή την έκδοση
591 591 label_search: Αναζήτηση
592 592 label_result_plural: Αποτελέσματα
593 593 label_all_words: Όλες οι λέξεις
594 594 label_wiki: Wiki
595 595 label_wiki_edit: Επεξεργασία wiki
596 596 label_wiki_edit_plural: Επεξεργασία wiki
597 597 label_wiki_page: Σελίδα Wiki
598 598 label_wiki_page_plural: Σελίδες Wiki
599 599 label_index_by_title: Δείκτης ανά τίτλο
600 600 label_index_by_date: Δείκτης ανά ημερομηνία
601 601 label_current_version: Τρέχουσα έκδοση
602 602 label_preview: Προεπισκόπηση
603 603 label_feed_plural: Feeds
604 604 label_changes_details: Λεπτομέρειες όλων των αλλαγών
605 605 label_issue_tracking: Ανίχνευση θεμάτων
606 606 label_spent_time: Δαπανημένος χρόνος
607 607 label_f_hour: "{{value}} ώρα"
608 608 label_f_hour_plural: "{{value}} ώρες"
609 609 label_time_tracking: Ανίχνευση χρόνου
610 610 label_change_plural: Αλλαγές
611 611 label_statistics: Στατιστικά
612 612 label_commits_per_month: Commits ανά μήνα
613 613 label_commits_per_author: Commits ανά συγγραφέα
614 614 label_view_diff: Προβολή διαφορών
615 615 label_diff_inline: σε σειρά
616 616 label_diff_side_by_side: αντικρυστά
617 617 label_options: Επιλογές
618 618 label_copy_workflow_from: Αντιγραφή ροής εργασίας από
619 619 label_permissions_report: Συνοπτικός πίνακας αδειών
620 620 label_watched_issues: Θέματα υπό παρακολούθηση
621 621 label_related_issues: Σχετικά θέματα
622 622 label_applied_status: Εφαρμογή κατάστασης
623 623 label_loading: Φορτώνεται...
624 624 label_relation_new: Νέα συσχέτιση
625 625 label_relation_delete: Διαγραφή συσχέτισης
626 626 label_relates_to: σχετικό με
627 627 label_duplicates: αντίγραφα
628 628 label_duplicated_by: αντιγράφηκε από
629 629 label_blocks: φραγές
630 630 label_blocked_by: φραγή από τον
631 631 label_precedes: προηγείται
632 632 label_follows: ακολουθεί
633 633 label_end_to_start: από το τέλος στην αρχή
634 634 label_end_to_end: από το τέλος στο τέλος
635 635 label_start_to_start: από την αρχή στην αρχή
636 636 label_start_to_end: από την αρχή στο τέλος
637 637 label_stay_logged_in: Παραμονή σύνδεσης
638 638 label_disabled: απενεργοποιημένη
639 639 label_show_completed_versions: Προβολή ολοκληρωμένων εκδόσεων
640 640 label_me: εγώ
641 641 label_board: Φόρουμ
642 642 label_board_new: Νέο φόρουμ
643 643 label_board_plural: Φόρουμ
644 644 label_topic_plural: Θέματα
645 645 label_message_plural: Μηνύματα
646 646 label_message_last: Τελευταίο μήνυμα
647 647 label_message_new: Νέο μήνυμα
648 648 label_message_posted: Το μήνυμα προστέθηκε
649 649 label_reply_plural: Απαντήσεις
650 650 label_send_information: Αποστολή πληροφοριών λογαριασμού στο χρήστη
651 651 label_year: Έτος
652 652 label_month: Μήνας
653 653 label_week: Εβδομάδα
654 654 label_date_from: Από
655 655 label_date_to: Έως
656 656 label_language_based: Με βάση τη γλώσσα του χρήστη
657 657 label_sort_by: "Ταξινόμηση ανά {{value}}"
658 658 label_send_test_email: Αποστολή δοκιμαστικού email
659 659 label_feeds_access_key_created_on: "το κλειδί πρόσβασης RSS δημιουργήθηκε πριν από {{value}}"
660 660 label_module_plural: Μονάδες
661 661 label_added_time_by: "Προστέθηκε από τον {{author}} πριν από {{age}}"
662 662 label_updated_time_by: "Ενημερώθηκε από τον {{author}} πριν από {{age}}"
663 663 label_updated_time: "Ενημερώθηκε πριν από {{value}}"
664 664 label_jump_to_a_project: Μεταβείτε σε ένα έργο...
665 665 label_file_plural: Αρχεία
666 666 label_changeset_plural: Changesets
667 667 label_default_columns: Προεπιλεγμένες στήλες
668 668 label_no_change_option: (Δεν υπάρχουν αλλαγές)
669 669 label_bulk_edit_selected_issues: Μαζική επεξεργασία επιλεγμένων θεμάτων
670 670 label_theme: Θέμα
671 671 label_default: Προεπιλογή
672 672 label_search_titles_only: Αναζήτηση τίτλων μόνο
673 673 label_user_mail_option_all: "Για όλες τις εξελίξεις σε όλα τα έργα μου"
674 674 label_user_mail_option_selected: "Για όλες τις εξελίξεις μόνο στα επιλεγμένα έργα..."
675 675 label_user_mail_option_none: "Μόνο για πράγματα που παρακολουθώ ή συμμετέχω ενεργά"
676 676 label_user_mail_no_self_notified: "Δεν θέλω να ειδοποιούμαι για τις δικές μου αλλαγές"
677 677 label_registration_activation_by_email: ενεργοποίηση λογαριασμού με email
678 678 label_registration_manual_activation: χειροκίνητη ενεργοποίηση λογαριασμού
679 679 label_registration_automatic_activation: αυτόματη ενεργοποίηση λογαριασμού
680 680 label_display_per_page: "Ανά σελίδα: {{value}}"
681 681 label_age: Ηλικία
682 682 label_change_properties: Αλλαγή ιδιοτήτων
683 683 label_general: Γενικά
684 684 label_more: Περισσότερα
685 685 label_scm: SCM
686 686 label_plugins: Plugins
687 687 label_ldap_authentication: Πιστοποίηση LDAP
688 688 label_downloads_abbr: Μ/Φ
689 689 label_optional_description: Προαιρετική περιγραφή
690 690 label_add_another_file: Προσθήκη άλλου αρχείου
691 691 label_preferences: Προτιμήσεις
692 692 label_chronological_order: Κατά χρονολογική σειρά
693 693 label_reverse_chronological_order: Κατά αντίστροφη χρονολογική σειρά
694 694 label_planning: Σχεδιασμός
695 695 label_incoming_emails: Εισερχόμενα email
696 696 label_generate_key: Δημιουργία κλειδιού
697 697 label_issue_watchers: Παρατηρητές
698 698 label_example: Παράδειγμα
699 699 label_display: Προβολή
700 700 label_sort: Ταξινόμηση
701 701 label_ascending: Αύξουσα
702 702 label_descending: Φθίνουσα
703 703 label_date_from_to: Από {{start}} έως {{end}}
704 704 label_wiki_content_added: Η σελίδα Wiki προστέθηκε
705 705 label_wiki_content_updated: Η σελίδα Wiki ενημερώθηκε
706 706
707 707 button_login: Σύνδεση
708 708 button_submit: Αποστολή
709 709 button_save: Αποθήκευση
710 710 button_check_all: Επιλογή όλων
711 711 button_uncheck_all: Αποεπιλογή όλων
712 712 button_delete: Διαγραφή
713 713 button_create: Δημιουργία
714 714 button_create_and_continue: Δημιουργία και συνέχεια
715 715 button_test: Τεστ
716 716 button_edit: Επεξεργασία
717 717 button_add: Προσθήκη
718 718 button_change: Αλλαγή
719 719 button_apply: Εφαρμογή
720 720 button_clear: Καθαρισμός
721 721 button_lock: Κλείδωμα
722 722 button_unlock: Ξεκλείδωμα
723 723 button_download: Μεταφόρτωση
724 724 button_list: Λίστα
725 725 button_view: Προβολή
726 726 button_move: Μετακίνηση
727 727 button_back: Πίσω
728 728 button_cancel: Ακύρωση
729 729 button_activate: Ενεργοποίηση
730 730 button_sort: Ταξινόμηση
731 731 button_log_time: Ιστορικό χρόνου
732 732 button_rollback: Επαναφορά σε αυτή την έκδοση
733 733 button_watch: Παρακολούθηση
734 734 button_unwatch: Αναίρεση παρακολούθησης
735 735 button_reply: Απάντηση
736 736 button_archive: Αρχειοθέτηση
737 737 button_unarchive: Αναίρεση αρχειοθέτησης
738 738 button_reset: Επαναφορά
739 739 button_rename: Μετονομασία
740 740 button_change_password: Αλλαγή κωδικού πρόσβασης
741 741 button_copy: Αντιγραφή
742 742 button_annotate: Σχολιασμός
743 743 button_update: Ενημέρωση
744 744 button_configure: Ρύθμιση
745 745 button_quote: Παράθεση
746 746
747 747 status_active: ενεργό(ς)/ή
748 748 status_registered: εγεγγραμμένο(ς)/η
749 749 status_locked: κλειδωμένο(ς)/η
750 750
751 751 text_select_mail_notifications: Επιλογή ενεργειών για τις οποίες θα πρέπει να αποσταλεί ειδοποίηση με email.
752 752 text_regexp_info: eg. ^[A-Z0-9]+$
753 753 text_min_max_length_info: 0 σημαίνει ότι δεν υπάρχουν περιορισμοί
754 754 text_project_destroy_confirmation: Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το έργο και τα σχετικά δεδομένα του;
755 755 text_subprojects_destroy_warning: "Επίσης το(α) επιμέρους έργο(α): {{value}} θα διαγραφούν."
756 756 text_workflow_edit: Επιλέξτε ένα ρόλο και έναν ανιχνευτή για να επεξεργαστείτε τη ροή εργασίας
757 757 text_are_you_sure: Είστε σίγουρος ;
758 758 text_tip_task_begin_day: καθήκοντα που ξεκινάνε σήμερα
759 759 text_tip_task_end_day: καθήκοντα που τελειώνουν σήμερα
760 760 text_tip_task_begin_end_day: καθήκοντα που ξεκινάνε και τελειώνουν σήμερα
761 761 text_project_identifier_info: 'Επιτρέπονται μόνο μικρά πεζά γράμματα (a-z), αριθμοί και παύλες. <br /> Μετά την αποθήκευση, το αναγνωριστικό δεν μπορεί να αλλάξει.'
762 762 text_caracters_maximum: "μέγιστος αριθμός {{count}} χαρακτήρες."
763 763 text_caracters_minimum: "Πρέπει να περιέχει τουλάχιστον {{count}} χαρακτήρες."
764 764 text_length_between: "Μήκος μεταξύ {{min}} και {{max}} χαρακτήρες."
765 765 text_tracker_no_workflow: Δεν έχει οριστεί ροή εργασίας για αυτό τον ανιχνευτή
766 766 text_unallowed_characters: Μη επιτρεπόμενοι χαρακτήρες
767 767 text_comma_separated: Επιτρέπονται πολλαπλές τιμές (χωρισμένες με κόμμα).
768 768 text_issues_ref_in_commit_messages: Αναφορά και καθορισμός θεμάτων σε μηνύματα commit
769 769 text_issue_added: "Το θέμα {{id}} παρουσιάστηκε από τον {{author}}."
770 770 text_issue_updated: "Το θέμα {{id}} ενημερώθηκε από τον {{author}}."
771 771 text_wiki_destroy_confirmation: Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το wiki και όλο το περιεχόμενο του ;
772 772 text_issue_category_destroy_question: "Κάποια θέματα ({{count}}) έχουν εκχωρηθεί σε αυτή την κατηγορία. Τι θέλετε να κάνετε ;"
773 773 text_issue_category_destroy_assignments: Αφαίρεση εκχωρήσεων κατηγορίας
774 774 text_issue_category_reassign_to: Επανεκχώρηση θεμάτων σε αυτή την κατηγορία
775 775 text_user_mail_option: "Για μη επιλεγμένα έργα, θα λάβετε ειδοποιήσεις μόνο για πράγματα που παρακολουθείτε ή στα οποία συμμετέχω ενεργά (π.χ. θέματα των οποίων είστε συγγραφέας ή σας έχουν ανατεθεί)."
776 776 text_no_configuration_data: "Οι ρόλοι, οι ανιχνευτές, η κατάσταση των θεμάτων και η ροή εργασίας δεν έχουν ρυθμιστεί ακόμα.\nΣυνιστάται ιδιαίτερα να φορτώσετε τις προεπιλεγμένες ρυθμίσεις. Θα είστε σε θέση να τις τροποποιήσετε μετά τη φόρτωση τους."
777 777 text_load_default_configuration: Φόρτωση προεπιλεγμένων ρυθμίσεων
778 778 text_status_changed_by_changeset: "Εφαρμόστηκε στο changeset {{value}}."
779 779 text_issues_destroy_confirmation: 'Είστε σίγουρος ότι θέλετε να διαγράψετε το επιλεγμένο θέμα(τα);'
780 780 text_select_project_modules: 'Επιλέξτε ποιες μονάδες θα ενεργοποιήσετε για αυτό το έργο:'
781 781 text_default_administrator_account_changed: Ο προκαθορισμένος λογαριασμός του διαχειριστή άλλαξε
782 782 text_file_repository_writable: Εγγράψιμος κατάλογος συνημμένων
783 783 text_plugin_assets_writable: Εγγράψιμος κατάλογος plugin assets
784 784 text_rmagick_available: Διαθέσιμο RMagick (προαιρετικό)
785 785 text_destroy_time_entries_question: "{{hours}} δαπανήθηκαν σχετικά με τα θέματα που πρόκειται να διαγράψετε. Τι θέλετε να κάνετε ;"
786 786 text_destroy_time_entries: Διαγραφή αναφερόμενων ωρών
787 787 text_assign_time_entries_to_project: Ανάθεση αναφερόμενων ωρών στο έργο
788 788 text_reassign_time_entries: 'Ανάθεση εκ νέου των αναφερόμενων ωρών στο θέμα:'
789 789 text_user_wrote: "{{value}} έγραψε:"
790 790 text_enumeration_destroy_question: "{{count}} αντικείμενα έχουν τεθεί σε αυτή την τιμή."
791 791 text_enumeration_category_reassign_to: 'Επανεκχώρηση τους στην παρούσα αξία:'
792 792 text_email_delivery_not_configured: "Δεν έχουν γίνει ρυθμίσεις παράδοσης email, και οι ειδοποιήσεις είναι απενεργοποιημένες.\nΔηλώστε τον εξυπηρετητή SMTP στο config/email.yml και κάντε επανακκίνηση την εφαρμογή για να τις ρυθμίσεις."
793 793 text_repository_usernames_mapping: "Επιλέξτε ή ενημερώστε τον χρήστη Redmine που αντιστοιχεί σε κάθε όνομα χρήστη στο ιστορικό του αποθετηρίου.\nΧρήστες με το ίδιο όνομα χρήστη ή email στο Redmine και στο αποθετηρίο αντιστοιχίζονται αυτόματα."
794 794 text_diff_truncated: '... Αυτό το diff εχεί κοπεί επειδή υπερβαίνει το μέγιστο μέγεθος που μπορεί να προβληθεί.'
795 795 text_custom_field_possible_values_info: 'Μία γραμμή για κάθε τιμή'
796 796 text_wiki_page_destroy_question: "Αυτή η σελίδα έχει {{descendants}} σελίδες τέκνων και απογόνων. Τι θέλετε να κάνετε ;"
797 797 text_wiki_page_nullify_children: "Διατηρήστε τις σελίδες τέκνων ως σελίδες root"
798 798 text_wiki_page_destroy_children: "Διαγράψτε όλες τις σελίδες τέκνων και των απογόνων τους"
799 799 text_wiki_page_reassign_children: "Επανεκχώριση των σελίδων τέκνων στη γονική σελίδα"
800 800
801 801 default_role_manager: Manager
802 802 default_role_developper: Developer
803 803 default_role_reporter: Reporter
804 804 default_tracker_bug: Σφάλματα
805 805 default_tracker_feature: Λειτουργίες
806 806 default_tracker_support: Υποστήριξη
807 807 default_issue_status_new: Νέα
808 808 default_issue_status_in_progress: In Progress
809 809 default_issue_status_resolved: Επιλυμένο
810 810 default_issue_status_feedback: Σχόλια
811 811 default_issue_status_closed: Κλειστό
812 812 default_issue_status_rejected: Απορριπτέο
813 813 default_doc_category_user: Τεκμηρίωση χρήστη
814 814 default_doc_category_tech: Τεχνική τεκμηρίωση
815 815 default_priority_low: Χαμηλή
816 816 default_priority_normal: Κανονική
817 817 default_priority_high: Υψηλή
818 818 default_priority_urgent: Επείγον
819 819 default_priority_immediate: Άμεση
820 820 default_activity_design: Σχεδιασμός
821 821 default_activity_development: Ανάπτυξη
822 822
823 823 enumeration_issue_priorities: Προτεραιότητα θέματος
824 824 enumeration_doc_categories: Κατηγορία εγγράφων
825 825 enumeration_activities: Δραστηριότητες (κατακερματισμός χρόνου)
826 826 text_journal_changed: "{{label}} άλλαξε από {{old}} σε {{new}}"
827 827 text_journal_set_to: "{{label}} ορίζεται σε {{value}}"
828 828 text_journal_deleted: "{{label}} διαγράφηκε ({{old}})"
829 829 label_group_plural: Ομάδες
830 830 label_group: Ομάδα
831 831 label_group_new: Νέα ομάδα
832 832 label_time_entry_plural: Χρόνος που δαπανήθηκε
833 833 text_journal_added: "{{label}} {{value}} added"
834 834 field_active: Active
835 835 enumeration_system_activity: System Activity
836 836 permission_delete_issue_watchers: Delete watchers
837 837 version_status_closed: closed
838 838 version_status_locked: locked
839 839 version_status_open: open
840 840 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
841 841 label_user_anonymous: Anonymous
842 842 button_move_and_follow: Move and follow
843 843 setting_default_projects_modules: Default enabled modules for new projects
844 844 setting_gravatar_default: Default Gravatar image
845 845 field_sharing: Sharing
846 846 label_version_sharing_hierarchy: With project hierarchy
847 847 label_version_sharing_system: With all projects
848 848 label_version_sharing_descendants: With subprojects
849 849 label_version_sharing_tree: With project tree
850 850 label_version_sharing_none: Not shared
851 851 error_can_not_archive_project: This project can not be archived
852 852 button_duplicate: Duplicate
853 853 button_copy_and_follow: Copy and follow
854 854 label_copy_source: Source
855 855 setting_issue_done_ratio: Calculate the issue done ratio with
856 856 setting_issue_done_ratio_issue_status: Use the issue status
857 857 error_issue_done_ratios_not_updated: Issue done ratios not updated.
858 858 error_workflow_copy_target: Please select target tracker(s) and role(s)
859 859 setting_issue_done_ratio_issue_field: Use the issue field
860 860 label_copy_same_as_target: Same as target
861 861 label_copy_target: Target
862 862 notice_issue_done_ratios_updated: Issue done ratios updated.
863 863 error_workflow_copy_source: Please select a source tracker or role
864 864 label_update_issue_done_ratios: Update issue done ratios
865 865 setting_start_of_week: Start calendars on
866 866 permission_view_issues: View Issues
867 867 label_display_used_statuses_only: Only display statuses that are used by this tracker
868 868 label_revision_id: Revision {{value}}
869 869 label_api_access_key: API access key
870 870 label_api_access_key_created_on: API access key created {{value}} ago
871 871 label_feeds_access_key: RSS access key
872 872 notice_api_access_key_reseted: Your API access key was reset.
873 873 setting_rest_api_enabled: Enable REST web service
874 874 label_missing_api_access_key: Missing an API access key
875 875 label_missing_feeds_access_key: Missing a RSS access key
876 876 button_show: Show
877 877 text_line_separated: Multiple values allowed (one line for each value).
878 878 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
879 879 permission_add_subprojects: Create subprojects
880 880 label_subproject_new: New subproject
881 881 text_own_membership_delete_confirmation: |-
882 882 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
883 883 Are you sure you want to continue?
884 884 label_close_versions: Close completed versions
885 885 label_board_sticky: Sticky
886 886 label_board_locked: Locked
887 887 permission_export_wiki_pages: Export wiki pages
888 888 setting_cache_formatted_text: Cache formatted text
889 889 permission_manage_project_activities: Manage project activities
890 890 error_unable_delete_issue_status: Unable to delete issue status
891 891 label_profile: Profile
892 892 permission_manage_subtasks: Manage subtasks
893 893 field_parent_issue: Parent task
894 894 label_subtask_plural: Subtasks
895 label_project_copy_notifications: Send email notifications during the project copy
@@ -1,894 +1,895
1 1 en:
2 2 date:
3 3 formats:
4 4 # Use the strftime parameters for formats.
5 5 # When no format has been given, it uses default.
6 6 # You can provide other formats here if you like!
7 7 default: "%m/%d/%Y"
8 8 short: "%b %d"
9 9 long: "%B %d, %Y"
10 10
11 11 day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday]
12 12 abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat]
13 13
14 14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
15 15 month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December]
16 16 abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec]
17 17 # Used in date_select and datime_select.
18 18 order: [ :year, :month, :day ]
19 19
20 20 time:
21 21 formats:
22 22 default: "%m/%d/%Y %I:%M %p"
23 23 time: "%I:%M %p"
24 24 short: "%d %b %H:%M"
25 25 long: "%B %d, %Y %H:%M"
26 26 am: "am"
27 27 pm: "pm"
28 28
29 29 datetime:
30 30 distance_in_words:
31 31 half_a_minute: "half a minute"
32 32 less_than_x_seconds:
33 33 one: "less than 1 second"
34 34 other: "less than {{count}} seconds"
35 35 x_seconds:
36 36 one: "1 second"
37 37 other: "{{count}} seconds"
38 38 less_than_x_minutes:
39 39 one: "less than a minute"
40 40 other: "less than {{count}} minutes"
41 41 x_minutes:
42 42 one: "1 minute"
43 43 other: "{{count}} minutes"
44 44 about_x_hours:
45 45 one: "about 1 hour"
46 46 other: "about {{count}} hours"
47 47 x_days:
48 48 one: "1 day"
49 49 other: "{{count}} days"
50 50 about_x_months:
51 51 one: "about 1 month"
52 52 other: "about {{count}} months"
53 53 x_months:
54 54 one: "1 month"
55 55 other: "{{count}} months"
56 56 about_x_years:
57 57 one: "about 1 year"
58 58 other: "about {{count}} years"
59 59 over_x_years:
60 60 one: "over 1 year"
61 61 other: "over {{count}} years"
62 62 almost_x_years:
63 63 one: "almost 1 year"
64 64 other: "almost {{count}} years"
65 65
66 66 number:
67 67 human:
68 68 format:
69 69 delimiter: ""
70 70 precision: 1
71 71 storage_units:
72 72 format: "%n %u"
73 73 units:
74 74 byte:
75 75 one: "Byte"
76 76 other: "Bytes"
77 77 kb: "KB"
78 78 mb: "MB"
79 79 gb: "GB"
80 80 tb: "TB"
81 81
82 82
83 83 # Used in array.to_sentence.
84 84 support:
85 85 array:
86 86 sentence_connector: "and"
87 87 skip_last_comma: false
88 88
89 89 activerecord:
90 90 errors:
91 91 messages:
92 92 inclusion: "is not included in the list"
93 93 exclusion: "is reserved"
94 94 invalid: "is invalid"
95 95 confirmation: "doesn't match confirmation"
96 96 accepted: "must be accepted"
97 97 empty: "can't be empty"
98 98 blank: "can't be blank"
99 99 too_long: "is too long (maximum is {{count}} characters)"
100 100 too_short: "is too short (minimum is {{count}} characters)"
101 101 wrong_length: "is the wrong length (should be {{count}} characters)"
102 102 taken: "has already been taken"
103 103 not_a_number: "is not a number"
104 104 not_a_date: "is not a valid date"
105 105 greater_than: "must be greater than {{count}}"
106 106 greater_than_or_equal_to: "must be greater than or equal to {{count}}"
107 107 equal_to: "must be equal to {{count}}"
108 108 less_than: "must be less than {{count}}"
109 109 less_than_or_equal_to: "must be less than or equal to {{count}}"
110 110 odd: "must be odd"
111 111 even: "must be even"
112 112 greater_than_start_date: "must be greater than start date"
113 113 not_same_project: "doesn't belong to the same project"
114 114 circular_dependency: "This relation would create a circular dependency"
115 115 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
116 116
117 117 actionview_instancetag_blank_option: Please select
118 118
119 119 general_text_No: 'No'
120 120 general_text_Yes: 'Yes'
121 121 general_text_no: 'no'
122 122 general_text_yes: 'yes'
123 123 general_lang_name: 'English'
124 124 general_csv_separator: ','
125 125 general_csv_decimal_separator: '.'
126 126 general_csv_encoding: ISO-8859-1
127 127 general_pdf_encoding: ISO-8859-1
128 128 general_first_day_of_week: '7'
129 129
130 130 notice_account_updated: Account was successfully updated.
131 131 notice_account_invalid_creditentials: Invalid user or password
132 132 notice_account_password_updated: Password was successfully updated.
133 133 notice_account_wrong_password: Wrong password
134 134 notice_account_register_done: Account was successfully created. To activate your account, click on the link that was emailed to you.
135 135 notice_account_unknown_email: Unknown user.
136 136 notice_can_t_change_password: This account uses an external authentication source. Impossible to change the password.
137 137 notice_account_lost_email_sent: An email with instructions to choose a new password has been sent to you.
138 138 notice_account_activated: Your account has been activated. You can now log in.
139 139 notice_successful_create: Successful creation.
140 140 notice_successful_update: Successful update.
141 141 notice_successful_delete: Successful deletion.
142 142 notice_successful_connection: Successful connection.
143 143 notice_file_not_found: The page you were trying to access doesn't exist or has been removed.
144 144 notice_locking_conflict: Data has been updated by another user.
145 145 notice_not_authorized: You are not authorized to access this page.
146 146 notice_email_sent: "An email was sent to {{value}}"
147 147 notice_email_error: "An error occurred while sending mail ({{value}})"
148 148 notice_feeds_access_key_reseted: Your RSS access key was reset.
149 149 notice_api_access_key_reseted: Your API access key was reset.
150 150 notice_failed_to_save_issues: "Failed to save {{count}} issue(s) on {{total}} selected: {{ids}}."
151 151 notice_no_issue_selected: "No issue is selected! Please, check the issues you want to edit."
152 152 notice_account_pending: "Your account was created and is now pending administrator approval."
153 153 notice_default_data_loaded: Default configuration successfully loaded.
154 154 notice_unable_delete_version: Unable to delete version.
155 155 notice_issue_done_ratios_updated: Issue done ratios updated.
156 156
157 157 error_can_t_load_default_data: "Default configuration could not be loaded: {{value}}"
158 158 error_scm_not_found: "The entry or revision was not found in the repository."
159 159 error_scm_command_failed: "An error occurred when trying to access the repository: {{value}}"
160 160 error_scm_annotate: "The entry does not exist or can not be annotated."
161 161 error_issue_not_found_in_project: 'The issue was not found or does not belong to this project'
162 162 error_no_tracker_in_project: 'No tracker is associated to this project. Please check the Project settings.'
163 163 error_no_default_issue_status: 'No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").'
164 164 error_can_not_reopen_issue_on_closed_version: 'An issue assigned to a closed version can not be reopened'
165 165 error_can_not_archive_project: This project can not be archived
166 166 error_issue_done_ratios_not_updated: "Issue done ratios not updated."
167 167 error_workflow_copy_source: 'Please select a source tracker or role'
168 168 error_workflow_copy_target: 'Please select target tracker(s) and role(s)'
169 169 error_unable_delete_issue_status: 'Unable to delete issue status'
170 170
171 171 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
172 172
173 173 mail_subject_lost_password: "Your {{value}} password"
174 174 mail_body_lost_password: 'To change your password, click on the following link:'
175 175 mail_subject_register: "Your {{value}} account activation"
176 176 mail_body_register: 'To activate your account, click on the following link:'
177 177 mail_body_account_information_external: "You can use your {{value}} account to log in."
178 178 mail_body_account_information: Your account information
179 179 mail_subject_account_activation_request: "{{value}} account activation request"
180 180 mail_body_account_activation_request: "A new user ({{value}}) has registered. The account is pending your approval:"
181 181 mail_subject_reminder: "{{count}} issue(s) due in the next days"
182 182 mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
183 183 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
184 184 mail_body_wiki_content_added: "The '{{page}}' wiki page has been added by {{author}}."
185 185 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
186 186 mail_body_wiki_content_updated: "The '{{page}}' wiki page has been updated by {{author}}."
187 187
188 188 gui_validation_error: 1 error
189 189 gui_validation_error_plural: "{{count}} errors"
190 190
191 191 field_name: Name
192 192 field_description: Description
193 193 field_summary: Summary
194 194 field_is_required: Required
195 195 field_firstname: Firstname
196 196 field_lastname: Lastname
197 197 field_mail: Email
198 198 field_filename: File
199 199 field_filesize: Size
200 200 field_downloads: Downloads
201 201 field_author: Author
202 202 field_created_on: Created
203 203 field_updated_on: Updated
204 204 field_field_format: Format
205 205 field_is_for_all: For all projects
206 206 field_possible_values: Possible values
207 207 field_regexp: Regular expression
208 208 field_min_length: Minimum length
209 209 field_max_length: Maximum length
210 210 field_value: Value
211 211 field_category: Category
212 212 field_title: Title
213 213 field_project: Project
214 214 field_issue: Issue
215 215 field_status: Status
216 216 field_notes: Notes
217 217 field_is_closed: Issue closed
218 218 field_is_default: Default value
219 219 field_tracker: Tracker
220 220 field_subject: Subject
221 221 field_due_date: Due date
222 222 field_assigned_to: Assigned to
223 223 field_priority: Priority
224 224 field_fixed_version: Target version
225 225 field_user: User
226 226 field_role: Role
227 227 field_homepage: Homepage
228 228 field_is_public: Public
229 229 field_parent: Subproject of
230 230 field_is_in_roadmap: Issues displayed in roadmap
231 231 field_login: Login
232 232 field_mail_notification: Email notifications
233 233 field_admin: Administrator
234 234 field_last_login_on: Last connection
235 235 field_language: Language
236 236 field_effective_date: Date
237 237 field_password: Password
238 238 field_new_password: New password
239 239 field_password_confirmation: Confirmation
240 240 field_version: Version
241 241 field_type: Type
242 242 field_host: Host
243 243 field_port: Port
244 244 field_account: Account
245 245 field_base_dn: Base DN
246 246 field_attr_login: Login attribute
247 247 field_attr_firstname: Firstname attribute
248 248 field_attr_lastname: Lastname attribute
249 249 field_attr_mail: Email attribute
250 250 field_onthefly: On-the-fly user creation
251 251 field_start_date: Start
252 252 field_done_ratio: % Done
253 253 field_auth_source: Authentication mode
254 254 field_hide_mail: Hide my email address
255 255 field_comments: Comment
256 256 field_url: URL
257 257 field_start_page: Start page
258 258 field_subproject: Subproject
259 259 field_hours: Hours
260 260 field_activity: Activity
261 261 field_spent_on: Date
262 262 field_identifier: Identifier
263 263 field_is_filter: Used as a filter
264 264 field_issue_to: Related issue
265 265 field_delay: Delay
266 266 field_assignable: Issues can be assigned to this role
267 267 field_redirect_existing_links: Redirect existing links
268 268 field_estimated_hours: Estimated time
269 269 field_column_names: Columns
270 270 field_time_zone: Time zone
271 271 field_searchable: Searchable
272 272 field_default_value: Default value
273 273 field_comments_sorting: Display comments
274 274 field_parent_title: Parent page
275 275 field_editable: Editable
276 276 field_watcher: Watcher
277 277 field_identity_url: OpenID URL
278 278 field_content: Content
279 279 field_group_by: Group results by
280 280 field_sharing: Sharing
281 281 field_parent_issue: Parent task
282 282
283 283 setting_app_title: Application title
284 284 setting_app_subtitle: Application subtitle
285 285 setting_welcome_text: Welcome text
286 286 setting_default_language: Default language
287 287 setting_login_required: Authentication required
288 288 setting_self_registration: Self-registration
289 289 setting_attachment_max_size: Attachment max. size
290 290 setting_issues_export_limit: Issues export limit
291 291 setting_mail_from: Emission email address
292 292 setting_bcc_recipients: Blind carbon copy recipients (bcc)
293 293 setting_plain_text_mail: Plain text mail (no HTML)
294 294 setting_host_name: Host name and path
295 295 setting_text_formatting: Text formatting
296 296 setting_wiki_compression: Wiki history compression
297 297 setting_feeds_limit: Feed content limit
298 298 setting_default_projects_public: New projects are public by default
299 299 setting_autofetch_changesets: Autofetch commits
300 300 setting_sys_api_enabled: Enable WS for repository management
301 301 setting_commit_ref_keywords: Referencing keywords
302 302 setting_commit_fix_keywords: Fixing keywords
303 303 setting_autologin: Autologin
304 304 setting_date_format: Date format
305 305 setting_time_format: Time format
306 306 setting_cross_project_issue_relations: Allow cross-project issue relations
307 307 setting_issue_list_default_columns: Default columns displayed on the issue list
308 308 setting_repositories_encodings: Repositories encodings
309 309 setting_commit_logs_encoding: Commit messages encoding
310 310 setting_emails_footer: Emails footer
311 311 setting_protocol: Protocol
312 312 setting_per_page_options: Objects per page options
313 313 setting_user_format: Users display format
314 314 setting_activity_days_default: Days displayed on project activity
315 315 setting_display_subprojects_issues: Display subprojects issues on main projects by default
316 316 setting_enabled_scm: Enabled SCM
317 317 setting_mail_handler_body_delimiters: "Truncate emails after one of these lines"
318 318 setting_mail_handler_api_enabled: Enable WS for incoming emails
319 319 setting_mail_handler_api_key: API key
320 320 setting_sequential_project_identifiers: Generate sequential project identifiers
321 321 setting_gravatar_enabled: Use Gravatar user icons
322 322 setting_gravatar_default: Default Gravatar image
323 323 setting_diff_max_lines_displayed: Max number of diff lines displayed
324 324 setting_file_max_size_displayed: Max size of text files displayed inline
325 325 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
326 326 setting_openid: Allow OpenID login and registration
327 327 setting_password_min_length: Minimum password length
328 328 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
329 329 setting_default_projects_modules: Default enabled modules for new projects
330 330 setting_issue_done_ratio: Calculate the issue done ratio with
331 331 setting_issue_done_ratio_issue_field: Use the issue field
332 332 setting_issue_done_ratio_issue_status: Use the issue status
333 333 setting_start_of_week: Start calendars on
334 334 setting_rest_api_enabled: Enable REST web service
335 335 setting_cache_formatted_text: Cache formatted text
336 336
337 337 permission_add_project: Create project
338 338 permission_add_subprojects: Create subprojects
339 339 permission_edit_project: Edit project
340 340 permission_select_project_modules: Select project modules
341 341 permission_manage_members: Manage members
342 342 permission_manage_project_activities: Manage project activities
343 343 permission_manage_versions: Manage versions
344 344 permission_manage_categories: Manage issue categories
345 345 permission_view_issues: View Issues
346 346 permission_add_issues: Add issues
347 347 permission_edit_issues: Edit issues
348 348 permission_manage_issue_relations: Manage issue relations
349 349 permission_add_issue_notes: Add notes
350 350 permission_edit_issue_notes: Edit notes
351 351 permission_edit_own_issue_notes: Edit own notes
352 352 permission_move_issues: Move issues
353 353 permission_delete_issues: Delete issues
354 354 permission_manage_public_queries: Manage public queries
355 355 permission_save_queries: Save queries
356 356 permission_view_gantt: View gantt chart
357 357 permission_view_calendar: View calendar
358 358 permission_view_issue_watchers: View watchers list
359 359 permission_add_issue_watchers: Add watchers
360 360 permission_delete_issue_watchers: Delete watchers
361 361 permission_log_time: Log spent time
362 362 permission_view_time_entries: View spent time
363 363 permission_edit_time_entries: Edit time logs
364 364 permission_edit_own_time_entries: Edit own time logs
365 365 permission_manage_news: Manage news
366 366 permission_comment_news: Comment news
367 367 permission_manage_documents: Manage documents
368 368 permission_view_documents: View documents
369 369 permission_manage_files: Manage files
370 370 permission_view_files: View files
371 371 permission_manage_wiki: Manage wiki
372 372 permission_rename_wiki_pages: Rename wiki pages
373 373 permission_delete_wiki_pages: Delete wiki pages
374 374 permission_view_wiki_pages: View wiki
375 375 permission_view_wiki_edits: View wiki history
376 376 permission_edit_wiki_pages: Edit wiki pages
377 377 permission_delete_wiki_pages_attachments: Delete attachments
378 378 permission_protect_wiki_pages: Protect wiki pages
379 379 permission_manage_repository: Manage repository
380 380 permission_browse_repository: Browse repository
381 381 permission_view_changesets: View changesets
382 382 permission_commit_access: Commit access
383 383 permission_manage_boards: Manage boards
384 384 permission_view_messages: View messages
385 385 permission_add_messages: Post messages
386 386 permission_edit_messages: Edit messages
387 387 permission_edit_own_messages: Edit own messages
388 388 permission_delete_messages: Delete messages
389 389 permission_delete_own_messages: Delete own messages
390 390 permission_export_wiki_pages: Export wiki pages
391 391 permission_manage_subtasks: Manage subtasks
392 392
393 393 project_module_issue_tracking: Issue tracking
394 394 project_module_time_tracking: Time tracking
395 395 project_module_news: News
396 396 project_module_documents: Documents
397 397 project_module_files: Files
398 398 project_module_wiki: Wiki
399 399 project_module_repository: Repository
400 400 project_module_boards: Boards
401 401
402 402 label_user: User
403 403 label_user_plural: Users
404 404 label_user_new: New user
405 405 label_user_anonymous: Anonymous
406 406 label_project: Project
407 407 label_project_new: New project
408 408 label_project_plural: Projects
409 409 label_x_projects:
410 410 zero: no projects
411 411 one: 1 project
412 412 other: "{{count}} projects"
413 413 label_project_all: All Projects
414 414 label_project_latest: Latest projects
415 415 label_issue: Issue
416 416 label_issue_new: New issue
417 417 label_issue_plural: Issues
418 418 label_issue_view_all: View all issues
419 419 label_issues_by: "Issues by {{value}}"
420 420 label_issue_added: Issue added
421 421 label_issue_updated: Issue updated
422 422 label_document: Document
423 423 label_document_new: New document
424 424 label_document_plural: Documents
425 425 label_document_added: Document added
426 426 label_role: Role
427 427 label_role_plural: Roles
428 428 label_role_new: New role
429 429 label_role_and_permissions: Roles and permissions
430 430 label_member: Member
431 431 label_member_new: New member
432 432 label_member_plural: Members
433 433 label_tracker: Tracker
434 434 label_tracker_plural: Trackers
435 435 label_tracker_new: New tracker
436 436 label_workflow: Workflow
437 437 label_issue_status: Issue status
438 438 label_issue_status_plural: Issue statuses
439 439 label_issue_status_new: New status
440 440 label_issue_category: Issue category
441 441 label_issue_category_plural: Issue categories
442 442 label_issue_category_new: New category
443 443 label_custom_field: Custom field
444 444 label_custom_field_plural: Custom fields
445 445 label_custom_field_new: New custom field
446 446 label_enumerations: Enumerations
447 447 label_enumeration_new: New value
448 448 label_information: Information
449 449 label_information_plural: Information
450 450 label_please_login: Please log in
451 451 label_register: Register
452 452 label_login_with_open_id_option: or login with OpenID
453 453 label_password_lost: Lost password
454 454 label_home: Home
455 455 label_my_page: My page
456 456 label_my_account: My account
457 457 label_my_projects: My projects
458 458 label_administration: Administration
459 459 label_login: Sign in
460 460 label_logout: Sign out
461 461 label_help: Help
462 462 label_reported_issues: Reported issues
463 463 label_assigned_to_me_issues: Issues assigned to me
464 464 label_last_login: Last connection
465 465 label_registered_on: Registered on
466 466 label_activity: Activity
467 467 label_overall_activity: Overall activity
468 468 label_user_activity: "{{value}}'s activity"
469 469 label_new: New
470 470 label_logged_as: Logged in as
471 471 label_environment: Environment
472 472 label_authentication: Authentication
473 473 label_auth_source: Authentication mode
474 474 label_auth_source_new: New authentication mode
475 475 label_auth_source_plural: Authentication modes
476 476 label_subproject_plural: Subprojects
477 477 label_subproject_new: New subproject
478 478 label_and_its_subprojects: "{{value}} and its subprojects"
479 479 label_min_max_length: Min - Max length
480 480 label_list: List
481 481 label_date: Date
482 482 label_integer: Integer
483 483 label_float: Float
484 484 label_boolean: Boolean
485 485 label_string: Text
486 486 label_text: Long text
487 487 label_attribute: Attribute
488 488 label_attribute_plural: Attributes
489 489 label_download: "{{count}} Download"
490 490 label_download_plural: "{{count}} Downloads"
491 491 label_no_data: No data to display
492 492 label_change_status: Change status
493 493 label_history: History
494 494 label_attachment: File
495 495 label_attachment_new: New file
496 496 label_attachment_delete: Delete file
497 497 label_attachment_plural: Files
498 498 label_file_added: File added
499 499 label_report: Report
500 500 label_report_plural: Reports
501 501 label_news: News
502 502 label_news_new: Add news
503 503 label_news_plural: News
504 504 label_news_latest: Latest news
505 505 label_news_view_all: View all news
506 506 label_news_added: News added
507 507 label_settings: Settings
508 508 label_overview: Overview
509 509 label_version: Version
510 510 label_version_new: New version
511 511 label_version_plural: Versions
512 512 label_close_versions: Close completed versions
513 513 label_confirmation: Confirmation
514 514 label_export_to: 'Also available in:'
515 515 label_read: Read...
516 516 label_public_projects: Public projects
517 517 label_open_issues: open
518 518 label_open_issues_plural: open
519 519 label_closed_issues: closed
520 520 label_closed_issues_plural: closed
521 521 label_x_open_issues_abbr_on_total:
522 522 zero: 0 open / {{total}}
523 523 one: 1 open / {{total}}
524 524 other: "{{count}} open / {{total}}"
525 525 label_x_open_issues_abbr:
526 526 zero: 0 open
527 527 one: 1 open
528 528 other: "{{count}} open"
529 529 label_x_closed_issues_abbr:
530 530 zero: 0 closed
531 531 one: 1 closed
532 532 other: "{{count}} closed"
533 533 label_total: Total
534 534 label_permissions: Permissions
535 535 label_current_status: Current status
536 536 label_new_statuses_allowed: New statuses allowed
537 537 label_all: all
538 538 label_none: none
539 539 label_nobody: nobody
540 540 label_next: Next
541 541 label_previous: Previous
542 542 label_used_by: Used by
543 543 label_details: Details
544 544 label_add_note: Add a note
545 545 label_per_page: Per page
546 546 label_calendar: Calendar
547 547 label_months_from: months from
548 548 label_gantt: Gantt
549 549 label_internal: Internal
550 550 label_last_changes: "last {{count}} changes"
551 551 label_change_view_all: View all changes
552 552 label_personalize_page: Personalize this page
553 553 label_comment: Comment
554 554 label_comment_plural: Comments
555 555 label_x_comments:
556 556 zero: no comments
557 557 one: 1 comment
558 558 other: "{{count}} comments"
559 559 label_comment_add: Add a comment
560 560 label_comment_added: Comment added
561 561 label_comment_delete: Delete comments
562 562 label_query: Custom query
563 563 label_query_plural: Custom queries
564 564 label_query_new: New query
565 565 label_filter_add: Add filter
566 566 label_filter_plural: Filters
567 567 label_equals: is
568 568 label_not_equals: is not
569 569 label_in_less_than: in less than
570 570 label_in_more_than: in more than
571 571 label_greater_or_equal: '>='
572 572 label_less_or_equal: '<='
573 573 label_in: in
574 574 label_today: today
575 575 label_all_time: all time
576 576 label_yesterday: yesterday
577 577 label_this_week: this week
578 578 label_last_week: last week
579 579 label_last_n_days: "last {{count}} days"
580 580 label_this_month: this month
581 581 label_last_month: last month
582 582 label_this_year: this year
583 583 label_date_range: Date range
584 584 label_less_than_ago: less than days ago
585 585 label_more_than_ago: more than days ago
586 586 label_ago: days ago
587 587 label_contains: contains
588 588 label_not_contains: doesn't contain
589 589 label_day_plural: days
590 590 label_repository: Repository
591 591 label_repository_plural: Repositories
592 592 label_browse: Browse
593 593 label_modification: "{{count}} change"
594 594 label_modification_plural: "{{count}} changes"
595 595 label_branch: Branch
596 596 label_tag: Tag
597 597 label_revision: Revision
598 598 label_revision_plural: Revisions
599 599 label_revision_id: "Revision {{value}}"
600 600 label_associated_revisions: Associated revisions
601 601 label_added: added
602 602 label_modified: modified
603 603 label_copied: copied
604 604 label_renamed: renamed
605 605 label_deleted: deleted
606 606 label_latest_revision: Latest revision
607 607 label_latest_revision_plural: Latest revisions
608 608 label_view_revisions: View revisions
609 609 label_view_all_revisions: View all revisions
610 610 label_max_size: Maximum size
611 611 label_sort_highest: Move to top
612 612 label_sort_higher: Move up
613 613 label_sort_lower: Move down
614 614 label_sort_lowest: Move to bottom
615 615 label_roadmap: Roadmap
616 616 label_roadmap_due_in: "Due in {{value}}"
617 617 label_roadmap_overdue: "{{value}} late"
618 618 label_roadmap_no_issues: No issues for this version
619 619 label_search: Search
620 620 label_result_plural: Results
621 621 label_all_words: All words
622 622 label_wiki: Wiki
623 623 label_wiki_edit: Wiki edit
624 624 label_wiki_edit_plural: Wiki edits
625 625 label_wiki_page: Wiki page
626 626 label_wiki_page_plural: Wiki pages
627 627 label_index_by_title: Index by title
628 628 label_index_by_date: Index by date
629 629 label_current_version: Current version
630 630 label_preview: Preview
631 631 label_feed_plural: Feeds
632 632 label_changes_details: Details of all changes
633 633 label_issue_tracking: Issue tracking
634 634 label_spent_time: Spent time
635 635 label_f_hour: "{{value}} hour"
636 636 label_f_hour_plural: "{{value}} hours"
637 637 label_time_tracking: Time tracking
638 638 label_change_plural: Changes
639 639 label_statistics: Statistics
640 640 label_commits_per_month: Commits per month
641 641 label_commits_per_author: Commits per author
642 642 label_view_diff: View differences
643 643 label_diff_inline: inline
644 644 label_diff_side_by_side: side by side
645 645 label_options: Options
646 646 label_copy_workflow_from: Copy workflow from
647 647 label_permissions_report: Permissions report
648 648 label_watched_issues: Watched issues
649 649 label_related_issues: Related issues
650 650 label_applied_status: Applied status
651 651 label_loading: Loading...
652 652 label_relation_new: New relation
653 653 label_relation_delete: Delete relation
654 654 label_relates_to: related to
655 655 label_duplicates: duplicates
656 656 label_duplicated_by: duplicated by
657 657 label_blocks: blocks
658 658 label_blocked_by: blocked by
659 659 label_precedes: precedes
660 660 label_follows: follows
661 661 label_end_to_start: end to start
662 662 label_end_to_end: end to end
663 663 label_start_to_start: start to start
664 664 label_start_to_end: start to end
665 665 label_stay_logged_in: Stay logged in
666 666 label_disabled: disabled
667 667 label_show_completed_versions: Show completed versions
668 668 label_me: me
669 669 label_board: Forum
670 670 label_board_new: New forum
671 671 label_board_plural: Forums
672 672 label_board_locked: Locked
673 673 label_board_sticky: Sticky
674 674 label_topic_plural: Topics
675 675 label_message_plural: Messages
676 676 label_message_last: Last message
677 677 label_message_new: New message
678 678 label_message_posted: Message added
679 679 label_reply_plural: Replies
680 680 label_send_information: Send account information to the user
681 681 label_year: Year
682 682 label_month: Month
683 683 label_week: Week
684 684 label_date_from: From
685 685 label_date_to: To
686 686 label_language_based: Based on user's language
687 687 label_sort_by: "Sort by {{value}}"
688 688 label_send_test_email: Send a test email
689 689 label_feeds_access_key: RSS access key
690 690 label_missing_feeds_access_key: Missing a RSS access key
691 691 label_feeds_access_key_created_on: "RSS access key created {{value}} ago"
692 692 label_module_plural: Modules
693 693 label_added_time_by: "Added by {{author}} {{age}} ago"
694 694 label_updated_time_by: "Updated by {{author}} {{age}} ago"
695 695 label_updated_time: "Updated {{value}} ago"
696 696 label_jump_to_a_project: Jump to a project...
697 697 label_file_plural: Files
698 698 label_changeset_plural: Changesets
699 699 label_default_columns: Default columns
700 700 label_no_change_option: (No change)
701 701 label_bulk_edit_selected_issues: Bulk edit selected issues
702 702 label_theme: Theme
703 703 label_default: Default
704 704 label_search_titles_only: Search titles only
705 705 label_user_mail_option_all: "For any event on all my projects"
706 706 label_user_mail_option_selected: "For any event on the selected projects only..."
707 707 label_user_mail_option_none: "Only for things I watch or I'm involved in"
708 708 label_user_mail_no_self_notified: "I don't want to be notified of changes that I make myself"
709 709 label_registration_activation_by_email: account activation by email
710 710 label_registration_manual_activation: manual account activation
711 711 label_registration_automatic_activation: automatic account activation
712 712 label_display_per_page: "Per page: {{value}}"
713 713 label_age: Age
714 714 label_change_properties: Change properties
715 715 label_general: General
716 716 label_more: More
717 717 label_scm: SCM
718 718 label_plugins: Plugins
719 719 label_ldap_authentication: LDAP authentication
720 720 label_downloads_abbr: D/L
721 721 label_optional_description: Optional description
722 722 label_add_another_file: Add another file
723 723 label_preferences: Preferences
724 724 label_chronological_order: In chronological order
725 725 label_reverse_chronological_order: In reverse chronological order
726 726 label_planning: Planning
727 727 label_incoming_emails: Incoming emails
728 728 label_generate_key: Generate a key
729 729 label_issue_watchers: Watchers
730 730 label_example: Example
731 731 label_display: Display
732 732 label_sort: Sort
733 733 label_ascending: Ascending
734 734 label_descending: Descending
735 735 label_date_from_to: From {{start}} to {{end}}
736 736 label_wiki_content_added: Wiki page added
737 737 label_wiki_content_updated: Wiki page updated
738 738 label_group: Group
739 739 label_group_plural: Groups
740 740 label_group_new: New group
741 741 label_time_entry_plural: Spent time
742 742 label_version_sharing_none: Not shared
743 743 label_version_sharing_descendants: With subprojects
744 744 label_version_sharing_hierarchy: With project hierarchy
745 745 label_version_sharing_tree: With project tree
746 746 label_version_sharing_system: With all projects
747 747 label_update_issue_done_ratios: Update issue done ratios
748 748 label_copy_source: Source
749 749 label_copy_target: Target
750 750 label_copy_same_as_target: Same as target
751 751 label_display_used_statuses_only: Only display statuses that are used by this tracker
752 752 label_api_access_key: API access key
753 753 label_missing_api_access_key: Missing an API access key
754 754 label_api_access_key_created_on: "API access key created {{value}} ago"
755 755 label_profile: Profile
756 756 label_subtask_plural: Subtasks
757 label_project_copy_notifications: Send email notifications during the project copy
757 758
758 759 button_login: Login
759 760 button_submit: Submit
760 761 button_save: Save
761 762 button_check_all: Check all
762 763 button_uncheck_all: Uncheck all
763 764 button_delete: Delete
764 765 button_create: Create
765 766 button_create_and_continue: Create and continue
766 767 button_test: Test
767 768 button_edit: Edit
768 769 button_add: Add
769 770 button_change: Change
770 771 button_apply: Apply
771 772 button_clear: Clear
772 773 button_lock: Lock
773 774 button_unlock: Unlock
774 775 button_download: Download
775 776 button_list: List
776 777 button_view: View
777 778 button_move: Move
778 779 button_move_and_follow: Move and follow
779 780 button_back: Back
780 781 button_cancel: Cancel
781 782 button_activate: Activate
782 783 button_sort: Sort
783 784 button_log_time: Log time
784 785 button_rollback: Rollback to this version
785 786 button_watch: Watch
786 787 button_unwatch: Unwatch
787 788 button_reply: Reply
788 789 button_archive: Archive
789 790 button_unarchive: Unarchive
790 791 button_reset: Reset
791 792 button_rename: Rename
792 793 button_change_password: Change password
793 794 button_copy: Copy
794 795 button_copy_and_follow: Copy and follow
795 796 button_annotate: Annotate
796 797 button_update: Update
797 798 button_configure: Configure
798 799 button_quote: Quote
799 800 button_duplicate: Duplicate
800 801 button_show: Show
801 802
802 803 status_active: active
803 804 status_registered: registered
804 805 status_locked: locked
805 806
806 807 version_status_open: open
807 808 version_status_locked: locked
808 809 version_status_closed: closed
809 810
810 811 field_active: Active
811 812
812 813 text_select_mail_notifications: Select actions for which email notifications should be sent.
813 814 text_regexp_info: eg. ^[A-Z0-9]+$
814 815 text_min_max_length_info: 0 means no restriction
815 816 text_project_destroy_confirmation: Are you sure you want to delete this project and related data ?
816 817 text_subprojects_destroy_warning: "Its subproject(s): {{value}} will be also deleted."
817 818 text_workflow_edit: Select a role and a tracker to edit the workflow
818 819 text_are_you_sure: Are you sure ?
819 820 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
820 821 text_journal_set_to: "{{label}} set to {{value}}"
821 822 text_journal_deleted: "{{label}} deleted ({{old}})"
822 823 text_journal_added: "{{label}} {{value}} added"
823 824 text_tip_task_begin_day: task beginning this day
824 825 text_tip_task_end_day: task ending this day
825 826 text_tip_task_begin_end_day: task beginning and ending this day
826 827 text_project_identifier_info: 'Only lower case letters (a-z), numbers and dashes are allowed.<br />Once saved, the identifier can not be changed.'
827 828 text_caracters_maximum: "{{count}} characters maximum."
828 829 text_caracters_minimum: "Must be at least {{count}} characters long."
829 830 text_length_between: "Length between {{min}} and {{max}} characters."
830 831 text_tracker_no_workflow: No workflow defined for this tracker
831 832 text_unallowed_characters: Unallowed characters
832 833 text_comma_separated: Multiple values allowed (comma separated).
833 834 text_line_separated: Multiple values allowed (one line for each value).
834 835 text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages
835 836 text_issue_added: "Issue {{id}} has been reported by {{author}}."
836 837 text_issue_updated: "Issue {{id}} has been updated by {{author}}."
837 838 text_wiki_destroy_confirmation: Are you sure you want to delete this wiki and all its content ?
838 839 text_issue_category_destroy_question: "Some issues ({{count}}) are assigned to this category. What do you want to do ?"
839 840 text_issue_category_destroy_assignments: Remove category assignments
840 841 text_issue_category_reassign_to: Reassign issues to this category
841 842 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)."
842 843 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."
843 844 text_load_default_configuration: Load the default configuration
844 845 text_status_changed_by_changeset: "Applied in changeset {{value}}."
845 846 text_issues_destroy_confirmation: 'Are you sure you want to delete the selected issue(s) ?'
846 847 text_select_project_modules: 'Select modules to enable for this project:'
847 848 text_default_administrator_account_changed: Default administrator account changed
848 849 text_file_repository_writable: Attachments directory writable
849 850 text_plugin_assets_writable: Plugin assets directory writable
850 851 text_rmagick_available: RMagick available (optional)
851 852 text_destroy_time_entries_question: "{{hours}} hours were reported on the issues you are about to delete. What do you want to do ?"
852 853 text_destroy_time_entries: Delete reported hours
853 854 text_assign_time_entries_to_project: Assign reported hours to the project
854 855 text_reassign_time_entries: 'Reassign reported hours to this issue:'
855 856 text_user_wrote: "{{value}} wrote:"
856 857 text_enumeration_destroy_question: "{{count}} objects are assigned to this value."
857 858 text_enumeration_category_reassign_to: 'Reassign them to this value:'
858 859 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/email.yml and restart the application to enable them."
859 860 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."
860 861 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
861 862 text_custom_field_possible_values_info: 'One line for each value'
862 863 text_wiki_page_destroy_question: "This page has {{descendants}} child page(s) and descendant(s). What do you want to do?"
863 864 text_wiki_page_nullify_children: "Keep child pages as root pages"
864 865 text_wiki_page_destroy_children: "Delete child pages and all their descendants"
865 866 text_wiki_page_reassign_children: "Reassign child pages to this parent page"
866 867 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?"
867 868
868 869 default_role_manager: Manager
869 870 default_role_developper: Developer
870 871 default_role_reporter: Reporter
871 872 default_tracker_bug: Bug
872 873 default_tracker_feature: Feature
873 874 default_tracker_support: Support
874 875 default_issue_status_new: New
875 876 default_issue_status_in_progress: In Progress
876 877 default_issue_status_resolved: Resolved
877 878 default_issue_status_feedback: Feedback
878 879 default_issue_status_closed: Closed
879 880 default_issue_status_rejected: Rejected
880 881 default_doc_category_user: User documentation
881 882 default_doc_category_tech: Technical documentation
882 883 default_priority_low: Low
883 884 default_priority_normal: Normal
884 885 default_priority_high: High
885 886 default_priority_urgent: Urgent
886 887 default_priority_immediate: Immediate
887 888 default_activity_design: Design
888 889 default_activity_development: Development
889 890
890 891 enumeration_issue_priorities: Issue priorities
891 892 enumeration_doc_categories: Document categories
892 893 enumeration_activities: Activities (time tracking)
893 894 enumeration_system_activity: System Activity
894 895
@@ -1,938 +1,939
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 (jcdelgado _at_ ingenia.es)
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
136 136 # Append your own errors here or at the model/attributes scope.
137 137
138 138 models:
139 139 # Overrides default messages
140 140
141 141 attributes:
142 142 # Overrides model and default messages.
143 143
144 144 date:
145 145 formats:
146 146 # Use the strftime parameters for formats.
147 147 # When no format has been given, it uses default.
148 148 # You can provide other formats here if you like!
149 149 default: "%Y-%m-%d"
150 150 short: "%d de %b"
151 151 long: "%d de %B de %Y"
152 152
153 153 day_names: [Domingo, Lunes, Martes, Miércoles, Jueves, Viernes, Sábado]
154 154 abbr_day_names: [Dom, Lun, Mar, Mie, Jue, Vie, Sab]
155 155
156 156 # Don't forget the nil at the beginning; there's no such thing as a 0th month
157 157 month_names: [~, Enero, Febrero, Marzo, Abril, Mayo, Junio, Julio, Agosto, Setiembre, Octubre, Noviembre, Diciembre]
158 158 abbr_month_names: [~, Ene, Feb, Mar, Abr, May, Jun, Jul, Ago, Set, Oct, Nov, Dic]
159 159 # Used in date_select and datime_select.
160 160 order: [ :year, :month, :day ]
161 161
162 162 time:
163 163 formats:
164 164 default: "%A, %d de %B de %Y %H:%M:%S %z"
165 165 time: "%H:%M"
166 166 short: "%d de %b %H:%M"
167 167 long: "%d de %B de %Y %H:%M"
168 168 am: "am"
169 169 pm: "pm"
170 170
171 171 # Used in array.to_sentence.
172 172 support:
173 173 array:
174 174 sentence_connector: "y"
175 175
176 176 actionview_instancetag_blank_option: Por favor seleccione
177 177
178 178 button_activate: Activar
179 179 button_add: Añadir
180 180 button_annotate: Anotar
181 181 button_apply: Aceptar
182 182 button_archive: Archivar
183 183 button_back: Atrás
184 184 button_cancel: Cancelar
185 185 button_change: Cambiar
186 186 button_change_password: Cambiar contraseña
187 187 button_check_all: Seleccionar todo
188 188 button_clear: Anular
189 189 button_configure: Configurar
190 190 button_copy: Copiar
191 191 button_create: Crear
192 192 button_delete: Borrar
193 193 button_download: Descargar
194 194 button_edit: Modificar
195 195 button_list: Listar
196 196 button_lock: Bloquear
197 197 button_log_time: Tiempo dedicado
198 198 button_login: Conexión
199 199 button_move: Mover
200 200 button_quote: Citar
201 201 button_rename: Renombrar
202 202 button_reply: Responder
203 203 button_reset: Reestablecer
204 204 button_rollback: Volver a esta versión
205 205 button_save: Guardar
206 206 button_sort: Ordenar
207 207 button_submit: Aceptar
208 208 button_test: Probar
209 209 button_unarchive: Desarchivar
210 210 button_uncheck_all: No seleccionar nada
211 211 button_unlock: Desbloquear
212 212 button_unwatch: No monitorizar
213 213 button_update: Actualizar
214 214 button_view: Ver
215 215 button_watch: Monitorizar
216 216 default_activity_design: Diseño
217 217 default_activity_development: Desarrollo
218 218 default_doc_category_tech: Documentación técnica
219 219 default_doc_category_user: Documentación de usuario
220 220 default_issue_status_in_progress: En curso
221 221 default_issue_status_closed: Cerrada
222 222 default_issue_status_feedback: Comentarios
223 223 default_issue_status_new: Nueva
224 224 default_issue_status_rejected: Rechazada
225 225 default_issue_status_resolved: Resuelta
226 226 default_priority_high: Alta
227 227 default_priority_immediate: Inmediata
228 228 default_priority_low: Baja
229 229 default_priority_normal: Normal
230 230 default_priority_urgent: Urgente
231 231 default_role_developper: Desarrollador
232 232 default_role_manager: Jefe de proyecto
233 233 default_role_reporter: Informador
234 234 default_tracker_bug: Errores
235 235 default_tracker_feature: Tareas
236 236 default_tracker_support: Soporte
237 237 enumeration_activities: Actividades (tiempo dedicado)
238 238 enumeration_doc_categories: Categorías del documento
239 239 enumeration_issue_priorities: Prioridad de las peticiones
240 240 error_can_t_load_default_data: "No se ha podido cargar la configuración por defecto: {{value}}"
241 241 error_issue_not_found_in_project: 'La petición no se encuentra o no está asociada a este proyecto'
242 242 error_scm_annotate: "No existe la entrada o no ha podido ser anotada"
243 243 error_scm_command_failed: "Se produjo un error al acceder al repositorio: {{value}}"
244 244 error_scm_not_found: "La entrada y/o la revisión no existe en el repositorio."
245 245 field_account: Cuenta
246 246 field_activity: Actividad
247 247 field_admin: Administrador
248 248 field_assignable: Se pueden asignar peticiones a este perfil
249 249 field_assigned_to: Asignado a
250 250 field_attr_firstname: Cualidad del nombre
251 251 field_attr_lastname: Cualidad del apellido
252 252 field_attr_login: Cualidad del identificador
253 253 field_attr_mail: Cualidad del Email
254 254 field_auth_source: Modo de identificación
255 255 field_author: Autor
256 256 field_base_dn: DN base
257 257 field_category: Categoría
258 258 field_column_names: Columnas
259 259 field_comments: Comentario
260 260 field_comments_sorting: Mostrar comentarios
261 261 field_created_on: Creado
262 262 field_default_value: Estado por defecto
263 263 field_delay: Retraso
264 264 field_description: Descripción
265 265 field_done_ratio: % Realizado
266 266 field_downloads: Descargas
267 267 field_due_date: Fecha fin
268 268 field_effective_date: Fecha
269 269 field_estimated_hours: Tiempo estimado
270 270 field_field_format: Formato
271 271 field_filename: Fichero
272 272 field_filesize: Tamaño
273 273 field_firstname: Nombre
274 274 field_fixed_version: Versión prevista
275 275 field_hide_mail: Ocultar mi dirección de correo
276 276 field_homepage: Sitio web
277 277 field_host: Anfitrión
278 278 field_hours: Horas
279 279 field_identifier: Identificador
280 280 field_is_closed: Petición resuelta
281 281 field_is_default: Estado por defecto
282 282 field_is_filter: Usado como filtro
283 283 field_is_for_all: Para todos los proyectos
284 284 field_is_in_roadmap: Consultar las peticiones en la planificación
285 285 field_is_public: Público
286 286 field_is_required: Obligatorio
287 287 field_issue: Petición
288 288 field_issue_to: Petición relacionada
289 289 field_language: Idioma
290 290 field_last_login_on: Última conexión
291 291 field_lastname: Apellido
292 292 field_login: Identificador
293 293 field_mail: Correo electrónico
294 294 field_mail_notification: Notificaciones por correo
295 295 field_max_length: Longitud máxima
296 296 field_min_length: Longitud mínima
297 297 field_name: Nombre
298 298 field_new_password: Nueva contraseña
299 299 field_notes: Notas
300 300 field_onthefly: Creación del usuario "al vuelo"
301 301 field_parent: Proyecto padre
302 302 field_parent_title: Página padre
303 303 field_password: Contraseña
304 304 field_password_confirmation: Confirmación
305 305 field_port: Puerto
306 306 field_possible_values: Valores posibles
307 307 field_priority: Prioridad
308 308 field_project: Proyecto
309 309 field_redirect_existing_links: Redireccionar enlaces existentes
310 310 field_regexp: Expresión regular
311 311 field_role: Perfil
312 312 field_searchable: Incluir en las búsquedas
313 313 field_spent_on: Fecha
314 314 field_start_date: Fecha de inicio
315 315 field_start_page: Página principal
316 316 field_status: Estado
317 317 field_subject: Tema
318 318 field_subproject: Proyecto secundario
319 319 field_summary: Resumen
320 320 field_time_zone: Zona horaria
321 321 field_title: Título
322 322 field_tracker: Tipo
323 323 field_type: Tipo
324 324 field_updated_on: Actualizado
325 325 field_url: URL
326 326 field_user: Usuario
327 327 field_value: Valor
328 328 field_version: Versión
329 329 general_csv_decimal_separator: ','
330 330 general_csv_encoding: ISO-8859-15
331 331 general_csv_separator: ';'
332 332 general_first_day_of_week: '1'
333 333 general_lang_name: 'Español'
334 334 general_pdf_encoding: ISO-8859-15
335 335 general_text_No: 'No'
336 336 general_text_Yes: 'Sí'
337 337 general_text_no: 'no'
338 338 general_text_yes: 'sí'
339 339 gui_validation_error: 1 error
340 340 gui_validation_error_plural: "{{count}} errores"
341 341 label_activity: Actividad
342 342 label_add_another_file: Añadir otro fichero
343 343 label_add_note: Añadir una nota
344 344 label_added: añadido
345 345 label_added_time_by: "Añadido por {{author}} hace {{age}}"
346 346 label_administration: Administración
347 347 label_age: Edad
348 348 label_ago: hace
349 349 label_all: todos
350 350 label_all_time: todo el tiempo
351 351 label_all_words: Todas las palabras
352 352 label_and_its_subprojects: "{{value}} y proyectos secundarios"
353 353 label_applied_status: Aplicar estado
354 354 label_assigned_to_me_issues: Peticiones que me están asignadas
355 355 label_associated_revisions: Revisiones asociadas
356 356 label_attachment: Fichero
357 357 label_attachment_delete: Borrar el fichero
358 358 label_attachment_new: Nuevo fichero
359 359 label_attachment_plural: Ficheros
360 360 label_attribute: Cualidad
361 361 label_attribute_plural: Cualidades
362 362 label_auth_source: Modo de autenticación
363 363 label_auth_source_new: Nuevo modo de autenticación
364 364 label_auth_source_plural: Modos de autenticación
365 365 label_authentication: Autenticación
366 366 label_blocked_by: bloqueado por
367 367 label_blocks: bloquea a
368 368 label_board: Foro
369 369 label_board_new: Nuevo foro
370 370 label_board_plural: Foros
371 371 label_boolean: Booleano
372 372 label_browse: Hojear
373 373 label_bulk_edit_selected_issues: Editar las peticiones seleccionadas
374 374 label_calendar: Calendario
375 375 label_change_plural: Cambios
376 376 label_change_properties: Cambiar propiedades
377 377 label_change_status: Cambiar el estado
378 378 label_change_view_all: Ver todos los cambios
379 379 label_changes_details: Detalles de todos los cambios
380 380 label_changeset_plural: Cambios
381 381 label_chronological_order: En orden cronológico
382 382 label_closed_issues: cerrada
383 383 label_closed_issues_plural: cerradas
384 384 label_x_open_issues_abbr_on_total:
385 385 zero: 0 abiertas / {{total}}
386 386 one: 1 abierta / {{total}}
387 387 other: "{{count}} abiertas / {{total}}"
388 388 label_x_open_issues_abbr:
389 389 zero: 0 abiertas
390 390 one: 1 abierta
391 391 other: "{{count}} abiertas"
392 392 label_x_closed_issues_abbr:
393 393 zero: 0 cerradas
394 394 one: 1 cerrada
395 395 other: "{{count}} cerradas"
396 396 label_comment: Comentario
397 397 label_comment_add: Añadir un comentario
398 398 label_comment_added: Comentario añadido
399 399 label_comment_delete: Borrar comentarios
400 400 label_comment_plural: Comentarios
401 401 label_x_comments:
402 402 zero: sin comentarios
403 403 one: 1 comentario
404 404 other: "{{count}} comentarios"
405 405 label_commits_per_author: Commits por autor
406 406 label_commits_per_month: Commits por mes
407 407 label_confirmation: Confirmación
408 408 label_contains: contiene
409 409 label_copied: copiado
410 410 label_copy_workflow_from: Copiar flujo de trabajo desde
411 411 label_current_status: Estado actual
412 412 label_current_version: Versión actual
413 413 label_custom_field: Campo personalizado
414 414 label_custom_field_new: Nuevo campo personalizado
415 415 label_custom_field_plural: Campos personalizados
416 416 label_date: Fecha
417 417 label_date_from: Desde
418 418 label_date_range: Rango de fechas
419 419 label_date_to: Hasta
420 420 label_day_plural: días
421 421 label_default: Por defecto
422 422 label_default_columns: Columnas por defecto
423 423 label_deleted: suprimido
424 424 label_details: Detalles
425 425 label_diff_inline: en línea
426 426 label_diff_side_by_side: cara a cara
427 427 label_disabled: deshabilitado
428 428 label_display_per_page: "Por página: {{value}}"
429 429 label_document: Documento
430 430 label_document_added: Documento añadido
431 431 label_document_new: Nuevo documento
432 432 label_document_plural: Documentos
433 433 label_download: "{{count}} Descarga"
434 434 label_download_plural: "{{count}} Descargas"
435 435 label_downloads_abbr: D/L
436 436 label_duplicated_by: duplicada por
437 437 label_duplicates: duplicada de
438 438 label_end_to_end: fin a fin
439 439 label_end_to_start: fin a principio
440 440 label_enumeration_new: Nuevo valor
441 441 label_enumerations: Listas de valores
442 442 label_environment: Entorno
443 443 label_equals: igual
444 444 label_example: Ejemplo
445 445 label_export_to: 'Exportar a:'
446 446 label_f_hour: "{{value}} hora"
447 447 label_f_hour_plural: "{{value}} horas"
448 448 label_feed_plural: Feeds
449 449 label_feeds_access_key_created_on: "Clave de acceso por RSS creada hace {{value}}"
450 450 label_file_added: Fichero añadido
451 451 label_file_plural: Archivos
452 452 label_filter_add: Añadir el filtro
453 453 label_filter_plural: Filtros
454 454 label_float: Flotante
455 455 label_follows: posterior a
456 456 label_gantt: Gantt
457 457 label_general: General
458 458 label_generate_key: Generar clave
459 459 label_help: Ayuda
460 460 label_history: Histórico
461 461 label_home: Inicio
462 462 label_in: en
463 463 label_in_less_than: en menos que
464 464 label_in_more_than: en más que
465 465 label_incoming_emails: Correos entrantes
466 466 label_index_by_date: Índice por fecha
467 467 label_index_by_title: Índice por título
468 468 label_information: Información
469 469 label_information_plural: Información
470 470 label_integer: Número
471 471 label_internal: Interno
472 472 label_issue: Petición
473 473 label_issue_added: Petición añadida
474 474 label_issue_category: Categoría de las peticiones
475 475 label_issue_category_new: Nueva categoría
476 476 label_issue_category_plural: Categorías de las peticiones
477 477 label_issue_new: Nueva petición
478 478 label_issue_plural: Peticiones
479 479 label_issue_status: Estado de la petición
480 480 label_issue_status_new: Nuevo estado
481 481 label_issue_status_plural: Estados de las peticiones
482 482 label_issue_tracking: Peticiones
483 483 label_issue_updated: Petición actualizada
484 484 label_issue_view_all: Ver todas las peticiones
485 485 label_issue_watchers: Seguidores
486 486 label_issues_by: "Peticiones por {{value}}"
487 487 label_jump_to_a_project: Ir al proyecto...
488 488 label_language_based: Basado en el idioma
489 489 label_last_changes: "últimos {{count}} cambios"
490 490 label_last_login: Última conexión
491 491 label_last_month: último mes
492 492 label_last_n_days: "últimos {{count}} días"
493 493 label_last_week: última semana
494 494 label_latest_revision: Última revisión
495 495 label_latest_revision_plural: Últimas revisiones
496 496 label_ldap_authentication: Autenticación LDAP
497 497 label_less_than_ago: hace menos de
498 498 label_list: Lista
499 499 label_loading: Cargando...
500 500 label_logged_as: Conectado como
501 501 label_login: Conexión
502 502 label_logout: Desconexión
503 503 label_max_size: Tamaño máximo
504 504 label_me: yo mismo
505 505 label_member: Miembro
506 506 label_member_new: Nuevo miembro
507 507 label_member_plural: Miembros
508 508 label_message_last: Último mensaje
509 509 label_message_new: Nuevo mensaje
510 510 label_message_plural: Mensajes
511 511 label_message_posted: Mensaje añadido
512 512 label_min_max_length: Longitud mín - máx
513 513 label_modification: "{{count}} modificación"
514 514 label_modification_plural: "{{count}} modificaciones"
515 515 label_modified: modificado
516 516 label_module_plural: Módulos
517 517 label_month: Mes
518 518 label_months_from: meses de
519 519 label_more: Más
520 520 label_more_than_ago: hace más de
521 521 label_my_account: Mi cuenta
522 522 label_my_page: Mi página
523 523 label_my_projects: Mis proyectos
524 524 label_new: Nuevo
525 525 label_new_statuses_allowed: Nuevos estados autorizados
526 526 label_news: Noticia
527 527 label_news_added: Noticia añadida
528 528 label_news_latest: Últimas noticias
529 529 label_news_new: Nueva noticia
530 530 label_news_plural: Noticias
531 531 label_news_view_all: Ver todas las noticias
532 532 label_next: Siguiente
533 533 label_no_change_option: (Sin cambios)
534 534 label_no_data: Ningún dato disponible
535 535 label_nobody: nadie
536 536 label_none: ninguno
537 537 label_not_contains: no contiene
538 538 label_not_equals: no igual
539 539 label_open_issues: abierta
540 540 label_open_issues_plural: abiertas
541 541 label_optional_description: Descripción opcional
542 542 label_options: Opciones
543 543 label_overall_activity: Actividad global
544 544 label_overview: Vistazo
545 545 label_password_lost: ¿Olvidaste la contraseña?
546 546 label_per_page: Por página
547 547 label_permissions: Permisos
548 548 label_permissions_report: Informe de permisos
549 549 label_personalize_page: Personalizar esta página
550 550 label_planning: Planificación
551 551 label_please_login: Conexión
552 552 label_plugins: Extensiones
553 553 label_precedes: anterior a
554 554 label_preferences: Preferencias
555 555 label_preview: Previsualizar
556 556 label_previous: Anterior
557 557 label_project: Proyecto
558 558 label_project_all: Todos los proyectos
559 559 label_project_latest: Últimos proyectos
560 560 label_project_new: Nuevo proyecto
561 561 label_project_plural: Proyectos
562 562 label_x_projects:
563 563 zero: sin proyectos
564 564 one: 1 proyecto
565 565 other: "{{count}} proyectos"
566 566 label_public_projects: Proyectos públicos
567 567 label_query: Consulta personalizada
568 568 label_query_new: Nueva consulta
569 569 label_query_plural: Consultas personalizadas
570 570 label_read: Leer...
571 571 label_register: Registrar
572 572 label_registered_on: Inscrito el
573 573 label_registration_activation_by_email: activación de cuenta por correo
574 574 label_registration_automatic_activation: activación automática de cuenta
575 575 label_registration_manual_activation: activación manual de cuenta
576 576 label_related_issues: Peticiones relacionadas
577 577 label_relates_to: relacionada con
578 578 label_relation_delete: Eliminar relación
579 579 label_relation_new: Nueva relación
580 580 label_renamed: renombrado
581 581 label_reply_plural: Respuestas
582 582 label_report: Informe
583 583 label_report_plural: Informes
584 584 label_reported_issues: Peticiones registradas por mí
585 585 label_repository: Repositorio
586 586 label_repository_plural: Repositorios
587 587 label_result_plural: Resultados
588 588 label_reverse_chronological_order: En orden cronológico inverso
589 589 label_revision: Revisión
590 590 label_revision_plural: Revisiones
591 591 label_roadmap: Planificación
592 592 label_roadmap_due_in: "Finaliza en {{value}}"
593 593 label_roadmap_no_issues: No hay peticiones para esta versión
594 594 label_roadmap_overdue: "{{value}} tarde"
595 595 label_role: Perfil
596 596 label_role_and_permissions: Perfiles y permisos
597 597 label_role_new: Nuevo perfil
598 598 label_role_plural: Perfiles
599 599 label_scm: SCM
600 600 label_search: Búsqueda
601 601 label_search_titles_only: Buscar sólo en títulos
602 602 label_send_information: Enviar información de la cuenta al usuario
603 603 label_send_test_email: Enviar un correo de prueba
604 604 label_settings: Configuración
605 605 label_show_completed_versions: Muestra las versiones terminadas
606 606 label_sort_by: "Ordenar por {{value}}"
607 607 label_sort_higher: Subir
608 608 label_sort_highest: Primero
609 609 label_sort_lower: Bajar
610 610 label_sort_lowest: Último
611 611 label_spent_time: Tiempo dedicado
612 612 label_start_to_end: principio a fin
613 613 label_start_to_start: principio a principio
614 614 label_statistics: Estadísticas
615 615 label_stay_logged_in: Recordar conexión
616 616 label_string: Texto
617 617 label_subproject_plural: Proyectos secundarios
618 618 label_text: Texto largo
619 619 label_theme: Tema
620 620 label_this_month: este mes
621 621 label_this_week: esta semana
622 622 label_this_year: este año
623 623 label_time_tracking: Control de tiempo
624 624 label_today: hoy
625 625 label_topic_plural: Temas
626 626 label_total: Total
627 627 label_tracker: Tipo
628 628 label_tracker_new: Nuevo tipo
629 629 label_tracker_plural: Tipos de peticiones
630 630 label_updated_time: "Actualizado hace {{value}}"
631 631 label_updated_time_by: "Actualizado por {{author}} hace {{age}}"
632 632 label_used_by: Utilizado por
633 633 label_user: Usuario
634 634 label_user_activity: "Actividad de {{value}}"
635 635 label_user_mail_no_self_notified: "No quiero ser avisado de cambios hechos por mí"
636 636 label_user_mail_option_all: "Para cualquier evento en todos mis proyectos"
637 637 label_user_mail_option_none: "Sólo para elementos monitorizados o relacionados conmigo"
638 638 label_user_mail_option_selected: "Para cualquier evento de los proyectos seleccionados..."
639 639 label_user_new: Nuevo usuario
640 640 label_user_plural: Usuarios
641 641 label_version: Versión
642 642 label_version_new: Nueva versión
643 643 label_version_plural: Versiones
644 644 label_view_diff: Ver diferencias
645 645 label_view_revisions: Ver las revisiones
646 646 label_watched_issues: Peticiones monitorizadas
647 647 label_week: Semana
648 648 label_wiki: Wiki
649 649 label_wiki_edit: Modificación Wiki
650 650 label_wiki_edit_plural: Modificaciones Wiki
651 651 label_wiki_page: Página Wiki
652 652 label_wiki_page_plural: Páginas Wiki
653 653 label_workflow: Flujo de trabajo
654 654 label_year: Año
655 655 label_yesterday: ayer
656 656 mail_body_account_activation_request: "Se ha inscrito un nuevo usuario ({{value}}). La cuenta está pendiende de aprobación:"
657 657 mail_body_account_information: Información sobre su cuenta
658 658 mail_body_account_information_external: "Puede usar su cuenta {{value}} para conectarse."
659 659 mail_body_lost_password: 'Para cambiar su contraseña, haga clic en el siguiente enlace:'
660 660 mail_body_register: 'Para activar su cuenta, haga clic en el siguiente enlace:'
661 661 mail_body_reminder: "{{count}} peticion(es) asignadas a finalizan en los próximos {{days}} días:"
662 662 mail_subject_account_activation_request: "Petición de activación de cuenta {{value}}"
663 663 mail_subject_lost_password: "Tu contraseña del {{value}}"
664 664 mail_subject_register: "Activación de la cuenta del {{value}}"
665 665 mail_subject_reminder: "{{count}} peticion(es) finalizan en los próximos días"
666 666 notice_account_activated: Su cuenta ha sido activada. Ya puede conectarse.
667 667 notice_account_invalid_creditentials: Usuario o contraseña inválido.
668 668 notice_account_lost_email_sent: Se le ha enviado un correo con instrucciones para elegir una nueva contraseña.
669 669 notice_account_password_updated: Contraseña modificada correctamente.
670 670 notice_account_pending: "Su cuenta ha sido creada y está pendiende de la aprobación por parte del administrador."
671 671 notice_account_register_done: Cuenta creada correctamente. Para activarla, haga clic sobre el enlace que le ha sido enviado por correo.
672 672 notice_account_unknown_email: Usuario desconocido.
673 673 notice_account_updated: Cuenta actualizada correctamente.
674 674 notice_account_wrong_password: Contraseña incorrecta.
675 675 notice_can_t_change_password: Esta cuenta utiliza una fuente de autenticación externa. No es posible cambiar la contraseña.
676 676 notice_default_data_loaded: Configuración por defecto cargada correctamente.
677 677 notice_email_error: "Ha ocurrido un error mientras enviando el correo ({{value}})"
678 678 notice_email_sent: "Se ha enviado un correo a {{value}}"
679 679 notice_failed_to_save_issues: "Imposible grabar %s peticion(es) en {{count}} seleccionado: {{ids}}."
680 680 notice_feeds_access_key_reseted: Su clave de acceso para RSS ha sido reiniciada.
681 681 notice_file_not_found: La página a la que intenta acceder no existe.
682 682 notice_locking_conflict: Los datos han sido modificados por otro usuario.
683 683 notice_no_issue_selected: "Ninguna petición seleccionada. Por favor, compruebe la petición que quiere modificar"
684 684 notice_not_authorized: No tiene autorización para acceder a esta página.
685 685 notice_successful_connection: Conexión correcta.
686 686 notice_successful_create: Creación correcta.
687 687 notice_successful_delete: Borrado correcto.
688 688 notice_successful_update: Modificación correcta.
689 689 notice_unable_delete_version: No se puede borrar la versión
690 690 permission_add_issue_notes: Añadir notas
691 691 permission_add_issue_watchers: Añadir seguidores
692 692 permission_add_issues: Añadir peticiones
693 693 permission_add_messages: Enviar mensajes
694 694 permission_browse_repository: Hojear repositiorio
695 695 permission_comment_news: Comentar noticias
696 696 permission_commit_access: Acceso de escritura
697 697 permission_delete_issues: Borrar peticiones
698 698 permission_delete_messages: Borrar mensajes
699 699 permission_delete_own_messages: Borrar mensajes propios
700 700 permission_delete_wiki_pages: Borrar páginas wiki
701 701 permission_delete_wiki_pages_attachments: Borrar ficheros
702 702 permission_edit_issue_notes: Modificar notas
703 703 permission_edit_issues: Modificar peticiones
704 704 permission_edit_messages: Modificar mensajes
705 705 permission_edit_own_issue_notes: Modificar notas propias
706 706 permission_edit_own_messages: Editar mensajes propios
707 707 permission_edit_own_time_entries: Modificar tiempos dedicados propios
708 708 permission_edit_project: Modificar proyecto
709 709 permission_edit_time_entries: Modificar tiempos dedicados
710 710 permission_edit_wiki_pages: Modificar páginas wiki
711 711 permission_log_time: Anotar tiempo dedicado
712 712 permission_manage_boards: Administrar foros
713 713 permission_manage_categories: Administrar categorías de peticiones
714 714 permission_manage_documents: Administrar documentos
715 715 permission_manage_files: Administrar ficheros
716 716 permission_manage_issue_relations: Administrar relación con otras peticiones
717 717 permission_manage_members: Administrar miembros
718 718 permission_manage_news: Administrar noticias
719 719 permission_manage_public_queries: Administrar consultas públicas
720 720 permission_manage_repository: Administrar repositorio
721 721 permission_manage_versions: Administrar versiones
722 722 permission_manage_wiki: Administrar wiki
723 723 permission_move_issues: Mover peticiones
724 724 permission_protect_wiki_pages: Proteger páginas wiki
725 725 permission_rename_wiki_pages: Renombrar páginas wiki
726 726 permission_save_queries: Grabar consultas
727 727 permission_select_project_modules: Seleccionar módulos del proyecto
728 728 permission_view_calendar: Ver calendario
729 729 permission_view_changesets: Ver cambios
730 730 permission_view_documents: Ver documentos
731 731 permission_view_files: Ver ficheros
732 732 permission_view_gantt: Ver diagrama de Gantt
733 733 permission_view_issue_watchers: Ver lista de seguidores
734 734 permission_view_messages: Ver mensajes
735 735 permission_view_time_entries: Ver tiempo dedicado
736 736 permission_view_wiki_edits: Ver histórico del wiki
737 737 permission_view_wiki_pages: Ver wiki
738 738 project_module_boards: Foros
739 739 project_module_documents: Documentos
740 740 project_module_files: Ficheros
741 741 project_module_issue_tracking: Peticiones
742 742 project_module_news: Noticias
743 743 project_module_repository: Repositorio
744 744 project_module_time_tracking: Control de tiempo
745 745 project_module_wiki: Wiki
746 746 setting_activity_days_default: Días a mostrar en la actividad de proyecto
747 747 setting_app_subtitle: Subtítulo de la aplicación
748 748 setting_app_title: Título de la aplicación
749 749 setting_attachment_max_size: Tamaño máximo del fichero
750 750 setting_autofetch_changesets: Autorellenar los commits del repositorio
751 751 setting_autologin: Conexión automática
752 752 setting_bcc_recipients: Ocultar las copias de carbón (bcc)
753 753 setting_commit_fix_keywords: Palabras clave para la corrección
754 754 setting_commit_logs_encoding: Codificación de los mensajes de commit
755 755 setting_commit_ref_keywords: Palabras clave para la referencia
756 756 setting_cross_project_issue_relations: Permitir relacionar peticiones de distintos proyectos
757 757 setting_date_format: Formato de fecha
758 758 setting_default_language: Idioma por defecto
759 759 setting_default_projects_public: Los proyectos nuevos son públicos por defecto
760 760 setting_diff_max_lines_displayed: Número máximo de diferencias mostradas
761 761 setting_display_subprojects_issues: Mostrar por defecto peticiones de proy. secundarios en el principal
762 762 setting_emails_footer: Pie de mensajes
763 763 setting_enabled_scm: Activar SCM
764 764 setting_feeds_limit: Límite de contenido para sindicación
765 765 setting_gravatar_enabled: Usar iconos de usuario (Gravatar)
766 766 setting_host_name: Nombre y ruta del servidor
767 767 setting_issue_list_default_columns: Columnas por defecto para la lista de peticiones
768 768 setting_issues_export_limit: Límite de exportación de peticiones
769 769 setting_login_required: Se requiere identificación
770 770 setting_mail_from: Correo desde el que enviar mensajes
771 771 setting_mail_handler_api_enabled: Activar SW para mensajes entrantes
772 772 setting_mail_handler_api_key: Clave de la API
773 773 setting_per_page_options: Objetos por página
774 774 setting_plain_text_mail: sólo texto plano (no HTML)
775 775 setting_protocol: Protocolo
776 776 setting_repositories_encodings: Codificaciones del repositorio
777 777 setting_self_registration: Registro permitido
778 778 setting_sequential_project_identifiers: Generar identificadores de proyecto
779 779 setting_sys_api_enabled: Habilitar SW para la gestión del repositorio
780 780 setting_text_formatting: Formato de texto
781 781 setting_time_format: Formato de hora
782 782 setting_user_format: Formato de nombre de usuario
783 783 setting_welcome_text: Texto de bienvenida
784 784 setting_wiki_compression: Compresión del historial del Wiki
785 785 status_active: activo
786 786 status_locked: bloqueado
787 787 status_registered: registrado
788 788 text_are_you_sure: ¿Está seguro?
789 789 text_assign_time_entries_to_project: Asignar las horas al proyecto
790 790 text_caracters_maximum: "{{count}} caracteres como máximo."
791 791 text_caracters_minimum: "{{count}} caracteres como mínimo."
792 792 text_comma_separated: Múltiples valores permitidos (separados por coma).
793 793 text_default_administrator_account_changed: Cuenta de administrador por defecto modificada
794 794 text_destroy_time_entries: Borrar las horas
795 795 text_destroy_time_entries_question: Existen {{hours}} horas asignadas a la petición que quiere borrar. ¿Qué quiere hacer?
796 796 text_diff_truncated: '... Diferencia truncada por exceder el máximo tamaño visualizable.'
797 797 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/email.yml y reinicie la aplicación para activar los cambios."
798 798 text_enumeration_category_reassign_to: 'Reasignar al siguiente valor:'
799 799 text_enumeration_destroy_question: "{{count}} objetos con este valor asignado."
800 800 text_file_repository_writable: Se puede escribir en el repositorio
801 801 text_issue_added: "Petición {{id}} añadida por {{author}}."
802 802 text_issue_category_destroy_assignments: Dejar las peticiones sin categoría
803 803 text_issue_category_destroy_question: "Algunas peticiones ({{count}}) están asignadas a esta categoría. ¿Qué desea hacer?"
804 804 text_issue_category_reassign_to: Reasignar las peticiones a la categoría
805 805 text_issue_updated: "La petición {{id}} ha sido actualizada por {{author}}."
806 806 text_issues_destroy_confirmation: '¿Seguro que quiere borrar las peticiones seleccionadas?'
807 807 text_issues_ref_in_commit_messages: Referencia y petición de corrección en los mensajes
808 808 text_length_between: "Longitud entre {{min}} y {{max}} caracteres."
809 809 text_load_default_configuration: Cargar la configuración por defecto
810 810 text_min_max_length_info: 0 para ninguna restricción
811 811 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."
812 812 text_project_destroy_confirmation: ¿Estás seguro de querer eliminar el proyecto?
813 813 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.'
814 814 text_reassign_time_entries: 'Reasignar las horas a esta petición:'
815 815 text_regexp_info: ej. ^[A-Z0-9]+$
816 816 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."
817 817 text_rmagick_available: RMagick disponible (opcional)
818 818 text_select_mail_notifications: Seleccionar los eventos a notificar
819 819 text_select_project_modules: 'Seleccione los módulos a activar para este proyecto:'
820 820 text_status_changed_by_changeset: "Aplicado en los cambios {{value}}"
821 821 text_subprojects_destroy_warning: "Los proyectos secundarios: {{value}} también se eliminarán"
822 822 text_tip_task_begin_day: tarea que comienza este día
823 823 text_tip_task_begin_end_day: tarea que comienza y termina este día
824 824 text_tip_task_end_day: tarea que termina este día
825 825 text_tracker_no_workflow: No hay ningún flujo de trabajo definido para este tipo de petición
826 826 text_unallowed_characters: Caracteres no permitidos
827 827 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)."
828 828 text_user_wrote: "{{value}} escribió:"
829 829 text_wiki_destroy_confirmation: ¿Seguro que quiere borrar el wiki y todo su contenido?
830 830 text_workflow_edit: Seleccionar un flujo de trabajo para actualizar
831 831 text_plugin_assets_writable: Se puede escribir en el directorio público de las extensiones
832 832 warning_attachments_not_saved: "No se han podido grabar {{count}} ficheros."
833 833 button_create_and_continue: Crear y continuar
834 834 text_custom_field_possible_values_info: 'Un valor en cada línea'
835 835 label_display: Mostrar
836 836 field_editable: Modificable
837 837 setting_repository_log_display_limit: Número máximo de revisiones mostradas en el fichero de trazas
838 838 setting_file_max_size_displayed: Tamaño máximo de los ficheros de texto mostrados
839 839 field_watcher: Seguidor
840 840 setting_openid: Permitir identificación y registro por OpenID
841 841 field_identity_url: URL de OpenID
842 842 label_login_with_open_id_option: o identifíquese con OpenID
843 843 field_content: Contenido
844 844 label_descending: Descendente
845 845 label_sort: Ordenar
846 846 label_ascending: Ascendente
847 847 label_date_from_to: Desde {{start}} hasta {{end}}
848 848 label_greater_or_equal: ">="
849 849 label_less_or_equal: <=
850 850 text_wiki_page_destroy_question: Esta página tiene {{descendants}} página(s) hija(s) y descendiente(s). ¿Qué desea hacer?
851 851 text_wiki_page_reassign_children: Reasignar páginas hijas a esta página
852 852 text_wiki_page_nullify_children: Dejar páginas hijas como páginas raíz
853 853 text_wiki_page_destroy_children: Eliminar páginas hijas y todos sus descendientes
854 854 setting_password_min_length: Longitud mínima de la contraseña
855 855 field_group_by: Agrupar resultados por
856 856 mail_subject_wiki_content_updated: "La página wiki '{{page}}' ha sido actualizada"
857 857 label_wiki_content_added: Página wiki añadida
858 858 mail_subject_wiki_content_added: "Se ha añadido la página wiki '{{page}}'."
859 859 mail_body_wiki_content_added: "{{author}} ha añadido la página wiki '{{page}}'."
860 860 label_wiki_content_updated: Página wiki actualizada
861 861 mail_body_wiki_content_updated: La página wiki '{{page}}' ha sido actualizada por {{author}}.
862 862 permission_add_project: Crear proyecto
863 863 setting_new_project_user_role_id: Permiso asignado a un usuario no-administrador para crear proyectos
864 864 label_view_all_revisions: Ver todas las revisiones
865 865 label_tag: Etiqueta
866 866 label_branch: Rama
867 867 error_no_tracker_in_project: Este proyecto no tiene asociados tipos de peticiones. Por favor, revise la configuración.
868 868 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").
869 869 text_journal_changed: "{{label}} cambiado {{old}} por {{new}}"
870 870 text_journal_set_to: "{{label}} establecido a {{value}}"
871 871 text_journal_deleted: "{{label}} eliminado ({{old}})"
872 872 label_group_plural: Grupos
873 873 label_group: Grupo
874 874 label_group_new: Nuevo grupo
875 875 label_time_entry_plural: Tiempo dedicado
876 876 text_journal_added: "Añadido {{label}} {{value}}"
877 877 field_active: Activo
878 878 enumeration_system_activity: Actividad del sistema
879 879 permission_delete_issue_watchers: Borrar seguidores
880 880 version_status_closed: cerrado
881 881 version_status_locked: bloqueado
882 882 version_status_open: abierto
883 883 error_can_not_reopen_issue_on_closed_version: No se puede reabrir una petición asignada a una versión cerrada
884 884
885 885 label_user_anonymous: Anónimo
886 886 button_move_and_follow: Mover y seguir
887 887 setting_default_projects_modules: Módulos activados por defecto en proyectos nuevos
888 888 setting_gravatar_default: Imagen Gravatar por defecto
889 889 field_sharing: Compartir
890 890 button_copy_and_follow: Copiar y seguir
891 891 label_version_sharing_hierarchy: Con la jerarquía del proyecto
892 892 label_version_sharing_tree: Con el árbol del proyecto
893 893 label_version_sharing_descendants: Con proyectos hijo
894 894 label_version_sharing_system: Con todos los proyectos
895 895 label_version_sharing_none: No compartir
896 896 button_duplicate: Duplicar
897 897 error_can_not_archive_project: Este proyecto no puede ser archivado
898 898 label_copy_source: Fuente
899 899 setting_issue_done_ratio: Calcular el ratio de tareas realizadas con
900 900 setting_issue_done_ratio_issue_status: Usar el estado de tareas
901 901 error_issue_done_ratios_not_updated: Ratios de tareas realizadas no actualizado.
902 902 error_workflow_copy_target: Por favor, elija categoría(s) y perfil(es) destino
903 903 setting_issue_done_ratio_issue_field: Utilizar el campo de petición
904 904 label_copy_same_as_target: El mismo que el destino
905 905 label_copy_target: Destino
906 906 notice_issue_done_ratios_updated: Ratios de tareas realizadas actualizados.
907 907 error_workflow_copy_source: Por favor, elija una categoría o rol de origen
908 908 label_update_issue_done_ratios: Actualizar ratios de tareas realizadas
909 909 setting_start_of_week: Comenzar las semanas en
910 910 permission_view_issues: Ver peticiones
911 911 label_display_used_statuses_only: Sólo mostrar los estados usados por este tipo de petición
912 912 label_revision_id: Revisión {{value}}
913 913 label_api_access_key: Clave de acceso de la API
914 914 label_api_access_key_created_on: Clave de acceso de la API creada hace {{value}}
915 915 label_feeds_access_key: Clave de acceso RSS
916 916 notice_api_access_key_reseted: Clave de acceso a la API regenerada.
917 917 setting_rest_api_enabled: Activar servicio web REST
918 918 label_missing_api_access_key: Clave de acceso a la API ausente
919 919 label_missing_feeds_access_key: Clave de accesso RSS ausente
920 920 button_show: Mostrar
921 921 text_line_separated: Múltiples valores permitidos (un valor en cada línea).
922 922 setting_mail_handler_body_delimiters: Truncar correos tras una de estas líneas
923 923 permission_add_subprojects: Crear subproyectos
924 924 label_subproject_new: Nuevo subproyecto
925 925 text_own_membership_delete_confirmation: |-
926 926 Está a punto de eliminar algún o todos sus permisos y podría perder la posibilidad de modificar este proyecto tras hacerlo.
927 927 ¿Está seguro de querer continuar?
928 928 label_close_versions: Cerrar versiones completadas
929 929 label_board_sticky: Sticky
930 930 label_board_locked: Locked
931 931 permission_export_wiki_pages: Export wiki pages
932 932 setting_cache_formatted_text: Cache formatted text
933 933 permission_manage_project_activities: Manage project activities
934 934 error_unable_delete_issue_status: Unable to delete issue status
935 935 label_profile: Profile
936 936 permission_manage_subtasks: Manage subtasks
937 937 field_parent_issue: Parent task
938 938 label_subtask_plural: Subtasks
939 label_project_copy_notifications: Send email notifications during the project copy
@@ -1,898 +1,899
1 1 # Redmine EU language
2 2 # Author: Ales Zabala Alava (Shagi), <shagi@gisa-elkartea.org>
3 3 # 2010-01-25
4 4 # Distributed under the same terms as the Redmine itself.
5 5 eu:
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: "%Y/%m/%d"
12 12 short: "%b %d"
13 13 long: "%Y %B %d"
14 14
15 15 day_names: [Igandea, Astelehena, Asteartea, Asteazkena, Osteguna, Ostirala, Larunbata]
16 16 abbr_day_names: [Ig., Al., Ar., Az., Og., Or., La.]
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: [~, Urtarrila, Otsaila, Martxoa, Apirila, Maiatza, Ekaina, Uztaila, Abuztua, Iraila, Urria, Azaroa, Abendua]
20 20 abbr_month_names: [~, Urt, Ots, Mar, Api, Mai, Eka, Uzt, Abu, Ira, Urr, Aza, Abe]
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: "%Y/%m/%d %H:%M"
27 27 time: "%H:%M"
28 28 short: "%b %d %H:%M"
29 29 long: "%Y %B %d %H:%M"
30 30 am: "am"
31 31 pm: "pm"
32 32
33 33 datetime:
34 34 distance_in_words:
35 35 half_a_minute: "minutu erdi"
36 36 less_than_x_seconds:
37 37 one: "segundu bat baino gutxiago"
38 38 other: "{{count}} segundu baino gutxiago"
39 39 x_seconds:
40 40 one: "segundu 1"
41 41 other: "{{count}} segundu"
42 42 less_than_x_minutes:
43 43 one: "minutu bat baino gutxiago"
44 44 other: "{{count}} minutu baino gutxiago"
45 45 x_minutes:
46 46 one: "minutu 1"
47 47 other: "{{count}} minutu"
48 48 about_x_hours:
49 49 one: "ordu 1 inguru"
50 50 other: "{{count}} ordu inguru"
51 51 x_days:
52 52 one: "egun 1"
53 53 other: "{{count}} egun"
54 54 about_x_months:
55 55 one: "hilabete 1 inguru"
56 56 other: "{{count}} hilabete inguru"
57 57 x_months:
58 58 one: "hilabete 1"
59 59 other: "{{count}} hilabete"
60 60 about_x_years:
61 61 one: "urte 1 inguru"
62 62 other: "{{count}} urte inguru"
63 63 over_x_years:
64 64 one: "urte 1 baino gehiago"
65 65 other: "{{count}} urte baino gehiago"
66 66 almost_x_years:
67 67 one: "ia urte 1"
68 68 other: "ia {{count}} urte"
69 69
70 70 number:
71 71 human:
72 72 format:
73 73 delimiter: ""
74 74 precision: 1
75 75 storage_units:
76 76 format: "%n %u"
77 77 units:
78 78 byte:
79 79 one: "Byte"
80 80 other: "Byte"
81 81 kb: "KB"
82 82 mb: "MB"
83 83 gb: "GB"
84 84 tb: "TB"
85 85
86 86
87 87 # Used in array.to_sentence.
88 88 support:
89 89 array:
90 90 sentence_connector: "eta"
91 91 skip_last_comma: false
92 92
93 93 activerecord:
94 94 errors:
95 95 messages:
96 96 inclusion: "ez dago zerrendan"
97 97 exclusion: "erreserbatuta dago"
98 98 invalid: "baliogabea da"
99 99 confirmation: "ez du berrespenarekin bat egiten"
100 100 accepted: "onartu behar da"
101 101 empty: "ezin da hutsik egon"
102 102 blank: "ezin da hutsik egon"
103 103 too_long: "luzeegia da (maximoa {{count}} karaktere dira)"
104 104 too_short: "laburregia da (minimoa {{count}} karaktere dira)"
105 105 wrong_length: "luzera ezegokia da ({{count}} karakter izan beharko litzake)"
106 106 taken: "dagoeneko hartuta dago"
107 107 not_a_number: "ez da zenbaki bat"
108 108 not_a_date: "ez da baliozko data"
109 109 greater_than: "{{count}} baino handiagoa izan behar du"
110 110 greater_than_or_equal_to: "{{count}} edo handiagoa izan behar du"
111 111 equal_to: "{{count}} izan behar du"
112 112 less_than: "{{count}} baino gutxiago izan behar du"
113 113 less_than_or_equal_to: "{{count}} edo gutxiago izan behar du"
114 114 odd: "bakoitia izan behar du"
115 115 even: "bikoitia izan behar du"
116 116 greater_than_start_date: "hasiera data baino handiagoa izan behar du"
117 117 not_same_project: "ez dago proiektu berdinean"
118 118 circular_dependency: "Erlazio honek mendekotasun zirkular bat sortuko luke"
119 119
120 120 actionview_instancetag_blank_option: Hautatu mesedez
121 121
122 122 general_text_No: 'Ez'
123 123 general_text_Yes: 'Bai'
124 124 general_text_no: 'ez'
125 125 general_text_yes: 'bai'
126 126 general_lang_name: 'Euskara'
127 127 general_csv_separator: ','
128 128 general_csv_decimal_separator: '.'
129 129 general_csv_encoding: UTF-8
130 130 general_pdf_encoding: UTF-8
131 131 general_first_day_of_week: '1'
132 132
133 133 notice_account_updated: Kontua ongi eguneratu da.
134 134 notice_account_invalid_creditentials: Erabiltzaile edo pasahitz ezegokia
135 135 notice_account_password_updated: Pasahitza ongi eguneratu da.
136 136 notice_account_wrong_password: Pasahitz ezegokia.
137 137 notice_account_register_done: Kontua ongi sortu da. Kontua gaitzeko klikatu epostan adierazi zaizun estekan.
138 138 notice_account_unknown_email: Erabiltzaile ezezaguna.
139 139 notice_can_t_change_password: Kontu honek kanpoko autentikazio bat erabiltzen du. Ezinezkoa da pasahitza aldatzea.
140 140 notice_account_lost_email_sent: Pasahitz berria aukeratzeko jarraibideak dituen eposta bat bidali zaizu.
141 141 notice_account_activated: Zure kontua gaituta dago. Orain saioa has dezakezu
142 142 notice_successful_create: Sortze arrakastatsua.
143 143 notice_successful_update: Eguneratze arrakastatsua.
144 144 notice_successful_delete: Ezabaketa arrakastatsua.
145 145 notice_successful_connection: Konexio arrakastatsua.
146 146 notice_file_not_found: Atzitu nahi duzun orria ez da exisitzen edo ezabatua izan da.
147 147 notice_locking_conflict: Beste erabiltzaile batek datuak eguneratu ditu.
148 148 notice_not_authorized: Ez duzu orri hau atzitzeko baimenik.
149 149 notice_email_sent: "{{value}} helbidera eposta bat bidali da"
150 150 notice_email_error: "Errorea eposta bidaltzean ({{value}})"
151 151 notice_feeds_access_key_reseted: Zure RSS atzipen giltza berrezarri da.
152 152 notice_api_access_key_reseted: Zure API atzipen giltza berrezarri da.
153 153 notice_failed_to_save_issues: "Hautatutako {{total}} zereginetatik {{count}} ezin izan dira konpondu: {{ids}}."
154 154 notice_no_issue_selected: "Ez da zereginik hautatu! Mesedez, editatu nahi dituzun arazoak markatu."
155 155 notice_account_pending: "Zure kontua sortu da, orain kudeatzailearen onarpenaren zain dago."
156 156 notice_default_data_loaded: Lehenetsitako konfigurazioa ongi kargatu da.
157 157 notice_unable_delete_version: Ezin da bertsioa ezabatu.
158 158 notice_issue_done_ratios_updated: Burututako zereginen erlazioa eguneratu da.
159 159
160 160 error_can_t_load_default_data: "Ezin izan da lehenetsitako konfigurazioa kargatu: {{value}}"
161 161 error_scm_not_found: "Sarrera edo berrikuspena ez da biltegian topatu."
162 162 error_scm_command_failed: "Errorea gertatu da biltegia atzitzean: {{value}}"
163 163 error_scm_annotate: "Sarrera ez da existitzen edo ezin da anotatu."
164 164 error_issue_not_found_in_project: 'Zeregina ez da topatu edo ez da proiektu honetakoa'
165 165 error_no_tracker_in_project: 'Proiektu honek ez du aztarnaririk esleituta. Mesedez egiaztatu Proiektuaren ezarpenak.'
166 166 error_no_default_issue_status: 'Zereginek ez dute lehenetsitako egoerarik. Mesedez egiaztatu zure konfigurazioa ("Kudeaketa -> Arazoen egoerak" atalera joan).'
167 167 error_can_not_reopen_issue_on_closed_version: 'Itxitako bertsio batera esleitutako zereginak ezin dira berrireki'
168 168 error_can_not_archive_project: Proiektu hau ezin da artxibatu
169 169 error_issue_done_ratios_not_updated: "Burututako zereginen erlazioa ez da eguneratu."
170 170 error_workflow_copy_source: 'Mesedez hautatu iturburuko aztarnari edo rola'
171 171 error_workflow_copy_target: 'Mesedez hautatu helburuko aztarnari(ak) edo rola(k)'
172 172
173 173 warning_attachments_not_saved: "{{count}} fitxategi ezin izan d(ir)a gorde."
174 174
175 175 mail_subject_lost_password: "Zure {{value}} pasahitza"
176 176 mail_body_lost_password: 'Zure pasahitza aldatzeko hurrengo estekan klikatu:'
177 177 mail_subject_register: "Zure {{value}} kontuaren gaitzea"
178 178 mail_body_register: 'Zure kontua gaitzeko hurrengo estekan klikatu:'
179 179 mail_body_account_information_external: "Zure {{value}} kontua erabil dezakezu saioa hasteko."
180 180 mail_body_account_information: Zure kontuaren informazioa
181 181 mail_subject_account_activation_request: "{{value}} kontu gaitzeko eskaera"
182 182 mail_body_account_activation_request: "Erabiltzaile berri bat ({{value}}) erregistratu da. Kontua zure onarpenaren zain dago:"
183 183 mail_subject_reminder: "{{count}} arazo hurrengo egunetan amaitzen d(ir)a"
184 184 mail_body_reminder: "Zuri esleituta dauden {{count}} arazo hurrengo {{days}} egunetan amaitzen d(ir)a:"
185 185 mail_subject_wiki_content_added: "'{{page}}' wiki orria gehitu da"
186 186 mail_body_wiki_content_added: "{{author}}-(e)k '{{page}}' wiki orria gehitu du."
187 187 mail_subject_wiki_content_updated: "'{{page}}' wiki orria eguneratu da"
188 188 mail_body_wiki_content_updated: "{{author}}-(e)k '{{page}}' wiki orria eguneratu du."
189 189
190 190 gui_validation_error: akats 1
191 191 gui_validation_error_plural: "{{count}} akats"
192 192
193 193 field_name: Izena
194 194 field_description: Deskribapena
195 195 field_summary: Laburpena
196 196 field_is_required: Beharrezkoa
197 197 field_firstname: Izena
198 198 field_lastname: Abizenak
199 199 field_mail: Eposta
200 200 field_filename: Fitxategia
201 201 field_filesize: Tamaina
202 202 field_downloads: Deskargak
203 203 field_author: Egilea
204 204 field_created_on: Sortuta
205 205 field_updated_on: Eguneratuta
206 206 field_field_format: Formatua
207 207 field_is_for_all: Proiektu guztietarako
208 208 field_possible_values: Balio posibleak
209 209 field_regexp: Expresio erregularra
210 210 field_min_length: Luzera minimoa
211 211 field_max_length: Luzera maxioma
212 212 field_value: Balioa
213 213 field_category: Kategoria
214 214 field_title: Izenburua
215 215 field_project: Proiektua
216 216 field_issue: Zeregina
217 217 field_status: Egoera
218 218 field_notes: Oharrak
219 219 field_is_closed: Itxitako arazoa
220 220 field_is_default: Lehenetsitako balioa
221 221 field_tracker: Aztarnaria
222 222 field_subject: Gaia
223 223 field_due_date: Amaiera data
224 224 field_assigned_to: Esleituta
225 225 field_priority: Lehentasuna
226 226 field_fixed_version: Helburuko bertsioa
227 227 field_user: Erabiltzilea
228 228 field_role: Rola
229 229 field_homepage: Orri nagusia
230 230 field_is_public: Publikoa
231 231 field_parent: "Honen azpiproiektua:"
232 232 field_is_in_chlog: Zereginak aldaketa egunkarian ikusten dira
233 233 field_is_in_roadmap: Arazoak ibilbide-mapan erakutsi
234 234 field_login: Erabiltzaile izena
235 235 field_mail_notification: Eposta jakinarazpenak
236 236 field_admin: Kudeatzailea
237 237 field_last_login_on: Azken konexioa
238 238 field_language: Hizkuntza
239 239 field_effective_date: Data
240 240 field_password: Pasahitza
241 241 field_new_password: Pasahitz berria
242 242 field_password_confirmation: Berrespena
243 243 field_version: Bertsioa
244 244 field_type: Mota
245 245 field_host: Ostalaria
246 246 field_port: Portua
247 247 field_account: Kontua
248 248 field_base_dn: Base DN
249 249 field_attr_login: Erabiltzaile atributua
250 250 field_attr_firstname: Izena atributua
251 251 field_attr_lastname: Abizenak atributua
252 252 field_attr_mail: Eposta atributua
253 253 field_onthefly: Zuzeneko erabiltzaile sorrera
254 254 field_start_date: Hasiera
255 255 field_done_ratio: Egindako %
256 256 field_auth_source: Autentikazio modua
257 257 field_hide_mail: Nire eposta helbidea ezkutatu
258 258 field_comments: Iruzkina
259 259 field_url: URL
260 260 field_start_page: Hasierako orria
261 261 field_subproject: Azpiproiektua
262 262 field_hours: Ordu
263 263 field_activity: Jarduera
264 264 field_spent_on: Data
265 265 field_identifier: Identifikatzailea
266 266 field_is_filter: Iragazki moduan erabilita
267 267 field_issue_to: Erlazionatutako zereginak
268 268 field_delay: Atzerapena
269 269 field_assignable: Arazoak rol honetara esleitu daitezke
270 270 field_redirect_existing_links: Existitzen diren estelak berbideratu
271 271 field_estimated_hours: Estimatutako denbora
272 272 field_column_names: Zutabeak
273 273 field_time_zone: Ordu zonaldea
274 274 field_searchable: Bilagarria
275 275 field_default_value: Lehenetsitako balioa
276 276 field_comments_sorting: Iruzkinak erakutsi
277 277 field_parent_title: Orri gurasoa
278 278 field_editable: Editagarria
279 279 field_watcher: Behatzailea
280 280 field_identity_url: OpenID URLa
281 281 field_content: Edukia
282 282 field_group_by: Emaitzak honegatik taldekatu
283 283 field_sharing: Partekatzea
284 284
285 285 setting_app_title: Aplikazioaren izenburua
286 286 setting_app_subtitle: Aplikazioaren azpizenburua
287 287 setting_welcome_text: Ongietorriko testua
288 288 setting_default_language: Lehenetsitako hizkuntza
289 289 setting_login_required: Autentikazioa derrigorrezkoa
290 290 setting_self_registration: Norberak erregistratu
291 291 setting_attachment_max_size: Eranskinen tamaina max.
292 292 setting_issues_export_limit: Zereginen esportatze limitea
293 293 setting_mail_from: Igorlearen eposta helbidea
294 294 setting_bcc_recipients: Hartzaileak ezkutuko kopian (bcc)
295 295 setting_plain_text_mail: Testu soileko epostak (HTML-rik ez)
296 296 setting_host_name: Ostalari izena eta bidea
297 297 setting_text_formatting: Testu formatua
298 298 setting_wiki_compression: Wikiaren historia konprimitu
299 299 setting_feeds_limit: Jarioaren edukiera limitea
300 300 setting_default_projects_public: Proiektu berriak defektuz publikoak dira
301 301 setting_autofetch_changesets: Commit-ak automatikoki hartu
302 302 setting_sys_api_enabled: Biltegien kudeaketarako WS gaitu
303 303 setting_commit_ref_keywords: Erreferentzien gako-hitzak
304 304 setting_commit_fix_keywords: Konpontze gako-hitzak
305 305 setting_autologin: Saioa automatikoki hasi
306 306 setting_date_format: Data formatua
307 307 setting_time_format: Ordu formatua
308 308 setting_cross_project_issue_relations: Zereginak proiektuen artean erlazionatzea baimendu
309 309 setting_issue_list_default_columns: Zereginen zerrendan defektuz ikusten diren zutabeak
310 310 setting_repositories_encodings: Biltegien kodeketak
311 311 setting_commit_logs_encoding: Commit-en mezuen kodetzea
312 312 setting_emails_footer: Eposten oina
313 313 setting_protocol: Protokoloa
314 314 setting_per_page_options: Orriko objektuen aukerak
315 315 setting_user_format: Erabiltzaileak erakusteko formatua
316 316 setting_activity_days_default: Proiektuen jardueran erakusteko egunak
317 317 setting_display_subprojects_issues: Azpiproiektuen zereginak proiektu nagusian erakutsi defektuz
318 318 setting_enabled_scm: Gaitutako IKKak
319 319 setting_mail_handler_body_delimiters: "Lerro hauteko baten ondoren epostak moztu"
320 320 setting_mail_handler_api_enabled: Sarrerako epostentzako WS gaitu
321 321 setting_mail_handler_api_key: API giltza
322 322 setting_sequential_project_identifiers: Proiektuen identifikadore sekuentzialak sortu
323 323 setting_gravatar_enabled: Erabili Gravatar erabiltzaile ikonoak
324 324 setting_gravatar_default: Lehenetsitako Gravatar irudia
325 325 setting_diff_max_lines_displayed: Erakutsiko diren diff lerro kopuru maximoa
326 326 setting_file_max_size_displayed: Barnean erakuzten diren testu fitxategien tamaina maximoa
327 327 setting_repository_log_display_limit: Egunkari fitxategian erakutsiko diren berrikuspen kopuru maximoa.
328 328 setting_openid: Baimendu OpenID saio hasiera eta erregistatzea
329 329 setting_password_min_length: Pasahitzen luzera minimoa
330 330 setting_new_project_user_role_id: Proiektu berriak sortzerakoan kudeatzaile ez diren erabiltzaileei esleitutako rola
331 331 setting_default_projects_modules: Proiektu berrientzako defektuz gaitutako moduluak
332 332 setting_issue_done_ratio: "Zereginen burututako tasa kalkulatzean erabili:"
333 333 setting_issue_done_ratio_issue_field: Zeregin eremua erabili
334 334 setting_issue_done_ratio_issue_status: Zeregin egoera erabili
335 335 setting_start_of_week: "Egutegiak noiz hasi:"
336 336 setting_rest_api_enabled: Gaitu REST web zerbitzua
337 337
338 338 permission_add_project: Proiektua sortu
339 339 permission_add_subprojects: Azpiproiektuak sortu
340 340 permission_edit_project: Proiektua editatu
341 341 permission_select_project_modules: Proiektuaren moduluak hautatu
342 342 permission_manage_members: Kideak kudeatu
343 343 permission_manage_versions: Bertsioak kudeatu
344 344 permission_manage_categories: Arazoen kategoriak kudeatu
345 345 permission_view_issues: Zereginak ikusi
346 346 permission_add_issues: Zereginak gehitu
347 347 permission_edit_issues: Zereginak aldatu
348 348 permission_manage_issue_relations: Zereginen erlazioak kudeatu
349 349 permission_add_issue_notes: Oharrak gehitu
350 350 permission_edit_issue_notes: Oharrak aldatu
351 351 permission_edit_own_issue_notes: Nork bere oharrak aldatu
352 352 permission_move_issues: Zereginak mugitu
353 353 permission_delete_issues: Zereginak ezabatu
354 354 permission_manage_public_queries: Galdera publikoak kudeatu
355 355 permission_save_queries: Galderak gorde
356 356 permission_view_gantt: Gantt diagrama ikusi
357 357 permission_view_calendar: Egutegia ikusi
358 358 permission_view_issue_watchers: Behatzaileen zerrenda ikusi
359 359 permission_add_issue_watchers: Behatzaileak gehitu
360 360 permission_delete_issue_watchers: Behatzaileak ezabatu
361 361 permission_log_time: Igarotako denbora erregistratu
362 362 permission_view_time_entries: Igarotako denbora ikusi
363 363 permission_edit_time_entries: Denbora egunkariak editatu
364 364 permission_edit_own_time_entries: Nork bere denbora egunkariak editatu
365 365 permission_manage_news: Berriak kudeatu
366 366 permission_comment_news: Berrien iruzkinak egin
367 367 permission_manage_documents: Dokumentuak kudeatu
368 368 permission_view_documents: Dokumentuak ikusi
369 369 permission_manage_files: Fitxategiak kudeatu
370 370 permission_view_files: Fitxategiak ikusi
371 371 permission_manage_wiki: Wikia kudeatu
372 372 permission_rename_wiki_pages: Wiki orriak berrizendatu
373 373 permission_delete_wiki_pages: Wiki orriak ezabatu
374 374 permission_view_wiki_pages: Wikia ikusi
375 375 permission_view_wiki_edits: Wikiaren historia ikusi
376 376 permission_edit_wiki_pages: Wiki orriak editatu
377 377 permission_delete_wiki_pages_attachments: Eranskinak ezabatu
378 378 permission_protect_wiki_pages: Wiki orriak babestu
379 379 permission_manage_repository: Biltegiak kudeatu
380 380 permission_browse_repository: Biltegia arakatu
381 381 permission_view_changesets: Aldaketak ikusi
382 382 permission_commit_access: Commit atzipena
383 383 permission_manage_boards: Foroak kudeatu
384 384 permission_view_messages: Mezuak ikusi
385 385 permission_add_messages: Mezuak bidali
386 386 permission_edit_messages: Mezuak aldatu
387 387 permission_edit_own_messages: Nork bere mezuak aldatu
388 388 permission_delete_messages: Mezuak ezabatu
389 389 permission_delete_own_messages: Nork bere mezuak ezabatu
390 390
391 391 project_module_issue_tracking: Zereginen jarraipena
392 392 project_module_time_tracking: Denbora jarraipena
393 393 project_module_news: Berriak
394 394 project_module_documents: Dokumentuak
395 395 project_module_files: Fitxategiak
396 396 project_module_wiki: Wiki
397 397 project_module_repository: Biltegia
398 398 project_module_boards: Foroak
399 399
400 400 label_user: Erabiltzailea
401 401 label_user_plural: Erabiltzaileak
402 402 label_user_new: Erabiltzaile berria
403 403 label_user_anonymous: Ezezaguna
404 404 label_project: Proiektua
405 405 label_project_new: Proiektu berria
406 406 label_project_plural: Proiektuak
407 407 label_x_projects:
408 408 zero: proiekturik ez
409 409 one: proiektu bat
410 410 other: "{{count}} proiektu"
411 411 label_project_all: Proiektu guztiak
412 412 label_project_latest: Azken proiektuak
413 413 label_issue: Zeregina
414 414 label_issue_new: Zeregin berria
415 415 label_issue_plural: Zereginak
416 416 label_issue_view_all: Zeregin guztiak ikusi
417 417 label_issues_by: "Zereginak honengatik: {{value}}"
418 418 label_issue_added: Zeregina gehituta
419 419 label_issue_updated: Zeregina eguneratuta
420 420 label_document: Dokumentua
421 421 label_document_new: Dokumentu berria
422 422 label_document_plural: Dokumentuak
423 423 label_document_added: Dokumentua gehituta
424 424 label_role: Rola
425 425 label_role_plural: Rolak
426 426 label_role_new: Rol berria
427 427 label_role_and_permissions: Rolak eta baimenak
428 428 label_member: Kidea
429 429 label_member_new: Kide berria
430 430 label_member_plural: Kideak
431 431 label_tracker: Aztarnaria
432 432 label_tracker_plural: Aztarnariak
433 433 label_tracker_new: Aztarnari berria
434 434 label_workflow: Workflow
435 435 label_issue_status: Zeregin egoera
436 436 label_issue_status_plural: Zeregin egoerak
437 437 label_issue_status_new: Egoera berria
438 438 label_issue_category: Zeregin kategoria
439 439 label_issue_category_plural: Zeregin kategoriak
440 440 label_issue_category_new: Kategoria berria
441 441 label_custom_field: Eremu pertsonalizatua
442 442 label_custom_field_plural: Eremu pertsonalizatuak
443 443 label_custom_field_new: Eremu pertsonalizatu berria
444 444 label_enumerations: Enumerazioak
445 445 label_enumeration_new: Balio berria
446 446 label_information: Informazioa
447 447 label_information_plural: Informazioa
448 448 label_please_login: Saioa hasi mesedez
449 449 label_register: Erregistratu
450 450 label_login_with_open_id_option: edo OpenID-rekin saioa hasi
451 451 label_password_lost: Pasahitza galduta
452 452 label_home: Hasiera
453 453 label_my_page: Nire orria
454 454 label_my_account: Nire kontua
455 455 label_my_projects: Nire proiektuak
456 456 label_administration: Kudeaketa
457 457 label_login: Saioa hasi
458 458 label_logout: Saioa bukatu
459 459 label_help: Laguntza
460 460 label_reported_issues: Berri emandako zereginak
461 461 label_assigned_to_me_issues: Niri esleitutako arazoak
462 462 label_last_login: Azken konexioa
463 463 label_registered_on: Noiz erregistratuta
464 464 label_activity: Jarduerak
465 465 label_overall_activity: Jarduera guztiak
466 466 label_user_activity: "{{value}}-(r)en jarduerak"
467 467 label_new: Berria
468 468 label_logged_as: "Sartutako erabiltzailea:"
469 469 label_environment: Ingurune
470 470 label_authentication: Autentikazioa
471 471 label_auth_source: Autentikazio modua
472 472 label_auth_source_new: Autentikazio modu berria
473 473 label_auth_source_plural: Autentikazio moduak
474 474 label_subproject_plural: Azpiproiektuak
475 475 label_subproject_new: Azpiproiektu berria
476 476 label_and_its_subprojects: "{{value}} eta bere azpiproiektuak"
477 477 label_min_max_length: Luzera min - max
478 478 label_list: Zerrenda
479 479 label_date: Data
480 480 label_integer: Osokoa
481 481 label_float: Koma higikorrekoa
482 482 label_boolean: Boolearra
483 483 label_string: Testua
484 484 label_text: Testu luzea
485 485 label_attribute: Atributua
486 486 label_attribute_plural: Atributuak
487 487 label_download: "Deskarga {{count}}"
488 488 label_download_plural: "{{count}} Deskarga"
489 489 label_no_data: Ez dago erakusteko daturik
490 490 label_change_status: Egoera aldatu
491 491 label_history: Historikoa
492 492 label_attachment: Fitxategia
493 493 label_attachment_new: Fitxategi berria
494 494 label_attachment_delete: Fitxategia ezabatu
495 495 label_attachment_plural: Fitxategiak
496 496 label_file_added: Fitxategia gehituta
497 497 label_report: Berri ematea
498 498 label_report_plural: Berri emateak
499 499 label_news: Beria
500 500 label_news_new: Berria gehitu
501 501 label_news_plural: Berriak
502 502 label_news_latest: Azken berriak
503 503 label_news_view_all: Berri guztiak ikusi
504 504 label_news_added: Berria gehituta
505 505 label_change_log: Aldaketa egunkaria
506 506 label_settings: Ezarpenak
507 507 label_overview: Gainbegirada
508 508 label_version: Bertsioa
509 509 label_version_new: Bertsio berria
510 510 label_version_plural: Bertsioak
511 511 label_close_versions: Burututako bertsioak itxi
512 512 label_confirmation: Baieztapena
513 513 label_export_to: 'Eskuragarri baita:'
514 514 label_read: Irakurri...
515 515 label_public_projects: Proiektu publikoak
516 516 label_open_issues: irekita
517 517 label_open_issues_plural: irekiak
518 518 label_closed_issues: itxita
519 519 label_closed_issues_plural: itxiak
520 520 label_x_open_issues_abbr_on_total:
521 521 zero: 0 irekita / {{total}}
522 522 one: 1 irekita / {{total}}
523 523 other: "{{count}} irekiak / {{total}}"
524 524 label_x_open_issues_abbr:
525 525 zero: 0 irekita
526 526 one: 1 irekita
527 527 other: "{{count}} irekiak"
528 528 label_x_closed_issues_abbr:
529 529 zero: 0 itxita
530 530 one: 1 itxita
531 531 other: "{{count}} itxiak"
532 532 label_total: Guztira
533 533 label_permissions: Baimenak
534 534 label_current_status: Uneko egoera
535 535 label_new_statuses_allowed: Baimendutako egoera berriak
536 536 label_all: guztiak
537 537 label_none: ezer
538 538 label_nobody: inor
539 539 label_next: Hurrengoa
540 540 label_previous: Aurrekoak
541 541 label_used_by: Erabilita
542 542 label_details: Xehetasunak
543 543 label_add_note: Oharra gehitu
544 544 label_per_page: Orriko
545 545 label_calendar: Egutegia
546 546 label_months_from: months from
547 547 label_gantt: Gantt
548 548 label_internal: Barnekoa
549 549 label_last_changes: "azken {{count}} aldaketak"
550 550 label_change_view_all: Aldaketa guztiak ikusi
551 551 label_personalize_page: Orri hau pertsonalizatu
552 552 label_comment: Iruzkin
553 553 label_comment_plural: Iruzkinak
554 554 label_x_comments:
555 555 zero: iruzkinik ez
556 556 one: iruzkin 1
557 557 other: "{{count}} iruzkin"
558 558 label_comment_add: Iruzkina gehitu
559 559 label_comment_added: Iruzkina gehituta
560 560 label_comment_delete: Iruzkinak ezabatu
561 561 label_query: Galdera pertsonalizatua
562 562 label_query_plural: Pertsonalizatutako galderak
563 563 label_query_new: Galdera berria
564 564 label_filter_add: Iragazkia gehitu
565 565 label_filter_plural: Iragazkiak
566 566 label_equals: da
567 567 label_not_equals: ez da
568 568 label_in_less_than: baino gutxiagotan
569 569 label_in_more_than: baino gehiagotan
570 570 label_greater_or_equal: '>='
571 571 label_less_or_equal: '<='
572 572 label_in: hauetan
573 573 label_today: gaur
574 574 label_all_time: denbora guztia
575 575 label_yesterday: atzo
576 576 label_this_week: aste honetan
577 577 label_last_week: pasadan astean
578 578 label_last_n_days: "azken {{count}} egunetan"
579 579 label_this_month: hilabete hau
580 580 label_last_month: pasadan hilabetea
581 581 label_this_year: urte hau
582 582 label_date_range: Data tartea
583 583 label_less_than_ago: egun hauek baino gutxiago
584 584 label_more_than_ago: egun hauek baino gehiago
585 585 label_ago: orain dela
586 586 label_contains: dauka
587 587 label_not_contains: ez dauka
588 588 label_day_plural: egun
589 589 label_repository: Biltegia
590 590 label_repository_plural: Biltegiak
591 591 label_browse: Arakatu
592 592 label_modification: "aldaketa {{count}}"
593 593 label_modification_plural: "{{count}} aldaketa"
594 594 label_branch: Adarra
595 595 label_tag: Etiketa
596 596 label_revision: Berrikuspena
597 597 label_revision_plural: Berrikuspenak
598 598 label_revision_id: "{{value}} berrikuspen"
599 599 label_associated_revisions: Elkartutako berrikuspenak
600 600 label_added: gehituta
601 601 label_modified: aldatuta
602 602 label_copied: kopiatuta
603 603 label_renamed: berrizendatuta
604 604 label_deleted: ezabatuta
605 605 label_latest_revision: Azken berrikuspena
606 606 label_latest_revision_plural: Azken berrikuspenak
607 607 label_view_revisions: Berrikuspenak ikusi
608 608 label_view_all_revisions: Berrikuspen guztiak ikusi
609 609 label_max_size: Tamaina maximoa
610 610 label_sort_highest: Goraino mugitu
611 611 label_sort_higher: Gora mugitu
612 612 label_sort_lower: Behera mugitu
613 613 label_sort_lowest: Beheraino mugitu
614 614 label_roadmap: Ibilbide-mapa
615 615 label_roadmap_due_in: "Epea: {{value}}"
616 616 label_roadmap_overdue: "{{value}} berandu"
617 617 label_roadmap_no_issues: Ez dago zereginik bertsio honetan
618 618 label_search: Bilatu
619 619 label_result_plural: Emaitzak
620 620 label_all_words: hitz guztiak
621 621 label_wiki: Wikia
622 622 label_wiki_edit: Wiki edizioa
623 623 label_wiki_edit_plural: Wiki edizioak
624 624 label_wiki_page: Wiki orria
625 625 label_wiki_page_plural: Wiki orriak
626 626 label_index_by_title: Izenburuaren araberako indizea
627 627 label_index_by_date: Dataren araberako indizea
628 628 label_current_version: Uneko bertsioa
629 629 label_preview: Aurreikusi
630 630 label_feed_plural: Jarioak
631 631 label_changes_details: Aldaketa guztien xehetasunak
632 632 label_issue_tracking: Zeregin jarraipena
633 633 label_spent_time: Igarotako denbora
634 634 label_f_hour: "ordu {{value}}"
635 635 label_f_hour_plural: "{{value}} ordu"
636 636 label_time_tracking: Denbora jarraipena
637 637 label_change_plural: Aldaketak
638 638 label_statistics: Estatistikak
639 639 label_commits_per_month: Commit-ak hilabeteka
640 640 label_commits_per_author: Commit-ak egileka
641 641 label_view_diff: Ezberdintasunak ikusi
642 642 label_diff_inline: barnean
643 643 label_diff_side_by_side: aldez alde
644 644 label_options: Aukerak
645 645 label_copy_workflow_from: Kopiatu workflow-a hemendik
646 646 label_permissions_report: Baimenen txostena
647 647 label_watched_issues: Behatutako zereginak
648 648 label_related_issues: Erlazionatutako zereginak
649 649 label_applied_status: Aplikatutako egoera
650 650 label_loading: Kargatzen...
651 651 label_relation_new: Erlazio berria
652 652 label_relation_delete: Erlazioa ezabatu
653 653 label_relates_to: erlazionatuta dago
654 654 label_duplicates: bikoizten du
655 655 label_duplicated_by: honek bikoiztuta
656 656 label_blocks: blokeatzen du
657 657 label_blocked_by: honek blokeatuta
658 658 label_precedes: aurretik doa
659 659 label_follows: jarraitzen du
660 660 label_end_to_start: bukaeratik hasierara
661 661 label_end_to_end: bukaeratik bukaerara
662 662 label_start_to_start: hasieratik hasierhasieratik bukaerara
663 663 label_start_to_end: hasieratik bukaerara
664 664 label_stay_logged_in: Saioa mantendu
665 665 label_disabled: ezgaituta
666 666 label_show_completed_versions: Bukatutako bertsioak ikusi
667 667 label_me: ni
668 668 label_board: Foroa
669 669 label_board_new: Foro berria
670 670 label_board_plural: Foroak
671 671 label_topic_plural: Gaiak
672 672 label_message_plural: Mezuak
673 673 label_message_last: Azken mezua
674 674 label_message_new: Mezu berria
675 675 label_message_posted: Mesua gehituta
676 676 label_reply_plural: Erantzunak
677 677 label_send_information: Erabiltzaileai kontuaren informazioa bidali
678 678 label_year: Urtea
679 679 label_month: Hilabetea
680 680 label_week: Astea
681 681 label_date_from: Nork
682 682 label_date_to: Nori
683 683 label_language_based: Erabiltzailearen hizkuntzaren arabera
684 684 label_sort_by: "Ordenazioa: {{value}}"
685 685 label_send_test_email: Frogako mezua bidali
686 686 label_feeds_access_key: RSS atzipen giltza
687 687 label_missing_feeds_access_key: RSS atzipen giltza falta da
688 688 label_feeds_access_key_created_on: "RSS atzipen giltza orain dela {{value}} sortuta"
689 689 label_module_plural: Moduluak
690 690 label_added_time_by: "{{author}}, orain dela {{age}} gehituta"
691 691 label_updated_time_by: "{{author}}, orain dela {{age}} eguneratuta"
692 692 label_updated_time: "Orain dela {{value}} eguneratuta"
693 693 label_jump_to_a_project: Joan proiektura...
694 694 label_file_plural: Fitxategiak
695 695 label_changeset_plural: Aldaketak
696 696 label_default_columns: Lehenetsitako zutabeak
697 697 label_no_change_option: (Aldaketarik ez)
698 698 label_bulk_edit_selected_issues: Hautatutako zereginak batera editatu
699 699 label_theme: Itxura
700 700 label_default: Lehenetsia
701 701 label_search_titles_only: Izenburuetan bakarrik bilatu
702 702 label_user_mail_option_all: "Nire proiektu guztietako gertakari guztientzat"
703 703 label_user_mail_option_selected: "Hautatutako proiektuetako edozein gertakarientzat..."
704 704 label_user_mail_option_none: "Nik behatu edo parte hartze dudan gauzetarako bakarrik"
705 705 label_user_mail_no_self_notified: "Ez dut nik egiten ditudan aldeketen jakinarazpenik jaso nahi"
706 706 label_registration_activation_by_email: kontuak epostaz gaitu
707 707 label_registration_manual_activation: kontuak eskuz gaitu
708 708 label_registration_automatic_activation: kontuak automatikoki gaitu
709 709 label_display_per_page: "Orriko: {{value}}"
710 710 label_age: Adina
711 711 label_change_properties: Propietateak aldatu
712 712 label_general: Orokorra
713 713 label_more: Gehiago
714 714 label_scm: IKK
715 715 label_plugins: Pluginak
716 716 label_ldap_authentication: LDAP autentikazioa
717 717 label_downloads_abbr: Desk.
718 718 label_optional_description: Aukerako deskribapena
719 719 label_add_another_file: Beste fitxategia gehitu
720 720 label_preferences: Hobespenak
721 721 label_chronological_order: Orden kronologikoan
722 722 label_reverse_chronological_order: Alderantzizko orden kronologikoan
723 723 label_planning: Planifikazioa
724 724 label_incoming_emails: Sarrerako epostak
725 725 label_generate_key: Giltza sortu
726 726 label_issue_watchers: Behatzaileak
727 727 label_example: Adibidea
728 728 label_display: Bistaratzea
729 729 label_sort: Ordenatu
730 730 label_ascending: Gorantz
731 731 label_descending: Beherantz
732 732 label_date_from_to: "{{start}}-tik {{end}}-ra"
733 733 label_wiki_content_added: Wiki orria gehituta
734 734 label_wiki_content_updated: Wiki orria eguneratuta
735 735 label_group: Taldea
736 736 label_group_plural: Taldeak
737 737 label_group_new: Talde berria
738 738 label_time_entry_plural: Igarotako denbora
739 739 label_version_sharing_none: Ez partekatuta
740 740 label_version_sharing_descendants: Azpiproiektuekin
741 741 label_version_sharing_hierarchy: Proiektu Hierarkiarekin
742 742 label_version_sharing_tree: Proiektu zuhaitzarekin
743 743 label_version_sharing_system: Proiektu guztiekin
744 744 label_update_issue_done_ratios: Zereginen burututako erlazioa eguneratu
745 745 label_copy_source: Iturburua
746 746 label_copy_target: Helburua
747 747 label_copy_same_as_target: Helburuaren berdina
748 748 label_display_used_statuses_only: Aztarnari honetan erabiltzen diren egoerak bakarrik erakutsi
749 749 label_api_access_key: API atzipen giltza
750 750 label_missing_api_access_key: API atzipen giltza falta da
751 751 label_api_access_key_created_on: "API atzipen giltza sortuta orain dela {{value}}"
752 752
753 753 button_login: Saioa hasi
754 754 button_submit: Bidali
755 755 button_save: Gorde
756 756 button_check_all: Guztiak markatu
757 757 button_uncheck_all: Guztiak desmarkatu
758 758 button_delete: Ezabatu
759 759 button_create: Sortu
760 760 button_create_and_continue: Sortu eta jarraitu
761 761 button_test: Frogatu
762 762 button_edit: Editatu
763 763 button_add: Gehitu
764 764 button_change: Aldatu
765 765 button_apply: Aplikatu
766 766 button_clear: Garbitu
767 767 button_lock: Blokeatu
768 768 button_unlock: Desblokeatu
769 769 button_download: Deskargatu
770 770 button_list: Zerrenda
771 771 button_view: Ikusi
772 772 button_move: Mugitu
773 773 button_move_and_follow: Mugitu eta jarraitu
774 774 button_back: Atzera
775 775 button_cancel: Ezeztatu
776 776 button_activate: Gahitu
777 777 button_sort: Ordenatu
778 778 button_log_time: Denbora apuntatu
779 779 button_rollback: Itzuli bertsio honetara
780 780 button_watch: Behatu
781 781 button_unwatch: Behatzen utzi
782 782 button_reply: Erantzun
783 783 button_archive: Artxibatu
784 784 button_unarchive: Desartxibatu
785 785 button_reset: Berrezarri
786 786 button_rename: Berrizendatu
787 787 button_change_password: Pasahitza aldatu
788 788 button_copy: Kopiatu
789 789 button_copy_and_follow: Kopiatu eta jarraitu
790 790 button_annotate: Anotatu
791 791 button_update: Eguneratu
792 792 button_configure: Konfiguratu
793 793 button_quote: Aipatu
794 794 button_duplicate: Bikoiztu
795 795 button_show: Ikusi
796 796
797 797 status_active: gaituta
798 798 status_registered: izena emanda
799 799 status_locked: blokeatuta
800 800
801 801 version_status_open: irekita
802 802 version_status_locked: blokeatuta
803 803 version_status_closed: itxita
804 804
805 805 field_active: Gaituta
806 806
807 807 text_select_mail_notifications: Jakinarazpenak zein ekintzetarako bidaliko diren hautatu.
808 808 text_regexp_info: adib. ^[A-Z0-9]+$
809 809 text_min_max_length_info: 0k mugarik gabe esan nahi du
810 810 text_project_destroy_confirmation: Ziur zaude proiektu hau eta erlazionatutako datu guztiak ezabatu nahi dituzula?
811 811 text_subprojects_destroy_warning: "{{value}} azpiproiektuak ere ezabatuko dira."
812 812 text_workflow_edit: Hautatu rola eta aztarnaria workflow-a editatzeko
813 813 text_are_you_sure: Ziur zaude?
814 814 text_journal_changed: "{{label}} {{old}}-(e)tik {{new}}-(e)ra aldatuta"
815 815 text_journal_set_to: "{{label}}-k {{value}} balioa hartu du"
816 816 text_journal_deleted: "{{label}} ezabatuta ({{old}})"
817 817 text_journal_added: "{{label}} {{value}} gehituta"
818 818 text_tip_task_begin_day: gaur hasten diren atazak
819 819 text_tip_task_end_day: gaur bukatzen diren atazak
820 820 text_tip_task_begin_end_day: gaur hasi eta bukatzen diren atazak
821 821 text_project_identifier_info: 'Letra xeheak (a-z), zenbakiak eta marrak erabil daitezke bakarrik.<br />Gorde eta gero identifikadorea ezin da aldatu.'
822 822 text_caracters_maximum: "{{count}} karaktere gehienez."
823 823 text_caracters_minimum: "Gutxienez {{count}} karaktereetako luzerakoa izan behar du."
824 824 text_length_between: "Luzera {{min}} eta {{max}} karaktereen artekoa."
825 825 text_tracker_no_workflow: Ez da workflow-rik definitu aztarnari honentzako
826 826 text_unallowed_characters: Debekatutako karaktereak
827 827 text_comma_separated: Balio anitz izan daitezke (komaz banatuta).
828 828 text_line_separated: Balio anitz izan daitezke (balio bakoitza lerro batean).
829 829 text_issues_ref_in_commit_messages: Commit-en mezuetan zereginak erlazionatu eta konpontzen
830 830 text_issue_added: "{{id}} zeregina {{author}}-(e)k jakinarazi du."
831 831 text_issue_updated: "{{id}} zeregina {{author}}-(e)k eguneratu du."
832 832 text_wiki_destroy_confirmation: Ziur zaude wiki hau eta bere eduki guztiak ezabatu nahi dituzula?
833 833 text_issue_category_destroy_question: "Zeregin batzuk ({{count}}) kategoria honetara esleituta daude. Zer egin nahi duzu?"
834 834 text_issue_category_destroy_assignments: Kategoria esleipenak kendu
835 835 text_issue_category_reassign_to: Zereginak kategoria honetara esleitu
836 836 text_user_mail_option: "Hautatu gabeko proiektuetan, behatzen edo parte hartzen duzun gauzei buruzko jakinarazpenak jasoko dituzu (adib. zu egile zaren edo esleituta dituzun zereginak)."
837 837 text_no_configuration_data: "Rolak, aztarnariak, zeregin egoerak eta workflow-ak ez dira oraindik konfiguratu.\nOso gomendagarria de lehenetsitako kkonfigurazioa kargatzea. Kargatu eta gero aldatu ahalko duzu."
838 838 text_load_default_configuration: Lehenetsitako konfigurazioa kargatu
839 839 text_status_changed_by_changeset: "{{value}} aldaketan aplikatuta."
840 840 text_issues_destroy_confirmation: 'Ziur zaude hautatutako zeregina(k) ezabatu nahi dituzula?'
841 841 text_select_project_modules: 'Hautatu proiektu honetan gaitu behar diren moduluak:'
842 842 text_default_administrator_account_changed: Lehenetsitako kudeatzaile kontua aldatuta
843 843 text_file_repository_writable: Eranskinen direktorioan idatz daiteke
844 844 text_plugin_assets_writable: Pluginen baliabideen direktorioan idatz daiteke
845 845 text_rmagick_available: RMagick eskuragarri (aukerazkoa)
846 846 text_destroy_time_entries_question: "{{hours}} orduei buruz berri eman zen zuk ezabatzera zoazen zereginean. Zer egin nahi duzu?"
847 847 text_destroy_time_entries: Ezabatu berri emandako orduak
848 848 text_assign_time_entries_to_project: Berri emandako orduak proiektura esleitu
849 849 text_reassign_time_entries: 'Berri emandako orduak zeregin honetara esleitu:'
850 850 text_user_wrote: "{{value}}-(e)k idatzi zuen:"
851 851 text_enumeration_destroy_question: "{{count}} objetu balio honetara esleituta daude."
852 852 text_enumeration_category_reassign_to: 'Beste balio honetara esleitu:'
853 853 text_email_delivery_not_configured: "Eposta bidalketa ez dago konfiguratuta eta jakinarazpenak ezgaituta daude.\nKonfiguratu zure SMTP zerbitzaria config/email.yml-n eta aplikazioa berrabiarazi hauek gaitzeko."
854 854 text_repository_usernames_mapping: "Hautatu edo eguneratu Redmineko erabiltzailea biltegiko egunkarietan topatzen diren erabiltzaile izenekin erlazionatzeko.\nRedmine-n eta biltegian erabiltzaile izen edo eposta berdina duten erabiltzaileak automatikoki erlazionatzen dira."
855 855 text_diff_truncated: '... Diff hau moztua izan da erakus daitekeen tamaina maximoa gainditu duelako.'
856 856 text_custom_field_possible_values_info: 'Lerro bat balio bakoitzeko'
857 857 text_wiki_page_destroy_question: "Orri honek {{descendants}} orri seme eta ondorengo ditu. Zer egin nahi duzu?"
858 858 text_wiki_page_nullify_children: "Orri semeak erro orri moduan mantendu"
859 859 text_wiki_page_destroy_children: "Orri semeak eta beraien ondorengo guztiak ezabatu"
860 860 text_wiki_page_reassign_children: "Orri semeak orri guraso honetara esleitu"
861 861 text_own_membership_delete_confirmation: "Zure baimen batzuk (edo guztiak) kentzera zoaz eta baliteke horren ondoren proiektu hau ezin editatzea.\n Ziur zaude jarraitu nahi duzula?"
862 862
863 863 default_role_manager: Kudeatzailea
864 864 default_role_developper: Garatzailea
865 865 default_role_reporter: Berriemailea
866 866 default_tracker_bug: Errorea
867 867 default_tracker_feature: Eginbidea
868 868 default_tracker_support: Laguntza
869 869 default_issue_status_new: Berria
870 870 default_issue_status_in_progress: Lanean
871 871 default_issue_status_resolved: Ebatzita
872 872 default_issue_status_feedback: Berrelikadura
873 873 default_issue_status_closed: Itxita
874 874 default_issue_status_rejected: Baztertua
875 875 default_doc_category_user: Erabiltzaile dokumentazioa
876 876 default_doc_category_tech: Dokumentazio teknikoa
877 877 default_priority_low: Baxua
878 878 default_priority_normal: Normala
879 879 default_priority_high: Altua
880 880 default_priority_urgent: Larria
881 881 default_priority_immediate: Berehalakoa
882 882 default_activity_design: Diseinua
883 883 default_activity_development: Garapena
884 884
885 885 enumeration_issue_priorities: Zeregin lehentasunak
886 886 enumeration_doc_categories: Dokumentu kategoriak
887 887 enumeration_activities: Jarduerak (denbora kontrola))
888 888 enumeration_system_activity: Sistemako Jarduera
889 889 label_board_sticky: Sticky
890 890 label_board_locked: Locked
891 891 permission_export_wiki_pages: Export wiki pages
892 892 setting_cache_formatted_text: Cache formatted text
893 893 permission_manage_project_activities: Manage project activities
894 894 error_unable_delete_issue_status: Unable to delete issue status
895 895 label_profile: Profile
896 896 permission_manage_subtasks: Manage subtasks
897 897 field_parent_issue: Parent task
898 898 label_subtask_plural: Subtasks
899 label_project_copy_notifications: Send email notifications during the project copy
@@ -1,924 +1,925
1 1 # Finnish translations for Ruby on Rails
2 2 # by Marko Seppä (marko.seppa@gmail.com)
3 3
4 4 fi:
5 5 date:
6 6 formats:
7 7 default: "%e. %Bta %Y"
8 8 long: "%A%e. %Bta %Y"
9 9 short: "%e.%m.%Y"
10 10
11 11 day_names: [Sunnuntai, Maanantai, Tiistai, Keskiviikko, Torstai, Perjantai, Lauantai]
12 12 abbr_day_names: [Su, Ma, Ti, Ke, To, Pe, La]
13 13 month_names: [~, Tammikuu, Helmikuu, Maaliskuu, Huhtikuu, Toukokuu, Kesäkuu, Heinäkuu, Elokuu, Syyskuu, Lokakuu, Marraskuu, Joulukuu]
14 14 abbr_month_names: [~, Tammi, Helmi, Maalis, Huhti, Touko, Kesä, Heinä, Elo, Syys, Loka, Marras, Joulu]
15 15 order: [:day, :month, :year]
16 16
17 17 time:
18 18 formats:
19 19 default: "%a, %e. %b %Y %H:%M:%S %z"
20 20 time: "%H:%M"
21 21 short: "%e. %b %H:%M"
22 22 long: "%B %d, %Y %H:%M"
23 23 am: "aamupäivä"
24 24 pm: "iltapäivä"
25 25
26 26 support:
27 27 array:
28 28 words_connector: ", "
29 29 two_words_connector: " ja "
30 30 last_word_connector: " ja "
31 31
32 32
33 33
34 34 number:
35 35 format:
36 36 separator: ","
37 37 delimiter: "."
38 38 precision: 3
39 39
40 40 currency:
41 41 format:
42 42 format: "%n %u"
43 43 unit: "€"
44 44 separator: ","
45 45 delimiter: "."
46 46 precision: 2
47 47
48 48 percentage:
49 49 format:
50 50 # separator:
51 51 delimiter: ""
52 52 # precision:
53 53
54 54 precision:
55 55 format:
56 56 # separator:
57 57 delimiter: ""
58 58 # precision:
59 59
60 60 human:
61 61 format:
62 62 delimiter: ""
63 63 precision: 1
64 64 storage_units:
65 65 format: "%n %u"
66 66 units:
67 67 byte:
68 68 one: "Tavua"
69 69 other: "Tavua"
70 70 kb: "KB"
71 71 mb: "MB"
72 72 gb: "GB"
73 73 tb: "TB"
74 74
75 75 datetime:
76 76 distance_in_words:
77 77 half_a_minute: "puoli minuuttia"
78 78 less_than_x_seconds:
79 79 one: "aiemmin kuin sekunti"
80 80 other: "aiemmin kuin {{count}} sekuntia"
81 81 x_seconds:
82 82 one: "sekunti"
83 83 other: "{{count}} sekuntia"
84 84 less_than_x_minutes:
85 85 one: "aiemmin kuin minuutti"
86 86 other: "aiemmin kuin {{count}} minuuttia"
87 87 x_minutes:
88 88 one: "minuutti"
89 89 other: "{{count}} minuuttia"
90 90 about_x_hours:
91 91 one: "noin tunti"
92 92 other: "noin {{count}} tuntia"
93 93 x_days:
94 94 one: "päivä"
95 95 other: "{{count}} päivää"
96 96 about_x_months:
97 97 one: "noin kuukausi"
98 98 other: "noin {{count}} kuukautta"
99 99 x_months:
100 100 one: "kuukausi"
101 101 other: "{{count}} kuukautta"
102 102 about_x_years:
103 103 one: "vuosi"
104 104 other: "noin {{count}} vuotta"
105 105 over_x_years:
106 106 one: "yli vuosi"
107 107 other: "yli {{count}} vuotta"
108 108 almost_x_years:
109 109 one: "almost 1 year"
110 110 other: "almost {{count}} years"
111 111 prompts:
112 112 year: "Vuosi"
113 113 month: "Kuukausi"
114 114 day: "Päivä"
115 115 hour: "Tunti"
116 116 minute: "Minuutti"
117 117 second: "Sekuntia"
118 118
119 119 activerecord:
120 120 errors:
121 121 template:
122 122 header:
123 123 one: "1 virhe esti tämän {{model}} mallinteen tallentamisen"
124 124 other: "{{count}} virhettä esti tämän {{model}} mallinteen tallentamisen"
125 125 body: "Seuraavat kentät aiheuttivat ongelmia:"
126 126 messages:
127 127 inclusion: "ei löydy listauksesta"
128 128 exclusion: "on jo varattu"
129 129 invalid: "on kelvoton"
130 130 confirmation: "ei vastaa varmennusta"
131 131 accepted: "täytyy olla hyväksytty"
132 132 empty: "ei voi olla tyhjä"
133 133 blank: "ei voi olla sisällötön"
134 134 too_long: "on liian pitkä (maksimi on {{count}} merkkiä)"
135 135 too_short: "on liian lyhyt (minimi on {{count}} merkkiä)"
136 136 wrong_length: "on väärän pituinen (täytyy olla täsmälleen {{count}} merkkiä)"
137 137 taken: "on jo käytössä"
138 138 not_a_number: "ei ole numero"
139 139 greater_than: "täytyy olla suurempi kuin {{count}}"
140 140 greater_than_or_equal_to: "täytyy olla suurempi tai yhtä suuri kuin{{count}}"
141 141 equal_to: "täytyy olla yhtä suuri kuin {{count}}"
142 142 less_than: "täytyy olla pienempi kuin {{count}}"
143 143 less_than_or_equal_to: "täytyy olla pienempi tai yhtä suuri kuin {{count}}"
144 144 odd: "täytyy olla pariton"
145 145 even: "täytyy olla parillinen"
146 146 greater_than_start_date: "tulee olla aloituspäivän jälkeinen"
147 147 not_same_project: "ei kuulu samaan projektiin"
148 148 circular_dependency: "Tämä suhde loisi kehän."
149 149
150 150
151 151 actionview_instancetag_blank_option: Valitse, ole hyvä
152 152
153 153 general_text_No: 'Ei'
154 154 general_text_Yes: 'Kyllä'
155 155 general_text_no: 'ei'
156 156 general_text_yes: 'kyllä'
157 157 general_lang_name: 'Finnish (Suomi)'
158 158 general_csv_separator: ','
159 159 general_csv_decimal_separator: '.'
160 160 general_csv_encoding: ISO-8859-15
161 161 general_pdf_encoding: ISO-8859-15
162 162 general_first_day_of_week: '1'
163 163
164 164 notice_account_updated: Tilin päivitys onnistui.
165 165 notice_account_invalid_creditentials: Virheellinen käyttäjätunnus tai salasana
166 166 notice_account_password_updated: Salasanan päivitys onnistui.
167 167 notice_account_wrong_password: Väärä salasana
168 168 notice_account_register_done: Tilin luonti onnistui. Aktivoidaksesi tilin seuraa linkkiä joka välitettiin sähköpostiisi.
169 169 notice_account_unknown_email: Tuntematon käyttäjä.
170 170 notice_can_t_change_password: Tämä tili käyttää ulkoista tunnistautumisjärjestelmää. Salasanaa ei voi muuttaa.
171 171 notice_account_lost_email_sent: Sinulle on lähetetty sähköposti jossa on ohje kuinka vaihdat salasanasi.
172 172 notice_account_activated: Tilisi on nyt aktivoitu, voit kirjautua sisälle.
173 173 notice_successful_create: Luonti onnistui.
174 174 notice_successful_update: Päivitys onnistui.
175 175 notice_successful_delete: Poisto onnistui.
176 176 notice_successful_connection: Yhteyden muodostus onnistui.
177 177 notice_file_not_found: Hakemaasi sivua ei löytynyt tai se on poistettu.
178 178 notice_locking_conflict: Toinen käyttäjä on päivittänyt tiedot.
179 179 notice_not_authorized: Sinulla ei ole oikeutta näyttää tätä sivua.
180 180 notice_email_sent: "Sähköposti on lähetty osoitteeseen {{value}}"
181 181 notice_email_error: "Sähköpostilähetyksessä tapahtui virhe ({{value}})"
182 182 notice_feeds_access_key_reseted: RSS salasana on nollaantunut.
183 183 notice_failed_to_save_issues: "{{count}} Tapahtum(an/ien) tallennus epäonnistui {{total}} valitut: {{ids}}."
184 184 notice_no_issue_selected: "Tapahtumia ei ole valittu! Valitse tapahtumat joita haluat muokata."
185 185 notice_account_pending: "Tilisi on luotu ja odottaa ylläpitäjän hyväksyntää."
186 186 notice_default_data_loaded: Vakioasetusten palautus onnistui.
187 187
188 188 error_can_t_load_default_data: "Vakioasetuksia ei voitu ladata: {{value}}"
189 189 error_scm_not_found: "Syötettä ja/tai versiota ei löydy tietovarastosta."
190 190 error_scm_command_failed: "Tietovarastoon pääsyssä tapahtui virhe: {{value}}"
191 191
192 192 mail_subject_lost_password: "Sinun {{value}} salasanasi"
193 193 mail_body_lost_password: 'Vaihtaaksesi salasanasi, napsauta seuraavaa linkkiä:'
194 194 mail_subject_register: "{{value}} tilin aktivointi"
195 195 mail_body_register: 'Aktivoidaksesi tilisi, napsauta seuraavaa linkkiä:'
196 196 mail_body_account_information_external: "Voit nyt käyttää {{value}} tiliäsi kirjautuaksesi järjestelmään."
197 197 mail_body_account_information: Sinun tilin tiedot
198 198 mail_subject_account_activation_request: "{{value}} tilin aktivointi pyyntö"
199 199 mail_body_account_activation_request: "Uusi käyttäjä ({{value}}) on rekisteröitynyt. Hänen tili odottaa hyväksyntääsi:"
200 200
201 201 gui_validation_error: 1 virhe
202 202 gui_validation_error_plural: "{{count}} virhettä"
203 203
204 204 field_name: Nimi
205 205 field_description: Kuvaus
206 206 field_summary: Yhteenveto
207 207 field_is_required: Vaaditaan
208 208 field_firstname: Etunimi
209 209 field_lastname: Sukunimi
210 210 field_mail: Sähköposti
211 211 field_filename: Tiedosto
212 212 field_filesize: Koko
213 213 field_downloads: Latausta
214 214 field_author: Tekijä
215 215 field_created_on: Luotu
216 216 field_updated_on: Päivitetty
217 217 field_field_format: Muoto
218 218 field_is_for_all: Kaikille projekteille
219 219 field_possible_values: Mahdolliset arvot
220 220 field_regexp: Säännöllinen lauseke (reg exp)
221 221 field_min_length: Minimipituus
222 222 field_max_length: Maksimipituus
223 223 field_value: Arvo
224 224 field_category: Luokka
225 225 field_title: Otsikko
226 226 field_project: Projekti
227 227 field_issue: Tapahtuma
228 228 field_status: Tila
229 229 field_notes: Muistiinpanot
230 230 field_is_closed: Tapahtuma suljettu
231 231 field_is_default: Vakioarvo
232 232 field_tracker: Tapahtuma
233 233 field_subject: Aihe
234 234 field_due_date: Määräaika
235 235 field_assigned_to: Nimetty
236 236 field_priority: Prioriteetti
237 237 field_fixed_version: Kohdeversio
238 238 field_user: Käyttäjä
239 239 field_role: Rooli
240 240 field_homepage: Kotisivu
241 241 field_is_public: Julkinen
242 242 field_parent: Aliprojekti
243 243 field_is_in_roadmap: Tapahtumat näytetään roadmap näkymässä
244 244 field_login: Kirjautuminen
245 245 field_mail_notification: Sähköposti muistutukset
246 246 field_admin: Ylläpitäjä
247 247 field_last_login_on: Viimeinen yhteys
248 248 field_language: Kieli
249 249 field_effective_date: Päivä
250 250 field_password: Salasana
251 251 field_new_password: Uusi salasana
252 252 field_password_confirmation: Vahvistus
253 253 field_version: Versio
254 254 field_type: Tyyppi
255 255 field_host: Verkko-osoite
256 256 field_port: Portti
257 257 field_account: Tili
258 258 field_base_dn: Base DN
259 259 field_attr_login: Kirjautumismääre
260 260 field_attr_firstname: Etuminenmääre
261 261 field_attr_lastname: Sukunimenmääre
262 262 field_attr_mail: Sähköpostinmääre
263 263 field_onthefly: Automaattinen käyttäjien luonti
264 264 field_start_date: Alku
265 265 field_done_ratio: % Tehty
266 266 field_auth_source: Varmennusmuoto
267 267 field_hide_mail: Piiloita sähköpostiosoitteeni
268 268 field_comments: Kommentti
269 269 field_url: URL
270 270 field_start_page: Aloitussivu
271 271 field_subproject: Aliprojekti
272 272 field_hours: Tuntia
273 273 field_activity: Historia
274 274 field_spent_on: Päivä
275 275 field_identifier: Tunniste
276 276 field_is_filter: Käytetään suodattimena
277 277 field_issue_to: Liittyvä tapahtuma
278 278 field_delay: Viive
279 279 field_assignable: Tapahtumia voidaan nimetä tälle roolille
280 280 field_redirect_existing_links: Uudelleenohjaa olemassa olevat linkit
281 281 field_estimated_hours: Arvioitu aika
282 282 field_column_names: Saraketta
283 283 field_time_zone: Aikavyöhyke
284 284 field_searchable: Haettava
285 285 field_default_value: Vakioarvo
286 286
287 287 setting_app_title: Ohjelman otsikko
288 288 setting_app_subtitle: Ohjelman alaotsikko
289 289 setting_welcome_text: Tervehdysteksti
290 290 setting_default_language: Vakiokieli
291 291 setting_login_required: Pakollinen kirjautuminen
292 292 setting_self_registration: Itserekisteröinti
293 293 setting_attachment_max_size: Liitteen maksimikoko
294 294 setting_issues_export_limit: Tapahtumien vientirajoite
295 295 setting_mail_from: Lähettäjän sähköpostiosoite
296 296 setting_bcc_recipients: Vastaanottajat piilokopiona (bcc)
297 297 setting_host_name: Verkko-osoite
298 298 setting_text_formatting: Tekstin muotoilu
299 299 setting_wiki_compression: Wiki historian pakkaus
300 300 setting_feeds_limit: Syötteen sisällön raja
301 301 setting_autofetch_changesets: Automaattisten muutosjoukkojen haku
302 302 setting_sys_api_enabled: Salli WS tietovaraston hallintaan
303 303 setting_commit_ref_keywords: Viittaavat hakusanat
304 304 setting_commit_fix_keywords: Korjaavat hakusanat
305 305 setting_autologin: Automaatinen kirjautuminen
306 306 setting_date_format: Päivän muoto
307 307 setting_time_format: Ajan muoto
308 308 setting_cross_project_issue_relations: Salli projektien väliset tapahtuminen suhteet
309 309 setting_issue_list_default_columns: Vakiosarakkeiden näyttö tapahtumalistauksessa
310 310 setting_repositories_encodings: Tietovaraston koodaus
311 311 setting_emails_footer: Sähköpostin alatunniste
312 312 setting_protocol: Protokolla
313 313 setting_per_page_options: Sivun objektien määrän asetukset
314 314
315 315 label_user: Käyttäjä
316 316 label_user_plural: Käyttäjät
317 317 label_user_new: Uusi käyttäjä
318 318 label_project: Projekti
319 319 label_project_new: Uusi projekti
320 320 label_project_plural: Projektit
321 321 label_x_projects:
322 322 zero: no projects
323 323 one: 1 project
324 324 other: "{{count}} projects"
325 325 label_project_all: Kaikki projektit
326 326 label_project_latest: Uusimmat projektit
327 327 label_issue: Tapahtuma
328 328 label_issue_new: Uusi tapahtuma
329 329 label_issue_plural: Tapahtumat
330 330 label_issue_view_all: Näytä kaikki tapahtumat
331 331 label_issues_by: "Tapahtumat {{value}}"
332 332 label_document: Dokumentti
333 333 label_document_new: Uusi dokumentti
334 334 label_document_plural: Dokumentit
335 335 label_role: Rooli
336 336 label_role_plural: Roolit
337 337 label_role_new: Uusi rooli
338 338 label_role_and_permissions: Roolit ja oikeudet
339 339 label_member: Jäsen
340 340 label_member_new: Uusi jäsen
341 341 label_member_plural: Jäsenet
342 342 label_tracker: Tapahtuma
343 343 label_tracker_plural: Tapahtumat
344 344 label_tracker_new: Uusi tapahtuma
345 345 label_workflow: Työnkulku
346 346 label_issue_status: Tapahtuman tila
347 347 label_issue_status_plural: Tapahtumien tilat
348 348 label_issue_status_new: Uusi tila
349 349 label_issue_category: Tapahtumaluokka
350 350 label_issue_category_plural: Tapahtumaluokat
351 351 label_issue_category_new: Uusi luokka
352 352 label_custom_field: Räätälöity kenttä
353 353 label_custom_field_plural: Räätälöidyt kentät
354 354 label_custom_field_new: Uusi räätälöity kenttä
355 355 label_enumerations: Lista
356 356 label_enumeration_new: Uusi arvo
357 357 label_information: Tieto
358 358 label_information_plural: Tiedot
359 359 label_please_login: Kirjaudu ole hyvä
360 360 label_register: Rekisteröidy
361 361 label_password_lost: Hukattu salasana
362 362 label_home: Koti
363 363 label_my_page: Omasivu
364 364 label_my_account: Oma tili
365 365 label_my_projects: Omat projektit
366 366 label_administration: Ylläpito
367 367 label_login: Kirjaudu sisään
368 368 label_logout: Kirjaudu ulos
369 369 label_help: Ohjeet
370 370 label_reported_issues: Raportoidut tapahtumat
371 371 label_assigned_to_me_issues: Minulle nimetyt tapahtumat
372 372 label_last_login: Viimeinen yhteys
373 373 label_registered_on: Rekisteröity
374 374 label_activity: Historia
375 375 label_new: Uusi
376 376 label_logged_as: Kirjauduttu nimellä
377 377 label_environment: Ympäristö
378 378 label_authentication: Varmennus
379 379 label_auth_source: Varmennustapa
380 380 label_auth_source_new: Uusi varmennustapa
381 381 label_auth_source_plural: Varmennustavat
382 382 label_subproject_plural: Aliprojektit
383 383 label_min_max_length: Min - Max pituudet
384 384 label_list: Lista
385 385 label_date: Päivä
386 386 label_integer: Kokonaisluku
387 387 label_float: Liukuluku
388 388 label_boolean: Totuusarvomuuttuja
389 389 label_string: Merkkijono
390 390 label_text: Pitkä merkkijono
391 391 label_attribute: Määre
392 392 label_attribute_plural: Määreet
393 393 label_download: "{{count}} Lataus"
394 394 label_download_plural: "{{count}} Lataukset"
395 395 label_no_data: Ei tietoa näytettäväksi
396 396 label_change_status: Muutos tila
397 397 label_history: Historia
398 398 label_attachment: Tiedosto
399 399 label_attachment_new: Uusi tiedosto
400 400 label_attachment_delete: Poista tiedosto
401 401 label_attachment_plural: Tiedostot
402 402 label_report: Raportti
403 403 label_report_plural: Raportit
404 404 label_news: Uutinen
405 405 label_news_new: Lisää uutinen
406 406 label_news_plural: Uutiset
407 407 label_news_latest: Viimeisimmät uutiset
408 408 label_news_view_all: Näytä kaikki uutiset
409 409 label_settings: Asetukset
410 410 label_overview: Yleiskatsaus
411 411 label_version: Versio
412 412 label_version_new: Uusi versio
413 413 label_version_plural: Versiot
414 414 label_confirmation: Vahvistus
415 415 label_export_to: Vie
416 416 label_read: Lukee...
417 417 label_public_projects: Julkiset projektit
418 418 label_open_issues: avoin, yhteensä
419 419 label_open_issues_plural: avointa, yhteensä
420 420 label_closed_issues: suljettu
421 421 label_closed_issues_plural: suljettua
422 422 label_x_open_issues_abbr_on_total:
423 423 zero: 0 open / {{total}}
424 424 one: 1 open / {{total}}
425 425 other: "{{count}} open / {{total}}"
426 426 label_x_open_issues_abbr:
427 427 zero: 0 open
428 428 one: 1 open
429 429 other: "{{count}} open"
430 430 label_x_closed_issues_abbr:
431 431 zero: 0 closed
432 432 one: 1 closed
433 433 other: "{{count}} closed"
434 434 label_total: Yhteensä
435 435 label_permissions: Oikeudet
436 436 label_current_status: Nykyinen tila
437 437 label_new_statuses_allowed: Uudet tilat sallittu
438 438 label_all: kaikki
439 439 label_none: ei mitään
440 440 label_nobody: ei kukaan
441 441 label_next: Seuraava
442 442 label_previous: Edellinen
443 443 label_used_by: Käytetty
444 444 label_details: Yksityiskohdat
445 445 label_add_note: Lisää muistiinpano
446 446 label_per_page: Per sivu
447 447 label_calendar: Kalenteri
448 448 label_months_from: kuukauden päässä
449 449 label_gantt: Gantt
450 450 label_internal: Sisäinen
451 451 label_last_changes: "viimeiset {{count}} muutokset"
452 452 label_change_view_all: Näytä kaikki muutokset
453 453 label_personalize_page: Personoi tämä sivu
454 454 label_comment: Kommentti
455 455 label_comment_plural: Kommentit
456 456 label_x_comments:
457 457 zero: no comments
458 458 one: 1 comment
459 459 other: "{{count}} comments"
460 460 label_comment_add: Lisää kommentti
461 461 label_comment_added: Kommentti lisätty
462 462 label_comment_delete: Poista kommentti
463 463 label_query: Räätälöity haku
464 464 label_query_plural: Räätälöidyt haut
465 465 label_query_new: Uusi haku
466 466 label_filter_add: Lisää suodatin
467 467 label_filter_plural: Suodattimet
468 468 label_equals: sama kuin
469 469 label_not_equals: eri kuin
470 470 label_in_less_than: pienempi kuin
471 471 label_in_more_than: suurempi kuin
472 472 label_today: tänään
473 473 label_this_week: tällä viikolla
474 474 label_less_than_ago: vähemmän kuin päivää sitten
475 475 label_more_than_ago: enemän kuin päivää sitten
476 476 label_ago: päiviä sitten
477 477 label_contains: sisältää
478 478 label_not_contains: ei sisällä
479 479 label_day_plural: päivää
480 480 label_repository: Tietovarasto
481 481 label_repository_plural: Tietovarastot
482 482 label_browse: Selaus
483 483 label_modification: "{{count}} muutos"
484 484 label_modification_plural: "{{count}} muutettu"
485 485 label_revision: Versio
486 486 label_revision_plural: Versiot
487 487 label_added: lisätty
488 488 label_modified: muokattu
489 489 label_deleted: poistettu
490 490 label_latest_revision: Viimeisin versio
491 491 label_latest_revision_plural: Viimeisimmät versiot
492 492 label_view_revisions: Näytä versiot
493 493 label_max_size: Suurin koko
494 494 label_sort_highest: Siirrä ylimmäiseksi
495 495 label_sort_higher: Siirrä ylös
496 496 label_sort_lower: Siirrä alas
497 497 label_sort_lowest: Siirrä alimmaiseksi
498 498 label_roadmap: Roadmap
499 499 label_roadmap_due_in: "Määräaika {{value}}"
500 500 label_roadmap_overdue: "{{value}} myöhässä"
501 501 label_roadmap_no_issues: Ei tapahtumia tälle versiolle
502 502 label_search: Haku
503 503 label_result_plural: Tulokset
504 504 label_all_words: kaikki sanat
505 505 label_wiki: Wiki
506 506 label_wiki_edit: Wiki muokkaus
507 507 label_wiki_edit_plural: Wiki muokkaukset
508 508 label_wiki_page: Wiki sivu
509 509 label_wiki_page_plural: Wiki sivut
510 510 label_index_by_title: Hakemisto otsikoittain
511 511 label_index_by_date: Hakemisto päivittäin
512 512 label_current_version: Nykyinen versio
513 513 label_preview: Esikatselu
514 514 label_feed_plural: Syötteet
515 515 label_changes_details: Kaikkien muutosten yksityiskohdat
516 516 label_issue_tracking: Tapahtumien seuranta
517 517 label_spent_time: Käytetty aika
518 518 label_f_hour: "{{value}} tunti"
519 519 label_f_hour_plural: "{{value}} tuntia"
520 520 label_time_tracking: Ajan seuranta
521 521 label_change_plural: Muutokset
522 522 label_statistics: Tilastot
523 523 label_commits_per_month: Tapahtumaa per kuukausi
524 524 label_commits_per_author: Tapahtumaa per tekijä
525 525 label_view_diff: Näytä erot
526 526 label_diff_inline: sisällössä
527 527 label_diff_side_by_side: vierekkäin
528 528 label_options: Valinnat
529 529 label_copy_workflow_from: Kopioi työnkulku
530 530 label_permissions_report: Oikeuksien raportti
531 531 label_watched_issues: Seurattavat tapahtumat
532 532 label_related_issues: Liittyvät tapahtumat
533 533 label_applied_status: Lisätty tila
534 534 label_loading: Lataa...
535 535 label_relation_new: Uusi suhde
536 536 label_relation_delete: Poista suhde
537 537 label_relates_to: liittyy
538 538 label_duplicates: kopio
539 539 label_blocks: estää
540 540 label_blocked_by: estetty
541 541 label_precedes: edeltää
542 542 label_follows: seuraa
543 543 label_end_to_start: lopusta alkuun
544 544 label_end_to_end: lopusta loppuun
545 545 label_start_to_start: alusta alkuun
546 546 label_start_to_end: alusta loppuun
547 547 label_stay_logged_in: Pysy kirjautuneena
548 548 label_disabled: poistettu käytöstä
549 549 label_show_completed_versions: Näytä valmiit versiot
550 550 label_me: minä
551 551 label_board: Keskustelupalsta
552 552 label_board_new: Uusi keskustelupalsta
553 553 label_board_plural: Keskustelupalstat
554 554 label_topic_plural: Aiheet
555 555 label_message_plural: Viestit
556 556 label_message_last: Viimeisin viesti
557 557 label_message_new: Uusi viesti
558 558 label_reply_plural: Vastaukset
559 559 label_send_information: Lähetä tilin tiedot käyttäjälle
560 560 label_year: Vuosi
561 561 label_month: Kuukausi
562 562 label_week: Viikko
563 563 label_language_based: Pohjautuen käyttäjän kieleen
564 564 label_sort_by: "Lajittele {{value}}"
565 565 label_send_test_email: Lähetä testi sähköposti
566 566 label_feeds_access_key_created_on: "RSS salasana luotiin {{value}} sitten"
567 567 label_module_plural: Moduulit
568 568 label_added_time_by: "Lisännyt {{author}} {{age}} sitten"
569 569 label_updated_time: "Päivitetty {{value}} sitten"
570 570 label_jump_to_a_project: Siirry projektiin...
571 571 label_file_plural: Tiedostot
572 572 label_changeset_plural: Muutosryhmät
573 573 label_default_columns: Vakiosarakkeet
574 574 label_no_change_option: (Ei muutosta)
575 575 label_bulk_edit_selected_issues: Perusmuotoile valitut tapahtumat
576 576 label_theme: Teema
577 577 label_default: Vakio
578 578 label_search_titles_only: Hae vain otsikot
579 579 label_user_mail_option_all: "Kaikista tapahtumista kaikissa projekteistani"
580 580 label_user_mail_option_selected: "Kaikista tapahtumista vain valitsemistani projekteista..."
581 581 label_user_mail_option_none: "Vain tapahtumista joita valvon tai olen mukana"
582 582 label_user_mail_no_self_notified: "En halua muistutusta muutoksista joita itse teen"
583 583 label_registration_activation_by_email: tilin aktivointi sähköpostitse
584 584 label_registration_manual_activation: tilin aktivointi käsin
585 585 label_registration_automatic_activation: tilin aktivointi automaattisesti
586 586 label_display_per_page: "Per sivu: {{value}}"
587 587 label_age: Ikä
588 588 label_change_properties: Vaihda asetuksia
589 589 label_general: Yleinen
590 590
591 591 button_login: Kirjaudu
592 592 button_submit: Lähetä
593 593 button_save: Tallenna
594 594 button_check_all: Valitse kaikki
595 595 button_uncheck_all: Poista valinnat
596 596 button_delete: Poista
597 597 button_create: Luo
598 598 button_test: Testaa
599 599 button_edit: Muokkaa
600 600 button_add: Lisää
601 601 button_change: Muuta
602 602 button_apply: Ota käyttöön
603 603 button_clear: Tyhjää
604 604 button_lock: Lukitse
605 605 button_unlock: Vapauta
606 606 button_download: Lataa
607 607 button_list: Lista
608 608 button_view: Näytä
609 609 button_move: Siirrä
610 610 button_back: Takaisin
611 611 button_cancel: Peruuta
612 612 button_activate: Aktivoi
613 613 button_sort: Järjestä
614 614 button_log_time: Seuraa aikaa
615 615 button_rollback: Siirry takaisin tähän versioon
616 616 button_watch: Seuraa
617 617 button_unwatch: Älä seuraa
618 618 button_reply: Vastaa
619 619 button_archive: Arkistoi
620 620 button_unarchive: Palauta
621 621 button_reset: Nollaus
622 622 button_rename: Uudelleen nimeä
623 623 button_change_password: Vaihda salasana
624 624 button_copy: Kopioi
625 625 button_annotate: Lisää selitys
626 626 button_update: Päivitä
627 627
628 628 status_active: aktiivinen
629 629 status_registered: rekisteröity
630 630 status_locked: lukittu
631 631
632 632 text_select_mail_notifications: Valitse tapahtumat joista tulisi lähettää sähköpostimuistutus.
633 633 text_regexp_info: esim. ^[A-Z0-9]+$
634 634 text_min_max_length_info: 0 tarkoittaa, ei rajoitusta
635 635 text_project_destroy_confirmation: Oletko varma että haluat poistaa tämän projektin ja kaikki siihen kuuluvat tiedot?
636 636 text_workflow_edit: Valitse rooli ja tapahtuma muokataksesi työnkulkua
637 637 text_are_you_sure: Oletko varma?
638 638 text_tip_task_begin_day: tehtävä joka alkaa tänä päivänä
639 639 text_tip_task_end_day: tehtävä joka loppuu tänä päivänä
640 640 text_tip_task_begin_end_day: tehtävä joka alkaa ja loppuu tänä päivänä
641 641 text_project_identifier_info: 'Pienet kirjaimet (a-z), numerot ja viivat ovat sallittu.<br />Tallentamisen jälkeen tunnistetta ei voi muuttaa.'
642 642 text_caracters_maximum: "{{count}} merkkiä enintään."
643 643 text_caracters_minimum: "Täytyy olla vähintään {{count}} merkkiä pitkä."
644 644 text_length_between: "Pituus välillä {{min}} ja {{max}} merkkiä."
645 645 text_tracker_no_workflow: Työnkulkua ei määritelty tälle tapahtumalle
646 646 text_unallowed_characters: Kiellettyjä merkkejä
647 647 text_comma_separated: Useat arvot sallittu (pilkku eroteltuna).
648 648 text_issues_ref_in_commit_messages: Liitän ja korjaan ongelmia syötetyssä viestissä
649 649 text_issue_added: "Issue {{id}} has been reported by {{author}}."
650 650 text_issue_updated: "Issue {{id}} has been updated by {{author}}."
651 651 text_wiki_destroy_confirmation: Oletko varma että haluat poistaa tämän wiki:n ja kaikki sen sisältämän tiedon?
652 652 text_issue_category_destroy_question: "Jotkut tapahtumat ({{count}}) ovat nimetty tälle luokalle. Mitä haluat tehdä?"
653 653 text_issue_category_destroy_assignments: Poista luokan tehtävät
654 654 text_issue_category_reassign_to: Vaihda tapahtuma tähän luokkaan
655 655 text_user_mail_option: "Valitsemattomille projekteille, saat vain muistutuksen asioista joita seuraat tai olet mukana (esim. tapahtumat joissa olet tekijä tai nimettynä)."
656 656 text_no_configuration_data: "Rooleja, tapahtumien tiloja ja työnkulkua ei vielä olla määritelty.\nOn erittäin suotavaa ladata vakioasetukset. Voit muuttaa sitä latauksen jälkeen."
657 657 text_load_default_configuration: Lataa vakioasetukset
658 658
659 659 default_role_manager: Päälikkö
660 660 default_role_developper: Kehittäjä
661 661 default_role_reporter: Tarkastelija
662 662 default_tracker_bug: Ohjelmointivirhe
663 663 default_tracker_feature: Ominaisuus
664 664 default_tracker_support: Tuki
665 665 default_issue_status_new: Uusi
666 666 default_issue_status_in_progress: In Progress
667 667 default_issue_status_resolved: Hyväksytty
668 668 default_issue_status_feedback: Palaute
669 669 default_issue_status_closed: Suljettu
670 670 default_issue_status_rejected: Hylätty
671 671 default_doc_category_user: Käyttäjä dokumentaatio
672 672 default_doc_category_tech: Tekninen dokumentaatio
673 673 default_priority_low: Matala
674 674 default_priority_normal: Normaali
675 675 default_priority_high: Korkea
676 676 default_priority_urgent: Kiireellinen
677 677 default_priority_immediate: Valitön
678 678 default_activity_design: Suunnittelu
679 679 default_activity_development: Kehitys
680 680
681 681 enumeration_issue_priorities: Tapahtuman tärkeysjärjestys
682 682 enumeration_doc_categories: Dokumentin luokat
683 683 enumeration_activities: Historia (ajan seuranta)
684 684 label_associated_revisions: Liittyvät versiot
685 685 setting_user_format: Käyttäjien esitysmuoto
686 686 text_status_changed_by_changeset: "Päivitetty muutosversioon {{value}}."
687 687 text_issues_destroy_confirmation: 'Oletko varma että haluat poistaa valitut tapahtumat ?'
688 688 label_more: Lisää
689 689 label_issue_added: Tapahtuma lisätty
690 690 label_issue_updated: Tapahtuma päivitetty
691 691 label_document_added: Dokumentti lisätty
692 692 label_message_posted: Viesti lisätty
693 693 label_file_added: Tiedosto lisätty
694 694 label_scm: SCM
695 695 text_select_project_modules: 'Valitse modulit jotka haluat käyttöön tähän projektiin:'
696 696 label_news_added: Uutinen lisätty
697 697 project_module_boards: Keskustelupalsta
698 698 project_module_issue_tracking: Tapahtuman seuranta
699 699 project_module_wiki: Wiki
700 700 project_module_files: Tiedostot
701 701 project_module_documents: Dokumentit
702 702 project_module_repository: Tietovarasto
703 703 project_module_news: Uutiset
704 704 project_module_time_tracking: Ajan seuranta
705 705 text_file_repository_writable: Kirjoitettava tiedostovarasto
706 706 text_default_administrator_account_changed: Vakio hallinoijan tunnus muutettu
707 707 text_rmagick_available: RMagick saatavilla (valinnainen)
708 708 button_configure: Asetukset
709 709 label_plugins: Lisäosat
710 710 label_ldap_authentication: LDAP tunnistautuminen
711 711 label_downloads_abbr: D/L
712 712 label_add_another_file: Lisää uusi tiedosto
713 713 label_this_month: tässä kuussa
714 714 text_destroy_time_entries_question: "{{hours}} tuntia on raportoitu tapahtumasta jonka aiot poistaa. Mitä haluat tehdä ?"
715 715 label_last_n_days: "viimeiset {{count}} päivää"
716 716 label_all_time: koko ajalta
717 717 error_issue_not_found_in_project: 'Tapahtumaa ei löytynyt tai se ei kuulu tähän projektiin'
718 718 label_this_year: tänä vuonna
719 719 text_assign_time_entries_to_project: Määritä tunnit projektille
720 720 label_date_range: Aikaväli
721 721 label_last_week: viime viikolla
722 722 label_yesterday: eilen
723 723 label_optional_description: Lisäkuvaus
724 724 label_last_month: viime kuussa
725 725 text_destroy_time_entries: Poista raportoidut tunnit
726 726 text_reassign_time_entries: 'Siirrä raportoidut tunnit tälle tapahtumalle:'
727 727 label_chronological_order: Aikajärjestyksessä
728 728 label_date_to: ''
729 729 setting_activity_days_default: Päivien esittäminen projektien historiassa
730 730 label_date_from: ''
731 731 label_in: ''
732 732 setting_display_subprojects_issues: Näytä aliprojektien tapahtumat pääprojektissa oletusarvoisesti
733 733 field_comments_sorting: Näytä kommentit
734 734 label_reverse_chronological_order: Käänteisessä aikajärjestyksessä
735 735 label_preferences: Asetukset
736 736 setting_default_projects_public: Uudet projektit ovat oletuksena julkisia
737 737 label_overall_activity: Kokonaishistoria
738 738 error_scm_annotate: "Merkintää ei ole tai siihen ei voi lisätä selityksiä."
739 739 label_planning: Suunnittelu
740 740 text_subprojects_destroy_warning: "Tämän aliprojekti(t): {{value}} tullaan myös poistamaan."
741 741 label_and_its_subprojects: "{{value}} ja aliprojektit"
742 742 mail_body_reminder: "{{count}} sinulle nimettyä tapahtuma(a) erääntyy {{days}} päivä sisään:"
743 743 mail_subject_reminder: "{{count}} tapahtuma(a) erääntyy lähipäivinä"
744 744 text_user_wrote: "{{value}} kirjoitti:"
745 745 label_duplicated_by: kopioinut
746 746 setting_enabled_scm: Versionhallinta käytettävissä
747 747 text_enumeration_category_reassign_to: 'Siirrä täksi arvoksi:'
748 748 text_enumeration_destroy_question: "{{count}} kohdetta on sijoitettu tälle arvolle."
749 749 label_incoming_emails: Saapuvat sähköpostiviestit
750 750 label_generate_key: Luo avain
751 751 setting_mail_handler_api_enabled: Ota käyttöön WS saapuville sähköposteille
752 752 setting_mail_handler_api_key: API avain
753 753 text_email_delivery_not_configured: "Sähköpostin jakelu ei ole määritelty ja sähköpostimuistutukset eivät ole käytössä.\nKonfiguroi sähköpostipalvelinasetukset (SMTP) config/email.yml tiedostosta ja uudelleenkäynnistä sovellus jotta asetukset astuvat voimaan."
754 754 field_parent_title: Aloitussivu
755 755 label_issue_watchers: Tapahtuman seuraajat
756 756 button_quote: Vastaa
757 757 setting_sequential_project_identifiers: Luo peräkkäiset projektien tunnisteet
758 758 setting_commit_logs_encoding: Tee viestien koodaus
759 759 notice_unable_delete_version: Version poisto epäonnistui
760 760 label_renamed: uudelleennimetty
761 761 label_copied: kopioitu
762 762 setting_plain_text_mail: vain muotoilematonta tekstiä (ei HTML)
763 763 permission_view_files: Näytä tiedostot
764 764 permission_edit_issues: Muokkaa tapahtumia
765 765 permission_edit_own_time_entries: Muokka omia aikamerkintöjä
766 766 permission_manage_public_queries: Hallinnoi julkisia hakuja
767 767 permission_add_issues: Lisää tapahtumia
768 768 permission_log_time: Lokita käytettyä aikaa
769 769 permission_view_changesets: Näytä muutosryhmät
770 770 permission_view_time_entries: Näytä käytetty aika
771 771 permission_manage_versions: Hallinnoi versioita
772 772 permission_manage_wiki: Hallinnoi wikiä
773 773 permission_manage_categories: Hallinnoi tapahtumien luokkia
774 774 permission_protect_wiki_pages: Suojaa wiki sivut
775 775 permission_comment_news: Kommentoi uutisia
776 776 permission_delete_messages: Poista viestit
777 777 permission_select_project_modules: Valitse projektin modulit
778 778 permission_manage_documents: Hallinnoi dokumentteja
779 779 permission_edit_wiki_pages: Muokkaa wiki sivuja
780 780 permission_add_issue_watchers: Lisää seuraajia
781 781 permission_view_gantt: Näytä gantt kaavio
782 782 permission_move_issues: Siirrä tapahtuma
783 783 permission_manage_issue_relations: Hallinoi tapahtuman suhteita
784 784 permission_delete_wiki_pages: Poista wiki sivuja
785 785 permission_manage_boards: Hallinnoi keskustelupalstaa
786 786 permission_delete_wiki_pages_attachments: Poista liitteitä
787 787 permission_view_wiki_edits: Näytä wiki historia
788 788 permission_add_messages: Jätä viesti
789 789 permission_view_messages: Näytä viestejä
790 790 permission_manage_files: Hallinnoi tiedostoja
791 791 permission_edit_issue_notes: Muokkaa muistiinpanoja
792 792 permission_manage_news: Hallinnoi uutisia
793 793 permission_view_calendar: Näytä kalenteri
794 794 permission_manage_members: Hallinnoi jäseniä
795 795 permission_edit_messages: Muokkaa viestejä
796 796 permission_delete_issues: Poista tapahtumia
797 797 permission_view_issue_watchers: Näytä seuraaja lista
798 798 permission_manage_repository: Hallinnoi tietovarastoa
799 799 permission_commit_access: Tee pääsyoikeus
800 800 permission_browse_repository: Selaa tietovarastoa
801 801 permission_view_documents: Näytä dokumentit
802 802 permission_edit_project: Muokkaa projektia
803 803 permission_add_issue_notes: Lisää muistiinpanoja
804 804 permission_save_queries: Tallenna hakuja
805 805 permission_view_wiki_pages: Näytä wiki
806 806 permission_rename_wiki_pages: Uudelleennimeä wiki sivuja
807 807 permission_edit_time_entries: Muokkaa aika lokeja
808 808 permission_edit_own_issue_notes: Muokkaa omia muistiinpanoja
809 809 setting_gravatar_enabled: Käytä Gravatar käyttäjä ikoneita
810 810 label_example: Esimerkki
811 811 text_repository_usernames_mapping: "Valitse päivittääksesi Redmine käyttäjä jokaiseen käyttäjään joka löytyy tietovaraston lokista.\nKäyttäjät joilla on sama Redmine ja tietovaraston käyttäjänimi tai sähköpostiosoite, yhdistetään automaattisesti."
812 812 permission_edit_own_messages: Muokkaa omia viestejä
813 813 permission_delete_own_messages: Poista omia viestejä
814 814 label_user_activity: "Käyttäjän {{value}} historia"
815 815 label_updated_time_by: "Updated by {{author}} {{age}} ago"
816 816 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
817 817 setting_diff_max_lines_displayed: Max number of diff lines displayed
818 818 text_plugin_assets_writable: Plugin assets directory writable
819 819 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
820 820 button_create_and_continue: Create and continue
821 821 text_custom_field_possible_values_info: 'One line for each value'
822 822 label_display: Display
823 823 field_editable: Editable
824 824 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
825 825 setting_file_max_size_displayed: Max size of text files displayed inline
826 826 field_watcher: Watcher
827 827 setting_openid: Allow OpenID login and registration
828 828 field_identity_url: OpenID URL
829 829 label_login_with_open_id_option: or login with OpenID
830 830 field_content: Content
831 831 label_descending: Descending
832 832 label_sort: Sort
833 833 label_ascending: Ascending
834 834 label_date_from_to: From {{start}} to {{end}}
835 835 label_greater_or_equal: ">="
836 836 label_less_or_equal: <=
837 837 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
838 838 text_wiki_page_reassign_children: Reassign child pages to this parent page
839 839 text_wiki_page_nullify_children: Keep child pages as root pages
840 840 text_wiki_page_destroy_children: Delete child pages and all their descendants
841 841 setting_password_min_length: Minimum password length
842 842 field_group_by: Group results by
843 843 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
844 844 label_wiki_content_added: Wiki page added
845 845 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
846 846 mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}.
847 847 label_wiki_content_updated: Wiki page updated
848 848 mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}.
849 849 permission_add_project: Create project
850 850 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
851 851 label_view_all_revisions: View all revisions
852 852 label_tag: Tag
853 853 label_branch: Branch
854 854 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
855 855 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
856 856 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
857 857 text_journal_set_to: "{{label}} set to {{value}}"
858 858 text_journal_deleted: "{{label}} deleted ({{old}})"
859 859 label_group_plural: Groups
860 860 label_group: Group
861 861 label_group_new: New group
862 862 label_time_entry_plural: Spent time
863 863 text_journal_added: "{{label}} {{value}} added"
864 864 field_active: Active
865 865 enumeration_system_activity: System Activity
866 866 permission_delete_issue_watchers: Delete watchers
867 867 version_status_closed: closed
868 868 version_status_locked: locked
869 869 version_status_open: open
870 870 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
871 871 label_user_anonymous: Anonymous
872 872 button_move_and_follow: Move and follow
873 873 setting_default_projects_modules: Default enabled modules for new projects
874 874 setting_gravatar_default: Default Gravatar image
875 875 field_sharing: Sharing
876 876 label_version_sharing_hierarchy: With project hierarchy
877 877 label_version_sharing_system: With all projects
878 878 label_version_sharing_descendants: With subprojects
879 879 label_version_sharing_tree: With project tree
880 880 label_version_sharing_none: Not shared
881 881 error_can_not_archive_project: This project can not be archived
882 882 button_duplicate: Duplicate
883 883 button_copy_and_follow: Copy and follow
884 884 label_copy_source: Source
885 885 setting_issue_done_ratio: Calculate the issue done ratio with
886 886 setting_issue_done_ratio_issue_status: Use the issue status
887 887 error_issue_done_ratios_not_updated: Issue done ratios not updated.
888 888 error_workflow_copy_target: Please select target tracker(s) and role(s)
889 889 setting_issue_done_ratio_issue_field: Use the issue field
890 890 label_copy_same_as_target: Same as target
891 891 label_copy_target: Target
892 892 notice_issue_done_ratios_updated: Issue done ratios updated.
893 893 error_workflow_copy_source: Please select a source tracker or role
894 894 label_update_issue_done_ratios: Update issue done ratios
895 895 setting_start_of_week: Start calendars on
896 896 permission_view_issues: View Issues
897 897 label_display_used_statuses_only: Only display statuses that are used by this tracker
898 898 label_revision_id: Revision {{value}}
899 899 label_api_access_key: API access key
900 900 label_api_access_key_created_on: API access key created {{value}} ago
901 901 label_feeds_access_key: RSS access key
902 902 notice_api_access_key_reseted: Your API access key was reset.
903 903 setting_rest_api_enabled: Enable REST web service
904 904 label_missing_api_access_key: Missing an API access key
905 905 label_missing_feeds_access_key: Missing a RSS access key
906 906 button_show: Show
907 907 text_line_separated: Multiple values allowed (one line for each value).
908 908 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
909 909 permission_add_subprojects: Create subprojects
910 910 label_subproject_new: New subproject
911 911 text_own_membership_delete_confirmation: |-
912 912 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
913 913 Are you sure you want to continue?
914 914 label_close_versions: Close completed versions
915 915 label_board_sticky: Sticky
916 916 label_board_locked: Locked
917 917 permission_export_wiki_pages: Export wiki pages
918 918 setting_cache_formatted_text: Cache formatted text
919 919 permission_manage_project_activities: Manage project activities
920 920 error_unable_delete_issue_status: Unable to delete issue status
921 921 label_profile: Profile
922 922 permission_manage_subtasks: Manage subtasks
923 923 field_parent_issue: Parent task
924 924 label_subtask_plural: Subtasks
925 label_project_copy_notifications: Send email notifications during the project copy
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