Merge branch 'master' of git://github.com/edavis10/redmine into master-journalized

Conflicts:
	app/models/wiki_content.rb
	app/views/wiki/history.rhtml
	config/locales/bg.yml
	config/locales/ca.yml
	config/locales/de.yml
	test/integration/api_test/projects_test.rb
This commit is contained in:
Tim Felgentreff 2010-11-03 16:03:39 +01:00
commit 859bfa625d
116 changed files with 1186 additions and 895 deletions

View File

@ -109,6 +109,10 @@ class VersionsController < ApplicationController
if @version.update_attributes(attributes) if @version.update_attributes(attributes)
flash[:notice] = l(:notice_successful_update) flash[:notice] = l(:notice_successful_update)
redirect_to :controller => 'projects', :action => 'settings', :tab => 'versions', :id => @project redirect_to :controller => 'projects', :action => 'settings', :tab => 'versions', :id => @project
else
respond_to do |format|
format.html { render :action => 'edit' }
end
end end
end end
end end

View File

@ -49,7 +49,7 @@ class WikiController < ApplicationController
# display a page (in editing mode if it doesn't exist) # display a page (in editing mode if it doesn't exist)
def show def show
page_title = params[:page] page_title = params[:id]
@page = @wiki.find_or_new_page(page_title) @page = @wiki.find_or_new_page(page_title)
if @page.new_record? if @page.new_record?
if User.current.allowed_to?(:edit_wiki_pages, @project) && editable? if User.current.allowed_to?(:edit_wiki_pages, @project) && editable?
@ -82,7 +82,7 @@ class WikiController < ApplicationController
# edit an existing page or a new one # edit an existing page or a new one
def edit def edit
@page = @wiki.find_or_new_page(params[:page]) @page = @wiki.find_or_new_page(params[:id])
return render_403 unless editable? return render_403 unless editable?
@page.content = WikiContent.new(:page => @page) if @page.new_record? @page.content = WikiContent.new(:page => @page) if @page.new_record?
@ -129,10 +129,10 @@ class WikiController < ApplicationController
flash[:error] = l(:notice_locking_conflict) flash[:error] = l(:notice_locking_conflict)
end end
verify :method => :post, :only => :update, :render => {:nothing => true, :status => :method_not_allowed } verify :method => :put, :only => :update, :render => {:nothing => true, :status => :method_not_allowed }
# Creates a new page or updates an existing one # Creates a new page or updates an existing one
def update def update
@page = @wiki.find_or_new_page(params[:page]) @page = @wiki.find_or_new_page(params[:id])
return render_403 unless editable? return render_403 unless editable?
@page.content = WikiContent.new(:page => @page) if @page.new_record? @page.content = WikiContent.new(:page => @page) if @page.new_record?
@ -145,7 +145,7 @@ class WikiController < ApplicationController
attachments = Attachment.attach_files(@page, params[:attachments]) attachments = Attachment.attach_files(@page, params[:attachments])
render_attachment_warning_if_needed(@page) render_attachment_warning_if_needed(@page)
# don't save if text wasn't changed # don't save if text wasn't changed
redirect_to :action => 'show', :project_id => @project, :page => @page.title redirect_to :action => 'show', :project_id => @project, :id => @page.title
return return
end end
@content.attributes = params[:content] @content.attributes = params[:content]
@ -155,7 +155,7 @@ class WikiController < ApplicationController
attachments = Attachment.attach_files(@page, params[:attachments]) attachments = Attachment.attach_files(@page, params[:attachments])
render_attachment_warning_if_needed(@page) render_attachment_warning_if_needed(@page)
call_hook(:controller_wiki_edit_after_save, { :params => params, :page => @page}) call_hook(:controller_wiki_edit_after_save, { :params => params, :page => @page})
redirect_to :action => 'show', :project_id => @project, :page => @page.title redirect_to :action => 'show', :project_id => @project, :id => @page.title
end end
rescue ActiveRecord::StaleObjectError rescue ActiveRecord::StaleObjectError
@ -171,13 +171,13 @@ class WikiController < ApplicationController
@original_title = @page.pretty_title @original_title = @page.pretty_title
if request.post? && @page.update_attributes(params[:wiki_page]) if request.post? && @page.update_attributes(params[:wiki_page])
flash[:notice] = l(:notice_successful_update) flash[:notice] = l(:notice_successful_update)
redirect_to :action => 'show', :project_id => @project, :page => @page.title redirect_to :action => 'show', :project_id => @project, :id => @page.title
end end
end end
def protect def protect
@page.update_attribute :protected, params[:protected] @page.update_attribute :protected, params[:protected]
redirect_to :action => 'show', :project_id => @project, :page => @page.title redirect_to :action => 'show', :project_id => @project, :id => @page.title
end end
# show page history # show page history
@ -241,7 +241,7 @@ class WikiController < ApplicationController
export = render_to_string :action => 'export_multiple', :layout => false export = render_to_string :action => 'export_multiple', :layout => false
send_data(export, :type => 'text/html', :filename => "wiki.html") send_data(export, :type => 'text/html', :filename => "wiki.html")
else else
redirect_to :action => 'show', :project_id => @project, :page => nil redirect_to :action => 'show', :project_id => @project, :id => nil
end end
end end
@ -250,7 +250,7 @@ class WikiController < ApplicationController
end end
def preview def preview
page = @wiki.find_page(params[:page]) page = @wiki.find_page(params[:id])
# page is nil when previewing a new page # page is nil when previewing a new page
return render_403 unless page.nil? || editable?(page) return render_403 unless page.nil? || editable?(page)
if page if page
@ -265,7 +265,7 @@ class WikiController < ApplicationController
return render_403 unless editable? return render_403 unless editable?
attachments = Attachment.attach_files(@page, params[:attachments]) attachments = Attachment.attach_files(@page, params[:attachments])
render_attachment_warning_if_needed(@page) render_attachment_warning_if_needed(@page)
redirect_to :action => 'show', :page => @page.title redirect_to :action => 'show', :id => @page.title, :project_id => @project
end end
private private
@ -280,7 +280,7 @@ private
# Finds the requested page and returns a 404 error if it doesn't exist # Finds the requested page and returns a 404 error if it doesn't exist
def find_existing_page def find_existing_page
@page = @wiki.find_page(params[:page]) @page = @wiki.find_page(params[:id])
render_404 if @page.nil? render_404 if @page.nil?
end end

View File

@ -194,7 +194,7 @@ module ApplicationHelper
content << "<ul class=\"pages-hierarchy\">\n" content << "<ul class=\"pages-hierarchy\">\n"
pages[node].each do |page| pages[node].each do |page|
content << "<li>" content << "<li>"
content << link_to(h(page.pretty_title), {:controller => 'wiki', :action => 'show', :project_id => page.project, :page => page.title}, content << link_to(h(page.pretty_title), {:controller => 'wiki', :action => 'show', :project_id => page.project, :id => page.title},
:title => (page.respond_to?(:updated_on) ? l(:label_updated_time, distance_of_time_in_words(Time.now, page.updated_on)) : nil)) :title => (page.respond_to?(:updated_on) ? l(:label_updated_time, distance_of_time_in_words(Time.now, page.updated_on)) : nil))
content << "\n" + render_page_hierarchy(pages, page.id) if pages[page.id] content << "\n" + render_page_hierarchy(pages, page.id) if pages[page.id]
content << "</li>\n" content << "</li>\n"
@ -558,7 +558,8 @@ module ApplicationHelper
when :local; "#{title}.html" when :local; "#{title}.html"
when :anchor; "##{title}" # used for single-file wiki export when :anchor; "##{title}" # used for single-file wiki export
else else
url_for(:only_path => only_path, :controller => 'wiki', :action => 'show', :project_id => link_project, :page => Wiki.titleize(page), :anchor => anchor) wiki_page_id = page.present? ? Wiki.titleize(page) : nil
url_for(:only_path => only_path, :controller => 'wiki', :action => 'show', :project_id => link_project, :id => wiki_page_id, :anchor => anchor)
end end
link_to((title || page), url, :class => ('wiki-page' + (wiki_page ? '' : ' new'))) link_to((title || page), url, :class => ('wiki-page' + (wiki_page ? '' : ' new')))
else else

View File

@ -39,7 +39,7 @@ module SearchHelper
end end
def type_label(t) def type_label(t)
l("label_#{t.singularize}_plural") l("label_#{t.singularize}_plural", :default => t.to_s.humanize)
end end
def project_select_tag def project_select_tag

View File

@ -318,7 +318,7 @@ class MailHandler < ActionMailer::Base
def cleanup_body(body) def cleanup_body(body)
delimiters = Setting.mail_handler_body_delimiters.to_s.split(/[\r\n]+/).reject(&:blank?).map {|s| Regexp.escape(s)} delimiters = Setting.mail_handler_body_delimiters.to_s.split(/[\r\n]+/).reject(&:blank?).map {|s| Regexp.escape(s)}
unless delimiters.empty? unless delimiters.empty?
regex = Regexp.new("^(#{ delimiters.join('|') })\s*[\r\n].*", Regexp::MULTILINE) regex = Regexp.new("^[> ]*(#{ delimiters.join('|') })\s*[\r\n].*", Regexp::MULTILINE)
body = body.gsub(regex, '') body = body.gsub(regex, '')
end end
body.strip body.strip

View File

@ -179,9 +179,9 @@ class Mailer < ActionMailer::Base
message_id wiki_content message_id wiki_content
recipients wiki_content.recipients recipients wiki_content.recipients
cc(wiki_content.page.wiki.watcher_recipients - recipients) cc(wiki_content.page.wiki.watcher_recipients - recipients)
subject "[#{wiki_content.project.name}] #{l(:mail_subject_wiki_content_added, :page => wiki_content.page.pretty_title)}" subject "[#{wiki_content.project.name}] #{l(:mail_subject_wiki_content_added, :id => wiki_content.page.pretty_title)}"
body :wiki_content => wiki_content, body :wiki_content => wiki_content,
:wiki_content_url => url_for(:controller => 'wiki', :action => 'index', :id => wiki_content.project, :page => wiki_content.page.title) :wiki_content_url => url_for(:controller => 'wiki', :action => 'index', :id => wiki_content.project, :id => wiki_content.page.title)
render_multipart('wiki_content_added', body) render_multipart('wiki_content_added', body)
end end
@ -196,10 +196,10 @@ class Mailer < ActionMailer::Base
message_id wiki_content message_id wiki_content
recipients wiki_content.recipients recipients wiki_content.recipients
cc(wiki_content.page.wiki.watcher_recipients + wiki_content.page.watcher_recipients - recipients) cc(wiki_content.page.wiki.watcher_recipients + wiki_content.page.watcher_recipients - recipients)
subject "[#{wiki_content.project.name}] #{l(:mail_subject_wiki_content_updated, :page => wiki_content.page.pretty_title)}" subject "[#{wiki_content.project.name}] #{l(:mail_subject_wiki_content_updated, :id => wiki_content.page.pretty_title)}"
body :wiki_content => wiki_content, body :wiki_content => wiki_content,
:wiki_content_url => url_for(:controller => 'wiki', :action => 'index', :id => wiki_content.project, :page => wiki_content.page.title), :wiki_content_url => url_for(:controller => 'wiki', :action => 'index', :id => wiki_content.project, :id => wiki_content.page.title),
:wiki_diff_url => url_for(:controller => 'wiki', :action => 'diff', :id => wiki_content.project, :page => wiki_content.page.title, :version => wiki_content.version) :wiki_diff_url => url_for(:controller => 'wiki', :action => 'diff', :id => wiki_content.project, :id => wiki_content.page.title, :version => wiki_content.version)
render_multipart('wiki_content_updated', body) render_multipart('wiki_content_updated', body)
end end

View File

@ -28,7 +28,7 @@ class WikiPage < ActiveRecord::Base
acts_as_event :title => Proc.new {|o| "#{l(:label_wiki)}: #{o.title}"}, acts_as_event :title => Proc.new {|o| "#{l(:label_wiki)}: #{o.title}"},
:description => :text, :description => :text,
:datetime => :created_on, :datetime => :created_on,
:url => Proc.new {|o| {:controller => 'wiki', :action => 'show', :project_id => o.wiki.project, :page => o.title}} :url => Proc.new {|o| {:controller => 'wiki', :action => 'show', :project_id => o.wiki.project, :id => o.title}}
acts_as_searchable :columns => ['title', 'text'], acts_as_searchable :columns => ['title', 'text'],
:include => [{:wiki => :project}, :content], :include => [{:wiki => :project}, :content],

View File

@ -9,7 +9,7 @@
:class => 'icon-edit', :disabled => !@can[:edit] %></li> :class => 'icon-edit', :disabled => !@can[:edit] %></li>
<% end %> <% end %>
<% unless @allowed_statuses.empty? %> <% if @allowed_statuses.present? %>
<li class="folder"> <li class="folder">
<a href="#" class="submenu" onclick="return false;"><%= l(:field_status) %></a> <a href="#" class="submenu" onclick="return false;"><%= l(:field_status) %></a>
<ul> <ul>
@ -57,7 +57,7 @@
</ul> </ul>
</li> </li>
<% end %> <% end %>
<% unless @assignables.nil? || @assignables.empty? -%> <% if @assignables.present? -%>
<li class="folder"> <li class="folder">
<a href="#" class="submenu"><%= l(:field_assigned_to) %></a> <a href="#" class="submenu"><%= l(:field_assigned_to) %></a>
<ul> <ul>

View File

@ -29,7 +29,7 @@
<% remote_form_for(:group, @group, :url => {:controller => 'groups', :action => 'add_users', :id => @group}, :method => :post) do |f| %> <% remote_form_for(:group, @group, :url => {:controller => 'groups', :action => 'add_users', :id => @group}, :method => :post) do |f| %>
<fieldset><legend><%=l(:label_user_new)%></legend> <fieldset><legend><%=l(:label_user_new)%></legend>
<p><%= text_field_tag 'user_search', nil %></p> <p><%= label_tag "user_search", l(:label_user_search) %><%= text_field_tag 'user_search', nil %></p>
<%= observe_field(:user_search, <%= observe_field(:user_search,
:frequency => 0.5, :frequency => 0.5,
:update => :users, :update => :users,

View File

@ -8,8 +8,8 @@
<p><%= f.text_field :subject, :size => 80, :required => true %></p> <p><%= f.text_field :subject, :size => 80, :required => true %></p>
<% unless (@issue.new_record? && @issue.parent_issue_id.nil?) || !User.current.allowed_to?(:manage_subtasks, @project) %> <% if User.current.allowed_to?(:manage_subtasks, @project) %>
<p><%= f.text_field :parent_issue_id, :size => 10 %></p> <p id="parent_issue"><%= f.text_field :parent_issue_id, :size => 10 %></p>
<div id="parent_issue_candidates" class="autocomplete"></div> <div id="parent_issue_candidates" class="autocomplete"></div>
<%= javascript_tag "observeParentIssueField('#{auto_complete_issues_path(:id => @issue, :project_id => @project) }')" %> <%= javascript_tag "observeParentIssueField('#{auto_complete_issues_path(:id => @issue, :project_id => @project) }')" %>
<% end %> <% end %>

View File

@ -1,7 +1,7 @@
<h2><%=l(:label_issue_new)%></h2> <h2><%=l(:label_issue_new)%></h2>
<% labelled_tabular_form_for :issue, @issue, :url => {:controller => 'issues', :action => 'create', :project_id => @project}, <% labelled_tabular_form_for :issue, @issue, :url => {:controller => 'issues', :action => 'create', :project_id => @project},
:html => {:multipart => true, :id => 'issue-form'} do |f| %> :html => {:multipart => true, :id => 'issue-form', :class => 'tabular new-issue-form'} do |f| %>
<%= error_messages_for 'issue' %> <%= error_messages_for 'issue' %>
<div class="box"> <div class="box">
<%= render :partial => 'issues/form', :locals => {:f => f} %> <%= render :partial => 'issues/form', :locals => {:f => f} %>

View File

@ -25,6 +25,7 @@ hr {
</style> </style>
</head> </head>
<body> <body>
<span class="header"><%= Redmine::WikiFormatting.to_html(Setting.text_formatting, Setting.emails_header) %></span>
<%= yield %> <%= yield %>
<hr /> <hr />
<span class="footer"><%= Redmine::WikiFormatting.to_html(Setting.text_formatting, Setting.emails_footer) %></span> <span class="footer"><%= Redmine::WikiFormatting.to_html(Setting.text_formatting, Setting.emails_footer) %></span>

View File

@ -1,3 +1,4 @@
<%= Setting.emails_header %>
<%= yield %> <%= yield %>
-- --
<%= Setting.emails_footer %> <%= Setting.emails_footer %>

View File

@ -1,3 +1,3 @@
<p><%= l(:mail_body_wiki_content_added, :page => link_to(h(@wiki_content.page.pretty_title), @wiki_content_url), <p><%= l(:mail_body_wiki_content_added, :id => link_to(h(@wiki_content.page.pretty_title), @wiki_content_url),
:author => h(@wiki_content.author)) %><br /> :author => h(@wiki_content.author)) %><br />
<em><%=h @wiki_content.comments %></em></p> <em><%=h @wiki_content.comments %></em></p>

View File

@ -1,4 +1,4 @@
<%= l(:mail_body_wiki_content_added, :page => h(@wiki_content.page.pretty_title), <%= l(:mail_body_wiki_content_added, :id => h(@wiki_content.page.pretty_title),
:author => h(@wiki_content.author)) %> :author => h(@wiki_content.author)) %>
<%= @wiki_content.comments %> <%= @wiki_content.comments %>

View File

@ -1,4 +1,4 @@
<p><%= l(:mail_body_wiki_content_updated, :page => link_to(h(@wiki_content.page.pretty_title), @wiki_content_url), <p><%= l(:mail_body_wiki_content_updated, :id => link_to(h(@wiki_content.page.pretty_title), @wiki_content_url),
:author => h(@wiki_content.author)) %><br /> :author => h(@wiki_content.author)) %><br />
<em><%=h @wiki_content.comments %></em></p> <em><%=h @wiki_content.comments %></em></p>

View File

@ -1,4 +1,4 @@
<%= l(:mail_body_wiki_content_updated, :page => h(@wiki_content.page.pretty_title), <%= l(:mail_body_wiki_content_updated, :id => h(@wiki_content.page.pretty_title),
:author => h(@wiki_content.author)) %> :author => h(@wiki_content.author)) %>
<%= @wiki_content.comments %> <%= @wiki_content.comments %>

View File

@ -58,7 +58,7 @@
<% remote_form_for(:member, @member, :url => {:controller => 'members', :action => 'new', :id => @project}, :method => :post) do |f| %> <% remote_form_for(:member, @member, :url => {:controller => 'members', :action => 'new', :id => @project}, :method => :post) do |f| %>
<fieldset><legend><%=l(:label_member_new)%></legend> <fieldset><legend><%=l(:label_member_new)%></legend>
<p><%= text_field_tag 'principal_search', nil %></p> <p><%= label_tag "principal_search", l(:label_principal_search) %><%= text_field_tag 'principal_search', nil %></p>
<%= observe_field(:principal_search, <%= observe_field(:principal_search,
:frequency => 0.5, :frequency => 0.5,
:update => :principals, :update => :principals,

View File

@ -6,7 +6,7 @@
<th><%= l(:field_description) %></th> <th><%= l(:field_description) %></th>
<th><%= l(:field_status) %></th> <th><%= l(:field_status) %></th>
<th><%= l(:field_sharing) %></th> <th><%= l(:field_sharing) %></th>
<th><%= l(:label_wiki_page) unless @project.wiki.nil? %></th> <th><%= l(:label_wiki_page) %></th>
<th style="width:15%"></th> <th style="width:15%"></th>
</tr></thead> </tr></thead>
<tbody> <tbody>
@ -17,7 +17,7 @@
<td class="description"><%=h version.description %></td> <td class="description"><%=h version.description %></td>
<td class="status"><%= l("version_status_#{version.status}") %></td> <td class="status"><%= l("version_status_#{version.status}") %></td>
<td class="sharing"><%=h format_version_sharing(version.sharing) %></td> <td class="sharing"><%=h format_version_sharing(version.sharing) %></td>
<td><%= link_to(h(version.wiki_page_title), :controller => 'wiki', :page => Wiki.titleize(version.wiki_page_title)) unless version.wiki_page_title.blank? || @project.wiki.nil? %></td> <td><%= link_to_if_authorized(h(version.wiki_page_title), {:controller => 'wiki', :action => 'show', :project_id => version.project, :id => Wiki.titleize(version.wiki_page_title)}) || h(version.wiki_page_title) unless version.wiki_page_title.blank? || version.project.wiki.nil? %></td>
<td class="buttons"> <td class="buttons">
<% if version.project == @project %> <% if version.project == @project %>
<%= link_to_if_authorized l(:button_edit), {:controller => 'versions', :action => 'edit', :id => version }, :class => 'icon icon-edit' %> <%= link_to_if_authorized l(:button_edit), {:controller => 'versions', :action => 'edit', :id => version }, :class => 'icon icon-edit' %>

View File

@ -3,7 +3,7 @@
<div class="box tabular settings"> <div class="box tabular settings">
<p><%= setting_check_box :login_required %></p> <p><%= setting_check_box :login_required %></p>
<p><%= setting_select :autologin, [1, 7, 30, 365].collect{|days| [l('datetime.distance_in_words.x_days', :count => days), days.to_s]}, :blank => :label_disabled %></p> <p><%= setting_select :autologin, [[l(:label_disabled), 0]] + [1, 7, 30, 365].collect{|days| [l('datetime.distance_in_words.x_days', :count => days), days.to_s]} %></p>
<p><%= setting_select :self_registration, [[l(:label_disabled), "0"], <p><%= setting_select :self_registration, [[l(:label_disabled), "0"],
[l(:label_registration_activation_by_email), "1"], [l(:label_registration_activation_by_email), "1"],

View File

@ -21,6 +21,10 @@
<p><%= check_all_links('notified_events') %></p> <p><%= check_all_links('notified_events') %></p>
</fieldset> </fieldset>
<fieldset class="box"><legend><%= l(:setting_emails_header) %></legend>
<%= setting_text_area :emails_header, :label => false, :class => 'wiki-edit', :rows => 5 %>
</fieldset>
<fieldset class="box"><legend><%= l(:setting_emails_footer) %></legend> <fieldset class="box"><legend><%= l(:setting_emails_footer) %></legend>
<%= setting_text_area :emails_footer, :label => false, :class => 'wiki-edit', :rows => 5 %> <%= setting_text_area :emails_footer, :label => false, :class => 'wiki-edit', :rows => 5 %>
</fieldset> </fieldset>

View File

@ -1,6 +1,6 @@
<div class="contextual"> <div class="contextual">
<%= link_to_if_authorized l(:button_edit), {:controller => 'versions', :action => 'edit', :id => @version}, :class => 'icon icon-edit' %> <%= link_to_if_authorized l(:button_edit), {:controller => 'versions', :action => 'edit', :id => @version}, :class => 'icon icon-edit' %>
<%= link_to_if_authorized(l(:button_edit_associated_wikipage, :page_title => @version.wiki_page_title), {:controller => 'wiki', :action => 'edit', :page => Wiki.titleize(@version.wiki_page_title)}, :class => 'icon icon-edit') unless @version.wiki_page_title.blank? || @project.wiki.nil? %> <%= link_to_if_authorized(l(:button_edit_associated_wikipage, :page_title => @version.wiki_page_title), {:controller => 'wiki', :action => 'edit', :project_id => @version.project, :id => Wiki.titleize(@version.wiki_page_title)}, :class => 'icon icon-edit') unless @version.wiki_page_title.blank? || @version.project.wiki.nil? %>
<%= call_hook(:view_versions_show_contextual, { :version => @version, :project => @project }) %> <%= call_hook(:view_versions_show_contextual, { :version => @version, :project => @project }) %>
</div> </div>

View File

@ -4,6 +4,6 @@
<h3><%= l(:label_wiki) %></h3> <h3><%= l(:label_wiki) %></h3>
<%= link_to l(:field_start_page), {:action => 'show', :page => nil} %><br /> <%= link_to l(:field_start_page), {:action => 'show', :id => nil} %><br />
<%= link_to l(:label_index_by_title), {:action => 'index'} %><br /> <%= link_to l(:label_index_by_title), {:action => 'index'} %><br />
<%= link_to l(:label_index_by_date), {:action => 'date_index'} %><br /> <%= link_to l(:label_index_by_date), {:action => 'date_index'} %><br />

View File

@ -1,12 +1,12 @@
<div class="contextual"> <div class="contextual">
<%= link_to(l(:button_edit), {:action => 'edit', :page => @page.title}, :class => 'icon icon-edit') %> <%= link_to(l(:button_edit), {:action => 'edit', :id => @page.title}, :class => 'icon icon-edit') %>
<%= link_to(l(:label_history), {:action => 'history', :page => @page.title}, :class => 'icon icon-history') %> <%= link_to(l(:label_history), {:action => 'history', :id => @page.title}, :class => 'icon icon-history') %>
</div> </div>
<h2><%= @page.pretty_title %></h2> <h2><%= @page.pretty_title %></h2>
<p> <p>
<%= l(:label_version) %> <%= link_to @annotate.content.version, :action => 'show', :page => @page.title, :version => @annotate.content.version %> <%= l(:label_version) %> <%= link_to @annotate.content.version, :action => 'show', :id => @page.title, :version => @annotate.content.version %>
<em>(<%= @annotate.content.author ? @annotate.content.author.name : "anonyme" %>, <%= format_time(@annotate.content.updated_on) %>)</em> <em>(<%= @annotate.content.author ? @annotate.content.author.name : "anonyme" %>, <%= format_time(@annotate.content.updated_on) %>)</em>
</p> </p>
@ -18,7 +18,7 @@
<% @annotate.lines.each do |line| -%> <% @annotate.lines.each do |line| -%>
<tr class="bloc-<%= colors[line[0]] %>"> <tr class="bloc-<%= colors[line[0]] %>">
<th class="line-num"><%= line_num %></th> <th class="line-num"><%= line_num %></th>
<td class="revision"><%= link_to line[0], :controller => 'wiki', :action => 'show', :project_id => @project, :page => @page.title, :version => line[0] %></td> <td class="revision"><%= link_to line[0], :controller => 'wiki', :action => 'show', :project_id => @project, :id => @page.title, :version => line[0] %></td>
<td class="author"><%= h(line[1]) %></td> <td class="author"><%= h(line[1]) %></td>
<td class="line-code"><pre><%=h line[2] %></pre></td> <td class="line-code"><pre><%=h line[2] %></pre></td>
</tr> </tr>

View File

@ -12,7 +12,7 @@
<h3><%= format_date(date) %></h3> <h3><%= format_date(date) %></h3>
<ul> <ul>
<% @pages_by_date[date].each do |page| %> <% @pages_by_date[date].each do |page| %>
<li><%= link_to page.pretty_title, :action => 'show', :page => page.title %></li> <li><%= link_to page.pretty_title, :action => 'show', :id => page.title, :project_id => page.project %></li>
<% end %> <% end %>
</ul> </ul>
<% end %> <% end %>

View File

@ -15,5 +15,5 @@
</div> </div>
<%= submit_tag l(:button_apply) %> <%= submit_tag l(:button_apply) %>
<%= link_to l(:button_cancel), :controller => 'wiki', :action => 'show', :project_id => @project, :page => @page.title %> <%= link_to l(:button_cancel), :controller => 'wiki', :action => 'show', :project_id => @project, :id => @page.title %>
<% end %> <% end %>

View File

@ -1,14 +1,14 @@
<div class="contextual"> <div class="contextual">
<%= link_to(l(:label_history), {:action => 'history', :page => @page.title}, :class => 'icon icon-history') %> <%= link_to(l(:label_history), {:action => 'history', :id => @page.title}, :class => 'icon icon-history') %>
</div> </div>
<h2><%= @page.pretty_title %></h2> <h2><%= @page.pretty_title %></h2>
<p> <p>
<%= l(:label_version) %> <%= link_to @diff.content_from.version, :action => 'show', :page => @page.title, :version => @diff.content_from.version %> <%= l(:label_version) %> <%= link_to @diff.content_from.version, :action => 'show', :id => @page.title, :version => @diff.content_from.version %>
<em>(<%= @diff.content_from.author ? @diff.content_from.author.name : "anonyme" %>, <%= format_time(@diff.content_from.updated_on) %>)</em> <em>(<%= @diff.content_from.author ? @diff.content_from.author.name : "anonyme" %>, <%= format_time(@diff.content_from.updated_on) %>)</em>
&#8594; &#8594;
<%= l(:label_version) %> <%= link_to @diff.content_to.version, :action => 'show', :page => @page.title, :version => @diff.content_to.version %>/<%= @page.content.version %> <%= l(:label_version) %> <%= link_to @diff.content_to.version, :action => 'show', :id => @page.title, :version => @diff.content_to.version %>/<%= @page.content.version %>
<em>(<%= @diff.content_to.author ? @diff.content_to.author.name : "anonyme" %>, <%= format_time(@diff.content_to.updated_on) %>)</em> <em>(<%= @diff.content_to.author ? @diff.content_to.author.name : "anonyme" %>, <%= format_time(@diff.content_to.updated_on) %>)</em>
</p> </p>

View File

@ -1,6 +1,6 @@
<h2><%=h @page.pretty_title %></h2> <h2><%=h @page.pretty_title %></h2>
<% form_for :content, @content, :url => {:action => 'update', :page => @page.title}, :html => {:multipart => true, :id => 'wiki_form'} do |f| %> <% form_for :content, @content, :url => {:action => 'update', :id => @page.title}, :html => {:method => :put, :multipart => true, :id => 'wiki_form'} do |f| %>
<%= f.hidden_field :version %> <%= f.hidden_field :version %>
<%= error_messages_for 'content' %> <%= error_messages_for 'content' %>
@ -10,8 +10,8 @@
<p><%= submit_tag l(:button_save) %> <p><%= submit_tag l(:button_save) %>
<%= link_to_remote l(:label_preview), <%= link_to_remote l(:label_preview),
{ :url => { :controller => 'wiki', :action => 'preview', :project_id => @project, :page => @page.title }, { :url => { :controller => 'wiki', :action => 'preview', :project_id => @project, :id => @page.title },
:method => 'post', :method => :post,
:update => 'preview', :update => 'preview',
:with => "Form.serialize('wiki_form')", :with => "Form.serialize('wiki_form')",
:complete => "Element.scrollTo('preview')" :complete => "Element.scrollTo('preview')"

View File

@ -19,13 +19,13 @@
<% line_num = 1 %> <% line_num = 1 %>
<% @versions.each do |ver| %> <% @versions.each do |ver| %>
<tr class="<%= cycle("odd", "even") %>"> <tr class="<%= cycle("odd", "even") %>">
<td class="id"><%= link_to ver.version, :action => 'show', :page => @page.title, :version => ver.version %></td> <td class="id"><%= link_to ver.version, :action => 'show', :id => @page.title, :project_id => @page.project, :version => ver.version %></td>
<td class="checkbox"><%= radio_button_tag('version', ver.version, (line_num==1), :id => "cb-#{line_num}", :onclick => "$('cbto-#{line_num+1}').checked=true;") if show_diff && (line_num < @versions.size) %></td> <td class="checkbox"><%= radio_button_tag('version', ver.version, (line_num==1), :id => "cb-#{line_num}", :onclick => "$('cbto-#{line_num+1}').checked=true;") if show_diff && (line_num < @versions.size) %></td>
<td class="checkbox"><%= radio_button_tag('version_from', ver.version, (line_num==2), :id => "cbto-#{line_num}") if show_diff && (line_num > 1) %></td> <td class="checkbox"><%= radio_button_tag('version_from', ver.version, (line_num==2), :id => "cbto-#{line_num}") if show_diff && (line_num > 1) %></td>
<td align="center"><%= format_time(ver.created_at) %></td> <td align="center"><%= format_time(ver.created_at) %></td>
<td><%= link_to_user ver.user %></td> <td><%= link_to_user ver.user %></td>
<td><%=h ver.notes %></td> <td><%=h ver.notes %></td>
<td align="center"><%= link_to l(:button_annotate), :action => 'annotate', :page => @page.title, :version => ver.version %></td> <td align="center"><%= link_to l(:button_annotate), :action => 'annotate', :id => @page.title, :version => ver.version %></td>
</tr> </tr>
<% line_num += 1 %> <% line_num += 1 %>
<% end %> <% end %>

View File

@ -1,25 +1,25 @@
<div class="contextual"> <div class="contextual">
<% if @editable %> <% if @editable %>
<%= link_to_if_authorized(l(:button_edit), {:action => 'edit', :page => @page.title}, :class => 'icon icon-edit', :accesskey => accesskey(:edit)) if @content.version == @page.content.version %> <%= link_to_if_authorized(l(:button_edit), {:action => 'edit', :id => @page.title}, :class => 'icon icon-edit', :accesskey => accesskey(:edit)) if @content.version == @page.content.version %>
<%= watcher_tag(@page, User.current) %> <%= watcher_tag(@page, User.current) %>
<%= link_to_if_authorized(l(:button_lock), {:action => 'protect', :page => @page.title, :protected => 1}, :method => :post, :class => 'icon icon-lock') if !@page.protected? %> <%= link_to_if_authorized(l(:button_lock), {:action => 'protect', :id => @page.title, :protected => 1}, :method => :post, :class => 'icon icon-lock') if !@page.protected? %>
<%= link_to_if_authorized(l(:button_unlock), {:action => 'protect', :page => @page.title, :protected => 0}, :method => :post, :class => 'icon icon-unlock') if @page.protected? %> <%= link_to_if_authorized(l(:button_unlock), {:action => 'protect', :id => @page.title, :protected => 0}, :method => :post, :class => 'icon icon-unlock') if @page.protected? %>
<%= link_to_if_authorized(l(:button_rename), {:action => 'rename', :page => @page.title}, :class => 'icon icon-move') if @content.version == @page.content.version %> <%= link_to_if_authorized(l(:button_rename), {:action => 'rename', :id => @page.title}, :class => 'icon icon-move') if @content.version == @page.content.version %>
<%= link_to_if_authorized(l(:button_delete), {:action => 'destroy', :page => @page.title}, :method => :delete, :confirm => l(:text_are_you_sure), :class => 'icon icon-del') %> <%= link_to_if_authorized(l(:button_delete), {:action => 'destroy', :id => @page.title}, :method => :delete, :confirm => l(:text_are_you_sure), :class => 'icon icon-del') %>
<%= link_to_if_authorized(l(:button_rollback), {:action => 'edit', :page => @page.title, :version => @content.version }, :class => 'icon icon-cancel') if @content.version < @page.content.version %> <%= link_to_if_authorized(l(:button_rollback), {:action => 'edit', :id => @page.title, :version => @content.version }, :class => 'icon icon-cancel') if @content.version < @page.content.version %>
<% end %> <% end %>
<%= link_to_if_authorized(l(:label_history), {:action => 'history', :page => @page.title}, :class => 'icon icon-history') %> <%= link_to_if_authorized(l(:label_history), {:action => 'history', :id => @page.title}, :class => 'icon icon-history') %>
</div> </div>
<%= breadcrumb(@page.ancestors.reverse.collect {|parent| link_to h(parent.pretty_title), {:page => parent.title}}) %> <%= breadcrumb(@page.ancestors.reverse.collect {|parent| link_to h(parent.pretty_title), {:id => parent.title, :project_id => parent.project}}) %>
<% if @content.version != @page.content.version %> <% if @content.version != @page.content.version %>
<p> <p>
<%= link_to(('&#171; ' + l(:label_previous)), :action => 'show', :page => @page.title, :version => (@content.version - 1)) + " - " if @content.version > 1 %> <%= link_to(('&#171; ' + l(:label_previous)), :action => 'show', :id => @page.title, :project_id => @page.project, :version => (@content.version - 1)) + " - " if @content.version > 1 %>
<%= "#{l(:label_version)} #{@content.version}/#{@page.content.version}" %> <%= "#{l(:label_version)} #{@content.version}/#{@page.content.version}" %>
<%= '(' + link_to('diff', :controller => 'wiki', :action => 'diff', :page => @page.title, :version => @content.version) + ')' if @content.version > 1 %> - <%= '(' + link_to('diff', :controller => 'wiki', :action => 'diff', :id => @page.title, :project_id => @page.project, :version => @content.version) + ')' if @content.version > 1 %> -
<%= link_to((l(:label_next) + ' &#187;'), :action => 'show', :page => @page.title, :version => (@content.version + 1)) + " - " if @content.version < @page.content.version %> <%= link_to((l(:label_next) + ' &#187;'), :action => 'show', :id => @page.title, :project_id => @page.project, :version => (@content.version + 1)) + " - " if @content.version < @page.content.version %>
<%= link_to(l(:label_current_version), :action => 'show', :page => @page.title) %> <%= link_to(l(:label_current_version), :action => 'show', :id => @page.title, :project_id => @page.project) %>
<br /> <br />
<em><%= @content.author ? @content.author.name : "anonyme" %>, <%= format_time(@content.updated_on) %> </em><br /> <em><%= @content.author ? @content.author.name : "anonyme" %>, <%= format_time(@content.updated_on) %> </em><br />
<%=h @content.comments %> <%=h @content.comments %>
@ -35,7 +35,7 @@
<div id="wiki_add_attachment"> <div id="wiki_add_attachment">
<p><%= link_to l(:label_attachment_new), {}, :onclick => "Element.show('add_attachment_form'); Element.hide(this); Element.scrollTo('add_attachment_form'); return false;", <p><%= link_to l(:label_attachment_new), {}, :onclick => "Element.show('add_attachment_form'); Element.hide(this); Element.scrollTo('add_attachment_form'); return false;",
:id => 'attach_files_link' %></p> :id => 'attach_files_link' %></p>
<% form_tag({ :controller => 'wiki', :action => 'add_attachment', :project_id => @project, :page => @page.title }, :multipart => true, :id => "add_attachment_form", :style => "display:none;") do %> <% form_tag({ :controller => 'wiki', :action => 'add_attachment', :project_id => @project, :id => @page.title }, :multipart => true, :id => "add_attachment_form", :style => "display:none;") do %>
<div class="box"> <div class="box">
<p><%= render :partial => 'attachments/form' %></p> <p><%= render :partial => 'attachments/form' %></p>
</div> </div>
@ -46,8 +46,8 @@
<% end %> <% end %>
<% other_formats_links do |f| %> <% other_formats_links do |f| %>
<%= f.link_to 'HTML', :url => {:page => @page.title, :version => @content.version} %> <%= f.link_to 'HTML', :url => {:id => @page.title, :version => @content.version} %>
<%= f.link_to 'TXT', :url => {:page => @page.title, :version => @content.version} %> <%= f.link_to 'TXT', :url => {:id => @page.title, :version => @content.version} %>
<% end if User.current.allowed_to?(:export_wiki_pages, @project) %> <% end if User.current.allowed_to?(:export_wiki_pages, @project) %>
<% content_for :header_tags do %> <% content_for :header_tags do %>

View File

@ -9,12 +9,12 @@ bg:
short: "%b %d" short: "%b %d"
long: "%B %d, %Y" long: "%B %d, %Y"
day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday] day_names: [Неделя, Понеделник, Вторник, Сряда, Четвъртък, Петък, Събота]
abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat] abbr_day_names: [Нед, Пон, Вто, Сря, Чет, Пет, Съб]
# Don't forget the nil at the beginning; there's no such thing as a 0th month # Don't forget the nil at the beginning; there's no such thing as a 0th month
month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December] month_names: [~, Януари, Февруари, Март, Април, Май, Юни, Юли, Август, Септември, Октомври, Ноември, Декември]
abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec] abbr_month_names: [~, Яну, Фев, Мар, Апр, Май, Юни, Юли, Авг, Сеп, Окт, Ное, Дек]
# Used in date_select and datime_select. # Used in date_select and datime_select.
order: [ :year, :month, :day ] order: [ :year, :month, :day ]
@ -31,38 +31,38 @@ bg:
distance_in_words: distance_in_words:
half_a_minute: "half a minute" half_a_minute: "half a minute"
less_than_x_seconds: less_than_x_seconds:
one: "less than 1 second" one: "по-малко от 1 секунда"
other: "less than {{count}} seconds" other: "по-малко от {{count}} секунди"
x_seconds: x_seconds:
one: "1 second" one: "1 секунда"
other: "{{count}} seconds" other: "{{count}} секунди"
less_than_x_minutes: less_than_x_minutes:
one: "less than a minute" one: "по-малко от 1 минута"
other: "less than {{count}} minutes" other: "по-малко от {{count}} минути"
x_minutes: x_minutes:
one: "1 minute" one: "1 минута"
other: "{{count}} minutes" other: "{{count}} минути"
about_x_hours: about_x_hours:
one: "about 1 hour" one: "около 1 час"
other: "about {{count}} hours" other: "около {{count}} часа"
x_days: x_days:
one: "1 day" one: "1 ден"
other: "{{count}} days" other: "{{count}} дена"
about_x_months: about_x_months:
one: "about 1 month" one: "около 1 месец"
other: "about {{count}} months" other: "около {{count}} месеца"
x_months: x_months:
one: "1 month" one: "1 месец"
other: "{{count}} months" other: "{{count}} месеца"
about_x_years: about_x_years:
one: "about 1 year" one: "около 1 година"
other: "about {{count}} years" other: "около {{count}} години"
over_x_years: over_x_years:
one: "over 1 year" one: "над 1 година"
other: "over {{count}} years" other: "над {{count}} години"
almost_x_years: almost_x_years:
one: "almost 1 year" one: "почти 1 година"
other: "almost {{count}} years" other: "почти {{count}} години"
number: number:
format: format:
@ -87,7 +87,7 @@ bg:
# Used in array.to_sentence. # Used in array.to_sentence.
support: support:
array: array:
sentence_connector: "and" sentence_connector: "и"
skip_last_comma: false skip_last_comma: false
activerecord: activerecord:
@ -106,17 +106,16 @@ bg:
taken: "вече съществува" taken: "вече съществува"
not_a_number: "не е число" not_a_number: "не е число"
not_a_date: "е невалидна дата" not_a_date: "е невалидна дата"
greater_than: "must be greater than {{count}}" greater_than: "трябва да бъде по-голям[a/о] от {{count}}"
greater_than_or_equal_to: "must be greater than or equal to {{count}}" greater_than_or_equal_to: "трябва да бъде по-голям[a/о] от или равен[a/o] на {{count}}"
equal_to: "must be equal to {{count}}" equal_to: "трябва да бъде равен[a/o] на {{count}}"
less_than: "must be less than {{count}}" less_than: "трябва да бъде по-малък[a/o] от {{count}}"
less_than_or_equal_to: "must be less than or equal to {{count}}" less_than_or_equal_to: "трябва да бъде по-малък[a/o] от или равен[a/o] на {{count}}"
odd: "must be odd" odd: "трябва да бъде нечетен[a/o]"
even: "must be even" even: "трябва да бъде четен[a/o]"
greater_than_start_date: "трябва да е след началната дата" greater_than_start_date: "трябва да е след началната дата"
not_same_project: "не е от същия проект" not_same_project: "не е от същия проект"
circular_dependency: "Тази релация ще доведе до безкрайна зависимост" circular_dependency: "Тази релация ще доведе до безкрайна зависимост"
cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
actionview_instancetag_blank_option: Изберете actionview_instancetag_blank_option: Изберете
@ -171,7 +170,7 @@ bg:
field_mail: Email field_mail: Email
field_filename: Файл field_filename: Файл
field_filesize: Големина field_filesize: Големина
field_downloads: Downloads field_downloads: Изтеглени файлове
field_author: Автор field_author: Автор
field_created_on: От дата field_created_on: От дата
field_updated_on: Обновена field_updated_on: Обновена
@ -186,10 +185,10 @@ bg:
field_title: Заглавие field_title: Заглавие
field_project: Проект field_project: Проект
field_issue: Задача field_issue: Задача
field_status: Статус field_status: Състояние
field_notes: Бележка field_notes: Бележка
field_is_closed: Затворена задача field_is_closed: Затворена задача
field_is_default: Статус по подразбиране field_is_default: Състояние по подразбиране
field_tracker: Тракер field_tracker: Тракер
field_subject: Относно field_subject: Относно
field_due_date: Крайна дата field_due_date: Крайна дата
@ -217,12 +216,11 @@ bg:
field_port: Порт field_port: Порт
field_account: Профил field_account: Профил
field_base_dn: Base DN field_base_dn: Base DN
field_attr_login: Login attribute field_attr_login: Атрибут Login
field_attr_firstname: Firstname attribute field_attr_firstname: Атрибут Първо име (Firstname)
field_attr_lastname: Lastname attribute field_attr_lastname: Атрибут Фамилия (Lastname)
field_attr_mail: Email attribute field_attr_mail: Атрибут Email
field_onthefly: Динамично създаване на потребител field_onthefly: Динамично създаване на потребител
field_start_date: Начална дата
field_done_ratio: % Прогрес field_done_ratio: % Прогрес
field_auth_source: Начин на оторизация field_auth_source: Начин на оторизация
field_hide_mail: Скрий e-mail адреса ми field_hide_mail: Скрий e-mail адреса ми
@ -249,12 +247,12 @@ bg:
setting_login_required: Изискване за вход в системата setting_login_required: Изискване за вход в системата
setting_self_registration: Регистрация от потребители setting_self_registration: Регистрация от потребители
setting_attachment_max_size: Максимална големина на прикачен файл setting_attachment_max_size: Максимална големина на прикачен файл
setting_issues_export_limit: Лимит за експорт на задачи setting_issues_export_limit: Максимален брой задачи за експорт
setting_mail_from: E-mail адрес за емисии setting_mail_from: E-mail адрес за емисии
setting_host_name: Хост setting_host_name: Хост
setting_text_formatting: Форматиране на текста setting_text_formatting: Форматиране на текста
setting_wiki_compression: Wiki компресиране на историята setting_wiki_compression: Wiki компресиране на историята
setting_feeds_limit: Лимит на Feeds setting_feeds_limit: Максимален брой за емисии
setting_autofetch_changesets: Автоматично обработване на ревизиите setting_autofetch_changesets: Автоматично обработване на ревизиите
setting_sys_api_enabled: Разрешаване на WS за управление setting_sys_api_enabled: Разрешаване на WS за управление
setting_commit_ref_keywords: Отбелязващи ключови думи setting_commit_ref_keywords: Отбелязващи ключови думи
@ -270,9 +268,9 @@ bg:
label_project_new: Нов проект label_project_new: Нов проект
label_project_plural: Проекти label_project_plural: Проекти
label_x_projects: label_x_projects:
zero: no projects zero: 0 проекти
one: 1 project one: 1 проект
other: "{{count}} projects" other: "{{count}} проекта"
label_project_all: Всички проекти label_project_all: Всички проекти
label_project_latest: Последни проекти label_project_latest: Последни проекти
label_issue: Задача label_issue: Задача
@ -293,9 +291,9 @@ bg:
label_tracker_plural: Тракери label_tracker_plural: Тракери
label_tracker_new: Нов тракер label_tracker_new: Нов тракер
label_workflow: Работен процес label_workflow: Работен процес
label_issue_status: Статус на задача label_issue_status: Състояние на задача
label_issue_status_plural: Статуси на задачи label_issue_status_plural: Състояния на задачи
label_issue_status_new: Нов статус label_issue_status_new: Ново състояние
label_issue_category: Категория задача label_issue_category: Категория задача
label_issue_category_plural: Категории задачи label_issue_category_plural: Категории задачи
label_issue_category_new: Нова категория label_issue_category_new: Нова категория
@ -323,14 +321,14 @@ bg:
label_registered_on: Регистрация label_registered_on: Регистрация
label_activity: Дейност label_activity: Дейност
label_new: Нов label_new: Нов
label_logged_as: Логнат като label_logged_as: Влязъл като
label_environment: Среда label_environment: Среда
label_authentication: Оторизация label_authentication: Оторизация
label_auth_source: Начин на оторозация label_auth_source: Начин на оторозация
label_auth_source_new: Нов начин на оторизация label_auth_source_new: Нов начин на оторизация
label_auth_source_plural: Начини на оторизация label_auth_source_plural: Начини на оторизация
label_subproject_plural: Подпроекти label_subproject_plural: Подпроекти
label_min_max_length: Мин. - Макс. дължина label_min_max_length: Минимална - максимална дължина
label_list: Списък label_list: Списък
label_date: Дата label_date: Дата
label_integer: Целочислен label_integer: Целочислен
@ -339,10 +337,10 @@ bg:
label_text: Дълъг текст label_text: Дълъг текст
label_attribute: Атрибут label_attribute: Атрибут
label_attribute_plural: Атрибути label_attribute_plural: Атрибути
label_download: "{{count}} Download" label_download: "{{count}} изтегляне"
label_download_plural: "{{count}} Downloads" label_download_plural: "{{count}} изтегляния"
label_no_data: Няма изходни данни label_no_data: Няма изходни данни
label_change_status: Промяна на статуса label_change_status: Промяна на състоянието
label_history: История label_history: История
label_attachment: Файл label_attachment: Файл
label_attachment_new: Нов файл label_attachment_new: Нов файл
@ -369,21 +367,21 @@ bg:
label_closed_issues: затворена label_closed_issues: затворена
label_closed_issues_plural: затворени label_closed_issues_plural: затворени
label_x_open_issues_abbr_on_total: label_x_open_issues_abbr_on_total:
zero: 0 open / {{total}} zero: 0 отворени / {{total}}
one: 1 open / {{total}} one: 1 отворена / {{total}}
other: "{{count}} open / {{total}}" other: "{{count}} отворени / {{total}}"
label_x_open_issues_abbr: label_x_open_issues_abbr:
zero: 0 open zero: 0 отворени
one: 1 open one: 1 отворена
other: "{{count}} open" other: "{{count}} отворени"
label_x_closed_issues_abbr: label_x_closed_issues_abbr:
zero: 0 closed zero: 0 затворени
one: 1 closed one: 1 затворена
other: "{{count}} closed" other: "{{count}} затворени"
label_total: Общо label_total: Общо
label_permissions: Права label_permissions: Права
label_current_status: Текущ статус label_current_status: Текущо състояние
label_new_statuses_allowed: Позволени статуси label_new_statuses_allowed: Позволени състояния
label_all: всички label_all: всички
label_none: никакви label_none: никакви
label_next: Следващ label_next: Следващ
@ -394,7 +392,7 @@ bg:
label_per_page: На страница label_per_page: На страница
label_calendar: Календар label_calendar: Календар
label_months_from: месеца от label_months_from: месеца от
label_gantt: Gantt label_gantt: Мрежов график
label_internal: Вътрешен label_internal: Вътрешен
label_last_changes: "последни {{count}} промени" label_last_changes: "последни {{count}} промени"
label_change_view_all: Виж всички промени label_change_view_all: Виж всички промени
@ -402,9 +400,9 @@ bg:
label_comment: Коментар label_comment: Коментар
label_comment_plural: Коментари label_comment_plural: Коментари
label_x_comments: label_x_comments:
zero: no comments zero: 0 коментари
one: 1 comment one: 1 коментар
other: "{{count}} comments" other: "{{count}} коментари"
label_comment_add: Добавяне на коментар label_comment_add: Добавяне на коментар
label_comment_added: Добавен коментар label_comment_added: Добавен коментар
label_comment_delete: Изтриване на коментари label_comment_delete: Изтриване на коментари
@ -453,13 +451,13 @@ bg:
label_wiki: Wiki label_wiki: Wiki
label_wiki_edit: Wiki редакция label_wiki_edit: Wiki редакция
label_wiki_edit_plural: Wiki редакции label_wiki_edit_plural: Wiki редакции
label_wiki_page: Wiki page label_wiki_page: Wiki страница
label_wiki_page_plural: Wiki pages label_wiki_page_plural: Wiki страници
label_index_by_title: Индекс label_index_by_title: Индекс
label_index_by_date: Индекс по дата label_index_by_date: Индекс по дата
label_current_version: Текуща версия label_current_version: Текуща версия
label_preview: Преглед label_preview: Преглед
label_feed_plural: Feeds label_feed_plural: Емисии
label_changes_details: Подробни промени label_changes_details: Подробни промени
label_issue_tracking: Тракинг label_issue_tracking: Тракинг
label_spent_time: Отделено време label_spent_time: Отделено време
@ -478,7 +476,7 @@ bg:
label_permissions_report: Справка за права label_permissions_report: Справка за права
label_watched_issues: Наблюдавани задачи label_watched_issues: Наблюдавани задачи
label_related_issues: Свързани задачи label_related_issues: Свързани задачи
label_applied_status: Промени статуса на label_applied_status: Установено състояние
label_loading: Зареждане... label_loading: Зареждане...
label_relation_new: Нова релация label_relation_new: Нова релация
label_relation_delete: Изтриване на релация label_relation_delete: Изтриване на релация
@ -488,10 +486,10 @@ bg:
label_blocked_by: блокирана от label_blocked_by: блокирана от
label_precedes: предшества label_precedes: предшества
label_follows: изпълнява се след label_follows: изпълнява се след
label_end_to_start: end to start label_end_to_start: край към начало
label_end_to_end: end to end label_end_to_end: край към край
label_start_to_start: start to start label_start_to_start: начало към начало
label_start_to_end: start to end label_start_to_end: начало към край
label_stay_logged_in: Запомни ме label_stay_logged_in: Запомни ме
label_disabled: забранено label_disabled: забранено
label_show_completed_versions: Показване на реализирани версии label_show_completed_versions: Показване на реализирани версии
@ -534,7 +532,7 @@ bg:
button_clear: Изчисти button_clear: Изчисти
button_lock: Заключване button_lock: Заключване
button_unlock: Отключване button_unlock: Отключване
button_download: Download button_download: Изтегляне
button_list: Списък button_list: Списък
button_view: Преглед button_view: Преглед
button_move: Преместване button_move: Преместване
@ -544,8 +542,8 @@ bg:
button_sort: Сортиране button_sort: Сортиране
button_log_time: Отделяне на време button_log_time: Отделяне на време
button_rollback: Върни се към тази ревизия button_rollback: Върни се към тази ревизия
button_watch: Наблюдавай button_watch: Наблюдаване
button_unwatch: Спри наблюдението button_unwatch: Край на наблюдението
button_reply: Отговор button_reply: Отговор
button_archive: Архивиране button_archive: Архивиране
button_unarchive: Разархивиране button_unarchive: Разархивиране
@ -562,9 +560,9 @@ bg:
text_project_destroy_confirmation: Сигурни ли сте, че искате да изтриете проекта и данните в него? text_project_destroy_confirmation: Сигурни ли сте, че искате да изтриете проекта и данните в него?
text_workflow_edit: Изберете роля и тракер за да редактирате работния процес text_workflow_edit: Изберете роля и тракер за да редактирате работния процес
text_are_you_sure: Сигурни ли сте? text_are_you_sure: Сигурни ли сте?
text_tip_issue_begin_day: задача започваща този ден text_tip_task_begin_day: задача започваща този ден
text_tip_issue_end_day: задача завършваща този ден text_tip_task_end_day: задача завършваща този ден
text_tip_issue_begin_end_day: задача започваща и завършваща този ден text_tip_task_begin_end_day: задача започваща и завършваща този ден
text_project_identifier_info: 'Позволени са малки букви (a-z), цифри и тирета.<br />Невъзможна промяна след запис.' text_project_identifier_info: 'Позволени са малки букви (a-z), цифри и тирета.<br />Невъзможна промяна след запис.'
text_caracters_maximum: "До {{count}} символа." text_caracters_maximum: "До {{count}} символа."
text_length_between: "От {{min}} до {{max}} символа." text_length_between: "От {{min}} до {{max}} символа."
@ -582,11 +580,11 @@ bg:
default_role_manager: Мениджър default_role_manager: Мениджър
default_role_developer: Разработчик default_role_developer: Разработчик
default_role_reporter: Публикуващ default_role_reporter: Публикуващ
default_tracker_bug: Бъг default_tracker_bug: Грешка
default_tracker_feature: Функционалност default_tracker_feature: Функционалност
default_tracker_support: Поддръжка default_tracker_support: Поддръжка
default_issue_status_new: Нова default_issue_status_new: Нова
default_issue_status_in_progress: In Progress default_issue_status_in_progress: Изпълнение
default_issue_status_resolved: Приключена default_issue_status_resolved: Приключена
default_issue_status_feedback: Обратна връзка default_issue_status_feedback: Обратна връзка
default_issue_status_closed: Затворена default_issue_status_closed: Затворена
@ -622,6 +620,7 @@ bg:
text_user_mail_option: "За неизбраните проекти, ще получавате известия само за наблюдавани дейности или в които участвате (т.е. автор или назначени на мен)." text_user_mail_option: "За неизбраните проекти, ще получавате известия само за наблюдавани дейности или в които участвате (т.е. автор или назначени на мен)."
label_user_mail_option_selected: "За всички събития само в избраните проекти..." label_user_mail_option_selected: "За всички събития само в избраните проекти..."
label_user_mail_option_all: "За всяко събитие в проектите, в които участвам" label_user_mail_option_all: "За всяко събитие в проектите, в които участвам"
label_user_mail_option_none: "Само за наблюдавани или в които участвам (автор или назначени на мен)"
setting_emails_footer: Подтекст за e-mail setting_emails_footer: Подтекст за e-mail
label_float: Дробно label_float: Дробно
button_copy: Копиране button_copy: Копиране
@ -647,7 +646,7 @@ bg:
label_age: Възраст label_age: Възраст
notice_default_data_loaded: Примерната информацията е успешно заредена. notice_default_data_loaded: Примерната информацията е успешно заредена.
text_load_default_configuration: Зареждане на примерна информация text_load_default_configuration: Зареждане на примерна информация
text_no_configuration_data: "Все още не са конфигурирани Роли, тракери, статуси на задачи и работен процес.\nСтрого се препоръчва зареждането на примерната информация. Веднъж заредена ще имате възможност да я редактирате." text_no_configuration_data: "Все още не са конфигурирани Роли, тракери, състояния на задачи и работен процес.\nСтрого се препоръчва зареждането на примерната информация. Веднъж заредена ще имате възможност да я редактирате."
error_can_t_load_default_data: "Грешка при зареждане на примерната информация: {{value}}" error_can_t_load_default_data: "Грешка при зареждане на примерната информация: {{value}}"
button_update: Обновяване button_update: Обновяване
label_change_properties: Промяна на настройки label_change_properties: Промяна на настройки
@ -706,214 +705,219 @@ bg:
setting_default_projects_public: Новите проекти са публични по подразбиране setting_default_projects_public: Новите проекти са публични по подразбиране
error_scm_annotate: "Обектът не съществува или не може да бъде анотиран." error_scm_annotate: "Обектът не съществува или не може да бъде анотиран."
label_planning: Планиране label_planning: Планиране
text_subprojects_destroy_warning: "Its subproject(s): {{value}} will be also deleted." text_subprojects_destroy_warning: "Неговите подпроекти: {{value}} също ще бъдат изтрити."
label_and_its_subprojects: "{{value}} and its subprojects" label_and_its_subprojects: "{{value}} и неговите подпроекти"
mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:" mail_body_reminder: "{{count}} задачи, назначени на вас са с краен срок в следващите {{days}} дни:"
mail_subject_reminder: "{{count}} issue(s) due in the next {{days}} days" mail_subject_reminder: "{{count}} задачи с краен срок с следващите {{days}} дни"
text_user_wrote: "{{value}} wrote:" text_user_wrote: "{{value}} написа:"
label_duplicated_by: duplicated by label_duplicated_by: дублирана от
setting_enabled_scm: Enabled SCM setting_enabled_scm: Разрешена SCM
text_enumeration_category_reassign_to: 'Reassign them to this value:' text_enumeration_category_reassign_to: 'Пресвържете ги към тази стойност:'
text_enumeration_destroy_question: "{{count}} objects are assigned to this value." text_enumeration_destroy_question: "{{count}} обекта са свързани с тази стойност."
label_incoming_emails: Incoming emails label_incoming_emails: Входящи e-mail-и
label_generate_key: Generate a key label_generate_key: Генериране на ключ
setting_mail_handler_api_enabled: Enable WS for incoming emails setting_mail_handler_api_enabled: Разрешаване на WS за входящи e-mail-и
setting_mail_handler_api_key: API key setting_mail_handler_api_key: API ключ
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." text_email_delivery_not_configured: "Изпращането на e-mail-и не е конфигурирано и известията не са разрешени.\nКонфигурирайте вашия SMTP сървър в config/email.yml и рестартирайте Redmine, за да ги разрешите."
field_parent_title: Parent page field_parent_title: Родителска страница
label_issue_watchers: Watchers label_issue_watchers: Наблюдатели
setting_commit_logs_encoding: Commit messages encoding setting_commit_logs_encoding: Кодова таблица на съобщенията при поверяване
button_quote: Quote button_quote: Цитат
setting_sequential_project_identifiers: Generate sequential project identifiers setting_sequential_project_identifiers: Генериране на последователни проектни идентификатори
notice_unable_delete_version: Unable to delete version notice_unable_delete_version: Невъзможност за изтриване на версия
label_renamed: renamed label_renamed: преименуван
label_copied: copied label_copied: копиран
setting_plain_text_mail: plain text only (no HTML) setting_plain_text_mail: само чист текст (без HTML)
permission_view_files: View files permission_view_files: Разглеждане на файлове
permission_edit_issues: Edit issues permission_edit_issues: Редактиране на задачи
permission_edit_own_time_entries: Edit own time logs permission_edit_own_time_entries: Редактиране на собствените time logs
permission_manage_public_queries: Manage public queries permission_manage_public_queries: Управление на публичните заявки
permission_add_issues: Add issues permission_add_issues: Добавяне на задачи
permission_log_time: Log spent time permission_log_time: Log spent time
permission_view_changesets: View changesets permission_view_changesets: Разглеждане на changesets
permission_view_time_entries: View spent time permission_view_time_entries: Разглеждане на изразходваното време
permission_manage_versions: Manage versions permission_manage_versions: Управление на версиите
permission_manage_wiki: Manage wiki permission_manage_wiki: Управление на wiki
permission_manage_categories: Manage issue categories permission_manage_categories: Управление на категориите задачи
permission_protect_wiki_pages: Protect wiki pages permission_protect_wiki_pages: Заключване на wiki страници
permission_comment_news: Comment news permission_comment_news: Коментиране на новини
permission_delete_messages: Delete messages permission_delete_messages: Изтриване на съобщения
permission_select_project_modules: Select project modules permission_select_project_modules: Избор на проектни модули
permission_manage_documents: Manage documents permission_manage_documents: Управление на документи
permission_edit_wiki_pages: Edit wiki pages permission_edit_wiki_pages: Редактиране на wiki страници
permission_add_issue_watchers: Add watchers permission_add_issue_watchers: Добавяне на наблюдатели
permission_view_gantt: View gantt chart permission_view_gantt: Разглеждане на мрежов график
permission_move_issues: Move issues permission_move_issues: Преместване на задачи
permission_manage_issue_relations: Manage issue relations permission_manage_issue_relations: Управление на връзките между задачите
permission_delete_wiki_pages: Delete wiki pages permission_delete_wiki_pages: Изтриване на wiki страници
permission_manage_boards: Manage boards permission_manage_boards: Управление на boards
permission_delete_wiki_pages_attachments: Delete attachments permission_delete_wiki_pages_attachments: Изтриване на прикачени файлове
permission_view_wiki_edits: View wiki history permission_view_wiki_edits: Разглеждане на wiki история
permission_add_messages: Post messages permission_add_messages: Публикуване на съобщения
permission_view_messages: View messages permission_view_messages: Разглеждане на съобщения
permission_manage_files: Manage files permission_manage_files: Управление на файлове
permission_edit_issue_notes: Edit notes permission_edit_issue_notes: Редактиране на бележки
permission_manage_news: Manage news permission_manage_news: Управление на новини
permission_view_calendar: View calendrier permission_view_calendar: Разглеждане на календари
permission_manage_members: Manage members permission_manage_members: Управление на членовете (на екип)
permission_edit_messages: Edit messages permission_edit_messages: Редактиране на съобщения
permission_delete_issues: Delete issues permission_delete_issues: Изтриване на задачи
permission_view_issue_watchers: View watchers list permission_view_issue_watchers: Разглеждане на списък с наблюдатели
permission_manage_repository: Manage repository permission_manage_repository: Управление на хранилища
permission_commit_access: Commit access permission_commit_access: Поверяване
permission_browse_repository: Browse repository permission_browse_repository: Разглеждане на хранилища
permission_view_documents: View documents permission_view_documents: Разглеждане на документи
permission_edit_project: Edit project permission_edit_project: Редактиране на проект
permission_add_issue_notes: Add notes permission_add_issue_notes: Добаване на бележки
permission_save_queries: Save queries permission_save_queries: Запис на запитвания (queries)
permission_view_wiki_pages: View wiki permission_view_wiki_pages: Разглеждане на wiki
permission_rename_wiki_pages: Rename wiki pages permission_rename_wiki_pages: Преименуване на wiki страници
permission_edit_time_entries: Edit time logs permission_edit_time_entries: Редактиране на time logs
permission_edit_own_issue_notes: Edit own notes permission_edit_own_issue_notes: Редактиране на собствени бележки
setting_gravatar_enabled: Use Gravatar user icons setting_gravatar_enabled: Използване на портребителски икони от Gravatar
label_example: Example label_example: Пример
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." 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."
permission_edit_own_messages: Edit own messages permission_edit_own_messages: Редактиране на собствени съобщения
permission_delete_own_messages: Delete own messages permission_delete_own_messages: Изтриване на собствени съобщения
label_user_activity: "{{value}}'s activity" label_user_activity: "Активност на {{value}}"
label_updated_time_by: "Updated by {{author}} {{age}} ago" label_updated_time_by: "Обновена от {{author}} преди {{age}}"
text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.' text_diff_truncated: '... Този diff не е пълен, понеже е надхвърля максималния размер, който може да бъде показан.'
setting_diff_max_lines_displayed: Max number of diff lines displayed setting_diff_max_lines_displayed: Максимален брой показани diff редове
text_plugin_assets_writable: Plugin assets directory writable text_plugin_assets_writable: Папката на приставките е разрешена за запис
warning_attachments_not_saved: "{{count}} file(s) could not be saved." warning_attachments_not_saved: "{{count}} файла не бяха записани."
button_create_and_continue: Create and continue button_create_and_continue: Създаване и продължаване
text_custom_field_possible_values_info: 'One line for each value' text_custom_field_possible_values_info: 'Една стойност на ред'
label_display: Display label_display: Display
field_editable: Editable field_editable: Editable
setting_repository_log_display_limit: Maximum number of revisions displayed on file log setting_repository_log_display_limit: Максимален брой на показванете ревизии в лог файла
setting_file_max_size_displayed: Max size of text files displayed inline setting_file_max_size_displayed: Максимален размер на текстовите файлове, показвани inline
field_watcher: Watcher field_watcher: Наблюдател
setting_openid: Allow OpenID login and registration setting_openid: Рарешаване на OpenID вход и регистрация
field_identity_url: OpenID URL field_identity_url: OpenID URL
label_login_with_open_id_option: or login with OpenID label_login_with_open_id_option: или вход чрез OpenID
field_content: Content field_content: Съдържание
label_descending: Descending label_descending: Намаляващ
label_sort: Sort label_sort: Сортиране
label_ascending: Ascending label_ascending: Нарастващ
label_date_from_to: From {{start}} to {{end}} label_date_from_to: От {{start}} до {{end}}
label_greater_or_equal: ">=" label_greater_or_equal: ">="
label_less_or_equal: <= label_less_or_equal: <=
text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do? text_wiki_page_destroy_question: Тази страница има {{descendants}} страници деца и descendant(s). Какво желаете да правите?
text_wiki_page_reassign_children: Reassign child pages to this parent page text_wiki_page_reassign_children: Преназначаване на страниците деца на тази родителска страница
text_wiki_page_nullify_children: Keep child pages as root pages text_wiki_page_nullify_children: Запазване на тези страници като коренни страници
text_wiki_page_destroy_children: Delete child pages and all their descendants text_wiki_page_destroy_children: Изтриване на страниците деца и всички техни descendants
setting_password_min_length: Minimum password length setting_password_min_length: Минимална дължина на парола
field_group_by: Group results by field_group_by: Групиране на резултатите по
mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated" mail_subject_wiki_content_updated: "Wiki страницата '{{id}}' не беше обновена"
label_wiki_content_added: Wiki page added label_wiki_content_added: Wiki страница беше добавена
mail_subject_wiki_content_added: "'{{page}}' wiki page has been added" mail_subject_wiki_content_added: "Wiki страницата '{{id}}' беше добавена"
mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}. mail_body_wiki_content_added: Wiki страницата '{{id}}' беше добавена от {{author}}.
label_wiki_content_updated: Wiki page updated label_wiki_content_updated: Wiki страница беше обновена
mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}. mail_body_wiki_content_updated: Wiki страницата '{{id}}' беше обновена от {{author}}.
permission_add_project: Create project permission_add_project: Създаване на проект
setting_new_project_user_role_id: Role given to a non-admin user who creates a project setting_new_project_user_role_id: Роля, давана на потребител, създаващ проекти, който не е администратор
label_view_all_revisions: View all revisions label_view_all_revisions: Разглеждане на всички ревизии
label_tag: Tag label_tag: Версия
label_branch: Branch label_branch: работен вариант
error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings. error_no_tracker_in_project: Няма асоциирани тракери с този проект. Проверете настройките на проекта.
error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses"). error_no_default_issue_status: Няма установено подразбиращо се състояние за задачите. Моля проверете вашата конфигурация (Вижте "Администрация -> Състояния на задачи").
text_journal_changed: "{{label}} changed from {{old}} to {{new}}" text_journal_changed: "{{label}} променен от {{old}} на {{new}}"
text_journal_set_to: "{{label}} set to {{value}}" text_journal_set_to: "{{label}} установен на {{value}}"
text_journal_deleted: "{{label}} deleted ({{old}})" text_journal_deleted: "{{label}} изтрит ({{old}})"
label_group_plural: Groups label_group_plural: Групи
label_group: Group label_group: Група
label_group_new: New group label_group_new: Нова група
label_time_entry_plural: Spent time label_time_entry_plural: Използвано време
text_journal_added: "{{label}} {{value}} added" text_journal_added: "Добавено {{label}} {{value}}"
field_active: Active field_active: Активен
enumeration_system_activity: System Activity enumeration_system_activity: Системна активност
permission_delete_issue_watchers: Delete watchers permission_delete_issue_watchers: Изтриване на наблюдатели
version_status_closed: closed version_status_closed: затворена
version_status_locked: locked version_status_locked: заключена
version_status_open: open version_status_open: отворена
error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened error_can_not_reopen_issue_on_closed_version: Задача, асоциирана със затворена версия не може да бъде отворена отново
label_user_anonymous: Anonymous label_user_anonymous: Анонимен
button_move_and_follow: Move and follow button_move_and_follow: Преместване и продължаване
setting_default_projects_modules: Default enabled modules for new projects setting_default_projects_modules: Активирани модули по подразбиране за нов проект
setting_gravatar_default: Default Gravatar image setting_gravatar_default: Подразбиращо се изображение от Gravatar
field_sharing: Sharing field_sharing: Sharing
label_version_sharing_hierarchy: With project hierarchy label_version_sharing_hierarchy: С проектна йерархия
label_version_sharing_system: With all projects label_version_sharing_system: С всички проекти
label_version_sharing_descendants: With subprojects label_version_sharing_descendants: С подпроекти
label_version_sharing_tree: With project tree label_version_sharing_tree: С дърво на проектите
label_version_sharing_none: Not shared label_version_sharing_none: Не споделен
error_can_not_archive_project: This project can not be archived error_can_not_archive_project: Този проект не може да бъде архивиран
button_duplicate: Duplicate button_duplicate: Дублиране
button_copy_and_follow: Copy and follow button_copy_and_follow: Копиране и продължаване
label_copy_source: Source label_copy_source: Източник
setting_issue_done_ratio: Calculate the issue done ratio with setting_issue_done_ratio: Изчисление на процента на готово задачи с
setting_issue_done_ratio_issue_status: Use the issue status setting_issue_done_ratio_issue_status: Използване на състояниетона задачите
error_issue_done_ratios_not_updated: Issue done ratios not updated. error_issue_done_ratios_not_updated: Процентът на завършените задачи не е обновен.
error_workflow_copy_target: Please select target tracker(s) and role(s) error_workflow_copy_target: Моля изберете тракер(и) и роля (роли).
setting_issue_done_ratio_issue_field: Use the issue field setting_issue_done_ratio_issue_field: Използване на поле 'задача'
label_copy_same_as_target: Same as target label_copy_same_as_target: Също като целта
label_copy_target: Target label_copy_target: Цел
notice_issue_done_ratios_updated: Issue done ratios updated. notice_issue_done_ratios_updated: Обновен процент на завършените задачи.
error_workflow_copy_source: Please select a source tracker or role error_workflow_copy_source: Моля изберете source тракер или роля
label_update_issue_done_ratios: Update issue done ratios label_update_issue_done_ratios: Обновяване на процента на завършените задачи
setting_start_of_week: Start calendars on setting_start_of_week: Първи ден на седмицата
permission_view_issues: View Issues permission_view_issues: Разглеждане на задачите
label_display_used_statuses_only: Only display statuses that are used by this tracker label_display_used_statuses_only: Показване само на състоянията, използвани от този тракер
label_revision_id: Revision {{value}} label_revision_id: Ревизия {{value}}
label_api_access_key: API access key label_api_access_key: API ключ за достъп
label_api_access_key_created_on: API access key created {{value}} ago label_api_access_key_created_on: API ключ за достъп е създаден преди {{value}}
label_feeds_access_key: RSS access key label_feeds_access_key: RSS access ключ
notice_api_access_key_reseted: Your API access key was reset. notice_api_access_key_reseted: Вашият API ключ за достъп беше изчистен.
setting_rest_api_enabled: Enable REST web service setting_rest_api_enabled: Разрешаване на REST web сървис
label_missing_api_access_key: Missing an API access key label_missing_api_access_key: Липсващ API ключ
label_missing_feeds_access_key: Missing a RSS access key label_missing_feeds_access_key: Липсващ RSS ключ за достъп
button_show: Show button_show: Показване
text_line_separated: Multiple values allowed (one line for each value). text_line_separated: Позволени са много стойности (по едно на ред).
setting_mail_handler_body_delimiters: Truncate emails after one of these lines setting_mail_handler_body_delimiters: Отрязване на e-mail-ите след един от тези редове
permission_add_subprojects: Create subprojects permission_add_subprojects: Създаване на подпроекти
label_subproject_new: New subproject label_subproject_new: Нов подпроект
text_own_membership_delete_confirmation: |- 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. Вие сте на път да премахнете някои или всички ваши разрешения и е възможно след това на да не можете да редатирате този проект.
Are you sure you want to continue? Сигурен ли сте, че искате да продължите?
label_close_versions: Close completed versions label_close_versions: Затваряне на завършените версии
label_board_sticky: Sticky label_board_sticky: Sticky
label_board_locked: Locked label_board_locked: Заключена
permission_export_wiki_pages: Export wiki pages permission_export_wiki_pages: Експорт на wiki страници
setting_cache_formatted_text: Cache formatted text setting_cache_formatted_text: Cache formatted text
permission_manage_project_activities: Manage project activities permission_manage_project_activities: Управление на дейностите на проекта
error_unable_delete_issue_status: Unable to delete issue status error_unable_delete_issue_status: Невъзможност за изтриване на състояние на задача
label_profile: Profile label_profile: Профил
permission_manage_subtasks: Manage subtasks permission_manage_subtasks: Управление на подзадачите
field_parent_issue: Parent task field_parent_issue: Родителска задача
label_subtask_plural: Subtasks label_subtask_plural: Подзадачи
label_project_copy_notifications: Send email notifications during the project copy label_project_copy_notifications: Изпращане на Send e-mail известия по време на копирането на проекта
error_can_not_delete_custom_field: Unable to delete custom field error_can_not_delete_custom_field: Невъзможност за изтриване на потребителско поле
error_unable_to_connect: Unable to connect ({{value}}) error_unable_to_connect: Невъзможност за свързване с ({{value}})
error_can_not_remove_role: This role is in use and can not be deleted. error_can_not_remove_role: Тази роля се използва и не може да бъде изтрита.
error_can_not_delete_tracker: This tracker contains issues and can't be deleted. error_can_not_delete_tracker: Този тракер съдържа задачи и не може да бъде изтрит.
field_principal: Principal field_principal: Principal
label_my_page_block: My page block label_my_page_block: My page block
notice_failed_to_save_members: "Failed to save member(s): {{errors}}." notice_failed_to_save_members: "Невъзможност за запис на член(ове): {{errors}}."
text_zoom_out: Zoom out text_zoom_out: Намаляване
text_zoom_in: Zoom in text_zoom_in: Увеличаване
notice_unable_delete_time_entry: Unable to delete time log entry. notice_unable_delete_time_entry: Невъзможност за изтриване на запис на time log.
label_overall_spent_time: Overall spent time label_overall_spent_time: Общо употребено време
field_time_entries: Log time field_time_entries: Log time
project_module_gantt: Gantt notice_not_authorized_archived_project: The project you're trying to access has been archived.
project_module_calendar: Calendar text_tip_issue_end_day: issue ending this day
button_edit_associated_wikipage: "Edit associated Wiki page: {{page_title}}"
text_are_you_sure_with_children: Delete issue and all child issues?
field_text: Text field field_text: Text field
label_user_mail_option_only_owner: Only for things I am the owner of label_user_mail_option_only_owner: Only for things I am the owner of
setting_default_notification_option: Default notification option
label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
label_user_mail_option_only_assigned: Only for things I am assigned to
label_user_mail_option_none: No events
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
project_module_gantt: Gantt
text_are_you_sure_with_children: Delete issue and all child issues?
text_tip_issue_begin_end_day: issue beginning and ending this day
setting_default_notification_option: Default notification option
project_module_calendar: Calendar
label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
text_tip_issue_begin_day: issue beginning this day
label_user_mail_option_only_assigned: Only for things I am assigned to
button_edit_associated_wikipage: "Edit associated Wiki page: {{page_title}}"
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -252,7 +252,6 @@ bs:
field_attr_lastname: Atribut za prezime field_attr_lastname: Atribut za prezime
field_attr_mail: Atribut za email field_attr_mail: Atribut za email
field_onthefly: 'Kreiranje korisnika "On-the-fly"' field_onthefly: 'Kreiranje korisnika "On-the-fly"'
field_start_date: Početak
field_done_ratio: % Realizovano field_done_ratio: % Realizovano
field_auth_source: Mod za authentifikaciju field_auth_source: Mod za authentifikaciju
field_hide_mail: Sakrij moju email adresu field_hide_mail: Sakrij moju email adresu
@ -829,12 +828,12 @@ bs:
text_wiki_page_destroy_children: Delete child pages and all their descendants text_wiki_page_destroy_children: Delete child pages and all their descendants
setting_password_min_length: Minimum password length setting_password_min_length: Minimum password length
field_group_by: Group results by field_group_by: Group results by
mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated" mail_subject_wiki_content_updated: "'{{id}}' wiki page has been updated"
label_wiki_content_added: Wiki page added label_wiki_content_added: Wiki page added
mail_subject_wiki_content_added: "'{{page}}' wiki page has been added" mail_subject_wiki_content_added: "'{{id}}' wiki page has been added"
mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}. mail_body_wiki_content_added: The '{{id}}' wiki page has been added by {{author}}.
label_wiki_content_updated: Wiki page updated label_wiki_content_updated: Wiki page updated
mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}. mail_body_wiki_content_updated: The '{{id}}' wiki page has been updated by {{author}}.
permission_add_project: Create project permission_add_project: Create project
setting_new_project_user_role_id: Role given to a non-admin user who creates a project setting_new_project_user_role_id: Role given to a non-admin user who creates a project
label_view_all_revisions: View all revisions label_view_all_revisions: View all revisions
@ -937,3 +936,6 @@ bs:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -195,10 +195,10 @@ ca:
mail_body_account_activation_request: "S'ha registrat un usuari nou ({{value}}). El seu compte està pendent d'aprovació:" mail_body_account_activation_request: "S'ha registrat un usuari nou ({{value}}). El seu compte està pendent d'aprovació:"
mail_subject_reminder: "{{count}} assumptes venceran els següents {{days}} dies" mail_subject_reminder: "{{count}} assumptes venceran els següents {{days}} dies"
mail_body_reminder: "{{count}} assumptes que teniu assignades venceran els següents {{days}} dies:" mail_body_reminder: "{{count}} assumptes que teniu assignades venceran els següents {{days}} dies:"
mail_subject_wiki_content_added: "S'ha afegit la pàgina wiki «{{page}}»" mail_subject_wiki_content_added: "S'ha afegit la pàgina wiki «{{id}}»"
mail_body_wiki_content_added: "En {{author}} ha afegit la pàgina wiki «{{page}}»." mail_body_wiki_content_added: "En {{author}} ha afegit la pàgina wiki «{{id}}»."
mail_subject_wiki_content_updated: "S'ha actualitzat la pàgina wiki «{{page}}»" mail_subject_wiki_content_updated: "S'ha actualitzat la pàgina wiki «{{id}}»"
mail_body_wiki_content_updated: "En {{author}} ha actualitzat la pàgina wiki «{{page}}»." mail_body_wiki_content_updated: "En {{author}} ha actualitzat la pàgina wiki «{{id}}»."
gui_validation_error: 1 error gui_validation_error: 1 error
gui_validation_error_plural: "{{count}} errors" gui_validation_error_plural: "{{count}} errors"
@ -264,7 +264,6 @@ ca:
field_attr_lastname: Atribut del cognom field_attr_lastname: Atribut del cognom
field_attr_mail: Atribut del correu electrònic field_attr_mail: Atribut del correu electrònic
field_onthefly: "Creació de l'usuari «al vol»" field_onthefly: "Creació de l'usuari «al vol»"
field_start_date: Inici
field_done_ratio: % realitzat field_done_ratio: % realitzat
field_auth_source: "Mode d'autenticació" field_auth_source: "Mode d'autenticació"
field_hide_mail: "Oculta l'adreça de correu electrònic" field_hide_mail: "Oculta l'adreça de correu electrònic"
@ -926,3 +925,6 @@ ca:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -237,7 +237,6 @@ cs:
field_attr_lastname: Příjemní (atribut) field_attr_lastname: Příjemní (atribut)
field_attr_mail: Email (atribut) field_attr_mail: Email (atribut)
field_onthefly: Automatické vytváření uživatelů field_onthefly: Automatické vytváření uživatelů
field_start_date: Začátek
field_done_ratio: % Hotovo field_done_ratio: % Hotovo
field_auth_source: Autentifikační mód field_auth_source: Autentifikační mód
field_hide_mail: Nezobrazovat můj email field_hide_mail: Nezobrazovat můj email
@ -815,12 +814,12 @@ cs:
text_wiki_page_destroy_children: Smazat podstránky a všechny jejich potomky text_wiki_page_destroy_children: Smazat podstránky a všechny jejich potomky
setting_password_min_length: Minimální délka hesla setting_password_min_length: Minimální délka hesla
field_group_by: Seskupovat výsledky podle field_group_by: Seskupovat výsledky podle
mail_subject_wiki_content_updated: "'{{page}}' Wiki stránka byla aktualizována" mail_subject_wiki_content_updated: "'{{id}}' Wiki stránka byla aktualizována"
label_wiki_content_added: Wiki stránka přidána label_wiki_content_added: Wiki stránka přidána
mail_subject_wiki_content_added: "'{{page}}' Wiki stránka byla přidána" mail_subject_wiki_content_added: "'{{id}}' Wiki stránka byla přidána"
mail_body_wiki_content_added: "'{{page}}' Wiki stránka byla přidána od {{author}}." mail_body_wiki_content_added: "'{{id}}' Wiki stránka byla přidána od {{author}}."
label_wiki_content_updated: Wiki stránka aktualizována label_wiki_content_updated: Wiki stránka aktualizována
mail_body_wiki_content_updated: "'{{page}}' Wiki stránka byla aktualizována od {{author}}." mail_body_wiki_content_updated: "'{{id}}' Wiki stránka byla aktualizována od {{author}}."
permission_add_project: Vytvořit projekt permission_add_project: Vytvořit projekt
setting_new_project_user_role_id: Role přiřazená uživateli bez práv administrátora, který projekt vytvořil setting_new_project_user_role_id: Role přiřazená uživateli bez práv administrátora, který projekt vytvořil
label_view_all_revisions: Zobrazit všechny revize label_view_all_revisions: Zobrazit všechny revize
@ -923,3 +922,6 @@ cs:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -250,7 +250,6 @@ da:
field_attr_lastname: Efternavn attribut field_attr_lastname: Efternavn attribut
field_attr_mail: Email attribut field_attr_mail: Email attribut
field_onthefly: løbende brugeroprettelse field_onthefly: løbende brugeroprettelse
field_start_date: Start
field_done_ratio: % Færdig field_done_ratio: % Færdig
field_auth_source: Sikkerhedsmetode field_auth_source: Sikkerhedsmetode
field_hide_mail: Skjul min email field_hide_mail: Skjul min email
@ -831,12 +830,12 @@ da:
text_wiki_page_destroy_children: Slet undersider ogalle deres afledte sider. text_wiki_page_destroy_children: Slet undersider ogalle deres afledte sider.
setting_password_min_length: Mindste længde på kodeord setting_password_min_length: Mindste længde på kodeord
field_group_by: Gruppér resultater efter field_group_by: Gruppér resultater efter
mail_subject_wiki_content_updated: "'{{page}}' wikisiden er blevet opdateret" mail_subject_wiki_content_updated: "'{{id}}' wikisiden er blevet opdateret"
label_wiki_content_added: Wiki side tilføjet label_wiki_content_added: Wiki side tilføjet
mail_subject_wiki_content_added: "'{{page}}' wikisiden er blevet tilføjet" mail_subject_wiki_content_added: "'{{id}}' wikisiden er blevet tilføjet"
mail_body_wiki_content_added: The '{{page}}' wikiside er blevet tilføjet af {{author}}. mail_body_wiki_content_added: The '{{id}}' wikiside er blevet tilføjet af {{author}}.
label_wiki_content_updated: Wikiside opdateret label_wiki_content_updated: Wikiside opdateret
mail_body_wiki_content_updated: Wikisiden '{{page}}' er blevet opdateret af {{author}}. mail_body_wiki_content_updated: Wikisiden '{{id}}' er blevet opdateret af {{author}}.
permission_add_project: Opret projekt permission_add_project: Opret projekt
setting_new_project_user_role_id: Denne rolle gives til en bruger, som ikke er administrator, og som opretter et projekt setting_new_project_user_role_id: Denne rolle gives til en bruger, som ikke er administrator, og som opretter et projekt
label_view_all_revisions: Se alle revisioner label_view_all_revisions: Se alle revisioner
@ -939,3 +938,6 @@ da:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -211,10 +211,11 @@ de:
mail_body_account_activation_request: "Ein neuer Benutzer ({{value}}) hat sich registriert. Sein Konto wartet auf Ihre Genehmigung:" mail_body_account_activation_request: "Ein neuer Benutzer ({{value}}) hat sich registriert. Sein Konto wartet auf Ihre Genehmigung:"
mail_subject_reminder: "{{count}} Tickets müssen in den nächsten {{days}} Tagen abgegeben werden" mail_subject_reminder: "{{count}} Tickets müssen in den nächsten {{days}} Tagen abgegeben werden"
mail_body_reminder: "{{count}} Tickets, die Ihnen zugewiesen sind, müssen in den nächsten {{days}} Tagen abgegeben werden:" mail_body_reminder: "{{count}} Tickets, die Ihnen zugewiesen sind, müssen in den nächsten {{days}} Tagen abgegeben werden:"
mail_subject_wiki_content_added: "Wiki-Seite '{{page}}' hinzugefügt" mail_subject_wiki_content_added: "Wiki-Seite '{{id}}' hinzugefügt"
mail_body_wiki_content_added: "Die Wiki-Seite '{{page}}' wurde von {{author}} hinzugefügt." mail_body_wiki_content_added: "Die Wiki-Seite '{{id}}' wurde von {{author}} hinzugefügt."
mail_subject_wiki_content_updated: "Wiki-Seite '{{page}}' erfolgreich aktualisiert" mail_subject_wiki_content_updated: "Wiki-Seite '{{id}}' erfolgreich aktualisiert"
mail_body_wiki_content_updated: "Die Wiki-Seite '{{page}}' wurde von {{author}} aktualisiert." mail_body_wiki_content_updated: "Die Wiki-Seite '{{id}}' wurde von {{author}} aktualisiert."
gui_validation_error: 1 Fehler gui_validation_error: 1 Fehler
gui_validation_error_plural: "{{count}} Fehler" gui_validation_error_plural: "{{count}} Fehler"
@ -279,7 +280,6 @@ de:
field_attr_lastname: Name-Attribut field_attr_lastname: Name-Attribut
field_attr_mail: E-Mail-Attribut field_attr_mail: E-Mail-Attribut
field_onthefly: On-the-fly-Benutzererstellung field_onthefly: On-the-fly-Benutzererstellung
field_start_date: Beginn
field_done_ratio: % erledigt field_done_ratio: % erledigt
field_auth_source: Authentifizierungs-Modus field_auth_source: Authentifizierungs-Modus
field_hide_mail: E-Mail-Adresse nicht anzeigen field_hide_mail: E-Mail-Adresse nicht anzeigen
@ -790,6 +790,8 @@ de:
label_profile: Profil label_profile: Profil
label_subtask_plural: Unteraufgaben label_subtask_plural: Unteraufgaben
label_project_copy_notifications: Sende Mailbenachrichtigungen beim Kopieren des Projekts. label_project_copy_notifications: Sende Mailbenachrichtigungen beim Kopieren des Projekts.
label_principal_search: "Nach Benutzer oder Gruppe suchen:"
label_user_search: "Nach Benutzer suchen:"
button_login: Anmelden button_login: Anmelden
button_submit: OK button_submit: OK
@ -830,7 +832,7 @@ de:
button_copy: Kopieren button_copy: Kopieren
button_copy_and_follow: Kopieren und Ticket anzeigen button_copy_and_follow: Kopieren und Ticket anzeigen
button_annotate: Annotieren button_annotate: Annotieren
button_update: Aktualisieren button_update: Bearbeiten
button_configure: Konfigurieren button_configure: Konfigurieren
button_quote: Zitieren button_quote: Zitieren
button_duplicate: Duplizieren button_duplicate: Duplizieren
@ -937,7 +939,8 @@ de:
setting_default_notification_option: Default notification option setting_default_notification_option: Default notification option
label_user_mail_option_only_my_events: Only for things I watch or I'm involved in label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
label_user_mail_option_only_assigned: Only for things I am assigned to label_user_mail_option_only_assigned: Only for things I am assigned to
notice_not_authorized_archived_project: The project you're trying to access has been archived.
label_user_mail_option_none: No events label_user_mail_option_none: No events
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. field_start_date: Start date

View File

@ -179,10 +179,10 @@ el:
mail_body_account_activation_request: "'Ένας νέος χρήστης ({{value}}) έχει εγγραφεί. Ο λογαριασμός είναι σε στάδιο αναμονής της έγκρισης σας:" mail_body_account_activation_request: "'Ένας νέος χρήστης ({{value}}) έχει εγγραφεί. Ο λογαριασμός είναι σε στάδιο αναμονής της έγκρισης σας:"
mail_subject_reminder: "{{count}} θέμα(τα) με προθεσμία στις επόμενες {{days}} ημέρες" mail_subject_reminder: "{{count}} θέμα(τα) με προθεσμία στις επόμενες {{days}} ημέρες"
mail_body_reminder: "{{count}}θέμα(τα) που έχουν ανατεθεί σε σας, με προθεσμία στις επόμενες {{days}} ημέρες:" mail_body_reminder: "{{count}}θέμα(τα) που έχουν ανατεθεί σε σας, με προθεσμία στις επόμενες {{days}} ημέρες:"
mail_subject_wiki_content_added: "'προστέθηκε η σελίδα wiki {{page}}' " mail_subject_wiki_content_added: "'προστέθηκε η σελίδα wiki {{id}}' "
mail_body_wiki_content_added: "Η σελίδα wiki '{{page}}' προστέθηκε από τον {{author}}." mail_body_wiki_content_added: "Η σελίδα wiki '{{id}}' προστέθηκε από τον {{author}}."
mail_subject_wiki_content_updated: "'ενημερώθηκε η σελίδα wiki {{page}}' " mail_subject_wiki_content_updated: "'ενημερώθηκε η σελίδα wiki {{id}}' "
mail_body_wiki_content_updated: "Η σελίδα wiki '{{page}}' ενημερώθηκε από τον {{author}}." mail_body_wiki_content_updated: "Η σελίδα wiki '{{id}}' ενημερώθηκε από τον {{author}}."
gui_validation_error: 1 σφάλμα gui_validation_error: 1 σφάλμα
gui_validation_error_plural: "{{count}} σφάλματα" gui_validation_error_plural: "{{count}} σφάλματα"
@ -247,7 +247,6 @@ el:
field_attr_lastname: Ιδιότητα επωνύμου field_attr_lastname: Ιδιότητα επωνύμου
field_attr_mail: Ιδιότητα email field_attr_mail: Ιδιότητα email
field_onthefly: Άμεση δημιουργία χρήστη field_onthefly: Άμεση δημιουργία χρήστη
field_start_date: Εκκίνηση
field_done_ratio: % επιτεύχθη field_done_ratio: % επιτεύχθη
field_auth_source: Τρόπος πιστοποίησης field_auth_source: Τρόπος πιστοποίησης
field_hide_mail: Απόκρυψη διεύθυνσης email field_hide_mail: Απόκρυψη διεύθυνσης email
@ -923,3 +922,6 @@ el:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -84,7 +84,7 @@ en-GB:
byte: byte:
one: "Byte" one: "Byte"
other: "Bytes" other: "Bytes"
kb: "KB" kb: "kB"
mb: "MB" mb: "MB"
gb: "GB" gb: "GB"
tb: "TB" tb: "TB"
@ -189,10 +189,10 @@ en-GB:
mail_body_account_activation_request: "A new user ({{value}}) has registered. The account is pending your approval:" mail_body_account_activation_request: "A new user ({{value}}) has registered. The account is pending your approval:"
mail_subject_reminder: "{{count}} issue(s) due in the next {{days}} days" mail_subject_reminder: "{{count}} issue(s) due in the next {{days}} days"
mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:" mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
mail_subject_wiki_content_added: "'{{page}}' wiki page has been added" mail_subject_wiki_content_added: "'{{id}}' wiki page has been added"
mail_body_wiki_content_added: "The '{{page}}' wiki page has been added by {{author}}." mail_body_wiki_content_added: "The '{{id}}' wiki page has been added by {{author}}."
mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated" mail_subject_wiki_content_updated: "'{{id}}' wiki page has been updated"
mail_body_wiki_content_updated: "The '{{page}}' wiki page has been updated by {{author}}." mail_body_wiki_content_updated: "The '{{id}}' wiki page has been updated by {{author}}."
gui_validation_error: 1 error gui_validation_error: 1 error
gui_validation_error_plural: "{{count}} errors" gui_validation_error_plural: "{{count}} errors"
@ -257,7 +257,7 @@ en-GB:
field_attr_lastname: Lastname attribute field_attr_lastname: Lastname attribute
field_attr_mail: Email attribute field_attr_mail: Email attribute
field_onthefly: On-the-fly user creation field_onthefly: On-the-fly user creation
field_start_date: Start field_start_date: Start date
field_done_ratio: % Done field_done_ratio: % Done
field_auth_source: Authentication mode field_auth_source: Authentication mode
field_hide_mail: Hide my email address field_hide_mail: Hide my email address
@ -927,3 +927,5 @@ en-GB:
label_user_mail_option_only_my_events: Only for things I watch or I'm involved in label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
label_user_mail_option_only_assigned: Only for things I am assigned to label_user_mail_option_only_assigned: Only for things I am assigned to
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -81,7 +81,7 @@ en:
byte: byte:
one: "Byte" one: "Byte"
other: "Bytes" other: "Bytes"
kb: "KB" kb: "kB"
mb: "MB" mb: "MB"
gb: "GB" gb: "GB"
tb: "TB" tb: "TB"
@ -193,10 +193,10 @@ en:
mail_body_account_activation_request: "A new user ({{value}}) has registered. The account is pending your approval:" mail_body_account_activation_request: "A new user ({{value}}) has registered. The account is pending your approval:"
mail_subject_reminder: "{{count}} issue(s) due in the next {{days}} days" mail_subject_reminder: "{{count}} issue(s) due in the next {{days}} days"
mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:" mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
mail_subject_wiki_content_added: "'{{page}}' wiki page has been added" mail_subject_wiki_content_added: "'{{id}}' wiki page has been added"
mail_body_wiki_content_added: "The '{{page}}' wiki page has been added by {{author}}." mail_body_wiki_content_added: "The '{{id}}' wiki page has been added by {{author}}."
mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated" mail_subject_wiki_content_updated: "'{{id}}' wiki page has been updated"
mail_body_wiki_content_updated: "The '{{page}}' wiki page has been updated by {{author}}." mail_body_wiki_content_updated: "The '{{id}}' wiki page has been updated by {{author}}."
gui_validation_error: 1 error gui_validation_error: 1 error
gui_validation_error_plural: "{{count}} errors" gui_validation_error_plural: "{{count}} errors"
@ -262,7 +262,7 @@ en:
field_attr_lastname: Lastname attribute field_attr_lastname: Lastname attribute
field_attr_mail: Email attribute field_attr_mail: Email attribute
field_onthefly: On-the-fly user creation field_onthefly: On-the-fly user creation
field_start_date: Start field_start_date: Start date
field_done_ratio: % Done field_done_ratio: % Done
field_auth_source: Authentication mode field_auth_source: Authentication mode
field_hide_mail: Hide my email address field_hide_mail: Hide my email address
@ -325,6 +325,7 @@ en:
setting_issue_list_default_columns: Default columns displayed on the issue list setting_issue_list_default_columns: Default columns displayed on the issue list
setting_repositories_encodings: Repositories encodings setting_repositories_encodings: Repositories encodings
setting_commit_logs_encoding: Commit messages encoding setting_commit_logs_encoding: Commit messages encoding
setting_emails_header: Emails header
setting_emails_footer: Emails footer setting_emails_footer: Emails footer
setting_protocol: Protocol setting_protocol: Protocol
setting_per_page_options: Objects per page options setting_per_page_options: Objects per page options
@ -781,6 +782,8 @@ en:
label_profile: Profile label_profile: Profile
label_subtask_plural: Subtasks label_subtask_plural: Subtasks
label_project_copy_notifications: Send email notifications during the project copy label_project_copy_notifications: Send email notifications during the project copy
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"
button_login: Login button_login: Login
button_submit: Submit button_submit: Submit

View File

@ -313,7 +313,6 @@ es:
field_role: Perfil field_role: Perfil
field_searchable: Incluir en las búsquedas field_searchable: Incluir en las búsquedas
field_spent_on: Fecha field_spent_on: Fecha
field_start_date: Fecha de inicio
field_start_page: Página principal field_start_page: Página principal
field_status: Estado field_status: Estado
field_subject: Tema field_subject: Tema
@ -854,12 +853,12 @@ es:
text_wiki_page_destroy_children: Eliminar páginas hijas y todos sus descendientes text_wiki_page_destroy_children: Eliminar páginas hijas y todos sus descendientes
setting_password_min_length: Longitud mínima de la contraseña setting_password_min_length: Longitud mínima de la contraseña
field_group_by: Agrupar resultados por field_group_by: Agrupar resultados por
mail_subject_wiki_content_updated: "La página wiki '{{page}}' ha sido actualizada" mail_subject_wiki_content_updated: "La página wiki '{{id}}' ha sido actualizada"
label_wiki_content_added: Página wiki añadida label_wiki_content_added: Página wiki añadida
mail_subject_wiki_content_added: "Se ha añadido la página wiki '{{page}}'." mail_subject_wiki_content_added: "Se ha añadido la página wiki '{{id}}'."
mail_body_wiki_content_added: "{{author}} ha añadido la página wiki '{{page}}'." mail_body_wiki_content_added: "{{author}} ha añadido la página wiki '{{id}}'."
label_wiki_content_updated: Página wiki actualizada label_wiki_content_updated: Página wiki actualizada
mail_body_wiki_content_updated: La página wiki '{{page}}' ha sido actualizada por {{author}}. mail_body_wiki_content_updated: La página wiki '{{id}}' ha sido actualizada por {{author}}.
permission_add_project: Crear proyecto permission_add_project: Crear proyecto
setting_new_project_user_role_id: Permiso asignado a un usuario no-administrador para crear proyectos setting_new_project_user_role_id: Permiso asignado a un usuario no-administrador para crear proyectos
label_view_all_revisions: Ver todas las revisiones label_view_all_revisions: Ver todas las revisiones
@ -963,3 +962,6 @@ es:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -188,10 +188,10 @@ eu:
mail_body_account_activation_request: "Erabiltzaile berri bat ({{value}}) erregistratu da. Kontua zure onarpenaren zain dago:" mail_body_account_activation_request: "Erabiltzaile berri bat ({{value}}) erregistratu da. Kontua zure onarpenaren zain dago:"
mail_subject_reminder: "{{count}} arazo hurrengo {{days}} egunetan amaitzen d(ir)a" mail_subject_reminder: "{{count}} arazo hurrengo {{days}} egunetan amaitzen d(ir)a"
mail_body_reminder: "Zuri esleituta dauden {{count}} arazo hurrengo {{days}} egunetan amaitzen d(ir)a:" mail_body_reminder: "Zuri esleituta dauden {{count}} arazo hurrengo {{days}} egunetan amaitzen d(ir)a:"
mail_subject_wiki_content_added: "'{{page}}' wiki orria gehitu da" mail_subject_wiki_content_added: "'{{id}}' wiki orria gehitu da"
mail_body_wiki_content_added: "{{author}}-(e)k '{{page}}' wiki orria gehitu du." mail_body_wiki_content_added: "{{author}}-(e)k '{{id}}' wiki orria gehitu du."
mail_subject_wiki_content_updated: "'{{page}}' wiki orria eguneratu da" mail_subject_wiki_content_updated: "'{{id}}' wiki orria eguneratu da"
mail_body_wiki_content_updated: "{{author}}-(e)k '{{page}}' wiki orria eguneratu du." mail_body_wiki_content_updated: "{{author}}-(e)k '{{id}}' wiki orria eguneratu du."
gui_validation_error: akats 1 gui_validation_error: akats 1
gui_validation_error_plural: "{{count}} akats" gui_validation_error_plural: "{{count}} akats"
@ -257,7 +257,6 @@ eu:
field_attr_lastname: Abizenak atributua field_attr_lastname: Abizenak atributua
field_attr_mail: Eposta atributua field_attr_mail: Eposta atributua
field_onthefly: Zuzeneko erabiltzaile sorrera field_onthefly: Zuzeneko erabiltzaile sorrera
field_start_date: Hasiera
field_done_ratio: Egindako % field_done_ratio: Egindako %
field_auth_source: Autentikazio modua field_auth_source: Autentikazio modua
field_hide_mail: Nire eposta helbidea ezkutatu field_hide_mail: Nire eposta helbidea ezkutatu
@ -927,3 +926,6 @@ eu:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -262,7 +262,6 @@ fi:
field_attr_lastname: Sukunimenmääre field_attr_lastname: Sukunimenmääre
field_attr_mail: Sähköpostinmääre field_attr_mail: Sähköpostinmääre
field_onthefly: Automaattinen käyttäjien luonti field_onthefly: Automaattinen käyttäjien luonti
field_start_date: Alku
field_done_ratio: % Tehty field_done_ratio: % Tehty
field_auth_source: Varmennusmuoto field_auth_source: Varmennusmuoto
field_hide_mail: Piiloita sähköpostiosoitteeni field_hide_mail: Piiloita sähköpostiosoitteeni
@ -840,12 +839,12 @@ fi:
text_wiki_page_destroy_children: Delete child pages and all their descendants text_wiki_page_destroy_children: Delete child pages and all their descendants
setting_password_min_length: Minimum password length setting_password_min_length: Minimum password length
field_group_by: Group results by field_group_by: Group results by
mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated" mail_subject_wiki_content_updated: "'{{id}}' wiki page has been updated"
label_wiki_content_added: Wiki page added label_wiki_content_added: Wiki page added
mail_subject_wiki_content_added: "'{{page}}' wiki page has been added" mail_subject_wiki_content_added: "'{{id}}' wiki page has been added"
mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}. mail_body_wiki_content_added: The '{{id}}' wiki page has been added by {{author}}.
label_wiki_content_updated: Wiki page updated label_wiki_content_updated: Wiki page updated
mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}. mail_body_wiki_content_updated: The '{{id}}' wiki page has been updated by {{author}}.
permission_add_project: Create project permission_add_project: Create project
setting_new_project_user_role_id: Role given to a non-admin user who creates a project setting_new_project_user_role_id: Role given to a non-admin user who creates a project
label_view_all_revisions: View all revisions label_view_all_revisions: View all revisions
@ -948,3 +947,6 @@ fi:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -204,10 +204,10 @@ fr:
mail_body_account_activation_request: "Un nouvel utilisateur ({{value}}) s'est inscrit. Son compte nécessite votre approbation :" mail_body_account_activation_request: "Un nouvel utilisateur ({{value}}) s'est inscrit. Son compte nécessite votre approbation :"
mail_subject_reminder: "{{count}} demande(s) arrivent à échéance ({{days}})" mail_subject_reminder: "{{count}} demande(s) arrivent à échéance ({{days}})"
mail_body_reminder: "{{count}} demande(s) qui vous sont assignées arrivent à échéance dans les {{days}} prochains jours :" mail_body_reminder: "{{count}} demande(s) qui vous sont assignées arrivent à échéance dans les {{days}} prochains jours :"
mail_subject_wiki_content_added: "Page wiki '{{page}}' ajoutée" mail_subject_wiki_content_added: "Page wiki '{{id}}' ajoutée"
mail_body_wiki_content_added: "La page wiki '{{page}}' a été ajoutée par {{author}}." mail_body_wiki_content_added: "La page wiki '{{id}}' a été ajoutée par {{author}}."
mail_subject_wiki_content_updated: "Page wiki '{{page}}' mise à jour" mail_subject_wiki_content_updated: "Page wiki '{{id}}' mise à jour"
mail_body_wiki_content_updated: "La page wiki '{{page}}' a été mise à jour par {{author}}." mail_body_wiki_content_updated: "La page wiki '{{id}}' a été mise à jour par {{author}}."
gui_validation_error: 1 erreur gui_validation_error: 1 erreur
gui_validation_error_plural: "{{count}} erreurs" gui_validation_error_plural: "{{count}} erreurs"
@ -272,7 +272,6 @@ fr:
field_attr_lastname: Attribut Nom field_attr_lastname: Attribut Nom
field_attr_mail: Attribut Email field_attr_mail: Attribut Email
field_onthefly: Création des utilisateurs à la volée field_onthefly: Création des utilisateurs à la volée
field_start_date: Début
field_done_ratio: % réalisé field_done_ratio: % réalisé
field_auth_source: Mode d'authentification field_auth_source: Mode d'authentification
field_hide_mail: Cacher mon adresse mail field_hide_mail: Cacher mon adresse mail
@ -773,6 +772,8 @@ fr:
label_profile: Profil label_profile: Profil
label_subtask_plural: Sous-tâches label_subtask_plural: Sous-tâches
label_project_copy_notifications: Envoyer les notifications durant la copie du projet label_project_copy_notifications: Envoyer les notifications durant la copie du projet
label_principal_search: "Rechercher un utilisateur ou un groupe :"
label_user_search: "Rechercher un utilisateur :"
button_login: Connexion button_login: Connexion
button_submit: Soumettre button_submit: Soumettre
@ -941,3 +942,4 @@ fr:
label_user_mail_option_none: Aucune notification label_user_mail_option_none: Aucune notification
field_member_of_group: Groupe de l'assigné field_member_of_group: Groupe de l'assigné
field_assigned_to_role: Rôle de l'assigné field_assigned_to_role: Rôle de l'assigné
field_start_date: Start date

View File

@ -290,7 +290,6 @@ gl:
field_role: Perfil field_role: Perfil
field_searchable: Incluír nas búsquedas field_searchable: Incluír nas búsquedas
field_spent_on: Data field_spent_on: Data
field_start_date: Data de inicio
field_start_page: Páxina principal field_start_page: Páxina principal
field_status: Estado field_status: Estado
field_subject: Tema field_subject: Tema
@ -831,12 +830,12 @@ gl:
text_wiki_page_destroy_children: Delete child pages and all their descendants text_wiki_page_destroy_children: Delete child pages and all their descendants
setting_password_min_length: Minimum password length setting_password_min_length: Minimum password length
field_group_by: Group results by field_group_by: Group results by
mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated" mail_subject_wiki_content_updated: "'{{id}}' wiki page has been updated"
label_wiki_content_added: Wiki page added label_wiki_content_added: Wiki page added
mail_subject_wiki_content_added: "'{{page}}' wiki page has been added" mail_subject_wiki_content_added: "'{{id}}' wiki page has been added"
mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}. mail_body_wiki_content_added: The '{{id}}' wiki page has been added by {{author}}.
label_wiki_content_updated: Wiki page updated label_wiki_content_updated: Wiki page updated
mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}. mail_body_wiki_content_updated: The '{{id}}' wiki page has been updated by {{author}}.
permission_add_project: Create project permission_add_project: Create project
setting_new_project_user_role_id: Role given to a non-admin user who creates a project setting_new_project_user_role_id: Role given to a non-admin user who creates a project
label_view_all_revisions: View all revisions label_view_all_revisions: View all revisions
@ -939,3 +938,6 @@ gl:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -154,6 +154,7 @@ he:
notice_file_not_found: הדף שאתה מנסה לגשת אליו אינו קיים או שהוסר. notice_file_not_found: הדף שאתה מנסה לגשת אליו אינו קיים או שהוסר.
notice_locking_conflict: המידע עודכן על ידי משתמש אחר. notice_locking_conflict: המידע עודכן על ידי משתמש אחר.
notice_not_authorized: אינך מורשה לראות דף זה. notice_not_authorized: אינך מורשה לראות דף זה.
notice_not_authorized_archived_project: הפרויקט שאתה מנסה לגשת אליו נמצא בארכיון.
notice_email_sent: "דואל נשלח לכתובת {{value}}" notice_email_sent: "דואל נשלח לכתובת {{value}}"
notice_email_error: "ארעה שגיאה בעת שליחת הדואל ({{value}})" notice_email_error: "ארעה שגיאה בעת שליחת הדואל ({{value}})"
notice_feeds_access_key_reseted: מפתח ה־RSS שלך אופס. notice_feeds_access_key_reseted: מפתח ה־RSS שלך אופס.
@ -196,10 +197,10 @@ he:
mail_body_account_activation_request: "משתמש חדש ({{value}}) נרשם. החשבון שלו מחכה לאישור שלך:" mail_body_account_activation_request: "משתמש חדש ({{value}}) נרשם. החשבון שלו מחכה לאישור שלך:"
mail_subject_reminder: "{{count}} נושאים מיועדים להגשה בימים הקרובים ({{days}})" mail_subject_reminder: "{{count}} נושאים מיועדים להגשה בימים הקרובים ({{days}})"
mail_body_reminder: "{{count}} נושאים שמיועדים אליך מיועדים להגשה בתוך {{days}} ימים:" mail_body_reminder: "{{count}} נושאים שמיועדים אליך מיועדים להגשה בתוך {{days}} ימים:"
mail_subject_wiki_content_added: "דף ה־wiki '{{page}}' נוסף" mail_subject_wiki_content_added: "דף ה־wiki '{{id}}' נוסף"
mail_body_wiki_content_added: דף ה־wiki '{{page}}' נוסף ע"י {{author}}. mail_body_wiki_content_added: דף ה־wiki '{{id}}' נוסף ע"י {{author}}.
mail_subject_wiki_content_updated: "דף ה־wiki '{{page}}' עודכן" mail_subject_wiki_content_updated: "דף ה־wiki '{{id}}' עודכן"
mail_body_wiki_content_updated: דף ה־wiki '{{page}}' עודכן ע"י {{author}}. mail_body_wiki_content_updated: דף ה־wiki '{{id}}' עודכן ע"י {{author}}.
gui_validation_error: שגיאה 1 gui_validation_error: שגיאה 1
gui_validation_error_plural: "{{count}} שגיאות" gui_validation_error_plural: "{{count}} שגיאות"
@ -265,7 +266,6 @@ he:
field_attr_lastname: תכונת שם משפחה field_attr_lastname: תכונת שם משפחה
field_attr_mail: תכונת דוא"ל field_attr_mail: תכונת דוא"ל
field_onthefly: יצירת משתמשים זריזה field_onthefly: יצירת משתמשים זריזה
field_start_date: תאריך התחלה
field_done_ratio: % גמור field_done_ratio: % גמור
field_auth_source: מקור הזדהות field_auth_source: מקור הזדהות
field_hide_mail: החבא את כתובת הדוא"ל שלי field_hide_mail: החבא את כתובת הדוא"ל שלי
@ -927,4 +927,6 @@ he:
label_user_mail_option_none: No events label_user_mail_option_none: No events
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -184,10 +184,10 @@ hr:
mail_body_account_activation_request: "Novi korisnik ({{value}}) je registriran. Njegov korisnički račun čeka vaše odobrenje:" mail_body_account_activation_request: "Novi korisnik ({{value}}) je registriran. Njegov korisnički račun čeka vaše odobrenje:"
mail_subject_reminder: "{{count}} predmet(a) dospijeva sljedećih {{days}} dana" mail_subject_reminder: "{{count}} predmet(a) dospijeva sljedećih {{days}} dana"
mail_body_reminder: "{{count}} vama dodijeljen(ih) predmet(a) dospijeva u sljedećih {{days}} dana:" mail_body_reminder: "{{count}} vama dodijeljen(ih) predmet(a) dospijeva u sljedećih {{days}} dana:"
mail_subject_wiki_content_added: "'{{page}}' wiki page has been added" mail_subject_wiki_content_added: "'{{id}}' wiki page has been added"
mail_body_wiki_content_added: "The '{{page}}' wiki page has been added by {{author}}." mail_body_wiki_content_added: "The '{{id}}' wiki page has been added by {{author}}."
mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated" mail_subject_wiki_content_updated: "'{{id}}' wiki page has been updated"
mail_body_wiki_content_updated: "The '{{page}}' wiki page has been updated by {{author}}." mail_body_wiki_content_updated: "The '{{id}}' wiki page has been updated by {{author}}."
gui_validation_error: 1 pogreška gui_validation_error: 1 pogreška
gui_validation_error_plural: "{{count}} pogrešaka" gui_validation_error_plural: "{{count}} pogrešaka"
@ -253,7 +253,6 @@ hr:
field_attr_lastname: Atribut prezimena field_attr_lastname: Atribut prezimena
field_attr_mail: Atribut e-pošte field_attr_mail: Atribut e-pošte
field_onthefly: "Izrada korisnika \"u hodu\"" field_onthefly: "Izrada korisnika \"u hodu\""
field_start_date: Pocetak
field_done_ratio: % Učinjeno field_done_ratio: % Učinjeno
field_auth_source: Vrsta prijavljivanja field_auth_source: Vrsta prijavljivanja
field_hide_mail: Sakrij moju adresu e-pošte field_hide_mail: Sakrij moju adresu e-pošte
@ -930,3 +929,6 @@ hr:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -260,7 +260,6 @@
field_attr_lastname: Vezetéknév field_attr_lastname: Vezetéknév
field_attr_mail: E-mail field_attr_mail: E-mail
field_onthefly: On-the-fly felhasználó létrehozás field_onthefly: On-the-fly felhasználó létrehozás
field_start_date: Kezdés dátuma
field_done_ratio: Elkészült (%) field_done_ratio: Elkészült (%)
field_auth_source: Azonosítási mód field_auth_source: Azonosítási mód
field_hide_mail: Rejtse el az e-mail címem field_hide_mail: Rejtse el az e-mail címem
@ -838,12 +837,12 @@
text_wiki_page_destroy_children: Minden aloldal és leszármazottjának törlése text_wiki_page_destroy_children: Minden aloldal és leszármazottjának törlése
setting_password_min_length: Minimum jelszó hosszúság setting_password_min_length: Minimum jelszó hosszúság
field_group_by: Szerint csoportosítva field_group_by: Szerint csoportosítva
mail_subject_wiki_content_updated: "'{{page}}' wiki oldal frissítve" mail_subject_wiki_content_updated: "'{{id}}' wiki oldal frissítve"
label_wiki_content_added: Wiki oldal hozzáadva label_wiki_content_added: Wiki oldal hozzáadva
mail_subject_wiki_content_added: "Új wiki oldal: '{{page}}'" mail_subject_wiki_content_added: "Új wiki oldal: '{{id}}'"
mail_body_wiki_content_added: A '{{page}}' wiki oldalt {{author}} hozta létre. mail_body_wiki_content_added: A '{{id}}' wiki oldalt {{author}} hozta létre.
label_wiki_content_updated: Wiki oldal frissítve label_wiki_content_updated: Wiki oldal frissítve
mail_body_wiki_content_updated: A '{{page}}' wiki oldalt {{author}} frissítette. mail_body_wiki_content_updated: A '{{id}}' wiki oldalt {{author}} frissítette.
permission_add_project: Projekt létrehozása permission_add_project: Projekt létrehozása
setting_new_project_user_role_id: Projekt létrehozási jog nem adminisztrátor felhasználóknak setting_new_project_user_role_id: Projekt létrehozási jog nem adminisztrátor felhasználóknak
label_view_all_revisions: Minden revízió megtekintése label_view_all_revisions: Minden revízió megtekintése
@ -946,3 +945,6 @@
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -181,10 +181,10 @@ id:
mail_body_account_activation_request: "Pengguna baru ({{value}}) sudan didaftarkan. Akun tersebut menunggu persetujuan anda:" mail_body_account_activation_request: "Pengguna baru ({{value}}) sudan didaftarkan. Akun tersebut menunggu persetujuan anda:"
mail_subject_reminder: "{{count}} masalah harus selesai pada hari berikutnya ({{days}})" mail_subject_reminder: "{{count}} masalah harus selesai pada hari berikutnya ({{days}})"
mail_body_reminder: "{{count}} masalah yang ditugaskan pada anda harus selesai dalam {{days}} hari kedepan:" mail_body_reminder: "{{count}} masalah yang ditugaskan pada anda harus selesai dalam {{days}} hari kedepan:"
mail_subject_wiki_content_added: "'{{page}}' halaman wiki sudah ditambahkan" mail_subject_wiki_content_added: "'{{id}}' halaman wiki sudah ditambahkan"
mail_body_wiki_content_added: "The '{{page}}' halaman wiki sudah ditambahkan oleh {{author}}." mail_body_wiki_content_added: "The '{{id}}' halaman wiki sudah ditambahkan oleh {{author}}."
mail_subject_wiki_content_updated: "'{{page}}' halaman wiki sudah diperbarui" mail_subject_wiki_content_updated: "'{{id}}' halaman wiki sudah diperbarui"
mail_body_wiki_content_updated: "The '{{page}}' halaman wiki sudah diperbarui oleh {{author}}." mail_body_wiki_content_updated: "The '{{id}}' halaman wiki sudah diperbarui oleh {{author}}."
gui_validation_error: 1 kesalahan gui_validation_error: 1 kesalahan
gui_validation_error_plural: "{{count}} kesalahan" gui_validation_error_plural: "{{count}} kesalahan"
@ -251,7 +251,6 @@ id:
field_attr_lastname: Atribut nama belakang field_attr_lastname: Atribut nama belakang
field_attr_mail: Atribut email field_attr_mail: Atribut email
field_onthefly: Pembuatan pengguna seketika field_onthefly: Pembuatan pengguna seketika
field_start_date: Mulai
field_done_ratio: % Selesai field_done_ratio: % Selesai
field_auth_source: Mode otentikasi field_auth_source: Mode otentikasi
field_hide_mail: Sembunyikan email saya field_hide_mail: Sembunyikan email saya
@ -931,3 +930,6 @@ id:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -232,7 +232,6 @@ it:
field_attr_lastname: Attributo cognome field_attr_lastname: Attributo cognome
field_attr_mail: Attributo email field_attr_mail: Attributo email
field_onthefly: Creazione utente "al volo" field_onthefly: Creazione utente "al volo"
field_start_date: Inizio
field_done_ratio: % completato field_done_ratio: % completato
field_auth_source: Modalità di autenticazione field_auth_source: Modalità di autenticazione
field_hide_mail: Nascondi il mio indirizzo email field_hide_mail: Nascondi il mio indirizzo email
@ -819,12 +818,12 @@ it:
text_wiki_page_destroy_children: Elimina le pagine figlie e tutta la discendenza text_wiki_page_destroy_children: Elimina le pagine figlie e tutta la discendenza
setting_password_min_length: Lunghezza minima password setting_password_min_length: Lunghezza minima password
field_group_by: Raggruppa risultati per field_group_by: Raggruppa risultati per
mail_subject_wiki_content_updated: "La pagina wiki '{{page}}' è stata aggiornata" mail_subject_wiki_content_updated: "La pagina wiki '{{id}}' è stata aggiornata"
label_wiki_content_added: Aggiunta pagina al wiki label_wiki_content_added: Aggiunta pagina al wiki
mail_subject_wiki_content_added: "La pagina '{{page}}' è stata aggiunta al wiki" mail_subject_wiki_content_added: "La pagina '{{id}}' è stata aggiunta al wiki"
mail_body_wiki_content_added: La pagina '{{page}}' è stata aggiunta al wiki da {{author}}. mail_body_wiki_content_added: La pagina '{{id}}' è stata aggiunta al wiki da {{author}}.
label_wiki_content_updated: Aggiornata pagina wiki label_wiki_content_updated: Aggiornata pagina wiki
mail_body_wiki_content_updated: La pagina '{{page}}' wiki è stata aggiornata da{{author}}. mail_body_wiki_content_updated: La pagina '{{id}}' wiki è stata aggiornata da{{author}}.
permission_add_project: Crea progetto permission_add_project: Crea progetto
setting_new_project_user_role_id: Ruolo assegnato agli utenti non amministratori che creano un progetto setting_new_project_user_role_id: Ruolo assegnato agli utenti non amministratori che creano un progetto
label_view_all_revisions: Mostra tutte le revisioni label_view_all_revisions: Mostra tutte le revisioni
@ -927,3 +926,6 @@ it:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -175,6 +175,7 @@ ja:
notice_file_not_found: アクセスしようとしたページは存在しないか削除されています。 notice_file_not_found: アクセスしようとしたページは存在しないか削除されています。
notice_locking_conflict: 別のユーザがデータを更新しています。 notice_locking_conflict: 別のユーザがデータを更新しています。
notice_not_authorized: このページにアクセスするには認証が必要です。 notice_not_authorized: このページにアクセスするには認証が必要です。
notice_not_authorized_archived_project: プロジェクトは書庫に保存されています。
notice_email_sent: "{{value}} 宛にメールを送信しました。" notice_email_sent: "{{value}} 宛にメールを送信しました。"
notice_email_error: "メール送信中にエラーが発生しました ({{value}})" notice_email_error: "メール送信中にエラーが発生しました ({{value}})"
notice_feeds_access_key_reseted: RSSアクセスキーを初期化しました。 notice_feeds_access_key_reseted: RSSアクセスキーを初期化しました。
@ -218,10 +219,10 @@ ja:
mail_body_account_activation_request: "新しいユーザ {{value}} が登録されました。このアカウントはあなたの承認待ちです:" mail_body_account_activation_request: "新しいユーザ {{value}} が登録されました。このアカウントはあなたの承認待ちです:"
mail_subject_reminder: "{{count}}件のチケットの期日が{{days}}日以内に到来します" mail_subject_reminder: "{{count}}件のチケットの期日が{{days}}日以内に到来します"
mail_body_reminder: "{{count}}件の担当チケットの期日が{{days}}日以内に到来します:" mail_body_reminder: "{{count}}件の担当チケットの期日が{{days}}日以内に到来します:"
mail_subject_wiki_content_added: "Wikiページ {{page}} が追加されました" mail_subject_wiki_content_added: "Wikiページ {{id}} が追加されました"
mail_body_wiki_content_added: "{{author}} によってWikiページ {{page}} が追加されました。" mail_body_wiki_content_added: "{{author}} によってWikiページ {{id}} が追加されました。"
mail_subject_wiki_content_updated: "Wikiページ {{page}} が更新されました" mail_subject_wiki_content_updated: "Wikiページ {{id}} が更新されました"
mail_body_wiki_content_updated: "{{author}} によってWikiページ {{page}} が更新されました。" mail_body_wiki_content_updated: "{{author}} によってWikiページ {{id}} が更新されました。"
gui_validation_error: 1件のエラー gui_validation_error: 1件のエラー
gui_validation_error_plural: "{{count}}件のエラー" gui_validation_error_plural: "{{count}}件のエラー"
@ -287,7 +288,6 @@ ja:
field_attr_lastname: 苗字属性 field_attr_lastname: 苗字属性
field_attr_mail: メール属性 field_attr_mail: メール属性
field_onthefly: あわせてユーザを作成 field_onthefly: あわせてユーザを作成
field_start_date: 開始日
field_done_ratio: 進捗 % field_done_ratio: 進捗 %
field_auth_source: 認証方式 field_auth_source: 認証方式
field_hide_mail: メールアドレスを隠す field_hide_mail: メールアドレスを隠す
@ -319,6 +319,8 @@ ja:
field_group_by: グループ条件 field_group_by: グループ条件
field_sharing: 共有 field_sharing: 共有
field_parent_issue: 親チケット field_parent_issue: 親チケット
field_member_of_group: 担当者のグループ
field_assigned_to_role: 担当者のロール
field_text: テキスト field_text: テキスト
setting_app_title: アプリケーションのタイトル setting_app_title: アプリケーションのタイトル
@ -751,6 +753,7 @@ ja:
label_search_titles_only: タイトルのみ label_search_titles_only: タイトルのみ
label_user_mail_option_all: "参加しているプロジェクトの全ての通知" label_user_mail_option_all: "参加しているプロジェクトの全ての通知"
label_user_mail_option_selected: "選択したプロジェクトの全ての通知..." label_user_mail_option_selected: "選択したプロジェクトの全ての通知..."
label_user_mail_option_none: "通知しない"
label_user_mail_option_only_my_events: "ウォッチまたは関係している事柄のみ" label_user_mail_option_only_my_events: "ウォッチまたは関係している事柄のみ"
label_user_mail_option_only_assigned: "自分が担当している事柄のみ" label_user_mail_option_only_assigned: "自分が担当している事柄のみ"
label_user_mail_option_only_owner: "自分が作成した事柄のみ" label_user_mail_option_only_owner: "自分が作成した事柄のみ"
@ -944,7 +947,6 @@ ja:
enumeration_doc_categories: 文書カテゴリ enumeration_doc_categories: 文書カテゴリ
enumeration_activities: 作業分類 (時間トラッキング) enumeration_activities: 作業分類 (時間トラッキング)
enumeration_system_activity: システム作業分類 enumeration_system_activity: システム作業分類
label_user_mail_option_none: No events field_start_date: Start date
field_member_of_group: Assignee's group label_principal_search: "Search for user or group:"
field_assigned_to_role: Assignee's role label_user_search: "Search for user:"
notice_not_authorized_archived_project: The project you're trying to access has been archived.

View File

@ -231,10 +231,10 @@ ko:
mail_body_account_activation_request: "새 사용자({{value}})가 등록되었습니다. 관리자님의 승인을 기다리고 있습니다.:" mail_body_account_activation_request: "새 사용자({{value}})가 등록되었습니다. 관리자님의 승인을 기다리고 있습니다.:"
mail_body_reminder: "당신이 맡고 있는 일감 {{count}}개의 완료 기한이 {{days}}일 후 입니다." mail_body_reminder: "당신이 맡고 있는 일감 {{count}}개의 완료 기한이 {{days}}일 후 입니다."
mail_subject_reminder: "내일이 만기인 일감 {{count}}개 ({{days}})" mail_subject_reminder: "내일이 만기인 일감 {{count}}개 ({{days}})"
mail_subject_wiki_content_added: "위키페이지 '{{page}}'이(가) 추가되었습니다." mail_subject_wiki_content_added: "위키페이지 '{{id}}'이(가) 추가되었습니다."
mail_subject_wiki_content_updated: "'위키페이지 {{page}}'이(가) 수정되었습니다." mail_subject_wiki_content_updated: "'위키페이지 {{id}}'이(가) 수정되었습니다."
mail_body_wiki_content_added: "{{author}}이(가) 위키페이지 '{{page}}'을(를) 추가하였습니다." mail_body_wiki_content_added: "{{author}}이(가) 위키페이지 '{{id}}'을(를) 추가하였습니다."
mail_body_wiki_content_updated: "{{author}}이(가) 위키페이지 '{{page}}'을(를) 수정하였습니다." mail_body_wiki_content_updated: "{{author}}이(가) 위키페이지 '{{id}}'을(를) 수정하였습니다."
gui_validation_error: 에러 gui_validation_error: 에러
gui_validation_error_plural: "{{count}}개 에러" gui_validation_error_plural: "{{count}}개 에러"
@ -299,7 +299,6 @@ ko:
field_attr_lastname: 성 속성 field_attr_lastname: 성 속성
field_attr_mail: 메일 속성 field_attr_mail: 메일 속성
field_onthefly: 동적 사용자 생성 field_onthefly: 동적 사용자 생성
field_start_date: 시작시간
field_done_ratio: 진척도 field_done_ratio: 진척도
field_auth_source: 인증 공급자 field_auth_source: 인증 공급자
field_hide_mail: 메일 주소 숨기기 field_hide_mail: 메일 주소 숨기기
@ -979,3 +978,6 @@ ko:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -241,10 +241,10 @@ lt:
mail_body_account_activation_request: "Užsiregistravo naujas vartotojas ({{value}}). Jo paskyra laukia jūsų patvirtinimo:" mail_body_account_activation_request: "Užsiregistravo naujas vartotojas ({{value}}). Jo paskyra laukia jūsų patvirtinimo:"
mail_subject_reminder: "{{count}} darbas(ai) po kelių {{days}} dienų" mail_subject_reminder: "{{count}} darbas(ai) po kelių {{days}} dienų"
mail_body_reminder: "{{count}} darbas(ai), kurie yra jums priskirti, baigiasi po {{days}} dienų(os):" mail_body_reminder: "{{count}} darbas(ai), kurie yra jums priskirti, baigiasi po {{days}} dienų(os):"
mail_subject_wiki_content_added: "'{{page}}' pridėtas wiki puslapis" mail_subject_wiki_content_added: "'{{id}}' pridėtas wiki puslapis"
mail_body_wiki_content_added: "The '{{page}}' wiki puslapi pridėjo {{author}}." mail_body_wiki_content_added: "The '{{id}}' wiki puslapi pridėjo {{author}}."
mail_subject_wiki_content_updated: "'{{page}}' atnaujintas wiki puslapis" mail_subject_wiki_content_updated: "'{{id}}' atnaujintas wiki puslapis"
mail_body_wiki_content_updated: "The '{{page}}' wiki puslapį atnaujino {{author}}." mail_body_wiki_content_updated: "The '{{id}}' wiki puslapį atnaujino {{author}}."
gui_validation_error: 1 klaida gui_validation_error: 1 klaida
gui_validation_error_plural: "{{count}} klaidų(os)" gui_validation_error_plural: "{{count}} klaidų(os)"
@ -310,7 +310,6 @@ lt:
field_attr_lastname: Pavardės priskiria field_attr_lastname: Pavardės priskiria
field_attr_mail: Elektroninio pašto požymis field_attr_mail: Elektroninio pašto požymis
field_onthefly: Automatinis vartotojų registravimas field_onthefly: Automatinis vartotojų registravimas
field_start_date: Pradėti
field_done_ratio: % atlikta field_done_ratio: % atlikta
field_auth_source: Autentiškumo nustatymo būdas field_auth_source: Autentiškumo nustatymo būdas
field_hide_mail: Paslėpkite mano elektroninio pašto adresą field_hide_mail: Paslėpkite mano elektroninio pašto adresą
@ -987,3 +986,6 @@ lt:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -180,10 +180,10 @@ lv:
mail_body_account_activation_request: "Jauns lietotājs ({{value}}) ir reģistrēts. Lietotāja konts gaida Jūsu apstiprinājumu:" mail_body_account_activation_request: "Jauns lietotājs ({{value}}) ir reģistrēts. Lietotāja konts gaida Jūsu apstiprinājumu:"
mail_subject_reminder: "{{count}} uzdevums(i) sagaidāms(i) tuvākajās {{days}} dienās" mail_subject_reminder: "{{count}} uzdevums(i) sagaidāms(i) tuvākajās {{days}} dienās"
mail_body_reminder: "{{count}} uzdevums(i), kurš(i) ir nozīmēts(i) Jums, sagaidāms(i) tuvākajās {{days}} dienās:" mail_body_reminder: "{{count}} uzdevums(i), kurš(i) ir nozīmēts(i) Jums, sagaidāms(i) tuvākajās {{days}} dienās:"
mail_subject_wiki_content_added: "'{{page}}' Wiki lapa pievienota" mail_subject_wiki_content_added: "'{{id}}' Wiki lapa pievienota"
mail_body_wiki_content_added: "The '{{page}}' Wiki lapu pievienojis {{author}}." mail_body_wiki_content_added: "The '{{id}}' Wiki lapu pievienojis {{author}}."
mail_subject_wiki_content_updated: "'{{page}}' Wiki lapa atjaunota" mail_subject_wiki_content_updated: "'{{id}}' Wiki lapa atjaunota"
mail_body_wiki_content_updated: "The '{{page}}' Wiki lapu atjaunojis {{author}}." mail_body_wiki_content_updated: "The '{{id}}' Wiki lapu atjaunojis {{author}}."
gui_validation_error: 1 kļūda gui_validation_error: 1 kļūda
gui_validation_error_plural: "{{count}} kļūdas" gui_validation_error_plural: "{{count}} kļūdas"
@ -248,7 +248,6 @@ lv:
field_attr_lastname: Uzvārda atribūts field_attr_lastname: Uzvārda atribūts
field_attr_mail: "E-pasta atribūts" field_attr_mail: "E-pasta atribūts"
field_onthefly: "Lietotāja izveidošana on-the-fly" field_onthefly: "Lietotāja izveidošana on-the-fly"
field_start_date: Sākuma datums
field_done_ratio: % padarīti field_done_ratio: % padarīti
field_auth_source: Pilnvarošanas režīms field_auth_source: Pilnvarošanas režīms
field_hide_mail: "Paslēpt manu e-pasta adresi" field_hide_mail: "Paslēpt manu e-pasta adresi"
@ -918,3 +917,6 @@ lv:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -192,10 +192,10 @@ mk:
mail_body_account_activation_request: "Нов корисник ({{value}}) е регистриран. The account is pending your approval:" mail_body_account_activation_request: "Нов корисник ({{value}}) е регистриран. The account is pending your approval:"
mail_subject_reminder: "{{count}} issue(s) due in the next {{days}} days" mail_subject_reminder: "{{count}} issue(s) due in the next {{days}} days"
mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:" mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
mail_subject_wiki_content_added: "'{{page}}' wiki page has been added" mail_subject_wiki_content_added: "'{{id}}' wiki page has been added"
mail_body_wiki_content_added: "The '{{page}}' wiki page has been added by {{author}}." mail_body_wiki_content_added: "The '{{id}}' wiki page has been added by {{author}}."
mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated" mail_subject_wiki_content_updated: "'{{id}}' wiki page has been updated"
mail_body_wiki_content_updated: "The '{{page}}' wiki page has been updated by {{author}}." mail_body_wiki_content_updated: "The '{{id}}' wiki page has been updated by {{author}}."
gui_validation_error: 1 грешка gui_validation_error: 1 грешка
gui_validation_error_plural: "{{count}} грешки" gui_validation_error_plural: "{{count}} грешки"
@ -261,7 +261,6 @@ mk:
field_attr_lastname: Lastname attribute field_attr_lastname: Lastname attribute
field_attr_mail: Email attribute field_attr_mail: Email attribute
field_onthefly: Моментално (On-the-fly) креирање на корисници field_onthefly: Моментално (On-the-fly) креирање на корисници
field_start_date: Почеток
field_done_ratio: % Завршено field_done_ratio: % Завршено
field_auth_source: Режим на автентикација field_auth_source: Режим на автентикација
field_hide_mail: Криј ја мојата адреса на е-пошта field_hide_mail: Криј ја мојата адреса на е-пошта
@ -851,7 +850,7 @@ mk:
text_line_separated: Дозволени се повеќе вредности (една линија за секоја вредност). text_line_separated: Дозволени се повеќе вредности (една линија за секоја вредност).
text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages
text_issue_added: "Задачата {{id}} е пријавена од {{author}}." text_issue_added: "Задачата {{id}} е пријавена од {{author}}."
text_issue_updated: "Зачата {{id}} е ажурирана од {{author}}." text_issue_updated: "Задачата {{id}} е ажурирана од {{author}}."
text_wiki_destroy_confirmation: Дали сте сигурни дека сакате да го избришете ова вики и целата негова содржина? text_wiki_destroy_confirmation: Дали сте сигурни дека сакате да го избришете ова вики и целата негова содржина?
text_issue_category_destroy_question: "Некои задачи ({{count}}) се доделени на оваа категорија. Што сакате да правите?" text_issue_category_destroy_question: "Некои задачи ({{count}}) се доделени на оваа категорија. Што сакате да правите?"
text_issue_category_destroy_assignments: Remove category assignments text_issue_category_destroy_assignments: Remove category assignments
@ -923,3 +922,6 @@ mk:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -184,10 +184,10 @@ mn:
mail_body_account_activation_request: "Шинэ хэрэглэгч ({{value}}) бүртгүүлсэн байна. Таны баталгаажуулахыг хүлээж байна:" mail_body_account_activation_request: "Шинэ хэрэглэгч ({{value}}) бүртгүүлсэн байна. Таны баталгаажуулахыг хүлээж байна:"
mail_subject_reminder: "Дараагийн өдрүүдэд {{count}} асуудлыг шийдэх хэрэгтэй ({{days}})" mail_subject_reminder: "Дараагийн өдрүүдэд {{count}} асуудлыг шийдэх хэрэгтэй ({{days}})"
mail_body_reminder: "Танд оноогдсон {{count}} асуудлуудыг дараагийн {{days}} өдрүүдэд шийдэх хэрэгтэй:" mail_body_reminder: "Танд оноогдсон {{count}} асуудлуудыг дараагийн {{days}} өдрүүдэд шийдэх хэрэгтэй:"
mail_subject_wiki_content_added: "'{{page}}' wiki page has been added" mail_subject_wiki_content_added: "'{{id}}' wiki page has been added"
mail_body_wiki_content_added: "The '{{page}}' wiki page has been added by {{author}}." mail_body_wiki_content_added: "The '{{id}}' wiki page has been added by {{author}}."
mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated" mail_subject_wiki_content_updated: "'{{id}}' wiki page has been updated"
mail_body_wiki_content_updated: "The '{{page}}' wiki page has been updated by {{author}}." mail_body_wiki_content_updated: "The '{{id}}' wiki page has been updated by {{author}}."
gui_validation_error: 1 алдаа gui_validation_error: 1 алдаа
gui_validation_error_plural: "{{count}} алдаа" gui_validation_error_plural: "{{count}} алдаа"
@ -252,7 +252,6 @@ mn:
field_attr_lastname: Овог аттрибут field_attr_lastname: Овог аттрибут
field_attr_mail: Имэйл аттрибут field_attr_mail: Имэйл аттрибут
field_onthefly: Хүссэн үедээ хэрэглэгч үүсгэх field_onthefly: Хүссэн үедээ хэрэглэгч үүсгэх
field_start_date: Эхлэл
field_done_ratio: %% Гүйцэтгэсэн field_done_ratio: %% Гүйцэтгэсэн
field_auth_source: Нэвтрэх арга field_auth_source: Нэвтрэх арга
field_hide_mail: Миний имэйл хаягийг нуу field_hide_mail: Миний имэйл хаягийг нуу
@ -924,3 +923,6 @@ mn:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -256,7 +256,6 @@ nl:
field_role: Rol field_role: Rol
field_searchable: Doorzoekbaar field_searchable: Doorzoekbaar
field_spent_on: Datum field_spent_on: Datum
field_start_date: Startdatum
field_start_page: Startpagina field_start_page: Startpagina
field_status: Status field_status: Status
field_subject: Onderwerp field_subject: Onderwerp
@ -797,12 +796,12 @@ nl:
text_wiki_page_destroy_children: Verwijder alle subpagina's en onderliggende pagina's text_wiki_page_destroy_children: Verwijder alle subpagina's en onderliggende pagina's
setting_password_min_length: Minimum wachtwoord lengte setting_password_min_length: Minimum wachtwoord lengte
field_group_by: Groepeer resultaten per field_group_by: Groepeer resultaten per
mail_subject_wiki_content_updated: "'{{page}}' wiki pagina is bijgewerkt" mail_subject_wiki_content_updated: "'{{id}}' wiki pagina is bijgewerkt"
label_wiki_content_added: Wiki pagina toegevoegd label_wiki_content_added: Wiki pagina toegevoegd
mail_subject_wiki_content_added: "'{{page}}' wiki pagina is toegevoegd" mail_subject_wiki_content_added: "'{{id}}' wiki pagina is toegevoegd"
mail_body_wiki_content_added: The '{{page}}' wiki pagina is toegevoegd door {{author}}. mail_body_wiki_content_added: The '{{id}}' wiki pagina is toegevoegd door {{author}}.
label_wiki_content_updated: Wiki pagina bijgewerkt label_wiki_content_updated: Wiki pagina bijgewerkt
mail_body_wiki_content_updated: The '{{page}}' wiki pagina is bijgewerkt door {{author}}. mail_body_wiki_content_updated: The '{{id}}' wiki pagina is bijgewerkt door {{author}}.
permission_add_project: Maak project permission_add_project: Maak project
setting_new_project_user_role_id: Rol van gebruiker die een project maakt setting_new_project_user_role_id: Rol van gebruiker die een project maakt
label_view_all_revisions: Bekijk alle revisies label_view_all_revisions: Bekijk alle revisies
@ -905,3 +904,6 @@ nl:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -231,7 +231,6 @@
field_attr_lastname: Etternavnsattributt field_attr_lastname: Etternavnsattributt
field_attr_mail: E-post-attributt field_attr_mail: E-post-attributt
field_onthefly: On-the-fly brukeropprettelse field_onthefly: On-the-fly brukeropprettelse
field_start_date: Start
field_done_ratio: % Ferdig field_done_ratio: % Ferdig
field_auth_source: Autentifikasjonsmodus field_auth_source: Autentifikasjonsmodus
field_hide_mail: Skjul min e-post-adresse field_hide_mail: Skjul min e-post-adresse
@ -806,12 +805,12 @@
text_wiki_page_destroy_children: Delete child pages and all their descendants text_wiki_page_destroy_children: Delete child pages and all their descendants
setting_password_min_length: Minimum password length setting_password_min_length: Minimum password length
field_group_by: Group results by field_group_by: Group results by
mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated" mail_subject_wiki_content_updated: "'{{id}}' wiki page has been updated"
label_wiki_content_added: Wiki page added label_wiki_content_added: Wiki page added
mail_subject_wiki_content_added: "'{{page}}' wiki page has been added" mail_subject_wiki_content_added: "'{{id}}' wiki page has been added"
mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}. mail_body_wiki_content_added: The '{{id}}' wiki page has been added by {{author}}.
label_wiki_content_updated: Wiki page updated label_wiki_content_updated: Wiki page updated
mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}. mail_body_wiki_content_updated: The '{{id}}' wiki page has been updated by {{author}}.
permission_add_project: Create project permission_add_project: Create project
setting_new_project_user_role_id: Role given to a non-admin user who creates a project setting_new_project_user_role_id: Role given to a non-admin user who creates a project
label_view_all_revisions: View all revisions label_view_all_revisions: View all revisions
@ -914,3 +913,6 @@
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -277,7 +277,6 @@ pl:
field_role: Rola field_role: Rola
field_searchable: Przeszukiwalne field_searchable: Przeszukiwalne
field_spent_on: Data field_spent_on: Data
field_start_date: Start
field_start_page: Strona startowa field_start_page: Strona startowa
field_status: Status field_status: Status
field_subject: Temat field_subject: Temat
@ -835,12 +834,12 @@ pl:
text_wiki_page_destroy_children: Usuń wszystkie podstrony text_wiki_page_destroy_children: Usuń wszystkie podstrony
setting_password_min_length: Minimalna długość hasła setting_password_min_length: Minimalna długość hasła
field_group_by: Grupuj wyniki wg field_group_by: Grupuj wyniki wg
mail_subject_wiki_content_updated: "Strona wiki '{{page}}' została uaktualniona" mail_subject_wiki_content_updated: "Strona wiki '{{id}}' została uaktualniona"
label_wiki_content_added: Dodano stronę wiki label_wiki_content_added: Dodano stronę wiki
mail_subject_wiki_content_added: "Strona wiki '{{page}}' została dodana" mail_subject_wiki_content_added: "Strona wiki '{{id}}' została dodana"
mail_body_wiki_content_added: Strona wiki '{{page}}' została dodana przez {{author}}. mail_body_wiki_content_added: Strona wiki '{{id}}' została dodana przez {{author}}.
label_wiki_content_updated: Uaktualniono stronę wiki label_wiki_content_updated: Uaktualniono stronę wiki
mail_body_wiki_content_updated: Strona wiki '{{page}}' została uaktualniona przez {{author}}. mail_body_wiki_content_updated: Strona wiki '{{id}}' została uaktualniona przez {{author}}.
permission_add_project: Tworzenie projektu permission_add_project: Tworzenie projektu
setting_new_project_user_role_id: Rola nadawana twórcom projektów, którzy nie posiadają uprawnień administatora setting_new_project_user_role_id: Rola nadawana twórcom projektów, którzy nie posiadają uprawnień administatora
label_view_all_revisions: Pokaż wszystkie rewizje label_view_all_revisions: Pokaż wszystkie rewizje
@ -944,3 +943,6 @@ pl:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -264,7 +264,6 @@ pt-BR:
field_attr_lastname: Atributo para sobrenome field_attr_lastname: Atributo para sobrenome
field_attr_mail: Atributo para e-mail field_attr_mail: Atributo para e-mail
field_onthefly: Criar usuários dinamicamente ("on-the-fly") field_onthefly: Criar usuários dinamicamente ("on-the-fly")
field_start_date: Início
field_done_ratio: % Terminado field_done_ratio: % Terminado
field_auth_source: Modo de autenticação field_auth_source: Modo de autenticação
field_hide_mail: Ocultar meu e-mail field_hide_mail: Ocultar meu e-mail
@ -839,12 +838,12 @@ pt-BR:
text_wiki_page_destroy_children: Excluir páginas filhas e todas suas descendentes text_wiki_page_destroy_children: Excluir páginas filhas e todas suas descendentes
setting_password_min_length: Comprimento mínimo para senhas setting_password_min_length: Comprimento mínimo para senhas
field_group_by: Agrupar por field_group_by: Agrupar por
mail_subject_wiki_content_updated: "A página wiki '{{page}}' foi atualizada" mail_subject_wiki_content_updated: "A página wiki '{{id}}' foi atualizada"
label_wiki_content_added: Página wiki adicionada label_wiki_content_added: Página wiki adicionada
mail_subject_wiki_content_added: "A página wiki '{{page}}' foi adicionada" mail_subject_wiki_content_added: "A página wiki '{{id}}' foi adicionada"
mail_body_wiki_content_added: A página wiki '{{page}}' foi adicionada por {{author}}. mail_body_wiki_content_added: A página wiki '{{id}}' foi adicionada por {{author}}.
label_wiki_content_updated: Página wiki atualizada label_wiki_content_updated: Página wiki atualizada
mail_body_wiki_content_updated: A página wiki '{{page}}' foi atualizada por {{author}}. mail_body_wiki_content_updated: A página wiki '{{id}}' foi atualizada por {{author}}.
permission_add_project: Criar projeto permission_add_project: Criar projeto
setting_new_project_user_role_id: Papel atribuído a um usuário não-administrador que cria um projeto setting_new_project_user_role_id: Papel atribuído a um usuário não-administrador que cria um projeto
label_view_all_revisions: Ver todas as revisões label_view_all_revisions: Ver todas as revisões
@ -947,3 +946,6 @@ pt-BR:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -249,7 +249,6 @@ pt:
field_attr_lastname: Atributo último nome field_attr_lastname: Atributo último nome
field_attr_mail: Atributo e-mail field_attr_mail: Atributo e-mail
field_onthefly: Criação de utilizadores na hora field_onthefly: Criação de utilizadores na hora
field_start_date: Início
field_done_ratio: % Completo field_done_ratio: % Completo
field_auth_source: Modo de autenticação field_auth_source: Modo de autenticação
field_hide_mail: Esconder endereço de e-mail field_hide_mail: Esconder endereço de e-mail
@ -823,12 +822,12 @@ pt:
text_wiki_page_destroy_children: Apagar as páginas subordinadas e todos os seus descendentes text_wiki_page_destroy_children: Apagar as páginas subordinadas e todos os seus descendentes
setting_password_min_length: Tamanho mínimo de palavra-chave setting_password_min_length: Tamanho mínimo de palavra-chave
field_group_by: Agrupar resultados por field_group_by: Agrupar resultados por
mail_subject_wiki_content_updated: "A página Wiki '{{page}}' foi actualizada" mail_subject_wiki_content_updated: "A página Wiki '{{id}}' foi actualizada"
label_wiki_content_added: Página Wiki adicionada label_wiki_content_added: Página Wiki adicionada
mail_subject_wiki_content_added: "A página Wiki '{{page}}' foi adicionada" mail_subject_wiki_content_added: "A página Wiki '{{id}}' foi adicionada"
mail_body_wiki_content_added: A página Wiki '{{page}}' foi adicionada por {{author}}. mail_body_wiki_content_added: A página Wiki '{{id}}' foi adicionada por {{author}}.
label_wiki_content_updated: Página Wiki actualizada label_wiki_content_updated: Página Wiki actualizada
mail_body_wiki_content_updated: A página Wiki '{{page}}' foi actualizada por {{author}}. mail_body_wiki_content_updated: A página Wiki '{{id}}' foi actualizada por {{author}}.
permission_add_project: Criar projecto permission_add_project: Criar projecto
setting_new_project_user_role_id: Função atribuída a um utilizador não-administrador que cria um projecto setting_new_project_user_role_id: Função atribuída a um utilizador não-administrador que cria um projecto
label_view_all_revisions: Ver todas as revisões label_view_all_revisions: Ver todas as revisões
@ -931,3 +930,6 @@ pt:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -232,7 +232,6 @@ ro:
field_attr_lastname: Atribut nume field_attr_lastname: Atribut nume
field_attr_mail: Atribut email field_attr_mail: Atribut email
field_onthefly: Creare utilizator pe loc field_onthefly: Creare utilizator pe loc
field_start_date: Data începerii
field_done_ratio: Realizat (%) field_done_ratio: Realizat (%)
field_auth_source: Mod autentificare field_auth_source: Mod autentificare
field_hide_mail: Nu se afișează adresa de email field_hide_mail: Nu se afișează adresa de email
@ -808,12 +807,12 @@ ro:
text_wiki_page_destroy_children: Șterge paginile și descendenții text_wiki_page_destroy_children: Șterge paginile și descendenții
setting_password_min_length: Lungime minimă parolă setting_password_min_length: Lungime minimă parolă
field_group_by: Grupează după field_group_by: Grupează după
mail_subject_wiki_content_updated: "Pagina wiki '{{page}}' a fost actualizată" mail_subject_wiki_content_updated: "Pagina wiki '{{id}}' a fost actualizată"
label_wiki_content_added: Adăugat label_wiki_content_added: Adăugat
mail_subject_wiki_content_added: "Pagina wiki '{{page}}' a fost adăugată" mail_subject_wiki_content_added: "Pagina wiki '{{id}}' a fost adăugată"
mail_body_wiki_content_added: Pagina wiki '{{page}}' a fost adăugată de {{author}}. mail_body_wiki_content_added: Pagina wiki '{{id}}' a fost adăugată de {{author}}.
label_wiki_content_updated: Actualizat label_wiki_content_updated: Actualizat
mail_body_wiki_content_updated: Pagina wiki '{{page}}' a fost actualizată de {{author}}. mail_body_wiki_content_updated: Pagina wiki '{{id}}' a fost actualizată de {{author}}.
permission_add_project: Crează proiect permission_add_project: Crează proiect
setting_new_project_user_role_id: Rol atribuit utilizatorului non-admin care crează un proiect. setting_new_project_user_role_id: Rol atribuit utilizatorului non-admin care crează un proiect.
label_view_all_revisions: Arată toate reviziile label_view_all_revisions: Arată toate reviziile
@ -916,3 +915,6 @@ ro:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -313,6 +313,7 @@ ru:
field_description: Описание field_description: Описание
field_done_ratio: Готовность в % field_done_ratio: Готовность в %
field_downloads: Загрузки field_downloads: Загрузки
field_start_date: Дата начала
field_due_date: Дата выполнения field_due_date: Дата выполнения
field_editable: Редактируемый field_editable: Редактируемый
field_effective_date: Дата field_effective_date: Дата
@ -363,7 +364,6 @@ ru:
field_role: Роль field_role: Роль
field_searchable: Доступно для поиска field_searchable: Доступно для поиска
field_spent_on: Дата field_spent_on: Дата
field_start_date: Начата
field_start_page: Стартовая страница field_start_page: Стартовая страница
field_status: Статус field_status: Статус
field_subject: Тема field_subject: Тема
@ -959,12 +959,12 @@ ru:
text_wiki_page_destroy_children: Удалить дочерние страницы и всех их потомков text_wiki_page_destroy_children: Удалить дочерние страницы и всех их потомков
setting_password_min_length: Минимальная длина пароля setting_password_min_length: Минимальная длина пароля
field_group_by: Группировать результаты по field_group_by: Группировать результаты по
mail_subject_wiki_content_updated: "Wiki-страница '{{page}}' была обновлена" mail_subject_wiki_content_updated: "Wiki-страница '{{id}}' была обновлена"
label_wiki_content_added: Добавлена wiki-страница label_wiki_content_added: Добавлена wiki-страница
mail_subject_wiki_content_added: "Wiki-страница '{{page}}' была добавлена" mail_subject_wiki_content_added: "Wiki-страница '{{id}}' была добавлена"
mail_body_wiki_content_added: "{{author}} добавил(а) wiki-страницу '{{page}}'." mail_body_wiki_content_added: "{{author}} добавил(а) wiki-страницу '{{id}}'."
label_wiki_content_updated: Обновлена wiki-страница label_wiki_content_updated: Обновлена wiki-страница
mail_body_wiki_content_updated: "{{author}} обновил(а) wiki-страницу '{{page}}'." mail_body_wiki_content_updated: "{{author}} обновил(а) wiki-страницу '{{id}}'."
permission_add_project: Создание проекта permission_add_project: Создание проекта
setting_new_project_user_role_id: Роль, назначаемая пользователю, создавшему проект setting_new_project_user_role_id: Роль, назначаемая пользователю, создавшему проект
label_view_all_revisions: Показать все ревизии label_view_all_revisions: Показать все ревизии
@ -1036,7 +1036,10 @@ ru:
notice_unable_delete_time_entry: Невозможно удалить запись журнала. notice_unable_delete_time_entry: Невозможно удалить запись журнала.
label_overall_spent_time: Всего затрачено времени label_overall_spent_time: Всего затрачено времени
label_user_mail_option_none: No events label_user_mail_option_none: Нет событий
field_member_of_group: Assignee's group field_member_of_group: Группа назначенного
field_assigned_to_role: Assignee's role field_assigned_to_role: Роль назначенного
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: Запрашиваемый проект был архивирован.
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -231,7 +231,6 @@ sk:
field_attr_lastname: Priezvisko (atribut) field_attr_lastname: Priezvisko (atribut)
field_attr_mail: Email (atribut) field_attr_mail: Email (atribut)
field_onthefly: Automatické vytváranie užívateľov field_onthefly: Automatické vytváranie užívateľov
field_start_date: Začiatok
field_done_ratio: % hotovo field_done_ratio: % hotovo
field_auth_source: Autentifikačný mód field_auth_source: Autentifikačný mód
field_hide_mail: Nezobrazovať môj email field_hide_mail: Nezobrazovať môj email
@ -809,13 +808,13 @@ sk:
text_wiki_page_destroy_children: Vymazať podstránky a všetkých ich potomkov text_wiki_page_destroy_children: Vymazať podstránky a všetkých ich potomkov
setting_password_min_length: Minimálna dĺžka hesla setting_password_min_length: Minimálna dĺžka hesla
field_group_by: Skupinové výsledky podľa field_group_by: Skupinové výsledky podľa
mail_subject_wiki_content_updated: "'{{page}}' Wiki stránka bola aktualizovaná" mail_subject_wiki_content_updated: "'{{id}}' Wiki stránka bola aktualizovaná"
label_wiki_content_added: Wiki stránka pridaná label_wiki_content_added: Wiki stránka pridaná
mail_subject_wiki_content_added: "'{{page}}' Wiki stránka bola pridaná" mail_subject_wiki_content_added: "'{{id}}' Wiki stránka bola pridaná"
mail_body_wiki_content_added: The '{{page}}' Wiki stránka bola pridaná užívateľom {{author}}. mail_body_wiki_content_added: The '{{id}}' Wiki stránka bola pridaná užívateľom {{author}}.
permission_add_project: Vytvorenie projektu permission_add_project: Vytvorenie projektu
label_wiki_content_updated: Wiki stránka aktualizovaná label_wiki_content_updated: Wiki stránka aktualizovaná
mail_body_wiki_content_updated: Wiki stránka '{{page}}' bola aktualizovaná užívateľom {{author}}. mail_body_wiki_content_updated: Wiki stránka '{{id}}' bola aktualizovaná užívateľom {{author}}.
setting_repositories_encodings: Kódovanie repozitára setting_repositories_encodings: Kódovanie repozitára
setting_new_project_user_role_id: Rola dána non-admin užívateľovi, ktorý vytvorí projekt setting_new_project_user_role_id: Rola dána non-admin užívateľovi, ktorý vytvorí projekt
label_view_all_revisions: Zobraziť všetkz revízie label_view_all_revisions: Zobraziť všetkz revízie
@ -918,3 +917,6 @@ sk:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -236,7 +236,6 @@ sl:
field_attr_lastname: Oznaka za priimek field_attr_lastname: Oznaka za priimek
field_attr_mail: Oznaka za e-naslov field_attr_mail: Oznaka za e-naslov
field_onthefly: Sprotna izdelava uporabnikov field_onthefly: Sprotna izdelava uporabnikov
field_start_date: Začetek
field_done_ratio: % Narejeno field_done_ratio: % Narejeno
field_auth_source: Način overovljanja field_auth_source: Način overovljanja
field_hide_mail: Skrij moj e-naslov field_hide_mail: Skrij moj e-naslov
@ -811,12 +810,12 @@ sl:
text_wiki_page_destroy_children: Delete child pages and all their descendants text_wiki_page_destroy_children: Delete child pages and all their descendants
setting_password_min_length: Minimum password length setting_password_min_length: Minimum password length
field_group_by: Group results by field_group_by: Group results by
mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated" mail_subject_wiki_content_updated: "'{{id}}' wiki page has been updated"
label_wiki_content_added: Wiki page added label_wiki_content_added: Wiki page added
mail_subject_wiki_content_added: "'{{page}}' wiki page has been added" mail_subject_wiki_content_added: "'{{id}}' wiki page has been added"
mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}. mail_body_wiki_content_added: The '{{id}}' wiki page has been added by {{author}}.
label_wiki_content_updated: Wiki page updated label_wiki_content_updated: Wiki page updated
mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}. mail_body_wiki_content_updated: The '{{id}}' wiki page has been updated by {{author}}.
permission_add_project: Create project permission_add_project: Create project
setting_new_project_user_role_id: Role given to a non-admin user who creates a project setting_new_project_user_role_id: Role given to a non-admin user who creates a project
label_view_all_revisions: View all revisions label_view_all_revisions: View all revisions
@ -919,3 +918,6 @@ sl:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -192,10 +192,10 @@ sr-YU:
mail_body_account_activation_request: "Novi korisnik ({{value}}) je registrovan. Nalog čeka na vaše odobrenje:" mail_body_account_activation_request: "Novi korisnik ({{value}}) je registrovan. Nalog čeka na vaše odobrenje:"
mail_subject_reminder: "{{count}} problema dospeva narednih {{days}} dana" mail_subject_reminder: "{{count}} problema dospeva narednih {{days}} dana"
mail_body_reminder: "{{count}} problema dodeljenih vama dospeva u narednih {{days}} dana:" mail_body_reminder: "{{count}} problema dodeljenih vama dospeva u narednih {{days}} dana:"
mail_subject_wiki_content_added: "Wiki stranica '{{page}}' je dodata" mail_subject_wiki_content_added: "Wiki stranica '{{id}}' je dodata"
mail_body_wiki_content_added: "{{author}} je dodao wiki stranicu '{{page}}'." mail_body_wiki_content_added: "{{author}} je dodao wiki stranicu '{{id}}'."
mail_subject_wiki_content_updated: "Wiki stranica '{{page}}' je ažurirana" mail_subject_wiki_content_updated: "Wiki stranica '{{id}}' je ažurirana"
mail_body_wiki_content_updated: "{{author}} je ažurirao wiki stranicu '{{page}}'." mail_body_wiki_content_updated: "{{author}} je ažurirao wiki stranicu '{{id}}'."
gui_validation_error: jedna greška gui_validation_error: jedna greška
gui_validation_error_plural: "{{count}} grešaka" gui_validation_error_plural: "{{count}} grešaka"
@ -261,7 +261,6 @@ sr-YU:
field_attr_lastname: Atribut prezimena field_attr_lastname: Atribut prezimena
field_attr_mail: Atribut e-adrese field_attr_mail: Atribut e-adrese
field_onthefly: Kreiranje korisnika u toku rada field_onthefly: Kreiranje korisnika u toku rada
field_start_date: Početak
field_done_ratio: % urađeno field_done_ratio: % urađeno
field_auth_source: Režim potvrde identiteta field_auth_source: Režim potvrde identiteta
field_hide_mail: Sakrij moju e-adresu field_hide_mail: Sakrij moju e-adresu
@ -923,3 +922,6 @@ sr-YU:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -192,10 +192,10 @@ sr:
mail_body_account_activation_request: "Нови корисник ({{value}}) је регистрован. Налог чека на ваше одобрење:" mail_body_account_activation_request: "Нови корисник ({{value}}) је регистрован. Налог чека на ваше одобрење:"
mail_subject_reminder: "{{count}} проблема доспева наредних {{days}} дана" mail_subject_reminder: "{{count}} проблема доспева наредних {{days}} дана"
mail_body_reminder: "{{count}} проблема додељених вама доспева у наредних {{days}} дана:" mail_body_reminder: "{{count}} проблема додељених вама доспева у наредних {{days}} дана:"
mail_subject_wiki_content_added: "Wiki страница '{{page}}' је додата" mail_subject_wiki_content_added: "Wiki страница '{{id}}' је додата"
mail_body_wiki_content_added: "{{author}} је додао wiki страницу '{{page}}'." mail_body_wiki_content_added: "{{author}} је додао wiki страницу '{{id}}'."
mail_subject_wiki_content_updated: "Wiki страница '{{page}}' је ажурирана" mail_subject_wiki_content_updated: "Wiki страница '{{id}}' је ажурирана"
mail_body_wiki_content_updated: "{{author}} је ажурирао wiki страницу '{{page}}'." mail_body_wiki_content_updated: "{{author}} је ажурирао wiki страницу '{{id}}'."
gui_validation_error: једна грешка gui_validation_error: једна грешка
gui_validation_error_plural: "{{count}} грешака" gui_validation_error_plural: "{{count}} грешака"
@ -261,7 +261,6 @@ sr:
field_attr_lastname: Атрибут презимена field_attr_lastname: Атрибут презимена
field_attr_mail: Атрибут е-адресе field_attr_mail: Атрибут е-адресе
field_onthefly: Креирање корисника у току рада field_onthefly: Креирање корисника у току рада
field_start_date: Почетак
field_done_ratio: % урађено field_done_ratio: % урађено
field_auth_source: Режим потврде идентитета field_auth_source: Режим потврде идентитета
field_hide_mail: Сакриј моју е-адресу field_hide_mail: Сакриј моју е-адресу
@ -924,3 +923,6 @@ sr:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -195,6 +195,7 @@ sv:
notice_file_not_found: Sidan du försökte komma åt existerar inte eller är borttagen. notice_file_not_found: Sidan du försökte komma åt existerar inte eller är borttagen.
notice_locking_conflict: Data har uppdaterats av en annan användare. notice_locking_conflict: Data har uppdaterats av en annan användare.
notice_not_authorized: Du saknar behörighet att komma åt den här sidan. notice_not_authorized: Du saknar behörighet att komma åt den här sidan.
notice_not_authorized_archived_project: Projektet du försöker komma åt har arkiverats.
notice_email_sent: "Ett mail skickades till {{value}}" notice_email_sent: "Ett mail skickades till {{value}}"
notice_email_error: "Ett fel inträffade när mail skickades ({{value}})" notice_email_error: "Ett fel inträffade när mail skickades ({{value}})"
notice_feeds_access_key_reseted: Din RSS-nyckel återställdes. notice_feeds_access_key_reseted: Din RSS-nyckel återställdes.
@ -238,10 +239,10 @@ sv:
mail_body_account_activation_request: "En ny användare ({{value}}) har registrerat sig och avvaktar ditt godkännande:" mail_body_account_activation_request: "En ny användare ({{value}}) har registrerat sig och avvaktar ditt godkännande:"
mail_subject_reminder: "{{count}} ärende(n) har deadline under de kommande {{days}} dagarna" mail_subject_reminder: "{{count}} ärende(n) har deadline under de kommande {{days}} dagarna"
mail_body_reminder: "{{count}} ärende(n) som är tilldelat dig har deadline under de {{days}} dagarna:" mail_body_reminder: "{{count}} ärende(n) som är tilldelat dig har deadline under de {{days}} dagarna:"
mail_subject_wiki_content_added: "'{{page}}' wikisida has lagts till" mail_subject_wiki_content_added: "'{{id}}' wikisida has lagts till"
mail_body_wiki_content_added: The '{{page}}' wikisida has lagts till av {{author}}. mail_body_wiki_content_added: The '{{id}}' wikisida has lagts till av {{author}}.
mail_subject_wiki_content_updated: "'{{page}}' wikisida har uppdaterats" mail_subject_wiki_content_updated: "'{{id}}' wikisida har uppdaterats"
mail_body_wiki_content_updated: The '{{page}}' wikisida har uppdaterats av {{author}}. mail_body_wiki_content_updated: The '{{id}}' wikisida har uppdaterats av {{author}}.
gui_validation_error: 1 fel gui_validation_error: 1 fel
gui_validation_error_plural: "{{count}} fel" gui_validation_error_plural: "{{count}} fel"
@ -307,7 +308,6 @@ sv:
field_attr_lastname: Efternamnsattribut field_attr_lastname: Efternamnsattribut
field_attr_mail: Mailattribut field_attr_mail: Mailattribut
field_onthefly: Skapa användare on-the-fly field_onthefly: Skapa användare on-the-fly
field_start_date: Start
field_done_ratio: % Klart field_done_ratio: % Klart
field_auth_source: Autentiseringsläge field_auth_source: Autentiseringsläge
field_hide_mail: Dölj min mailadress field_hide_mail: Dölj min mailadress
@ -339,6 +339,9 @@ sv:
field_group_by: Gruppera resultat efter field_group_by: Gruppera resultat efter
field_sharing: Delning field_sharing: Delning
field_parent_issue: Förälderaktivitet field_parent_issue: Förälderaktivitet
field_member_of_group: Tilldelad användares grupp
field_assigned_to_role: Tilldelad användares roll
field_text: Textfält
setting_app_title: Applikationsrubrik setting_app_title: Applikationsrubrik
setting_app_subtitle: Applikationsunderrubrik setting_app_subtitle: Applikationsunderrubrik
@ -393,6 +396,7 @@ sv:
setting_start_of_week: Första dagen i veckan setting_start_of_week: Första dagen i veckan
setting_rest_api_enabled: Aktivera REST webbtjänst setting_rest_api_enabled: Aktivera REST webbtjänst
setting_cache_formatted_text: Cacha formaterad text setting_cache_formatted_text: Cacha formaterad text
setting_default_notification_option: Standard notifieringsalternativ
permission_add_project: Skapa projekt permission_add_project: Skapa projekt
permission_add_subprojects: Skapa underprojekt permission_add_subprojects: Skapa underprojekt
@ -768,6 +772,10 @@ sv:
label_search_titles_only: Sök endast i titlar label_search_titles_only: Sök endast i titlar
label_user_mail_option_all: "För alla händelser i mina projekt" label_user_mail_option_all: "För alla händelser i mina projekt"
label_user_mail_option_selected: "För alla händelser i markerade projekt..." label_user_mail_option_selected: "För alla händelser i markerade projekt..."
label_user_mail_option_none: Inga händelser
label_user_mail_option_only_my_events: Endast för saker jag bevakar eller är inblandad i
label_user_mail_option_only_assigned: Endast för saker jag är tilldelad
label_user_mail_option_only_owner: Endast för saker jag äger
label_user_mail_no_self_notified: "Jag vill inte bli underrättad om ändringar som jag har gjort" label_user_mail_no_self_notified: "Jag vill inte bli underrättad om ändringar som jag har gjort"
label_registration_activation_by_email: kontoaktivering med mail label_registration_activation_by_email: kontoaktivering med mail
label_registration_manual_activation: manuell kontoaktivering label_registration_manual_activation: manuell kontoaktivering
@ -829,6 +837,7 @@ sv:
button_create_and_continue: Skapa och fortsätt button_create_and_continue: Skapa och fortsätt
button_test: Testa button_test: Testa
button_edit: Ändra button_edit: Ändra
button_edit_associated_wikipage: "Ändra associerad Wikisida: {{page_title}}"
button_add: Lägg till button_add: Lägg till
button_change: Ändra button_change: Ändra
button_apply: Verkställ button_apply: Verkställ
@ -880,6 +889,7 @@ sv:
text_subprojects_destroy_warning: "Alla underprojekt: {{value}} kommer också tas bort." text_subprojects_destroy_warning: "Alla underprojekt: {{value}} kommer också tas bort."
text_workflow_edit: Välj en roll och en ärendetyp för att ändra arbetsflöde text_workflow_edit: Välj en roll och en ärendetyp för att ändra arbetsflöde
text_are_you_sure: Är du säker ? text_are_you_sure: Är du säker ?
text_are_you_sure_with_children: Ta bort ärende och alla underärenden?
text_journal_changed: "{{label}} ändrad från {{old}} till {{new}}" text_journal_changed: "{{label}} ändrad från {{old}} till {{new}}"
text_journal_set_to: "{{label}} satt till {{value}}" text_journal_set_to: "{{label}} satt till {{value}}"
text_journal_deleted: "{{label}} borttagen ({{old}})" text_journal_deleted: "{{label}} borttagen ({{old}})"
@ -957,14 +967,6 @@ sv:
enumeration_doc_categories: Dokumentkategorier enumeration_doc_categories: Dokumentkategorier
enumeration_activities: Aktiviteter (tidsuppföljning) enumeration_activities: Aktiviteter (tidsuppföljning)
enumeration_system_activity: Systemaktivitet enumeration_system_activity: Systemaktivitet
button_edit_associated_wikipage: "Edit associated Wiki page: {{page_title}}" field_start_date: Start date
text_are_you_sure_with_children: Delete issue and all child issues? label_principal_search: "Search for user or group:"
field_text: Text field label_user_search: "Search for user:"
label_user_mail_option_only_owner: Only for things I am the owner of
setting_default_notification_option: Default notification option
label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
label_user_mail_option_only_assigned: Only for things I am assigned to
label_user_mail_option_none: No events
field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived.

View File

@ -233,7 +233,6 @@ th:
field_attr_lastname: นามสกุล attribute field_attr_lastname: นามสกุล attribute
field_attr_mail: อีเมล์ attribute field_attr_mail: อีเมล์ attribute
field_onthefly: สร้างผู้ใช้ทันที field_onthefly: สร้างผู้ใช้ทันที
field_start_date: เริ่ม
field_done_ratio: % สำเร็จ field_done_ratio: % สำเร็จ
field_auth_source: วิธีการยืนยันตัวตน field_auth_source: วิธีการยืนยันตัวตน
field_hide_mail: ซ่อนอีเมล์ของฉัน field_hide_mail: ซ่อนอีเมล์ของฉัน
@ -812,12 +811,12 @@ th:
text_wiki_page_destroy_children: Delete child pages and all their descendants text_wiki_page_destroy_children: Delete child pages and all their descendants
setting_password_min_length: Minimum password length setting_password_min_length: Minimum password length
field_group_by: Group results by field_group_by: Group results by
mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated" mail_subject_wiki_content_updated: "'{{id}}' wiki page has been updated"
label_wiki_content_added: Wiki page added label_wiki_content_added: Wiki page added
mail_subject_wiki_content_added: "'{{page}}' wiki page has been added" mail_subject_wiki_content_added: "'{{id}}' wiki page has been added"
mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}. mail_body_wiki_content_added: The '{{id}}' wiki page has been added by {{author}}.
label_wiki_content_updated: Wiki page updated label_wiki_content_updated: Wiki page updated
mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}. mail_body_wiki_content_updated: The '{{id}}' wiki page has been updated by {{author}}.
permission_add_project: Create project permission_add_project: Create project
setting_new_project_user_role_id: Role given to a non-admin user who creates a project setting_new_project_user_role_id: Role given to a non-admin user who creates a project
label_view_all_revisions: View all revisions label_view_all_revisions: View all revisions
@ -920,3 +919,6 @@ th:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -260,7 +260,6 @@ tr:
field_attr_lastname: Soyad Niteliği field_attr_lastname: Soyad Niteliği
field_attr_mail: E-Posta Niteliği field_attr_mail: E-Posta Niteliği
field_onthefly: Anında kullanıcı oluşturma field_onthefly: Anında kullanıcı oluşturma
field_start_date: Başlangıç
field_done_ratio: % tamamlandı field_done_ratio: % tamamlandı
field_auth_source: Kimlik Denetim Modu field_auth_source: Kimlik Denetim Modu
field_hide_mail: E-posta adresimi gizle field_hide_mail: E-posta adresimi gizle
@ -838,12 +837,12 @@ tr:
text_wiki_page_destroy_children: Delete child pages and all their descendants text_wiki_page_destroy_children: Delete child pages and all their descendants
setting_password_min_length: Minimum password length setting_password_min_length: Minimum password length
field_group_by: Group results by field_group_by: Group results by
mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated" mail_subject_wiki_content_updated: "'{{id}}' wiki page has been updated"
label_wiki_content_added: Wiki page added label_wiki_content_added: Wiki page added
mail_subject_wiki_content_added: "'{{page}}' wiki page has been added" mail_subject_wiki_content_added: "'{{id}}' wiki page has been added"
mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}. mail_body_wiki_content_added: The '{{id}}' wiki page has been added by {{author}}.
label_wiki_content_updated: Wiki page updated label_wiki_content_updated: Wiki page updated
mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}. mail_body_wiki_content_updated: The '{{id}}' wiki page has been updated by {{author}}.
permission_add_project: Create project permission_add_project: Create project
setting_new_project_user_role_id: Role given to a non-admin user who creates a project setting_new_project_user_role_id: Role given to a non-admin user who creates a project
label_view_all_revisions: View all revisions label_view_all_revisions: View all revisions
@ -946,3 +945,6 @@ tr:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -227,7 +227,6 @@ uk:
field_attr_lastname: Атрибут Прізвище field_attr_lastname: Атрибут Прізвище
field_attr_mail: Атрибут Email field_attr_mail: Атрибут Email
field_onthefly: Створення користувача на льоту field_onthefly: Створення користувача на льоту
field_start_date: Початок
field_done_ratio: % зроблено field_done_ratio: % зроблено
field_auth_source: Режим аутентифікації field_auth_source: Режим аутентифікації
field_hide_mail: Приховувати мій email field_hide_mail: Приховувати мій email
@ -811,12 +810,12 @@ uk:
text_wiki_page_destroy_children: Delete child pages and all their descendants text_wiki_page_destroy_children: Delete child pages and all their descendants
setting_password_min_length: Minimum password length setting_password_min_length: Minimum password length
field_group_by: Group results by field_group_by: Group results by
mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated" mail_subject_wiki_content_updated: "'{{id}}' wiki page has been updated"
label_wiki_content_added: Wiki page added label_wiki_content_added: Wiki page added
mail_subject_wiki_content_added: "'{{page}}' wiki page has been added" mail_subject_wiki_content_added: "'{{id}}' wiki page has been added"
mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}. mail_body_wiki_content_added: The '{{id}}' wiki page has been added by {{author}}.
label_wiki_content_updated: Wiki page updated label_wiki_content_updated: Wiki page updated
mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}. mail_body_wiki_content_updated: The '{{id}}' wiki page has been updated by {{author}}.
permission_add_project: Create project permission_add_project: Create project
setting_new_project_user_role_id: Role given to a non-admin user who creates a project setting_new_project_user_role_id: Role given to a non-admin user who creates a project
label_view_all_revisions: View all revisions label_view_all_revisions: View all revisions
@ -919,3 +918,6 @@ uk:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -294,7 +294,6 @@ vi:
field_attr_lastname: Lastname attribute field_attr_lastname: Lastname attribute
field_attr_mail: Email attribute field_attr_mail: Email attribute
field_onthefly: On-the-fly user creation field_onthefly: On-the-fly user creation
field_start_date: Bắt đầu
field_done_ratio: Tiến độ field_done_ratio: Tiến độ
field_auth_source: Authentication mode field_auth_source: Authentication mode
field_hide_mail: Không làm lộ email của bạn field_hide_mail: Không làm lộ email của bạn
@ -870,12 +869,12 @@ vi:
text_wiki_page_destroy_children: Delete child pages and all their descendants text_wiki_page_destroy_children: Delete child pages and all their descendants
setting_password_min_length: Minimum password length setting_password_min_length: Minimum password length
field_group_by: Group results by field_group_by: Group results by
mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated" mail_subject_wiki_content_updated: "'{{id}}' wiki page has been updated"
label_wiki_content_added: Wiki page added label_wiki_content_added: Wiki page added
mail_subject_wiki_content_added: "'{{page}}' wiki page has been added" mail_subject_wiki_content_added: "'{{id}}' wiki page has been added"
mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}. mail_body_wiki_content_added: The '{{id}}' wiki page has been added by {{author}}.
label_wiki_content_updated: Wiki page updated label_wiki_content_updated: Wiki page updated
mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}. mail_body_wiki_content_updated: The '{{id}}' wiki page has been updated by {{author}}.
permission_add_project: Create project permission_add_project: Create project
setting_new_project_user_role_id: Role given to a non-admin user who creates a project setting_new_project_user_role_id: Role given to a non-admin user who creates a project
label_view_all_revisions: View all revisions label_view_all_revisions: View all revisions
@ -978,3 +977,6 @@ vi:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -174,7 +174,7 @@
odd: "必須是奇數" odd: "必須是奇數"
even: "必須是偶數" even: "必須是偶數"
# Append your own errors here or at the model/attributes scope. # Append your own errors here or at the model/attributes scope.
greater_than_start_date: "必須在始日期之後" greater_than_start_date: "必須在始日期之後"
not_same_project: "不屬於同一個專案" not_same_project: "不屬於同一個專案"
circular_dependency: "這個關聯會導致環狀相依" circular_dependency: "這個關聯會導致環狀相依"
cant_link_an_issue_with_a_descendant: "項目無法被連結至自己的子項目" cant_link_an_issue_with_a_descendant: "項目無法被連結至自己的子項目"
@ -235,6 +235,7 @@
notice_file_not_found: 您想要存取的頁面已經不存在或被搬移至其他位置。 notice_file_not_found: 您想要存取的頁面已經不存在或被搬移至其他位置。
notice_locking_conflict: 資料已被其他使用者更新。 notice_locking_conflict: 資料已被其他使用者更新。
notice_not_authorized: 你未被授權存取此頁面。 notice_not_authorized: 你未被授權存取此頁面。
notice_not_authorized_archived_project: 您欲存取的專案已經被歸檔封存。
notice_email_sent: "郵件已經成功寄送至以下收件者: {{value}}" notice_email_sent: "郵件已經成功寄送至以下收件者: {{value}}"
notice_email_error: "寄送郵件的過程中發生錯誤 ({{value}})" notice_email_error: "寄送郵件的過程中發生錯誤 ({{value}})"
notice_feeds_access_key_reseted: 您的 RSS 存取金鑰已被重新設定。 notice_feeds_access_key_reseted: 您的 RSS 存取金鑰已被重新設定。
@ -277,10 +278,10 @@
mail_body_account_activation_request: "有位新用戶 ({{value}}) 已經完成註冊,正等候您的審核:" mail_body_account_activation_request: "有位新用戶 ({{value}}) 已經完成註冊,正等候您的審核:"
mail_subject_reminder: "您有 {{count}} 個項目即將到期 ({{days}})" mail_subject_reminder: "您有 {{count}} 個項目即將到期 ({{days}})"
mail_body_reminder: "{{count}} 個指派給您的項目,將於 {{days}} 天之內到期:" mail_body_reminder: "{{count}} 個指派給您的項目,將於 {{days}} 天之內到期:"
mail_subject_wiki_content_added: "'{{page}}' wiki 頁面已被新增" mail_subject_wiki_content_added: "'{{id}}' wiki 頁面已被新增"
mail_body_wiki_content_added: "The '{{page}}' wiki 頁面已被 {{author}} 新增。" mail_body_wiki_content_added: "The '{{id}}' wiki 頁面已被 {{author}} 新增。"
mail_subject_wiki_content_updated: "'{{page}}' wiki 頁面已被更新" mail_subject_wiki_content_updated: "'{{id}}' wiki 頁面已被更新"
mail_body_wiki_content_updated: "The '{{page}}' wiki 頁面已被 {{author}} 更新。" mail_body_wiki_content_updated: "The '{{id}}' wiki 頁面已被 {{author}} 更新。"
gui_validation_error: 1 個錯誤 gui_validation_error: 1 個錯誤
gui_validation_error_plural: "{{count}} 個錯誤" gui_validation_error_plural: "{{count}} 個錯誤"
@ -379,6 +380,8 @@
field_group_by: 結果分組方式 field_group_by: 結果分組方式
field_sharing: 共用 field_sharing: 共用
field_parent_issue: 父工作項目 field_parent_issue: 父工作項目
field_member_of_group: "被指派者的群組"
field_assigned_to_role: "被指派者的角色"
field_text: 內容文字 field_text: 內容文字
setting_app_title: 標題 setting_app_title: 標題
@ -810,6 +813,7 @@
label_search_titles_only: 僅搜尋標題 label_search_titles_only: 僅搜尋標題
label_user_mail_option_all: "提醒與我的專案有關的全部事件" label_user_mail_option_all: "提醒與我的專案有關的全部事件"
label_user_mail_option_selected: "只提醒我所選擇專案中的事件..." label_user_mail_option_selected: "只提醒我所選擇專案中的事件..."
label_user_mail_option_none: "取消提醒"
label_user_mail_option_only_my_events: "只提醒我觀察中或參與中的事物" label_user_mail_option_only_my_events: "只提醒我觀察中或參與中的事物"
label_user_mail_option_only_assigned: "只提醒我被指派的事物" label_user_mail_option_only_assigned: "只提醒我被指派的事物"
label_user_mail_option_only_owner: "只提醒我作為擁有者的事物" label_user_mail_option_only_owner: "只提醒我作為擁有者的事物"
@ -1005,7 +1009,5 @@
enumeration_activities: 活動 (時間追蹤) enumeration_activities: 活動 (時間追蹤)
enumeration_system_activity: 系統活動 enumeration_system_activity: 系統活動
label_user_mail_option_none: No events label_principal_search: "Search for user or group:"
field_member_of_group: Assignee's group label_user_search: "Search for user:"
field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived.

View File

@ -204,10 +204,10 @@ zh:
mail_body_account_activation_request: "新用户({{value}})已完成注册,正在等候您的审核:" mail_body_account_activation_request: "新用户({{value}})已完成注册,正在等候您的审核:"
mail_subject_reminder: "{{count}} 个问题需要尽快解决 ({{days}})" mail_subject_reminder: "{{count}} 个问题需要尽快解决 ({{days}})"
mail_body_reminder: "指派给您的 {{count}} 个问题需要在 {{days}} 天内完成:" mail_body_reminder: "指派给您的 {{count}} 个问题需要在 {{days}} 天内完成:"
mail_subject_wiki_content_added: "'{{page}}' wiki页面已添加" mail_subject_wiki_content_added: "'{{id}}' wiki页面已添加"
mail_body_wiki_content_added: "'{{page}}' wiki页面已由 {{author}} 添加。" mail_body_wiki_content_added: "'{{id}}' wiki页面已由 {{author}} 添加。"
mail_subject_wiki_content_updated: "'{{page}}' wiki页面已更新" mail_subject_wiki_content_updated: "'{{id}}' wiki页面已更新"
mail_body_wiki_content_updated: "'{{page}}' wiki页面已由 {{author}} 更新。" mail_body_wiki_content_updated: "'{{id}}' wiki页面已由 {{author}} 更新。"
gui_validation_error: 1 个错误 gui_validation_error: 1 个错误
gui_validation_error_plural: "{{count}} 个错误" gui_validation_error_plural: "{{count}} 个错误"
@ -272,7 +272,6 @@ zh:
field_attr_lastname: 姓氏属性 field_attr_lastname: 姓氏属性
field_attr_mail: 邮件属性 field_attr_mail: 邮件属性
field_onthefly: 即时用户生成 field_onthefly: 即时用户生成
field_start_date: 开始
field_done_ratio: 完成度 field_done_ratio: 完成度
field_auth_source: 认证模式 field_auth_source: 认证模式
field_hide_mail: 隐藏我的邮件地址 field_hide_mail: 隐藏我的邮件地址
@ -941,3 +940,6 @@ zh:
field_member_of_group: Assignee's group field_member_of_group: Assignee's group
field_assigned_to_role: Assignee's role field_assigned_to_role: Assignee's role
notice_not_authorized_archived_project: The project you're trying to access has been archived. notice_not_authorized_archived_project: The project you're trying to access has been archived.
field_start_date: Start date
label_principal_search: "Search for user or group:"
label_user_search: "Search for user:"

View File

@ -27,27 +27,6 @@ ActionController::Routing::Routes.draw do |map|
map.connect 'projects/:id/wiki', :controller => 'wikis', :action => 'edit', :conditions => {:method => :post} map.connect 'projects/:id/wiki', :controller => 'wikis', :action => 'edit', :conditions => {:method => :post}
map.connect 'projects/:id/wiki/destroy', :controller => 'wikis', :action => 'destroy', :conditions => {:method => :get} map.connect 'projects/:id/wiki/destroy', :controller => 'wikis', :action => 'destroy', :conditions => {:method => :get}
map.connect 'projects/:id/wiki/destroy', :controller => 'wikis', :action => 'destroy', :conditions => {:method => :post} map.connect 'projects/:id/wiki/destroy', :controller => 'wikis', :action => 'destroy', :conditions => {:method => :post}
map.with_options :controller => 'wiki' do |wiki_routes|
wiki_routes.with_options :conditions => {:method => :get} do |wiki_views|
wiki_views.connect 'projects/:project_id/wiki/export', :action => 'export'
wiki_views.connect 'projects/:project_id/wiki/index', :action => 'index'
wiki_views.connect 'projects/:project_id/wiki/date_index', :action => 'date_index'
wiki_views.connect 'projects/:project_id/wiki/:page', :action => 'show', :page => nil
wiki_views.connect 'projects/:project_id/wiki/:page/edit', :action => 'edit'
wiki_views.connect 'projects/:project_id/wiki/:page/rename', :action => 'rename'
wiki_views.connect 'projects/:project_id/wiki/:page/history', :action => 'history'
wiki_views.connect 'projects/:project_id/wiki/:page/diff/:version/vs/:version_from', :action => 'diff'
wiki_views.connect 'projects/:project_id/wiki/:page/annotate/:version', :action => 'annotate'
end
wiki_routes.connect 'projects/:project_id/wiki/:page/:action',
:action => /rename|preview|protect|add_attachment/,
:conditions => {:method => :post}
wiki_routes.connect 'projects/:project_id/wiki/:page/edit', :action => 'update', :conditions => {:method => :post}
wiki_routes.connect 'projects/:project_id/wiki/:page', :action => 'destroy', :conditions => {:method => :delete}
end
map.with_options :controller => 'messages' do |messages_routes| map.with_options :controller => 'messages' do |messages_routes|
messages_routes.with_options :conditions => {:method => :get} do |messages_views| messages_routes.with_options :conditions => {:method => :get} do |messages_views|
@ -168,6 +147,20 @@ ActionController::Routing::Routes.draw do |map|
project.resources :news, :shallow => true project.resources :news, :shallow => true
project.resources :time_entries, :controller => 'timelog', :path_prefix => 'projects/:project_id' project.resources :time_entries, :controller => 'timelog', :path_prefix => 'projects/:project_id'
project.wiki_start_page 'wiki', :controller => 'wiki', :action => 'show', :conditions => {:method => :get}
project.wiki_index 'wiki/index', :controller => 'wiki', :action => 'index', :conditions => {:method => :get}
project.wiki_diff 'wiki/:id/diff/:version/vs/:version_from', :controller => 'wiki', :action => 'diff'
project.wiki_annotate 'wiki/:id/annotate/:version', :controller => 'wiki', :action => 'annotate'
project.resources :wiki, :except => [:new, :create], :member => {
:rename => [:get, :post],
:history => :get,
:preview => :any,
:protect => :post,
:add_attachment => :post
}, :collection => {
:export => :get,
:date_index => :get
}
end end

View File

@ -186,3 +186,5 @@ rest_api_enabled:
default: 0 default: 0
default_notification_option: default_notification_option:
default: 'only_my_events' default: 'only_my_events'
emails_header:
default: ''

View File

@ -4,6 +4,44 @@ Redmine - project management software
Copyright (C) 2006-2010 Jean-Philippe Lang Copyright (C) 2006-2010 Jean-Philippe Lang
http://www.redmine.org/ http://www.redmine.org/
== 2010-10-31 v1.0.3
* #4065: Redmine.pm doesn't work with LDAPS and a non-standard port
* #4416: Link from version details page to edit the wiki.
* #5484: Add new issue as subtask to an existing ticket
* #5948: Update help/wiki_syntax_detailed.html with more link options
* #6494: Typo in pt_BR translation for 1.0.2
* #6508: Japanese translation update
* #6509: Localization pt-PT (new strings)
* #6511: Rake task to test email
* #6525: Traditional Chinese language file (to r4225)
* #6536: Patch for swedish translation
* #6548: Rake tasks to add/remove i18n strings
* #6569: Updated Hebrew translation
* #6570: Japanese Translation for r4231
* #6596: pt-BR translation updates
* #6629: Change field-name of issues start date
* #6669: Bulgarian translation
* #6731: Macedonian translation fix
* #6732: Japanese Translation for r4287
* #6735: Add user-agent to reposman
* #6736: Traditional Chinese language file (to r4288)
* #6739: Swedish Translation for r4288
* #6765: Traditional Chinese language file (to r4302)
* Fixed #5324: Git not working if color.ui is enabled
* Fixed #5652: Bad URL parsing in the wiki when it ends with right-angle-bracket(greater-than mark).
* Fixed #5803: Precedes/Follows Relationships Broke
* Fixed #6435: Links to wikipages bound to versions do not respect version-sharing in Settings -> Versions
* Fixed #6438: Autologin cannot be disabled again once it's enabled
* Fixed #6513: "Move" and "Copy" are not displayed when deployed in subdirectory
* Fixed #6521: Tooltip/label for user "search-refinment" field on group/project member list
* Fixed #6563: i18n-issues on calendar view
* Fixed #6598: Wrong caption for button_create_and_continue in German language file
* Fixed #6607: Unclear caption for german button_update
* Fixed #6612: SortHelper missing from CalendarsController
* Fixed #6740: Max attachment size, incorrect usage of 'KB'
* Fixed #6750: ActionView::TemplateError (undefined method `empty?' for nil:NilClass) on line #12 of app/views/context_menus/issues.html.erb:
== 2010-09-26 v1.0.2 == 2010-09-26 v1.0.2
* #2285: issue-refinement: pressing enter should result to an "apply" * #2285: issue-refinement: pressing enter should result to an "apply"

View File

@ -331,7 +331,7 @@ sub is_member {
$sthldap->execute($auth_source_id); $sthldap->execute($auth_source_id);
while (my @rowldap = $sthldap->fetchrow_array) { while (my @rowldap = $sthldap->fetchrow_array) {
my $ldap = Authen::Simple::LDAP->new( my $ldap = Authen::Simple::LDAP->new(
host => ($rowldap[2] eq "1" || $rowldap[2] eq "t") ? "ldaps://$rowldap[0]" : $rowldap[0], host => ($rowldap[2] eq "1" || $rowldap[2] eq "t") ? "ldaps://$rowldap[0]:$rowldap[1]" : $rowldap[0],
port => $rowldap[1], port => $rowldap[1],
basedn => $rowldap[5], basedn => $rowldap[5],
binddn => $rowldap[3] ? $rowldap[3] : "", binddn => $rowldap[3] ? $rowldap[3] : "",

View File

@ -195,7 +195,7 @@ Redmine::MenuManager.map :project_menu do |menu|
menu.push :calendar, { :controller => 'calendars', :action => 'show' }, :param => :project_id, :caption => :label_calendar menu.push :calendar, { :controller => 'calendars', :action => 'show' }, :param => :project_id, :caption => :label_calendar
menu.push :news, { :controller => 'news', :action => 'index' }, :param => :project_id, :caption => :label_news_plural menu.push :news, { :controller => 'news', :action => 'index' }, :param => :project_id, :caption => :label_news_plural
menu.push :documents, { :controller => 'documents', :action => 'index' }, :param => :project_id, :caption => :label_document_plural menu.push :documents, { :controller => 'documents', :action => 'index' }, :param => :project_id, :caption => :label_document_plural
menu.push :wiki, { :controller => 'wiki', :action => 'show', :page => nil }, :param => :project_id, menu.push :wiki, { :controller => 'wiki', :action => 'show', :id => nil }, :param => :project_id,
:if => Proc.new { |p| p.wiki && !p.wiki.new_record? } :if => Proc.new { |p| p.wiki && !p.wiki.new_record? }
menu.push :boards, { :controller => 'boards', :action => 'index', :id => nil }, :param => :project_id, menu.push :boards, { :controller => 'boards', :action => 'index', :id => nil }, :param => :project_id,
:if => Proc.new { |p| p.boards.any? }, :caption => :label_board_plural :if => Proc.new { |p| p.boards.any? }, :caption => :label_board_plural

View File

@ -35,7 +35,7 @@ module Redmine
def branches def branches
return @branches if @branches return @branches if @branches
@branches = [] @branches = []
cmd = "#{GIT_BIN} --git-dir #{target('')} branch" cmd = "#{GIT_BIN} --git-dir #{target('')} branch --no-color"
shellout(cmd) do |io| shellout(cmd) do |io|
io.each_line do |line| io.each_line do |line|
@branches << line.match('\s*\*?\s*(.*)$')[1] @branches << line.match('\s*\*?\s*(.*)$')[1]
@ -86,7 +86,7 @@ module Redmine
def lastrev(path,rev) def lastrev(path,rev)
return nil if path.nil? return nil if path.nil?
cmd = "#{GIT_BIN} --git-dir #{target('')} log --date=iso --pretty=fuller --no-merges -n 1 " cmd = "#{GIT_BIN} --git-dir #{target('')} log --no-color --date=iso --pretty=fuller --no-merges -n 1 "
cmd << " #{shell_quote rev} " if rev cmd << " #{shell_quote rev} " if rev
cmd << "-- #{shell_quote path} " unless path.empty? cmd << "-- #{shell_quote path} " unless path.empty?
shellout(cmd) do |io| shellout(cmd) do |io|
@ -114,7 +114,7 @@ module Redmine
def revisions(path, identifier_from, identifier_to, options={}) def revisions(path, identifier_from, identifier_to, options={})
revisions = Revisions.new revisions = Revisions.new
cmd = "#{GIT_BIN} --git-dir #{target('')} log --raw --date=iso --pretty=fuller " cmd = "#{GIT_BIN} --git-dir #{target('')} log --no-color --raw --date=iso --pretty=fuller "
cmd << " --reverse " if options[:reverse] cmd << " --reverse " if options[:reverse]
cmd << " --all " if options[:all] cmd << " --all " if options[:all]
cmd << " -n #{options[:limit]} " if options[:limit] cmd << " -n #{options[:limit]} " if options[:limit]
@ -209,7 +209,7 @@ module Redmine
path ||= '' path ||= ''
if identifier_to if identifier_to
cmd = "#{GIT_BIN} --git-dir #{target('')} diff #{shell_quote identifier_to} #{shell_quote identifier_from}" cmd = "#{GIT_BIN} --git-dir #{target('')} diff --no-color #{shell_quote identifier_to} #{shell_quote identifier_from}"
else else
cmd = "#{GIT_BIN} --git-dir #{target('')} show #{shell_quote identifier_from}" cmd = "#{GIT_BIN} --git-dir #{target('')} show #{shell_quote identifier_from}"
end end

View File

@ -4,7 +4,7 @@ module Redmine
module VERSION #:nodoc: module VERSION #:nodoc:
MAJOR = 1 MAJOR = 1
MINOR = 0 MINOR = 0
TINY = 2 TINY = 3
# Branch values: # Branch values:
# * official release: nil # * official release: nil

View File

@ -66,7 +66,7 @@
<p>Wiki links are displayed in red if the page doesn't exist yet, eg: <a href="#" class="wiki-page new">Nonexistent page</a>.</p> <p>Wiki links are displayed in red if the page doesn't exist yet, eg: <a href="#" class="wiki-page new">Nonexistent page</a>.</p>
<p>Links to others resources (0.7):</p> <p>Links to other resources:</p>
<ul> <ul>
<li>Documents: <li>Documents:
@ -74,6 +74,7 @@
<li><strong>document#17</strong> (link to document with id 17)</li> <li><strong>document#17</strong> (link to document with id 17)</li>
<li><strong>document:Greetings</strong> (link to the document with title "Greetings")</li> <li><strong>document:Greetings</strong> (link to the document with title "Greetings")</li>
<li><strong>document:"Some document"</strong> (double quotes can be used when document title contains spaces)</li> <li><strong>document:"Some document"</strong> (double quotes can be used when document title contains spaces)</li>
<li><strong>document:some_project:"Some document"</strong> (link to a document with title "Some document" in other project "some_project")
</ul></li> </ul></li>
</ul> </ul>
@ -95,17 +96,34 @@
</ul> </ul>
<ul> <ul>
<li>Repository files <li>Repository files:
<ul> <ul>
<li><strong>source:some/file</strong> -- Link to the file located at /some/file in the project's repository</li> <li><strong>source:some/file</strong> (link to the file located at /some/file in the project's repository)</li>
<li><strong>source:some/file@52</strong> -- Link to the file's revision 52</li> <li><strong>source:some/file@52</strong> (link to the file's revision 52)</li>
<li><strong>source:some/file#L120</strong> -- Link to line 120 of the file</li> <li><strong>source:some/file#L120</strong> (link to line 120 of the file)</li>
<li><strong>source:some/file@52#L120</strong> -- Link to line 120 of the file's revision 52</li> <li><strong>source:some/file@52#L120</strong> (link to line 120 of the file's revision 52)</li>
<li><strong>export:some/file</strong> -- Force the download of the file</li> <li><strong>source:"some file@52#L120"</strong> (use double quotes when the URL contains spaces</li>
<li><strong>export:some/file</strong> (force the download of the file)</li>
</ul></li> </ul></li>
</ul> </ul>
<p>Escaping (0.7):</p> <ul>
<li>Forum messages:
<ul>
<li><strong>message#1218</strong> (link to message with id 1218)</li>
</ul></li>
</ul>
<ul>
<li>Projects:
<ul>
<li><strong>project#3</strong> (link to project with id 3)</li>
<li><strong>project:someproject</strong> (link to project named "someproject")</li>
</ul></li>
</ul>
<p>Escaping:</p>
<ul> <ul>
<li>You can prevent Redmine links from being parsed by preceding them with an exclamation mark: !</li> <li>You can prevent Redmine links from being parsed by preceding them with an exclamation mark: !</li>
@ -219,7 +237,7 @@ To go live, all you need to add is a database and a web server.
<h2><a name="13" class="wiki-page"></a>Code highlighting</h2> <h2><a name="13" class="wiki-page"></a>Code highlighting</h2>
<p>Code highlightment relies on <a href="http://coderay.rubychan.de/" class="external">CodeRay</a>, a fast syntax highlighting library written completely in Ruby. It currently supports c, html, javascript, rhtml, ruby, scheme, xml languages.</p> <p>Code highlightment relies on <a href="http://coderay.rubychan.de/" class="external">CodeRay</a>, a fast syntax highlighting library written completely in Ruby. It currently supports c, cpp, css, delphi, groovy, html, java, javascript, json, php, python, rhtml, ruby, scheme, sql, xml and yaml languages.</p>
<p>You can highlight code in your wiki page using this syntax:</p> <p>You can highlight code in your wiki page using this syntax:</p>

View File

@ -1,5 +1,5 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../config/boot' require File.expand_path('../../config/boot', __FILE__)
$LOAD_PATH.unshift "#{RAILTIES_PATH}/builtin/rails_info" $LOAD_PATH.unshift "#{RAILTIES_PATH}/builtin/rails_info"
require 'commands/about' require 'commands/about'

View File

@ -1,3 +1,3 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../config/boot' require File.expand_path('../../config/boot', __FILE__)
require 'commands/breakpointer' require 'commands/breakpointer'

View File

@ -1,3 +1,3 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../config/boot' require File.expand_path('../../config/boot', __FILE__)
require 'commands/console' require 'commands/console'

View File

@ -1,3 +1,3 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../config/boot' require File.expand_path('../../config/boot', __FILE__)
require 'commands/dbconsole' require 'commands/dbconsole'

View File

@ -1,3 +1,3 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../config/boot' require File.expand_path('../../config/boot', __FILE__)
require 'commands/destroy' require 'commands/destroy'

View File

@ -1,3 +1,3 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../config/boot' require File.expand_path('../../config/boot', __FILE__)
require 'commands/generate' require 'commands/generate'

View File

@ -1,3 +1,3 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../../config/boot' require File.expand_path('../../../config/boot', __FILE__)
require 'commands/performance/benchmarker' require 'commands/performance/benchmarker'

View File

@ -1,3 +1,3 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../../config/boot' require File.expand_path('../../../config/boot', __FILE__)
require 'commands/performance/profiler' require 'commands/performance/profiler'

View File

@ -1,3 +1,3 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../../config/boot' require File.expand_path('../../config/boot', __FILE__)
require 'commands/performance/request' require 'commands/performance/request'

View File

@ -1,3 +1,3 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../config/boot' require File.expand_path('../../config/boot', __FILE__)
require 'commands/plugin' require 'commands/plugin'

View File

@ -1,3 +1,3 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../../config/boot' require File.expand_path('../../config/boot', __FILE__)
require 'commands/process/inspector' require 'commands/process/inspector'

View File

@ -1,3 +1,3 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../../config/boot' require File.expand_path('../../config/boot', __FILE__)
require 'commands/process/reaper' require 'commands/process/reaper'

View File

@ -1,3 +1,3 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../../config/boot' require File.expand_path('../../config/boot', __FILE__)
require 'commands/process/spawner' require 'commands/process/spawner'

View File

@ -1,3 +1,3 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../../config/boot' require File.expand_path('../../config/boot', __FILE__)
require 'commands/process/spinner' require 'commands/process/spinner'

View File

@ -1,3 +1,3 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../config/boot' require File.expand_path('../../config/boot', __FILE__)
require 'commands/runner' require 'commands/runner'

View File

@ -1,3 +1,3 @@
#!/usr/bin/env ruby #!/usr/bin/env ruby
require File.dirname(__FILE__) + '/../config/boot' require File.expand_path('../../config/boot', __FILE__)
require 'commands/server' require 'commands/server'

View File

@ -0,0 +1,48 @@
Return-Path: <JSmith@somenet.foo>
Received: from osiris ([127.0.0.1])
by OSIRIS
with hMailServer ; Sun, 22 Jun 2008 12:28:07 +0200
Message-ID: <000501c8d452$a95cd7e0$0a00a8c0@osiris>
In-Reply-To: <redmine.issue-2.20060719210421@osiris>
From: "John Smith" <JSmith@somenet.foo>
To: <redmine@somenet.foo>
Subject: Re: update to issue 2
Date: Sun, 22 Jun 2008 12:28:07 +0200
MIME-Version: 1.0
Content-Type: text/plain;
format=flowed;
charset="iso-8859-1";
reply-type=original
Content-Transfer-Encoding: 7bit
X-Priority: 3
X-MSMail-Priority: Normal
X-Mailer: Microsoft Outlook Express 6.00.2900.2869
X-MimeOLE: Produced By Microsoft MimeOLE V6.00.2900.2869
An update to the issue by the sender.
Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Maecenas imperdiet
turpis et odio. Integer eget pede vel dolor euismod varius. Phasellus
blandit eleifend augue. Nulla facilisi. Duis id diam. Class aptent taciti
sociosqu ad litora torquent per conubia nostra, per inceptos himenaeos. In
in urna sed tellus aliquet lobortis. Morbi scelerisque tortor in dolor. Cras
sagittis odio eu lacus. Aliquam sem tortor, consequat sit amet, vestibulum
id, iaculis at, lectus. Fusce tortor libero, congue ut, euismod nec, luctus
eget, eros. Pellentesque tortor enim, feugiat in, dignissim eget, tristique
sed, mauris --- Pellentesque habitant morbi tristique senectus et netus et
malesuada fames ac turpis egestas. Quisque sit amet libero. In hac habitasse
platea dictumst.
>> > --- Reply above. Do not remove this line. ---
>> >
>> > Issue #6779 has been updated by Eric Davis.
>> >
>> > Subject changed from Projects with JSON to Project JSON API
>> > Status changed from New to Assigned
>> > Assignee set to Eric Davis
>> > Priority changed from Low to Normal
>> > Estimated time deleted (1.00)
>> >
>> > Looks like the JSON api for projects was missed. I'm going to be
>> > reviewing the existing APIs and trying to clean them up over the next
>> > few weeks.

View File

@ -0,0 +1,48 @@
Return-Path: <JSmith@somenet.foo>
Received: from osiris ([127.0.0.1])
by OSIRIS
with hMailServer ; Sun, 22 Jun 2008 12:28:07 +0200
Message-ID: <000501c8d452$a95cd7e0$0a00a8c0@osiris>
In-Reply-To: <redmine.issue-2.20060719210421@osiris>
From: "John Smith" <JSmith@somenet.foo>
To: <redmine@somenet.foo>
Subject: Re: update to issue 2
Date: Sun, 22 Jun 2008 12:28:07 +0200
MIME-Version: 1.0
Content-Type: text/plain;
format=flowed;
charset="iso-8859-1";
reply-type=original
Content-Transfer-Encoding: 7bit
X-Priority: 3
X-MSMail-Priority: Normal
X-Mailer: Microsoft Outlook Express 6.00.2900.2869
X-MimeOLE: Produced By Microsoft MimeOLE V6.00.2900.2869
An update to the issue by the sender.
Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Maecenas imperdiet
turpis et odio. Integer eget pede vel dolor euismod varius. Phasellus
blandit eleifend augue. Nulla facilisi. Duis id diam. Class aptent taciti
sociosqu ad litora torquent per conubia nostra, per inceptos himenaeos. In
in urna sed tellus aliquet lobortis. Morbi scelerisque tortor in dolor. Cras
sagittis odio eu lacus. Aliquam sem tortor, consequat sit amet, vestibulum
id, iaculis at, lectus. Fusce tortor libero, congue ut, euismod nec, luctus
eget, eros. Pellentesque tortor enim, feugiat in, dignissim eget, tristique
sed, mauris --- Pellentesque habitant morbi tristique senectus et netus et
malesuada fames ac turpis egestas. Quisque sit amet libero. In hac habitasse
platea dictumst.
> --- Reply above. Do not remove this line. ---
>
> Issue #6779 has been updated by Eric Davis.
>
> Subject changed from Projects with JSON to Project JSON API
> Status changed from New to Assigned
> Assignee set to Eric Davis
> Priority changed from Low to Normal
> Estimated time deleted (1.00)
>
> Looks like the JSON api for projects was missed. I'm going to be
> reviewing the existing APIs and trying to clean them up over the next
> few weeks.

Binary file not shown.

Some files were not shown because too many files have changed in this diff Show More