##// END OF EJS Templates
r18633@gaspard (orig r1875): jplang | 2008-09-17 21:18:31 +0200...
Nicolas Chuche -
r1884:d8549c55411a
parent child
Show More
@@ -0,0 +1,14
1 class SetTopicAuthorsAsWatchers < ActiveRecord::Migration
2 def self.up
3 # Sets active users who created/replied a topic as watchers of the topic
4 # so that the new watch functionality at topic level doesn't affect notifications behaviour
5 Message.connection.execute("INSERT INTO watchers (watchable_type, watchable_id, user_id)" +
6 " SELECT DISTINCT 'Message', COALESCE(messages.parent_id, messages.id), messages.author_id FROM messages, users" +
7 " WHERE messages.author_id = users.id AND users.status = 1")
8 end
9
10 def self.down
11 # Removes all message watchers
12 Watcher.delete_all("watchable_type = 'Message'")
13 end
14 end
@@ -1,123 +1,123
1 # redMine - project management software
1 # redMine - project management software
2 # Copyright (C) 2006-2007 Jean-Philippe Lang
2 # Copyright (C) 2006-2007 Jean-Philippe Lang
3 #
3 #
4 # This program is free software; you can redistribute it and/or
4 # This program is free software; you can redistribute it and/or
5 # modify it under the terms of the GNU General Public License
5 # modify it under the terms of the GNU General Public License
6 # as published by the Free Software Foundation; either version 2
6 # as published by the Free Software Foundation; either version 2
7 # of the License, or (at your option) any later version.
7 # of the License, or (at your option) any later version.
8 #
8 #
9 # This program is distributed in the hope that it will be useful,
9 # This program is distributed in the hope that it will be useful,
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 # GNU General Public License for more details.
12 # GNU General Public License for more details.
13 #
13 #
14 # You should have received a copy of the GNU General Public License
14 # You should have received a copy of the GNU General Public License
15 # along with this program; if not, write to the Free Software
15 # along with this program; if not, write to the Free Software
16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
17
17
18 class MessagesController < ApplicationController
18 class MessagesController < ApplicationController
19 menu_item :boards
19 menu_item :boards
20 before_filter :find_board, :only => [:new, :preview]
20 before_filter :find_board, :only => [:new, :preview]
21 before_filter :find_message, :except => [:new, :preview]
21 before_filter :find_message, :except => [:new, :preview]
22 before_filter :authorize, :except => :preview
22 before_filter :authorize, :except => :preview
23
23
24 verify :method => :post, :only => [ :reply, :destroy ], :redirect_to => { :action => :show }
24 verify :method => :post, :only => [ :reply, :destroy ], :redirect_to => { :action => :show }
25 verify :xhr => true, :only => :quote
25 verify :xhr => true, :only => :quote
26
26
27
27 helper :watchers
28 helper :attachments
28 helper :attachments
29 include AttachmentsHelper
29 include AttachmentsHelper
30
30
31 # Show a topic and its replies
31 # Show a topic and its replies
32 def show
32 def show
33 @replies = @topic.children
33 @replies = @topic.children
34 @replies.reverse! if User.current.wants_comments_in_reverse_order?
34 @replies.reverse! if User.current.wants_comments_in_reverse_order?
35 @reply = Message.new(:subject => "RE: #{@message.subject}")
35 @reply = Message.new(:subject => "RE: #{@message.subject}")
36 render :action => "show", :layout => false if request.xhr?
36 render :action => "show", :layout => false if request.xhr?
37 end
37 end
38
38
39 # Create a new topic
39 # Create a new topic
40 def new
40 def new
41 @message = Message.new(params[:message])
41 @message = Message.new(params[:message])
42 @message.author = User.current
42 @message.author = User.current
43 @message.board = @board
43 @message.board = @board
44 if params[:message] && User.current.allowed_to?(:edit_messages, @project)
44 if params[:message] && User.current.allowed_to?(:edit_messages, @project)
45 @message.locked = params[:message]['locked']
45 @message.locked = params[:message]['locked']
46 @message.sticky = params[:message]['sticky']
46 @message.sticky = params[:message]['sticky']
47 end
47 end
48 if request.post? && @message.save
48 if request.post? && @message.save
49 attach_files(@message, params[:attachments])
49 attach_files(@message, params[:attachments])
50 redirect_to :action => 'show', :id => @message
50 redirect_to :action => 'show', :id => @message
51 end
51 end
52 end
52 end
53
53
54 # Reply to a topic
54 # Reply to a topic
55 def reply
55 def reply
56 @reply = Message.new(params[:reply])
56 @reply = Message.new(params[:reply])
57 @reply.author = User.current
57 @reply.author = User.current
58 @reply.board = @board
58 @reply.board = @board
59 @topic.children << @reply
59 @topic.children << @reply
60 if !@reply.new_record?
60 if !@reply.new_record?
61 attach_files(@reply, params[:attachments])
61 attach_files(@reply, params[:attachments])
62 end
62 end
63 redirect_to :action => 'show', :id => @topic
63 redirect_to :action => 'show', :id => @topic
64 end
64 end
65
65
66 # Edit a message
66 # Edit a message
67 def edit
67 def edit
68 if params[:message] && User.current.allowed_to?(:edit_messages, @project)
68 if params[:message] && User.current.allowed_to?(:edit_messages, @project)
69 @message.locked = params[:message]['locked']
69 @message.locked = params[:message]['locked']
70 @message.sticky = params[:message]['sticky']
70 @message.sticky = params[:message]['sticky']
71 end
71 end
72 if request.post? && @message.update_attributes(params[:message])
72 if request.post? && @message.update_attributes(params[:message])
73 attach_files(@message, params[:attachments])
73 attach_files(@message, params[:attachments])
74 flash[:notice] = l(:notice_successful_update)
74 flash[:notice] = l(:notice_successful_update)
75 redirect_to :action => 'show', :id => @topic
75 redirect_to :action => 'show', :id => @topic
76 end
76 end
77 end
77 end
78
78
79 # Delete a messages
79 # Delete a messages
80 def destroy
80 def destroy
81 @message.destroy
81 @message.destroy
82 redirect_to @message.parent.nil? ?
82 redirect_to @message.parent.nil? ?
83 { :controller => 'boards', :action => 'show', :project_id => @project, :id => @board } :
83 { :controller => 'boards', :action => 'show', :project_id => @project, :id => @board } :
84 { :action => 'show', :id => @message.parent }
84 { :action => 'show', :id => @message.parent }
85 end
85 end
86
86
87 def quote
87 def quote
88 user = @message.author
88 user = @message.author
89 text = @message.content
89 text = @message.content
90 content = "#{ll(Setting.default_language, :text_user_wrote, user)}\\n> "
90 content = "#{ll(Setting.default_language, :text_user_wrote, user)}\\n> "
91 content << text.to_s.strip.gsub(%r{<pre>((.|\s)*?)</pre>}m, '[...]').gsub('"', '\"').gsub(/(\r?\n|\r\n?)/, "\\n> ") + "\\n\\n"
91 content << text.to_s.strip.gsub(%r{<pre>((.|\s)*?)</pre>}m, '[...]').gsub('"', '\"').gsub(/(\r?\n|\r\n?)/, "\\n> ") + "\\n\\n"
92 render(:update) { |page|
92 render(:update) { |page|
93 page.<< "$('message_content').value = \"#{content}\";"
93 page.<< "$('message_content').value = \"#{content}\";"
94 page.show 'reply'
94 page.show 'reply'
95 page << "Form.Element.focus('message_content');"
95 page << "Form.Element.focus('message_content');"
96 page << "Element.scrollTo('reply');"
96 page << "Element.scrollTo('reply');"
97 page << "$('message_content').scrollTop = $('message_content').scrollHeight - $('message_content').clientHeight;"
97 page << "$('message_content').scrollTop = $('message_content').scrollHeight - $('message_content').clientHeight;"
98 }
98 }
99 end
99 end
100
100
101 def preview
101 def preview
102 message = @board.messages.find_by_id(params[:id])
102 message = @board.messages.find_by_id(params[:id])
103 @attachements = message.attachments if message
103 @attachements = message.attachments if message
104 @text = (params[:message] || params[:reply])[:content]
104 @text = (params[:message] || params[:reply])[:content]
105 render :partial => 'common/preview'
105 render :partial => 'common/preview'
106 end
106 end
107
107
108 private
108 private
109 def find_message
109 def find_message
110 find_board
110 find_board
111 @message = @board.messages.find(params[:id], :include => :parent)
111 @message = @board.messages.find(params[:id], :include => :parent)
112 @topic = @message.root
112 @topic = @message.root
113 rescue ActiveRecord::RecordNotFound
113 rescue ActiveRecord::RecordNotFound
114 render_404
114 render_404
115 end
115 end
116
116
117 def find_board
117 def find_board
118 @board = Board.find(params[:board_id], :include => :project)
118 @board = Board.find(params[:board_id], :include => :project)
119 @project = @board.project
119 @project = @board.project
120 rescue ActiveRecord::RecordNotFound
120 rescue ActiveRecord::RecordNotFound
121 render_404
121 render_404
122 end
122 end
123 end
123 end
@@ -1,71 +1,80
1 # redMine - project management software
1 # redMine - project management software
2 # Copyright (C) 2006-2007 Jean-Philippe Lang
2 # Copyright (C) 2006-2007 Jean-Philippe Lang
3 #
3 #
4 # This program is free software; you can redistribute it and/or
4 # This program is free software; you can redistribute it and/or
5 # modify it under the terms of the GNU General Public License
5 # modify it under the terms of the GNU General Public License
6 # as published by the Free Software Foundation; either version 2
6 # as published by the Free Software Foundation; either version 2
7 # of the License, or (at your option) any later version.
7 # of the License, or (at your option) any later version.
8 #
8 #
9 # This program is distributed in the hope that it will be useful,
9 # This program is distributed in the hope that it will be useful,
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 # GNU General Public License for more details.
12 # GNU General Public License for more details.
13 #
13 #
14 # You should have received a copy of the GNU General Public License
14 # You should have received a copy of the GNU General Public License
15 # along with this program; if not, write to the Free Software
15 # along with this program; if not, write to the Free Software
16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
17
17
18 class Message < ActiveRecord::Base
18 class Message < ActiveRecord::Base
19 belongs_to :board
19 belongs_to :board
20 belongs_to :author, :class_name => 'User', :foreign_key => 'author_id'
20 belongs_to :author, :class_name => 'User', :foreign_key => 'author_id'
21 acts_as_tree :counter_cache => :replies_count, :order => "#{Message.table_name}.created_on ASC"
21 acts_as_tree :counter_cache => :replies_count, :order => "#{Message.table_name}.created_on ASC"
22 has_many :attachments, :as => :container, :dependent => :destroy
22 has_many :attachments, :as => :container, :dependent => :destroy
23 belongs_to :last_reply, :class_name => 'Message', :foreign_key => 'last_reply_id'
23 belongs_to :last_reply, :class_name => 'Message', :foreign_key => 'last_reply_id'
24
24
25 acts_as_searchable :columns => ['subject', 'content'],
25 acts_as_searchable :columns => ['subject', 'content'],
26 :include => {:board, :project},
26 :include => {:board, :project},
27 :project_key => 'project_id',
27 :project_key => 'project_id',
28 :date_column => "#{table_name}.created_on"
28 :date_column => "#{table_name}.created_on"
29 acts_as_event :title => Proc.new {|o| "#{o.board.name}: #{o.subject}"},
29 acts_as_event :title => Proc.new {|o| "#{o.board.name}: #{o.subject}"},
30 :description => :content,
30 :description => :content,
31 :type => Proc.new {|o| o.parent_id.nil? ? 'message' : 'reply'},
31 :type => Proc.new {|o| o.parent_id.nil? ? 'message' : 'reply'},
32 :url => Proc.new {|o| {:controller => 'messages', :action => 'show', :board_id => o.board_id}.merge(o.parent_id.nil? ? {:id => o.id} :
32 :url => Proc.new {|o| {:controller => 'messages', :action => 'show', :board_id => o.board_id}.merge(o.parent_id.nil? ? {:id => o.id} :
33 {:id => o.parent_id, :anchor => "message-#{o.id}"})}
33 {:id => o.parent_id, :anchor => "message-#{o.id}"})}
34
34
35 acts_as_activity_provider :find_options => {:include => [{:board => :project}, :author]}
35 acts_as_activity_provider :find_options => {:include => [{:board => :project}, :author]}
36 acts_as_watchable
36
37
37 attr_protected :locked, :sticky
38 attr_protected :locked, :sticky
38 validates_presence_of :subject, :content
39 validates_presence_of :subject, :content
39 validates_length_of :subject, :maximum => 255
40 validates_length_of :subject, :maximum => 255
40
41
42 after_create :add_author_as_watcher
43
41 def validate_on_create
44 def validate_on_create
42 # Can not reply to a locked topic
45 # Can not reply to a locked topic
43 errors.add_to_base 'Topic is locked' if root.locked? && self != root
46 errors.add_to_base 'Topic is locked' if root.locked? && self != root
44 end
47 end
45
48
46 def after_create
49 def after_create
47 board.update_attribute(:last_message_id, self.id)
50 board.update_attribute(:last_message_id, self.id)
48 board.increment! :messages_count
51 board.increment! :messages_count
49 if parent
52 if parent
50 parent.reload.update_attribute(:last_reply_id, self.id)
53 parent.reload.update_attribute(:last_reply_id, self.id)
51 else
54 else
52 board.increment! :topics_count
55 board.increment! :topics_count
53 end
56 end
54 end
57 end
55
58
56 def after_destroy
59 def after_destroy
57 # The following line is required so that the previous counter
60 # The following line is required so that the previous counter
58 # updates (due to children removal) are not overwritten
61 # updates (due to children removal) are not overwritten
59 board.reload
62 board.reload
60 board.decrement! :messages_count
63 board.decrement! :messages_count
61 board.decrement! :topics_count unless parent
64 board.decrement! :topics_count unless parent
62 end
65 end
63
66
64 def sticky?
67 def sticky?
65 sticky == 1
68 sticky == 1
66 end
69 end
67
70
68 def project
71 def project
69 board.project
72 board.project
70 end
73 end
74
75 private
76
77 def add_author_as_watcher
78 Watcher.create(:watchable => self.root, :user => author)
79 end
71 end
80 end
@@ -1,29 +1,30
1 # redMine - project management software
1 # redMine - project management software
2 # Copyright (C) 2006-2007 Jean-Philippe Lang
2 # Copyright (C) 2006-2007 Jean-Philippe Lang
3 #
3 #
4 # This program is free software; you can redistribute it and/or
4 # This program is free software; you can redistribute it and/or
5 # modify it under the terms of the GNU General Public License
5 # modify it under the terms of the GNU General Public License
6 # as published by the Free Software Foundation; either version 2
6 # as published by the Free Software Foundation; either version 2
7 # of the License, or (at your option) any later version.
7 # of the License, or (at your option) any later version.
8 #
8 #
9 # This program is distributed in the hope that it will be useful,
9 # This program is distributed in the hope that it will be useful,
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 # GNU General Public License for more details.
12 # GNU General Public License for more details.
13 #
13 #
14 # You should have received a copy of the GNU General Public License
14 # You should have received a copy of the GNU General Public License
15 # along with this program; if not, write to the Free Software
15 # along with this program; if not, write to the Free Software
16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
17
17
18 class MessageObserver < ActiveRecord::Observer
18 class MessageObserver < ActiveRecord::Observer
19 def after_create(message)
19 def after_create(message)
20 # send notification to the authors of the thread
20 recipients = []
21 recipients = ([message.root] + message.root.children).collect {|m| m.author.mail if m.author && m.author.active?}
21 # send notification to the topic watchers
22 recipients += message.root.watcher_recipients
22 # send notification to the board watchers
23 # send notification to the board watchers
23 recipients += message.board.watcher_recipients
24 recipients += message.board.watcher_recipients
24 # send notification to project members who want to be notified
25 # send notification to project members who want to be notified
25 recipients += message.board.project.recipients
26 recipients += message.board.project.recipients
26 recipients = recipients.compact.uniq
27 recipients = recipients.compact.uniq
27 Mailer.deliver_message_posted(message, recipients) if !recipients.empty? && Setting.notified_events.include?('message_posted')
28 Mailer.deliver_message_posted(message, recipients) if !recipients.empty? && Setting.notified_events.include?('message_posted')
28 end
29 end
29 end
30 end
@@ -1,60 +1,61
1 <%= breadcrumb link_to(l(:label_board_plural), {:controller => 'boards', :action => 'index', :project_id => @project}),
1 <%= breadcrumb link_to(l(:label_board_plural), {:controller => 'boards', :action => 'index', :project_id => @project}),
2 link_to(h(@board.name), {:controller => 'boards', :action => 'show', :project_id => @project, :id => @board}) %>
2 link_to(h(@board.name), {:controller => 'boards', :action => 'show', :project_id => @project, :id => @board}) %>
3
3
4 <div class="contextual">
4 <div class="contextual">
5 <%= watcher_tag(@topic, User.current) %>
5 <%= link_to_remote_if_authorized l(:button_quote), { :url => {:action => 'quote', :id => @topic} }, :class => 'icon icon-comment' %>
6 <%= link_to_remote_if_authorized l(:button_quote), { :url => {:action => 'quote', :id => @topic} }, :class => 'icon icon-comment' %>
6 <%= link_to_if_authorized l(:button_edit), {:action => 'edit', :id => @topic}, :class => 'icon icon-edit' %>
7 <%= link_to_if_authorized l(:button_edit), {:action => 'edit', :id => @topic}, :class => 'icon icon-edit' %>
7 <%= link_to_if_authorized l(:button_delete), {:action => 'destroy', :id => @topic}, :method => :post, :confirm => l(:text_are_you_sure), :class => 'icon icon-del' %>
8 <%= link_to_if_authorized l(:button_delete), {:action => 'destroy', :id => @topic}, :method => :post, :confirm => l(:text_are_you_sure), :class => 'icon icon-del' %>
8 </div>
9 </div>
9
10
10 <h2><%=h @topic.subject %></h2>
11 <h2><%=h @topic.subject %></h2>
11
12
12 <div class="message">
13 <div class="message">
13 <p><span class="author"><%= authoring @topic.created_on, @topic.author %></span></p>
14 <p><span class="author"><%= authoring @topic.created_on, @topic.author %></span></p>
14 <div class="wiki">
15 <div class="wiki">
15 <%= textilizable(@topic.content, :attachments => @topic.attachments) %>
16 <%= textilizable(@topic.content, :attachments => @topic.attachments) %>
16 </div>
17 </div>
17 <%= link_to_attachments @topic.attachments, :no_author => true %>
18 <%= link_to_attachments @topic.attachments, :no_author => true %>
18 </div>
19 </div>
19 <br />
20 <br />
20
21
21 <% unless @replies.empty? %>
22 <% unless @replies.empty? %>
22 <h3 class="icon22 icon22-comment"><%= l(:label_reply_plural) %></h3>
23 <h3 class="icon22 icon22-comment"><%= l(:label_reply_plural) %></h3>
23 <% @replies.each do |message| %>
24 <% @replies.each do |message| %>
24 <a name="<%= "message-#{message.id}" %>"></a>
25 <a name="<%= "message-#{message.id}" %>"></a>
25 <div class="contextual">
26 <div class="contextual">
26 <%= link_to_remote_if_authorized image_tag('comment.png'), { :url => {:action => 'quote', :id => message} }, :title => l(:button_quote) %>
27 <%= link_to_remote_if_authorized image_tag('comment.png'), { :url => {:action => 'quote', :id => message} }, :title => l(:button_quote) %>
27 <%= link_to_if_authorized image_tag('edit.png'), {:action => 'edit', :id => message}, :title => l(:button_edit) %>
28 <%= link_to_if_authorized image_tag('edit.png'), {:action => 'edit', :id => message}, :title => l(:button_edit) %>
28 <%= link_to_if_authorized image_tag('delete.png'), {:action => 'destroy', :id => message}, :method => :post, :confirm => l(:text_are_you_sure), :title => l(:button_delete) %>
29 <%= link_to_if_authorized image_tag('delete.png'), {:action => 'destroy', :id => message}, :method => :post, :confirm => l(:text_are_you_sure), :title => l(:button_delete) %>
29 </div>
30 </div>
30 <div class="message reply">
31 <div class="message reply">
31 <h4><%=h message.subject %> - <%= authoring message.created_on, message.author %></h4>
32 <h4><%=h message.subject %> - <%= authoring message.created_on, message.author %></h4>
32 <div class="wiki"><%= textilizable message, :content, :attachments => message.attachments %></div>
33 <div class="wiki"><%= textilizable message, :content, :attachments => message.attachments %></div>
33 <%= link_to_attachments message.attachments, :no_author => true %>
34 <%= link_to_attachments message.attachments, :no_author => true %>
34 </div>
35 </div>
35 <% end %>
36 <% end %>
36 <% end %>
37 <% end %>
37
38
38 <% if !@topic.locked? && authorize_for('messages', 'reply') %>
39 <% if !@topic.locked? && authorize_for('messages', 'reply') %>
39 <p><%= toggle_link l(:button_reply), "reply", :focus => 'message_content' %></p>
40 <p><%= toggle_link l(:button_reply), "reply", :focus => 'message_content' %></p>
40 <div id="reply" style="display:none;">
41 <div id="reply" style="display:none;">
41 <% form_for :reply, @reply, :url => {:action => 'reply', :id => @topic}, :html => {:multipart => true, :id => 'message-form'} do |f| %>
42 <% form_for :reply, @reply, :url => {:action => 'reply', :id => @topic}, :html => {:multipart => true, :id => 'message-form'} do |f| %>
42 <%= render :partial => 'form', :locals => {:f => f, :replying => true} %>
43 <%= render :partial => 'form', :locals => {:f => f, :replying => true} %>
43 <%= submit_tag l(:button_submit) %>
44 <%= submit_tag l(:button_submit) %>
44 <%= link_to_remote l(:label_preview),
45 <%= link_to_remote l(:label_preview),
45 { :url => { :controller => 'messages', :action => 'preview', :board_id => @board },
46 { :url => { :controller => 'messages', :action => 'preview', :board_id => @board },
46 :method => 'post',
47 :method => 'post',
47 :update => 'preview',
48 :update => 'preview',
48 :with => "Form.serialize('message-form')",
49 :with => "Form.serialize('message-form')",
49 :complete => "Element.scrollTo('preview')"
50 :complete => "Element.scrollTo('preview')"
50 }, :accesskey => accesskey(:preview) %>
51 }, :accesskey => accesskey(:preview) %>
51 <% end %>
52 <% end %>
52 <div id="preview" class="wiki"></div>
53 <div id="preview" class="wiki"></div>
53 </div>
54 </div>
54 <% end %>
55 <% end %>
55
56
56 <% content_for :header_tags do %>
57 <% content_for :header_tags do %>
57 <%= stylesheet_link_tag 'scm' %>
58 <%= stylesheet_link_tag 'scm' %>
58 <% end %>
59 <% end %>
59
60
60 <% html_title h(@topic.subject) %>
61 <% html_title h(@topic.subject) %>
@@ -1,288 +1,289
1 #!/usr/bin/ruby
1 #!/usr/bin/ruby
2
2
3 # == Synopsis
3 # == Synopsis
4 #
4 #
5 # reposman: manages your repositories with Redmine
5 # reposman: manages your repositories with Redmine
6 #
6 #
7 # == Usage
7 # == Usage
8 #
8 #
9 # reposman [OPTIONS...] -s [DIR] -r [HOST]
9 # reposman [OPTIONS...] -s [DIR] -r [HOST]
10 #
10 #
11 # Examples:
11 # Examples:
12 # reposman --svn-dir=/var/svn --redmine-host=redmine.example.net --scm subversion
12 # reposman --svn-dir=/var/svn --redmine-host=redmine.example.net --scm subversion
13 # reposman -s /var/git -r redmine.example.net -u http://svn.example.net --scm git
13 # reposman -s /var/git -r redmine.example.net -u http://svn.example.net --scm git
14 #
14 #
15 # == Arguments (mandatory)
15 # == Arguments (mandatory)
16 #
16 #
17 # -s, --svn-dir=DIR use DIR as base directory for svn repositories
17 # -s, --svn-dir=DIR use DIR as base directory for svn repositories
18 # -r, --redmine-host=HOST assume Redmine is hosted on HOST. Examples:
18 # -r, --redmine-host=HOST assume Redmine is hosted on HOST. Examples:
19 # -r redmine.example.net
19 # -r redmine.example.net
20 # -r http://redmine.example.net
20 # -r http://redmine.example.net
21 # -r https://example.net/redmine
21 # -r https://example.net/redmine
22 #
22 #
23 # == Options
23 # == Options
24 #
24 #
25 # -o, --owner=OWNER owner of the repository. using the rails login
25 # -o, --owner=OWNER owner of the repository. using the rails login
26 # allow user to browse the repository within
26 # allow user to browse the repository within
27 # Redmine even for private project. If you want to share repositories
27 # Redmine even for private project. If you want to share repositories
28 # through Redmine.pm, you need to use the apache owner.
28 # through Redmine.pm, you need to use the apache owner.
29 # --scm=SCM the kind of SCM repository you want to create (and register) in
29 # --scm=SCM the kind of SCM repository you want to create (and register) in
30 # Redmine (default: Subversion). reposman is able to create Git
30 # Redmine (default: Subversion). reposman is able to create Git
31 # and Subversion repositories. For all other kind (Bazaar,
31 # and Subversion repositories. For all other kind (Bazaar,
32 # Darcs, Filesystem, Mercurial) you must specify a --command option
32 # Darcs, Filesystem, Mercurial) you must specify a --command option
33 # -u, --url=URL the base url Redmine will use to access your
33 # -u, --url=URL the base url Redmine will use to access your
34 # repositories. This option is used to automatically
34 # repositories. This option is used to automatically
35 # register the repositories in Redmine. The project
35 # register the repositories in Redmine. The project
36 # identifier will be appended to this url. Examples:
36 # identifier will be appended to this url. Examples:
37 # -u https://example.net/svn
37 # -u https://example.net/svn
38 # -u file:///var/svn/
38 # -u file:///var/svn/
39 # if this option isn't set, reposman won't register
39 # if this option isn't set, reposman won't register
40 # the repositories in Redmine
40 # the repositories in Redmine
41 # -c, --command=COMMAND use this command instead of "svnadmin create" to
41 # -c, --command=COMMAND use this command instead of "svnadmin create" to
42 # create a repository. This option can be used to
42 # create a repository. This option can be used to
43 # create repositories other than subversion and git kind.
43 # create repositories other than subversion and git kind.
44 # This command override the default creation for git and subversion.
44 # This command override the default creation for git and subversion.
45 # -f, --force force repository creation even if the project
45 # -f, --force force repository creation even if the project
46 # repository is already declared in Redmine
46 # repository is already declared in Redmine
47 # -t, --test only show what should be done
47 # -t, --test only show what should be done
48 # -h, --help show help and exit
48 # -h, --help show help and exit
49 # -v, --verbose verbose
49 # -v, --verbose verbose
50 # -V, --version print version and exit
50 # -V, --version print version and exit
51 # -q, --quiet no log
51 # -q, --quiet no log
52 #
52 #
53 # == References
53 # == References
54 #
54 #
55 # You can find more information on the redmine's wiki : http://www.redmine.org/wiki/redmine/HowTos
55 # You can find more information on the redmine's wiki : http://www.redmine.org/wiki/redmine/HowTos
56
56
57
57
58 require 'getoptlong'
58 require 'getoptlong'
59 require 'rdoc/usage'
59 require 'rdoc/usage'
60 require 'soap/wsdlDriver'
60 require 'soap/wsdlDriver'
61 require 'find'
61 require 'find'
62 require 'etc'
62 require 'etc'
63
63
64 Version = "1.1"
64 Version = "1.1"
65 SUPPORTED_SCM = %w( Subversion Darcs Mercurial Bazaar Git Filesystem )
65 SUPPORTED_SCM = %w( Subversion Darcs Mercurial Bazaar Git Filesystem )
66
66
67 opts = GetoptLong.new(
67 opts = GetoptLong.new(
68 ['--svn-dir', '-s', GetoptLong::REQUIRED_ARGUMENT],
68 ['--svn-dir', '-s', GetoptLong::REQUIRED_ARGUMENT],
69 ['--redmine-host', '-r', GetoptLong::REQUIRED_ARGUMENT],
69 ['--redmine-host', '-r', GetoptLong::REQUIRED_ARGUMENT],
70 ['--owner', '-o', GetoptLong::REQUIRED_ARGUMENT],
70 ['--owner', '-o', GetoptLong::REQUIRED_ARGUMENT],
71 ['--url', '-u', GetoptLong::REQUIRED_ARGUMENT],
71 ['--url', '-u', GetoptLong::REQUIRED_ARGUMENT],
72 ['--command' , '-c', GetoptLong::REQUIRED_ARGUMENT],
72 ['--command' , '-c', GetoptLong::REQUIRED_ARGUMENT],
73 ['--scm', GetoptLong::REQUIRED_ARGUMENT],
73 ['--scm', GetoptLong::REQUIRED_ARGUMENT],
74 ['--test', '-t', GetoptLong::NO_ARGUMENT],
74 ['--test', '-t', GetoptLong::NO_ARGUMENT],
75 ['--force', '-f', GetoptLong::NO_ARGUMENT],
75 ['--force', '-f', GetoptLong::NO_ARGUMENT],
76 ['--verbose', '-v', GetoptLong::NO_ARGUMENT],
76 ['--verbose', '-v', GetoptLong::NO_ARGUMENT],
77 ['--version', '-V', GetoptLong::NO_ARGUMENT],
77 ['--version', '-V', GetoptLong::NO_ARGUMENT],
78 ['--help' , '-h', GetoptLong::NO_ARGUMENT],
78 ['--help' , '-h', GetoptLong::NO_ARGUMENT],
79 ['--quiet' , '-q', GetoptLong::NO_ARGUMENT]
79 ['--quiet' , '-q', GetoptLong::NO_ARGUMENT]
80 )
80 )
81
81
82 $verbose = 0
82 $verbose = 0
83 $quiet = false
83 $quiet = false
84 $redmine_host = ''
84 $redmine_host = ''
85 $repos_base = ''
85 $repos_base = ''
86 $svn_owner = 'root'
86 $svn_owner = 'root'
87 $use_groupid = true
87 $use_groupid = true
88 $svn_url = false
88 $svn_url = false
89 $test = false
89 $test = false
90 $force = false
90 $force = false
91 $scm = 'Subversion'
91 $scm = 'Subversion'
92
92
93 def log(text,level=0, exit=false)
93 def log(text, options={})
94 level = options[:level] || 0
94 puts text unless $quiet or level > $verbose
95 puts text unless $quiet or level > $verbose
95 exit 1 if exit
96 exit 1 if options[:exit]
96 end
97 end
97
98
98 def system_or_raise(command)
99 def system_or_raise(command)
99 raise "\"#{command}\" failed" unless system command
100 raise "\"#{command}\" failed" unless system command
100 end
101 end
101
102
102 module SCM
103 module SCM
103
104
104 module Subversion
105 module Subversion
105 def self.create(path)
106 def self.create(path)
106 system_or_raise "svnadmin create #{path}"
107 system_or_raise "svnadmin create #{path}"
107 end
108 end
108 end
109 end
109
110
110 module Git
111 module Git
111 def self.create(path)
112 def self.create(path)
112 Dir.mkdir path
113 Dir.mkdir path
113 Dir.chdir(path) do
114 Dir.chdir(path) do
114 system_or_raise "git --bare init --shared"
115 system_or_raise "git --bare init --shared"
115 system_or_raise "git-update-server-info"
116 system_or_raise "git update-server-info"
116 end
117 end
117 end
118 end
118 end
119 end
119
120
120 end
121 end
121
122
122 begin
123 begin
123 opts.each do |opt, arg|
124 opts.each do |opt, arg|
124 case opt
125 case opt
125 when '--svn-dir'; $repos_base = arg.dup
126 when '--svn-dir'; $repos_base = arg.dup
126 when '--redmine-host'; $redmine_host = arg.dup
127 when '--redmine-host'; $redmine_host = arg.dup
127 when '--owner'; $svn_owner = arg.dup; $use_groupid = false;
128 when '--owner'; $svn_owner = arg.dup; $use_groupid = false;
128 when '--url'; $svn_url = arg.dup
129 when '--url'; $svn_url = arg.dup
129 when '--scm'; $scm = arg.dup.capitalize; log("Invalid SCM: #{$scm}", 0, true) unless SUPPORTED_SCM.include?($scm)
130 when '--scm'; $scm = arg.dup.capitalize; log("Invalid SCM: #{$scm}", :exit => true) unless SUPPORTED_SCM.include?($scm)
130 when '--command'; $command = arg.dup
131 when '--command'; $command = arg.dup
131 when '--verbose'; $verbose += 1
132 when '--verbose'; $verbose += 1
132 when '--test'; $test = true
133 when '--test'; $test = true
133 when '--force'; $force = true
134 when '--force'; $force = true
134 when '--version'; puts Version; exit
135 when '--version'; puts Version; exit
135 when '--help'; RDoc::usage
136 when '--help'; RDoc::usage
136 when '--quiet'; $quiet = true
137 when '--quiet'; $quiet = true
137 end
138 end
138 end
139 end
139 rescue
140 rescue
140 exit 1
141 exit 1
141 end
142 end
142
143
143 if $test
144 if $test
144 log("running in test mode")
145 log("running in test mode")
145 end
146 end
146
147
147 # Make sure command is overridden if SCM vendor is not handled internally (for the moment Subversion and Git)
148 # Make sure command is overridden if SCM vendor is not handled internally (for the moment Subversion and Git)
148 if $command.nil?
149 if $command.nil?
149 begin
150 begin
150 scm_module = SCM.const_get($scm)
151 scm_module = SCM.const_get($scm)
151 rescue
152 rescue
152 log("Please use --command option to specify how to create a #{$scm} repository.", 0, true)
153 log("Please use --command option to specify how to create a #{$scm} repository.", :exit => true)
153 end
154 end
154 end
155 end
155
156
156 $svn_url += "/" if $svn_url and not $svn_url.match(/\/$/)
157 $svn_url += "/" if $svn_url and not $svn_url.match(/\/$/)
157
158
158 if ($redmine_host.empty? or $repos_base.empty?)
159 if ($redmine_host.empty? or $repos_base.empty?)
159 RDoc::usage
160 RDoc::usage
160 end
161 end
161
162
162 unless File.directory?($repos_base)
163 unless File.directory?($repos_base)
163 log("directory '#{$repos_base}' doesn't exists", 0, true)
164 log("directory '#{$repos_base}' doesn't exists", :exit => true)
164 end
165 end
165
166
166 log("querying Redmine for projects...", 1);
167 log("querying Redmine for projects...", :level => 1);
167
168
168 $redmine_host.gsub!(/^/, "http://") unless $redmine_host.match("^https?://")
169 $redmine_host.gsub!(/^/, "http://") unless $redmine_host.match("^https?://")
169 $redmine_host.gsub!(/\/$/, '')
170 $redmine_host.gsub!(/\/$/, '')
170
171
171 wsdl_url = "#{$redmine_host}/sys/service.wsdl";
172 wsdl_url = "#{$redmine_host}/sys/service.wsdl";
172
173
173 begin
174 begin
174 soap = SOAP::WSDLDriverFactory.new(wsdl_url).create_rpc_driver
175 soap = SOAP::WSDLDriverFactory.new(wsdl_url).create_rpc_driver
175 rescue => e
176 rescue => e
176 log("Unable to connect to #{wsdl_url} : #{e}", 0, true)
177 log("Unable to connect to #{wsdl_url} : #{e}", :exit => true)
177 end
178 end
178
179
179 projects = soap.ProjectsWithRepositoryEnabled
180 projects = soap.ProjectsWithRepositoryEnabled
180
181
181 if projects.nil?
182 if projects.nil?
182 log('no project found, perhaps you forgot to "Enable WS for repository management"', 0, true)
183 log('no project found, perhaps you forgot to "Enable WS for repository management"', :exit => true)
183 end
184 end
184
185
185 log("retrieved #{projects.size} projects", 1)
186 log("retrieved #{projects.size} projects", :level => 1)
186
187
187 def set_owner_and_rights(project, repos_path, &block)
188 def set_owner_and_rights(project, repos_path, &block)
188 if RUBY_PLATFORM =~ /mswin/
189 if RUBY_PLATFORM =~ /mswin/
189 yield if block_given?
190 yield if block_given?
190 else
191 else
191 uid, gid = Etc.getpwnam($svn_owner).uid, ($use_groupid ? Etc.getgrnam(project.identifier).gid : 0)
192 uid, gid = Etc.getpwnam($svn_owner).uid, ($use_groupid ? Etc.getgrnam(project.identifier).gid : 0)
192 right = project.is_public ? 0775 : 0770
193 right = project.is_public ? 0775 : 0770
193 yield if block_given?
194 yield if block_given?
194 Find.find(repos_path) do |f|
195 Find.find(repos_path) do |f|
195 File.chmod right, f
196 File.chmod right, f
196 File.chown uid, gid, f
197 File.chown uid, gid, f
197 end
198 end
198 end
199 end
199 end
200 end
200
201
201 def other_read_right?(file)
202 def other_read_right?(file)
202 (File.stat(file).mode & 0007).zero? ? false : true
203 (File.stat(file).mode & 0007).zero? ? false : true
203 end
204 end
204
205
205 def owner_name(file)
206 def owner_name(file)
206 RUBY_PLATFORM =~ /mswin/ ?
207 RUBY_PLATFORM =~ /mswin/ ?
207 $svn_owner :
208 $svn_owner :
208 Etc.getpwuid( File.stat(file).uid ).name
209 Etc.getpwuid( File.stat(file).uid ).name
209 end
210 end
210
211
211 projects.each do |project|
212 projects.each do |project|
212 log("treating project #{project.name}", 1)
213 log("treating project #{project.name}", :level => 1)
213
214
214 if project.identifier.empty?
215 if project.identifier.empty?
215 log("\tno identifier for project #{project.name}")
216 log("\tno identifier for project #{project.name}")
216 next
217 next
217 elsif not project.identifier.match(/^[a-z0-9\-]+$/)
218 elsif not project.identifier.match(/^[a-z0-9\-]+$/)
218 log("\tinvalid identifier for project #{project.name} : #{project.identifier}");
219 log("\tinvalid identifier for project #{project.name} : #{project.identifier}");
219 next;
220 next;
220 end
221 end
221
222
222 repos_path = $repos_base + "/" + project.identifier
223 repos_path = File.join($repos_base, project.identifier).gsub(File::SEPARATOR, File::ALT_SEPARATOR || File::SEPARATOR)
223
224
224 if File.directory?(repos_path)
225 if File.directory?(repos_path)
225
226
226 # we must verify that repository has the good owner and the good
227 # we must verify that repository has the good owner and the good
227 # rights before leaving
228 # rights before leaving
228 other_read = other_read_right?(repos_path)
229 other_read = other_read_right?(repos_path)
229 owner = owner_name(repos_path)
230 owner = owner_name(repos_path)
230 next if project.is_public == other_read and owner == $svn_owner
231 next if project.is_public == other_read and owner == $svn_owner
231
232
232 if $test
233 if $test
233 log("\tchange mode on #{repos_path}")
234 log("\tchange mode on #{repos_path}")
234 next
235 next
235 end
236 end
236
237
237 begin
238 begin
238 set_owner_and_rights(project, repos_path)
239 set_owner_and_rights(project, repos_path)
239 rescue Errno::EPERM => e
240 rescue Errno::EPERM => e
240 log("\tunable to change mode on #{repos_path} : #{e}\n")
241 log("\tunable to change mode on #{repos_path} : #{e}\n")
241 next
242 next
242 end
243 end
243
244
244 log("\tmode change on #{repos_path}");
245 log("\tmode change on #{repos_path}");
245
246
246 else
247 else
247 # if repository is already declared in redmine, we don't create
248 # if repository is already declared in redmine, we don't create
248 # unless user use -f with reposman
249 # unless user use -f with reposman
249 if $force == false and not project.repository.nil?
250 if $force == false and not project.repository.nil?
250 log("\trepository for project #{project.identifier} already exists in Redmine", 1)
251 log("\trepository for project #{project.identifier} already exists in Redmine", :level => 1)
251 next
252 next
252 end
253 end
253
254
254 project.is_public ? File.umask(0002) : File.umask(0007)
255 project.is_public ? File.umask(0002) : File.umask(0007)
255
256
256 if $test
257 if $test
257 log("\tcreate repository #{repos_path}")
258 log("\tcreate repository #{repos_path}")
258 log("\trepository #{repos_path} registered in Redmine with url #{$svn_url}#{project.identifier}") if $svn_url;
259 log("\trepository #{repos_path} registered in Redmine with url #{$svn_url}#{project.identifier}") if $svn_url;
259 next
260 next
260 end
261 end
261
262
262 begin
263 begin
263 set_owner_and_rights(project, repos_path) do
264 set_owner_and_rights(project, repos_path) do
264 if scm_module.nil?
265 if scm_module.nil?
265 system_or_raise "#{$command} #{repos_path}"
266 system_or_raise "#{$command} #{repos_path}"
266 else
267 else
267 scm_module.create(repos_path)
268 scm_module.create(repos_path)
268 end
269 end
269 end
270 end
270 rescue => e
271 rescue => e
271 log("\tunable to create #{repos_path} : #{e}\n")
272 log("\tunable to create #{repos_path} : #{e}\n")
272 next
273 next
273 end
274 end
274
275
275 if $svn_url
276 if $svn_url
276 ret = soap.RepositoryCreated project.identifier, $scm, "#{$svn_url}#{project.identifier}"
277 ret = soap.RepositoryCreated project.identifier, $scm, "#{$svn_url}#{project.identifier}"
277 if ret > 0
278 if ret > 0
278 log("\trepository #{repos_path} registered in Redmine with url #{$svn_url}#{project.identifier}");
279 log("\trepository #{repos_path} registered in Redmine with url #{$svn_url}#{project.identifier}");
279 else
280 else
280 log("\trepository #{repos_path} not registered in Redmine. Look in your log to find why.");
281 log("\trepository #{repos_path} not registered in Redmine. Look in your log to find why.");
281 end
282 end
282 end
283 end
283
284
284 log("\trepository #{repos_path} created");
285 log("\trepository #{repos_path} created");
285 end
286 end
286
287
287 end
288 end
288
289
@@ -1,644 +1,643
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
2
2
3 actionview_datehelper_select_day_prefix:
3 actionview_datehelper_select_day_prefix:
4 actionview_datehelper_select_month_names: Januar,Februar,Marts,April,Maj,Juni,Juli,August,September,Oktober,November,December
4 actionview_datehelper_select_month_names: Januar,Februar,Marts,April,Maj,Juni,Juli,August,September,Oktober,November,December
5 actionview_datehelper_select_month_names_abbr: Jan,Feb,Mar,Apr,Maj,Jun,Jul,Aug,Sep,Okt,Nov,Dec
5 actionview_datehelper_select_month_names_abbr: Jan,Feb,Mar,Apr,Maj,Jun,Jul,Aug,Sep,Okt,Nov,Dec
6 actionview_datehelper_select_month_prefix:
6 actionview_datehelper_select_month_prefix:
7 actionview_datehelper_select_year_prefix:
7 actionview_datehelper_select_year_prefix:
8 actionview_datehelper_time_in_words_day: 1 dag
8 actionview_datehelper_time_in_words_day: 1 dag
9 actionview_datehelper_time_in_words_day_plural: %d dage
9 actionview_datehelper_time_in_words_day_plural: %d dage
10 actionview_datehelper_time_in_words_hour_about: cirka en time
10 actionview_datehelper_time_in_words_hour_about: cirka en time
11 actionview_datehelper_time_in_words_hour_about_plural: cirka %d timer
11 actionview_datehelper_time_in_words_hour_about_plural: cirka %d timer
12 actionview_datehelper_time_in_words_hour_about_single: cirka en time
12 actionview_datehelper_time_in_words_hour_about_single: cirka en time
13 actionview_datehelper_time_in_words_minute: 1 minut
13 actionview_datehelper_time_in_words_minute: 1 minut
14 actionview_datehelper_time_in_words_minute_half: et halvt minut
14 actionview_datehelper_time_in_words_minute_half: et halvt minut
15 actionview_datehelper_time_in_words_minute_less_than: mindre end et minut
15 actionview_datehelper_time_in_words_minute_less_than: mindre end et minut
16 actionview_datehelper_time_in_words_minute_plural: %d minutter
16 actionview_datehelper_time_in_words_minute_plural: %d minutter
17 actionview_datehelper_time_in_words_minute_single: 1 minut
17 actionview_datehelper_time_in_words_minute_single: 1 minut
18 actionview_datehelper_time_in_words_second_less_than: mindre end et sekund
18 actionview_datehelper_time_in_words_second_less_than: mindre end et sekund
19 actionview_datehelper_time_in_words_second_less_than_plural: mindre end %d sekunder
19 actionview_datehelper_time_in_words_second_less_than_plural: mindre end %d sekunder
20 actionview_instancetag_blank_option: Vælg venligst
20 actionview_instancetag_blank_option: Vælg venligst
21
21
22 activerecord_error_inclusion: er ikke i listen
22 activerecord_error_inclusion: er ikke i listen
23 activerecord_error_exclusion: er reserveret
23 activerecord_error_exclusion: er reserveret
24 activerecord_error_invalid: er ugyldig
24 activerecord_error_invalid: er ugyldig
25 activerecord_error_confirmation: passer ikke bekræftelsen
25 activerecord_error_confirmation: passer ikke bekræftelsen
26 activerecord_error_accepted: skal accepteres
26 activerecord_error_accepted: skal accepteres
27 activerecord_error_empty: kan ikke være tom
27 activerecord_error_empty: kan ikke være tom
28 activerecord_error_blank: kan ikke være blank
28 activerecord_error_blank: kan ikke være blank
29 activerecord_error_too_long: er for lang
29 activerecord_error_too_long: er for lang
30 activerecord_error_too_short: er for kort
30 activerecord_error_too_short: er for kort
31 activerecord_error_wrong_length: har den forkerte længde
31 activerecord_error_wrong_length: har den forkerte længde
32 activerecord_error_taken: er allerede valgt
32 activerecord_error_taken: er allerede valgt
33 activerecord_error_not_a_number: er ikke et nummer
33 activerecord_error_not_a_number: er ikke et tal
34 activerecord_error_not_a_date: er en ugyldig dato
34 activerecord_error_not_a_date: er en ugyldig dato
35 activerecord_error_greater_than_start_date: skal være senere end start datoen
35 activerecord_error_greater_than_start_date: skal være senere end startdatoen
36 activerecord_error_not_same_project: høre ikke til samme projekt
36 activerecord_error_not_same_project: hører ikke til samme projekt
37 activerecord_error_circular_dependency: Denne relation vil skabe et afhængigheds forhold
37 activerecord_error_circular_dependency: Denne relation vil skabe en cirkulær afhængighed
38
38
39 general_fmt_age: %d år
39 general_fmt_age: %d år
40 general_fmt_age_plural: %d år
40 general_fmt_age_plural: %d år
41 general_fmt_date: %%m/%%d/%%Y
41 general_fmt_date: %%m/%%d/%%Y
42 general_fmt_datetime: %%m/%%d/%%Y %%I:%%M %%p
42 general_fmt_datetime: %%m/%%d/%%Y %%I:%%M %%p
43 general_fmt_datetime_short: %%b %%d, %%I:%%M %%p
43 general_fmt_datetime_short: %%b %%d, %%I:%%M %%p
44 general_fmt_time: %%I:%%M %%p
44 general_fmt_time: %%I:%%M %%p
45 general_text_No: 'Nej'
45 general_text_No: 'Nej'
46 general_text_Yes: 'Ja'
46 general_text_Yes: 'Ja'
47 general_text_no: 'nej'
47 general_text_no: 'nej'
48 general_text_yes: 'ja'
48 general_text_yes: 'ja'
49 general_lang_name: 'Danish (Dansk)'
49 general_lang_name: 'Dansk'
50 general_csv_separator: ','
50 general_csv_separator: ','
51 general_csv_decimal_separator: '.'
51 general_csv_decimal_separator: '.'
52 general_csv_encoding: ISO-8859-1
52 general_csv_encoding: ISO-8859-1
53 general_pdf_encoding: ISO-8859-1
53 general_pdf_encoding: ISO-8859-1
54 general_day_names: Mandag,Tirsdag,Onsdag,Torsdag,Fredag,Lørdag,Søndag
54 general_day_names: Mandag,Tirsdag,Onsdag,Torsdag,Fredag,Lørdag,Søndag
55 general_first_day_of_week: '1'
55 general_first_day_of_week: '1'
56
56
57 notice_account_updated: Kontoen er opdateret.
57 notice_account_updated: Kontoen er opdateret.
58 notice_account_invalid_creditentials: Ugyldig bruger og kodeord
58 notice_account_invalid_creditentials: Forkert brugernavn eller kodeord
59 notice_account_password_updated: Kodeordet er opdateret.
59 notice_account_password_updated: Kodeordet er opdateret.
60 notice_account_wrong_password: Forkert kodeord
60 notice_account_wrong_password: Forkert kodeord
61 notice_account_register_done: Kontoen er oprettet. For at aktivere kontoen, ska du klikke på linket i den tilsendte email.
61 notice_account_register_done: Kontoen er oprettet. For at aktivere kontoen, skal du klikke på linket i den tilsendte e-mail.
62 notice_account_unknown_email: Ukendt bruger.
62 notice_account_unknown_email: Ukendt brugernavn.
63 notice_can_t_change_password: Denne konto benytter en ekstern sikkerheds godkendelse. Det er ikke muligt at skifte kodeord.
63 notice_can_t_change_password: Denne konto benytter en ekstern sikkerhedsgodkendelse. Det er ikke muligt at skifte kodeord.
64 notice_account_lost_email_sent: En email med instruktioner til at vælge et nyt kodeord er afsendt til dig.
64 notice_account_lost_email_sent: En e-mail med instruktioner til at vælge et nyt kodeord er afsendt til dig.
65 notice_account_activated: Din konto er aktiveret. Du kan nu logge ind.
65 notice_account_activated: Din konto er aktiveret. Du kan nu logge ind.
66 notice_successful_create: Succesfuld oprettelsen.
66 notice_successful_create: Oprettelse lykkedes.
67 notice_successful_update: Succesfuld opdatering.
67 notice_successful_update: Opdatering lykkedes.
68 notice_successful_delete: Succesfuld sletning.
68 notice_successful_delete: Sletning lykkedes.
69 notice_successful_connection: Succesfuld forbindelse.
69 notice_successful_connection: Succesfuld forbindelse.
70 notice_file_not_found: Siden du forsøger at tilgå, eksisterer ikke eller er blevet fjernet.
70 notice_file_not_found: Siden, du forsøger at tilgå, eksisterer ikke eller er blevet fjernet.
71 notice_locking_conflict: Data er opdateret af en anden bruger.
71 notice_locking_conflict: Data er opdateret af en anden bruger.
72 notice_not_authorized: Du har ike adgang til denne side.
72 notice_not_authorized: Du har ikke adgang til denne side.
73 notice_email_sent: En email er sendt til %s
73 notice_email_sent: En e-mail er sendt til %s
74 notice_email_error: En fejl opstod under afsendelse af email (%s)
74 notice_email_error: En fejl opstod under afsendelse af e-mail (%s)
75 notice_feeds_access_key_reseted: Din RSS adgangs nøgle er nulstillet.
75 notice_feeds_access_key_reseted: Din RSS-adgangsnøgle er nulstillet.
76 notice_failed_to_save_issues: "Det mislykkedes at gemme %d sage(r) %d valgt: %s."
76 notice_failed_to_save_issues: "Det mislykkedes at gemme %d sage(r) %d valgt: %s."
77 notice_no_issue_selected: "Ingen sag er valgt! vælg venligst hvilke emner du vil rette."
77 notice_no_issue_selected: "Ingen sag er valgt! Vælg venligst, hvilke emner du vil rette."
78 notice_account_pending: "Din konto er oprettet, og afventer administratorens godkendelse."
78 notice_account_pending: "Din konto er oprettet og afventer administratorens godkendelse."
79 notice_default_data_loaded: Default konfiguration er indlæst.
79 notice_default_data_loaded: Standardkonfiguration er indlæst.
80 notice_unable_delete_version: Kan ikke slette version
80
81
81 error_can_t_load_default_data: "Standard konfiguration kunne ikke indlæses: %s"
82 error_can_t_load_default_data: "Standardkonfiguration kunne ikke indlæses: %s"
82 error_scm_not_found: "Adgang og/eller revision blev ikke fundet i det valgte repository."
83 error_scm_not_found: "Fil og/eller revision blev ikke fundet i det valgte filarkiv."
83 error_scm_command_failed: "En fejl opstod under fobindelsen til det valgte repository: %s"
84 error_scm_command_failed: "En fejl opstod under forbindelsen til det valgte filarkiv: %s"
85 error_scm_annotate: "Filen findes ikke eller kan ikke annoteres."
86 error_issue_not_found_in_project: 'Sagen blev ikke fundet eller tilhører ikke dette projekt'
84
87
85 mail_subject_lost_password: Dit %s kodeord
88 mail_subject_lost_password: Dit kodeord til %s
86 mail_body_lost_password: 'For at ændre dit kodeord, klik dette link:'
89 mail_body_lost_password: 'For at ændre dit kodeord, klik dette link:'
87 mail_subject_register: %s konto aktivering
90 mail_subject_register: %s kontoaktivering
88 mail_body_register: 'For at aktivere din konto, klik dette link:'
91 mail_body_register: 'For at aktivere din konto, klik dette link:'
89 mail_body_account_information_external: Du kan bruge din "%s" konto til at logge ind.
92 mail_body_account_information_external: Du kan bruge din "%s" konto til at logge ind.
90 mail_body_account_information: Din konto information
93 mail_body_account_information: Din kontoinformation
91 mail_subject_account_activation_request: %s konto aktivering
94 mail_subject_account_activation_request: %s kontoaktivering
92 mail_body_account_activation_request: 'En ny bruger (%s) er registreret. Godkend venligst kontoen:'
95 mail_body_account_activation_request: 'En ny bruger (%s) er registreret. Godkend venligst kontoen:'
96 mail_subject_reminder: "%d sag(er) har snart deadline"
97 mail_body_reminder: "%d sag(er) der er tildelt dig har deadline i løbet af de kommende %d dage:"
93
98
94 gui_validation_error: 1 fejl
99 gui_validation_error: 1 fejl
95 gui_validation_error_plural: %d fejl
100 gui_validation_error_plural: %d fejl
96
101
97 field_name: Navn
102 field_name: Navn
98 field_description: Beskrivelse
103 field_description: Beskrivelse
99 field_summary: Sammenfatning
104 field_summary: Oversigt
100 field_is_required: Skal udfyldes
105 field_is_required: Skal udfyldes
101 field_firstname: Fornavn
106 field_firstname: Fornavn
102 field_lastname: Efternavn
107 field_lastname: Efternavn
103 field_mail: Email
108 field_mail: E-mail
104 field_filename: Fil
109 field_filename: Fil
105 field_filesize: Størrelse
110 field_filesize: Størrelse
106 field_downloads: Downloads
111 field_downloads: Downloads
107 field_author: Forfatter
112 field_author: Opretter
108 field_created_on: Oprettet
113 field_created_on: Oprettet
109 field_updated_on: Opdateret
114 field_updated_on: Opdateret
110 field_field_format: Format
115 field_field_format: Format
111 field_is_for_all: For alle projekter
116 field_is_for_all: For alle projekter
112 field_possible_values: Mulige værdier
117 field_possible_values: Mulige værdier
113 field_regexp: Regulære udtryk
118 field_regexp: Regulære udtryk
114 field_min_length: Minimum længde
119 field_min_length: Minimum længde
115 field_max_length: Maximal længde
120 field_max_length: Maksimal længde
116 field_value: Værdi
121 field_value: Værdi
117 field_category: Kategori
122 field_category: Kategori
118 field_title: Titel
123 field_title: Titel
119 field_project: Projekt
124 field_project: Projekt
120 field_issue: Sag
125 field_issue: Sag
121 field_status: Status
126 field_status: Status
122 field_notes: Noter
127 field_notes: Noter
123 field_is_closed: Sagen er lukket
128 field_is_closed: Sagen er lukket
124 field_is_default: Standard værdi
129 field_is_default: Standardværdi
125 field_tracker: Type
130 field_tracker: Type
126 field_subject: Emne
131 field_subject: Emne
127 field_due_date: Deadline
132 field_due_date: Deadline
128 field_assigned_to: Tildelt til
133 field_assigned_to: Tildelt til
129 field_priority: Prioritet
134 field_priority: Prioritet
130 field_fixed_version: Target version
135 field_fixed_version: Planlagt version
131 field_user: Bruger
136 field_user: Bruger
132 field_role: Rolle
137 field_role: Rolle
133 field_homepage: Hjemmeside
138 field_homepage: Hjemmeside
134 field_is_public: Offentlig
139 field_is_public: Offentlig
135 field_parent: Underprojekt af
140 field_parent: Underprojekt af
136 field_is_in_chlog: Sager vist i ændringer
141 field_is_in_chlog: Sager vist i ændringslog
137 field_is_in_roadmap: Sager vist i roadmap
142 field_is_in_roadmap: Sager vist i plan
138 field_login: Login
143 field_login: Brugernavn
139 field_mail_notification: Email notifikationer
144 field_mail_notification: E-mail-notifikationer
140 field_admin: Administrator
145 field_admin: Administrator
141 field_last_login_on: Sidste forbindelse
146 field_last_login_on: Sidst logget ind
142 field_language: Sprog
147 field_language: Sprog
143 field_effective_date: Dato
148 field_effective_date: Dato
144 field_password: Kodeord
149 field_password: Kodeord
145 field_new_password: Nyt kodeord
150 field_new_password: Nyt kodeord
146 field_password_confirmation: Bekræft
151 field_password_confirmation: Bekræft
147 field_version: Version
152 field_version: Version
148 field_type: Type
153 field_type: Type
149 field_host: Vært
154 field_host: Vært
150 field_port: Port
155 field_port: Port
151 field_account: Kode
156 field_account: Kode
152 field_base_dn: Base DN
157 field_base_dn: Base-DN
153 field_attr_login: Login attribut
158 field_attr_login: Attribut for brugernavn
154 field_attr_firstname: Fornavn attribut
159 field_attr_firstname: Attribut for fornavn
155 field_attr_lastname: Efternavn attribut
160 field_attr_lastname: Attribut for efternavn
156 field_attr_mail: Email attribut
161 field_attr_mail: Attribut for e-mail
157 field_onthefly: løbende bruger oprettelse
162 field_onthefly: Løbende brugeroprettelse
158 field_start_date: Start
163 field_start_date: Start
159 field_done_ratio: %% Færdig
164 field_done_ratio: %% færdig
160 field_auth_source: Sikkerheds metode
165 field_auth_source: Godkendelsesmetode
161 field_hide_mail: Skjul min email
166 field_hide_mail: Skjul min e-mail
162 field_comments: Kommentar
167 field_comments: Kommentar
163 field_url: URL
168 field_url: URL
164 field_start_page: Start side
169 field_start_page: Startside
165 field_subproject: Underprojekt
170 field_subproject: Underprojekt
166 field_hours: Timer
171 field_hours: Timer
167 field_activity: Aktivitet
172 field_activity: Aktivitet
168 field_spent_on: Dato
173 field_spent_on: Dato
169 field_identifier: Identificering
174 field_identifier: Identifikator
170 field_is_filter: Brugt som et filter
175 field_is_filter: Brugt som et filter
171 field_issue_to_id: Beslægtede sag
176 field_issue_to_id: Relateret sag
172 field_delay: Udsættelse
177 field_delay: Udsættelse
173 field_assignable: Sager kan tildeles denne rolle
178 field_assignable: Sager kan tildeles denne rolle
174 field_redirect_existing_links: Videresend eksisterende links
179 field_redirect_existing_links: Videresend eksisterende links
175 field_estimated_hours: Estimeret tid
180 field_estimated_hours: Tidsestimat
176 field_column_names: Kolonner
181 field_column_names: Kolonner
177 field_time_zone: Tids zone
182 field_time_zone: Tidszone
178 field_searchable: Søgbar
183 field_searchable: Søgbar
179 field_default_value: Standard værdi
184 field_default_value: Standardværdi
185 field_comments_sorting: Vis kommentarer
186 field_parent_title: Forælderside
180
187
181 setting_app_title: Applikations titel
188 setting_app_title: Applikationens titel
182 setting_app_subtitle: Applikations undertekst
189 setting_app_subtitle: Applikationes undertitel
183 setting_welcome_text: Velkomst tekst
190 setting_welcome_text: Velkomsttekst
184 setting_default_language: Standard sporg
191 setting_default_language: Standardsprog
185 setting_login_required: Sikkerhed påkrævet
192 setting_login_required: Indlogning påkrævet
186 setting_self_registration: Bruger oprettelse
193 setting_self_registration: Brugeroprettelse
187 setting_attachment_max_size: Vedhæftede filers max størrelse
194 setting_attachment_max_size: Maks. størrelse for vedhæftede filer
188 setting_issues_export_limit: Sags eksporterings begrænsning
195 setting_issues_export_limit: Maks. antal sager i eksport
189 setting_mail_from: Afsender email
196 setting_mail_from: Afsender-e-mail
190 setting_bcc_recipients: Blind carbon copy modtager (bcc)
197 setting_bcc_recipients: Blindkopimodtager (bcc)
191 setting_host_name: Værts navn
198 setting_host_name: Værtsnavn
192 setting_text_formatting: Tekst formattering
199 setting_text_formatting: Tekstformatering
193 setting_wiki_compression: Wiki historik komprimering
200 setting_wiki_compression: Komprimer wiki-historik
194 setting_feeds_limit: Feed indholds begrænsning
201 setting_feeds_limit: Antal objekter i feeds
195 setting_autofetch_changesets: Automatisk hent commits
202 setting_default_projects_public: Nye projekter er som standard offentlige
196 setting_sys_api_enabled: Aktiver web service for automatisk repository administration
203 setting_autofetch_changesets: Hent automatisk commits
197 setting_commit_ref_keywords: Reference nøgleord
204 setting_sys_api_enabled: Aktiver webservice til versionsstyring
198 setting_commit_fix_keywords: Afslutnings nøgleord
205 setting_commit_ref_keywords: Nøgleord for sagsreferencer
206 setting_commit_fix_keywords: Nøgleord for lukning af sager
199 setting_autologin: Autologin
207 setting_autologin: Autologin
200 setting_date_format: Dato format
208 setting_date_format: Datoformat
201 setting_time_format: Tids format
209 setting_time_format: Tidsformat
202 setting_cross_project_issue_relations: Tillad sags relationer på tværs af projekter
210 setting_cross_project_issue_relations: Tillad sagsrelationer på tværs af projekter
203 setting_issue_list_default_columns: Standard kolonner på sags listen
211 setting_issue_list_default_columns: Standardkolonner på sagslisten
204 setting_repositories_encodings: Repository tegnsæt
212 setting_repositories_encodings: Filarkivtegnsæt
205 setting_emails_footer: Email fodnote
213 setting_commit_logs_encoding: Tegnsæt for commitbeskeder
214 setting_emails_footer: Sidefod i e-mail
206 setting_protocol: Protokol
215 setting_protocol: Protokol
207 setting_per_page_options: Objekter pr. side indstillinger
216 setting_per_page_options: Valgmuligheder for antal objekter pr. side
208 setting_user_format: Bruger visnings format
217 setting_user_format: Brugervisningsformat
218 setting_activity_days_default: Antal dage der vises under projektaktivitet
219 setting_display_subprojects_issues: Vis som standard sager for underprojekter på hovedprojektet
220 setting_enabled_scm: Aktiveret versionsstyring
221 setting_mail_handler_api_enabled: Aktiver redigering af sager via mail
222 setting_mail_handler_api_key: API-nøgle
223 setting_sequential_project_identifiers: Generer fortløbende identifikatorer
209
224
210 project_module_issue_tracking: Sags søgning
225 project_module_issue_tracking: Sagssøgning
211 project_module_time_tracking: Tids styring
226 project_module_time_tracking: Tidsregistrering
212 project_module_news: Nyheder
227 project_module_news: Nyheder
213 project_module_documents: Dokumenter
228 project_module_documents: Dokumenter
214 project_module_files: Filer
229 project_module_files: Filer
215 project_module_wiki: Wiki
230 project_module_wiki: Wiki
216 project_module_repository: Repository
231 project_module_repository: Versionsstyring
217 project_module_boards: Opslagstavle
232 project_module_boards: Opslagstavle
218
233
219 label_user: Bruger
234 label_user: Bruger
220 label_user_plural: Brugere
235 label_user_plural: Brugere
221 label_user_new: Ny bruger
236 label_user_new: Ny bruger
222 label_project: Projekt
237 label_project: Projekt
223 label_project_new: Nyt projekt
238 label_project_new: Nyt projekt
224 label_project_plural: Projekter
239 label_project_plural: Projekter
225 label_project_all: Alle projekter
240 label_project_all: Alle projekter
226 label_project_latest: Seneste projekter
241 label_project_latest: Seneste projekter
227 label_issue: Sag
242 label_issue: Sag
228 label_issue_new: Opret sag
243 label_issue_new: Ny sag
229 label_issue_plural: Sager
244 label_issue_plural: Sager
230 label_issue_view_all: Vis alle sager
245 label_issue_view_all: Vis alle sager
231 label_issues_by: Sager fra %s
246 label_issues_by: Sager fra %s
232 label_issue_added: Sagen er oprettet
247 label_issue_added: Sag oprettet
233 label_issue_updated: Sagen er opdateret
248 label_issue_updated: Sag opdateret
234 label_document: Dokument
249 label_document: Dokument
235 label_document_new: Nyt dokument
250 label_document_new: Nyt dokument
236 label_document_plural: Dokumenter
251 label_document_plural: Dokumenter
237 label_document_added: Dokument tilføjet
252 label_document_added: Dokument oprettet
238 label_role: Rolle
253 label_role: Rolle
239 label_role_plural: Roller
254 label_role_plural: Roller
240 label_role_new: Ny rolle
255 label_role_new: Ny rolle
241 label_role_and_permissions: Roller og rettigheder
256 label_role_and_permissions: Roller og rettigheder
242 label_member: Medlem
257 label_member: Medlem
243 label_member_new: Nyt medlem
258 label_member_new: Nyt medlem
244 label_member_plural: Medlemmer
259 label_member_plural: Medlemmer
245 label_tracker: Type
260 label_tracker: Type
246 label_tracker_plural: Typer
261 label_tracker_plural: Typer
247 label_tracker_new: Ny type
262 label_tracker_new: Ny type
248 label_workflow: Arbejdsgang
263 label_workflow: Arbejdsgang
249 label_issue_status: Sags status
264 label_issue_status: Statuskode
250 label_issue_status_plural: Sags statuser
265 label_issue_status_plural: Statuskoder
251 label_issue_status_new: Ny status
266 label_issue_status_new: Ny statuskode
252 label_issue_category: Sags kategori
267 label_issue_category: Sagskategori
253 label_issue_category_plural: Sags kategorier
268 label_issue_category_plural: Sagskategorier
254 label_issue_category_new: Ny kategori
269 label_issue_category_new: Ny kategori
255 label_custom_field: Brugerdefineret felt
270 label_custom_field: Brugerdefineret felt
256 label_custom_field_plural: Brugerdefineret felt
271 label_custom_field_plural: Brugerdefinerede felter
257 label_custom_field_new: Nyt brugerdefineret felt
272 label_custom_field_new: Nyt brugerdefineret felt
258 label_enumerations: Værdier
273 label_enumerations: Værdier
259 label_enumeration_new: Ny værdi
274 label_enumeration_new: Ny værdi
260 label_information: Information
275 label_information: Information
261 label_information_plural: Information
276 label_information_plural: Information
262 label_please_login: Login
277 label_please_login: Log venligst ind
263 label_register: Registrer
278 label_register: Registrer
264 label_password_lost: Glemt kodeord
279 label_password_lost: Glemt kodeord
265 label_home: Forside
280 label_home: Forside
266 label_my_page: Min side
281 label_my_page: Min side
267 label_my_account: Min konto
282 label_my_account: Min konto
268 label_my_projects: Mine projekter
283 label_my_projects: Mine projekter
269 label_administration: Administration
284 label_administration: Administration
270 label_login: Log ind
285 label_login: Log ind
271 label_logout: Log ud
286 label_logout: Log ud
272 label_help: Hjælp
287 label_help: Hjælp
273 label_reported_issues: Rapporterede sager
288 label_reported_issues: Rapporterede sager
274 label_assigned_to_me_issues: Sager tildelt til mig
289 label_assigned_to_me_issues: Sager tildelt mig
275 label_last_login: Sidste forbindelse
290 label_last_login: Sidste indlogning
276 label_last_updates: Sidst opdateret
291 label_last_updates: Sidst opdateret
277 label_last_updates_plural: %d sidst opdateret
292 label_last_updates_plural: %d sidst opdateret
278 label_registered_on: Registeret den
293 label_registered_on: Oprettet den
279 label_activity: Aktivitet
294 label_activity: Aktivitet
295 label_overall_activity: Al aktivitet
280 label_new: Ny
296 label_new: Ny
281 label_logged_as: Registreret som
297 label_logged_as: Logget ind som
282 label_environment: Miljø
298 label_environment: Miljø
283 label_authentication: Sikkerhed
299 label_authentication: Godkendelse
284 label_auth_source: Sikkerheds metode
300 label_auth_source: Godkendelsesmetode
285 label_auth_source_new: Ny sikkerheds metode
301 label_auth_source_new: Ny godkendelsemetode
286 label_auth_source_plural: Sikkerheds metoder
302 label_auth_source_plural: Godkendelsesmetoder
287 label_subproject_plural: Underprojekter
303 label_subproject_plural: Underprojekter
288 label_min_max_length: Min - Max længde
304 label_and_its_subprojects: Projektet %s og dets underprojekter
305 label_min_max_length: Min.-maks.-længde
289 label_list: Liste
306 label_list: Liste
290 label_date: Dato
307 label_date: Dato
291 label_integer: Heltal
308 label_integer: Heltal
292 label_float: Kommatal
309 label_float: Kommatal
293 label_boolean: Sand/falsk
310 label_boolean: Sand/falsk
294 label_string: Tekst
311 label_string: Tekst
295 label_text: Lang tekst
312 label_text: Lang tekst
296 label_attribute: Attribut
313 label_attribute: Attribut
297 label_attribute_plural: Attributter
314 label_attribute_plural: Attributter
298 label_download: %d Download
315 label_download: %d download
299 label_download_plural: %d Downloads
316 label_download_plural: %d downloads
300 label_no_data: Ingen data at vise
317 label_no_data: Ingen data at vise
301 label_change_status: Ændrings status
318 label_change_status: Ændringsstatus
302 label_history: Historik
319 label_history: Historik
303 label_attachment: Fil
320 label_attachment: Fil
304 label_attachment_new: Ny fil
321 label_attachment_new: Ny fil
305 label_attachment_delete: Slet fil
322 label_attachment_delete: Slet fil
306 label_attachment_plural: Filer
323 label_attachment_plural: Filer
307 label_file_added: Fil tilføjet
324 label_file_added: Fil oprettet
308 label_report: Rapport
325 label_report: Rapport
309 label_report_plural: Rapporter
326 label_report_plural: Rapporter
310 label_news: Nyheder
327 label_news: Nyheder
311 label_news_new: Tilføj nyheder
328 label_news_new: Ny nyhed
312 label_news_plural: Nyheder
329 label_news_plural: Nyheder
313 label_news_latest: Seneste nyheder
330 label_news_latest: Seneste nyheder
314 label_news_view_all: Vis alle nyheder
331 label_news_view_all: Vis alle nyheder
315 label_news_added: Nyhed tilføjet
332 label_news_added: Nyhed oprettet
316 label_change_log: Ændringer
333 label_change_log: Ændringer
317 label_settings: Indstillinger
334 label_settings: Indstillinger
318 label_overview: Oversigt
335 label_overview: Oversigt
319 label_version: Version
336 label_version: Version
320 label_version_new: Ny version
337 label_version_new: Ny version
321 label_version_plural: Versioner
338 label_version_plural: Versioner
322 label_confirmation: Bekræftigelser
339 label_confirmation: Bekræftelser
323 label_export_to: Eksporter til
340 label_export_to: Eksporter til
324 label_read: Læs...
341 label_read: Læs...
325 label_public_projects: Offentlige projekter
342 label_public_projects: Offentlige projekter
326 label_open_issues: åben
343 label_open_issues: åben
327 label_open_issues_plural: åbne
344 label_open_issues_plural: åbne
328 label_closed_issues: lukket
345 label_closed_issues: lukket
329 label_closed_issues_plural: lukkede
346 label_closed_issues_plural: lukkede
330 label_total: Total
347 label_total: Total
331 label_permissions: Rettigheder
348 label_permissions: Rettigheder
332 label_current_status: Nuværende status
349 label_current_status: Nuværende status
333 label_new_statuses_allowed: Ny status tilladt
350 label_new_statuses_allowed: Tilladte nye statuskoder
334 label_all: alle
351 label_all: alle
335 label_none: intet
352 label_none: intet
336 label_nobody: ingen
353 label_nobody: ingen
337 label_next: Næste
354 label_next: Næste
338 label_previous: Forrig
355 label_previous: Forrige
339 label_used_by: Brugt af
356 label_used_by: Brugt af
340 label_details: Detaljer
357 label_details: Detaljer
341 label_add_note: Tilføj en note
358 label_add_note: Ny note
342 label_per_page: Pr. side
359 label_per_page: Pr. side
343 label_calendar: Kalender
360 label_calendar: Kalender
344 label_months_from: måneder frem
361 label_months_from: måneder frem
345 label_gantt: Gantt
362 label_gantt: Gantt
346 label_internal: Intern
363 label_internal: Intern
347 label_last_changes: sidste %d ændringer
364 label_last_changes: sidste %d ændringer
348 label_change_view_all: Vis alle ændringer
365 label_change_view_all: Vis alle ændringer
349 label_personalize_page: Tilret denne side
366 label_personalize_page: Tilret denne side
350 label_comment: Kommentar
367 label_comment: Kommentar
351 label_comment_plural: Kommentarer
368 label_comment_plural: Kommentarer
352 label_comment_add: Tilføj en kommentar
369 label_comment_add: Tilføj en kommentar
353 label_comment_added: Kommentaren er tilføjet
370 label_comment_added: Kommentar tilføjet
354 label_comment_delete: Slet kommentar
371 label_comment_delete: Slet kommentar
355 label_query: Brugerdefineret forespørgsel
372 label_query: Brugerdefineret søgning
356 label_query_plural: Brugerdefinerede forespørgsler
373 label_query_plural: Brugerdefinerede søgning
357 label_query_new: Ny forespørgsel
374 label_query_new: Ny søgning
358 label_filter_add: Tilføj filter
375 label_filter_add: Tilføj filter
359 label_filter_plural: Filtre
376 label_filter_plural: Filtre
360 label_equals: er
377 label_equals: er
361 label_not_equals: er ikke
378 label_not_equals: er ikke
362 label_in_less_than: er mindre end
379 label_in_less_than: er mindre end
363 label_in_more_than: er større end
380 label_in_more_than: er større end
364 label_in: indeholdt i
381 label_in: indeholdt i
365 label_today: idag
382 label_today: i dag
366 label_all_time: altid
383 label_all_time: altid
367 label_yesterday: igår
384 label_yesterday: i går
368 label_this_week: denne uge
385 label_this_week: denne uge
369 label_last_week: sidste uge
386 label_last_week: sidste uge
370 label_last_n_days: sidste %d dage
387 label_last_n_days: sidste %d dage
371 label_this_month: denne måned
388 label_this_month: denne måned
372 label_last_month: sidste måned
389 label_last_month: sidste måned
373 label_this_year: dette år
390 label_this_year: dette år
374 label_date_range: Dato interval
391 label_date_range: Datointerval
375 label_less_than_ago: mindre end dage siden
392 label_less_than_ago: mindre end dage siden
376 label_more_than_ago: mere end dage siden
393 label_more_than_ago: mere end dage siden
377 label_ago: days siden
394 label_ago: days siden
378 label_contains: indeholder
395 label_contains: indeholder
379 label_not_contains: ikke indeholder
396 label_not_contains: indeholder ikke
380 label_day_plural: dage
397 label_day_plural: dage
381 label_repository: Repository
398 label_repository: Versionsstyring
382 label_repository_plural: Repositories
399 label_repository_plural: Versionsstyring
383 label_browse: Gennemse
400 label_browse: Gennemse
384 label_modification: %d ændring
401 label_modification: %d ændring
385 label_modification_plural: %d ændringer
402 label_modification_plural: %d ændringer
386 label_revision: Revision
403 label_revision: Revision
387 label_revision_plural: Revisioner
404 label_revision_plural: Revisioner
388 label_associated_revisions: Tilnyttede revisioner
405 label_associated_revisions: Tilnyttede revisioner
389 label_added: tilføjet
406 label_added: oprettet
390 label_modified: ændret
407 label_modified: ændret
408 label_copied: kopieret
409 label_renamed: omdøbt
391 label_deleted: slettet
410 label_deleted: slettet
392 label_latest_revision: Seneste revision
411 label_latest_revision: Seneste revision
393 label_latest_revision_plural: Seneste revisioner
412 label_latest_revision_plural: Seneste revisioner
394 label_view_revisions: Se revisioner
413 label_view_revisions: Se revisioner
395 label_max_size: Maximal størrelse
414 label_max_size: Maximal størrelse
396 label_on: 'til'
415 label_on: 'til'
397 label_sort_highest: Flyt til toppen
416 label_sort_highest: Flyt til toppen
398 label_sort_higher: Flyt op
417 label_sort_higher: Flyt op
399 label_sort_lower: Flyt ned
418 label_sort_lower: Flyt ned
400 label_sort_lowest: Flyt til bunden
419 label_sort_lowest: Flyt til bunden
401 label_roadmap: Roadmap
420 label_roadmap: Plan
402 label_roadmap_due_in: Deadline
421 label_roadmap_due_in: Deadline
403 label_roadmap_overdue: %s forsinket
422 label_roadmap_overdue: %s forsinket
404 label_roadmap_no_issues: Ingen sager til denne version
423 label_roadmap_no_issues: Ingen sager i denne version
405 label_search: Søg
424 label_search: Søg
406 label_result_plural: Resultater
425 label_result_plural: Resultater
407 label_all_words: Alle ord
426 label_all_words: Alle ord
408 label_wiki: Wiki
427 label_wiki: Wiki
409 label_wiki_edit: Wiki ændring
428 label_wiki_edit: Wikiændring
410 label_wiki_edit_plural: Wiki ændringer
429 label_wiki_edit_plural: Wikiændringer
411 label_wiki_page: Wiki side
430 label_wiki_page: Wikiside
412 label_wiki_page_plural: Wiki sider
431 label_wiki_page_plural: Wikisider
413 label_index_by_title: Indhold efter titel
432 label_index_by_title: Indhold efter titel
414 label_index_by_date: Indhold efter dato
433 label_index_by_date: Indhold efter dato
415 label_current_version: Nuværende version
434 label_current_version: Nuværende version
416 label_preview: Forhåndsvisning
435 label_preview: Forhåndsvisning
417 label_feed_plural: Feeds
436 label_feed_plural: Feeds
418 label_changes_details: Detaljer for alle ænringer
437 label_changes_details: Detaljer for alle ændringer
419 label_issue_tracking: Sags søgning
438 label_issue_tracking: Sagsstyring
420 label_spent_time: Brugt tid
439 label_spent_time: Tidsforbrug
421 label_f_hour: %.2f time
440 label_f_hour: %.2f time
422 label_f_hour_plural: %.2f timer
441 label_f_hour_plural: %.2f timer
423 label_time_tracking: Tids styring
442 label_time_tracking: Tidsregistrering
424 label_change_plural: Ændringer
443 label_change_plural: Ændringer
425 label_statistics: Statistik
444 label_statistics: Statistik
426 label_commits_per_month: Commits pr. måned
445 label_commits_per_month: Commits pr. måned
427 label_commits_per_author: Commits pr. bruger
446 label_commits_per_author: Commits pr. bruger
428 label_view_diff: Vis forskellighed
447 label_view_diff: Vis ændringer
429 label_diff_inline: inline
448 label_diff_inline: inline
430 label_diff_side_by_side: side ved side
449 label_diff_side_by_side: side om side
431 label_options: Optioner
450 label_options: Optioner
432 label_copy_workflow_from: Kopier arbejdsgang fra
451 label_copy_workflow_from: Kopier arbejdsgang fra
433 label_permissions_report: Godkendelses rapport
452 label_permissions_report: Rettighedsoversigt
434 label_watched_issues: Overvågede sager
453 label_watched_issues: Overvågede sager
435 label_related_issues: Relaterede sager
454 label_related_issues: Relaterede sager
436 label_applied_status: Anvendte statuser
455 label_applied_status: Tildelt status
437 label_loading: Indlæser...
456 label_loading: Indlæser...
438 label_relation_new: Ny relation
457 label_relation_new: Ny relation
439 label_relation_delete: Slet relation
458 label_relation_delete: Slet relation
440 label_relates_to: relaterer til
459 label_relates_to: er relateret til
441 label_duplicates: kopierer
460 label_duplicates: dublerer
461 label_duplicated_by: dubleret af
442 label_blocks: blokerer
462 label_blocks: blokerer
443 label_blocked_by: blokeret af
463 label_blocked_by: blokeret af
444 label_precedes: kommer før
464 label_precedes: kommer før
445 label_follows: følger
465 label_follows: følger
446 label_end_to_start: slut til start
466 label_end_to_start: slut til start
447 label_end_to_end: slut til slut
467 label_end_to_end: slut til slut
448 label_start_to_start: start til start
468 label_start_to_start: start til start
449 label_start_to_end: start til slut
469 label_start_to_end: start til slut
450 label_stay_logged_in: Forblin indlogget
470 label_stay_logged_in: Forbliv indlogget
451 label_disabled: deaktiveret
471 label_disabled: deaktiveret
452 label_show_completed_versions: Vis færdige versioner
472 label_show_completed_versions: Vis færdige versioner
453 label_me: mig
473 label_me: mig
454 label_board: Forum
474 label_board: Forum
455 label_board_new: Nyt forum
475 label_board_new: Nyt forum
456 label_board_plural: Fora
476 label_board_plural: Fora
457 label_topic_plural: Emner
477 label_topic_plural: Emner
458 label_message_plural: Beskeder
478 label_message_plural: Beskeder
459 label_message_last: Sidste besked
479 label_message_last: Seneste besked
460 label_message_new: Ny besked
480 label_message_new: Ny besked
461 label_message_posted: Besked tilføjet
481 label_message_posted: Besked oprettet
462 label_reply_plural: Besvarer
482 label_reply_plural: Besvarer
463 label_send_information: Send konto information til bruger
483 label_send_information: Send kontoinformation til bruger
464 label_year: År
484 label_year: År
465 label_month: Måned
485 label_month: Måned
466 label_week: Uge
486 label_week: Uge
467 label_date_from: Fra
487 label_date_from: Fra
468 label_date_to: Til
488 label_date_to: Til
469 label_language_based: Baseret på brugerens sprog
489 label_language_based: Baseret på brugerens sprog
470 label_sort_by: Sorter efter %s
490 label_sort_by: Sorter efter %s
471 label_send_test_email: Send en test email
491 label_send_test_email: Send en testmail
472 label_feeds_access_key_created_on: RSS adgangsnøgle genereret %s siden
492 label_feeds_access_key_created_on: RSS-adgangsnøgle genereret for %s siden
473 label_module_plural: Moduler
493 label_module_plural: Moduler
474 label_added_time_by: Tilføjet af %s for %s siden
494 label_added_time_by: Oprettet af %s for %s siden
475 label_updated_time: Opdateret for %s siden
495 label_updated_time: Opdateret for %s siden
476 label_jump_to_a_project: Skift til projekt...
496 label_jump_to_a_project: Skift til projekt...
477 label_file_plural: Filer
497 label_file_plural: Filer
478 label_changeset_plural: Ændringer
498 label_changeset_plural: Ændringer
479 label_default_columns: Standard kolonner
499 label_default_columns: Standardkolonner
480 label_no_change_option: (Ingen ændringer)
500 label_no_change_option: (Ingen ændringer)
481 label_bulk_edit_selected_issues: Masse ret de valgte sager
501 label_bulk_edit_selected_issues: Masseret de valgte sager
482 label_theme: Tema
502 label_theme: Tema
483 label_default: standard
503 label_default: standard
484 label_search_titles_only: Søg kun i titler
504 label_search_titles_only: Søg kun i titler
485 label_user_mail_option_all: "For alle hændelser mine projekter"
505 label_user_mail_option_all: "For alle hændelser mine projekter"
486 label_user_mail_option_selected: "For alle hændelser, kun de valgte projekter..."
506 label_user_mail_option_selected: "For alle hændelser udvalgte projekter..."
487 label_user_mail_option_none: "Kun for ting jeg overvåger, eller jeg er involveret i"
507 label_user_mail_option_none: "Kun for ting jeg overvåger eller er involveret i"
488 label_user_mail_no_self_notified: "Jeg ønsker ikke besked, om ændring foretaget af mig selv"
508 label_user_mail_no_self_notified: "Jeg ønsker ikke at blive notificeret om ændringer foretaget af mig selv"
489 label_registration_activation_by_email: konto aktivering på email
509 label_registration_activation_by_email: kontoaktivering på e-mail
490 label_registration_manual_activation: manuel konto aktivering
510 label_registration_manual_activation: manuel kontoaktivering
491 label_registration_automatic_activation: automatisk konto aktivering
511 label_registration_automatic_activation: automatisk kontoaktivering
492 label_display_per_page: 'Per side: %s'
512 label_display_per_page: 'Pr. side: %s'
493 label_age: Alder
513 label_age: Alder
494 label_change_properties: Ændre indstillinger
514 label_change_properties: Ændre indstillinger
495 label_general: Generalt
515 label_general: Generelt
496 label_more: Mere
516 label_more: Mere
497 label_scm: SCM
517 label_scm: Versionsstyring
498 label_plugins: Plugins
518 label_plugins: Plugins
499 label_ldap_authentication: LDAP godkendelse
519 label_ldap_authentication: LDAP-godkendelse
500 label_downloads_abbr: D/L
520 label_downloads_abbr: D/L
521 label_add_another_file: Opret endnu en fil
522 label_optional_description: Valgfri beskrivelse
523 label_preferences: Indstillinger
524 label_chronological_order: I kronologisk rækkefølge
525 label_reverse_chronological_order: I omvendt kronologisk rækkefølge
526 label_planning: Planlægning
527 label_incoming_emails: Indkommende e-mails
528 label_generate_key: Generer en nøgle
529 label_issue_watchers: Overvågere
501
530
502 button_login: Login
531 button_login: Log ind
503 button_submit: Send
532 button_submit: Send
504 button_save: Gem
533 button_save: Gem
505 button_check_all: Vælg alt
534 button_check_all: Vælg alle
506 button_uncheck_all: Fravælg alt
535 button_uncheck_all: Fravælg alle
507 button_delete: Slet
536 button_delete: Slet
508 button_create: Opret
537 button_create: Opret
509 button_test: Test
538 button_test: Test
510 button_edit: Ret
539 button_edit: Ret
511 button_add: Tilføj
540 button_add: Opret
512 button_change: Ændre
541 button_change: Skift
513 button_apply: Anvend
542 button_apply: Anvend
514 button_clear: Nulstil
543 button_clear: Nulstil
515 button_lock: Lås
544 button_lock: Lås
516 button_unlock: Lås op
545 button_unlock: Lås op
517 button_download: Download
546 button_download: Download
518 button_list: List
547 button_list: List
519 button_view: Vis
548 button_view: Vis
520 button_move: Flyt
549 button_move: Flyt
521 button_back: Tilbage
550 button_back: Tilbage
522 button_cancel: Annuller
551 button_cancel: Annuller
523 button_activate: Aktiver
552 button_activate: Aktiver
524 button_sort: Sorter
553 button_sort: Sorter
525 button_log_time: Log tid
554 button_log_time: Registrer tid
526 button_rollback: Tilbagefør til denne version
555 button_rollback: Rul tilbage til denne version
527 button_watch: Overvåg
556 button_watch: Overvåg
528 button_unwatch: Stop overvågning
557 button_unwatch: Stop overvågning
529 button_reply: Besvar
558 button_reply: Besvar
530 button_archive: Arkiver
559 button_archive: Arkiver
531 button_unarchive: Fjern fra arkiv
560 button_unarchive: Fjern fra arkiv
532 button_reset: Nulstil
561 button_reset: Nulstil
533 button_rename: Omdøb
562 button_rename: Omdøb
534 button_change_password: Skift kodeord
563 button_change_password: Skift kodeord
535 button_copy: Kopier
564 button_copy: Kopier
536 button_annotate: Annotere
565 button_annotate: Annotere
537 button_update: Opdater
566 button_update: Opdater
538 button_configure: Konfigurer
567 button_configure: Konfigurer
568 button_quote: Citer
539
569
540 status_active: aktiv
570 status_active: aktiv
541 status_registered: registreret
571 status_registered: registreret
542 status_locked: låst
572 status_locked: låst
543
573
544 text_select_mail_notifications: Vælg handlinger for hvilke, der skal sendes en email besked.
574 text_select_mail_notifications: Vælg handlinger for hvilke, der skal sendes en e-mail-notifikation.
545 text_regexp_info: f.eks. ^[A-ZÆØÅ0-9]+$
575 text_regexp_info: f.eks. ^[A-ZÆØÅ0-9]+$
546 text_min_max_length_info: 0 betyder ingen begrænsninger
576 text_min_max_length_info: 0 betyder ingen begrænsninger
547 text_project_destroy_confirmation: Er du sikker på di vil slette dette projekt og alle relaterede data ?
577 text_project_destroy_confirmation: Er du sikker på, at du vil slette dette projekt og alle relaterede data ?
548 text_workflow_edit: Vælg en rolle samt en type, for at redigere arbejdsgangen
578 text_subprojects_destroy_warning: 'Dets underprojekt(er): %s vil også blive slettet.'
549 text_are_you_sure: Er du sikker ?
579 text_workflow_edit: Vælg en rolle samt en type for at redigere arbejdsgangen
580 text_are_you_sure: Er du sikker?
550 text_journal_changed: ændret fra %s til %s
581 text_journal_changed: ændret fra %s til %s
551 text_journal_set_to: sat til %s
582 text_journal_set_to: sat til %s
552 text_journal_deleted: slettet
583 text_journal_deleted: slettet
553 text_tip_task_begin_day: opgaven begynder denne dag
584 text_tip_task_begin_day: opgaven begynder denne dag
554 text_tip_task_end_day: opaven slutter denne dag
585 text_tip_task_end_day: opgaven slutter denne dag
555 text_tip_task_begin_end_day: opgaven begynder og slutter denne dag
586 text_tip_task_begin_end_day: opgaven begynder og slutter denne dag
556 text_project_identifier_info: 'Små bogstaver (a-z), numre og bindestreg er tilladt.<br />Når den er gemt, kan indifikatoren ikke rettes.'
587 text_project_identifier_info: 'Små bogstaver (a-z), numre og bindestreg er tilladt.<br />Når den er gemt, kan identifikatoren ikke rettes.'
557 text_caracters_maximum: max %d karakterer.
588 text_caracters_maximum: maks. %d tegn.
558 text_caracters_minimum: Skal være mindst %d karakterer lang.
589 text_caracters_minimum: Skal være mindst %d tegn lang.
559 text_length_between: Længde skal være mellem %d og %d karakterer.
590 text_length_between: Længde skal være mellem %d og %d tegn.
560 text_tracker_no_workflow: Ingen arbejdsgang defineret for denne type
591 text_tracker_no_workflow: Ingen arbejdsgang defineret for denne type
561 text_unallowed_characters: Ikke tilladte karakterer
592 text_unallowed_characters: Ugyldige tegn
562 text_comma_separated: Adskillige værdier tilladt (komma separeret).
593 text_comma_separated: Flere værdier tilladt (adskilt af komma).
563 text_issues_ref_in_commit_messages: Referer og løser sager i commit beskeder
594 text_issues_ref_in_commit_messages: Referer og luk sager i commitbeskeder
564 text_issue_added: Sag %s er rapporteret af %s.
595 text_issue_added: Sag %s er rapporteret af %s.
565 text_issue_updated: Sag %s er blevet opdateret af %s.
596 text_issue_updated: Sag %s er blevet opdateret af %s.
566 text_wiki_destroy_confirmation: Er du sikker på at du vil slette debbe wiki, og alt indholdet ?
597 text_wiki_destroy_confirmation: Er du sikker på, at du vil slette denne wiki og alt dens indhold?
567 text_issue_category_destroy_question: Nogle sgaer (%d) er tildelt denne kategori. Hvad ønsker du at gøre ?
598 text_issue_category_destroy_question: Nogle sager (%d) er tildelt denne kategori. Hvad ønsker du at gøre?
568 text_issue_category_destroy_assignments: Slet kategori tildelinger
599 text_issue_category_destroy_assignments: Slet kategoritildelinger
569 text_issue_category_reassign_to: Tildel sager til denne kategori
600 text_issue_category_reassign_to: Tildel sager til denne kategori
570 text_user_mail_option: "For ikke valgte projekter, vil du kun modtage beskeder omhandlende ting, du er involveret i, eller overvåger (f.eks. sager du ahr indberettet eller ejer)."
601 text_user_mail_option: "For ikke-valgte projekter vil du kun modtage notifikationer omhandlende ting, du er involveret i eller overvåger (f.eks. sager du har oprettet eller er tildelt)."
571 text_no_configuration_data: "Roller, typer, sags statuser og arbejdsgange er endnu ikek konfigureret.\nDet er anbefalet at indlæse standard konfigurationen. Du vil kunne ændre denne når den er indlæst."
602 text_no_configuration_data: "Roller, typer, statuskoder og arbejdsgange er endnu ikke konfigureret.\nDet er anbefalet at indlæse standardkonfigurationen. Du vil kunne ændre denne, når den er indlæst."
572 text_load_default_configuration: Indlæs standard konfiguration
603 text_load_default_configuration: Indlæs standardkonfiguration
573 text_status_changed_by_changeset: Anvendt i ændring %s.
604 text_status_changed_by_changeset: Anvendt i ændring %s.
574 text_issues_destroy_confirmation: 'Er du sikker du ønsker at slette den/de valgte sag(er) ?'
605 text_issues_destroy_confirmation: 'Er du sikker , du ønsker at slette den/de valgte sag(er) ?'
575 text_select_project_modules: 'Vælg moduler er skal være aktiveret for dette projekt:'
606 text_select_project_modules: 'Vælg moduler, der skal være aktiveret for dette projekt:'
576 text_default_administrator_account_changed: Standard administrator konto ændret
607 text_default_administrator_account_changed: Standardadministratorkonto ændret
577 text_file_repository_writable: Filarkiv er skrivbar
608 text_file_repository_writable: Filarkiv er skrivbart
578 text_rmagick_available: RMagick tilgængelig (valgfri)
609 text_rmagick_available: RMagick tilgængelig (valgfri)
610 text_destroy_time_entries_question: %.02f timer er registreret på denne sag, som du er ved at slette. Hvad vil du gøre?
611 text_destroy_time_entries: Slet registrerede timer
612 text_assign_time_entries_to_project: Overfør registrerede timer til projektet
613 text_reassign_time_entries: 'Tilbagefør registrerede timer til denne sag igen:'
614 text_user_wrote: '%s skrev:'
615 text_enumeration_destroy_question: '%d objekter er tildelt denne værdi.'
616 text_enumeration_category_reassign_to: 'Tildel dem denne værdi:'
617 text_email_delivery_not_configured: "E-mail-afsendelse er ikke konfigureret, notifikationer er deaktiverede.\nKonfigurer din SMTP-server i config/email.yml og genstart applikationen for at aktivere disse."
579
618
580 default_role_manager: Leder
619 default_role_manager: Leder
581 default_role_developper: Udvikler
620 default_role_developper: Udvikler
582 default_role_reporter: Rapportør
621 default_role_reporter: Rapportør
583 default_tracker_bug: Bug
622 default_tracker_bug: Bug
584 default_tracker_feature: Feature
623 default_tracker_feature: Feature
585 default_tracker_support: Support
624 default_tracker_support: Support
586 default_issue_status_new: Ny
625 default_issue_status_new: Ny
587 default_issue_status_assigned: Tildelt
626 default_issue_status_assigned: Tildelt
588 default_issue_status_resolved: Løst
627 default_issue_status_resolved: Løst
589 default_issue_status_feedback: Feedback
628 default_issue_status_feedback: Feedback
590 default_issue_status_closed: Lukket
629 default_issue_status_closed: Lukket
591 default_issue_status_rejected: Afvist
630 default_issue_status_rejected: Afvist
592 default_doc_category_user: Bruger dokumentation
631 default_doc_category_user: Brugerdokumentation
593 default_doc_category_tech: Teknisk dokumentation
632 default_doc_category_tech: Teknisk dokumentation
594 default_priority_low: Lav
633 default_priority_low: Lav
595 default_priority_normal: Normal
634 default_priority_normal: Normal
596 default_priority_high: Høj
635 default_priority_high: Høj
597 default_priority_urgent: Akut
636 default_priority_urgent: Haster
598 default_priority_immediate: Omgående
637 default_priority_immediate: Akut
599 default_activity_design: Design
638 default_activity_design: Design
600 default_activity_development: Udvikling
639 default_activity_development: Udvikling
601
640
602 enumeration_issue_priorities: Sags prioriteter
641 enumeration_issue_priorities: Sagsprioriteter
603 enumeration_doc_categories: Dokument kategorier
642 enumeration_doc_categories: Dokumentkategorier
604 enumeration_activities: Aktiviteter (tids styring)
643 enumeration_activities: Aktiviteter (tidsregistrering)
605
606 label_add_another_file: Tilføj endnu en fil
607 label_chronological_order: I kronologisk rækkefølge
608 setting_activity_days_default: Antal dage der vises under projekt aktivitet
609 text_destroy_time_entries_question: %.02f timer er reporteret på denne sag, som du er ved at slette. Hvad vil du gøre ?
610 error_issue_not_found_in_project: 'Sagen blev ikke fundet eller tilhører ikke dette projekt'
611 text_assign_time_entries_to_project: Tildel raporterede timer til projektet
612 setting_display_subprojects_issues: Vis sager for underprojekter på hovedprojektet som default
613 label_optional_description: Optionel beskrivelse
614 text_destroy_time_entries: Slet raportede timer
615 field_comments_sorting: Vis kommentar
616 text_reassign_time_entries: 'Tildel raportede timer til denne sag igen'
617 label_reverse_chronological_order: I omvendt kronologisk rækkefølge
618 label_preferences: Preferences
619 label_overall_activity: Overordnet aktivitet
620 setting_default_projects_public: Nye projekter er offentlige som default
621 error_scm_annotate: "The entry does not exist or can not be annotated."
622 label_planning: Planlægning
623 text_subprojects_destroy_warning: 'Its subproject(s): %s will be also deleted.'
624 label_and_its_subprojects: %s and its subprojects
625 mail_body_reminder: "%d issue(s) that are assigned to you are due in the next %d days:"
626 mail_subject_reminder: "%d issue(s) due in the next days"
627 text_user_wrote: '%s wrote:'
628 label_duplicated_by: duplicated by
629 setting_enabled_scm: Enabled SCM
630 text_enumeration_category_reassign_to: 'Reassign them to this value:'
631 text_enumeration_destroy_question: '%d objects are assigned to this value.'
632 label_incoming_emails: Incoming emails
633 label_generate_key: Generate a key
634 setting_mail_handler_api_enabled: Enable WS for incoming emails
635 setting_mail_handler_api_key: API key
636 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."
637 field_parent_title: Parent page
638 label_issue_watchers: Watchers
639 setting_commit_logs_encoding: Commit messages encoding
640 button_quote: Quote
641 setting_sequential_project_identifiers: Generate sequential project identifiers
642 notice_unable_delete_version: Unable to delete version
643 label_renamed: renamed
644 label_copied: copied
@@ -1,643 +1,643
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
2
2
3 actionview_datehelper_select_day_prefix:
3 actionview_datehelper_select_day_prefix:
4 actionview_datehelper_select_month_names: Január,Február,Március,Április,Május,Június,Július,Augusztus,Szeptember,Október,November,December
4 actionview_datehelper_select_month_names: Január,Február,Március,Április,Május,Június,Július,Augusztus,Szeptember,Október,November,December
5 actionview_datehelper_select_month_names_abbr: Jan,Feb,Már,Ápr,Máj,Jún,Júl,Aug,Szept,Okt,Nov,Dec
5 actionview_datehelper_select_month_names_abbr: Jan,Feb,Már,Ápr,Máj,Jún,Júl,Aug,Szept,Okt,Nov,Dec
6 actionview_datehelper_select_month_prefix:
6 actionview_datehelper_select_month_prefix:
7 actionview_datehelper_select_year_prefix:
7 actionview_datehelper_select_year_prefix:
8 actionview_datehelper_time_in_words_day: 1 nap
8 actionview_datehelper_time_in_words_day: 1 nap
9 actionview_datehelper_time_in_words_day_plural: %d nap
9 actionview_datehelper_time_in_words_day_plural: %d nap
10 actionview_datehelper_time_in_words_hour_about: kb. 1 óra
10 actionview_datehelper_time_in_words_hour_about: kb. 1 óra
11 actionview_datehelper_time_in_words_hour_about_plural: kb. %d óra
11 actionview_datehelper_time_in_words_hour_about_plural: kb. %d óra
12 actionview_datehelper_time_in_words_hour_about_single: kb. 1 óra
12 actionview_datehelper_time_in_words_hour_about_single: kb. 1 óra
13 actionview_datehelper_time_in_words_minute: 1 perc
13 actionview_datehelper_time_in_words_minute: 1 perc
14 actionview_datehelper_time_in_words_minute_half: fél perc
14 actionview_datehelper_time_in_words_minute_half: fél perc
15 actionview_datehelper_time_in_words_minute_less_than: kevesebb, mint 1 perc
15 actionview_datehelper_time_in_words_minute_less_than: kevesebb, mint 1 perc
16 actionview_datehelper_time_in_words_minute_plural: %d perc
16 actionview_datehelper_time_in_words_minute_plural: %d perc
17 actionview_datehelper_time_in_words_minute_single: 1 perc
17 actionview_datehelper_time_in_words_minute_single: 1 perc
18 actionview_datehelper_time_in_words_second_less_than: kevesebb, mint 1 másodperc
18 actionview_datehelper_time_in_words_second_less_than: kevesebb, mint 1 másodperc
19 actionview_datehelper_time_in_words_second_less_than_plural: kevesebb, mint %d másodperc
19 actionview_datehelper_time_in_words_second_less_than_plural: kevesebb, mint %d másodperc
20 actionview_instancetag_blank_option: Kérem válasszon
20 actionview_instancetag_blank_option: Kérem válasszon
21
21
22 activerecord_error_inclusion: nem található a listában
22 activerecord_error_inclusion: nem található a listában
23 activerecord_error_exclusion: foglalt
23 activerecord_error_exclusion: foglalt
24 activerecord_error_invalid: érvénytelen
24 activerecord_error_invalid: érvénytelen
25 activerecord_error_confirmation: jóváhagyás szükséges
25 activerecord_error_confirmation: jóváhagyás szükséges
26 activerecord_error_accepted: ell kell fogadni
26 activerecord_error_accepted: ell kell fogadni
27 activerecord_error_empty: nem lehet üres
27 activerecord_error_empty: nem lehet üres
28 activerecord_error_blank: nem lehet üres
28 activerecord_error_blank: nem lehet üres
29 activerecord_error_too_long: túl hosszú
29 activerecord_error_too_long: túl hosszú
30 activerecord_error_too_short: túl rövid
30 activerecord_error_too_short: túl rövid
31 activerecord_error_wrong_length: hibás a hossza
31 activerecord_error_wrong_length: hibás a hossza
32 activerecord_error_taken: már foglalt
32 activerecord_error_taken: már foglalt
33 activerecord_error_not_a_number: nem egy szám
33 activerecord_error_not_a_number: nem egy szám
34 activerecord_error_not_a_date: nem érvényes dátum
34 activerecord_error_not_a_date: nem érvényes dátum
35 activerecord_error_greater_than_start_date: nagyobbnak kell lennie, mint az indítás dátuma
35 activerecord_error_greater_than_start_date: nagyobbnak kell lennie, mint az indítás dátuma
36 activerecord_error_not_same_project: nem azonos projekthez tartozik
36 activerecord_error_not_same_project: nem azonos projekthez tartozik
37 activerecord_error_circular_dependency: Ez a kapcsolat egy körkörös függőséget eredményez
37 activerecord_error_circular_dependency: Ez a kapcsolat egy körkörös függőséget eredményez
38
38
39 general_fmt_age: %d év
39 general_fmt_age: %d év
40 general_fmt_age_plural: %d év
40 general_fmt_age_plural: %d év
41 general_fmt_date: %%Y.%%m.%%d
41 general_fmt_date: %%Y.%%m.%%d
42 general_fmt_datetime: %%Y.%%m.%%d %%H:%%M:%%S
42 general_fmt_datetime: %%Y.%%m.%%d %%H:%%M:%%S
43 general_fmt_datetime_short: %%b %%d, %%H:%%M:%%S
43 general_fmt_datetime_short: %%b %%d, %%H:%%M:%%S
44 general_fmt_time: %%H:%%M:%%S
44 general_fmt_time: %%H:%%M:%%S
45 general_text_No: 'Nem'
45 general_text_No: 'Nem'
46 general_text_Yes: 'Igen'
46 general_text_Yes: 'Igen'
47 general_text_no: 'nem'
47 general_text_no: 'nem'
48 general_text_yes: 'igen'
48 general_text_yes: 'igen'
49 general_lang_name: 'Magyar'
49 general_lang_name: 'Magyar'
50 general_csv_separator: ','
50 general_csv_separator: ','
51 general_csv_decimal_separator: '.'
51 general_csv_decimal_separator: '.'
52 general_csv_encoding: ISO-8859-2
52 general_csv_encoding: ISO-8859-2
53 general_pdf_encoding: ISO-8859-2
53 general_pdf_encoding: ISO-8859-2
54 general_day_names: Hétfő,Kedd,Szerda,Csütörtök,Péntek,Szombat,Vasárnap
54 general_day_names: Hétfő,Kedd,Szerda,Csütörtök,Péntek,Szombat,Vasárnap
55 general_first_day_of_week: '1'
55 general_first_day_of_week: '1'
56
56
57 notice_account_updated: A fiók adatai sikeresen frissítve.
57 notice_account_updated: A fiók adatai sikeresen frissítve.
58 notice_account_invalid_creditentials: Hibás felhasználói név, vagy jelszó
58 notice_account_invalid_creditentials: Hibás felhasználói név, vagy jelszó
59 notice_account_password_updated: A jelszó módosítása megtörtént.
59 notice_account_password_updated: A jelszó módosítása megtörtént.
60 notice_account_wrong_password: Hibás jelszó
60 notice_account_wrong_password: Hibás jelszó
61 notice_account_register_done: A fiók sikeresen létrehozva. Aktiválásához kattints az e-mailben kapott linkre
61 notice_account_register_done: A fiók sikeresen létrehozva. Aktiválásához kattints az e-mailben kapott linkre
62 notice_account_unknown_email: Ismeretlen felhasználó.
62 notice_account_unknown_email: Ismeretlen felhasználó.
63 notice_can_t_change_password: A fiók külső azonosítási forrást használ. A jelszó megváltoztatása nem lehetséges.
63 notice_can_t_change_password: A fiók külső azonosítási forrást használ. A jelszó megváltoztatása nem lehetséges.
64 notice_account_lost_email_sent: Egy e-mail üzenetben postáztunk Önnek egy leírást az új jelszó beállításáról.
64 notice_account_lost_email_sent: Egy e-mail üzenetben postáztunk Önnek egy leírást az új jelszó beállításáról.
65 notice_account_activated: Fiókját aktiváltuk. Most már be tud jelentkezni a rendszerbe.
65 notice_account_activated: Fiókját aktiváltuk. Most már be tud jelentkezni a rendszerbe.
66 notice_successful_create: Sikeres létrehozás.
66 notice_successful_create: Sikeres létrehozás.
67 notice_successful_update: Sikeres módosítás.
67 notice_successful_update: Sikeres módosítás.
68 notice_successful_delete: Sikeres törlés.
68 notice_successful_delete: Sikeres törlés.
69 notice_successful_connection: Sikeres bejelentkezés.
69 notice_successful_connection: Sikeres bejelentkezés.
70 notice_file_not_found: Az oldal, amit meg szeretne nézni nem található, vagy átkerült egy másik helyre.
70 notice_file_not_found: Az oldal, amit meg szeretne nézni nem található, vagy átkerült egy másik helyre.
71 notice_locking_conflict: Az adatot egy másik felhasználó idő közben módosította.
71 notice_locking_conflict: Az adatot egy másik felhasználó idő közben módosította.
72 notice_not_authorized: Nincs hozzáférési engedélye ehhez az oldalhoz.
72 notice_not_authorized: Nincs hozzáférési engedélye ehhez az oldalhoz.
73 notice_email_sent: Egy e-mail üzenetet küldtünk a következő címre %s
73 notice_email_sent: Egy e-mail üzenetet küldtünk a következő címre %s
74 notice_email_error: Hiba történt a levél küldése közben (%s)
74 notice_email_error: Hiba történt a levél küldése közben (%s)
75 notice_feeds_access_key_reseted: Az RSS hozzáférési kulcsát újra generáltuk.
75 notice_feeds_access_key_reseted: Az RSS hozzáférési kulcsát újra generáltuk.
76 notice_failed_to_save_issues: "Nem sikerült a %d feladat(ok) mentése a %d -ban kiválasztva: %s."
76 notice_failed_to_save_issues: "Nem sikerült a %d feladat(ok) mentése a %d -ban kiválasztva: %s."
77 notice_no_issue_selected: "Nincs feladat kiválasztva! Kérem jelölje meg melyik feladatot szeretné szerkeszteni!"
77 notice_no_issue_selected: "Nincs feladat kiválasztva! Kérem jelölje meg melyik feladatot szeretné szerkeszteni!"
78 notice_account_pending: "A fiókja létrejött, és adminisztrátori jóváhagyásra vár."
78 notice_account_pending: "A fiókja létrejött, és adminisztrátori jóváhagyásra vár."
79 notice_default_data_loaded: Az alapértelmezett konfiguráció betöltése sikeresen megtörtént.
79 notice_default_data_loaded: Az alapértelmezett konfiguráció betöltése sikeresen megtörtént.
80
80
81 error_can_t_load_default_data: "Az alapértelmezett konfiguráció betöltése nem lehetséges: %s"
81 error_can_t_load_default_data: "Az alapértelmezett konfiguráció betöltése nem lehetséges: %s"
82 error_scm_not_found: "A bejegyzés, vagy revízió nem található a tárolóban."
82 error_scm_not_found: "A bejegyzés, vagy revízió nem található a tárolóban."
83 error_scm_command_failed: "A tároló elérése közben hiba lépett fel: %s"
83 error_scm_command_failed: "A tároló elérése közben hiba lépett fel: %s"
84 error_scm_annotate: "A bejegyzés nem létezik, vagy nics jegyzetekkel ellátva."
84 error_scm_annotate: "A bejegyzés nem létezik, vagy nics jegyzetekkel ellátva."
85 error_issue_not_found_in_project: 'A feladat nem található, vagy nem ehhez a projekthez tartozik'
85 error_issue_not_found_in_project: 'A feladat nem található, vagy nem ehhez a projekthez tartozik'
86
86
87 mail_subject_lost_password: Az Ön Redmine jelszava
87 mail_subject_lost_password: Az Ön Redmine jelszava
88 mail_body_lost_password: 'A Redmine jelszó megváltoztatásához, kattintson a következő linkre:'
88 mail_body_lost_password: 'A Redmine jelszó megváltoztatásához, kattintson a következő linkre:'
89 mail_subject_register: Redmine azonosító aktiválása
89 mail_subject_register: Redmine azonosító aktiválása
90 mail_body_register: 'A Redmine azonosítója aktiválásához, kattintson a következő linkre:'
90 mail_body_register: 'A Redmine azonosítója aktiválásához, kattintson a következő linkre:'
91 mail_body_account_information_external: A "%s" azonosító használatával bejelentkezhet a Redmineba.
91 mail_body_account_information_external: A "%s" azonosító használatával bejelentkezhet a Redmineba.
92 mail_body_account_information: Az Ön Redmine azonosítójának információi
92 mail_body_account_information: Az Ön Redmine azonosítójának információi
93 mail_subject_account_activation_request: Redmine azonosító aktiválási kérelem
93 mail_subject_account_activation_request: Redmine azonosító aktiválási kérelem
94 mail_body_account_activation_request: 'Egy új felhasználó (%s) regisztrált, azonosítója jóváhasgyásra várakozik:'
94 mail_body_account_activation_request: 'Egy új felhasználó (%s) regisztrált, azonosítója jóváhasgyásra várakozik:'
95
95
96 gui_validation_error: 1 hiba
96 gui_validation_error: 1 hiba
97 gui_validation_error_plural: %d hiba
97 gui_validation_error_plural: %d hiba
98
98
99 field_name: Név
99 field_name: Név
100 field_description: Leírás
100 field_description: Leírás
101 field_summary: Összegzés
101 field_summary: Összegzés
102 field_is_required: Kötelező
102 field_is_required: Kötelező
103 field_firstname: Keresztnév
103 field_firstname: Keresztnév
104 field_lastname: Vezetéknév
104 field_lastname: Vezetéknév
105 field_mail: E-mail
105 field_mail: E-mail
106 field_filename: Fájl
106 field_filename: Fájl
107 field_filesize: Méret
107 field_filesize: Méret
108 field_downloads: Letöltések
108 field_downloads: Letöltések
109 field_author: Szerző
109 field_author: Szerző
110 field_created_on: Létrehozva
110 field_created_on: Létrehozva
111 field_updated_on: Módosítva
111 field_updated_on: Módosítva
112 field_field_format: Formátum
112 field_field_format: Formátum
113 field_is_for_all: Minden projekthez
113 field_is_for_all: Minden projekthez
114 field_possible_values: Lehetséges értékek
114 field_possible_values: Lehetséges értékek
115 field_regexp: Reguláris kifejezés
115 field_regexp: Reguláris kifejezés
116 field_min_length: Minimum hossz
116 field_min_length: Minimum hossz
117 field_max_length: Maximum hossz
117 field_max_length: Maximum hossz
118 field_value: Érték
118 field_value: Érték
119 field_category: Kategória
119 field_category: Kategória
120 field_title: Cím
120 field_title: Cím
121 field_project: Projekt
121 field_project: Projekt
122 field_issue: Feladat
122 field_issue: Feladat
123 field_status: Státusz
123 field_status: Státusz
124 field_notes: Feljegyzések
124 field_notes: Feljegyzések
125 field_is_closed: Feladat lezárva
125 field_is_closed: Feladat lezárva
126 field_is_default: Alapértelmezett érték
126 field_is_default: Alapértelmezett érték
127 field_tracker: Típus
127 field_tracker: Típus
128 field_subject: Tárgy
128 field_subject: Tárgy
129 field_due_date: Befejezés dátuma
129 field_due_date: Befejezés dátuma
130 field_assigned_to: Felelős
130 field_assigned_to: Felelős
131 field_priority: Prioritás
131 field_priority: Prioritás
132 field_fixed_version: Cél verzió
132 field_fixed_version: Cél verzió
133 field_user: Felhasználó
133 field_user: Felhasználó
134 field_role: Szerepkör
134 field_role: Szerepkör
135 field_homepage: Weboldal
135 field_homepage: Weboldal
136 field_is_public: Nyilvános
136 field_is_public: Nyilvános
137 field_parent: Szülő projekt
137 field_parent: Szülő projekt
138 field_is_in_chlog: Feladatok látszanak a változás naplóban
138 field_is_in_chlog: Feladatok látszanak a változás naplóban
139 field_is_in_roadmap: Feladatok látszanak az életútban
139 field_is_in_roadmap: Feladatok látszanak az életútban
140 field_login: Azonosító
140 field_login: Azonosító
141 field_mail_notification: E-mail értesítések
141 field_mail_notification: E-mail értesítések
142 field_admin: Adminisztrátor
142 field_admin: Adminisztrátor
143 field_last_login_on: Utolsó bejelentkezés
143 field_last_login_on: Utolsó bejelentkezés
144 field_language: Nyelv
144 field_language: Nyelv
145 field_effective_date: Dátum
145 field_effective_date: Dátum
146 field_password: Jelszó
146 field_password: Jelszó
147 field_new_password: Új jelszó
147 field_new_password: Új jelszó
148 field_password_confirmation: Megerősítés
148 field_password_confirmation: Megerősítés
149 field_version: Verzió
149 field_version: Verzió
150 field_type: Típus
150 field_type: Típus
151 field_host: Kiszolgáló
151 field_host: Kiszolgáló
152 field_port: Port
152 field_port: Port
153 field_account: Felhasználói fiók
153 field_account: Felhasználói fiók
154 field_base_dn: Base DN
154 field_base_dn: Base DN
155 field_attr_login: Bejelentkezési tulajdonság
155 field_attr_login: Bejelentkezési tulajdonság
156 field_attr_firstname: Családnév
156 field_attr_firstname: Családnév
157 field_attr_lastname: Utónév
157 field_attr_lastname: Utónév
158 field_attr_mail: E-mail
158 field_attr_mail: E-mail
159 field_onthefly: On-the-fly felhasználó létrehozás
159 field_onthefly: On-the-fly felhasználó létrehozás
160 field_start_date: Kezdés dátuma
160 field_start_date: Kezdés dátuma
161 field_done_ratio: Elkészült (%%)
161 field_done_ratio: Elkészült (%%)
162 field_auth_source: Azonosítási mód
162 field_auth_source: Azonosítási mód
163 field_hide_mail: Rejtse el az e-mail címem
163 field_hide_mail: Rejtse el az e-mail címem
164 field_comments: Megjegyzés
164 field_comments: Megjegyzés
165 field_url: URL
165 field_url: URL
166 field_start_page: Kezdőlap
166 field_start_page: Kezdőlap
167 field_subproject: Alprojekt
167 field_subproject: Alprojekt
168 field_hours: Óra
168 field_hours: Óra
169 field_activity: Aktivitás
169 field_activity: Aktivitás
170 field_spent_on: Dátum
170 field_spent_on: Dátum
171 field_identifier: Azonosító
171 field_identifier: Azonosító
172 field_is_filter: Szűrőként használható
172 field_is_filter: Szűrőként használható
173 field_issue_to_id: Kapcsolódó feladat
173 field_issue_to_id: Kapcsolódó feladat
174 field_delay: Késés
174 field_delay: Késés
175 field_assignable: Feladat rendelhető ehhez a szerepkörhöz
175 field_assignable: Feladat rendelhető ehhez a szerepkörhöz
176 field_redirect_existing_links: Létező linkek átirányítása
176 field_redirect_existing_links: Létező linkek átirányítása
177 field_estimated_hours: Becsült idő
177 field_estimated_hours: Becsült idő
178 field_column_names: Oszlopok
178 field_column_names: Oszlopok
179 field_time_zone: Időzóna
179 field_time_zone: Időzóna
180 field_searchable: Kereshető
180 field_searchable: Kereshető
181 field_default_value: Alapértelmezett érték
181 field_default_value: Alapértelmezett érték
182 field_comments_sorting: Feljegyzések megjelenítése
182 field_comments_sorting: Feljegyzések megjelenítése
183
183
184 setting_app_title: Alkalmazás címe
184 setting_app_title: Alkalmazás címe
185 setting_app_subtitle: Alkalmazás alcíme
185 setting_app_subtitle: Alkalmazás alcíme
186 setting_welcome_text: Üdvözlő üzenet
186 setting_welcome_text: Üdvözlő üzenet
187 setting_default_language: Alapértelmezett nyelv
187 setting_default_language: Alapértelmezett nyelv
188 setting_login_required: Azonosítás szükséges
188 setting_login_required: Azonosítás szükséges
189 setting_self_registration: Regisztráció
189 setting_self_registration: Regisztráció
190 setting_attachment_max_size: Melléklet max. mérete
190 setting_attachment_max_size: Melléklet max. mérete
191 setting_issues_export_limit: Feladatok exportálásának korlátja
191 setting_issues_export_limit: Feladatok exportálásának korlátja
192 setting_mail_from: Kibocsátó e-mail címe
192 setting_mail_from: Kibocsátó e-mail címe
193 setting_bcc_recipients: Titkos másolat címzet (bcc)
193 setting_bcc_recipients: Titkos másolat címzet (bcc)
194 setting_host_name: Kiszolgáló neve
194 setting_host_name: Kiszolgáló neve
195 setting_text_formatting: Szöveg formázás
195 setting_text_formatting: Szöveg formázás
196 setting_wiki_compression: Wiki történet tömörítés
196 setting_wiki_compression: Wiki történet tömörítés
197 setting_feeds_limit: RSS tartalom korlát
197 setting_feeds_limit: RSS tartalom korlát
198 setting_default_projects_public: Az új projektek alapértelmezés szerint nyilvánosak
198 setting_default_projects_public: Az új projektek alapértelmezés szerint nyilvánosak
199 setting_autofetch_changesets: Commitok automatikus lehúzása
199 setting_autofetch_changesets: Commitok automatikus lehúzása
200 setting_sys_api_enabled: WS engedélyezése a tárolók kezeléséhez
200 setting_sys_api_enabled: WS engedélyezése a tárolók kezeléséhez
201 setting_commit_ref_keywords: Hivatkozó kulcsszavak
201 setting_commit_ref_keywords: Hivatkozó kulcsszavak
202 setting_commit_fix_keywords: Javítások kulcsszavai
202 setting_commit_fix_keywords: Javítások kulcsszavai
203 setting_autologin: Automatikus bejelentkezés
203 setting_autologin: Automatikus bejelentkezés
204 setting_date_format: Dátum formátum
204 setting_date_format: Dátum formátum
205 setting_time_format: Idő formátum
205 setting_time_format: Idő formátum
206 setting_cross_project_issue_relations: Kereszt-projekt feladat hivatkozások engedélyezése
206 setting_cross_project_issue_relations: Kereszt-projekt feladat hivatkozások engedélyezése
207 setting_issue_list_default_columns: Az alapértelmezésként megjelenített oszlopok a feladat listában
207 setting_issue_list_default_columns: Az alapértelmezésként megjelenített oszlopok a feladat listában
208 setting_repositories_encodings: Tárolók kódolása
208 setting_repositories_encodings: Tárolók kódolása
209 setting_emails_footer: E-mail lábléc
209 setting_emails_footer: E-mail lábléc
210 setting_protocol: Protokol
210 setting_protocol: Protokol
211 setting_per_page_options: Objektum / oldal opciók
211 setting_per_page_options: Objektum / oldal opciók
212 setting_user_format: Felhasználók megjelenítésének formája
212 setting_user_format: Felhasználók megjelenítésének formája
213 setting_activity_days_default: Napok megjelenítése a project aktivitásnál
213 setting_activity_days_default: Napok megjelenítése a project aktivitásnál
214 setting_display_subprojects_issues: Alapértelmezettként mutassa az alprojektek feladatait is a projekteken
214 setting_display_subprojects_issues: Alapértelmezettként mutassa az alprojektek feladatait is a projekteken
215
215
216 project_module_issue_tracking: Feladat követés
216 project_module_issue_tracking: Feladat követés
217 project_module_time_tracking: Idő rögzítés
217 project_module_time_tracking: Idő rögzítés
218 project_module_news: Hírek
218 project_module_news: Hírek
219 project_module_documents: Dokumentumok
219 project_module_documents: Dokumentumok
220 project_module_files: Fájlok
220 project_module_files: Fájlok
221 project_module_wiki: Wiki
221 project_module_wiki: Wiki
222 project_module_repository: Tároló
222 project_module_repository: Tároló
223 project_module_boards: Fórumok
223 project_module_boards: Fórumok
224
224
225 label_user: Felhasználó
225 label_user: Felhasználó
226 label_user_plural: Felhasználók
226 label_user_plural: Felhasználók
227 label_user_new: Új felhasználó
227 label_user_new: Új felhasználó
228 label_project: Projekt
228 label_project: Projekt
229 label_project_new: Új projekt
229 label_project_new: Új projekt
230 label_project_plural: Projektek
230 label_project_plural: Projektek
231 label_project_all: Az összes projekt
231 label_project_all: Az összes projekt
232 label_project_latest: Legutóbbi projektek
232 label_project_latest: Legutóbbi projektek
233 label_issue: Feladat
233 label_issue: Feladat
234 label_issue_new: Új feladat
234 label_issue_new: Új feladat
235 label_issue_plural: Feladatok
235 label_issue_plural: Feladatok
236 label_issue_view_all: Minden feladat megtekintése
236 label_issue_view_all: Minden feladat megtekintése
237 label_issues_by: %s feladatai
237 label_issues_by: %s feladatai
238 label_issue_added: Feladat hozzáadva
238 label_issue_added: Feladat hozzáadva
239 label_issue_updated: Feladat frissítve
239 label_issue_updated: Feladat frissítve
240 label_document: Dokumentum
240 label_document: Dokumentum
241 label_document_new: Új dokumentum
241 label_document_new: Új dokumentum
242 label_document_plural: Dokumentumok
242 label_document_plural: Dokumentumok
243 label_document_added: Dokumentum hozzáadva
243 label_document_added: Dokumentum hozzáadva
244 label_role: Szerepkör
244 label_role: Szerepkör
245 label_role_plural: Szerepkörök
245 label_role_plural: Szerepkörök
246 label_role_new: Új szerepkör
246 label_role_new: Új szerepkör
247 label_role_and_permissions: Szerepkörök, és jogosultságok
247 label_role_and_permissions: Szerepkörök, és jogosultságok
248 label_member: Résztvevő
248 label_member: Résztvevő
249 label_member_new: Új résztvevő
249 label_member_new: Új résztvevő
250 label_member_plural: Résztvevők
250 label_member_plural: Résztvevők
251 label_tracker: Feladat típus
251 label_tracker: Feladat típus
252 label_tracker_plural: Feladat típusok
252 label_tracker_plural: Feladat típusok
253 label_tracker_new: Új feladat típus
253 label_tracker_new: Új feladat típus
254 label_workflow: Workflow
254 label_workflow: Workflow
255 label_issue_status: Feladat státusz
255 label_issue_status: Feladat státusz
256 label_issue_status_plural: Feladat státuszok
256 label_issue_status_plural: Feladat státuszok
257 label_issue_status_new: Új státusz
257 label_issue_status_new: Új státusz
258 label_issue_category: Feladat kategória
258 label_issue_category: Feladat kategória
259 label_issue_category_plural: Feladat kategóriák
259 label_issue_category_plural: Feladat kategóriák
260 label_issue_category_new: Új kategória
260 label_issue_category_new: Új kategória
261 label_custom_field: Egyéni mező
261 label_custom_field: Egyéni mező
262 label_custom_field_plural: Egyéni mezők
262 label_custom_field_plural: Egyéni mezők
263 label_custom_field_new: Új egyéni mező
263 label_custom_field_new: Új egyéni mező
264 label_enumerations: Felsorolások
264 label_enumerations: Felsorolások
265 label_enumeration_new: Új érték
265 label_enumeration_new: Új érték
266 label_information: Információ
266 label_information: Információ
267 label_information_plural: Információk
267 label_information_plural: Információk
268 label_please_login: Jelentkezzen be
268 label_please_login: Jelentkezzen be
269 label_register: Regisztráljon
269 label_register: Regisztráljon
270 label_password_lost: Elfelejtett jelszó
270 label_password_lost: Elfelejtett jelszó
271 label_home: Kezdőlap
271 label_home: Kezdőlap
272 label_my_page: Saját kezdőlapom
272 label_my_page: Saját kezdőlapom
273 label_my_account: Fiókom adatai
273 label_my_account: Fiókom adatai
274 label_my_projects: Saját projektem
274 label_my_projects: Saját projektem
275 label_administration: Adminisztráció
275 label_administration: Adminisztráció
276 label_login: Bejelentkezés
276 label_login: Bejelentkezés
277 label_logout: Kijelentkezés
277 label_logout: Kijelentkezés
278 label_help: Súgó
278 label_help: Súgó
279 label_reported_issues: Bejelentett feladatok
279 label_reported_issues: Bejelentett feladatok
280 label_assigned_to_me_issues: A nekem kiosztott feladatok
280 label_assigned_to_me_issues: A nekem kiosztott feladatok
281 label_last_login: Utolsó bejelentkezés
281 label_last_login: Utolsó bejelentkezés
282 label_last_updates: Utoljára frissítve
282 label_last_updates: Utoljára frissítve
283 label_last_updates_plural: Utoljára módosítva %d
283 label_last_updates_plural: Utoljára módosítva %d
284 label_registered_on: Regisztrált
284 label_registered_on: Regisztrált
285 label_activity: Tevékenységek
285 label_activity: Tevékenységek
286 label_overall_activity: Teljes aktivitás
286 label_overall_activity: Teljes aktivitás
287 label_new: Új
287 label_new: Új
288 label_logged_as: Bejelentkezve, mint
288 label_logged_as: Bejelentkezve, mint
289 label_environment: Környezet
289 label_environment: Környezet
290 label_authentication: Azonosítás
290 label_authentication: Azonosítás
291 label_auth_source: Azonosítás módja
291 label_auth_source: Azonosítás módja
292 label_auth_source_new: Új azonosítási mód
292 label_auth_source_new: Új azonosítási mód
293 label_auth_source_plural: Azonosítási módok
293 label_auth_source_plural: Azonosítási módok
294 label_subproject_plural: Alprojektek
294 label_subproject_plural: Alprojektek
295 label_and_its_subprojects: %s és alprojektjei
295 label_and_its_subprojects: %s és alprojektjei
296 label_min_max_length: Min - Max hossz
296 label_min_max_length: Min - Max hossz
297 label_list: Lista
297 label_list: Lista
298 label_date: Dátum
298 label_date: Dátum
299 label_integer: Egész
299 label_integer: Egész
300 label_float: Lebegőpontos
300 label_float: Lebegőpontos
301 label_boolean: Logikai
301 label_boolean: Logikai
302 label_string: Szöveg
302 label_string: Szöveg
303 label_text: Hosszú szöveg
303 label_text: Hosszú szöveg
304 label_attribute: Tulajdonság
304 label_attribute: Tulajdonság
305 label_attribute_plural: Tulajdonságok
305 label_attribute_plural: Tulajdonságok
306 label_download: %d Letöltés
306 label_download: %d Letöltés
307 label_download_plural: %d Letöltések
307 label_download_plural: %d Letöltések
308 label_no_data: Nincs megjeleníthető adat
308 label_no_data: Nincs megjeleníthető adat
309 label_change_status: Státusz módosítása
309 label_change_status: Státusz módosítása
310 label_history: Történet
310 label_history: Történet
311 label_attachment: Fájl
311 label_attachment: Fájl
312 label_attachment_new: Új fájl
312 label_attachment_new: Új fájl
313 label_attachment_delete: Fájl törlése
313 label_attachment_delete: Fájl törlése
314 label_attachment_plural: Fájlok
314 label_attachment_plural: Fájlok
315 label_file_added: Fájl hozzáadva
315 label_file_added: Fájl hozzáadva
316 label_report: Jelentés
316 label_report: Jelentés
317 label_report_plural: Jelentések
317 label_report_plural: Jelentések
318 label_news: Hírek
318 label_news: Hírek
319 label_news_new: Hír hozzáadása
319 label_news_new: Hír hozzáadása
320 label_news_plural: Hírek
320 label_news_plural: Hírek
321 label_news_latest: Legutóbbi hírek
321 label_news_latest: Legutóbbi hírek
322 label_news_view_all: Minden hír megtekintése
322 label_news_view_all: Minden hír megtekintése
323 label_news_added: Hír hozzáadva
323 label_news_added: Hír hozzáadva
324 label_change_log: Változás napló
324 label_change_log: Változás napló
325 label_settings: Beállítások
325 label_settings: Beállítások
326 label_overview: Áttekintés
326 label_overview: Áttekintés
327 label_version: Verzió
327 label_version: Verzió
328 label_version_new: Új verzió
328 label_version_new: Új verzió
329 label_version_plural: Verziók
329 label_version_plural: Verziók
330 label_confirmation: Jóváhagyás
330 label_confirmation: Jóváhagyás
331 label_export_to: Exportálás
331 label_export_to: Exportálás
332 label_read: Olvas...
332 label_read: Olvas...
333 label_public_projects: Nyilvános projektek
333 label_public_projects: Nyilvános projektek
334 label_open_issues: nyitott
334 label_open_issues: nyitott
335 label_open_issues_plural: nyitott
335 label_open_issues_plural: nyitott
336 label_closed_issues: lezárt
336 label_closed_issues: lezárt
337 label_closed_issues_plural: lezárt
337 label_closed_issues_plural: lezárt
338 label_total: Összesen
338 label_total: Összesen
339 label_permissions: Jogosultságok
339 label_permissions: Jogosultságok
340 label_current_status: Jelenlegi státusz
340 label_current_status: Jelenlegi státusz
341 label_new_statuses_allowed: Státusz változtatások engedélyei
341 label_new_statuses_allowed: Státusz változtatások engedélyei
342 label_all: mind
342 label_all: mind
343 label_none: nincs
343 label_none: nincs
344 label_nobody: senki
344 label_nobody: senki
345 label_next: Következő
345 label_next: Következő
346 label_previous: Előző
346 label_previous: Előző
347 label_used_by: Használja
347 label_used_by: Használja
348 label_details: Részletek
348 label_details: Részletek
349 label_add_note: Jegyzet hozzáadása
349 label_add_note: Jegyzet hozzáadása
350 label_per_page: Oldalanként
350 label_per_page: Oldalanként
351 label_calendar: Naptár
351 label_calendar: Naptár
352 label_months_from: hónap, kezdve
352 label_months_from: hónap, kezdve
353 label_gantt: Gantt
353 label_gantt: Gantt
354 label_internal: Belső
354 label_internal: Belső
355 label_last_changes: utolsó %d változás
355 label_last_changes: utolsó %d változás
356 label_change_view_all: Minden változás megtekintése
356 label_change_view_all: Minden változás megtekintése
357 label_personalize_page: Az oldal testreszabása
357 label_personalize_page: Az oldal testreszabása
358 label_comment: Megjegyzés
358 label_comment: Megjegyzés
359 label_comment_plural: Megjegyzés
359 label_comment_plural: Megjegyzés
360 label_comment_add: Megjegyzés hozzáadása
360 label_comment_add: Megjegyzés hozzáadása
361 label_comment_added: Megjegyzés hozzáadva
361 label_comment_added: Megjegyzés hozzáadva
362 label_comment_delete: Megjegyzések törlése
362 label_comment_delete: Megjegyzések törlése
363 label_query: Egyéni lekérdezés
363 label_query: Egyéni lekérdezés
364 label_query_plural: Egyéni lekérdezések
364 label_query_plural: Egyéni lekérdezések
365 label_query_new: Új lekérdezés
365 label_query_new: Új lekérdezés
366 label_filter_add: Szűrő hozzáadása
366 label_filter_add: Szűrő hozzáadása
367 label_filter_plural: Szűrők
367 label_filter_plural: Szűrők
368 label_equals: egyenlő
368 label_equals: egyenlő
369 label_not_equals: nem egyenlő
369 label_not_equals: nem egyenlő
370 label_in_less_than: kevesebb, mint
370 label_in_less_than: kevesebb, mint
371 label_in_more_than: több, mint
371 label_in_more_than: több, mint
372 label_in: in
372 label_in: in
373 label_today: ma
373 label_today: ma
374 label_all_time: mindenkor
374 label_all_time: mindenkor
375 label_yesterday: tegnap
375 label_yesterday: tegnap
376 label_this_week: aktuális hét
376 label_this_week: aktuális hét
377 label_last_week: múlt hét
377 label_last_week: múlt hét
378 label_last_n_days: az elmúlt %d nap
378 label_last_n_days: az elmúlt %d nap
379 label_this_month: aktuális hónap
379 label_this_month: aktuális hónap
380 label_last_month: múlt hónap
380 label_last_month: múlt hónap
381 label_this_year: aktuális év
381 label_this_year: aktuális év
382 label_date_range: Dátum intervallum
382 label_date_range: Dátum intervallum
383 label_less_than_ago: kevesebb, mint nappal ezelőtt
383 label_less_than_ago: kevesebb, mint nappal ezelőtt
384 label_more_than_ago: több, mint nappal ezelőtt
384 label_more_than_ago: több, mint nappal ezelőtt
385 label_ago: nappal ezelőtt
385 label_ago: nappal ezelőtt
386 label_contains: tartalmazza
386 label_contains: tartalmazza
387 label_not_contains: nem tartalmazza
387 label_not_contains: nem tartalmazza
388 label_day_plural: nap
388 label_day_plural: nap
389 label_repository: Tároló
389 label_repository: Tároló
390 label_repository_plural: Tárolók
390 label_repository_plural: Tárolók
391 label_browse: Tallóz
391 label_browse: Tallóz
392 label_modification: %d változás
392 label_modification: %d változás
393 label_modification_plural: %d változások
393 label_modification_plural: %d változások
394 label_revision: Revízió
394 label_revision: Revízió
395 label_revision_plural: Revíziók
395 label_revision_plural: Revíziók
396 label_associated_revisions: Kapcsolt revíziók
396 label_associated_revisions: Kapcsolt revíziók
397 label_added: hozzáadva
397 label_added: hozzáadva
398 label_modified: módosítva
398 label_modified: módosítva
399 label_deleted: törölve
399 label_deleted: törölve
400 label_latest_revision: Legutolsó revízió
400 label_latest_revision: Legutolsó revízió
401 label_latest_revision_plural: Legutolsó revíziók
401 label_latest_revision_plural: Legutolsó revíziók
402 label_view_revisions: Revíziók megtekintése
402 label_view_revisions: Revíziók megtekintése
403 label_max_size: Maximális méret
403 label_max_size: Maximális méret
404 label_on: 'összesen'
404 label_on: 'összesen'
405 label_sort_highest: Az elejére
405 label_sort_highest: Az elejére
406 label_sort_higher: Eggyel feljebb
406 label_sort_higher: Eggyel feljebb
407 label_sort_lower: Eggyel lejjebb
407 label_sort_lower: Eggyel lejjebb
408 label_sort_lowest: Az aljára
408 label_sort_lowest: Az aljára
409 label_roadmap: Életút
409 label_roadmap: Életút
410 label_roadmap_due_in: Elkészültéig várhatóan még
410 label_roadmap_due_in: Elkészültéig várhatóan még
411 label_roadmap_overdue: %s késésben
411 label_roadmap_overdue: %s késésben
412 label_roadmap_no_issues: Nincsenek feladatok ehhez a verzióhoz
412 label_roadmap_no_issues: Nincsenek feladatok ehhez a verzióhoz
413 label_search: Keresés
413 label_search: Keresés
414 label_result_plural: Találatok
414 label_result_plural: Találatok
415 label_all_words: Minden szó
415 label_all_words: Minden szó
416 label_wiki: Wiki
416 label_wiki: Wiki
417 label_wiki_edit: Wiki szerkesztés
417 label_wiki_edit: Wiki szerkesztés
418 label_wiki_edit_plural: Wiki szerkesztések
418 label_wiki_edit_plural: Wiki szerkesztések
419 label_wiki_page: Wiki oldal
419 label_wiki_page: Wiki oldal
420 label_wiki_page_plural: Wiki oldalak
420 label_wiki_page_plural: Wiki oldalak
421 label_index_by_title: Cím szerint indexelve
421 label_index_by_title: Cím szerint indexelve
422 label_index_by_date: Dátum szerint indexelve
422 label_index_by_date: Dátum szerint indexelve
423 label_current_version: Jelenlegi verzió
423 label_current_version: Jelenlegi verzió
424 label_preview: Előnézet
424 label_preview: Előnézet
425 label_feed_plural: Visszajelzések
425 label_feed_plural: Visszajelzések
426 label_changes_details: Változások részletei
426 label_changes_details: Változások részletei
427 label_issue_tracking: Feladat követés
427 label_issue_tracking: Feladat követés
428 label_spent_time: Ráfordított idő
428 label_spent_time: Ráfordított idő
429 label_f_hour: %.2f óra
429 label_f_hour: %.2f óra
430 label_f_hour_plural: %.2f óra
430 label_f_hour_plural: %.2f óra
431 label_time_tracking: Idő követés
431 label_time_tracking: Idő követés
432 label_change_plural: Változások
432 label_change_plural: Változások
433 label_statistics: Statisztikák
433 label_statistics: Statisztikák
434 label_commits_per_month: Commits havonta
434 label_commits_per_month: Commits havonta
435 label_commits_per_author: Commits szerzőnként
435 label_commits_per_author: Commits szerzőnként
436 label_view_diff: Különbségek megtekintése
436 label_view_diff: Különbségek megtekintése
437 label_diff_inline: inline
437 label_diff_inline: inline
438 label_diff_side_by_side: side by side
438 label_diff_side_by_side: side by side
439 label_options: Opciók
439 label_options: Opciók
440 label_copy_workflow_from: Workflow másolása innen
440 label_copy_workflow_from: Workflow másolása innen
441 label_permissions_report: Jogosultsági riport
441 label_permissions_report: Jogosultsági riport
442 label_watched_issues: Megfigyelt feladatok
442 label_watched_issues: Megfigyelt feladatok
443 label_related_issues: Kapcsolódó feladatok
443 label_related_issues: Kapcsolódó feladatok
444 label_applied_status: Alkalmazandó státusz
444 label_applied_status: Alkalmazandó státusz
445 label_loading: Betöltés...
445 label_loading: Betöltés...
446 label_relation_new: Új kapcsolat
446 label_relation_new: Új kapcsolat
447 label_relation_delete: Kapcsolat törlése
447 label_relation_delete: Kapcsolat törlése
448 label_relates_to: kapcsolódik
448 label_relates_to: kapcsolódik
449 label_duplicates: duplikálja
449 label_duplicates: duplikálja
450 label_blocks: zárolja
450 label_blocks: zárolja
451 label_blocked_by: zárolta
451 label_blocked_by: zárolta
452 label_precedes: megelőzi
452 label_precedes: megelőzi
453 label_follows: követi
453 label_follows: követi
454 label_end_to_start: végétől indulásig
454 label_end_to_start: végétől indulásig
455 label_end_to_end: végétől végéig
455 label_end_to_end: végétől végéig
456 label_start_to_start: indulástól indulásig
456 label_start_to_start: indulástól indulásig
457 label_start_to_end: indulástól végéig
457 label_start_to_end: indulástól végéig
458 label_stay_logged_in: Emlékezzen rám
458 label_stay_logged_in: Emlékezzen rám
459 label_disabled: kikapcsolva
459 label_disabled: kikapcsolva
460 label_show_completed_versions: A kész verziók mutatása
460 label_show_completed_versions: A kész verziók mutatása
461 label_me: én
461 label_me: én
462 label_board: Fórum
462 label_board: Fórum
463 label_board_new: Új fórum
463 label_board_new: Új fórum
464 label_board_plural: Fórumok
464 label_board_plural: Fórumok
465 label_topic_plural: Témák
465 label_topic_plural: Témák
466 label_message_plural: Üzenetek
466 label_message_plural: Üzenetek
467 label_message_last: Utolsó üzenet
467 label_message_last: Utolsó üzenet
468 label_message_new: Új üzenet
468 label_message_new: Új üzenet
469 label_message_posted: Üzenet hozzáadva
469 label_message_posted: Üzenet hozzáadva
470 label_reply_plural: Válaszok
470 label_reply_plural: Válaszok
471 label_send_information: Fiók infomációk küldése a felhasználónak
471 label_send_information: Fiók infomációk küldése a felhasználónak
472 label_year: Év
472 label_year: Év
473 label_month: Hónap
473 label_month: Hónap
474 label_week: Hét
474 label_week: Hét
475 label_date_from: 'Kezdet:'
475 label_date_from: 'Kezdet:'
476 label_date_to: 'Vége:'
476 label_date_to: 'Vége:'
477 label_language_based: A felhasználó nyelve alapján
477 label_language_based: A felhasználó nyelve alapján
478 label_sort_by: %s szerint rendezve
478 label_sort_by: %s szerint rendezve
479 label_send_test_email: Teszt e-mail küldése
479 label_send_test_email: Teszt e-mail küldése
480 label_feeds_access_key_created_on: 'RSS hozzáférési kulcs létrehozva ennyivel ezelőtt: %s'
480 label_feeds_access_key_created_on: 'RSS hozzáférési kulcs létrehozva ennyivel ezelőtt: %s'
481 label_module_plural: Modulok
481 label_module_plural: Modulok
482 label_added_time_by: '%s adta hozzá ennyivel ezelőtt: %s'
482 label_added_time_by: '%s adta hozzá ennyivel ezelőtt: %s'
483 label_updated_time: 'Utolsó módosítás ennyivel ezelőtt: %s'
483 label_updated_time: 'Utolsó módosítás ennyivel ezelőtt: %s'
484 label_jump_to_a_project: Ugrás projekthez...
484 label_jump_to_a_project: Ugrás projekthez...
485 label_file_plural: Fájlok
485 label_file_plural: Fájlok
486 label_changeset_plural: Changesets
486 label_changeset_plural: Changesets
487 label_default_columns: Alapértelmezett oszlopok
487 label_default_columns: Alapértelmezett oszlopok
488 label_no_change_option: (Nincs változás)
488 label_no_change_option: (Nincs változás)
489 label_bulk_edit_selected_issues: A kiválasztott feladatok kötegelt szerkesztése
489 label_bulk_edit_selected_issues: A kiválasztott feladatok kötegelt szerkesztése
490 label_theme: Téma
490 label_theme: Téma
491 label_default: Alapértelmezett
491 label_default: Alapértelmezett
492 label_search_titles_only: Keresés csak a címekben
492 label_search_titles_only: Keresés csak a címekben
493 label_user_mail_option_all: "Minden eseményről minden saját projektemben"
493 label_user_mail_option_all: "Minden eseményről minden saját projektemben"
494 label_user_mail_option_selected: "Minden eseményről a kiválasztott projektekben..."
494 label_user_mail_option_selected: "Minden eseményről a kiválasztott projektekben..."
495 label_user_mail_option_none: "Csak a megfigyelt dolgokról, vagy, amiben részt veszek"
495 label_user_mail_option_none: "Csak a megfigyelt dolgokról, vagy, amiben részt veszek"
496 label_user_mail_no_self_notified: "Nem kérek értesítést az általam végzett módosításokról"
496 label_user_mail_no_self_notified: "Nem kérek értesítést az általam végzett módosításokról"
497 label_registration_activation_by_email: Fiók aktiválása e-mailben
497 label_registration_activation_by_email: Fiók aktiválása e-mailben
498 label_registration_manual_activation: Manuális fiók aktiválás
498 label_registration_manual_activation: Manuális fiók aktiválás
499 label_registration_automatic_activation: Automatikus fiók aktiválás
499 label_registration_automatic_activation: Automatikus fiók aktiválás
500 label_display_per_page: 'Oldalanként: %s'
500 label_display_per_page: 'Oldalanként: %s'
501 label_age: Kor
501 label_age: Kor
502 label_change_properties: Tulajdonságok változtatása
502 label_change_properties: Tulajdonságok változtatása
503 label_general: Általános
503 label_general: Általános
504 label_more: továbbiak
504 label_more: továbbiak
505 label_scm: SCM
505 label_scm: SCM
506 label_plugins: Pluginek
506 label_plugins: Pluginek
507 label_ldap_authentication: LDAP azonosítás
507 label_ldap_authentication: LDAP azonosítás
508 label_downloads_abbr: D/L
508 label_downloads_abbr: D/L
509 label_optional_description: Opcionális leírás
509 label_optional_description: Opcionális leírás
510 label_add_another_file: Újabb fájl hozzáadása
510 label_add_another_file: Újabb fájl hozzáadása
511 label_preferences: Tulajdonságok
511 label_preferences: Tulajdonságok
512 label_chronological_order: Időrendben
512 label_chronological_order: Időrendben
513 label_reverse_chronological_order: Fordított időrendben
513 label_reverse_chronological_order: Fordított időrendben
514 label_planning: Tervezés
514 label_planning: Tervezés
515
515
516 button_login: Bejelentkezés
516 button_login: Bejelentkezés
517 button_submit: Elfogad
517 button_submit: Elfogad
518 button_save: Mentés
518 button_save: Mentés
519 button_check_all: Mindent kijelöl
519 button_check_all: Mindent kijelöl
520 button_uncheck_all: Kijelölés törlése
520 button_uncheck_all: Kijelölés törlése
521 button_delete: Töröl
521 button_delete: Töröl
522 button_create: Létrehoz
522 button_create: Létrehoz
523 button_test: Teszt
523 button_test: Teszt
524 button_edit: Szerkeszt
524 button_edit: Szerkeszt
525 button_add: Hozzáad
525 button_add: Hozzáad
526 button_change: Változtat
526 button_change: Változtat
527 button_apply: Alkalmaz
527 button_apply: Alkalmaz
528 button_clear: Töröl
528 button_clear: Töröl
529 button_lock: Zárol
529 button_lock: Zárol
530 button_unlock: Felold
530 button_unlock: Felold
531 button_download: Letöltés
531 button_download: Letöltés
532 button_list: Lista
532 button_list: Lista
533 button_view: Megnéz
533 button_view: Megnéz
534 button_move: Mozgat
534 button_move: Mozgat
535 button_back: Vissza
535 button_back: Vissza
536 button_cancel: Mégse
536 button_cancel: Mégse
537 button_activate: Aktivál
537 button_activate: Aktivál
538 button_sort: Rendezés
538 button_sort: Rendezés
539 button_log_time: Idő rögzítés
539 button_log_time: Idő rögzítés
540 button_rollback: Visszaáll erre a verzióra
540 button_rollback: Visszaáll erre a verzióra
541 button_watch: Megfigyel
541 button_watch: Megfigyel
542 button_unwatch: Megfigyelés törlése
542 button_unwatch: Megfigyelés törlése
543 button_reply: Válasz
543 button_reply: Válasz
544 button_archive: Archivál
544 button_archive: Archivál
545 button_unarchive: Dearchivál
545 button_unarchive: Dearchivál
546 button_reset: Reset
546 button_reset: Reset
547 button_rename: Átnevez
547 button_rename: Átnevez
548 button_change_password: Jelszó megváltoztatása
548 button_change_password: Jelszó megváltoztatása
549 button_copy: Másol
549 button_copy: Másol
550 button_annotate: Jegyzetel
550 button_annotate: Jegyzetel
551 button_update: Módosít
551 button_update: Módosít
552 button_configure: Konfigurál
552 button_configure: Konfigurál
553
553
554 status_active: aktív
554 status_active: aktív
555 status_registered: regisztrált
555 status_registered: regisztrált
556 status_locked: zárolt
556 status_locked: zárolt
557
557
558 text_select_mail_notifications: Válasszon eseményeket, amelyekről e-mail értesítést kell küldeni.
558 text_select_mail_notifications: Válasszon eseményeket, amelyekről e-mail értesítést kell küldeni.
559 text_regexp_info: eg. ^[A-Z0-9]+$
559 text_regexp_info: eg. ^[A-Z0-9]+$
560 text_min_max_length_info: 0 = nincs korlátozás
560 text_min_max_length_info: 0 = nincs korlátozás
561 text_project_destroy_confirmation: Biztosan törölni szeretné a projektet és vele együtt minden kapcsolódó adatot ?
561 text_project_destroy_confirmation: Biztosan törölni szeretné a projektet és vele együtt minden kapcsolódó adatot ?
562 text_subprojects_destroy_warning: 'Az alprojekt(ek): %s szintén törlésre kerülnek.'
562 text_subprojects_destroy_warning: 'Az alprojekt(ek): %s szintén törlésre kerülnek.'
563 text_workflow_edit: Válasszon egy szerepkört, és egy trackert a workflow szerkesztéséhez
563 text_workflow_edit: Válasszon egy szerepkört, és egy trackert a workflow szerkesztéséhez
564 text_are_you_sure: Biztos benne ?
564 text_are_you_sure: Biztos benne ?
565 text_journal_changed: "változás: %s volt, %s lett"
565 text_journal_changed: "változás: %s volt, %s lett"
566 text_journal_set_to: "beállítva: %s"
566 text_journal_set_to: "beállítva: %s"
567 text_journal_deleted: törölve
567 text_journal_deleted: törölve
568 text_tip_task_begin_day: a feladat ezen a napon kezdődik
568 text_tip_task_begin_day: a feladat ezen a napon kezdődik
569 text_tip_task_end_day: a feladat ezen a napon ér véget
569 text_tip_task_end_day: a feladat ezen a napon ér véget
570 text_tip_task_begin_end_day: a feladat ezen a napon kezdődik és ér véget
570 text_tip_task_begin_end_day: a feladat ezen a napon kezdődik és ér véget
571 text_project_identifier_info: 'Kis betűk (a-z), számok és kötőjel megengedett.<br />Mentés után az azonosítót megváltoztatni nem lehet.'
571 text_project_identifier_info: 'Kis betűk (a-z), számok és kötőjel megengedett.<br />Mentés után az azonosítót megváltoztatni nem lehet.'
572 text_caracters_maximum: maximum %d karakter.
572 text_caracters_maximum: maximum %d karakter.
573 text_caracters_minimum: Legkevesebb %d karakter hosszúnek kell lennie.
573 text_caracters_minimum: Legkevesebb %d karakter hosszúnek kell lennie.
574 text_length_between: Legalább %d és legfeljebb %d hosszú karakter.
574 text_length_between: Legalább %d és legfeljebb %d hosszú karakter.
575 text_tracker_no_workflow: Nincs workflow definiálva ehhez a tracker-hez
575 text_tracker_no_workflow: Nincs workflow definiálva ehhez a tracker-hez
576 text_unallowed_characters: Tiltott karakterek
576 text_unallowed_characters: Tiltott karakterek
577 text_comma_separated: Több érték megengedett (vesszővel elválasztva)
577 text_comma_separated: Több érték megengedett (vesszővel elválasztva)
578 text_issues_ref_in_commit_messages: Hivatkozás feladatokra, feladatok javítása a commit üzenetekben
578 text_issues_ref_in_commit_messages: Hivatkozás feladatokra, feladatok javítása a commit üzenetekben
579 text_issue_added: %s feladat bejelentve.
579 text_issue_added: %s feladat bejelentve.
580 text_issue_updated: %s feladat frissítve.
580 text_issue_updated: %s feladat frissítve.
581 text_wiki_destroy_confirmation: Biztosan törölni szeretné ezt a wiki-t minden tartalmával együtt ?
581 text_wiki_destroy_confirmation: Biztosan törölni szeretné ezt a wiki-t minden tartalmával együtt ?
582 text_issue_category_destroy_question: Néhány feladat (%d) hozzá van rendelve ehhez a kategóriához. Mit szeretne tenni ?
582 text_issue_category_destroy_question: Néhány feladat (%d) hozzá van rendelve ehhez a kategóriához. Mit szeretne tenni ?
583 text_issue_category_destroy_assignments: Kategória hozzárendelés megszűntetése
583 text_issue_category_destroy_assignments: Kategória hozzárendelés megszűntetése
584 text_issue_category_reassign_to: Feladatok újra hozzárendelése a kategóriához
584 text_issue_category_reassign_to: Feladatok újra hozzárendelése a kategóriához
585 text_user_mail_option: "A nem kiválasztott projektekről csak akkor kap értesítést, ha figyelést kér rá, vagy részt vesz benne (pl. Ön a létrehozó, vagy a hozzárendelő)"
585 text_user_mail_option: "A nem kiválasztott projektekről csak akkor kap értesítést, ha figyelést kér rá, vagy részt vesz benne (pl. Ön a létrehozó, vagy a hozzárendelő)"
586 text_no_configuration_data: "Szerepkörök, trackerek, feladat státuszok, és workflow adatok még nincsenek konfigurálva.\nErősen ajánlott, az alapértelmezett konfiguráció betöltése, és utána módosíthatja azt."
586 text_no_configuration_data: "Szerepkörök, trackerek, feladat státuszok, és workflow adatok még nincsenek konfigurálva.\nErősen ajánlott, az alapértelmezett konfiguráció betöltése, és utána módosíthatja azt."
587 text_load_default_configuration: Alapértelmezett konfiguráció betöltése
587 text_load_default_configuration: Alapértelmezett konfiguráció betöltése
588 text_status_changed_by_changeset: Applied in changeset %s.
588 text_status_changed_by_changeset: Applied in changeset %s.
589 text_issues_destroy_confirmation: 'Biztos benne, hogy törölni szeretné a kijelölt feladato(ka)t ?'
589 text_issues_destroy_confirmation: 'Biztos benne, hogy törölni szeretné a kijelölt feladato(ka)t ?'
590 text_select_project_modules: 'Válassza ki az engedélyezett modulokat ehhez a projekthez:'
590 text_select_project_modules: 'Válassza ki az engedélyezett modulokat ehhez a projekthez:'
591 text_default_administrator_account_changed: Alapértelmezett adminisztrátor fiók megváltoztatva
591 text_default_administrator_account_changed: Alapértelmezett adminisztrátor fiók megváltoztatva
592 text_file_repository_writable: Fájl tároló írható
592 text_file_repository_writable: Fájl tároló írható
593 text_rmagick_available: RMagick elérhető (opcionális)
593 text_rmagick_available: RMagick elérhető (opcionális)
594 text_destroy_time_entries_question: %.02f órányi munka van rögzítve a feladatokon, amiket törölni szeretne. Mit szeretne tenni ?
594 text_destroy_time_entries_question: %.02f órányi munka van rögzítve a feladatokon, amiket törölni szeretne. Mit szeretne tenni ?
595 text_destroy_time_entries: A rögzített órák törlése
595 text_destroy_time_entries: A rögzített órák törlése
596 text_assign_time_entries_to_project: A rögzített órák hozzárendelése a projekthez
596 text_assign_time_entries_to_project: A rögzített órák hozzárendelése a projekthez
597 text_reassign_time_entries: 'A rögzített órák újra hozzárendelése ehhez a feladathoz:'
597 text_reassign_time_entries: 'A rögzített órák újra hozzárendelése ehhez a feladathoz:'
598
598
599 default_role_manager: Vezető
599 default_role_manager: Vezető
600 default_role_developper: Fejlesztő
600 default_role_developper: Fejlesztő
601 default_role_reporter: Bejelentő
601 default_role_reporter: Bejelentő
602 default_tracker_bug: Hiba
602 default_tracker_bug: Hiba
603 default_tracker_feature: Fejlesztés
603 default_tracker_feature: Fejlesztés
604 default_tracker_support: Support
604 default_tracker_support: Support
605 default_issue_status_new: Új
605 default_issue_status_new: Új
606 default_issue_status_assigned: Kiosztva
606 default_issue_status_assigned: Kiosztva
607 default_issue_status_resolved: Megoldva
607 default_issue_status_resolved: Megoldva
608 default_issue_status_feedback: Visszajelzés
608 default_issue_status_feedback: Visszajelzés
609 default_issue_status_closed: Lezárt
609 default_issue_status_closed: Lezárt
610 default_issue_status_rejected: Elutasított
610 default_issue_status_rejected: Elutasított
611 default_doc_category_user: Felhasználói dokumentáció
611 default_doc_category_user: Felhasználói dokumentáció
612 default_doc_category_tech: Technikai dokumentáció
612 default_doc_category_tech: Technikai dokumentáció
613 default_priority_low: Alacsony
613 default_priority_low: Alacsony
614 default_priority_normal: Normál
614 default_priority_normal: Normál
615 default_priority_high: Magas
615 default_priority_high: Magas
616 default_priority_urgent: Sürgős
616 default_priority_urgent: Sürgős
617 default_priority_immediate: Azonnal
617 default_priority_immediate: Azonnal
618 default_activity_design: Tervezés
618 default_activity_design: Tervezés
619 default_activity_development: Fejlesztés
619 default_activity_development: Fejlesztés
620
620
621 enumeration_issue_priorities: Feladat prioritások
621 enumeration_issue_priorities: Feladat prioritások
622 enumeration_doc_categories: Dokumentum kategóriák
622 enumeration_doc_categories: Dokumentum kategóriák
623 enumeration_activities: Tevékenységek (idő rögzítés)
623 enumeration_activities: Tevékenységek (idő rögzítés)
624 mail_body_reminder: "%d neked kiosztott feladat határidős az elkövetkező %d napban:"
624 mail_body_reminder: "%d neked kiosztott feladat határidős az elkövetkező %d napban:"
625 mail_subject_reminder: "%d feladat határidős az elkövetkező napokban"
625 mail_subject_reminder: "%d feladat határidős az elkövetkező napokban"
626 text_user_wrote: '%s írta:'
626 text_user_wrote: '%s írta:'
627 label_duplicated_by: duplikálta
627 label_duplicated_by: duplikálta
628 setting_enabled_scm: Forráskódkezelő (SCM) engedélyezése
628 setting_enabled_scm: Forráskódkezelő (SCM) engedélyezése
629 text_enumeration_category_reassign_to: 'Újra hozzárendelés ehhez:'
629 text_enumeration_category_reassign_to: 'Újra hozzárendelés ehhez:'
630 text_enumeration_destroy_question: '%d objektum van hozzárendelve ehhez az értékhez.'
630 text_enumeration_destroy_question: '%d objektum van hozzárendelve ehhez az értékhez.'
631 label_incoming_emails: Beérkezett levelek
631 label_incoming_emails: Beérkezett levelek
632 label_generate_key: Kulcs generálása
632 label_generate_key: Kulcs generálása
633 setting_mail_handler_api_enabled: Web Service engedélyezése a beérkezett levelekhez
633 setting_mail_handler_api_enabled: Web Service engedélyezése a beérkezett levelekhez
634 setting_mail_handler_api_key: API kulcs
634 setting_mail_handler_api_key: API kulcs
635 text_email_delivery_not_configured: "Az E-mail küldés nincs konfigurálva, és az értesítések ki vannak kapcsolva.\nÁllítsd be az SMTP szervert a config/email.yml fájlban és indítsd újra az alkalmazást, hogy érvénybe lépjen."
635 text_email_delivery_not_configured: "Az E-mail küldés nincs konfigurálva, és az értesítések ki vannak kapcsolva.\nÁllítsd be az SMTP szervert a config/email.yml fájlban és indítsd újra az alkalmazást, hogy érvénybe lépjen."
636 field_parent_title: Szülő oldal
636 field_parent_title: Szülő oldal
637 label_issue_watchers: Megfigyelők
637 label_issue_watchers: Megfigyelők
638 setting_commit_logs_encoding: Commit üzenetek kódlapja
638 setting_commit_logs_encoding: Commit üzenetek kódlapja
639 button_quote: Idézet
639 button_quote: Idézet
640 setting_sequential_project_identifiers: Szekvenciális projekt azonosítók generálása
640 setting_sequential_project_identifiers: Szekvenciális projekt azonosítók generálása
641 notice_unable_delete_version: A verziót nem lehet törölni
641 notice_unable_delete_version: A verziót nem lehet törölni
642 label_renamed: renamed
642 label_renamed: átnevezve
643 label_copied: copied
643 label_copied: lemásolva
@@ -1,644 +1,644
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
2
2
3 actionview_datehelper_select_day_prefix:
3 actionview_datehelper_select_day_prefix:
4 actionview_datehelper_select_month_names: sausis,vasaris,kovas,balandis,gegužė,birželis,liepa,rugpjūtis,rugsėjis,spalis,lapkritis,gruodis
4 actionview_datehelper_select_month_names: sausis,vasaris,kovas,balandis,gegužė,birželis,liepa,rugpjūtis,rugsėjis,spalis,lapkritis,gruodis
5 actionview_datehelper_select_month_names_abbr: Sau,Vas,Kov,Bal,Geg,Brž,Lie,Rgp,Rgs,Spl,Lap,Grd
5 actionview_datehelper_select_month_names_abbr: Sau,Vas,Kov,Bal,Geg,Brž,Lie,Rgp,Rgs,Spl,Lap,Grd
6 actionview_datehelper_select_month_prefix:
6 actionview_datehelper_select_month_prefix:
7 actionview_datehelper_select_year_prefix:
7 actionview_datehelper_select_year_prefix:
8 actionview_datehelper_time_in_words_day: 1 diena
8 actionview_datehelper_time_in_words_day: 1 diena
9 actionview_datehelper_time_in_words_day_plural: %d dienų
9 actionview_datehelper_time_in_words_day_plural: %d dienų
10 actionview_datehelper_time_in_words_hour_about: apytiksliai valanda
10 actionview_datehelper_time_in_words_hour_about: apytiksliai valanda
11 actionview_datehelper_time_in_words_hour_about_plural: apie %d valandas
11 actionview_datehelper_time_in_words_hour_about_plural: apie %d valandas
12 actionview_datehelper_time_in_words_hour_about_single: apytiksliai valanda
12 actionview_datehelper_time_in_words_hour_about_single: apytiksliai valanda
13 actionview_datehelper_time_in_words_minute: 1 minutė
13 actionview_datehelper_time_in_words_minute: 1 minutė
14 actionview_datehelper_time_in_words_minute_half: pusė minutės
14 actionview_datehelper_time_in_words_minute_half: pusė minutės
15 actionview_datehelper_time_in_words_minute_less_than: mažiau kaip minutė
15 actionview_datehelper_time_in_words_minute_less_than: mažiau kaip minutė
16 actionview_datehelper_time_in_words_minute_plural: %d minutės
16 actionview_datehelper_time_in_words_minute_plural: %d minutės
17 actionview_datehelper_time_in_words_minute_single: 1 minutė
17 actionview_datehelper_time_in_words_minute_single: 1 minutė
18 actionview_datehelper_time_in_words_second_less_than: mažiau kaip sekundė
18 actionview_datehelper_time_in_words_second_less_than: mažiau kaip sekundė
19 actionview_datehelper_time_in_words_second_less_than_plural: mažiau, negu %d sekundės
19 actionview_datehelper_time_in_words_second_less_than_plural: mažiau, negu %d sekundės
20 actionview_instancetag_blank_option: prašom išrinkti
20 actionview_instancetag_blank_option: prašom išrinkti
21
21
22 activerecord_error_inclusion: nėra įtrauktas į sąrašą
22 activerecord_error_inclusion: nėra įtrauktas į sąrašą
23 activerecord_error_exclusion: yra rezervuota(as)
23 activerecord_error_exclusion: yra rezervuota(as)
24 activerecord_error_invalid: yra negaliojanti(is)
24 activerecord_error_invalid: yra negaliojanti(is)
25 activerecord_error_confirmation: neatitinka patvirtinimo
25 activerecord_error_confirmation: neatitinka patvirtinimo
26 activerecord_error_accepted: turi būti priimtas
26 activerecord_error_accepted: turi būti priimtas
27 activerecord_error_empty: negali būti tuščiu
27 activerecord_error_empty: negali būti tuščiu
28 activerecord_error_blank: negali būti tuščiu
28 activerecord_error_blank: negali būti tuščiu
29 activerecord_error_too_long: yra per ilgas
29 activerecord_error_too_long: yra per ilgas
30 activerecord_error_too_short: yra per trumpas
30 activerecord_error_too_short: yra per trumpas
31 activerecord_error_wrong_length: neteisingas ilgis
31 activerecord_error_wrong_length: neteisingas ilgis
32 activerecord_error_taken: buvo jau paimtas
32 activerecord_error_taken: buvo jau paimtas
33 activerecord_error_not_a_number: nėra skaičius
33 activerecord_error_not_a_number: nėra skaičius
34 activerecord_error_not_a_date: data nėra galiojanti
34 activerecord_error_not_a_date: data nėra galiojanti
35 activerecord_error_greater_than_start_date: turi būti didesnė negu pradžios data
35 activerecord_error_greater_than_start_date: turi būti didesnė negu pradžios data
36 activerecord_error_not_same_project: nepriklauso tam pačiam projektui
36 activerecord_error_not_same_project: nepriklauso tam pačiam projektui
37 activerecord_error_circular_dependency: Šis ryšys sukurtų ciklinę priklausomybę
37 activerecord_error_circular_dependency: Šis ryšys sukurtų ciklinę priklausomybę
38
38
39 general_fmt_age: %d m.
39 general_fmt_age: %d m.
40 general_fmt_age_plural: %d metų(ai)
40 general_fmt_age_plural: %d metų(ai)
41 general_fmt_date: %%Y-%%m-%%d
41 general_fmt_date: %%Y-%%m-%%d
42 general_fmt_datetime: %%Y-%%m-%%d %%I:%%M %%p
42 general_fmt_datetime: %%Y-%%m-%%d %%I:%%M %%p
43 general_fmt_datetime_short: %%b %%d, %%I:%%M %%p
43 general_fmt_datetime_short: %%b %%d, %%I:%%M %%p
44 general_fmt_time: %%I:%%M %%p
44 general_fmt_time: %%I:%%M %%p
45 general_text_No: 'Ne'
45 general_text_No: 'Ne'
46 general_text_Yes: 'Taip'
46 general_text_Yes: 'Taip'
47 general_text_no: 'ne'
47 general_text_no: 'ne'
48 general_text_yes: 'taip'
48 general_text_yes: 'taip'
49 general_lang_name: 'Lithuanian (lietuvių)'
49 general_lang_name: 'Lithuanian (lietuvių)'
50 general_csv_separator: ','
50 general_csv_separator: ','
51 general_csv_decimal_separator: '.'
51 general_csv_decimal_separator: '.'
52 general_csv_encoding: UTF-8
52 general_csv_encoding: UTF-8
53 general_pdf_encoding: UTF-8
53 general_pdf_encoding: UTF-8
54 general_day_names: pirmadienis,antradienis,trečiadienis,ketvirtadienis,penktadienis,šeštadienis,sekmadienis
54 general_day_names: pirmadienis,antradienis,trečiadienis,ketvirtadienis,penktadienis,šeštadienis,sekmadienis
55 general_first_day_of_week: '1'
55 general_first_day_of_week: '1'
56
56
57 notice_account_updated: Paskyra buvo sėkmingai atnaujinta.
57 notice_account_updated: Paskyra buvo sėkmingai atnaujinta.
58 notice_account_invalid_creditentials: Negaliojantis vartotojo vardas ar slaptažodis
58 notice_account_invalid_creditentials: Negaliojantis vartotojo vardas ar slaptažodis
59 notice_account_password_updated: Slaptažodis buvo sėkmingai atnaujintas.
59 notice_account_password_updated: Slaptažodis buvo sėkmingai atnaujintas.
60 notice_account_wrong_password: Neteisingas slaptažodis
60 notice_account_wrong_password: Neteisingas slaptažodis
61 notice_account_register_done: Paskyra buvo sėkmingai sukurta. Kad aktyvintumėte savo paskyrą, paspauskite sąsają, kuri jums buvo siųsta elektroniniu paštu.
61 notice_account_register_done: Paskyra buvo sėkmingai sukurta. Kad aktyvintumėte savo paskyrą, paspauskite sąsają, kuri jums buvo siųsta elektroniniu paštu.
62 notice_account_unknown_email: Nežinomas vartotojas.
62 notice_account_unknown_email: Nežinomas vartotojas.
63 notice_can_t_change_password: Šis pranešimas naudoja išorinį autentiškumo nustatymo šaltinį. Neįmanoma pakeisti slaptažodį.
63 notice_can_t_change_password: Šis pranešimas naudoja išorinį autentiškumo nustatymo šaltinį. Neįmanoma pakeisti slaptažodį.
64 notice_account_lost_email_sent: Į Jūsų pašą išsiūstas laiškas su naujo slaptažodžio pasirinkimo instrukcija.
64 notice_account_lost_email_sent: Į Jūsų pašą išsiūstas laiškas su naujo slaptažodžio pasirinkimo instrukcija.
65 notice_account_activated: Jūsų paskyra aktyvuota. Galite prisijungti.
65 notice_account_activated: Jūsų paskyra aktyvuota. Galite prisijungti.
66 notice_successful_create: Sėkmingas sukūrimas.
66 notice_successful_create: Sėkmingas sukūrimas.
67 notice_successful_update: Sėkmingas atnaujinimas.
67 notice_successful_update: Sėkmingas atnaujinimas.
68 notice_successful_delete: Sėkmingas panaikinimas.
68 notice_successful_delete: Sėkmingas panaikinimas.
69 notice_successful_connection: Sėkmingas susijungimas.
69 notice_successful_connection: Sėkmingas susijungimas.
70 notice_file_not_found: Puslapis, į kurį ketinate įeiti, neegzistuoja arba pašalintas.
70 notice_file_not_found: Puslapis, į kurį ketinate įeiti, neegzistuoja arba pašalintas.
71 notice_locking_conflict: Duomenys atnaujinti kito vartotojo.
71 notice_locking_conflict: Duomenys atnaujinti kito vartotojo.
72 notice_scm_error: Duomenys ir/ar pakeitimai saugykloje(repozitorojoje) neegzistuoja.
72 notice_scm_error: Duomenys ir/ar pakeitimai saugykloje(repozitorojoje) neegzistuoja.
73 notice_not_authorized: Jūs neturite teisių gauti prieigą prie šio puslapio.
73 notice_not_authorized: Jūs neturite teisių gauti prieigą prie šio puslapio.
74 notice_email_sent: Laiškas išsiųstas %s
74 notice_email_sent: Laiškas išsiųstas %s
75 notice_email_error: Laiško siųntimo metu įvyko klaida (%s)
75 notice_email_error: Laiško siųntimo metu įvyko klaida (%s)
76 notice_feeds_access_key_reseted: Jūsų RSS raktas buvo atnaujintas.
76 notice_feeds_access_key_reseted: Jūsų RSS raktas buvo atnaujintas.
77 notice_failed_to_save_issues: "Nepavyko išsaugoti %d problemos(ų) %d pasirinkto: %s."
77 notice_failed_to_save_issues: "Nepavyko išsaugoti %d problemos(ų) %d pasirinkto: %s."
78 notice_no_issue_selected: "Nepasirinkta viena problema! Prašom pažymėti problemą, kurią norite redaguoti."
78 notice_no_issue_selected: "Nepasirinkta viena problema! Prašom pažymėti problemą, kurią norite redaguoti."
79 notice_account_pending: "Jūsų paskyra buvo sukūrta ir dabar laukiama administratoriaus patvirtinimo."
79 notice_account_pending: "Jūsų paskyra buvo sukūrta ir dabar laukiama administratoriaus patvirtinimo."
80
80
81 error_scm_not_found: "Duomenys ir/ar pakeitimai saugykloje(repozitorojoje) neegzistuoja."
81 error_scm_not_found: "Duomenys ir/ar pakeitimai saugykloje(repozitorojoje) neegzistuoja."
82 error_scm_command_failed: "Įvyko klaida jungiantis prie saugyklos: %s"
82 error_scm_command_failed: "Įvyko klaida jungiantis prie saugyklos: %s"
83
83
84 mail_subject_lost_password: Jūsų %s slaptažodis
84 mail_subject_lost_password: Jūsų %s slaptažodis
85 mail_body_lost_password: 'Norėdami pakeisti slaptažodį, spauskite nuorodą:'
85 mail_body_lost_password: 'Norėdami pakeisti slaptažodį, spauskite nuorodą:'
86 mail_subject_register: '%s paskyros aktyvavymas'
86 mail_subject_register: '%s paskyros aktyvavymas'
87 mail_body_register: 'Norėdami aktyvuoti paskyrą, spauskite nuorodą:'
87 mail_body_register: 'Norėdami aktyvuoti paskyrą, spauskite nuorodą:'
88 mail_body_account_information_external: Jūs galite naudoti Jūsų "%s" paskyrą, norėdami prisijungti.
88 mail_body_account_information_external: Jūs galite naudoti Jūsų "%s" paskyrą, norėdami prisijungti.
89 mail_body_account_information: Informacija apie Jūsų paskyrą
89 mail_body_account_information: Informacija apie Jūsų paskyrą
90 mail_subject_account_activation_request: %s paskyros aktyvavimo prašymas
90 mail_subject_account_activation_request: %s paskyros aktyvavimo prašymas
91 mail_body_account_activation_request: 'Užsiregistravo naujas vartotojas (%s). Jo paskyra laukia jūsų patvirtinimo:'
91 mail_body_account_activation_request: 'Užsiregistravo naujas vartotojas (%s). Jo paskyra laukia jūsų patvirtinimo:'
92
92
93 gui_validation_error: 1 klaida
93 gui_validation_error: 1 klaida
94 gui_validation_error_plural: %d klaidų(os)
94 gui_validation_error_plural: %d klaidų(os)
95
95
96 field_name: Pavadinimas
96 field_name: Pavadinimas
97 field_description: Aprašas
97 field_description: Aprašas
98 field_summary: Santrauka
98 field_summary: Santrauka
99 field_is_required: Reikalaujama
99 field_is_required: Reikalaujama
100 field_firstname: Vardas
100 field_firstname: Vardas
101 field_lastname: Pavardė
101 field_lastname: Pavardė
102 field_mail: Email
102 field_mail: Email
103 field_filename: Byla
103 field_filename: Byla
104 field_filesize: Dydis
104 field_filesize: Dydis
105 field_downloads: Atsiuntimai
105 field_downloads: Atsiuntimai
106 field_author: Autorius
106 field_author: Autorius
107 field_created_on: Sukūrta
107 field_created_on: Sukūrta
108 field_updated_on: Atnaujinta
108 field_updated_on: Atnaujinta
109 field_field_format: Formatas
109 field_field_format: Formatas
110 field_is_for_all: Visiems projektams
110 field_is_for_all: Visiems projektams
111 field_possible_values: Galimos reikšmės
111 field_possible_values: Galimos reikšmės
112 field_regexp: Pastovi išraiška
112 field_regexp: Pastovi išraiška
113 field_min_length: Minimalus ilgis
113 field_min_length: Minimalus ilgis
114 field_max_length: Maksimalus ilgis
114 field_max_length: Maksimalus ilgis
115 field_value: Vertė
115 field_value: Vertė
116 field_category: Kategorija
116 field_category: Kategorija
117 field_title: Pavadinimas
117 field_title: Pavadinimas
118 field_project: Projektas
118 field_project: Projektas
119 field_issue: Darbas
119 field_issue: Darbas
120 field_status: Būsena
120 field_status: Būsena
121 field_notes: Pastabos
121 field_notes: Pastabos
122 field_is_closed: Darbas uždarytas
122 field_is_closed: Darbas uždarytas
123 field_is_default: Numatytoji vertė
123 field_is_default: Numatytoji vertė
124 field_tracker: Pėdsekys
124 field_tracker: Pėdsekys
125 field_subject: Tema
125 field_subject: Tema
126 field_due_date: Užbaigimo data
126 field_due_date: Užbaigimo data
127 field_assigned_to: Paskirtas
127 field_assigned_to: Paskirtas
128 field_priority: Prioritetas
128 field_priority: Prioritetas
129 field_fixed_version: Target version
129 field_fixed_version: Target version
130 field_user: Vartotojas
130 field_user: Vartotojas
131 field_role: Vaidmuo
131 field_role: Vaidmuo
132 field_homepage: Pagrindinis puslapis
132 field_homepage: Pagrindinis puslapis
133 field_is_public: Viešas
133 field_is_public: Viešas
134 field_parent: Priklauso projektui
134 field_parent: Priklauso projektui
135 field_is_in_chlog: Darbai rodomi pokyčių žurnale
135 field_is_in_chlog: Darbai rodomi pokyčių žurnale
136 field_is_in_roadmap: Darbai rodomi veiklos grafike
136 field_is_in_roadmap: Darbai rodomi veiklos grafike
137 field_login: Registracijos vardas
137 field_login: Registracijos vardas
138 field_mail_notification: Elektroninio pašto pranešimai
138 field_mail_notification: Elektroninio pašto pranešimai
139 field_admin: Administratorius
139 field_admin: Administratorius
140 field_last_login_on: Paskutinis ryšys
140 field_last_login_on: Paskutinis ryšys
141 field_language: Kalba
141 field_language: Kalba
142 field_effective_date: Data
142 field_effective_date: Data
143 field_password: Slaptažodis
143 field_password: Slaptažodis
144 field_new_password: Naujas slaptažodis
144 field_new_password: Naujas slaptažodis
145 field_password_confirmation: Patvirtinimas
145 field_password_confirmation: Patvirtinimas
146 field_version: Versija
146 field_version: Versija
147 field_type: Tipas
147 field_type: Tipas
148 field_host: Pagrindinis kompiuteris
148 field_host: Pagrindinis kompiuteris
149 field_port: Jungtis
149 field_port: Jungtis
150 field_account: Paskyra
150 field_account: Paskyra
151 field_base_dn: Bazinis skiriamasis vardas
151 field_base_dn: Bazinis skiriamasis vardas
152 field_attr_login: Registracijos vardo požymis
152 field_attr_login: Registracijos vardo požymis
153 field_attr_firstname: Vardo priskiria
153 field_attr_firstname: Vardo priskiria
154 field_attr_lastname: Pavardės priskiria
154 field_attr_lastname: Pavardės priskiria
155 field_attr_mail: Elektroninio pašto požymis
155 field_attr_mail: Elektroninio pašto požymis
156 field_onthefly: Vartotojų sukūrimas paskubomis
156 field_onthefly: Vartotojų sukūrimas paskubomis
157 field_start_date: Pradėti
157 field_start_date: Pradėti
158 field_done_ratio: %% Atlikta
158 field_done_ratio: %% Atlikta
159 field_auth_source: Autentiškumo nustatymo būdas
159 field_auth_source: Autentiškumo nustatymo būdas
160 field_hide_mail: Paslėpkite mano elektroninio pašto adresą
160 field_hide_mail: Paslėpkite mano elektroninio pašto adresą
161 field_comments: Komentaras
161 field_comments: Komentaras
162 field_url: URL
162 field_url: URL
163 field_start_page: Pradžios puslapis
163 field_start_page: Pradžios puslapis
164 field_subproject: Subprojektas
164 field_subproject: Subprojektas
165 field_hours: Valandos
165 field_hours: Valandos
166 field_activity: Veikla
166 field_activity: Veikla
167 field_spent_on: Data
167 field_spent_on: Data
168 field_identifier: Identifikuotojas
168 field_identifier: Identifikuotojas
169 field_is_filter: Panaudotas kaip filtras
169 field_is_filter: Panaudotas kaip filtras
170 field_issue_to_id: Susijęs darbas
170 field_issue_to_id: Susijęs darbas
171 field_delay: Užlaikymas
171 field_delay: Užlaikymas
172 field_assignable: Darbai gali būti paskirti šiam vaidmeniui
172 field_assignable: Darbai gali būti paskirti šiam vaidmeniui
173 field_redirect_existing_links: Peradresuokite egzistuojančias sąsajas
173 field_redirect_existing_links: Peradresuokite egzistuojančias sąsajas
174 field_estimated_hours: Numatyta trukmė
174 field_estimated_hours: Numatyta trukmė
175 field_column_names: Skiltys
175 field_column_names: Skiltys
176 field_time_zone: Laiko juosta
176 field_time_zone: Laiko juosta
177 field_searchable: Randamas
177 field_searchable: Randamas
178 field_default_value: Numatytoji vertė
178 field_default_value: Numatytoji vertė
179 setting_app_title: Programos pavadinimas
179 setting_app_title: Programos pavadinimas
180 setting_app_subtitle: Programos paantraštė
180 setting_app_subtitle: Programos paantraštė
181 setting_welcome_text: Pasveikinimas
181 setting_welcome_text: Pasveikinimas
182 setting_default_language: Numatytoji kalba
182 setting_default_language: Numatytoji kalba
183 setting_login_required: Reikalingas autentiškumo nustatymas
183 setting_login_required: Reikalingas autentiškumo nustatymas
184 setting_self_registration: Saviregistracija
184 setting_self_registration: Saviregistracija
185 setting_attachment_max_size: Priedo maks. dydis
185 setting_attachment_max_size: Priedo maks. dydis
186 setting_issues_export_limit pagal dydį: Darbų eksportavimo riba
186 setting_issues_export_limit pagal dydį: Darbų eksportavimo riba
187 setting_mail_from: Emisijos elektroninio pašto adresas
187 setting_mail_from: Emisijos elektroninio pašto adresas
188 setting_bcc_recipients: Akli tikslios kopijos gavėjai (bcc)
188 setting_bcc_recipients: Akli tikslios kopijos gavėjai (bcc)
189 setting_host_name: Pagrindinio kompiuterio vardas
189 setting_host_name: Pagrindinio kompiuterio vardas
190 setting_text_formatting: Teksto apipavidalinimas
190 setting_text_formatting: Teksto apipavidalinimas
191 setting_wiki_compression: Wiki istorijos suspaudimas
191 setting_wiki_compression: Wiki istorijos suspaudimas
192 setting_feeds_limit: Perdavimo turinio riba
192 setting_feeds_limit: Perdavimo turinio riba
193 setting_autofetch_changesets: Automatinis pakeitimų siuntimas
193 setting_autofetch_changesets: Automatinis pakeitimų siuntimas
194 setting_sys_api_enabled: Įgalinkite WS sandėlio vadybai
194 setting_sys_api_enabled: Įgalinkite WS sandėlio vadybai
195 setting_commit_ref_keywords: Nurodymo reikšminiai žodžiai
195 setting_commit_ref_keywords: Nurodymo reikšminiai žodžiai
196 setting_commit_fix_keywords: Fiksavimo reikšminiai žodžiai
196 setting_commit_fix_keywords: Fiksavimo reikšminiai žodžiai
197 setting_autologin: Autoregistracija
197 setting_autologin: Autoregistracija
198 setting_date_format: Datos formatas
198 setting_date_format: Datos formatas
199 setting_time_format: Laiko formatas
199 setting_time_format: Laiko formatas
200 setting_cross_project_issue_relations: Leisti tarprojektinius darbų ryšius
200 setting_cross_project_issue_relations: Leisti tarprojektinius darbų ryšius
201 setting_issue_list_default_columns: Numatytosios skiltys darbų sąraše
201 setting_issue_list_default_columns: Numatytosios skiltys darbų sąraše
202 setting_repositories_encodings: Saugyklos koduotė
202 setting_repositories_encodings: Saugyklos koduotė
203 setting_emails_footer: elektroninio pašto puslapinė poraštė
203 setting_emails_footer: elektroninio pašto puslapinė poraštė
204 setting_protocol: Protokolas
204 setting_protocol: Protokolas
205
205
206 label_user: Vartotojas
206 label_user: Vartotojas
207 label_user_plural: Vartotojai
207 label_user_plural: Vartotojai
208 label_user_new: Naujas vartotojas
208 label_user_new: Naujas vartotojas
209 label_project: Projektas
209 label_project: Projektas
210 label_project_new: Naujas projektas
210 label_project_new: Naujas projektas
211 label_project_plural: Projektai
211 label_project_plural: Projektai
212 label_project_all: Visi Projektai
212 label_project_all: Visi Projektai
213 label_project_latest: Paskutiniai projektai
213 label_project_latest: Paskutiniai projektai
214 label_issue: Darbas
214 label_issue: Darbas
215 label_issue_new: Naujas darbas
215 label_issue_new: Naujas darbas
216 label_issue_plural: Darbai
216 label_issue_plural: Darbai
217 label_issue_view_all: Peržiūrėti visus darbus
217 label_issue_view_all: Peržiūrėti visus darbus
218 label_issues_by: Darbai pagal %s
218 label_issues_by: Darbai pagal %s
219 label_document: Dokumentas
219 label_document: Dokumentas
220 label_document_new: Naujas dokumentas
220 label_document_new: Naujas dokumentas
221 label_document_plural: Dokumentai
221 label_document_plural: Dokumentai
222 label_role: Vaidmuo
222 label_role: Vaidmuo
223 label_role_plural: Vaidmenys
223 label_role_plural: Vaidmenys
224 label_role_new: Naujas vaidmuo
224 label_role_new: Naujas vaidmuo
225 label_role_and_permissions: Vaidmenys ir leidimai
225 label_role_and_permissions: Vaidmenys ir leidimai
226 label_member: Narys
226 label_member: Narys
227 label_member_new: Naujas narys
227 label_member_new: Naujas narys
228 label_member_plural: Nariai
228 label_member_plural: Nariai
229 label_tracker: Pėdsekys
229 label_tracker: Pėdsekys
230 label_tracker_plural: Pėdsekiai
230 label_tracker_plural: Pėdsekiai
231 label_tracker_new: Naujas pėdsekys
231 label_tracker_new: Naujas pėdsekys
232 label_workflow: Darbų eiga
232 label_workflow: Darbų eiga
233 label_issue_status: Darbo padėtis
233 label_issue_status: Darbo padėtis
234 label_issue_status_plural: Darbų padėtys
234 label_issue_status_plural: Darbų padėtys
235 label_issue_status_new: Nauja padėtis
235 label_issue_status_new: Nauja padėtis
236 label_issue_category: Darbo kategorija
236 label_issue_category: Darbo kategorija
237 label_issue_category_plural: Darbo kategorijos
237 label_issue_category_plural: Darbo kategorijos
238 label_issue_category_new: Nauja kategorija
238 label_issue_category_new: Nauja kategorija
239 label_custom_field: Kliento laukas
239 label_custom_field: Kliento laukas
240 label_custom_field_plural: Kliento laukai
240 label_custom_field_plural: Kliento laukai
241 label_custom_field_new: Naujas kliento laukas
241 label_custom_field_new: Naujas kliento laukas
242 label_enumerations: Išvardinimai
242 label_enumerations: Išvardinimai
243 label_enumeration_new: Nauja vertė
243 label_enumeration_new: Nauja vertė
244 label_information: Informacija
244 label_information: Informacija
245 label_information_plural: Informacija
245 label_information_plural: Informacija
246 label_please_login: Prašom prisijungti
246 label_please_login: Prašom prisijungti
247 label_register: Užsiregistruoti
247 label_register: Užsiregistruoti
248 label_password_lost: Prarastas slaptažodis
248 label_password_lost: Prarastas slaptažodis
249 label_home: Pagrindinis
249 label_home: Pagrindinis
250 label_my_page: Mano puslapis
250 label_my_page: Mano puslapis
251 label_my_account: Mano paskyra
251 label_my_account: Mano paskyra
252 label_my_projects: Mano projektai
252 label_my_projects: Mano projektai
253 label_administration: Administravimas
253 label_administration: Administravimas
254 label_login: Prisijungti
254 label_login: Prisijungti
255 label_logout: Atsijungti
255 label_logout: Atsijungti
256 label_help: Pagalba
256 label_help: Pagalba
257 label_reported_issues: Pranešti darbai
257 label_reported_issues: Pranešti darbai
258 label_assigned_to_me_issues: Darbai, priskirti man
258 label_assigned_to_me_issues: Darbai, priskirti man
259 label_last_login: Paskutinis ryšys
259 label_last_login: Paskutinis ryšys
260 label_last_updates: Paskutinis atnaujinimas
260 label_last_updates: Paskutinis atnaujinimas
261 label_last_updates_plural: %d paskutinis atnaujinimas
261 label_last_updates_plural: %d paskutinis atnaujinimas
262 label_registered_on: Užregistruota
262 label_registered_on: Užregistruota
263 label_activity: Veikla
263 label_activity: Veikla
264 label_new: Naujas
264 label_new: Naujas
265 label_logged_as: Prisijungęs kaip
265 label_logged_as: Prisijungęs kaip
266 label_environment: Aplinka
266 label_environment: Aplinka
267 label_authentication: Autentiškumo nustatymas
267 label_authentication: Autentiškumo nustatymas
268 label_auth_source: Autentiškumo nustatymo būdas
268 label_auth_source: Autentiškumo nustatymo būdas
269 label_auth_source_new: Naujas autentiškumo nustatymo būdas
269 label_auth_source_new: Naujas autentiškumo nustatymo būdas
270 label_auth_source_plural: Autentiškumo nustatymo būdai
270 label_auth_source_plural: Autentiškumo nustatymo būdai
271 label_subproject_plural: Subprojektai
271 label_subproject_plural: Subprojektai
272 label_min_max_length: Min - Maks ilgis
272 label_min_max_length: Min - Maks ilgis
273 label_list: Sąrašas
273 label_list: Sąrašas
274 label_date: Data
274 label_date: Data
275 label_integer: Sveikasis skaičius
275 label_integer: Sveikasis skaičius
276 label_float: Float
276 label_float: Float
277 label_boolean: Boolean
277 label_boolean: Boolean
278 label_string: Tekstas
278 label_string: Tekstas
279 label_text: Ilgas tekstas
279 label_text: Ilgas tekstas
280 label_attribute: Požymis
280 label_attribute: Požymis
281 label_attribute_plural: Požymiai
281 label_attribute_plural: Požymiai
282 label_download: %d Persiuntimas
282 label_download: %d Persiuntimas
283 label_download_plural: %d Persiuntimai
283 label_download_plural: %d Persiuntimai
284 label_no_data: Nėra ką atvaizduoti
284 label_no_data: Nėra ką atvaizduoti
285 label_change_status: Pakeitimo padėtis
285 label_change_status: Pakeitimo padėtis
286 label_history: Istorija
286 label_history: Istorija
287 label_attachment: Rinkmena
287 label_attachment: Rinkmena
288 label_attachment_new: Nauja rinkmena
288 label_attachment_new: Nauja rinkmena
289 label_attachment_delete: Pašalinkite rinkmeną
289 label_attachment_delete: Pašalinkite rinkmeną
290 label_attachment_plural: Rinkmenos
290 label_attachment_plural: Rinkmenos
291 label_report: Ataskaita
291 label_report: Ataskaita
292 label_report_plural: Ataskaitos
292 label_report_plural: Ataskaitos
293 label_news: Žinia
293 label_news: Žinia
294 label_news_new: Pridėkite žinią
294 label_news_new: Pridėkite žinią
295 label_news_plural: Žinios
295 label_news_plural: Žinios
296 label_news_latest: Paskutinės naujienos
296 label_news_latest: Paskutinės naujienos
297 label_news_view_all: Peržiūrėti visas žinias
297 label_news_view_all: Peržiūrėti visas žinias
298 label_change_log: Pakeitimų žurnalas
298 label_change_log: Pakeitimų žurnalas
299 label_settings: Nustatymai
299 label_settings: Nustatymai
300 label_overview: Apžvalga
300 label_overview: Apžvalga
301 label_version: Versija
301 label_version: Versija
302 label_version_new: Nauja versija
302 label_version_new: Nauja versija
303 label_version_plural: Versijos
303 label_version_plural: Versijos
304 label_confirmation: Patvirtinimas
304 label_confirmation: Patvirtinimas
305 label_export_to: Eksportuoti į
305 label_export_to: Eksportuoti į
306 label_read: Skaitykite...
306 label_read: Skaitykite...
307 label_public_projects: Vieši projektai
307 label_public_projects: Vieši projektai
308 label_open_issues: atidaryta
308 label_open_issues: atidaryta
309 label_open_issues_plural: atidarytos
309 label_open_issues_plural: atidarytos
310 label_closed_issues: uždaryta
310 label_closed_issues: uždaryta
311 label_closed_issues_plural: uždarytos
311 label_closed_issues_plural: uždarytos
312 label_total: Bendra suma
312 label_total: Bendra suma
313 label_permissions: Leidimai
313 label_permissions: Leidimai
314 label_current_status: Einamoji padėtis
314 label_current_status: Einamoji padėtis
315 label_new_statuses_allowed: Naujos padėtys galimos
315 label_new_statuses_allowed: Naujos padėtys galimos
316 label_all: visi
316 label_all: visi
317 label_none: niekas
317 label_none: niekas
318 label_nobody: niekas
318 label_nobody: niekas
319 label_next: Kitas
319 label_next: Kitas
320 label_previous: Ankstesnis
320 label_previous: Ankstesnis
321 label_used_by: Naudotas
321 label_used_by: Naudotas
322 label_details: Detalės
322 label_details: Detalės
323 label_add_note: Pridėkite pastabą
323 label_add_note: Pridėkite pastabą
324 label_per_page: Per puslapį
324 label_per_page: Per puslapį
325 label_calendar: Kalendorius
325 label_calendar: Kalendorius
326 label_months_from: mėnesiai nuo
326 label_months_from: mėnesiai nuo
327 label_gantt: Gantt
327 label_gantt: Gantt
328 label_internal: Vidinis
328 label_internal: Vidinis
329 label_last_changes: paskutiniai %d, pokyčiai
329 label_last_changes: paskutiniai %d, pokyčiai
330 label_change_view_all: Peržiūrėti visus pakeitimus
330 label_change_view_all: Peržiūrėti visus pakeitimus
331 label_personalize_page: Suasmeninti šį puslapį
331 label_personalize_page: Suasmeninti šį puslapį
332 label_comment: Komentaras
332 label_comment: Komentaras
333 label_comment_plural: Komentarai
333 label_comment_plural: Komentarai
334 label_comment_add: Pridėkite komentarą
334 label_comment_add: Pridėkite komentarą
335 label_comment_added: Komentaras pridėtas
335 label_comment_added: Komentaras pridėtas
336 label_comment_delete: Pašalinkite komentarus
336 label_comment_delete: Pašalinkite komentarus
337 label_query: Užklausa
337 label_query: Užklausa
338 label_query_plural: Užklausos
338 label_query_plural: Užklausos
339 label_query_new: Nauja užklausa
339 label_query_new: Nauja užklausa
340 label_filter_add: Pridėti filtrą
340 label_filter_add: Pridėti filtrą
341 label_filter_plural: Filtrai
341 label_filter_plural: Filtrai
342 label_equals: yra
342 label_equals: yra
343 label_not_equals: nėra
343 label_not_equals: nėra
344 label_in_less_than: mažiau negu
344 label_in_less_than: mažiau negu
345 label_in_more_than: daugiau negu
345 label_in_more_than: daugiau negu
346 label_in: in
346 label_in: in
347 label_today: šiandien
347 label_today: šiandien
348 label_this_week: šią savaitę
348 label_this_week: šią savaitę
349 label_less_than_ago: mažiau negu dienomis prieš
349 label_less_than_ago: mažiau negu dienomis prieš
350 label_more_than_ago: daugiau negu dienomis prieš
350 label_more_than_ago: daugiau negu dienomis prieš
351 label_ago: dienomis prieš
351 label_ago: dienomis prieš
352 label_contains: turi savyje
352 label_contains: turi savyje
353 label_not_contains: neturi savyje
353 label_not_contains: neturi savyje
354 label_day_plural: dienos
354 label_day_plural: dienos
355 label_repository: Saugykla
355 label_repository: Saugykla
356 label_browse: Naršyti
356 label_browse: Naršyti
357 label_modification: %d pakeitimas
357 label_modification: %d pakeitimas
358 label_modification_plural: %d pakeitimai
358 label_modification_plural: %d pakeitimai
359 label_revision: Revizija
359 label_revision: Revizija
360 label_revision_plural: Revizijos
360 label_revision_plural: Revizijos
361 label_added: pridėtas
361 label_added: pridėtas
362 label_modified: pakeistas
362 label_modified: pakeistas
363 label_deleted: pašalintas
363 label_deleted: pašalintas
364 label_latest_revision: Paskutinė revizija
364 label_latest_revision: Paskutinė revizija
365 label_latest_revision_plural: Paskutinės revizijos
365 label_latest_revision_plural: Paskutinės revizijos
366 label_view_revisions: Pežiūrėti revizijas
366 label_view_revisions: Pežiūrėti revizijas
367 label_max_size: Maksimalus dydis
367 label_max_size: Maksimalus dydis
368 label_on: 'iš'
368 label_on: 'iš'
369 label_sort_highest: Perkelti į viršūnę
369 label_sort_highest: Perkelti į viršūnę
370 label_sort_higher: Perkelti į viršų
370 label_sort_higher: Perkelti į viršų
371 label_sort_lower: Perkelti žemyn
371 label_sort_lower: Perkelti žemyn
372 label_sort_lowest: Perkelti į apačią
372 label_sort_lowest: Perkelti į apačią
373 label_roadmap: Veiklos grafikas
373 label_roadmap: Veiklos grafikas
374 label_roadmap_due_in: Baigiasi po
374 label_roadmap_due_in: Baigiasi po
375 label_roadmap_overdue: %s vėluojama
375 label_roadmap_overdue: %s vėluojama
376 label_roadmap_no_issues: Jokio darbo šiai versijai nėra
376 label_roadmap_no_issues: Jokio darbo šiai versijai nėra
377 label_search: Ieškoti
377 label_search: Ieškoti
378 label_result_plural: Rezultatai
378 label_result_plural: Rezultatai
379 label_all_words: Visi žodžiai
379 label_all_words: Visi žodžiai
380 label_wiki: Wiki
380 label_wiki: Wiki
381 label_wiki_edit: Wiki redakcija
381 label_wiki_edit: Wiki redakcija
382 label_wiki_edit_plural: Wiki redakcijos
382 label_wiki_edit_plural: Wiki redakcijos
383 label_wiki_page: Wiki puslapis
383 label_wiki_page: Wiki puslapis
384 label_wiki_page_plural: Wiki puslapiai
384 label_wiki_page_plural: Wiki puslapiai
385 label_index_by_title: Indeksas prie pavadinimo
385 label_index_by_title: Indeksas prie pavadinimo
386 label_index_by_date: Indeksas prie datos
386 label_index_by_date: Indeksas prie datos
387 label_current_version: Einamoji versija
387 label_current_version: Einamoji versija
388 label_preview: Peržiūra
388 label_preview: Peržiūra
389 label_feed_plural: Įeitys(Feeds)
389 label_feed_plural: Įeitys(Feeds)
390 label_changes_details: Visų pakeitimų detalės
390 label_changes_details: Visų pakeitimų detalės
391 label_issue_tracking: Darbų sekimas
391 label_issue_tracking: Darbų sekimas
392 label_spent_time: Sugaištas laikas
392 label_spent_time: Sugaištas laikas
393 label_f_hour: %.2f valanda
393 label_f_hour: %.2f valanda
394 label_f_hour_plural: %.2f valandų
394 label_f_hour_plural: %.2f valandų
395 label_time_tracking: Laiko sekimas
395 label_time_tracking: Laiko sekimas
396 label_change_plural: Pakeitimai
396 label_change_plural: Pakeitimai
397 label_statistics: Statistika
397 label_statistics: Statistika
398 label_commits_per_month: Paveda(commit) per mėnesį
398 label_commits_per_month: Paveda(commit) per mėnesį
399 label_commits_per_author: Autoriaus pavedos(commit)
399 label_commits_per_author: Autoriaus pavedos(commit)
400 label_view_diff: Skirtumų peržiūra
400 label_view_diff: Skirtumų peržiūra
401 label_diff_inline: įterptas
401 label_diff_inline: įterptas
402 label_diff_side_by_side: šalia
402 label_diff_side_by_side: šalia
403 label_options: Pasirinkimai
403 label_options: Pasirinkimai
404 label_copy_workflow_from: Kopijuoti darbų eiga iš
404 label_copy_workflow_from: Kopijuoti darbų eiga iš
405 label_permissions_report: Leidimų pranešimas
405 label_permissions_report: Leidimų pranešimas
406 label_watched_issues: Stebimi darbai
406 label_watched_issues: Stebimi darbai
407 label_related_issues: Susiję darbai
407 label_related_issues: Susiję darbai
408 label_applied_status: Taikomoji padėtis
408 label_applied_status: Taikomoji padėtis
409 label_loading: Kraunama...
409 label_loading: Kraunama...
410 label_relation_new: Naujas ryšys
410 label_relation_new: Naujas ryšys
411 label_relation_delete: Pašalinkite ryšį
411 label_relation_delete: Pašalinkite ryšį
412 label_relates_to: susietas su
412 label_relates_to: susietas su
413 label_duplicates: dublikatai
413 label_duplicates: dublikatai
414 label_blocks: blokai
414 label_blocks: blokai
415 label_blocked_by: blokuotas
415 label_blocked_by: blokuotas
416 label_precedes: įvyksta pirma
416 label_precedes: įvyksta pirma
417 label_follows: seka
417 label_follows: seka
418 label_end_to_start: užbaigti, kad pradėti
418 label_end_to_start: užbaigti, kad pradėti
419 label_end_to_end: užbaigti, kad pabaigti
419 label_end_to_end: užbaigti, kad pabaigti
420 label_start_to_start: pradėkite pradėti
420 label_start_to_start: pradėkite pradėti
421 label_start_to_end: pradėkite užbaigti
421 label_start_to_end: pradėkite užbaigti
422 label_stay_logged_in: Likti prisijungus
422 label_stay_logged_in: Likti prisijungus
423 label_disabled: išjungta(as)
423 label_disabled: išjungta(as)
424 label_show_completed_versions: Parodyti užbaigtas versijas
424 label_show_completed_versions: Parodyti užbaigtas versijas
425 label_me:
425 label_me:
426 label_board: Forumas
426 label_board: Forumas
427 label_board_new: Naujas forumas
427 label_board_new: Naujas forumas
428 label_board_plural: Forumai
428 label_board_plural: Forumai
429 label_topic_plural: Temos
429 label_topic_plural: Temos
430 label_message_plural: Pranešimai
430 label_message_plural: Pranešimai
431 label_message_last: Paskutinis pranešimas
431 label_message_last: Paskutinis pranešimas
432 label_message_new: Naujas pranešimas
432 label_message_new: Naujas pranešimas
433 label_reply_plural: Atsakymai
433 label_reply_plural: Atsakymai
434 label_send_information: Nusiųsti paskyros informaciją vartotojui
434 label_send_information: Nusiųsti paskyros informaciją vartotojui
435 label_year: Metai
435 label_year: Metai
436 label_month: Mėnuo
436 label_month: Mėnuo
437 label_week: Savaitė
437 label_week: Savaitė
438 label_date_from: Nuo
438 label_date_from: Nuo
439 label_date_to: Iki
439 label_date_to: Iki
440 label_language_based: Pagrįsta vartotojo kalba
440 label_language_based: Pagrįsta vartotojo kalba
441 label_sort_by: Rūšiuoti pagal %s
441 label_sort_by: Rūšiuoti pagal %s
442 label_send_test_email: Nusiųsti bandomąjį elektroninį laišką
442 label_send_test_email: Nusiųsti bandomąjį elektroninį laišką
443 label_feeds_access_key_created_on: RSS prieigos raktas sukūrtas prieš %s
443 label_feeds_access_key_created_on: RSS prieigos raktas sukūrtas prieš %s
444 label_module_plural: Moduliai
444 label_module_plural: Moduliai
445 label_added_time_by: Pridėjo %s prieš %s
445 label_added_time_by: Pridėjo %s prieš %s
446 label_updated_time: Atnaujinta prieš %s
446 label_updated_time: Atnaujinta prieš %s
447 label_jump_to_a_project: Šuolis į projektą...
447 label_jump_to_a_project: Šuolis į projektą...
448 label_file_plural: Bylos
448 label_file_plural: Bylos
449 label_changeset_plural: Changesets
449 label_changeset_plural: Changesets
450 label_default_columns: Numatytosios skiltys
450 label_default_columns: Numatytosios skiltys
451 label_no_change_option: (Jokio pakeitimo)
451 label_no_change_option: (Jokio pakeitimo)
452 label_bulk_edit_selected_issues: Masinis pasirinktų darbų(issues) redagavimas
452 label_bulk_edit_selected_issues: Masinis pasirinktų darbų(issues) redagavimas
453 label_theme: Tema
453 label_theme: Tema
454 label_default: Numatyta(as)
454 label_default: Numatyta(as)
455 label_search_titles_only: Ieškoti pavadinimų tiktai
455 label_search_titles_only: Ieškoti pavadinimų tiktai
456 label_user_mail_option_all: "Bet kokiam įvykiui visuose mano projektuose"
456 label_user_mail_option_all: "Bet kokiam įvykiui visuose mano projektuose"
457 label_user_mail_option_selected: "Bet kokiam įvykiui tiktai pasirinktuose projektuose ..."
457 label_user_mail_option_selected: "Bet kokiam įvykiui tiktai pasirinktuose projektuose ..."
458 label_user_mail_option_none: "Tiktai dalykai kuriuos stebiu ar esu įtrauktas į"
458 label_user_mail_option_none: "Tiktai dalykai kuriuos stebiu ar esu įtrauktas į"
459 label_user_mail_no_self_notified: "Nenoriu būti informuotas apie pakeitimus, kuriuos pats atlieku"
459 label_user_mail_no_self_notified: "Nenoriu būti informuotas apie pakeitimus, kuriuos pats atlieku"
460 label_registration_activation_by_email: "paskyros aktyvacija per e-paštą"
460 label_registration_activation_by_email: "paskyros aktyvacija per e-paštą"
461 label_registration_manual_activation: "rankinė paskyros aktyvacija"
461 label_registration_manual_activation: "rankinė paskyros aktyvacija"
462 label_registration_automatic_activation: "automatinė paskyros aktyvacija"
462 label_registration_automatic_activation: "automatinė paskyros aktyvacija"
463
463
464 button_login: Registruotis
464 button_login: Registruotis
465 button_submit: Pateikti
465 button_submit: Pateikti
466 button_save: Išsaugoti
466 button_save: Išsaugoti
467 button_check_all: Žymėti visus
467 button_check_all: Žymėti visus
468 button_uncheck_all: Atžymėti visus
468 button_uncheck_all: Atžymėti visus
469 button_delete: Trinti
469 button_delete: Trinti
470 button_create: Sukurti
470 button_create: Sukurti
471 button_test: Testas
471 button_test: Testas
472 button_edit: Redaguoti
472 button_edit: Redaguoti
473 button_add: Pridėti
473 button_add: Pridėti
474 button_change: Keisti
474 button_change: Keisti
475 button_apply: Pritaikyti
475 button_apply: Pritaikyti
476 button_clear: Išvalyti
476 button_clear: Išvalyti
477 button_lock: Rakinti
477 button_lock: Rakinti
478 button_unlock: Atrakinti
478 button_unlock: Atrakinti
479 button_download: Atsisiųsti
479 button_download: Atsisiųsti
480 button_list: Sąrašas
480 button_list: Sąrašas
481 button_view: Žiūrėti
481 button_view: Žiūrėti
482 button_move: Perkelti
482 button_move: Perkelti
483 button_back: Atgal
483 button_back: Atgal
484 button_cancel: Atšaukti
484 button_cancel: Atšaukti
485 button_activate: Aktyvinti
485 button_activate: Aktyvinti
486 button_sort: Rūšiuoti
486 button_sort: Rūšiuoti
487 button_log_time: Praleistas laikas
487 button_log_time: Praleistas laikas
488 button_rollback: Grįžti į šią versiją
488 button_rollback: Grįžti į šią versiją
489 button_watch: Stebėti
489 button_watch: Stebėti
490 button_unwatch: Nestebėti
490 button_unwatch: Nestebėti
491 button_reply: Atsakyti
491 button_reply: Atsakyti
492 button_archive: Archyvuoti
492 button_archive: Archyvuoti
493 button_unarchive: Išpakuoti
493 button_unarchive: Išpakuoti
494 button_reset: Reset
494 button_reset: Reset
495 button_rename: Pervadinti
495 button_rename: Pervadinti
496 button_change_password: Pakeisti slaptažodį
496 button_change_password: Pakeisti slaptažodį
497 button_copy: Kopijuoti
497 button_copy: Kopijuoti
498 button_annotate: Rašyti pastabą
498 button_annotate: Rašyti pastabą
499
499
500 status_active: aktyvus
500 status_active: aktyvus
501 status_registered: užregistruotas
501 status_registered: užregistruotas
502 status_locked: užrakintas
502 status_locked: užrakintas
503
503
504 text_select_mail_notifications: Išrinkite veiksmus, apie kuriuos būtų pranešta elektroniniu paštu.
504 text_select_mail_notifications: Išrinkite veiksmus, apie kuriuos būtų pranešta elektroniniu paštu.
505 text_regexp_info: pvz. ^[A-Z0-9]+$
505 text_regexp_info: pvz. ^[A-Z0-9]+$
506 text_min_max_length_info: 0 reiškia jokių apribojimų
506 text_min_max_length_info: 0 reiškia jokių apribojimų
507 text_project_destroy_confirmation: Ar esate įsitikinęs, kad jūs norite pašalinti šį projektą ir visus susijusius duomenis?
507 text_project_destroy_confirmation: Ar esate įsitikinęs, kad jūs norite pašalinti šį projektą ir visus susijusius duomenis?
508 text_workflow_edit: Išrinkite vaidmenį ir pėdsekį, kad redaguotumėte darbų eigą
508 text_workflow_edit: Išrinkite vaidmenį ir pėdsekį, kad redaguotumėte darbų eigą
509 text_are_you_sure: Ar esate įsitikinęs?
509 text_are_you_sure: Ar esate įsitikinęs?
510 text_journal_changed: pakeistas iš %s į %s
510 text_journal_changed: pakeistas iš %s į %s
511 text_journal_set_to: nustatyta į %s
511 text_journal_set_to: nustatyta į %s
512 text_journal_deleted: ištrintas
512 text_journal_deleted: ištrintas
513 text_tip_task_begin_day: užduotis, prasidedanti šią dieną
513 text_tip_task_begin_day: užduotis, prasidedanti šią dieną
514 text_tip_task_end_day: užduotis, pasibaigianti šią dieną
514 text_tip_task_end_day: užduotis, pasibaigianti šią dieną
515 text_tip_task_begin_end_day: užduotis, prasidedanti ir pasibaigianti šią dieną
515 text_tip_task_begin_end_day: užduotis, prasidedanti ir pasibaigianti šią dieną
516 text_project_identifier_info: 'Mažosios raidės (a-z), skaičiai ir brūkšniai galimi.<br/>Išsaugojus, identifikuotojas negali būti keičiamas.'
516 text_project_identifier_info: 'Mažosios raidės (a-z), skaičiai ir brūkšniai galimi.<br/>Išsaugojus, identifikuotojas negali būti keičiamas.'
517 text_caracters_maximum: %d simbolių maksimumas.
517 text_caracters_maximum: %d simbolių maksimumas.
518 text_caracters_minimum: Turi būti mažiausiai %d simbolių ilgio.
518 text_caracters_minimum: Turi būti mažiausiai %d simbolių ilgio.
519 text_length_between: Ilgis tarp %d ir %d simbolių.
519 text_length_between: Ilgis tarp %d ir %d simbolių.
520 text_tracker_no_workflow: Jokia darbų eiga neapibrėžta šiam pėdsekiui
520 text_tracker_no_workflow: Jokia darbų eiga neapibrėžta šiam pėdsekiui
521 text_unallowed_characters: Neleistini simboliai
521 text_unallowed_characters: Neleistini simboliai
522 text_comma_separated: Leistinos kelios reikšmės (atskirtos kableliu).
522 text_comma_separated: Leistinos kelios reikšmės (atskirtos kableliu).
523 text_issues_ref_in_commit_messages: Darbų pavedimų(commit) nurodymas ir fiksavimas pranešimuose
523 text_issues_ref_in_commit_messages: Darbų pavedimų(commit) nurodymas ir fiksavimas pranešimuose
524 text_issue_added: Darbas %s buvo praneštas (by %s).
524 text_issue_added: Darbas %s buvo praneštas (by %s).
525 text_issue_updated: Darbas %s buvo atnaujintas (by %s).
525 text_issue_updated: Darbas %s buvo atnaujintas (by %s).
526 text_wiki_destroy_confirmation: Ar esate įsitikinęs, kad jūs norite pašalinti wiki ir visą jos turinį?
526 text_wiki_destroy_confirmation: Ar esate įsitikinęs, kad jūs norite pašalinti wiki ir visą jos turinį?
527 text_issue_category_destroy_question: Kai kurie darbai (%d) yra paskirti šiai kategorijai. Ką jūs norite daryti?
527 text_issue_category_destroy_question: Kai kurie darbai (%d) yra paskirti šiai kategorijai. Ką jūs norite daryti?
528 text_issue_category_destroy_assignments: Pašalinti kategorijos užduotis
528 text_issue_category_destroy_assignments: Pašalinti kategorijos užduotis
529 text_issue_category_reassign_to: Iš naujo priskirti darbus šiai kategorijai
529 text_issue_category_reassign_to: Iš naujo priskirti darbus šiai kategorijai
530 text_user_mail_option: "neišrinktiems projektams, jūs tiktai gausite pranešimus apie įvykius, kuriuos jūs stebite, arba į kuriuos esate įtrauktas (pvz. darbai, jūs esate autorius ar įgaliotinis)."
530 text_user_mail_option: "neišrinktiems projektams, jūs tiktai gausite pranešimus apie įvykius, kuriuos jūs stebite, arba į kuriuos esate įtrauktas (pvz. darbai, jūs esate autorius ar įgaliotinis)."
531
531
532 default_role_manager: Vadovas
532 default_role_manager: Vadovas
533 default_role_developper: Projektuotojas
533 default_role_developper: Projektuotojas
534 default_role_reporter: Pranešėjas
534 default_role_reporter: Pranešėjas
535 default_tracker_bug: Klaida
535 default_tracker_bug: Klaida
536 default_tracker_feature: Ypatybė
536 default_tracker_feature: Ypatybė
537 default_tracker_support: Palaikymas
537 default_tracker_support: Palaikymas
538 default_issue_status_new: Nauja
538 default_issue_status_new: Nauja
539 default_issue_status_assigned: Priskirta
539 default_issue_status_assigned: Priskirta
540 default_issue_status_resolved: Išspręsta
540 default_issue_status_resolved: Išspręsta
541 default_issue_status_feedback: Grįžtamasis ryšys
541 default_issue_status_feedback: Grįžtamasis ryšys
542 default_issue_status_closed: Uždaryta
542 default_issue_status_closed: Uždaryta
543 default_issue_status_rejected: Atmesta
543 default_issue_status_rejected: Atmesta
544 default_doc_category_user: Vartotojo dokumentacija
544 default_doc_category_user: Vartotojo dokumentacija
545 default_doc_category_tech: Techniniai dokumentacija
545 default_doc_category_tech: Techniniai dokumentacija
546 default_priority_low: Žemas
546 default_priority_low: Žemas
547 default_priority_normal: Normalus
547 default_priority_normal: Normalus
548 default_priority_high: Aukštas
548 default_priority_high: Aukštas
549 default_priority_urgent: Skubus
549 default_priority_urgent: Skubus
550 default_priority_immediate: Neatidėliotinas
550 default_priority_immediate: Neatidėliotinas
551 default_activity_design: Projektavimas
551 default_activity_design: Projektavimas
552 default_activity_development: Vystymas
552 default_activity_development: Vystymas
553
553
554 enumeration_issue_priorities: Darbo prioritetai
554 enumeration_issue_priorities: Darbo prioritetai
555 enumeration_doc_categories: Dokumento kategorijos
555 enumeration_doc_categories: Dokumento kategorijos
556 enumeration_activities: Veiklos (laiko sekimas)
556 enumeration_activities: Veiklos (laiko sekimas)
557 label_display_per_page: '%s įrašų puslapyje'
557 label_display_per_page: '%s įrašų puslapyje'
558 setting_per_page_options: Įrašų puslapyje nustatimas
558 setting_per_page_options: Įrašų puslapyje nustatimas
559 notice_default_data_loaded: Numatytoji konfiguracija sėkmingai užkrauta.
559 notice_default_data_loaded: Numatytoji konfiguracija sėkmingai užkrauta.
560 label_age: Amžius
560 label_age: Amžius
561 label_general: Bendri
561 label_general: Bendri
562 button_update: Atnaujinti
562 button_update: Atnaujinti
563 setting_issues_export_limit: Darbų eksportavimo limitas
563 setting_issues_export_limit: Darbų eksportavimo limitas
564 label_change_properties: Pakeisti nustatymus
564 label_change_properties: Pakeisti nustatymus
565 text_load_default_configuration: Užkrauti numatytąj konfiguraciją
565 text_load_default_configuration: Užkrauti numatytąj konfiguraciją
566 text_no_configuration_data: "Vaidmenys, pėdsekiai, darbų būsenos ir darbų eiga dar nebuvo konfigūruoti.\nGriežtai rekomenduojam užkrauti numatytąją(default)konfiguraciją. Užkrovus, galėsite modifikuoti."
566 text_no_configuration_data: "Vaidmenys, pėdsekiai, darbų būsenos ir darbų eiga dar nebuvo konfigūruoti.\nGriežtai rekomenduojam užkrauti numatytąją(default)konfiguraciją. Užkrovus, galėsite modifikuoti."
567 label_repository_plural: Saugiklos
567 label_repository_plural: Saugiklos
568 error_can_t_load_default_data: "Numatytoji konfiguracija negali būti užkrauta: %s"
568 error_can_t_load_default_data: "Numatytoji konfiguracija negali būti užkrauta: %s"
569 label_associated_revisions: susijusios revizijos
569 label_associated_revisions: susijusios revizijos
570 setting_user_format: Vartotojo atvaizdavimo formatas
570 setting_user_format: Vartotojo atvaizdavimo formatas
571 text_status_changed_by_changeset: Pakeista %s revizijoi.
571 text_status_changed_by_changeset: Pakeista %s revizijoi.
572 label_more: Daugiau
572 label_more: Daugiau
573 text_issues_destroy_confirmation: 'Ar jūs tikrai norite panaikinti pažimėtą(us) darbą(us)?'
573 text_issues_destroy_confirmation: 'Ar jūs tikrai norite panaikinti pažimėtą(us) darbą(us)?'
574 label_scm: SCM
574 label_scm: SCM
575 text_select_project_modules: 'Parinkite modulius, kuriuos norite naudoti šiame projekte:'
575 text_select_project_modules: 'Parinkite modulius, kuriuos norite naudoti šiame projekte:'
576 label_issue_added: Darbas pridėtas
576 label_issue_added: Darbas pridėtas
577 label_issue_updated: Darbas atnaujintas
577 label_issue_updated: Darbas atnaujintas
578 label_document_added: Dokumentas pridėtas
578 label_document_added: Dokumentas pridėtas
579 label_message_posted: Pranešimas pridėtas
579 label_message_posted: Pranešimas pridėtas
580 label_file_added: Byla pridėta
580 label_file_added: Byla pridėta
581 label_news_added: Naujiena pridėta
581 label_news_added: Naujiena pridėta
582 project_module_boards: Forumai
582 project_module_boards: Forumai
583 project_module_issue_tracking: Darbu pėdsekys
583 project_module_issue_tracking: Darbu pėdsekys
584 project_module_wiki: Wiki
584 project_module_wiki: Wiki
585 project_module_files: Rinkmenos
585 project_module_files: Rinkmenos
586 project_module_documents: Dokumentai
586 project_module_documents: Dokumentai
587 project_module_repository: Saugykla
587 project_module_repository: Saugykla
588 project_module_news: Žinios
588 project_module_news: Žinios
589 project_module_time_tracking: Laiko pėdsekys
589 project_module_time_tracking: Laiko pėdsekys
590 text_file_repository_writable: Į rinkmenu saugyklą galima saugoti (RW)
590 text_file_repository_writable: Į rinkmenu saugyklą galima saugoti (RW)
591 text_default_administrator_account_changed: Administratoriaus numatyta paskyra pakeista
591 text_default_administrator_account_changed: Administratoriaus numatyta paskyra pakeista
592 text_rmagick_available: RMagick pasiekiamas (pasirinktinai)
592 text_rmagick_available: RMagick pasiekiamas (pasirinktinai)
593 button_configure: Konfiguruoti
593 button_configure: Konfiguruoti
594 label_plugins: Plugins
594 label_plugins: Plugins
595 label_ldap_authentication: LDAP autentifikacija
595 label_ldap_authentication: LDAP autentifikacija
596 label_downloads_abbr: siunt.
596 label_downloads_abbr: siunt.
597 label_this_month: šis menuo
597 label_this_month: šis menuo
598 label_last_n_days: paskutinių %d dienų
598 label_last_n_days: paskutinių %d dienų
599 label_all_time: visas laikas
599 label_all_time: visas laikas
600 label_this_year: šiemet
600 label_this_year: šiemet
601 label_date_range: Dienų diapazonas
601 label_date_range: Dienų diapazonas
602 label_last_week: paskutinė savaitė
602 label_last_week: paskutinė savaitė
603 label_yesterday: vakar
603 label_yesterday: vakar
604 label_last_month: paskutinis menuo
604 label_last_month: paskutinis menuo
605 label_add_another_file: Pridėti kitą bylą
605 label_add_another_file: Pridėti kitą bylą
606 label_optional_description: Apibūdinimas (laisvai pasirenkamas)
606 label_optional_description: Apibūdinimas (laisvai pasirenkamas)
607 text_destroy_time_entries_question: Naikinamam darbui paskelbta %.02f valandų. Ką jūs noryte su jomis daryti?
607 text_destroy_time_entries_question: Naikinamam darbui paskelbta %.02f valandų. Ką jūs noryte su jomis daryti?
608 error_issue_not_found_in_project: 'Darbas nerastas arba nesurištas su šiuo projektu'
608 error_issue_not_found_in_project: 'Darbas nerastas arba nesurištas su šiuo projektu'
609 text_assign_time_entries_to_project: Priskirti valandas prie projekto
609 text_assign_time_entries_to_project: Priskirti valandas prie projekto
610 text_destroy_time_entries: Ištrinti paskelbtas valandas
610 text_destroy_time_entries: Ištrinti paskelbtas valandas
611 text_reassign_time_entries: 'Priskirti paskelbtas valandas šiam darbui:'
611 text_reassign_time_entries: 'Priskirti paskelbtas valandas šiam darbui:'
612 setting_activity_days_default: Atvaizduojamos dienos projekto veikloje
612 setting_activity_days_default: Atvaizduojamos dienos projekto veikloje
613 label_chronological_order: Chronologine tvarka
613 label_chronological_order: Chronologine tvarka
614 field_comments_sorting: rodyti komentarus
614 field_comments_sorting: rodyti komentarus
615 label_reverse_chronological_order: Atbuline chronologine tvarka
615 label_reverse_chronological_order: Atbuline chronologine tvarka
616 label_preferences: Savybės
616 label_preferences: Savybės
617 setting_display_subprojects_issues: Pagal nutylėjimą rodyti subprojektų darbus pagrindiniame projekte
617 setting_display_subprojects_issues: Pagal nutylėjimą rodyti subprojektų darbus pagrindiniame projekte
618 label_overall_activity: Visa veikla
618 label_overall_activity: Visa veikla
619 setting_default_projects_public: Naujas projektas viešas pagal nutylėjimą
619 setting_default_projects_public: Naujas projektas viešas pagal nutylėjimą
620 error_scm_annotate: "Įrašas neegzituoja arba negalima jo atvaizduoti."
620 error_scm_annotate: "Įrašas neegzituoja arba negalima jo atvaizduoti."
621 label_planning: Planavimas
621 label_planning: Planavimas
622 text_subprojects_destroy_warning: 'Šis(ie) subprojektas(ai): %s taip pat bus ištrintas(i).'
622 text_subprojects_destroy_warning: 'Šis(ie) subprojektas(ai): %s taip pat bus ištrintas(i).'
623 label_and_its_subprojects: %s projektas ir jo subprojektai
623 label_and_its_subprojects: %s projektas ir jo subprojektai
624
624
625 mail_body_reminder: "%d darbas(ai), kurie yra jums priskirti, baigiasi po %d dienų(os):"
625 mail_body_reminder: "%d darbas(ai), kurie yra jums priskirti, baigiasi po %d dienų(os):"
626 mail_subject_reminder: "%d darbas(ai) po kelių dienų"
626 mail_subject_reminder: "%d darbas(ai) po kelių dienų"
627 text_user_wrote: '%s parašė:'
627 text_user_wrote: '%s parašė:'
628 label_duplicated_by: susiejo
628 label_duplicated_by: susiejo
629 setting_enabled_scm: Įgalintas SCM
629 setting_enabled_scm: Įgalintas SCM
630 text_enumeration_category_reassign_to: 'Priskirti juos šiai reikšmei:'
630 text_enumeration_category_reassign_to: 'Priskirti juos šiai reikšmei:'
631 text_enumeration_destroy_question: '%d objektai priskirti šiai reikšmei.'
631 text_enumeration_destroy_question: '%d objektai priskirti šiai reikšmei.'
632 label_incoming_emails: Įeinantys laiškai
632 label_incoming_emails: Įeinantys laiškai
633 label_generate_key: Generuoti raktą
633 label_generate_key: Generuoti raktą
634 setting_mail_handler_api_enabled: Įgalinti WS įeinantiems laiškams
634 setting_mail_handler_api_enabled: Įgalinti WS įeinantiems laiškams
635 setting_mail_handler_api_key: API raktas
635 setting_mail_handler_api_key: API raktas
636 text_email_delivery_not_configured: "Email pristatymas nesukonfigūruotas , ir perspėjimai neaktyvus.\nSukonfigūruokyte savo SMTP serverį byloje config/email.yml ir perleiskyte programą kad pritaikyti pakeitymus."
636 text_email_delivery_not_configured: "Email pristatymas nesukonfigūruotas , ir perspėjimai neaktyvus.\nSukonfigūruokyte savo SMTP serverį byloje config/email.yml ir perleiskyte programą kad pritaikyti pakeitymus."
637 field_parent_title: Aukštesnio lygio puslapis
637 field_parent_title: Aukštesnio lygio puslapis
638 label_issue_watchers: Stebetojai
638 label_issue_watchers: Stebetojai
639 setting_commit_logs_encoding: Commit pranėšimų koduotė
639 setting_commit_logs_encoding: Commit pranėšimų koduotė
640 setting_sequential_project_identifiers: Generate sequential project identifiers
640 setting_sequential_project_identifiers: Generate sequential project identifiers
641 button_quote: Quote
641 button_quote: Cituoti
642 notice_unable_delete_version: Unable to delete version
642 notice_unable_delete_version: Neimanoma panaikinti versiją
643 label_renamed: renamed
643 label_renamed: pervardintas
644 label_copied: copied
644 label_copied: nukopijuotas
@@ -1,643 +1,645
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
2
2
3 actionview_datehelper_select_day_prefix:
3 actionview_datehelper_select_day_prefix:
4 actionview_datehelper_select_month_names: Januari,Februari,Maart,April,Mei,Juni,Juli,Augustus,September,Oktober,November,December
4 actionview_datehelper_select_month_names: Januari,Februari,Maart,April,Mei,Juni,Juli,Augustus,September,Oktober,November,December
5 actionview_datehelper_select_month_names_abbr: Jan,Feb,Maa,Apr,Mei,Jun,Jul,Aug,Sep,Okt,Nov,Dec
5 actionview_datehelper_select_month_names_abbr: Jan,Feb,Maa,Apr,Mei,Jun,Jul,Aug,Sep,Okt,Nov,Dec
6 actionview_datehelper_select_month_prefix:
6 actionview_datehelper_select_month_prefix:
7 actionview_datehelper_select_year_prefix:
7 actionview_datehelper_select_year_prefix:
8 actionview_datehelper_time_in_words_day: 1 dag
8 actionview_datehelper_time_in_words_day: 1 dag
9 actionview_datehelper_time_in_words_day_plural: %d dagen
9 actionview_datehelper_time_in_words_day_plural: %d dagen
10 actionview_datehelper_time_in_words_hour_about: ongeveer een uur
10 actionview_datehelper_time_in_words_hour_about: ongeveer een uur
11 actionview_datehelper_time_in_words_hour_about_plural: ongeveer %d uur
11 actionview_datehelper_time_in_words_hour_about_plural: ongeveer %d uur
12 actionview_datehelper_time_in_words_hour_about_single: ongeveer een uur
12 actionview_datehelper_time_in_words_hour_about_single: ongeveer een uur
13 actionview_datehelper_time_in_words_minute: 1 minuut
13 actionview_datehelper_time_in_words_minute: 1 minuut
14 actionview_datehelper_time_in_words_minute_half: een halve minuut
14 actionview_datehelper_time_in_words_minute_half: een halve minuut
15 actionview_datehelper_time_in_words_minute_less_than: minder dan een minuut
15 actionview_datehelper_time_in_words_minute_less_than: minder dan een minuut
16 actionview_datehelper_time_in_words_minute_plural: %d minuten
16 actionview_datehelper_time_in_words_minute_plural: %d minuten
17 actionview_datehelper_time_in_words_minute_single: 1 minuut
17 actionview_datehelper_time_in_words_minute_single: 1 minuut
18 actionview_datehelper_time_in_words_second_less_than: minder dan een seconde
18 actionview_datehelper_time_in_words_second_less_than: minder dan een seconde
19 actionview_datehelper_time_in_words_second_less_than_plural: minder dan %d seconden
19 actionview_datehelper_time_in_words_second_less_than_plural: minder dan %d seconden
20 actionview_instancetag_blank_option: Selecteer
20 actionview_instancetag_blank_option: Selecteer
21
21
22 activerecord_error_inclusion: staat niet in de lijst
22 activerecord_error_inclusion: staat niet in de lijst
23 activerecord_error_exclusion: is gereserveerd
23 activerecord_error_exclusion: is gereserveerd
24 activerecord_error_invalid: is ongeldig
24 activerecord_error_invalid: is ongeldig
25 activerecord_error_confirmation: komt niet overeen met confirmatie
25 activerecord_error_confirmation: komt niet overeen met confirmatie
26 activerecord_error_accepted: moet geaccepteerd worden
26 activerecord_error_accepted: moet geaccepteerd worden
27 activerecord_error_empty: mag niet leeg zijn
27 activerecord_error_empty: mag niet leeg zijn
28 activerecord_error_blank: mag niet blanco zijn
28 activerecord_error_blank: mag niet blanco zijn
29 activerecord_error_too_long: is te lang
29 activerecord_error_too_long: is te lang
30 activerecord_error_too_short: is te kort
30 activerecord_error_too_short: is te kort
31 activerecord_error_wrong_length: heeft de verkeerde lengte
31 activerecord_error_wrong_length: heeft de verkeerde lengte
32 activerecord_error_taken: is al in gebruik
32 activerecord_error_taken: is al in gebruik
33 activerecord_error_not_a_number: is geen getal
33 activerecord_error_not_a_number: is geen getal
34 activerecord_error_not_a_date: is geen valide datum
34 activerecord_error_not_a_date: is geen valide datum
35 activerecord_error_greater_than_start_date: moet hoger zijn dan startdatum
35 activerecord_error_greater_than_start_date: moet hoger zijn dan startdatum
36 activerecord_error_not_same_project: hoort niet bij hetzelfde project
36 activerecord_error_not_same_project: hoort niet bij hetzelfde project
37 activerecord_error_circular_dependency: Deze relatie zou een circulaire afhankelijkheid tot gevolg hebben
37 activerecord_error_circular_dependency: Deze relatie zou een circulaire afhankelijkheid tot gevolg hebben
38
38
39 general_fmt_age: %d jr
39 general_fmt_age: %d jr
40 general_fmt_age_plural: %d jr
40 general_fmt_age_plural: %d jr
41 general_fmt_date: %%m/%%d/%%Y
41 general_fmt_date: %%m/%%d/%%Y
42 general_fmt_datetime: %%m/%%d/%%Y %%I:%%M %%p
42 general_fmt_datetime: %%m/%%d/%%Y %%I:%%M %%p
43 general_fmt_datetime_short: %%b %%d, %%I:%%M %%p
43 general_fmt_datetime_short: %%b %%d, %%I:%%M %%p
44 general_fmt_time: %%I:%%M %%p
44 general_fmt_time: %%I:%%M %%p
45 general_text_No: 'Nee'
45 general_text_No: 'Nee'
46 general_text_Yes: 'Ja'
46 general_text_Yes: 'Ja'
47 general_text_no: 'nee'
47 general_text_no: 'nee'
48 general_text_yes: 'ja'
48 general_text_yes: 'ja'
49 general_lang_name: 'Nederlands'
49 general_lang_name: 'Nederlands'
50 general_csv_separator: ','
50 general_csv_separator: ','
51 general_csv_decimal_separator: '.'
51 general_csv_decimal_separator: '.'
52 general_csv_encoding: ISO-8859-1
52 general_csv_encoding: ISO-8859-1
53 general_pdf_encoding: ISO-8859-1
53 general_pdf_encoding: ISO-8859-1
54 general_day_names: Maandag, Dinsdag, Woensdag, Donderdag, Vrijdag, Zaterdag, Zondag
54 general_day_names: Maandag, Dinsdag, Woensdag, Donderdag, Vrijdag, Zaterdag, Zondag
55 general_first_day_of_week: '7'
55 general_first_day_of_week: '7'
56
56
57 notice_account_updated: Account is met succes gewijzigd
57 notice_account_updated: Account is met succes gewijzigd
58 notice_account_invalid_creditentials: Incorrecte gebruikersnaam of wachtwoord
58 notice_account_invalid_creditentials: Incorrecte gebruikersnaam of wachtwoord
59 notice_account_password_updated: Wachtwoord is met succes gewijzigd
59 notice_account_password_updated: Wachtwoord is met succes gewijzigd
60 notice_account_wrong_password: Incorrect wachtwoord
60 notice_account_wrong_password: Incorrect wachtwoord
61 notice_account_register_done: Account is met succes aangemaakt.
61 notice_account_register_done: Account is met succes aangemaakt.
62 notice_account_unknown_email: Onbekende gebruiker.
62 notice_account_unknown_email: Onbekende gebruiker.
63 notice_can_t_change_password: Dit account gebruikt een externe bron voor authenticatie. Het is niet mogelijk om het wachtwoord te veranderen.
63 notice_can_t_change_password: Dit account gebruikt een externe bron voor authenticatie. Het is niet mogelijk om het wachtwoord te veranderen.
64 notice_account_lost_email_sent: Er is een email naar U verstuurd met instructies over het kiezen van een nieuw wachtwoord.
64 notice_account_lost_email_sent: Er is een email naar U verstuurd met instructies over het kiezen van een nieuw wachtwoord.
65 notice_account_activated: Uw account is geactiveerd. U kunt nu inloggen.
65 notice_account_activated: Uw account is geactiveerd. U kunt nu inloggen.
66 notice_successful_create: Maken succesvol.
66 notice_successful_create: Maken succesvol.
67 notice_successful_update: Wijzigen succesvol.
67 notice_successful_update: Wijzigen succesvol.
68 notice_successful_delete: Verwijderen succesvol.
68 notice_successful_delete: Verwijderen succesvol.
69 notice_successful_connection: Verbinding succesvol.
69 notice_successful_connection: Verbinding succesvol.
70 notice_file_not_found: De pagina die U probeerde te benaderen bestaat niet of is verwijderd.
70 notice_file_not_found: De pagina die U probeerde te benaderen bestaat niet of is verwijderd.
71 notice_locking_conflict: De gegevens zijn gewijzigd door een andere gebruiker.
71 notice_locking_conflict: De gegevens zijn gewijzigd door een andere gebruiker.
72 notice_not_authorized: Het is U niet toegestaan om deze pagina te raadplegen.
72 notice_not_authorized: Het is U niet toegestaan om deze pagina te raadplegen.
73 notice_email_sent: An email was sent to %s
73 notice_email_sent: Een e-mail werd verstuurd naar %s
74 notice_email_error: An error occurred while sending mail (%s)
74 notice_email_error: Er is een fout opgetreden tijdens het versturen van (%s)
75 notice_feeds_access_key_reseted: Your RSS access key was reseted.
75 notice_feeds_access_key_reseted: Je RSS toegangssleutel werd gereset.
76
76
77 error_scm_not_found: "Deze ingang of revisie bestaat niet in de repository."
77 error_scm_not_found: "Deze ingang of revisie bestaat niet in de repository."
78 error_scm_command_failed: "An error occurred when trying to access the repository: %s"
78 error_scm_command_failed: "Een fout trad op tijdens de poging om verbinding te maken met de repository: %s"
79
79
80 mail_subject_lost_password: Uw %s wachtwoord
80 mail_subject_lost_password: Uw %s wachtwoord
81 mail_body_lost_password: 'Gebruik de volgende link om Uw wachtwoord te wijzigen:'
81 mail_body_lost_password: 'Gebruik de volgende link om Uw wachtwoord te wijzigen:'
82 mail_subject_register: Uw %s account activatie
82 mail_subject_register: Uw %s account activatie
83 mail_body_register: 'Gebruik de volgende link om Uw account te activeren:'
83 mail_body_register: 'Gebruik de volgende link om Uw account te activeren:'
84
84
85 gui_validation_error: 1 fout
85 gui_validation_error: 1 fout
86 gui_validation_error_plural: %d fouten
86 gui_validation_error_plural: %d fouten
87
87
88 field_name: Naam
88 field_name: Naam
89 field_description: Beschrijving
89 field_description: Beschrijving
90 field_summary: Samenvatting
90 field_summary: Samenvatting
91 field_is_required: Verplicht
91 field_is_required: Verplicht
92 field_firstname: Voornaam
92 field_firstname: Voornaam
93 field_lastname: Achternaam
93 field_lastname: Achternaam
94 field_mail: Email
94 field_mail: Email
95 field_filename: Bestand
95 field_filename: Bestand
96 field_filesize: Grootte
96 field_filesize: Grootte
97 field_downloads: Downloads
97 field_downloads: Downloads
98 field_author: Auteur
98 field_author: Auteur
99 field_created_on: Aangemaakt
99 field_created_on: Aangemaakt
100 field_updated_on: Gewijzigd
100 field_updated_on: Gewijzigd
101 field_field_format: Formaat
101 field_field_format: Formaat
102 field_is_for_all: Voor alle projecten
102 field_is_for_all: Voor alle projecten
103 field_possible_values: Mogelijke waarden
103 field_possible_values: Mogelijke waarden
104 field_regexp: Reguliere expressie
104 field_regexp: Reguliere expressie
105 field_min_length: Minimale lengte
105 field_min_length: Minimale lengte
106 field_max_length: Maximale lengte
106 field_max_length: Maximale lengte
107 field_value: Waarde
107 field_value: Waarde
108 field_category: Categorie
108 field_category: Categorie
109 field_title: Titel
109 field_title: Titel
110 field_project: Project
110 field_project: Project
111 field_issue: Issue
111 field_issue: Issue
112 field_status: Status
112 field_status: Status
113 field_notes: Notities
113 field_notes: Notities
114 field_is_closed: Issue gesloten
114 field_is_closed: Issue gesloten
115 field_is_default: Default
115 field_is_default: Standaard
116 field_tracker: Tracker
116 field_tracker: Tracker
117 field_subject: Onderwerp
117 field_subject: Onderwerp
118 field_due_date: Verwachte datum gereed
118 field_due_date: Verwachte datum gereed
119 field_assigned_to: Toegewezen aan
119 field_assigned_to: Toegewezen aan
120 field_priority: Prioriteit
120 field_priority: Prioriteit
121 field_fixed_version: Target version
121 field_fixed_version: Doel versie
122 field_user: Gebruiker
122 field_user: Gebruiker
123 field_role: Rol
123 field_role: Rol
124 field_homepage: Homepage
124 field_homepage: Homepage
125 field_is_public: Publiek
125 field_is_public: Publiek
126 field_parent: Subproject van
126 field_parent: Subproject van
127 field_is_in_chlog: Issues weergegeven in wijzigingslog
127 field_is_in_chlog: Issues weergegeven in wijzigingslog
128 field_is_in_roadmap: Issues weergegeven in roadmap
128 field_is_in_roadmap: Issues weergegeven in roadmap
129 field_login: Inloggen
129 field_login: Inloggen
130 field_mail_notification: Mail mededelingen
130 field_mail_notification: Mail mededelingen
131 field_admin: Administrateur
131 field_admin: Beheerder
132 field_last_login_on: Laatste bezoek
132 field_last_login_on: Laatste bezoek
133 field_language: Taal
133 field_language: Taal
134 field_effective_date: Datum
134 field_effective_date: Datum
135 field_password: Wachtwoord
135 field_password: Wachtwoord
136 field_new_password: Nieuw wachtwoord
136 field_new_password: Nieuw wachtwoord
137 field_password_confirmation: Bevestigen
137 field_password_confirmation: Bevestigen
138 field_version: Versie
138 field_version: Versie
139 field_type: Type
139 field_type: Type
140 field_host: Host
140 field_host: Host
141 field_port: Port
141 field_port: Port
142 field_account: Account
142 field_account: Account
143 field_base_dn: Base DN
143 field_base_dn: Base DN
144 field_attr_login: Login attribuut
144 field_attr_login: Login attribuut
145 field_attr_firstname: Voornaam attribuut
145 field_attr_firstname: Voornaam attribuut
146 field_attr_lastname: Achternaam attribuut
146 field_attr_lastname: Achternaam attribuut
147 field_attr_mail: Email attribuut
147 field_attr_mail: Email attribuut
148 field_onthefly: On-the-fly aanmaken van een gebruiker
148 field_onthefly: On-the-fly aanmaken van een gebruiker
149 field_start_date: Start
149 field_start_date: Start
150 field_done_ratio: %% Gereed
150 field_done_ratio: %% Gereed
151 field_auth_source: Authenticatiemethode
151 field_auth_source: Authenticatiemethode
152 field_hide_mail: Verberg mijn emailadres
152 field_hide_mail: Verberg mijn emailadres
153 field_comments: Commentaar
153 field_comments: Commentaar
154 field_url: URL
154 field_url: URL
155 field_start_page: Startpagina
155 field_start_page: Startpagina
156 field_subproject: Subproject
156 field_subproject: Subproject
157 field_hours: Uren
157 field_hours: Uren
158 field_activity: Activiteit
158 field_activity: Activiteit
159 field_spent_on: Datum
159 field_spent_on: Datum
160 field_identifier: Identificatiecode
160 field_identifier: Identificatiecode
161 field_is_filter: Gebruikt als een filter
161 field_is_filter: Gebruikt als een filter
162 field_issue_to_id: Gerelateerd issue
162 field_issue_to_id: Gerelateerd issue
163 field_delay: Vertraging
163 field_delay: Vertraging
164 field_assignable: Issues can be assigned to this role
164 field_assignable: Issues kunnen toegewezen worden aan deze rol
165 field_redirect_existing_links: Redirect existing links
165 field_redirect_existing_links: Verwijs bestaande links door
166 field_estimated_hours: Estimated time
166 field_estimated_hours: Geschatte tijd
167 field_default_value: Default value
167 field_default_value: Standaard waarde
168
168
169 setting_app_title: Applicatie titel
169 setting_app_title: Applicatie titel
170 setting_app_subtitle: Applicatie ondertitel
170 setting_app_subtitle: Applicatie ondertitel
171 setting_welcome_text: Welkomsttekst
171 setting_welcome_text: Welkomsttekst
172 setting_default_language: Default taal
172 setting_default_language: Standaard taal
173 setting_login_required: Authent. nodig
173 setting_login_required: Authent. nodig
174 setting_self_registration: Zelf-registratie toegestaan
174 setting_self_registration: Zelf-registratie toegestaan
175 setting_attachment_max_size: Attachment max. grootte
175 setting_attachment_max_size: Attachment max. grootte
176 setting_issues_export_limit: Limiet export issues
176 setting_issues_export_limit: Limiet export issues
177 setting_mail_from: Afzender mail adres
177 setting_mail_from: Afzender mail adres
178 setting_host_name: Host naam
178 setting_host_name: Host naam
179 setting_text_formatting: Tekst formaat
179 setting_text_formatting: Tekst formaat
180 setting_wiki_compression: Wiki geschiedenis comprimeren
180 setting_wiki_compression: Wiki geschiedenis comprimeren
181 setting_feeds_limit: Feed inhoud limiet
181 setting_feeds_limit: Feed inhoud limiet
182 setting_autofetch_changesets: Haal commits automatisch op
182 setting_autofetch_changesets: Haal commits automatisch op
183 setting_sys_api_enabled: Gebruik WS voor repository beheer
183 setting_sys_api_enabled: Gebruik WS voor repository beheer
184 setting_commit_ref_keywords: Referencing keywords
184 setting_commit_ref_keywords: Referencing trefwoorden
185 setting_commit_fix_keywords: Fixing keywords
185 setting_commit_fix_keywords: Fixing trefwoorden
186 setting_autologin: Autologin
186 setting_autologin: Autologin
187 setting_date_format: Date format
187 setting_date_format: Datum formaat
188 setting_cross_project_issue_relations: Allow cross-project issue relations
188 setting_cross_project_issue_relations: Sta cross-project issue relaties toe
189
189
190 label_user: Gebruiker
190 label_user: Gebruiker
191 label_user_plural: Gebruikers
191 label_user_plural: Gebruikers
192 label_user_new: Nieuwe gebruiker
192 label_user_new: Nieuwe gebruiker
193 label_project: Project
193 label_project: Project
194 label_project_new: Nieuw project
194 label_project_new: Nieuw project
195 label_project_plural: Projecten
195 label_project_plural: Projecten
196 label_project_all: Alle Projecten
196 label_project_all: Alle Projecten
197 label_project_latest: Nieuwste projecten
197 label_project_latest: Nieuwste projecten
198 label_issue: Issue
198 label_issue: Issue
199 label_issue_new: Nieuw issue
199 label_issue_new: Nieuw issue
200 label_issue_plural: Issues
200 label_issue_plural: Issues
201 label_issue_view_all: Bekijk alle issues
201 label_issue_view_all: Bekijk alle issues
202 label_document: Document
202 label_document: Document
203 label_document_new: Nieuw document
203 label_document_new: Nieuw document
204 label_document_plural: Documenten
204 label_document_plural: Documenten
205 label_role: Rol
205 label_role: Rol
206 label_role_plural: Rollen
206 label_role_plural: Rollen
207 label_role_new: Nieuwe rol
207 label_role_new: Nieuwe rol
208 label_role_and_permissions: Rollen en permissies
208 label_role_and_permissions: Rollen en permissies
209 label_member: Lid
209 label_member: Lid
210 label_member_new: Nieuw lid
210 label_member_new: Nieuw lid
211 label_member_plural: Leden
211 label_member_plural: Leden
212 label_tracker: Tracker
212 label_tracker: Tracker
213 label_tracker_plural: Trackers
213 label_tracker_plural: Trackers
214 label_tracker_new: Nieuwe tracker
214 label_tracker_new: Nieuwe tracker
215 label_workflow: Workflow
215 label_workflow: Workflow
216 label_issue_status: Issue status
216 label_issue_status: Issue status
217 label_issue_status_plural: Issue statussen
217 label_issue_status_plural: Issue statussen
218 label_issue_status_new: Nieuwe status
218 label_issue_status_new: Nieuwe status
219 label_issue_category: Issue categorie
219 label_issue_category: Issue categorie
220 label_issue_category_plural: Issue categorieën
220 label_issue_category_plural: Issue categorieën
221 label_issue_category_new: Nieuwe categorie
221 label_issue_category_new: Nieuwe categorie
222 label_custom_field: Custom veld
222 label_custom_field: Specifiek veld
223 label_custom_field_plural: Custom velden
223 label_custom_field_plural: Specifieke velden
224 label_custom_field_new: Nieuw custom veld
224 label_custom_field_new: Nieuw specifiek veld
225 label_enumerations: Enumeraties
225 label_enumerations: Enumeraties
226 label_enumeration_new: Nieuwe waarde
226 label_enumeration_new: Nieuwe waarde
227 label_information: Informatie
227 label_information: Informatie
228 label_information_plural: Informatie
228 label_information_plural: Informatie
229 label_please_login: Gaarne inloggen
229 label_please_login: Inloggen a.u.b.
230 label_register: Registreer
230 label_register: Registreer
231 label_password_lost: Wachtwoord verloren
231 label_password_lost: Wachtwoord verloren
232 label_home: Home
232 label_home: Home
233 label_my_page: Mijn pagina
233 label_my_page: Mijn pagina
234 label_my_account: Mijn account
234 label_my_account: Mijn account
235 label_my_projects: Mijn projecten
235 label_my_projects: Mijn projecten
236 label_administration: Administratie
236 label_administration: Administratie
237 label_login: Inloggen
237 label_login: Inloggen
238 label_logout: Uitloggen
238 label_logout: Uitloggen
239 label_help: Help
239 label_help: Help
240 label_reported_issues: Gemelde issues
240 label_reported_issues: Gemelde issues
241 label_assigned_to_me_issues: Aan mij toegewezen issues
241 label_assigned_to_me_issues: Aan mij toegewezen issues
242 label_last_login: Laatste bezoek
242 label_last_login: Laatste bezoek
243 label_last_updates: Laatste wijziging
243 label_last_updates: Laatste wijziging
244 label_last_updates_plural: %d laatste wijziging
244 label_last_updates_plural: %d laatste wijziging
245 label_registered_on: Geregistreerd op
245 label_registered_on: Geregistreerd op
246 label_activity: Activiteit
246 label_activity: Activiteit
247 label_new: Nieuw
247 label_new: Nieuw
248 label_logged_as: Ingelogd als
248 label_logged_as: Ingelogd als
249 label_environment: Omgeving
249 label_environment: Omgeving
250 label_authentication: Authenticatie
250 label_authentication: Authenticatie
251 label_auth_source: Authenticatie modus
251 label_auth_source: Authenticatie modus
252 label_auth_source_new: Nieuwe authenticatie modus
252 label_auth_source_new: Nieuwe authenticatie modus
253 label_auth_source_plural: Authenticatie modi
253 label_auth_source_plural: Authenticatie modi
254 label_subproject_plural: Subprojecten
254 label_subproject_plural: Subprojecten
255 label_min_max_length: Min - Max lengte
255 label_min_max_length: Min - Max lengte
256 label_list: Lijst
256 label_list: Lijst
257 label_date: Datum
257 label_date: Datum
258 label_integer: Integer
258 label_integer: Integer
259 label_boolean: Boolean
259 label_boolean: Boolean
260 label_string: Tekst
260 label_string: Tekst
261 label_text: Lange tekst
261 label_text: Lange tekst
262 label_attribute: Attribuut
262 label_attribute: Attribuut
263 label_attribute_plural: Attributen
263 label_attribute_plural: Attributen
264 label_download: %d Download
264 label_download: %d Download
265 label_download_plural: %d Downloads
265 label_download_plural: %d Downloads
266 label_no_data: Geen gegevens om te tonen
266 label_no_data: Geen gegevens om te tonen
267 label_change_status: Wijzig status
267 label_change_status: Wijzig status
268 label_history: Geschiedenis
268 label_history: Geschiedenis
269 label_attachment: Bestand
269 label_attachment: Bestand
270 label_attachment_new: Nieuw bestand
270 label_attachment_new: Nieuw bestand
271 label_attachment_delete: Verwijder bestand
271 label_attachment_delete: Verwijder bestand
272 label_attachment_plural: Bestanden
272 label_attachment_plural: Bestanden
273 label_report: Rapport
273 label_report: Rapport
274 label_report_plural: Rapporten
274 label_report_plural: Rapporten
275 label_news: Nieuws
275 label_news: Nieuws
276 label_news_new: Voeg nieuws toe
276 label_news_new: Voeg nieuws toe
277 label_news_plural: Nieuws
277 label_news_plural: Nieuws
278 label_news_latest: Laatste nieuws
278 label_news_latest: Laatste nieuws
279 label_news_view_all: Bekijk al het nieuws
279 label_news_view_all: Bekijk al het nieuws
280 label_change_log: Wijzigingslog
280 label_change_log: Wijzigingslog
281 label_settings: Instellingen
281 label_settings: Instellingen
282 label_overview: Overzicht
282 label_overview: Overzicht
283 label_version: Versie
283 label_version: Versie
284 label_version_new: Nieuwe versie
284 label_version_new: Nieuwe versie
285 label_version_plural: Versies
285 label_version_plural: Versies
286 label_confirmation: Bevestiging
286 label_confirmation: Bevestiging
287 label_export_to: Exporteer naar
287 label_export_to: Exporteer naar
288 label_read: Lees...
288 label_read: Lees...
289 label_public_projects: Publieke projecten
289 label_public_projects: Publieke projecten
290 label_open_issues: open
290 label_open_issues: open
291 label_open_issues_plural: open
291 label_open_issues_plural: open
292 label_closed_issues: gesloten
292 label_closed_issues: gesloten
293 label_closed_issues_plural: gesloten
293 label_closed_issues_plural: gesloten
294 label_total: Totaal
294 label_total: Totaal
295 label_permissions: Permissies
295 label_permissions: Permissies
296 label_current_status: Huidige status
296 label_current_status: Huidige status
297 label_new_statuses_allowed: Nieuwe statuses toegestaan
297 label_new_statuses_allowed: Nieuwe statuses toegestaan
298 label_all: alle
298 label_all: alle
299 label_none: geen
299 label_none: geen
300 label_next: Volgende
300 label_next: Volgende
301 label_previous: Vorige
301 label_previous: Vorige
302 label_used_by: Gebruikt door
302 label_used_by: Gebruikt door
303 label_details: Details
303 label_details: Details
304 label_add_note: Voeg een notitie toe
304 label_add_note: Voeg een notitie toe
305 label_per_page: Per pagina
305 label_per_page: Per pagina
306 label_calendar: Kalender
306 label_calendar: Kalender
307 label_months_from: maanden vanaf
307 label_months_from: maanden vanaf
308 label_gantt: Gantt
308 label_gantt: Gantt
309 label_internal: Intern
309 label_internal: Intern
310 label_last_changes: laatste %d wijzigingen
310 label_last_changes: laatste %d wijzigingen
311 label_change_view_all: Bekijk alle wijzigingen
311 label_change_view_all: Bekijk alle wijzigingen
312 label_personalize_page: Personaliseer deze pagina
312 label_personalize_page: Personaliseer deze pagina
313 label_comment: Commentaar
313 label_comment: Commentaar
314 label_comment_plural: Commentaar
314 label_comment_plural: Commentaar
315 label_comment_add: Voeg commentaar toe
315 label_comment_add: Voeg commentaar toe
316 label_comment_added: Commentaar toegevoegd
316 label_comment_added: Commentaar toegevoegd
317 label_comment_delete: Verwijder commentaar
317 label_comment_delete: Verwijder commentaar
318 label_query: Eigen zoekvraag
318 label_query: Eigen zoekvraag
319 label_query_plural: Eigen zoekvragen
319 label_query_plural: Eigen zoekvragen
320 label_query_new: Nieuwe zoekvraag
320 label_query_new: Nieuwe zoekvraag
321 label_filter_add: Voeg filter toe
321 label_filter_add: Voeg filter toe
322 label_filter_plural: Filters
322 label_filter_plural: Filters
323 label_equals: is gelijk
323 label_equals: is gelijk
324 label_not_equals: is niet gelijk
324 label_not_equals: is niet gelijk
325 label_in_less_than: in minder dan
325 label_in_less_than: in minder dan
326 label_in_more_than: in meer dan
326 label_in_more_than: in meer dan
327 label_in: in
327 label_in: in
328 label_today: vandaag
328 label_today: vandaag
329 label_this_week: this week
329 label_this_week: deze week
330 label_less_than_ago: minder dan dagen geleden
330 label_less_than_ago: minder dan dagen geleden
331 label_more_than_ago: meer dan dagen geleden
331 label_more_than_ago: meer dan dagen geleden
332 label_ago: dagen geleden
332 label_ago: dagen geleden
333 label_contains: bevat
333 label_contains: bevat
334 label_not_contains: bevat niet
334 label_not_contains: bevat niet
335 label_day_plural: dagen
335 label_day_plural: dagen
336 label_repository: Repository
336 label_repository: Repository
337 label_browse: Blader
337 label_browse: Blader
338 label_modification: %d wijziging
338 label_modification: %d wijziging
339 label_modification_plural: %d wijzigingen
339 label_modification_plural: %d wijzigingen
340 label_revision: Revisie
340 label_revision: Revisie
341 label_revision_plural: Revisies
341 label_revision_plural: Revisies
342 label_added: toegevoegd
342 label_added: toegevoegd
343 label_modified: gewijzigd
343 label_modified: gewijzigd
344 label_deleted: verwijderd
344 label_deleted: verwijderd
345 label_latest_revision: Meest recente revisie
345 label_latest_revision: Meest recente revisie
346 label_latest_revision_plural: Meest recente revisies
346 label_latest_revision_plural: Meest recente revisies
347 label_view_revisions: Bekijk revisies
347 label_view_revisions: Bekijk revisies
348 label_max_size: Maximum grootte
348 label_max_size: Maximum grootte
349 label_on: 'van'
349 label_on: 'van'
350 label_sort_highest: Verplaats naar begin
350 label_sort_highest: Verplaats naar begin
351 label_sort_higher: Verplaats naar boven
351 label_sort_higher: Verplaats naar boven
352 label_sort_lower: Verplaats naar beneden
352 label_sort_lower: Verplaats naar beneden
353 label_sort_lowest: Verplaats naar eind
353 label_sort_lowest: Verplaats naar eind
354 label_roadmap: Roadmap
354 label_roadmap: Roadmap
355 label_roadmap_due_in: Due in
355 label_roadmap_due_in: Voldaan in
356 label_roadmap_overdue: %s late
356 label_roadmap_overdue: %s overtijd
357 label_roadmap_no_issues: Geen issues voor deze versie
357 label_roadmap_no_issues: Geen issues voor deze versie
358 label_search: Zoeken
358 label_search: Zoeken
359 label_result_plural: Resultaten
359 label_result_plural: Resultaten
360 label_all_words: Alle woorden
360 label_all_words: Alle woorden
361 label_wiki: Wiki
361 label_wiki: Wiki
362 label_wiki_edit: Wiki edit
362 label_wiki_edit: Wiki edit
363 label_wiki_edit_plural: Wiki edits
363 label_wiki_edit_plural: Wiki edits
364 label_wiki_page: Wiki page
364 label_wiki_page: Wiki page
365 label_wiki_page_plural: Wiki pages
365 label_wiki_page_plural: Wiki pages
366 label_index_by_title: Index by title
366 label_index_by_title: Index by title
367 label_index_by_date: Index by date
367 label_index_by_date: Index by date
368 label_current_version: Huidige versie
368 label_current_version: Huidige versie
369 label_preview: Testweergave
369 label_preview: Testweergave
370 label_feed_plural: Feeds
370 label_feed_plural: Feeds
371 label_changes_details: Details van alle wijzigingen
371 label_changes_details: Details van alle wijzigingen
372 label_issue_tracking: Issue tracking
372 label_issue_tracking: Issue tracking
373 label_spent_time: Gespendeerde tijd
373 label_spent_time: Gespendeerde tijd
374 label_f_hour: %.2f uur
374 label_f_hour: %.2f uur
375 label_f_hour_plural: %.2f uren
375 label_f_hour_plural: %.2f uren
376 label_time_tracking: Tijd tracking
376 label_time_tracking: Tijd tracking
377 label_change_plural: Wijzigingen
377 label_change_plural: Wijzigingen
378 label_statistics: Statistieken
378 label_statistics: Statistieken
379 label_commits_per_month: Commits per maand
379 label_commits_per_month: Commits per maand
380 label_commits_per_author: Commits per auteur
380 label_commits_per_author: Commits per auteur
381 label_view_diff: Bekijk verschillen
381 label_view_diff: Bekijk verschillen
382 label_diff_inline: inline
382 label_diff_inline: inline
383 label_diff_side_by_side: naast elkaar
383 label_diff_side_by_side: naast elkaar
384 label_options: Opties
384 label_options: Opties
385 label_copy_workflow_from: Kopieer workflow van
385 label_copy_workflow_from: Kopieer workflow van
386 label_permissions_report: Permissies rapport
386 label_permissions_report: Permissies rapport
387 label_watched_issues: Gemonitorde issues
387 label_watched_issues: Gemonitorde issues
388 label_related_issues: Gerelateerde issues
388 label_related_issues: Gerelateerde issues
389 label_applied_status: Toegekende status
389 label_applied_status: Toegekende status
390 label_loading: Laden...
390 label_loading: Laden...
391 label_relation_new: Nieuwe relatie
391 label_relation_new: Nieuwe relatie
392 label_relation_delete: Verwijder relatie
392 label_relation_delete: Verwijder relatie
393 label_relates_to: gerelateerd aan
393 label_relates_to: gerelateerd aan
394 label_duplicates: dupliceert
394 label_duplicates: dupliceert
395 label_blocks: blokkeert
395 label_blocks: blokkeert
396 label_blocked_by: geblokkeerd door
396 label_blocked_by: geblokkeerd door
397 label_precedes: gaat vooraf aan
397 label_precedes: gaat vooraf aan
398 label_follows: volgt op
398 label_follows: volgt op
399 label_end_to_start: eind tot start
399 label_end_to_start: eind tot start
400 label_end_to_end: eind tot eind
400 label_end_to_end: eind tot eind
401 label_start_to_start: start tot start
401 label_start_to_start: start tot start
402 label_start_to_end: start tot eind
402 label_start_to_end: start tot eind
403 label_stay_logged_in: Blijf ingelogd
403 label_stay_logged_in: Blijf ingelogd
404 label_disabled: uitgeschakeld
404 label_disabled: uitgeschakeld
405 label_show_completed_versions: Toon afgeronde versies
405 label_show_completed_versions: Toon afgeronde versies
406 label_me: ik
406 label_me: ik
407 label_board: Forum
407 label_board: Forum
408 label_board_new: Nieuw forum
408 label_board_new: Nieuw forum
409 label_board_plural: Forums
409 label_board_plural: Forums
410 label_topic_plural: Onderwerpen
410 label_topic_plural: Onderwerpen
411 label_message_plural: Berichten
411 label_message_plural: Berichten
412 label_message_last: Laatste bericht
412 label_message_last: Laatste bericht
413 label_message_new: Nieuw bericht
413 label_message_new: Nieuw bericht
414 label_reply_plural: Antwoorden
414 label_reply_plural: Antwoorden
415 label_send_information: Send account information to the user
415 label_send_information: Stuur account informatie naar de gebruiker
416 label_year: Year
416 label_year: Jaar
417 label_month: Month
417 label_month: Maand
418 label_week: Week
418 label_week: Week
419 label_date_from: From
419 label_date_from: Van
420 label_date_to: To
420 label_date_to: Tot
421 label_language_based: Language based
421 label_language_based: Taal gebaseerd
422 label_sort_by: Sort by %s
422 label_sort_by: Sorteer op %s
423 label_send_test_email: Send a test email
423 label_send_test_email: Stuur een test e-mail
424 label_feeds_access_key_created_on: RSS access key created %s ago
424 label_feeds_access_key_created_on: RSS toegangssleutel %s geleden gemaakt.
425 label_module_plural: Modules
425 label_module_plural: Modules
426 label_added_time_by: Added by %s %s ago
426 label_added_time_by: Toegevoegd door %s %s geleden
427 label_updated_time: Updated %s ago
427 label_updated_time: Upgedated %s geleden
428 label_jump_to_a_project: Jump to a project...
428 label_jump_to_a_project: Spring naar een project...
429
429
430 button_login: Inloggen
430 button_login: Inloggen
431 button_submit: Toevoegen
431 button_submit: Toevoegen
432 button_save: Bewaren
432 button_save: Bewaren
433 button_check_all: Selecteer alle
433 button_check_all: Selecteer alle
434 button_uncheck_all: Deselecteer alle
434 button_uncheck_all: Deselecteer alle
435 button_delete: Verwijder
435 button_delete: Verwijder
436 button_create: Maak
436 button_create: Maak
437 button_test: Test
437 button_test: Test
438 button_edit: Bewerk
438 button_edit: Bewerk
439 button_add: Voeg toe
439 button_add: Voeg toe
440 button_change: Wijzig
440 button_change: Wijzig
441 button_apply: Pas toe
441 button_apply: Pas toe
442 button_clear: Leeg maken
442 button_clear: Leeg maken
443 button_lock: Lock
443 button_lock: Sluit
444 button_unlock: Unlock
444 button_unlock: Open
445 button_download: Download
445 button_download: Download
446 button_list: Lijst
446 button_list: Lijst
447 button_view: Bekijken
447 button_view: Bekijken
448 button_move: Verplaatsen
448 button_move: Verplaatsen
449 button_back: Terug
449 button_back: Terug
450 button_cancel: Annuleer
450 button_cancel: Annuleer
451 button_activate: Activeer
451 button_activate: Activeer
452 button_sort: Sorteer
452 button_sort: Sorteer
453 button_log_time: Log tijd
453 button_log_time: Log tijd
454 button_rollback: Rollback naar deze versie
454 button_rollback: Rollback naar deze versie
455 button_watch: Monitor
455 button_watch: Monitor
456 button_unwatch: Niet meer monitoren
456 button_unwatch: Niet meer monitoren
457 button_reply: Antwoord
457 button_reply: Antwoord
458 button_archive: Archive
458 button_archive: Archiveer
459 button_unarchive: Unarchive
459 button_unarchive: Desarchiveer
460 button_reset: Reset
460 button_reset: Reset
461 button_rename: Rename
461 button_rename: Hernoemen
462
462
463 status_active: Actief
463 status_active: Actief
464 status_registered: geregistreerd
464 status_registered: geregistreerd
465 status_locked: gelockt
465 status_locked: gelockt
466
466
467 text_select_mail_notifications: Selecteer acties waarvoor mededelingen via mail moeten worden verstuurd.
467 text_select_mail_notifications: Selecteer acties waarvoor mededelingen via mail moeten worden verstuurd.
468 text_regexp_info: bv. ^[A-Z0-9]+$
468 text_regexp_info: bv. ^[A-Z0-9]+$
469 text_min_max_length_info: 0 betekent geen restrictie
469 text_min_max_length_info: 0 betekent geen restrictie
470 text_project_destroy_confirmation: Weet U zeker dat U dit project en alle gerelateerde gegevens wilt verwijderen ?
470 text_project_destroy_confirmation: Weet U zeker dat U dit project en alle gerelateerde gegevens wilt verwijderen ?
471 text_workflow_edit: Selecteer een rol en een tracker om de workflow te wijzigen
471 text_workflow_edit: Selecteer een rol en een tracker om de workflow te wijzigen
472 text_are_you_sure: Weet U het zeker ?
472 text_are_you_sure: Weet U het zeker ?
473 text_journal_changed: gewijzigd van %s naar %s
473 text_journal_changed: gewijzigd van %s naar %s
474 text_journal_set_to: ingesteld op %s
474 text_journal_set_to: ingesteld op %s
475 text_journal_deleted: verwijderd
475 text_journal_deleted: verwijderd
476 text_tip_task_begin_day: taak die op deze dag begint
476 text_tip_task_begin_day: taak die op deze dag begint
477 text_tip_task_end_day: taak die op deze dag eindigt
477 text_tip_task_end_day: taak die op deze dag eindigt
478 text_tip_task_begin_end_day: taak die op deze dag begint en eindigt
478 text_tip_task_begin_end_day: taak die op deze dag begint en eindigt
479 text_project_identifier_info: 'kleine letters (a-z), cijfers en liggende streepjes toegestaan.<br />Eenmaal bewaard kan de identificatiecode niet meer worden gewijzigd.'
479 text_project_identifier_info: 'kleine letters (a-z), cijfers en liggende streepjes toegestaan.<br />Eenmaal bewaard kan de identificatiecode niet meer worden gewijzigd.'
480 text_caracters_maximum: %d van maximum aantal tekens.
480 text_caracters_maximum: %d van maximum aantal tekens.
481 text_length_between: Lengte tussen %d en %d tekens.
481 text_length_between: Lengte tussen %d en %d tekens.
482 text_tracker_no_workflow: Geen workflow gedefinieerd voor deze tracker
482 text_tracker_no_workflow: Geen workflow gedefinieerd voor deze tracker
483 text_unallowed_characters: Niet toegestane tekens
483 text_unallowed_characters: Niet toegestane tekens
484 text_coma_separated: Meerdere waarden toegestaan (door komma's gescheiden).
484 text_coma_separated: Meerdere waarden toegestaan (door komma's gescheiden).
485 text_issues_ref_in_commit_messages: Opzoeken en aanpassen van issues in commit berichten
485 text_issues_ref_in_commit_messages: Opzoeken en aanpassen van issues in commit berichten
486 text_issue_added: Issue %s is gerapporteerd (by %s).
486 text_issue_added: Issue %s is gerapporteerd (by %s).
487 text_issue_updated: Issue %s is gewijzigd (by %s).
487 text_issue_updated: Issue %s is gewijzigd (by %s).
488 text_wiki_destroy_confirmation: Are you sure you want to delete this wiki and all its content ?
488 text_wiki_destroy_confirmation: Bent u zeker dat u deze wiki en zijn inhoud wenst te verwijderen?
489 text_issue_category_destroy_question: Some issues (%d) are assigned to this category. What do you want to do ?
489 text_issue_category_destroy_question: Sommige issues (%d) zijn aan deze categorie toegewezen. Wat wilt u hiermee doen ?
490 text_issue_category_destroy_assignments: Remove category assignments
490 text_issue_category_destroy_assignments: Verwijder categorie toewijzigingen
491 text_issue_category_reassign_to: Reassing issues to this category
491 text_issue_category_reassign_to: Issues opnieuw toewijzen aan deze categorie
492
492
493 default_role_manager: Manager
493 default_role_manager: Manager
494 default_role_developper: Ontwikkelaar
494 default_role_developper: Ontwikkelaar
495 default_role_reporter: Rapporteur
495 default_role_reporter: Rapporteur
496 default_tracker_bug: Bug
496 default_tracker_bug: Bug
497 default_tracker_feature: Feature
497 default_tracker_feature: Feature
498 default_tracker_support: Support
498 default_tracker_support: Support
499 default_issue_status_new: Nieuw
499 default_issue_status_new: Nieuw
500 default_issue_status_assigned: Toegewezen
500 default_issue_status_assigned: Toegewezen
501 default_issue_status_resolved: Opgelost
501 default_issue_status_resolved: Opgelost
502 default_issue_status_feedback: Terugkoppeling
502 default_issue_status_feedback: Terugkoppeling
503 default_issue_status_closed: Gesloten
503 default_issue_status_closed: Gesloten
504 default_issue_status_rejected: Afgewezen
504 default_issue_status_rejected: Afgewezen
505 default_doc_category_user: Gebruikersdocumentatie
505 default_doc_category_user: Gebruikersdocumentatie
506 default_doc_category_tech: Technische documentatie
506 default_doc_category_tech: Technische documentatie
507 default_priority_low: Laag
507 default_priority_low: Laag
508 default_priority_normal: Normaal
508 default_priority_normal: Normaal
509 default_priority_high: Hoog
509 default_priority_high: Hoog
510 default_priority_urgent: Spoed
510 default_priority_urgent: Spoed
511 default_priority_immediate: Onmiddellijk
511 default_priority_immediate: Onmiddellijk
512 default_activity_design: Design
512 default_activity_design: Design
513 default_activity_development: Development
513 default_activity_development: Development
514
514
515 enumeration_issue_priorities: Issue prioriteiten
515 enumeration_issue_priorities: Issue prioriteiten
516 enumeration_doc_categories: Document categorieën
516 enumeration_doc_categories: Document categorieën
517 enumeration_activities: Activiteiten (tijd tracking)
517 enumeration_activities: Activiteiten (tijd tracking)
518 text_comma_separated: Multiple values allowed (comma separated).
518 text_comma_separated: Meerdere waarden toegestaan (kommagescheiden).
519 label_file_plural: Files
519 label_file_plural: Bestanden
520 label_changeset_plural: Changesets
520 label_changeset_plural: Changesets
521 field_column_names: Columns
521 field_column_names: Kolommen
522 label_default_columns: Default columns
522 label_default_columns: Standaard kolommen.
523 setting_issue_list_default_columns: Default columns displayed on the issue list
523 setting_issue_list_default_columns: Standaard kolommen getoond om de lijst met issues
524 setting_repositories_encodings: Repositories encodings
524 setting_repositories_encodings: Repositories encodings
525 notice_no_issue_selected: "No issue is selected! Please, check the issues you want to edit."
525 notice_no_issue_selected: "Er is geen issue geselecteerd. Selecteer de issue die u wilt bewerken."
526 label_bulk_edit_selected_issues: Bulk edit selected issues
526 label_bulk_edit_selected_issues: Bewerk geselecteerde issues in bulk
527 label_no_change_option: (No change)
527 label_no_change_option: (Geen wijziging)
528 notice_failed_to_save_issues: "Failed to save %d issue(s) on %d selected: %s."
528 notice_failed_to_save_issues: "Gefaald om %d issue(s) (%d geselecteerd) te bewaren: %s."
529 label_theme: Theme
529
530 label_default: Default
530 label_theme: Thema
531 label_search_titles_only: Search titles only
531 label_default: Standaard
532 label_search_titles_only: Enkel titels doorzoeken
532 label_nobody: nobody
533 label_nobody: nobody
533 button_change_password: Change password
534 button_change_password: Wijzig wachtwoord
534 text_user_mail_option: "For unselected projects, you will only receive notifications about things you watch or you're involved in (eg. issues you're the author or assignee)."
535 text_user_mail_option: "For unselected projects, you will only receive notifications about things you watch or you're involved in (eg. issues you're the author or assignee)."
535 label_user_mail_option_selected: "For any event on the selected projects only..."
536 text_user_mail_option: "Bij niet-geselecteerde projecten zult u enkel notificaties ontvangen voor issues die u monitort of waar je bij betrokken bent (auteur of toegewezen persoon)."
536 label_user_mail_option_all: "For any event on all my projects"
537 label_user_mail_option_selected: "Enkel bij elke event op het geselecteerde project..."
537 label_user_mail_option_none: "Only for things I watch or I'm involved in"
538 label_user_mail_option_all: "Bij elk event in al mijn projecten..."
539 label_user_mail_option_none: "Alleen in de dingen die ik monitor of in betrokken ben"
538 setting_emails_footer: Emails footer
540 setting_emails_footer: Emails footer
539 label_float: Float
541 label_float: Float
540 button_copy: Copy
542 button_copy: Kopieer
541 mail_body_account_information_external: You can use your "%s" account to log in.
543 mail_body_account_information_external: Je kan je account (%s) gebruiken om in te loggen.
542 mail_body_account_information: Your account information
544 mail_body_account_information: Je account gegevens
543 setting_protocol: Protocol
545 setting_protocol: Protocol
544 label_user_mail_no_self_notified: "I don't want to be notified of changes that I make myself"
546 label_user_mail_no_self_notified: "Ik wil niet verwittigd worden van wijzigingen die ik zelf maak."
545 setting_time_format: Time format
547 setting_time_format: Tijd formaat
546 label_registration_activation_by_email: account activation by email
548 label_registration_activation_by_email: account activatie per email
547 mail_subject_account_activation_request: %s account activation request
549 mail_subject_account_activation_request: %s account activatie verzoek
548 mail_body_account_activation_request: 'A new user (%s) has registered. His account his pending your approval:'
550 mail_body_account_activation_request: 'Een nieuwe gebruiker (%s) is geregistreerd. Zijn account wacht op uw akkoord:'
549 label_registration_automatic_activation: automatic account activation
551 label_registration_automatic_activation: automatische account activatie
550 label_registration_manual_activation: manual account activation
552 label_registration_manual_activation: manuele account activatie
551 notice_account_pending: "Your account was created and is now pending administrator approval."
553 notice_account_pending: "Je account is aangemaakt maar wacht nog op goedkeuring van de beheerder."
552 field_time_zone: Time zone
554 field_time_zone: Tijd zone
553 text_caracters_minimum: Must be at least %d characters long.
555 text_caracters_minimum: Moet minstens %d karakters lang zijn.
554 setting_bcc_recipients: Blind carbon copy recipients (bcc)
556 setting_bcc_recipients: Blind carbon copy ontvangers (bcc)
555 button_annotate: Annotate
557 button_annotate: Annotate
556 label_issues_by: Issues by %s
558 label_issues_by: Issues door %s
557 field_searchable: Searchable
559 field_searchable: Doorzoekbaar
558 label_display_per_page: 'Per page: %s'
560 label_display_per_page: 'Per pagina: %s'
559 setting_per_page_options: Objects per page options
561 setting_per_page_options: Objects per pagina opties
560 label_age: Age
562 label_age: Leeftijd
561 notice_default_data_loaded: Default configuration successfully loaded.
563 notice_default_data_loaded: Standaard configuratie succesvol geladen.
562 text_load_default_configuration: Load the default configuration
564 text_load_default_configuration: Laad de standaardconfiguratie
563 text_no_configuration_data: "Roles, trackers, issue statuses and workflow have not been configured yet.\nIt is highly recommended to load the default configuration. You will be able to modify it once loaded."
565 text_no_configuration_data: "Rollen, trackers, issue statuses en workflow zijn nog niet geconfigureerd.\nHet is ten zeerste aangeraden om de standaardconfiguratie in te laden. Je kan deze aanpassen nadat deze is ingeladen."
564 error_can_t_load_default_data: "Default configuration could not be loaded: %s"
566 error_can_t_load_default_data: "Standaard configuratie kon niet worden geladen: %s"
565 button_update: Update
567 button_update: Update
566 label_change_properties: Change properties
568 label_change_properties: Eigenschappen wijzigen
567 label_general: General
569 label_general: Algemeen
568 label_repository_plural: Repositories
570 label_repository_plural: Repositories
569 label_associated_revisions: Associated revisions
571 label_associated_revisions: Geassocieerde revisies
570 setting_user_format: Users display format
572 setting_user_format: Gebruikers weergave formaat
571 text_status_changed_by_changeset: Applied in changeset %s.
573 text_status_changed_by_changeset: Toegepast in changeset %s.
572 label_more: More
574 label_more: Meer
573 text_issues_destroy_confirmation: 'Are you sure you want to delete the selected issue(s) ?'
575 text_issues_destroy_confirmation: 'Ben je zeker dat je deze issue(s) wenst te verwijderen?'
574 label_scm: SCM
576 label_scm: SCM
575 text_select_project_modules: 'Select modules to enable for this project:'
577 text_select_project_modules: 'Selecteer de modules die je wenst te gebruiken voor dit project:'
576 label_issue_added: Issue added
578 label_issue_added: Issue toegevoegd
577 label_issue_updated: Issue updated
579 label_issue_updated: Issue geupdated
578 label_document_added: Document added
580 label_document_added: Document toegevoegd
579 label_message_posted: Message added
581 label_message_posted: Bericht toegevoegd
580 label_file_added: File added
582 label_file_added: Bericht toegevoegd
581 label_news_added: News added
583 label_news_added: Nieuws toegevoegd
582 project_module_boards: Boards
584 project_module_boards: Boards
583 project_module_issue_tracking: Issue tracking
585 project_module_issue_tracking: Issue tracking
584 project_module_wiki: Wiki
586 project_module_wiki: Wiki
585 project_module_files: Files
587 project_module_files: Bestanden
586 project_module_documents: Documents
588 project_module_documents: Documenten
587 project_module_repository: Repository
589 project_module_repository: Repository
588 project_module_news: News
590 project_module_news: Nieuws
589 project_module_time_tracking: Time tracking
591 project_module_time_tracking: Tijd tracking
590 text_file_repository_writable: File repository writable
592 text_file_repository_writable: Bestandsrepository beschrijfbaar
591 text_default_administrator_account_changed: Default administrator account changed
593 text_default_administrator_account_changed: Standaard beheerderaccount gewijzigd
592 text_rmagick_available: RMagick available (optional)
594 text_rmagick_available: RMagick beschikbaar (optioneel)
593 button_configure: Configure
595 button_configure: Configureer
594 label_plugins: Plugins
596 label_plugins: Plugins
595 label_ldap_authentication: LDAP authentication
597 label_ldap_authentication: LDAP authenticatie
596 label_downloads_abbr: D/L
598 label_downloads_abbr: D/L
597 label_this_month: this month
599 label_this_month: deze maand
598 label_last_n_days: last %d days
600 label_last_n_days: %d dagen geleden
599 label_all_time: all time
601 label_all_time: all time
600 label_this_year: this year
602 label_this_year: dit jaar
601 label_date_range: Date range
603 label_date_range: Datum bereik
602 label_last_week: last week
604 label_last_week: vorige week
603 label_yesterday: yesterday
605 label_yesterday: gisteren
604 label_last_month: last month
606 label_last_month: laatste maand
605 label_add_another_file: Add another file
607 label_add_another_file: Ander bestand toevoegen
606 label_optional_description: Optional description
608 label_optional_description: Optionele beschrijving
607 text_destroy_time_entries_question: %.02f hours were reported on the issues you are about to delete. What do you want to do ?
609 text_destroy_time_entries_question: %.02f uren werden gerapporteerd op de issue(s) die je wou verwijderen. Wat wil je doen?
608 error_issue_not_found_in_project: 'The issue was not found or does not belong to this project'
610 error_issue_not_found_in_project: 'Deze issue is niet gevonden of behoort niet toe tot dit project.'
609 text_assign_time_entries_to_project: Assign reported hours to the project
611 text_assign_time_entries_to_project: Geraporteerde uren toevoegen aan dit project
610 text_destroy_time_entries: Delete reported hours
612 text_destroy_time_entries: Verwijder geraporteerde uren
611 text_reassign_time_entries: 'Reassign reported hours to this issue:'
613 text_reassign_time_entries: 'Gerapporteerde uren opnieuw toewijzen:'
612 setting_activity_days_default: Days displayed on project activity
614 setting_activity_days_default: Aantal dagen getoond bij het tabblad "Activiteit"
613 label_chronological_order: In chronological order
615 label_chronological_order: In chronologische volgorde
614 field_comments_sorting: Display comments
616 field_comments_sorting: Commentaar weergeven
615 label_reverse_chronological_order: In reverse chronological order
617 label_reverse_chronological_order: In omgekeerde chronologische volgorde
616 label_preferences: Preferences
618 label_preferences: Voorkeuren
617 setting_display_subprojects_issues: Display subprojects issues on main projects by default
619 setting_display_subprojects_issues: Standaard issues van subproject tonen
618 label_overall_activity: Overall activity
620 label_overall_activity: Activiteit
619 setting_default_projects_public: New projects are public by default
621 setting_default_projects_public: Nieuwe projecten zijn standaard publiek
620 error_scm_annotate: "The entry does not exist or can not be annotated."
622 error_scm_annotate: "Er kan geen commentaar toegevoegd worden."
621 label_planning: Planning
623 label_planning: Planning
622 text_subprojects_destroy_warning: 'Its subproject(s): %s will be also deleted.'
624 text_subprojects_destroy_warning: 'Its subproject(s): %s will be also deleted.'
623 label_and_its_subprojects: %s and its subprojects
625 label_and_its_subprojects: %s and its subprojects
624 mail_body_reminder: "%d issue(s) that are assigned to you are due in the next %d days:"
626 mail_body_reminder: "%d issue(s) that are assigned to you are due in the next %d days:"
625 mail_subject_reminder: "%d issue(s) due in the next days"
627 mail_subject_reminder: "%d issue(s) due in the next days"
626 text_user_wrote: '%s wrote:'
628 text_user_wrote: '%s wrote:'
627 label_duplicated_by: duplicated by
629 label_duplicated_by: duplicated by
628 setting_enabled_scm: Enabled SCM
630 setting_enabled_scm: Enabled SCM
629 text_enumeration_category_reassign_to: 'Reassign them to this value:'
631 text_enumeration_category_reassign_to: 'Reassign them to this value:'
630 text_enumeration_destroy_question: '%d objects are assigned to this value.'
632 text_enumeration_destroy_question: '%d objects are assigned to this value.'
631 label_incoming_emails: Incoming emails
633 label_incoming_emails: Incoming emails
632 label_generate_key: Generate a key
634 label_generate_key: Generate a key
633 setting_mail_handler_api_enabled: Enable WS for incoming emails
635 setting_mail_handler_api_enabled: Schakel WS in voor inkomende mail.
634 setting_mail_handler_api_key: API key
636 setting_mail_handler_api_key: API sleutel
635 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."
637 text_email_delivery_not_configured: "Email bezorging is niet geconfigureerd. Notificaties zijn uitgeschakeld.\nConfigureer je SMTP server in config/email.yml en herstant de applicatie om dit in te schakelen."
636 field_parent_title: Parent page
638 field_parent_title: Bovenliggende pagina
637 label_issue_watchers: Watchers
639 label_issue_watchers: Monitoren
638 setting_commit_logs_encoding: Commit messages encoding
640 setting_commit_logs_encoding: Commit messages encodering
639 button_quote: Quote
641 button_quote: Citaat
640 setting_sequential_project_identifiers: Generate sequential project identifiers
642 setting_sequential_project_identifiers: Genereer sequentiele project identiteiten
641 notice_unable_delete_version: Unable to delete version
643 notice_unable_delete_version: Onmogelijk om deze versie te verwijderen.
642 label_renamed: renamed
644 label_renamed: hernoemt
643 label_copied: copied
645 label_copied: gekopieerd
@@ -1,674 +1,675
1 _gloc_rule_default: '|n| n10=n%10; n100=n%100; (n10==1 && n100!=11) ? "" : (n10>=2 && n10<=4 && (n100<10 || n100>=20) ? "_plural2" : "_plural5") '
1 _gloc_rule_default: '|n| n10=n%10; n100=n%100; (n10==1 && n100!=11) ? "" : (n10>=2 && n10<=4 && (n100<10 || n100>=20) ? "_plural2" : "_plural5") '
2
2
3 actionview_datehelper_select_day_prefix:
3 actionview_datehelper_select_day_prefix:
4 actionview_datehelper_select_month_names_abbr: Янв,Фев,Мар,Апр,Май,Июн,Июл,Авг,Сен,Окт,Нояб,Дек
4 actionview_datehelper_select_month_names_abbr: Янв,Фев,Мар,Апр,Май,Июн,Июл,Авг,Сен,Окт,Нояб,Дек
5 actionview_datehelper_select_month_names: Январь,Февраль,Март,Апрель,Май,Июнь,Июль,Август,Сентябрь,Октябрь,Ноябрь,Декабрь
5 actionview_datehelper_select_month_names: Январь,Февраль,Март,Апрель,Май,Июнь,Июль,Август,Сентябрь,Октябрь,Ноябрь,Декабрь
6 actionview_datehelper_select_month_prefix:
6 actionview_datehelper_select_month_prefix:
7 actionview_datehelper_select_year_prefix:
7 actionview_datehelper_select_year_prefix:
8 actionview_datehelper_time_in_words_day: %d день
8 actionview_datehelper_time_in_words_day: %d день
9 actionview_datehelper_time_in_words_day_plural2: %d дня
9 actionview_datehelper_time_in_words_day_plural2: %d дня
10 actionview_datehelper_time_in_words_day_plural5: %d дней
10 actionview_datehelper_time_in_words_day_plural5: %d дней
11 actionview_datehelper_time_in_words_day_plural: %d дней
11 actionview_datehelper_time_in_words_day_plural: %d дней
12 actionview_datehelper_time_in_words_hour_about_plural2: около %d часов
12 actionview_datehelper_time_in_words_hour_about_plural2: около %d часов
13 actionview_datehelper_time_in_words_hour_about_plural5: около %d часов
13 actionview_datehelper_time_in_words_hour_about_plural5: около %d часов
14 actionview_datehelper_time_in_words_hour_about_plural: около %d часов
14 actionview_datehelper_time_in_words_hour_about_plural: около %d часов
15 actionview_datehelper_time_in_words_hour_about_single: около часа
15 actionview_datehelper_time_in_words_hour_about_single: около часа
16 actionview_datehelper_time_in_words_hour_about: около часа
16 actionview_datehelper_time_in_words_hour_about: около часа
17 actionview_datehelper_time_in_words_minute: 1 минута
17 actionview_datehelper_time_in_words_minute: 1 минута
18 actionview_datehelper_time_in_words_minute_half: полминуты
18 actionview_datehelper_time_in_words_minute_half: полминуты
19 actionview_datehelper_time_in_words_minute_less_than: менее минуты
19 actionview_datehelper_time_in_words_minute_less_than: менее минуты
20 actionview_datehelper_time_in_words_minute_plural2: %d минуты
20 actionview_datehelper_time_in_words_minute_plural2: %d минуты
21 actionview_datehelper_time_in_words_minute_plural5: %d минут
21 actionview_datehelper_time_in_words_minute_plural5: %d минут
22 actionview_datehelper_time_in_words_minute_plural: %d минут
22 actionview_datehelper_time_in_words_minute_plural: %d минут
23 actionview_datehelper_time_in_words_minute_single: 1 минуту
23 actionview_datehelper_time_in_words_minute_single: 1 минуту
24 actionview_datehelper_time_in_words_second_less_than_plural2: менее %d секунд
24 actionview_datehelper_time_in_words_second_less_than_plural2: менее %d секунд
25 actionview_datehelper_time_in_words_second_less_than_plural5: менее %d секунд
25 actionview_datehelper_time_in_words_second_less_than_plural5: менее %d секунд
26 actionview_datehelper_time_in_words_second_less_than_plural: менее %d секунд
26 actionview_datehelper_time_in_words_second_less_than_plural: менее %d секунд
27 actionview_datehelper_time_in_words_second_less_than: менее секунды
27 actionview_datehelper_time_in_words_second_less_than: менее секунды
28 actionview_instancetag_blank_option: Выберите
28 actionview_instancetag_blank_option: Выберите
29
29
30 activerecord_error_accepted: необходимо принять
30 activerecord_error_accepted: необходимо принять
31 activerecord_error_blank: необходимо заполнить
31 activerecord_error_blank: необходимо заполнить
32 activerecord_error_circular_dependency: Такая связь приведет к циклической зависимости
32 activerecord_error_circular_dependency: Такая связь приведет к циклической зависимости
33 activerecord_error_confirmation: ошибка в подтверждении
33 activerecord_error_confirmation: ошибка в подтверждении
34 activerecord_error_empty: необходимо заполнить
34 activerecord_error_empty: необходимо заполнить
35 activerecord_error_exclusion: зарезервировано
35 activerecord_error_exclusion: зарезервировано
36 activerecord_error_greater_than_start_date: должна быть позднее даты начала
36 activerecord_error_greater_than_start_date: должна быть позднее даты начала
37 activerecord_error_inclusion: нет в списке
37 activerecord_error_inclusion: нет в списке
38 activerecord_error_invalid: неверное значение
38 activerecord_error_invalid: неверное значение
39 activerecord_error_not_a_date: дата недействительна
39 activerecord_error_not_a_date: дата недействительна
40 activerecord_error_not_a_number: не является числом
40 activerecord_error_not_a_number: не является числом
41 activerecord_error_not_same_project: не относятся к одному проекту
41 activerecord_error_not_same_project: не относятся к одному проекту
42 activerecord_error_taken: уже используется
42 activerecord_error_taken: уже используется
43 activerecord_error_too_long: слишком длинное значение
43 activerecord_error_too_long: слишком длинное значение
44 activerecord_error_too_short: слишком короткое значение
44 activerecord_error_too_short: слишком короткое значение
45 activerecord_error_wrong_length: не соответствует длине
45 activerecord_error_wrong_length: не соответствует длине
46
46
47 button_activate: Активировать
47 button_activate: Активировать
48 button_add: Добавить
48 button_add: Добавить
49 button_annotate: Авторство
49 button_annotate: Авторство
50 button_apply: Применить
50 button_apply: Применить
51 button_archive: Архивировать
51 button_archive: Архивировать
52 button_back: Назад
52 button_back: Назад
53 button_cancel: Отмена
53 button_cancel: Отмена
54 button_change_password: Изменить пароль
54 button_change_password: Изменить пароль
55 button_change: Изменить
55 button_change: Изменить
56 button_check_all: Отметить все
56 button_check_all: Отметить все
57 button_clear: Очистить
57 button_clear: Очистить
58 button_configure: Параметры
58 button_configure: Параметры
59 button_copy: Копировать
59 button_copy: Копировать
60 button_create: Создать
60 button_create: Создать
61 button_delete: Удалить
61 button_delete: Удалить
62 button_download: Загрузить
62 button_download: Загрузить
63 button_edit: Редактировать
63 button_edit: Редактировать
64 button_list: Список
64 button_list: Список
65 button_lock: Заблокировать
65 button_lock: Заблокировать
66 button_login: Вход
66 button_login: Вход
67 button_log_time: Время в системе
67 button_log_time: Время в системе
68 button_move: Переместить
68 button_move: Переместить
69 button_quote: Цитировать
69 button_quote: Цитировать
70 button_rename: Переименовать
70 button_rename: Переименовать
71 button_reply: Ответить
71 button_reply: Ответить
72 button_reset: Перезапустить
72 button_reset: Перезапустить
73 button_rollback: Вернуться к данной версии
73 button_rollback: Вернуться к данной версии
74 button_save: Сохранить
74 button_save: Сохранить
75 button_sort: Сортировать
75 button_sort: Сортировать
76 button_submit: Принять
76 button_submit: Принять
77 button_test: Проверить
77 button_test: Проверить
78 button_unarchive: Разархивировать
78 button_unarchive: Разархивировать
79 button_uncheck_all: Очистить
79 button_uncheck_all: Очистить
80 button_unlock: Разблокировать
80 button_unlock: Разблокировать
81 button_unwatch: Не следить
81 button_unwatch: Не следить
82 button_update: Обновить
82 button_update: Обновить
83 button_view: Просмотреть
83 button_view: Просмотреть
84 button_watch: Следить
84 button_watch: Следить
85
85
86 default_activity_design: Проектирование
86 default_activity_design: Проектирование
87 default_activity_development: Разработка
87 default_activity_development: Разработка
88 default_doc_category_tech: Техническая документация
88 default_doc_category_tech: Техническая документация
89 default_doc_category_user: Документация пользователя
89 default_doc_category_user: Документация пользователя
90 default_issue_status_assigned: Назначен
90 default_issue_status_assigned: Назначен
91 default_issue_status_closed: Закрыт
91 default_issue_status_closed: Закрыт
92 default_issue_status_feedback: Обратная связь
92 default_issue_status_feedback: Обратная связь
93 default_issue_status_new: Новый
93 default_issue_status_new: Новый
94 default_issue_status_rejected: Отказ
94 default_issue_status_rejected: Отказ
95 default_issue_status_resolved: Заблокирован
95 default_issue_status_resolved: Заблокирован
96 default_priority_high: Высокий
96 default_priority_high: Высокий
97 default_priority_immediate: Немедленный
97 default_priority_immediate: Немедленный
98 default_priority_low: Низкий
98 default_priority_low: Низкий
99 default_priority_normal: Нормальный
99 default_priority_normal: Нормальный
100 default_priority_urgent: Срочный
100 default_priority_urgent: Срочный
101 default_role_developper: Разработчик
101 default_role_developper: Разработчик
102 default_role_manager: Менеджер
102 default_role_manager: Менеджер
103 default_role_reporter: Генератор отчетов
103 default_role_reporter: Генератор отчетов
104 default_tracker_bug: Ошибка
104 default_tracker_bug: Ошибка
105 default_tracker_feature: Улучшение
105 default_tracker_feature: Улучшение
106 default_tracker_support: Поддержка
106 default_tracker_support: Поддержка
107
107
108 enumeration_activities: Действия (учет времени)
108 enumeration_activities: Действия (учет времени)
109 enumeration_doc_categories: Категории документов
109 enumeration_doc_categories: Категории документов
110 enumeration_issue_priorities: Приоритеты задач
110 enumeration_issue_priorities: Приоритеты задач
111
111
112 error_can_t_load_default_data: "Конфигурация по умолчанию не была загружена: %s"
112 error_can_t_load_default_data: "Конфигурация по умолчанию не была загружена: %s"
113 error_issue_not_found_in_project: Задача не была найдена или не прикреплена к этому проекту
113 error_issue_not_found_in_project: Задача не была найдена или не прикреплена к этому проекту
114 error_scm_annotate: "Данные отсутствуют или не могут быть подписаны."
114 error_scm_annotate: "Данные отсутствуют или не могут быть подписаны."
115 error_scm_command_failed: "Ошибка доступа к хранилищу: %s"
115 error_scm_command_failed: "Ошибка доступа к хранилищу: %s"
116 error_scm_not_found: Хранилище не содержит записи и/или исправления.
116 error_scm_not_found: Хранилище не содержит записи и/или исправления.
117
117
118 field_account: Учетная запись
118 field_account: Учетная запись
119 field_activity: Деятельность
119 field_activity: Деятельность
120 field_admin: Администратор
120 field_admin: Администратор
121 field_assignable: Задача может быть назначена этой роли
121 field_assignable: Задача может быть назначена этой роли
122 field_assigned_to: Назначена
122 field_assigned_to: Назначена
123 field_attr_firstname: Имя
123 field_attr_firstname: Имя
124 field_attr_lastname: Фамилия
124 field_attr_lastname: Фамилия
125 field_attr_login: Атрибут Регистрация
125 field_attr_login: Атрибут Регистрация
126 field_attr_mail: email
126 field_attr_mail: email
127 field_author: Автор
127 field_author: Автор
128 field_auth_source: Режим аутентификации
128 field_auth_source: Режим аутентификации
129 field_base_dn: BaseDN
129 field_base_dn: BaseDN
130 field_category: Категория
130 field_category: Категория
131 field_column_names: Колонки
131 field_column_names: Колонки
132 field_comments_sorting: Отображение комментариев
132 field_comments_sorting: Отображение комментариев
133 field_comments: Комментарий
133 field_comments: Комментарий
134 field_created_on: Создан
134 field_created_on: Создан
135 field_default_value: Значение по умолчанию
135 field_default_value: Значение по умолчанию
136 field_delay: Отложить
136 field_delay: Отложить
137 field_description: Описание
137 field_description: Описание
138 field_done_ratio: Готовность в %%
138 field_done_ratio: Готовность в %%
139 field_downloads: Загрузки
139 field_downloads: Загрузки
140 field_due_date: Дата выполнения
140 field_due_date: Дата выполнения
141 field_effective_date: Дата
141 field_effective_date: Дата
142 field_estimated_hours: Оцененное время
142 field_estimated_hours: Оцененное время
143 field_field_format: Формат
143 field_field_format: Формат
144 field_filename: Файл
144 field_filename: Файл
145 field_filesize: Размер
145 field_filesize: Размер
146 field_firstname: Имя
146 field_firstname: Имя
147 field_fixed_version: Версия
147 field_fixed_version: Версия
148 field_hide_mail: Скрывать мой email
148 field_hide_mail: Скрывать мой email
149 field_homepage: Стартовая страница
149 field_homepage: Стартовая страница
150 field_host: Компьютер
150 field_host: Компьютер
151 field_hours: час(а,ов)
151 field_hours: час(а,ов)
152 field_identifier: Уникальный идентификатор
152 field_identifier: Уникальный идентификатор
153 field_is_closed: Задача закрыта
153 field_is_closed: Задача закрыта
154 field_is_default: Значение по умолчанию
154 field_is_default: Значение по умолчанию
155 field_is_filter: Используется в качестве фильтра
155 field_is_filter: Используется в качестве фильтра
156 field_is_for_all: Для всех проектов
156 field_is_for_all: Для всех проектов
157 field_is_in_chlog: Задачи, отображаемые в журнале изменений
157 field_is_in_chlog: Задачи, отображаемые в журнале изменений
158 field_is_in_roadmap: Задачи, отображаемые в оперативном плане
158 field_is_in_roadmap: Задачи, отображаемые в оперативном плане
159 field_is_public: Общедоступный
159 field_is_public: Общедоступный
160 field_is_required: Обязательное
160 field_is_required: Обязательное
161 field_issue_to_id: Связанные задачи
161 field_issue_to_id: Связанные задачи
162 field_issue: Задача
162 field_issue: Задача
163 field_language: Язык
163 field_language: Язык
164 field_last_login_on: Последнее подключение
164 field_last_login_on: Последнее подключение
165 field_lastname: Фамилия
165 field_lastname: Фамилия
166 field_login: Пользователь
166 field_login: Пользователь
167 field_mail: Email
167 field_mail: Email
168 field_mail_notification: Уведомления по email
168 field_mail_notification: Уведомления по email
169 field_max_length: Максимальная длина
169 field_max_length: Максимальная длина
170 field_min_length: Минимальная длина
170 field_min_length: Минимальная длина
171 field_name: Имя
171 field_name: Имя
172 field_new_password: Новый пароль
172 field_new_password: Новый пароль
173 field_notes: Примечания
173 field_notes: Примечания
174 field_onthefly: Создание пользователя на лету
174 field_onthefly: Создание пользователя на лету
175 field_parent_title: Родительская страница
175 field_parent_title: Родительская страница
176 field_parent: Родительский проект
176 field_parent: Родительский проект
177 field_password_confirmation: Подтверждение
177 field_password_confirmation: Подтверждение
178 field_password: Пароль
178 field_password: Пароль
179 field_port: Порт
179 field_port: Порт
180 field_possible_values: Возможные значения
180 field_possible_values: Возможные значения
181 field_priority: Приоритет
181 field_priority: Приоритет
182 field_project: Проект
182 field_project: Проект
183 field_redirect_existing_links: Перенаправить существующие ссылки
183 field_redirect_existing_links: Перенаправить существующие ссылки
184 field_regexp: Регулярное выражение
184 field_regexp: Регулярное выражение
185 field_role: Роль
185 field_role: Роль
186 field_searchable: Доступно для поиска
186 field_searchable: Доступно для поиска
187 field_spent_on: Дата
187 field_spent_on: Дата
188 field_start_date: Начало
188 field_start_date: Начало
189 field_start_page: Стартовая страница
189 field_start_page: Стартовая страница
190 field_status: Статус
190 field_status: Статус
191 field_subject: Тема
191 field_subject: Тема
192 field_subproject: Подпроект
192 field_subproject: Подпроект
193 field_summary: Сводка
193 field_summary: Сводка
194 field_time_zone: Часовой пояс
194 field_time_zone: Часовой пояс
195 field_title: Название
195 field_title: Название
196 field_tracker: Трекер
196 field_tracker: Трекер
197 field_type: Тип
197 field_type: Тип
198 field_updated_on: Обновлено
198 field_updated_on: Обновлено
199 field_url: URL
199 field_url: URL
200 field_user: Пользователь
200 field_user: Пользователь
201 field_value: Значение
201 field_value: Значение
202 field_version: Версия
202 field_version: Версия
203
203
204 general_csv_decimal_separator: '.'
204 general_csv_decimal_separator: '.'
205 general_csv_encoding: UTF-8
205 general_csv_encoding: UTF-8
206 general_csv_separator: ','
206 general_csv_separator: ','
207 general_day_names: Понедельник,Вторник,Среда,Четверг,Пятница,Суббота,Воскресенье
207 general_day_names: Понедельник,Вторник,Среда,Четверг,Пятница,Суббота,Воскресенье
208 general_first_day_of_week: '1'
208 general_first_day_of_week: '1'
209 general_fmt_age: %d г.
209 general_fmt_age: %d г.
210 general_fmt_age_plural2: %d гг.
210 general_fmt_age_plural2: %d гг.
211 general_fmt_age_plural5: %d гг.
211 general_fmt_age_plural5: %d гг.
212 general_fmt_age_plural: %d лет
212 general_fmt_age_plural: %d лет
213 general_fmt_date: %%d.%%m.%%Y
213 general_fmt_date: %%d.%%m.%%Y
214 general_fmt_datetime: %%d.%%m.%%Y %%I:%%M %%p
214 general_fmt_datetime: %%d.%%m.%%Y %%I:%%M %%p
215 general_fmt_datetime_short: %%d %%b, %%H:%%M
215 general_fmt_datetime_short: %%d %%b, %%H:%%M
216 general_fmt_time: %%H:%%M
216 general_fmt_time: %%H:%%M
217 general_lang_name: 'Russian (Русский)'
217 general_lang_name: 'Russian (Русский)'
218 general_pdf_encoding: UTF-8
218 general_pdf_encoding: UTF-8
219 general_text_no: 'Нет'
219 general_text_no: 'Нет'
220 general_text_No: 'Нет'
220 general_text_No: 'Нет'
221 general_text_yes: 'Да'
221 general_text_yes: 'Да'
222 general_text_Yes: 'Да'
222 general_text_Yes: 'Да'
223
223
224 gui_validation_error: 1 ошибка
224 gui_validation_error: 1 ошибка
225 gui_validation_error_plural2: %d ошибки
225 gui_validation_error_plural2: %d ошибки
226 gui_validation_error_plural5: %d ошибок
226 gui_validation_error_plural5: %d ошибок
227 gui_validation_error_plural: %d ошибок
227 gui_validation_error_plural: %d ошибок
228
228
229 label_activity: Активность
229 label_activity: Активность
230 label_add_another_file: Добавить ещё один файл
230 label_add_another_file: Добавить ещё один файл
231 label_added_time_by: Добавил(а) %s %s назад
231 label_added_time_by: Добавил(а) %s %s назад
232 label_added: добавлено
232 label_added: добавлено
233 label_add_note: Добавить замечание
233 label_add_note: Добавить замечание
234 label_administration: Администрирование
234 label_administration: Администрирование
235 label_age: Возраст
235 label_age: Возраст
236 label_ago: дней(я) назад
236 label_ago: дней(я) назад
237 label_all_time: всё время
237 label_all_time: всё время
238 label_all_words: Все слова
238 label_all_words: Все слова
239 label_all: все
239 label_all: все
240 label_and_its_subprojects: %s и все подпроекты
240 label_and_its_subprojects: %s и все подпроекты
241 label_applied_status: Применимый статус
241 label_applied_status: Применимый статус
242 label_assigned_to_me_issues: Мои задачи
242 label_assigned_to_me_issues: Мои задачи
243 label_associated_revisions: Связанные редакции
243 label_associated_revisions: Связанные редакции
244 label_attachment_delete: Удалить файл
244 label_attachment_delete: Удалить файл
245 label_attachment_new: Новый файл
245 label_attachment_new: Новый файл
246 label_attachment_plural: Файлы
246 label_attachment_plural: Файлы
247 label_attachment: Файл
247 label_attachment: Файл
248 label_attribute_plural: Атрибуты
248 label_attribute_plural: Атрибуты
249 label_attribute: Атрибут
249 label_attribute: Атрибут
250 label_authentication: Аутентификация
250 label_authentication: Аутентификация
251 label_auth_source_new: Новый режим аутентификации
251 label_auth_source_new: Новый режим аутентификации
252 label_auth_source_plural: Режимы аутентификации
252 label_auth_source_plural: Режимы аутентификации
253 label_auth_source: Режим аутентификации
253 label_auth_source: Режим аутентификации
254 label_blocked_by: заблокировано
254 label_blocked_by: заблокировано
255 label_blocks: блокирует
255 label_blocks: блокирует
256 label_board_new: Новый форум
256 label_board_new: Новый форум
257 label_board_plural: Форумы
257 label_board_plural: Форумы
258 label_board: Форум
258 label_board: Форум
259 label_boolean: Логический
259 label_boolean: Логический
260 label_browse: Обзор
260 label_browse: Обзор
261 label_bulk_edit_selected_issues: Редактировать все выбранные вопросы
261 label_bulk_edit_selected_issues: Редактировать все выбранные вопросы
262 label_calendar_filter: Включая
262 label_calendar_filter: Включая
263 label_calendar_no_assigned: не мои
263 label_calendar_no_assigned: не мои
264 label_calendar: Календарь
264 label_calendar: Календарь
265 label_change_log: Журнал изменений
265 label_change_log: Журнал изменений
266 label_change_plural: Правки
266 label_change_plural: Правки
267 label_change_properties: Изменить свойства
267 label_change_properties: Изменить свойства
268 label_changes_details: Подробности по всем изменениям
268 label_changes_details: Подробности по всем изменениям
269 label_changeset_plural: Хранилище
269 label_changeset_plural: Хранилище
270 label_change_status: Изменить статус
270 label_change_status: Изменить статус
271 label_change_view_all: Просмотреть все изменения
271 label_change_view_all: Просмотреть все изменения
272 label_chronological_order: В хронологическом порядке
272 label_chronological_order: В хронологическом порядке
273 label_closed_issues_plural2: закрыто
273 label_closed_issues_plural2: закрыто
274 label_closed_issues_plural5: закрыто
274 label_closed_issues_plural5: закрыто
275 label_closed_issues_plural: закрыто
275 label_closed_issues_plural: закрыто
276 label_closed_issues: закрыт
276 label_closed_issues: закрыт
277 label_comment_added: Добавленный комментарий
277 label_comment_added: Добавленный комментарий
278 label_comment_add: Оставить комментарий
278 label_comment_add: Оставить комментарий
279 label_comment_delete: Удалить комментарии
279 label_comment_delete: Удалить комментарии
280 label_comment_plural2: комментария
280 label_comment_plural2: комментария
281 label_comment_plural5: комментариев
281 label_comment_plural5: комментариев
282 label_comment_plural: Комментарии
282 label_comment_plural: Комментарии
283 label_comment: комментарий
283 label_comment: комментарий
284 label_commits_per_author: Изменений на пользователя
284 label_commits_per_author: Изменений на пользователя
285 label_commits_per_month: Изменений в месяц
285 label_commits_per_month: Изменений в месяц
286 label_confirmation: Подтверждение
286 label_confirmation: Подтверждение
287 label_contains: содержит
287 label_contains: содержит
288 label_copied: скопировано
288 label_copy_workflow_from: Скопировать последовательность действий из
289 label_copy_workflow_from: Скопировать последовательность действий из
289 label_current_status: Текущий статус
290 label_current_status: Текущий статус
290 label_current_version: Текущая версия
291 label_current_version: Текущая версия
291 label_custom_field_new: Новое настраиваемое поле
292 label_custom_field_new: Новое настраиваемое поле
292 label_custom_field_plural: Настраиваемые поля
293 label_custom_field_plural: Настраиваемые поля
293 label_custom_field: Настраиваемое поле
294 label_custom_field: Настраиваемое поле
294 label_date_from: С
295 label_date_from: С
295 label_date_range: временной интервал
296 label_date_range: временной интервал
296 label_date_to: по
297 label_date_to: по
297 label_date: Дата
298 label_date: Дата
298 label_day_plural: дней(я)
299 label_day_plural: дней(я)
299 label_default_columns: Колонки по умолчанию
300 label_default_columns: Колонки по умолчанию
300 label_default: По умолчанию
301 label_default: По умолчанию
301 label_deleted: удалено
302 label_deleted: удалено
302 label_details: Подробности
303 label_details: Подробности
303 label_diff_inline: вставкой
304 label_diff_inline: вставкой
304 label_diff_side_by_side: рядом
305 label_diff_side_by_side: рядом
305 label_disabled: отключено
306 label_disabled: отключено
306 label_display_per_page: 'На страницу: %s'
307 label_display_per_page: 'На страницу: %s'
307 label_document_added: Документ добавлен
308 label_document_added: Документ добавлен
308 label_document_new: Новый документ
309 label_document_new: Новый документ
309 label_document_plural: Документы
310 label_document_plural: Документы
310 label_document: Документ
311 label_document: Документ
311 label_download: %d загрузка
312 label_download: %d загрузка
312 label_download_plural2: %d загрузки
313 label_download_plural2: %d загрузки
313 label_download_plural5: %d загрузок
314 label_download_plural5: %d загрузок
314 label_download_plural: %d скачиваний
315 label_download_plural: %d скачиваний
315 label_downloads_abbr: Скачиваний
316 label_downloads_abbr: Скачиваний
316 label_duplicated_by: дублируется
317 label_duplicated_by: дублируется
317 label_duplicates: дублирует
318 label_duplicates: дублирует
318 label_end_to_end: с конца к концу
319 label_end_to_end: с конца к концу
319 label_end_to_start: с конца к началу
320 label_end_to_start: с конца к началу
320 label_enumeration_new: Новое значение
321 label_enumeration_new: Новое значение
321 label_enumerations: Справочники
322 label_enumerations: Справочники
322 label_environment: Окружение
323 label_environment: Окружение
323 label_equals: соответствует
324 label_equals: соответствует
324 label_export_to: Экспортировать в
325 label_export_to: Экспортировать в
325 label_feed_plural: Вводы
326 label_feed_plural: Вводы
326 label_feeds_access_key_created_on: Ключ доступа RSS создан %s назад
327 label_feeds_access_key_created_on: Ключ доступа RSS создан %s назад
327 label_f_hour: %.2f час
328 label_f_hour: %.2f час
328 label_f_hour_plural2: %.2f часа
329 label_f_hour_plural2: %.2f часа
329 label_f_hour_plural: %.2f часов
330 label_f_hour_plural: %.2f часов
330 label_f_hour_plural5: %.2f часов
331 label_f_hour_plural5: %.2f часов
331 label_file_added: Файл добавлен
332 label_file_added: Файл добавлен
332 label_file_plural: Файлы
333 label_file_plural: Файлы
333 label_filter_add: Добавить фильтр
334 label_filter_add: Добавить фильтр
334 label_filter_plural: Фильтры
335 label_filter_plural: Фильтры
335 label_float: С плавающей точкой
336 label_float: С плавающей точкой
336 label_follows: следующий
337 label_follows: следующий
337 label_gantt: Диаграмма Ганта
338 label_gantt: Диаграмма Ганта
338 label_general: Общее
339 label_general: Общее
339 label_generate_key: Сгенерировать ключ
340 label_generate_key: Сгенерировать ключ
340 label_help: Помощь
341 label_help: Помощь
341 label_history: История
342 label_history: История
342 label_home: Домашняя страница
343 label_home: Домашняя страница
343 label_incoming_emails: Приём сообщений
344 label_incoming_emails: Приём сообщений
344 label_index_by_date: Индекс по дате
345 label_index_by_date: Индекс по дате
345 label_index_by_title: Индекс по названию
346 label_index_by_title: Индекс по названию
346 label_information_plural: Информация
347 label_information_plural: Информация
347 label_information: Информация
348 label_information: Информация
348 label_in_less_than: менее чем
349 label_in_less_than: менее чем
349 label_in_more_than: более чем
350 label_in_more_than: более чем
350 label_integer: Целый
351 label_integer: Целый
351 label_internal: Внутренний
352 label_internal: Внутренний
352 label_in: в
353 label_in: в
353 label_issue_added: Задача добавлена
354 label_issue_added: Задача добавлена
354 label_issue_category_new: Новая категория
355 label_issue_category_new: Новая категория
355 label_issue_category_plural: Категории задачи
356 label_issue_category_plural: Категории задачи
356 label_issue_category: Категория задачи
357 label_issue_category: Категория задачи
357 label_issue_new: Новая задача
358 label_issue_new: Новая задача
358 label_issue_plural: Задачи
359 label_issue_plural: Задачи
359 label_issues_by: Сортировать по %s
360 label_issues_by: Сортировать по %s
360 label_issue_status_new: Новый статус
361 label_issue_status_new: Новый статус
361 label_issue_status_plural: Статусы задачи
362 label_issue_status_plural: Статусы задачи
362 label_issue_status: Статус задачи
363 label_issue_status: Статус задачи
363 label_issue_tracking: Ситуация по задачам
364 label_issue_tracking: Ситуация по задачам
364 label_issue_updated: Задача обновлена
365 label_issue_updated: Задача обновлена
365 label_issue_view_all: Просмотреть все задачи
366 label_issue_view_all: Просмотреть все задачи
366 label_issue_watchers: Наблюдатели
367 label_issue_watchers: Наблюдатели
367 label_issue: Задача
368 label_issue: Задача
368 label_jump_to_a_project: Перейти к проекту...
369 label_jump_to_a_project: Перейти к проекту...
369 label_language_based: На основе языка
370 label_language_based: На основе языка
370 label_last_changes: менее %d изменений
371 label_last_changes: менее %d изменений
371 label_last_login: Последнее подключение
372 label_last_login: Последнее подключение
372 label_last_month: последний месяц
373 label_last_month: последний месяц
373 label_last_n_days: последние %d дней
374 label_last_n_days: последние %d дней
374 label_last_updates_plural2: %d последних обновления
375 label_last_updates_plural2: %d последних обновления
375 label_last_updates_plural5: %d последних обновлений
376 label_last_updates_plural5: %d последних обновлений
376 label_last_updates_plural: %d последние обновления
377 label_last_updates_plural: %d последние обновления
377 label_last_updates: Последнее обновление
378 label_last_updates: Последнее обновление
378 label_last_week: последняя неделю
379 label_last_week: последняя неделю
379 label_latest_revision_plural: Последние редакции
380 label_latest_revision_plural: Последние редакции
380 label_latest_revision: Последняя редакция
381 label_latest_revision: Последняя редакция
381 label_ldap_authentication: Авторизация с помощью LDAP
382 label_ldap_authentication: Авторизация с помощью LDAP
382 label_less_than_ago: менее, чем дней(я) назад
383 label_less_than_ago: менее, чем дней(я) назад
383 label_list: Список
384 label_list: Список
384 label_loading: Загрузка...
385 label_loading: Загрузка...
385 label_logged_as: Вошел как
386 label_logged_as: Вошел как
386 label_login: Войти
387 label_login: Войти
387 label_logout: Выйти
388 label_logout: Выйти
388 label_max_size: Максимальный размер
389 label_max_size: Максимальный размер
389 label_member_new: Новый участник
390 label_member_new: Новый участник
390 label_member_plural: Участники
391 label_member_plural: Участники
391 label_member: Участник
392 label_member: Участник
392 label_message_last: Последнее сообщение
393 label_message_last: Последнее сообщение
393 label_message_new: Новое сообщение
394 label_message_new: Новое сообщение
394 label_message_plural: Сообщения
395 label_message_plural: Сообщения
395 label_message_posted: Сообщение добавлено
396 label_message_posted: Сообщение добавлено
396 label_me: мне
397 label_me: мне
397 label_min_max_length: Минимальная - максимальная длина
398 label_min_max_length: Минимальная - максимальная длина
398 label_modification: %d изменение
399 label_modification: %d изменение
399 label_modification_plural2: %d изменения
400 label_modification_plural2: %d изменения
400 label_modification_plural5: %d изменений
401 label_modification_plural5: %d изменений
401 label_modification_plural: %d изменений
402 label_modification_plural: %d изменений
402 label_modified: изменено
403 label_modified: изменено
403 label_module_plural: Модули
404 label_module_plural: Модули
404 label_months_from: месяцев(ца) с
405 label_months_from: месяцев(ца) с
405 label_month: Месяц
406 label_month: Месяц
406 label_more_than_ago: более, чем дней(я) назад
407 label_more_than_ago: более, чем дней(я) назад
407 label_more: Больше
408 label_more: Больше
408 label_my_account: Моя учетная запись
409 label_my_account: Моя учетная запись
409 label_my_page: Моя страница
410 label_my_page: Моя страница
410 label_my_projects: Мои проекты
411 label_my_projects: Мои проекты
411 label_news_added: Новость добавлена
412 label_news_added: Новость добавлена
412 label_news_latest: Последние новости
413 label_news_latest: Последние новости
413 label_news_new: Добавить новость
414 label_news_new: Добавить новость
414 label_news_plural: Новости
415 label_news_plural: Новости
415 label_new_statuses_allowed: Разрешены новые статусы
416 label_new_statuses_allowed: Разрешены новые статусы
416 label_news_view_all: Посмотреть все новости
417 label_news_view_all: Посмотреть все новости
417 label_news: Новости
418 label_news: Новости
418 label_new: Новый
419 label_new: Новый
419 label_next: Следующий
420 label_next: Следующий
420 label_nobody: никто
421 label_nobody: никто
421 label_no_change_option: (Нет изменений)
422 label_no_change_option: (Нет изменений)
422 label_no_data: Нет данных для отображения
423 label_no_data: Нет данных для отображения
423 label_none: отсутствует
424 label_none: отсутствует
424 label_not_contains: не содержит
425 label_not_contains: не содержит
425 label_not_equals: не соответствует
426 label_not_equals: не соответствует
426 label_on: 'из'
427 label_on: 'из'
427 label_open_issues_plural2: открыто
428 label_open_issues_plural2: открыто
428 label_open_issues_plural5: открыто
429 label_open_issues_plural5: открыто
429 label_open_issues_plural: открыто
430 label_open_issues_plural: открыто
430 label_open_issues: открыт
431 label_open_issues: открыт
431 label_optional_description: Описание (опционально)
432 label_optional_description: Описание (опционально)
432 label_options: Опции
433 label_options: Опции
433 label_overall_activity: Сводная активность
434 label_overall_activity: Сводная активность
434 label_overview: Просмотр
435 label_overview: Просмотр
435 label_password_lost: Восстановление пароля
436 label_password_lost: Восстановление пароля
436 label_permissions_report: Отчет о правах доступа
437 label_permissions_report: Отчет о правах доступа
437 label_permissions: Права доступа
438 label_permissions: Права доступа
438 label_per_page: На страницу
439 label_per_page: На страницу
439 label_personalize_page: Персонализировать данную страницу
440 label_personalize_page: Персонализировать данную страницу
440 label_planning: Планирование
441 label_planning: Планирование
441 label_please_login: Пожалуйста, войдите.
442 label_please_login: Пожалуйста, войдите.
442 label_plugins: Модули
443 label_plugins: Модули
443 label_precedes: предшествует
444 label_precedes: предшествует
444 label_preferences: Предпочтения
445 label_preferences: Предпочтения
445 label_preview: Предварительный просмотр
446 label_preview: Предварительный просмотр
446 label_previous: Предыдущий
447 label_previous: Предыдущий
447 label_project_all: Все проекты
448 label_project_all: Все проекты
448 label_project_latest: Последние проекты
449 label_project_latest: Последние проекты
449 label_project_new: Новый проект
450 label_project_new: Новый проект
450 label_project_plural2: проекта
451 label_project_plural2: проекта
451 label_project_plural5: проектов
452 label_project_plural5: проектов
452 label_project_plural: Проекты
453 label_project_plural: Проекты
453 label_project: проект
454 label_project: проект
454 label_public_projects: Общие проекты
455 label_public_projects: Общие проекты
455 label_query_new: Новый запрос
456 label_query_new: Новый запрос
456 label_query_plural: Сохраненные запросы
457 label_query_plural: Сохраненные запросы
457 label_query: Сохраненный запрос
458 label_query: Сохраненный запрос
458 label_read: Чтение...
459 label_read: Чтение...
459 label_registered_on: Зарегистрирован(а)
460 label_registered_on: Зарегистрирован(а)
460 label_register: Регистрация
461 label_register: Регистрация
461 label_registration_activation_by_email: активация учетных записей по email
462 label_registration_activation_by_email: активация учетных записей по email
462 label_registration_automatic_activation: автоматическая активация учетных записей
463 label_registration_automatic_activation: автоматическая активация учетных записей
463 label_registration_manual_activation: активировать учетные записи вручную
464 label_registration_manual_activation: активировать учетные записи вручную
464 label_related_issues: Связанные задачи
465 label_related_issues: Связанные задачи
465 label_relates_to: связана с
466 label_relates_to: связана с
466 label_relation_delete: Удалить связь
467 label_relation_delete: Удалить связь
467 label_relation_new: Новое отношение
468 label_relation_new: Новое отношение
469 label_renamed: переименовано
468 label_reply_plural: Ответы
470 label_reply_plural: Ответы
469 label_reported_issues: Созданные задачи
471 label_reported_issues: Созданные задачи
470 label_report_plural: Отчеты
472 label_report_plural: Отчеты
471 label_report: Отчет
473 label_report: Отчет
472 label_repository_plural: Хранилища
474 label_repository_plural: Хранилища
473 label_repository: Хранилище
475 label_repository: Хранилище
474 label_result_plural: Результаты
476 label_result_plural: Результаты
475 label_reverse_chronological_order: В обратном порядке
477 label_reverse_chronological_order: В обратном порядке
476 label_revision_plural: Редакции
478 label_revision_plural: Редакции
477 label_revision: Редакция
479 label_revision: Редакция
478 label_roadmap_due_in: Вовремя
480 label_roadmap_due_in: Вовремя
479 label_roadmap_no_issues: Нет задач для данной версии
481 label_roadmap_no_issues: Нет задач для данной версии
480 label_roadmap_overdue: %s опоздание
482 label_roadmap_overdue: %s опоздание
481 label_roadmap: Оперативный план
483 label_roadmap: Оперативный план
482 label_role_and_permissions: Роли и права доступа
484 label_role_and_permissions: Роли и права доступа
483 label_role_new: Новая роль
485 label_role_new: Новая роль
484 label_role_plural: Роли
486 label_role_plural: Роли
485 label_role: Роль
487 label_role: Роль
486 label_scm: 'Тип хранилища'
488 label_scm: 'Тип хранилища'
487 label_search_titles_only: Искать только в названиях
489 label_search_titles_only: Искать только в названиях
488 label_search: Поиск
490 label_search: Поиск
489 label_send_information: Отправить пользователю информацию по учетной записи
491 label_send_information: Отправить пользователю информацию по учетной записи
490 label_send_test_email: Послать email для проверки
492 label_send_test_email: Послать email для проверки
491 label_settings: Настройки
493 label_settings: Настройки
492 label_show_completed_versions: Показать завершенную версию
494 label_show_completed_versions: Показать завершенную версию
493 label_sort_by: Сортировать по %s
495 label_sort_by: Сортировать по %s
494 label_sort_higher: Вверх
496 label_sort_higher: Вверх
495 label_sort_highest: В начало
497 label_sort_highest: В начало
496 label_sort_lower: Вниз
498 label_sort_lower: Вниз
497 label_sort_lowest: В конец
499 label_sort_lowest: В конец
498 label_spent_time: Затраченное время
500 label_spent_time: Затраченное время
499 label_start_to_end: с начала к концу
501 label_start_to_end: с начала к концу
500 label_start_to_start: с начала к началу
502 label_start_to_start: с начала к началу
501 label_statistics: Статистика
503 label_statistics: Статистика
502 label_stay_logged_in: Оставаться в системе
504 label_stay_logged_in: Оставаться в системе
503 label_string: Текст
505 label_string: Текст
504 label_subproject_plural: Подпроекты
506 label_subproject_plural: Подпроекты
505 label_text: Длинный текст
507 label_text: Длинный текст
506 label_theme: Тема
508 label_theme: Тема
507 label_this_month: этот месяц
509 label_this_month: этот месяц
508 label_this_week: на этой неделе
510 label_this_week: на этой неделе
509 label_this_year: этот год
511 label_this_year: этот год
510 label_timelog_today: Расход времени на сегодня
512 label_timelog_today: Расход времени на сегодня
511 label_time_tracking: Учет времени
513 label_time_tracking: Учет времени
512 label_today: сегодня
514 label_today: сегодня
513 label_topic_plural: Темы
515 label_topic_plural: Темы
514 label_total: Всего
516 label_total: Всего
515 label_tracker_new: Новый трекер
517 label_tracker_new: Новый трекер
516 label_tracker_plural: Трекеры
518 label_tracker_plural: Трекеры
517 label_tracker: Трекер
519 label_tracker: Трекер
518 label_updated_time: Обновлен %s назад
520 label_updated_time: Обновлен %s назад
519 label_used_by: Используется
521 label_used_by: Используется
520 label_user_mail_no_self_notified: "Не извещать об изменениях, которые я сделал сам"
522 label_user_mail_no_self_notified: "Не извещать об изменениях, которые я сделал сам"
521 label_user_mail_option_all: всех событиях во всех моих проектах"
523 label_user_mail_option_all: всех событиях во всех моих проектах"
522 label_user_mail_option_none: "Только о тех событиях, которые я отслеживаю или в которых я участвую"
524 label_user_mail_option_none: "Только о тех событиях, которые я отслеживаю или в которых я участвую"
523 label_user_mail_option_selected: всех событиях только в выбранном проекте..."
525 label_user_mail_option_selected: всех событиях только в выбранном проекте..."
524 label_user_new: Новый пользователь
526 label_user_new: Новый пользователь
525 label_user_plural: Пользователи
527 label_user_plural: Пользователи
526 label_user: Пользователь
528 label_user: Пользователь
527 label_version_new: Новая версия
529 label_version_new: Новая версия
528 label_version_plural: Версии
530 label_version_plural: Версии
529 label_version: Версия
531 label_version: Версия
530 label_view_diff: Просмотреть отличия
532 label_view_diff: Просмотреть отличия
531 label_view_revisions: Просмотреть редакции
533 label_view_revisions: Просмотреть редакции
532 label_watched_issues: Отслеживаемые задачи
534 label_watched_issues: Отслеживаемые задачи
533 label_week: Неделя
535 label_week: Неделя
534 label_wiki_edit_plural: Редактирования Wiki
536 label_wiki_edit_plural: Редактирования Wiki
535 label_wiki_edit: Редактирование Wiki
537 label_wiki_edit: Редактирование Wiki
536 label_wiki_page_plural: Страницы Wiki
538 label_wiki_page_plural: Страницы Wiki
537 label_wiki_page: Страница Wiki
539 label_wiki_page: Страница Wiki
538 label_wiki: Wiki
540 label_wiki: Wiki
539 label_workflow: Последовательность действий
541 label_workflow: Последовательность действий
540 label_year: Год
542 label_year: Год
541 label_yesterday: вчера
543 label_yesterday: вчера
542
544
543 mail_body_account_activation_request: 'Зарегистрирован новый пользователь (%s). Учетная запись ожидает Вашего утверждения:'
545 mail_body_account_activation_request: 'Зарегистрирован новый пользователь (%s). Учетная запись ожидает Вашего утверждения:'
544 mail_body_account_information_external: Вы можете использовать Вашу "%s" учетную запись для входа.
546 mail_body_account_information_external: Вы можете использовать Вашу "%s" учетную запись для входа.
545 mail_body_account_information: Информация о Вашей учетной записи
547 mail_body_account_information: Информация о Вашей учетной записи
546 mail_body_lost_password: 'Для изменения пароля зайдите по следующей ссылке:'
548 mail_body_lost_password: 'Для изменения пароля зайдите по следующей ссылке:'
547 mail_body_register: 'Для активации учетной записи зайдите по следующей ссылке:'
549 mail_body_register: 'Для активации учетной записи зайдите по следующей ссылке:'
548 mail_body_reminder: "%d назначенных на Вас задач на следующие %d дней:"
550 mail_body_reminder: "%d назначенных на Вас задач на следующие %d дней:"
549 mail_subject_account_activation_request: Запрос на активацию пользователя в системе %s
551 mail_subject_account_activation_request: Запрос на активацию пользователя в системе %s
550 mail_subject_lost_password: Ваш %s пароль
552 mail_subject_lost_password: Ваш %s пароль
551 mail_subject_register: Активация учетной записи %s
553 mail_subject_register: Активация учетной записи %s
552 mail_subject_reminder: "%d назначенных на Вас задач в ближайшие дни"
554 mail_subject_reminder: "%d назначенных на Вас задач в ближайшие дни"
553
555
554 notice_account_activated: Ваша учетная запись активирована. Вы можете войти.
556 notice_account_activated: Ваша учетная запись активирована. Вы можете войти.
555 notice_account_invalid_creditentials: Неправильное имя пользователя или пароль
557 notice_account_invalid_creditentials: Неправильное имя пользователя или пароль
556 notice_account_lost_email_sent: Вам отправлено письмо с инструкциями по выбору нового пароля.
558 notice_account_lost_email_sent: Вам отправлено письмо с инструкциями по выбору нового пароля.
557 notice_account_password_updated: Пароль успешно обновлен.
559 notice_account_password_updated: Пароль успешно обновлен.
558 notice_account_pending: "Ваша учетная запись уже создана и ожидает подтверждения администратора."
560 notice_account_pending: "Ваша учетная запись уже создана и ожидает подтверждения администратора."
559 notice_account_register_done: Учетная запись успешно создана. Для активации Вашей учетной записи зайдите по ссылке, которая выслана Вам по электронной почте.
561 notice_account_register_done: Учетная запись успешно создана. Для активации Вашей учетной записи зайдите по ссылке, которая выслана Вам по электронной почте.
560 notice_account_unknown_email: Неизвестный пользователь.
562 notice_account_unknown_email: Неизвестный пользователь.
561 notice_account_updated: Учетная запись успешно обновлена.
563 notice_account_updated: Учетная запись успешно обновлена.
562 notice_account_wrong_password: Неверный пароль
564 notice_account_wrong_password: Неверный пароль
563 notice_can_t_change_password: Для данной учетной записи используется источник внешней аутентификации. Невозможно изменить пароль.
565 notice_can_t_change_password: Для данной учетной записи используется источник внешней аутентификации. Невозможно изменить пароль.
564 notice_default_data_loaded: Была загружена конфигурация по умолчанию.
566 notice_default_data_loaded: Была загружена конфигурация по умолчанию.
565 notice_email_error: Во время отправки письма произошла ошибка (%s)
567 notice_email_error: Во время отправки письма произошла ошибка (%s)
566 notice_email_sent: Отправлено письмо %s
568 notice_email_sent: Отправлено письмо %s
567 notice_failed_to_save_issues: "Не удалось сохранить %d пункт(ов) из %d выбранных: %s."
569 notice_failed_to_save_issues: "Не удалось сохранить %d пункт(ов) из %d выбранных: %s."
568 notice_feeds_access_key_reseted: Ваш ключ доступа RSS был перезапущен.
570 notice_feeds_access_key_reseted: Ваш ключ доступа RSS был перезапущен.
569 notice_file_not_found: Страница, на которую Вы пытаетесь зайти, не существует или удалена.
571 notice_file_not_found: Страница, на которую Вы пытаетесь зайти, не существует или удалена.
570 notice_locking_conflict: Информация обновлена другим пользователем.
572 notice_locking_conflict: Информация обновлена другим пользователем.
571 notice_no_issue_selected: "Не выбрано ни одной задачи! Пожалуйста, отметьте задачи, которые Вы хотите отредактировать."
573 notice_no_issue_selected: "Не выбрано ни одной задачи! Пожалуйста, отметьте задачи, которые Вы хотите отредактировать."
572 notice_not_authorized: У Вас нет прав для посещения данной страницы.
574 notice_not_authorized: У Вас нет прав для посещения данной страницы.
573 notice_successful_connection: Подключение успешно установлено.
575 notice_successful_connection: Подключение успешно установлено.
574 notice_successful_create: Создание успешно завершено.
576 notice_successful_create: Создание успешно завершено.
575 notice_successful_delete: Удаление успешно завершено.
577 notice_successful_delete: Удаление успешно завершено.
576 notice_successful_update: Обновление успешно завершено.
578 notice_successful_update: Обновление успешно завершено.
577 notice_unable_delete_version: Невозможно удалить версию.
579 notice_unable_delete_version: Невозможно удалить версию.
578
580
579 project_module_boards: Форумы
581 project_module_boards: Форумы
580 project_module_documents: Документы
582 project_module_documents: Документы
581 project_module_files: Файлы
583 project_module_files: Файлы
582 project_module_issue_tracking: Задачи
584 project_module_issue_tracking: Задачи
583 project_module_news: Новостной блок
585 project_module_news: Новостной блок
584 project_module_repository: Хранилище
586 project_module_repository: Хранилище
585 project_module_time_tracking: Учет времени
587 project_module_time_tracking: Учет времени
586 project_module_wiki: Wiki
588 project_module_wiki: Wiki
587
589
588 setting_activity_days_default: Количество дней, отображаемых в Активности
590 setting_activity_days_default: Количество дней, отображаемых в Активности
589 setting_app_subtitle: Подзаголовок приложения
591 setting_app_subtitle: Подзаголовок приложения
590 setting_app_title: Название приложения
592 setting_app_title: Название приложения
591 setting_attachment_max_size: Максимальный размер вложения
593 setting_attachment_max_size: Максимальный размер вложения
592 setting_autofetch_changesets: Автоматически следить за изменениями хранилища
594 setting_autofetch_changesets: Автоматически следить за изменениями хранилища
593 setting_autologin: Автоматический вход
595 setting_autologin: Автоматический вход
594 setting_bcc_recipients: Использовать скрытые списки (bcc)
596 setting_bcc_recipients: Использовать скрытые списки (bcc)
595 setting_commit_fix_keywords: Назначение ключевых слов
597 setting_commit_fix_keywords: Назначение ключевых слов
596 setting_commit_logs_encoding: Кодировка комментариев в хранилище
598 setting_commit_logs_encoding: Кодировка комментариев в хранилище
597 setting_commit_ref_keywords: Ключевые слова для поиска
599 setting_commit_ref_keywords: Ключевые слова для поиска
598 setting_cross_project_issue_relations: Разрешить пересечение задач по проектам
600 setting_cross_project_issue_relations: Разрешить пересечение задач по проектам
599 setting_date_format: Формат даты
601 setting_date_format: Формат даты
600 setting_default_language: Язык по умолчанию
602 setting_default_language: Язык по умолчанию
601 setting_default_projects_public: Новые проекты являются общедоступными
603 setting_default_projects_public: Новые проекты являются общедоступными
602 setting_display_subprojects_issues: Отображение подпроектов по умолчанию
604 setting_display_subprojects_issues: Отображение подпроектов по умолчанию
603 setting_emails_footer: Подстрочные примечания Email
605 setting_emails_footer: Подстрочные примечания Email
604 setting_enabled_scm: Разрешенные SCM
606 setting_enabled_scm: Разрешенные SCM
605 setting_feeds_limit: Ограничение количества заголовков для RSS потока
607 setting_feeds_limit: Ограничение количества заголовков для RSS потока
606 setting_host_name: Имя компьютера
608 setting_host_name: Имя компьютера
607 setting_issue_list_default_columns: Колонки, отображаемые в списке задач по умолчанию
609 setting_issue_list_default_columns: Колонки, отображаемые в списке задач по умолчанию
608 setting_issues_export_limit: Ограничение по экспортируемым задачам
610 setting_issues_export_limit: Ограничение по экспортируемым задачам
609 setting_login_required: Необходима аутентификация
611 setting_login_required: Необходима аутентификация
610 setting_mail_from: email адрес для передачи информации
612 setting_mail_from: email адрес для передачи информации
611 setting_mail_handler_api_enabled: Включить веб-сервис для входящих сообщений
613 setting_mail_handler_api_enabled: Включить веб-сервис для входящих сообщений
612 setting_mail_handler_api_key: API ключ
614 setting_mail_handler_api_key: API ключ
613 setting_per_page_options: Количество строк на страницу
615 setting_per_page_options: Количество строк на страницу
614 setting_protocol: Протокол
616 setting_protocol: Протокол
615 setting_repositories_encodings: Кодировки хранилища
617 setting_repositories_encodings: Кодировки хранилища
616 setting_self_registration: Возможна саморегистрация
618 setting_self_registration: Возможна саморегистрация
617 setting_sequential_project_identifiers: Генерировать последовательные идентификаторы проектов
619 setting_sequential_project_identifiers: Генерировать последовательные идентификаторы проектов
618 setting_sys_api_enabled: Разрешить WS для управления хранилищем
620 setting_sys_api_enabled: Разрешить WS для управления хранилищем
619 setting_text_formatting: Форматирование текста
621 setting_text_formatting: Форматирование текста
620 setting_time_format: Формат времени
622 setting_time_format: Формат времени
621 setting_user_format: Формат отображения имени
623 setting_user_format: Формат отображения имени
622 setting_welcome_text: Текст приветствия
624 setting_welcome_text: Текст приветствия
623 setting_wiki_compression: Сжатие истории Wiki
625 setting_wiki_compression: Сжатие истории Wiki
624
626
625 status_active: активен
627 status_active: активен
626 status_locked: закрыт
628 status_locked: закрыт
627 status_registered: зарегистрирован
629 status_registered: зарегистрирован
628
630
629 text_are_you_sure: Подтвердите
631 text_are_you_sure: Подтвердите
630 text_assign_time_entries_to_project: Прикрепить зарегистрированное время к проекту
632 text_assign_time_entries_to_project: Прикрепить зарегистрированное время к проекту
631 text_caracters_maximum: Максимум %d символов(а).
633 text_caracters_maximum: Максимум %d символов(а).
632 text_caracters_minimum: Должно быть не менее %d символов.
634 text_caracters_minimum: Должно быть не менее %d символов.
633 text_comma_separated: Допустимы несколько значений (через запятую).
635 text_comma_separated: Допустимы несколько значений (через запятую).
634 text_default_administrator_account_changed: Учетная запись администратора по умолчанию изменена
636 text_default_administrator_account_changed: Учетная запись администратора по умолчанию изменена
635 text_destroy_time_entries_question: Вы собираетесь удалить %.02f часа(ов) прикрепленных за этой задачей.
637 text_destroy_time_entries_question: Вы собираетесь удалить %.02f часа(ов) прикрепленных за этой задачей.
636 text_destroy_time_entries: Удалить зарегистрированное время
638 text_destroy_time_entries: Удалить зарегистрированное время
637 text_email_delivery_not_configured: "Параметры работы с почтовым сервером не настроены и функция уведомления по email не активна.\nНастроить параметры для Вашего SMTP-сервера Вы можете в файле config/email.yml. Для применения изменений перезапустите приложение."
639 text_email_delivery_not_configured: "Параметры работы с почтовым сервером не настроены и функция уведомления по email не активна.\nНастроить параметры для Вашего SMTP-сервера Вы можете в файле config/email.yml. Для применения изменений перезапустите приложение."
638 text_enumeration_category_reassign_to: 'Назначить им следующее значение:'
640 text_enumeration_category_reassign_to: 'Назначить им следующее значение:'
639 text_enumeration_destroy_question: '%d объект(а,ов) связаны с этим значением.'
641 text_enumeration_destroy_question: '%d объект(а,ов) связаны с этим значением.'
640 text_file_repository_writable: Хранилище с доступом на запись
642 text_file_repository_writable: Хранилище с доступом на запись
641 text_issue_added: По задаче %s был создан отчет (%s).
643 text_issue_added: По задаче %s был создан отчет (%s).
642 text_issue_category_destroy_assignments: Удалить назначения категории
644 text_issue_category_destroy_assignments: Удалить назначения категории
643 text_issue_category_destroy_question: Несколько задач (%d) назначено в данную категорию. Что Вы хотите предпринять?
645 text_issue_category_destroy_question: Несколько задач (%d) назначено в данную категорию. Что Вы хотите предпринять?
644 text_issue_category_reassign_to: Переназначить задачи для данной категории
646 text_issue_category_reassign_to: Переназначить задачи для данной категории
645 text_issues_destroy_confirmation: 'Вы уверены, что хотите удалить выбранные задачи?'
647 text_issues_destroy_confirmation: 'Вы уверены, что хотите удалить выбранные задачи?'
646 text_issues_ref_in_commit_messages: Сопоставление и изменение статуса задач исходя из текста сообщений
648 text_issues_ref_in_commit_messages: Сопоставление и изменение статуса задач исходя из текста сообщений
647 text_issue_updated: Задача %s была обновлена (%s).
649 text_issue_updated: Задача %s была обновлена (%s).
648 text_journal_changed: параметр изменился с %s на %s
650 text_journal_changed: параметр изменился с %s на %s
649 text_journal_deleted: удалено
651 text_journal_deleted: удалено
650 text_journal_set_to: параметр изменился на %s
652 text_journal_set_to: параметр изменился на %s
651 text_length_between: Длина между %d и %d символов.
653 text_length_between: Длина между %d и %d символов.
652 text_load_default_configuration: Загрузить конфигурацию по умолчанию
654 text_load_default_configuration: Загрузить конфигурацию по умолчанию
653 text_min_max_length_info: 0 означает отсутствие запретов
655 text_min_max_length_info: 0 означает отсутствие запретов
654 text_no_configuration_data: "Роли, трекеры, статусы задач и оперативный план не были сконфигурированы.\nНастоятельно рекомендуется загрузить конфигурацию по-умолчанию. Вы сможете её изменить потом."
656 text_no_configuration_data: "Роли, трекеры, статусы задач и оперативный план не были сконфигурированы.\nНастоятельно рекомендуется загрузить конфигурацию по-умолчанию. Вы сможете её изменить потом."
655 text_project_destroy_confirmation: Вы настаиваете на удалении данного проекта и всей относящейся к нему информации?
657 text_project_destroy_confirmation: Вы настаиваете на удалении данного проекта и всей относящейся к нему информации?
656 text_project_identifier_info: 'Допустимы строчные буквы (a-z), цифры и дефис.<br />Сохраненный идентификатор не может быть изменен.'
658 text_project_identifier_info: 'Допустимы строчные буквы (a-z), цифры и дефис.<br />Сохраненный идентификатор не может быть изменен.'
657 text_reassign_time_entries: 'Перенести зарегистрированное время на следующую задачу:'
659 text_reassign_time_entries: 'Перенести зарегистрированное время на следующую задачу:'
658 text_regexp_info: напр. ^[A-Z0-9]+$
660 text_regexp_info: напр. ^[A-Z0-9]+$
659 text_rmagick_available: Доступно использование RMagick (опционально)
661 text_rmagick_available: Доступно использование RMagick (опционально)
660 text_select_mail_notifications: Выберите действия, на которые будет отсылаться уведомление на электронную почту.
662 text_select_mail_notifications: Выберите действия, на которые будет отсылаться уведомление на электронную почту.
661 text_select_project_modules: 'Выберите модули, которые будут использованы в проекте:'
663 text_select_project_modules: 'Выберите модули, которые будут использованы в проекте:'
662 text_status_changed_by_changeset: Реализовано в %s редакции.
664 text_status_changed_by_changeset: Реализовано в %s редакции.
663 text_subprojects_destroy_warning: 'Подпроекты: %s также будут удалены.'
665 text_subprojects_destroy_warning: 'Подпроекты: %s также будут удалены.'
664 text_tip_task_begin_day: дата начала задачи
666 text_tip_task_begin_day: дата начала задачи
665 text_tip_task_begin_end_day: начало задачи и окончание ее в этот день
667 text_tip_task_begin_end_day: начало задачи и окончание ее в этот день
666 text_tip_task_end_day: дата завершения задачи
668 text_tip_task_end_day: дата завершения задачи
667 text_tracker_no_workflow: Для этого трекера последовательность действий не определена
669 text_tracker_no_workflow: Для этого трекера последовательность действий не определена
668 text_unallowed_characters: Запрещенные символы
670 text_unallowed_characters: Запрещенные символы
669 text_user_mail_option: "Для невыбранных проектов, Вы будете получать уведомления только о том что просматриваете или в чем участвуете (например, вопросы, автором которых Вы являетесь или которые Вам назначены)."
671 text_user_mail_option: "Для невыбранных проектов, Вы будете получать уведомления только о том что просматриваете или в чем участвуете (например, вопросы, автором которых Вы являетесь или которые Вам назначены)."
670 text_user_wrote: '%s написал(а):'
672 text_user_wrote: '%s написал(а):'
671 text_wiki_destroy_confirmation: Вы уверены, что хотите удалить данную Wiki и все содержимое?
673 text_wiki_destroy_confirmation: Вы уверены, что хотите удалить данную Wiki и все содержимое?
672 text_workflow_edit: Выберите роль и трекер для редактирования последовательности состояний
674 text_workflow_edit: Выберите роль и трекер для редактирования последовательности состояний
673 label_renamed: renamed
675
674 label_copied: copied
@@ -1,643 +1,643
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
2
2
3 actionview_datehelper_select_day_prefix:
3 actionview_datehelper_select_day_prefix:
4 actionview_datehelper_select_month_names: 一月,二月,三月,四月,五月,六月,七月,八月,九月,十月,十一月,十二月
4 actionview_datehelper_select_month_names: 一月,二月,三月,四月,五月,六月,七月,八月,九月,十月,十一月,十二月
5 actionview_datehelper_select_month_names_abbr: 一月,二月,三月,四月,五月,六月,七月,八月,九月,十月,十一月,十二月
5 actionview_datehelper_select_month_names_abbr: 一月,二月,三月,四月,五月,六月,七月,八月,九月,十月,十一月,十二月
6 actionview_datehelper_select_month_prefix:
6 actionview_datehelper_select_month_prefix:
7 actionview_datehelper_select_year_prefix:
7 actionview_datehelper_select_year_prefix:
8 actionview_datehelper_time_in_words_day: 1 天
8 actionview_datehelper_time_in_words_day: 1 天
9 actionview_datehelper_time_in_words_day_plural: %d 天
9 actionview_datehelper_time_in_words_day_plural: %d 天
10 actionview_datehelper_time_in_words_hour_about: 約 1 小時
10 actionview_datehelper_time_in_words_hour_about: 約 1 小時
11 actionview_datehelper_time_in_words_hour_about_plural: 約 %d 小時
11 actionview_datehelper_time_in_words_hour_about_plural: 約 %d 小時
12 actionview_datehelper_time_in_words_hour_about_single: 約 1 小時
12 actionview_datehelper_time_in_words_hour_about_single: 約 1 小時
13 actionview_datehelper_time_in_words_minute: 1 分鐘
13 actionview_datehelper_time_in_words_minute: 1 分鐘
14 actionview_datehelper_time_in_words_minute_half: 半分鐘
14 actionview_datehelper_time_in_words_minute_half: 半分鐘
15 actionview_datehelper_time_in_words_minute_less_than: 小於 1 分鐘
15 actionview_datehelper_time_in_words_minute_less_than: 小於 1 分鐘
16 actionview_datehelper_time_in_words_minute_plural: %d 分鐘
16 actionview_datehelper_time_in_words_minute_plural: %d 分鐘
17 actionview_datehelper_time_in_words_minute_single: 1 分鐘
17 actionview_datehelper_time_in_words_minute_single: 1 分鐘
18 actionview_datehelper_time_in_words_second_less_than: 小於 1 秒
18 actionview_datehelper_time_in_words_second_less_than: 小於 1 秒
19 actionview_datehelper_time_in_words_second_less_than_plural: 小於 %d 秒
19 actionview_datehelper_time_in_words_second_less_than_plural: 小於 %d 秒
20 actionview_instancetag_blank_option: 請選擇
20 actionview_instancetag_blank_option: 請選擇
21
21
22 activerecord_error_inclusion: 必須被包含
22 activerecord_error_inclusion: 必須被包含
23 activerecord_error_exclusion: 必須被排除
23 activerecord_error_exclusion: 必須被排除
24 activerecord_error_invalid: 不正確
24 activerecord_error_invalid: 不正確
25 activerecord_error_confirmation: 與確認欄位不相符
25 activerecord_error_confirmation: 與確認欄位不相符
26 activerecord_error_accepted: 必須被接受
26 activerecord_error_accepted: 必須被接受
27 activerecord_error_empty: 不可為空值
27 activerecord_error_empty: 不可為空值
28 activerecord_error_blank: 不可為空白
28 activerecord_error_blank: 不可為空白
29 activerecord_error_too_long: 長度過長
29 activerecord_error_too_long: 長度過長
30 activerecord_error_too_short: 長度太短
30 activerecord_error_too_short: 長度太短
31 activerecord_error_wrong_length: 長度不正確
31 activerecord_error_wrong_length: 長度不正確
32 activerecord_error_taken: 已經被使用
32 activerecord_error_taken: 已經被使用
33 activerecord_error_not_a_number: 不是一個數字
33 activerecord_error_not_a_number: 不是一個數字
34 activerecord_error_not_a_date: 日期格式不正確
34 activerecord_error_not_a_date: 日期格式不正確
35 activerecord_error_greater_than_start_date: 必須在起始日期之後
35 activerecord_error_greater_than_start_date: 必須在起始日期之後
36 activerecord_error_not_same_project: 不屬於同一個專案
36 activerecord_error_not_same_project: 不屬於同一個專案
37 activerecord_error_circular_dependency: 這個關聯會導致環狀相依
37 activerecord_error_circular_dependency: 這個關聯會導致環狀相依
38
38
39 general_fmt_age: %d 年
39 general_fmt_age: %d 年
40 general_fmt_age_plural: %d 年
40 general_fmt_age_plural: %d 年
41 general_fmt_date: %%m/%%d/%%Y
41 general_fmt_date: %%m/%%d/%%Y
42 general_fmt_datetime: %%m/%%d/%%Y %%I:%%M %%p
42 general_fmt_datetime: %%m/%%d/%%Y %%I:%%M %%p
43 general_fmt_datetime_short: %%b %%d, %%I:%%M %%p
43 general_fmt_datetime_short: %%b %%d, %%I:%%M %%p
44 general_fmt_time: %%I:%%M %%p
44 general_fmt_time: %%I:%%M %%p
45 general_text_No: '否'
45 general_text_No: '否'
46 general_text_Yes: '是'
46 general_text_Yes: '是'
47 general_text_no: '否'
47 general_text_no: '否'
48 general_text_yes: '是'
48 general_text_yes: '是'
49 general_lang_name: 'Traditional Chinese (繁體中文)'
49 general_lang_name: 'Traditional Chinese (繁體中文)'
50 general_csv_separator: ','
50 general_csv_separator: ','
51 general_csv_decimal_separator: '.'
51 general_csv_decimal_separator: '.'
52 general_csv_encoding: Big5
52 general_csv_encoding: Big5
53 general_pdf_encoding: Big5
53 general_pdf_encoding: Big5
54 general_day_names: 星期一,星期二,星期三,星期四,星期五,星期六,星期日
54 general_day_names: 星期一,星期二,星期三,星期四,星期五,星期六,星期日
55 general_first_day_of_week: '7'
55 general_first_day_of_week: '7'
56
56
57 notice_account_updated: 帳戶更新資訊已儲存
57 notice_account_updated: 帳戶更新資訊已儲存
58 notice_account_invalid_creditentials: 帳戶或密碼不正確
58 notice_account_invalid_creditentials: 帳戶或密碼不正確
59 notice_account_password_updated: 帳戶新密碼已儲存
59 notice_account_password_updated: 帳戶新密碼已儲存
60 notice_account_wrong_password: 密碼不正確
60 notice_account_wrong_password: 密碼不正確
61 notice_account_register_done: 帳號已建立成功。欲啟用您的帳號,請點擊系統確認信函中的啟用連結。
61 notice_account_register_done: 帳號已建立成功。欲啟用您的帳號,請點擊系統確認信函中的啟用連結。
62 notice_account_unknown_email: 未知的使用者
62 notice_account_unknown_email: 未知的使用者
63 notice_can_t_change_password: 這個帳號使用外部認證方式,無法變更其密碼。
63 notice_can_t_change_password: 這個帳號使用外部認證方式,無法變更其密碼。
64 notice_account_lost_email_sent: 包含選擇新密碼指示的電子郵件,已經寄出給您。
64 notice_account_lost_email_sent: 包含選擇新密碼指示的電子郵件,已經寄出給您。
65 notice_account_activated: 您的帳號已經啟用,可用它登入系統。
65 notice_account_activated: 您的帳號已經啟用,可用它登入系統。
66 notice_successful_create: 建立成功
66 notice_successful_create: 建立成功
67 notice_successful_update: 更新成功
67 notice_successful_update: 更新成功
68 notice_successful_delete: 刪除成功
68 notice_successful_delete: 刪除成功
69 notice_successful_connection: 連線成功
69 notice_successful_connection: 連線成功
70 notice_file_not_found: 您想要存取的頁面已經不存在或被搬移至其他位置。
70 notice_file_not_found: 您想要存取的頁面已經不存在或被搬移至其他位置。
71 notice_locking_conflict: 資料已被其他使用者更新。
71 notice_locking_conflict: 資料已被其他使用者更新。
72 notice_not_authorized: 你未被授權存取此頁面。
72 notice_not_authorized: 你未被授權存取此頁面。
73 notice_email_sent: 郵件已經成功寄送至以下收件者: %s
73 notice_email_sent: 郵件已經成功寄送至以下收件者: %s
74 notice_email_error: 寄送郵件的過程中發生錯誤 (%s)
74 notice_email_error: 寄送郵件的過程中發生錯誤 (%s)
75 notice_feeds_access_key_reseted: 您的 RSS 存取鍵已被重新設定。
75 notice_feeds_access_key_reseted: 您的 RSS 存取鍵已被重新設定。
76 notice_failed_to_save_issues: " %d 個項目儲存失敗 (總共選取 %d 個項目): %s."
76 notice_failed_to_save_issues: " %d 個項目儲存失敗 (總共選取 %d 個項目): %s."
77 notice_no_issue_selected: "未選擇任何項目!請勾選您想要編輯的項目。"
77 notice_no_issue_selected: "未選擇任何項目!請勾選您想要編輯的項目。"
78 notice_account_pending: "您的帳號已經建立,正在等待管理員的審核。"
78 notice_account_pending: "您的帳號已經建立,正在等待管理員的審核。"
79 notice_default_data_loaded: 預設組態已載入成功。
79 notice_default_data_loaded: 預設組態已載入成功。
80 notice_unable_delete_version: 無法刪除版本。
80 notice_unable_delete_version: 無法刪除版本。
81
81
82 error_can_t_load_default_data: "無法載入預設組態: %s"
82 error_can_t_load_default_data: "無法載入預設組態: %s"
83 error_scm_not_found: SCM 儲存庫中找不到這個專案或版本。
83 error_scm_not_found: SCM 儲存庫中找不到這個專案或版本。
84 error_scm_command_failed: "嘗試存取儲存庫時發生錯誤: %s"
84 error_scm_command_failed: "嘗試存取儲存庫時發生錯誤: %s"
85 error_scm_annotate: "SCM 儲存庫中無此項目或此項目無法被加註。"
85 error_scm_annotate: "SCM 儲存庫中無此項目或此項目無法被加註。"
86 error_issue_not_found_in_project: '該項目不存在或不屬於此專案'
86 error_issue_not_found_in_project: '該項目不存在或不屬於此專案'
87
87
88 mail_subject_lost_password: 您的 Redmine 網站密碼
88 mail_subject_lost_password: 您的 Redmine 網站密碼
89 mail_body_lost_password: '欲變更您的 Redmine 網站密碼, 請點選以下鏈結:'
89 mail_body_lost_password: '欲變更您的 Redmine 網站密碼, 請點選以下鏈結:'
90 mail_subject_register: 啟用您的 Redmine 帳號
90 mail_subject_register: 啟用您的 Redmine 帳號
91 mail_body_register: '欲啟用您的 Redmine 帳號, 請點選以下鏈結:'
91 mail_body_register: '欲啟用您的 Redmine 帳號, 請點選以下鏈結:'
92 mail_body_account_information_external: 您可以使用 "%s" 帳號登入 Redmine 網站。
92 mail_body_account_information_external: 您可以使用 "%s" 帳號登入 Redmine 網站。
93 mail_body_account_information: 您的 Redmine 帳號資訊
93 mail_body_account_information: 您的 Redmine 帳號資訊
94 mail_subject_account_activation_request: Redmine 帳號啟用需求通知
94 mail_subject_account_activation_request: Redmine 帳號啟用需求通知
95 mail_body_account_activation_request: '有位新用戶 (%s) 已經完成註冊,正等候您的審核:'
95 mail_body_account_activation_request: '有位新用戶 (%s) 已經完成註冊,正等候您的審核:'
96 mail_subject_reminder: "您有 %d 個項目即將到期"
96 mail_subject_reminder: "您有 %d 個項目即將到期"
97 mail_body_reminder: "%d 個指派給您的項目,將於 %d 天之內到期:"
97 mail_body_reminder: "%d 個指派給您的項目,將於 %d 天之內到期:"
98
98
99 gui_validation_error: 1 個錯誤
99 gui_validation_error: 1 個錯誤
100 gui_validation_error_plural: %d 個錯誤
100 gui_validation_error_plural: %d 個錯誤
101
101
102 field_name: 名稱
102 field_name: 名稱
103 field_description: 概述
103 field_description: 概述
104 field_summary: 摘要
104 field_summary: 摘要
105 field_is_required: 必填
105 field_is_required: 必填
106 field_firstname: 名字
106 field_firstname: 名字
107 field_lastname: 姓氏
107 field_lastname: 姓氏
108 field_mail: 電子郵件
108 field_mail: 電子郵件
109 field_filename: 檔案名稱
109 field_filename: 檔案名稱
110 field_filesize: 大小
110 field_filesize: 大小
111 field_downloads: 下載次數
111 field_downloads: 下載次數
112 field_author: 作者
112 field_author: 作者
113 field_created_on: 建立日期
113 field_created_on: 建立日期
114 field_updated_on: 更新
114 field_updated_on: 更新
115 field_field_format: 格式
115 field_field_format: 格式
116 field_is_for_all: 給所有專案
116 field_is_for_all: 給所有專案
117 field_possible_values: 可能值
117 field_possible_values: 可能值
118 field_regexp: 正規表示式
118 field_regexp: 正規表示式
119 field_min_length: 最小長度
119 field_min_length: 最小長度
120 field_max_length: 最大長度
120 field_max_length: 最大長度
121 field_value:
121 field_value:
122 field_category: 分類
122 field_category: 分類
123 field_title: 標題
123 field_title: 標題
124 field_project: 專案
124 field_project: 專案
125 field_issue: 項目
125 field_issue: 項目
126 field_status: 狀態
126 field_status: 狀態
127 field_notes: 筆記
127 field_notes: 筆記
128 field_is_closed: 項目結束
128 field_is_closed: 項目結束
129 field_is_default: 預設值
129 field_is_default: 預設值
130 field_tracker: 追蹤標籤
130 field_tracker: 追蹤標籤
131 field_subject: 主旨
131 field_subject: 主旨
132 field_due_date: 完成日期
132 field_due_date: 完成日期
133 field_assigned_to: 分派給
133 field_assigned_to: 分派給
134 field_priority: 優先權
134 field_priority: 優先權
135 field_fixed_version: 版本
135 field_fixed_version: 版本
136 field_user: 用戶
136 field_user: 用戶
137 field_role: 角色
137 field_role: 角色
138 field_homepage: 網站首頁
138 field_homepage: 網站首頁
139 field_is_public: 公開
139 field_is_public: 公開
140 field_parent: 父專案
140 field_parent: 父專案
141 field_is_in_chlog: 項目顯示於變更記錄中
141 field_is_in_chlog: 項目顯示於變更記錄中
142 field_is_in_roadmap: 項目顯示於版本藍圖中
142 field_is_in_roadmap: 項目顯示於版本藍圖中
143 field_login: 帳戶名稱
143 field_login: 帳戶名稱
144 field_mail_notification: 電子郵件提醒選項
144 field_mail_notification: 電子郵件提醒選項
145 field_admin: 管理者
145 field_admin: 管理者
146 field_last_login_on: 最近連線日期
146 field_last_login_on: 最近連線日期
147 field_language: 語系
147 field_language: 語系
148 field_effective_date: 日期
148 field_effective_date: 日期
149 field_password: 目前密碼
149 field_password: 目前密碼
150 field_new_password: 新密碼
150 field_new_password: 新密碼
151 field_password_confirmation: 確認新密碼
151 field_password_confirmation: 確認新密碼
152 field_version: 版本
152 field_version: 版本
153 field_type: Type
153 field_type: Type
154 field_host: Host
154 field_host: Host
155 field_port: 連接埠
155 field_port: 連接埠
156 field_account: 帳戶
156 field_account: 帳戶
157 field_base_dn: Base DN
157 field_base_dn: Base DN
158 field_attr_login: 登入屬性
158 field_attr_login: 登入屬性
159 field_attr_firstname: 名字屬性
159 field_attr_firstname: 名字屬性
160 field_attr_lastname: 姓氏屬性
160 field_attr_lastname: 姓氏屬性
161 field_attr_mail: 電子郵件信箱屬性
161 field_attr_mail: 電子郵件信箱屬性
162 field_onthefly: 即時建立使用者
162 field_onthefly: 即時建立使用者
163 field_start_date: 開始日期
163 field_start_date: 開始日期
164 field_done_ratio: 完成百分比
164 field_done_ratio: 完成百分比
165 field_auth_source: 認證模式
165 field_auth_source: 認證模式
166 field_hide_mail: 隱藏我的電子郵件
166 field_hide_mail: 隱藏我的電子郵件
167 field_comments: 註解
167 field_comments: 註解
168 field_url: URL
168 field_url: URL
169 field_start_page: 首頁
169 field_start_page: 首頁
170 field_subproject: 子專案
170 field_subproject: 子專案
171 field_hours: 小時
171 field_hours: 小時
172 field_activity: 活動
172 field_activity: 活動
173 field_spent_on: 日期
173 field_spent_on: 日期
174 field_identifier: 代碼
174 field_identifier: 代碼
175 field_is_filter: 用來作為過濾器
175 field_is_filter: 用來作為過濾器
176 field_issue_to_id: 相關項目
176 field_issue_to_id: 相關項目
177 field_delay: 逾期
177 field_delay: 逾期
178 field_assignable: 項目可被分派至此角色
178 field_assignable: 項目可被分派至此角色
179 field_redirect_existing_links: 重新導向現有連結
179 field_redirect_existing_links: 重新導向現有連結
180 field_estimated_hours: 預估工時
180 field_estimated_hours: 預估工時
181 field_column_names: 欄位
181 field_column_names: 欄位
182 field_time_zone: 時區
182 field_time_zone: 時區
183 field_searchable: 可用做搜尋條件
183 field_searchable: 可用做搜尋條件
184 field_default_value: 預設值
184 field_default_value: 預設值
185 field_comments_sorting: 註解排序
185 field_comments_sorting: 註解排序
186 field_parent_title: 父頁面
186 field_parent_title: 父頁面
187
187
188 setting_app_title: 標題
188 setting_app_title: 標題
189 setting_app_subtitle: 副標題
189 setting_app_subtitle: 副標題
190 setting_welcome_text: 歡迎詞
190 setting_welcome_text: 歡迎詞
191 setting_default_language: 預設語系
191 setting_default_language: 預設語系
192 setting_login_required: 需要驗證
192 setting_login_required: 需要驗證
193 setting_self_registration: 註冊選項
193 setting_self_registration: 註冊選項
194 setting_attachment_max_size: 附件大小限制
194 setting_attachment_max_size: 附件大小限制
195 setting_issues_export_limit: 項目匯出限制
195 setting_issues_export_limit: 項目匯出限制
196 setting_mail_from: 寄件者電子郵件
196 setting_mail_from: 寄件者電子郵件
197 setting_bcc_recipients: 使用密件副本 (BCC)
197 setting_bcc_recipients: 使用密件副本 (BCC)
198 setting_host_name: 主機名稱
198 setting_host_name: 主機名稱
199 setting_text_formatting: 文字格式
199 setting_text_formatting: 文字格式
200 setting_wiki_compression: 壓縮 Wiki 歷史文章
200 setting_wiki_compression: 壓縮 Wiki 歷史文章
201 setting_feeds_limit: RSS 新聞限制
201 setting_feeds_limit: RSS 新聞限制
202 setting_autofetch_changesets: 自動取得送交版次
202 setting_autofetch_changesets: 自動取得送交版次
203 setting_default_projects_public: 新建立之專案預設為「公開」
203 setting_default_projects_public: 新建立之專案預設為「公開」
204 setting_sys_api_enabled: 啟用管理版本庫之網頁服務 (Web Service)
204 setting_sys_api_enabled: 啟用管理版本庫之網頁服務 (Web Service)
205 setting_commit_ref_keywords: 送交用於參照項目之關鍵字
205 setting_commit_ref_keywords: 送交用於參照項目之關鍵字
206 setting_commit_fix_keywords: 送交用於修正項目之關鍵字
206 setting_commit_fix_keywords: 送交用於修正項目之關鍵字
207 setting_autologin: 自動登入
207 setting_autologin: 自動登入
208 setting_date_format: 日期格式
208 setting_date_format: 日期格式
209 setting_time_format: 時間格式
209 setting_time_format: 時間格式
210 setting_cross_project_issue_relations: 允許關聯至其它專案的項目
210 setting_cross_project_issue_relations: 允許關聯至其它專案的項目
211 setting_issue_list_default_columns: 預設顯示於項目清單的欄位
211 setting_issue_list_default_columns: 預設顯示於項目清單的欄位
212 setting_repositories_encodings: 版本庫編碼
212 setting_repositories_encodings: 版本庫編碼
213 setting_commit_logs_encoding: 送交訊息編碼
213 setting_commit_logs_encoding: 送交訊息編碼
214 setting_emails_footer: 電子郵件附帶說明
214 setting_emails_footer: 電子郵件附帶說明
215 setting_protocol: 協定
215 setting_protocol: 協定
216 setting_per_page_options: 每頁顯示個數選項
216 setting_per_page_options: 每頁顯示個數選項
217 setting_user_format: 使用者顯示格式
217 setting_user_format: 使用者顯示格式
218 setting_activity_days_default: 專案活動顯示天數
218 setting_activity_days_default: 專案活動顯示天數
219 setting_display_subprojects_issues: 預設於父專案中顯示子專案的項目
219 setting_display_subprojects_issues: 預設於父專案中顯示子專案的項目
220 setting_enabled_scm: 啟用的 SCM
220 setting_enabled_scm: 啟用的 SCM
221 setting_mail_handler_api_enabled: 啟用處理傳入電子郵件的服務
221 setting_mail_handler_api_enabled: 啟用處理傳入電子郵件的服務
222 setting_mail_handler_api_key: API 金鑰
222 setting_mail_handler_api_key: API 金鑰
223 setting_sequential_project_identifiers: 循序產生專案識別碼
223 setting_sequential_project_identifiers: 循序產生專案識別碼
224
224
225 project_module_issue_tracking: 項目追蹤
225 project_module_issue_tracking: 項目追蹤
226 project_module_time_tracking: 工時追蹤
226 project_module_time_tracking: 工時追蹤
227 project_module_news: 新聞
227 project_module_news: 新聞
228 project_module_documents: 文件
228 project_module_documents: 文件
229 project_module_files: 檔案
229 project_module_files: 檔案
230 project_module_wiki: Wiki
230 project_module_wiki: Wiki
231 project_module_repository: 版本控管
231 project_module_repository: 版本控管
232 project_module_boards: 討論區
232 project_module_boards: 討論區
233
233
234 label_user: 用戶
234 label_user: 用戶
235 label_user_plural: 用戶清單
235 label_user_plural: 用戶清單
236 label_user_new: 建立新的帳戶
236 label_user_new: 建立新的帳戶
237 label_project: 專案
237 label_project: 專案
238 label_project_new: 建立新的專案
238 label_project_new: 建立新的專案
239 label_project_plural: 專案清單
239 label_project_plural: 專案清單
240 label_project_all: 全部的專案
240 label_project_all: 全部的專案
241 label_project_latest: 最近的專案
241 label_project_latest: 最近的專案
242 label_issue: 項目
242 label_issue: 項目
243 label_issue_new: 建立新的項目
243 label_issue_new: 建立新的項目
244 label_issue_plural: 項目清單
244 label_issue_plural: 項目清單
245 label_issue_view_all: 檢視所有項目
245 label_issue_view_all: 檢視所有項目
246 label_issues_by: 項目按 %s 分組顯示
246 label_issues_by: 項目按 %s 分組顯示
247 label_issue_added: 項目已新增
247 label_issue_added: 項目已新增
248 label_issue_updated: 項目已更新
248 label_issue_updated: 項目已更新
249 label_document: 文件
249 label_document: 文件
250 label_document_new: 建立新的文件
250 label_document_new: 建立新的文件
251 label_document_plural: 文件
251 label_document_plural: 文件
252 label_document_added: 文件已新增
252 label_document_added: 文件已新增
253 label_role: 角色
253 label_role: 角色
254 label_role_plural: 角色
254 label_role_plural: 角色
255 label_role_new: 建立新角色
255 label_role_new: 建立新角色
256 label_role_and_permissions: 角色與權限
256 label_role_and_permissions: 角色與權限
257 label_member: 成員
257 label_member: 成員
258 label_member_new: 建立新的成員
258 label_member_new: 建立新的成員
259 label_member_plural: 成員
259 label_member_plural: 成員
260 label_tracker: 追蹤標籤
260 label_tracker: 追蹤標籤
261 label_tracker_plural: 追蹤標籤清單
261 label_tracker_plural: 追蹤標籤清單
262 label_tracker_new: 建立新的追蹤標籤
262 label_tracker_new: 建立新的追蹤標籤
263 label_workflow: 流程
263 label_workflow: 流程
264 label_issue_status: 項目狀態
264 label_issue_status: 項目狀態
265 label_issue_status_plural: 項目狀態清單
265 label_issue_status_plural: 項目狀態清單
266 label_issue_status_new: 建立新的狀態
266 label_issue_status_new: 建立新的狀態
267 label_issue_category: 項目分類
267 label_issue_category: 項目分類
268 label_issue_category_plural: 項目分類清單
268 label_issue_category_plural: 項目分類清單
269 label_issue_category_new: 建立新的分類
269 label_issue_category_new: 建立新的分類
270 label_custom_field: 自訂欄位
270 label_custom_field: 自訂欄位
271 label_custom_field_plural: 自訂欄位清單
271 label_custom_field_plural: 自訂欄位清單
272 label_custom_field_new: 建立新的自訂欄位
272 label_custom_field_new: 建立新的自訂欄位
273 label_enumerations: 列舉值清單
273 label_enumerations: 列舉值清單
274 label_enumeration_new: 建立新的列舉值
274 label_enumeration_new: 建立新的列舉值
275 label_information: 資訊
275 label_information: 資訊
276 label_information_plural: 資訊
276 label_information_plural: 資訊
277 label_please_login: 請先登入
277 label_please_login: 請先登入
278 label_register: 註冊
278 label_register: 註冊
279 label_password_lost: 遺失密碼
279 label_password_lost: 遺失密碼
280 label_home: 網站首頁
280 label_home: 網站首頁
281 label_my_page: 帳戶首頁
281 label_my_page: 帳戶首頁
282 label_my_account: 我的帳戶
282 label_my_account: 我的帳戶
283 label_my_projects: 我的專案
283 label_my_projects: 我的專案
284 label_administration: 網站管理
284 label_administration: 網站管理
285 label_login: 登入
285 label_login: 登入
286 label_logout: 登出
286 label_logout: 登出
287 label_help: 說明
287 label_help: 說明
288 label_reported_issues: 我通報的項目
288 label_reported_issues: 我通報的項目
289 label_assigned_to_me_issues: 分派給我的項目
289 label_assigned_to_me_issues: 分派給我的項目
290 label_last_login: 最近一次連線
290 label_last_login: 最近一次連線
291 label_last_updates: 最近更新
291 label_last_updates: 最近更新
292 label_last_updates_plural: %d 個最近更新
292 label_last_updates_plural: %d 個最近更新
293 label_registered_on: 註冊於
293 label_registered_on: 註冊於
294 label_activity: 活動
294 label_activity: 活動
295 label_overall_activity: 檢視所有活動
295 label_overall_activity: 檢視所有活動
296 label_new: 建立新的...
296 label_new: 建立新的...
297 label_logged_as: 目前登入
297 label_logged_as: 目前登入
298 label_environment: 環境
298 label_environment: 環境
299 label_authentication: 認證
299 label_authentication: 認證
300 label_auth_source: 認證模式
300 label_auth_source: 認證模式
301 label_auth_source_new: 建立新認證模式
301 label_auth_source_new: 建立新認證模式
302 label_auth_source_plural: 認證模式清單
302 label_auth_source_plural: 認證模式清單
303 label_subproject_plural: 子專案
303 label_subproject_plural: 子專案
304 label_and_its_subprojects: %s 與其子專案
304 label_and_its_subprojects: %s 與其子專案
305 label_min_max_length: 最小 - 最大 長度
305 label_min_max_length: 最小 - 最大 長度
306 label_list: 清單
306 label_list: 清單
307 label_date: 日期
307 label_date: 日期
308 label_integer: 整數
308 label_integer: 整數
309 label_float: 福點數
309 label_float: 福點數
310 label_boolean: 布林
310 label_boolean: 布林
311 label_string: 文字
311 label_string: 文字
312 label_text: 長文字
312 label_text: 長文字
313 label_attribute: 屬性
313 label_attribute: 屬性
314 label_attribute_plural: 屬性
314 label_attribute_plural: 屬性
315 label_download: %d 個下載
315 label_download: %d 個下載
316 label_download_plural: %d 個下載
316 label_download_plural: %d 個下載
317 label_no_data: 沒有任何資料可供顯示
317 label_no_data: 沒有任何資料可供顯示
318 label_change_status: 變更狀態
318 label_change_status: 變更狀態
319 label_history: 歷史
319 label_history: 歷史
320 label_attachment: 檔案
320 label_attachment: 檔案
321 label_attachment_new: 建立新的檔案
321 label_attachment_new: 建立新的檔案
322 label_attachment_delete: 刪除檔案
322 label_attachment_delete: 刪除檔案
323 label_attachment_plural: 檔案
323 label_attachment_plural: 檔案
324 label_file_added: 檔案已新增
324 label_file_added: 檔案已新增
325 label_report: 報告
325 label_report: 報告
326 label_report_plural: 報告
326 label_report_plural: 報告
327 label_news: 新聞
327 label_news: 新聞
328 label_news_new: 建立新的新聞
328 label_news_new: 建立新的新聞
329 label_news_plural: 新聞
329 label_news_plural: 新聞
330 label_news_latest: 最近新聞
330 label_news_latest: 最近新聞
331 label_news_view_all: 檢視所有新聞
331 label_news_view_all: 檢視所有新聞
332 label_news_added: 新聞已新增
332 label_news_added: 新聞已新增
333 label_change_log: 變更記錄
333 label_change_log: 變更記錄
334 label_settings: 設定
334 label_settings: 設定
335 label_overview: 概觀
335 label_overview: 概觀
336 label_version: 版本
336 label_version: 版本
337 label_version_new: 建立新的版本
337 label_version_new: 建立新的版本
338 label_version_plural: 版本
338 label_version_plural: 版本
339 label_confirmation: 確認
339 label_confirmation: 確認
340 label_export_to: 匯出至
340 label_export_to: 匯出至
341 label_read: 讀取...
341 label_read: 讀取...
342 label_public_projects: 公開專案
342 label_public_projects: 公開專案
343 label_open_issues: 進行中
343 label_open_issues: 進行中
344 label_open_issues_plural: 進行中
344 label_open_issues_plural: 進行中
345 label_closed_issues: 已結束
345 label_closed_issues: 已結束
346 label_closed_issues_plural: 已結束
346 label_closed_issues_plural: 已結束
347 label_total: 總計
347 label_total: 總計
348 label_permissions: 權限
348 label_permissions: 權限
349 label_current_status: 目前狀態
349 label_current_status: 目前狀態
350 label_new_statuses_allowed: 可變更至以下狀態
350 label_new_statuses_allowed: 可變更至以下狀態
351 label_all: 全部
351 label_all: 全部
352 label_none: 空值
352 label_none: 空值
353 label_nobody: 無名
353 label_nobody: 無名
354 label_next: 下一頁
354 label_next: 下一頁
355 label_previous: 上一頁
355 label_previous: 上一頁
356 label_used_by: Used by
356 label_used_by: Used by
357 label_details: 明細
357 label_details: 明細
358 label_add_note: 加入一個新筆記
358 label_add_note: 加入一個新筆記
359 label_per_page: 每頁
359 label_per_page: 每頁
360 label_calendar: 日曆
360 label_calendar: 日曆
361 label_months_from: 個月, 開始月份
361 label_months_from: 個月, 開始月份
362 label_gantt: 甘特圖
362 label_gantt: 甘特圖
363 label_internal: 內部
363 label_internal: 內部
364 label_last_changes: 最近 %d 個變更
364 label_last_changes: 最近 %d 個變更
365 label_change_view_all: 檢視所有變更
365 label_change_view_all: 檢視所有變更
366 label_personalize_page: 自訂版面
366 label_personalize_page: 自訂版面
367 label_comment: 註解
367 label_comment: 註解
368 label_comment_plural: 註解
368 label_comment_plural: 註解
369 label_comment_add: 加入新註解
369 label_comment_add: 加入新註解
370 label_comment_added: 新註解已加入
370 label_comment_added: 新註解已加入
371 label_comment_delete: 刪除註解
371 label_comment_delete: 刪除註解
372 label_query: 自訂查詢
372 label_query: 自訂查詢
373 label_query_plural: 自訂查詢
373 label_query_plural: 自訂查詢
374 label_query_new: 建立新的查詢
374 label_query_new: 建立新的查詢
375 label_filter_add: 加入新篩選條件
375 label_filter_add: 加入新篩選條件
376 label_filter_plural: 篩選條件
376 label_filter_plural: 篩選條件
377 label_equals: 等於
377 label_equals: 等於
378 label_not_equals: 不等於
378 label_not_equals: 不等於
379 label_in_less_than: 在小於
379 label_in_less_than: 在小於
380 label_in_more_than: 在大於
380 label_in_more_than: 在大於
381 label_in:
381 label_in:
382 label_today: 今天
382 label_today: 今天
383 label_all_time: all time
383 label_all_time: all time
384 label_yesterday: 昨天
384 label_yesterday: 昨天
385 label_this_week: 本週
385 label_this_week: 本週
386 label_last_week: 上週
386 label_last_week: 上週
387 label_last_n_days: 過去 %d 天
387 label_last_n_days: 過去 %d 天
388 label_this_month: 這個月
388 label_this_month: 這個月
389 label_last_month: 上個月
389 label_last_month: 上個月
390 label_this_year: 今年
390 label_this_year: 今年
391 label_date_range: 日期區間
391 label_date_range: 日期區間
392 label_less_than_ago: 小於幾天之前
392 label_less_than_ago: 小於幾天之前
393 label_more_than_ago: 大於幾天之前
393 label_more_than_ago: 大於幾天之前
394 label_ago: 天以前
394 label_ago: 天以前
395 label_contains: 包含
395 label_contains: 包含
396 label_not_contains: 不包含
396 label_not_contains: 不包含
397 label_day_plural:
397 label_day_plural:
398 label_repository: 版本控管
398 label_repository: 版本控管
399 label_repository_plural: 版本控管
399 label_repository_plural: 版本控管
400 label_browse: 瀏覽
400 label_browse: 瀏覽
401 label_modification: %d 變更
401 label_modification: %d 變更
402 label_modification_plural: %d 變更
402 label_modification_plural: %d 變更
403 label_revision: 版次
403 label_revision: 版次
404 label_revision_plural: 版次清單
404 label_revision_plural: 版次清單
405 label_associated_revisions: 相關版次
405 label_associated_revisions: 相關版次
406 label_added: 已新增
406 label_added: 已新增
407 label_modified: 已修改
407 label_modified: 已修改
408 label_copied: 已複製
409 label_renamed: 已重新命名
408 label_deleted: 已刪除
410 label_deleted: 已刪除
409 label_latest_revision: 最新版次
411 label_latest_revision: 最新版次
410 label_latest_revision_plural: 最近版次清單
412 label_latest_revision_plural: 最近版次清單
411 label_view_revisions: 檢視版次清單
413 label_view_revisions: 檢視版次清單
412 label_max_size: 最大長度
414 label_max_size: 最大長度
413 label_on: 總共
415 label_on: 總共
414 label_sort_highest: 移動至開頭
416 label_sort_highest: 移動至開頭
415 label_sort_higher: 往上移動
417 label_sort_higher: 往上移動
416 label_sort_lower: 往下移動
418 label_sort_lower: 往下移動
417 label_sort_lowest: 移動至結尾
419 label_sort_lowest: 移動至結尾
418 label_roadmap: 版本藍圖
420 label_roadmap: 版本藍圖
419 label_roadmap_due_in: 倒數天數:
421 label_roadmap_due_in: 倒數天數:
420 label_roadmap_overdue: %s 逾期
422 label_roadmap_overdue: %s 逾期
421 label_roadmap_no_issues: 此版本尚未包含任何項目
423 label_roadmap_no_issues: 此版本尚未包含任何項目
422 label_search: 搜尋
424 label_search: 搜尋
423 label_result_plural: 結果
425 label_result_plural: 結果
424 label_all_words: All words
426 label_all_words: All words
425 label_wiki: Wiki
427 label_wiki: Wiki
426 label_wiki_edit: Wiki 編輯
428 label_wiki_edit: Wiki 編輯
427 label_wiki_edit_plural: Wiki 編輯
429 label_wiki_edit_plural: Wiki 編輯
428 label_wiki_page: Wiki 網頁
430 label_wiki_page: Wiki 網頁
429 label_wiki_page_plural: Wiki 網頁
431 label_wiki_page_plural: Wiki 網頁
430 label_index_by_title: 依標題索引
432 label_index_by_title: 依標題索引
431 label_index_by_date: 依日期索引
433 label_index_by_date: 依日期索引
432 label_current_version: 現行版本
434 label_current_version: 現行版本
433 label_preview: 預覽
435 label_preview: 預覽
434 label_feed_plural: Feeds
436 label_feed_plural: Feeds
435 label_changes_details: 所有變更的明細
437 label_changes_details: 所有變更的明細
436 label_issue_tracking: 項目追蹤
438 label_issue_tracking: 項目追蹤
437 label_spent_time: 耗用時間
439 label_spent_time: 耗用時間
438 label_f_hour: %.2f 小時
440 label_f_hour: %.2f 小時
439 label_f_hour_plural: %.2f 小時
441 label_f_hour_plural: %.2f 小時
440 label_time_tracking: 工時追蹤
442 label_time_tracking: 工時追蹤
441 label_change_plural: 變更
443 label_change_plural: 變更
442 label_statistics: 統計資訊
444 label_statistics: 統計資訊
443 label_commits_per_month: 依月份統計送交次數
445 label_commits_per_month: 依月份統計送交次數
444 label_commits_per_author: 依作者統計送交次數
446 label_commits_per_author: 依作者統計送交次數
445 label_view_diff: 檢視差異
447 label_view_diff: 檢視差異
446 label_diff_inline: 直列
448 label_diff_inline: 直列
447 label_diff_side_by_side: 並排
449 label_diff_side_by_side: 並排
448 label_options: 選項清單
450 label_options: 選項清單
449 label_copy_workflow_from: 從以下追蹤標籤複製工作流程
451 label_copy_workflow_from: 從以下追蹤標籤複製工作流程
450 label_permissions_report: 權限報表
452 label_permissions_report: 權限報表
451 label_watched_issues: 觀察中的項目清單
453 label_watched_issues: 觀察中的項目清單
452 label_related_issues: 相關的項目清單
454 label_related_issues: 相關的項目清單
453 label_applied_status: 已套用狀態
455 label_applied_status: 已套用狀態
454 label_loading: 載入中...
456 label_loading: 載入中...
455 label_relation_new: 建立新關聯
457 label_relation_new: 建立新關聯
456 label_relation_delete: 刪除關聯
458 label_relation_delete: 刪除關聯
457 label_relates_to: 關聯至
459 label_relates_to: 關聯至
458 label_duplicates: 已重複
460 label_duplicates: 已重複
459 label_duplicated_by: 與後面所列項目重複
461 label_duplicated_by: 與後面所列項目重複
460 label_blocks: 阻擋
462 label_blocks: 阻擋
461 label_blocked_by: 被阻擋
463 label_blocked_by: 被阻擋
462 label_precedes: 優先於
464 label_precedes: 優先於
463 label_follows: 跟隨於
465 label_follows: 跟隨於
464 label_end_to_start: 結束─開始
466 label_end_to_start: 結束─開始
465 label_end_to_end: 結束─結束
467 label_end_to_end: 結束─結束
466 label_start_to_start: 開始─開始
468 label_start_to_start: 開始─開始
467 label_start_to_end: 開始─結束
469 label_start_to_end: 開始─結束
468 label_stay_logged_in: 維持已登入狀態
470 label_stay_logged_in: 維持已登入狀態
469 label_disabled: 關閉
471 label_disabled: 關閉
470 label_show_completed_versions: 顯示已完成的版本
472 label_show_completed_versions: 顯示已完成的版本
471 label_me: 我自己
473 label_me: 我自己
472 label_board: 論壇
474 label_board: 論壇
473 label_board_new: 建立新論壇
475 label_board_new: 建立新論壇
474 label_board_plural: 論壇
476 label_board_plural: 論壇
475 label_topic_plural: 討論主題
477 label_topic_plural: 討論主題
476 label_message_plural: 訊息
478 label_message_plural: 訊息
477 label_message_last: 上一封訊息
479 label_message_last: 上一封訊息
478 label_message_new: 建立新的訊息
480 label_message_new: 建立新的訊息
479 label_message_posted: 訊息已新增
481 label_message_posted: 訊息已新增
480 label_reply_plural: 回應
482 label_reply_plural: 回應
481 label_send_information: 寄送帳戶資訊電子郵件給用戶
483 label_send_information: 寄送帳戶資訊電子郵件給用戶
482 label_year:
484 label_year:
483 label_month:
485 label_month:
484 label_week:
486 label_week:
485 label_date_from: 開始
487 label_date_from: 開始
486 label_date_to: 結束
488 label_date_to: 結束
487 label_language_based: 依用戶之語系決定
489 label_language_based: 依用戶之語系決定
488 label_sort_by: 按 %s 排序
490 label_sort_by: 按 %s 排序
489 label_send_test_email: 寄送測試郵件
491 label_send_test_email: 寄送測試郵件
490 label_feeds_access_key_created_on: RSS 存取鍵建立於 %s 之前
492 label_feeds_access_key_created_on: RSS 存取鍵建立於 %s 之前
491 label_module_plural: 模組
493 label_module_plural: 模組
492 label_added_time_by: 是由 %s 於 %s 前加入
494 label_added_time_by: 是由 %s 於 %s 前加入
493 label_updated_time: 於 %s 前更新
495 label_updated_time: 於 %s 前更新
494 label_jump_to_a_project: 選擇欲前往的專案...
496 label_jump_to_a_project: 選擇欲前往的專案...
495 label_file_plural: 檔案清單
497 label_file_plural: 檔案清單
496 label_changeset_plural: 變更集清單
498 label_changeset_plural: 變更集清單
497 label_default_columns: 預設欄位清單
499 label_default_columns: 預設欄位清單
498 label_no_change_option: (維持不變)
500 label_no_change_option: (維持不變)
499 label_bulk_edit_selected_issues: 編輯選定的項目
501 label_bulk_edit_selected_issues: 編輯選定的項目
500 label_theme: 畫面主題
502 label_theme: 畫面主題
501 label_default: 預設
503 label_default: 預設
502 label_search_titles_only: 僅搜尋標題
504 label_search_titles_only: 僅搜尋標題
503 label_user_mail_option_all: "提醒與我的專案有關的所有事件"
505 label_user_mail_option_all: "提醒與我的專案有關的所有事件"
504 label_user_mail_option_selected: "只停醒我所選擇專案中的事件..."
506 label_user_mail_option_selected: "只停醒我所選擇專案中的事件..."
505 label_user_mail_option_none: "只提醒我觀察中或參與中的事件"
507 label_user_mail_option_none: "只提醒我觀察中或參與中的事件"
506 label_user_mail_no_self_notified: "不提醒我自己所做的變更"
508 label_user_mail_no_self_notified: "不提醒我自己所做的變更"
507 label_registration_activation_by_email: 透過電子郵件啟用帳戶
509 label_registration_activation_by_email: 透過電子郵件啟用帳戶
508 label_registration_manual_activation: 手動啟用帳戶
510 label_registration_manual_activation: 手動啟用帳戶
509 label_registration_automatic_activation: 自動啟用帳戶
511 label_registration_automatic_activation: 自動啟用帳戶
510 label_display_per_page: '每頁顯示: %s 個'
512 label_display_per_page: '每頁顯示: %s 個'
511 label_age: 年齡
513 label_age: 年齡
512 label_change_properties: 變更屬性
514 label_change_properties: 變更屬性
513 label_general: 一般
515 label_general: 一般
514 label_more: 更多 »
516 label_more: 更多 »
515 label_scm: 版本控管
517 label_scm: 版本控管
516 label_plugins: 附加元件
518 label_plugins: 附加元件
517 label_ldap_authentication: LDAP 認證
519 label_ldap_authentication: LDAP 認證
518 label_downloads_abbr: 下載
520 label_downloads_abbr: 下載
519 label_optional_description: 額外的說明
521 label_optional_description: 額外的說明
520 label_add_another_file: 增加其他檔案
522 label_add_another_file: 增加其他檔案
521 label_preferences: 偏好選項
523 label_preferences: 偏好選項
522 label_chronological_order: 以時間由遠至近排序
524 label_chronological_order: 以時間由遠至近排序
523 label_reverse_chronological_order: 以時間由近至遠排序
525 label_reverse_chronological_order: 以時間由近至遠排序
524 label_planning: 計劃表
526 label_planning: 計劃表
525 label_incoming_emails: 傳入的電子郵件
527 label_incoming_emails: 傳入的電子郵件
526 label_generate_key: 產生金鑰
528 label_generate_key: 產生金鑰
527 label_issue_watchers: 觀察者
529 label_issue_watchers: 觀察者
528
530
529 button_login: 登入
531 button_login: 登入
530 button_submit: 送出
532 button_submit: 送出
531 button_save: 儲存
533 button_save: 儲存
532 button_check_all: 全選
534 button_check_all: 全選
533 button_uncheck_all: 全不選
535 button_uncheck_all: 全不選
534 button_delete: 刪除
536 button_delete: 刪除
535 button_create: 建立
537 button_create: 建立
536 button_test: 測試
538 button_test: 測試
537 button_edit: 編輯
539 button_edit: 編輯
538 button_add: 新增
540 button_add: 新增
539 button_change: 修改
541 button_change: 修改
540 button_apply: 套用
542 button_apply: 套用
541 button_clear: 清除
543 button_clear: 清除
542 button_lock: 鎖定
544 button_lock: 鎖定
543 button_unlock: 解除鎖定
545 button_unlock: 解除鎖定
544 button_download: 下載
546 button_download: 下載
545 button_list: 清單
547 button_list: 清單
546 button_view: 檢視
548 button_view: 檢視
547 button_move: 移動
549 button_move: 移動
548 button_back: 返回
550 button_back: 返回
549 button_cancel: 取消
551 button_cancel: 取消
550 button_activate: 啟用
552 button_activate: 啟用
551 button_sort: 排序
553 button_sort: 排序
552 button_log_time: 記錄時間
554 button_log_time: 記錄時間
553 button_rollback: 還原至此版本
555 button_rollback: 還原至此版本
554 button_watch: 觀察
556 button_watch: 觀察
555 button_unwatch: 取消觀察
557 button_unwatch: 取消觀察
556 button_reply: 回應
558 button_reply: 回應
557 button_archive: 歸檔
559 button_archive: 歸檔
558 button_unarchive: 取消歸檔
560 button_unarchive: 取消歸檔
559 button_reset: 回復
561 button_reset: 回復
560 button_rename: 重新命名
562 button_rename: 重新命名
561 button_change_password: 變更密碼
563 button_change_password: 變更密碼
562 button_copy: 複製
564 button_copy: 複製
563 button_annotate: 加注
565 button_annotate: 加注
564 button_update: 更新
566 button_update: 更新
565 button_configure: 設定
567 button_configure: 設定
566 button_quote: 引用
568 button_quote: 引用
567
569
568 status_active: 活動中
570 status_active: 活動中
569 status_registered: 註冊完成
571 status_registered: 註冊完成
570 status_locked: 鎖定中
572 status_locked: 鎖定中
571
573
572 text_select_mail_notifications: 選擇欲寄送提醒通知郵件之動作
574 text_select_mail_notifications: 選擇欲寄送提醒通知郵件之動作
573 text_regexp_info: eg. ^[A-Z0-9]+$
575 text_regexp_info: eg. ^[A-Z0-9]+$
574 text_min_max_length_info: 0 代表「不限制」
576 text_min_max_length_info: 0 代表「不限制」
575 text_project_destroy_confirmation: 您確定要刪除這個專案和其他相關資料?
577 text_project_destroy_confirmation: 您確定要刪除這個專案和其他相關資料?
576 text_subprojects_destroy_warning: '下列子專案: %s 將一併被刪除。'
578 text_subprojects_destroy_warning: '下列子專案: %s 將一併被刪除。'
577 text_workflow_edit: 選擇角色與追蹤標籤以設定其工作流程
579 text_workflow_edit: 選擇角色與追蹤標籤以設定其工作流程
578 text_are_you_sure: 確定執行?
580 text_are_you_sure: 確定執行?
579 text_journal_changed: 從 %s 變更為 %s
581 text_journal_changed: 從 %s 變更為 %s
580 text_journal_set_to: 設定為 %s
582 text_journal_set_to: 設定為 %s
581 text_journal_deleted: 已刪除
583 text_journal_deleted: 已刪除
582 text_tip_task_begin_day: 今天起始的工作
584 text_tip_task_begin_day: 今天起始的工作
583 text_tip_task_end_day: 今天截止的的工作
585 text_tip_task_end_day: 今天截止的的工作
584 text_tip_task_begin_end_day: 今天起始與截止的工作
586 text_tip_task_begin_end_day: 今天起始與截止的工作
585 text_project_identifier_info: '只允許小寫英文字母(a-z)、阿拉伯數字與連字符號(-)。<br />儲存後,代碼不可再被更改。'
587 text_project_identifier_info: '只允許小寫英文字母(a-z)、阿拉伯數字與連字符號(-)。<br />儲存後,代碼不可再被更改。'
586 text_caracters_maximum: 最多 %d 個字元.
588 text_caracters_maximum: 最多 %d 個字元.
587 text_caracters_minimum: 長度必須大於 %d 個字元.
589 text_caracters_minimum: 長度必須大於 %d 個字元.
588 text_length_between: 長度必須介於 %d 至 %d 個字元之間.
590 text_length_between: 長度必須介於 %d 至 %d 個字元之間.
589 text_tracker_no_workflow: 此追蹤標籤尚未定義工作流程
591 text_tracker_no_workflow: 此追蹤標籤尚未定義工作流程
590 text_unallowed_characters: 不允許的字元
592 text_unallowed_characters: 不允許的字元
591 text_comma_separated: 可輸入多個值 (以逗號分隔).
593 text_comma_separated: 可輸入多個值 (以逗號分隔).
592 text_issues_ref_in_commit_messages: 送交訊息中參照(或修正)項目之關鍵字
594 text_issues_ref_in_commit_messages: 送交訊息中參照(或修正)項目之關鍵字
593 text_issue_added: 項目 %s 已被 %s 通報。
595 text_issue_added: 項目 %s 已被 %s 通報。
594 text_issue_updated: 項目 %s 已被 %s 更新。
596 text_issue_updated: 項目 %s 已被 %s 更新。
595 text_wiki_destroy_confirmation: 您確定要刪除這個 wiki 和其中的所有內容?
597 text_wiki_destroy_confirmation: 您確定要刪除這個 wiki 和其中的所有內容?
596 text_issue_category_destroy_question: 有 (%d) 個項目被指派到此分類. 請選擇您想要的動作?
598 text_issue_category_destroy_question: 有 (%d) 個項目被指派到此分類. 請選擇您想要的動作?
597 text_issue_category_destroy_assignments: 移除這些項目的分類
599 text_issue_category_destroy_assignments: 移除這些項目的分類
598 text_issue_category_reassign_to: 重新指派這些項目至其它分類
600 text_issue_category_reassign_to: 重新指派這些項目至其它分類
599 text_user_mail_option: "對於那些未被選擇的專案,將只會接收到您正在觀察中,或是參與中的項目通知。(「參與中的項目」包含您建立的或是指派給您的項目)"
601 text_user_mail_option: "對於那些未被選擇的專案,將只會接收到您正在觀察中,或是參與中的項目通知。(「參與中的項目」包含您建立的或是指派給您的項目)"
600 text_no_configuration_data: "角色、追蹤器、項目狀態與流程尚未被設定完成。\n強烈建議您先載入預設的設定,然後修改成您想要的設定。"
602 text_no_configuration_data: "角色、追蹤器、項目狀態與流程尚未被設定完成。\n強烈建議您先載入預設的設定,然後修改成您想要的設定。"
601 text_load_default_configuration: 載入預設組態
603 text_load_default_configuration: 載入預設組態
602 text_status_changed_by_changeset: 已套用至變更集 %s.
604 text_status_changed_by_changeset: 已套用至變更集 %s.
603 text_issues_destroy_confirmation: '確定刪除已選擇的項目?'
605 text_issues_destroy_confirmation: '確定刪除已選擇的項目?'
604 text_select_project_modules: '選擇此專案可使用之模組:'
606 text_select_project_modules: '選擇此專案可使用之模組:'
605 text_default_administrator_account_changed: 已變更預設管理員帳號內容
607 text_default_administrator_account_changed: 已變更預設管理員帳號內容
606 text_file_repository_writable: 可寫入檔案
608 text_file_repository_writable: 可寫入檔案
607 text_rmagick_available: 可使用 RMagick (選配)
609 text_rmagick_available: 可使用 RMagick (選配)
608 text_destroy_time_entries_question: 您即將刪除的項目已報工 %.02f 小時. 您的選擇是?
610 text_destroy_time_entries_question: 您即將刪除的項目已報工 %.02f 小時. 您的選擇是?
609 text_destroy_time_entries: 刪除已報工的時數
611 text_destroy_time_entries: 刪除已報工的時數
610 text_assign_time_entries_to_project: 指定已報工的時數至專案中
612 text_assign_time_entries_to_project: 指定已報工的時數至專案中
611 text_reassign_time_entries: '重新指定已報工的時數至此項目:'
613 text_reassign_time_entries: '重新指定已報工的時數至此項目:'
612 text_user_wrote: '%s 先前提到:'
614 text_user_wrote: '%s 先前提到:'
613 text_enumeration_destroy_question: '目前有 %d 個物件使用此列舉值。'
615 text_enumeration_destroy_question: '目前有 %d 個物件使用此列舉值。'
614 text_enumeration_category_reassign_to: '重新設定其列舉值為:'
616 text_enumeration_category_reassign_to: '重新設定其列舉值為:'
615 text_email_delivery_not_configured: "您尚未設定電子郵件傳送方式,因此提醒選項已被停用。\n請在 config/email.yml 中設定 SMTP 之後,重新啟動 Redmine,以啟用電子郵件提醒選項。"
617 text_email_delivery_not_configured: "您尚未設定電子郵件傳送方式,因此提醒選項已被停用。\n請在 config/email.yml 中設定 SMTP 之後,重新啟動 Redmine,以啟用電子郵件提醒選項。"
616
618
617 default_role_manager: 管理人員
619 default_role_manager: 管理人員
618 default_role_developper: 開發人員
620 default_role_developper: 開發人員
619 default_role_reporter: 報告人員
621 default_role_reporter: 報告人員
620 default_tracker_bug: 臭蟲
622 default_tracker_bug: 臭蟲
621 default_tracker_feature: 功能
623 default_tracker_feature: 功能
622 default_tracker_support: 支援
624 default_tracker_support: 支援
623 default_issue_status_new: 新建立
625 default_issue_status_new: 新建立
624 default_issue_status_assigned: 已指派
626 default_issue_status_assigned: 已指派
625 default_issue_status_resolved: 已解決
627 default_issue_status_resolved: 已解決
626 default_issue_status_feedback: 已回應
628 default_issue_status_feedback: 已回應
627 default_issue_status_closed: 已結束
629 default_issue_status_closed: 已結束
628 default_issue_status_rejected: 已拒絕
630 default_issue_status_rejected: 已拒絕
629 default_doc_category_user: 使用手冊
631 default_doc_category_user: 使用手冊
630 default_doc_category_tech: 技術文件
632 default_doc_category_tech: 技術文件
631 default_priority_low:
633 default_priority_low:
632 default_priority_normal: 正常
634 default_priority_normal: 正常
633 default_priority_high:
635 default_priority_high:
634 default_priority_urgent:
636 default_priority_urgent:
635 default_priority_immediate:
637 default_priority_immediate:
636 default_activity_design: 設計
638 default_activity_design: 設計
637 default_activity_development: 開發
639 default_activity_development: 開發
638
640
639 enumeration_issue_priorities: 項目優先權
641 enumeration_issue_priorities: 項目優先權
640 enumeration_doc_categories: 文件分類
642 enumeration_doc_categories: 文件分類
641 enumeration_activities: 活動 (時間追蹤)
643 enumeration_activities: 活動 (時間追蹤)
642 label_renamed: renamed
643 label_copied: copied
@@ -1,643 +1,643
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
2
2
3 actionview_datehelper_select_day_prefix:
3 actionview_datehelper_select_day_prefix:
4 actionview_datehelper_select_month_names: 一月,二月,三月,四月,五月,六月,七月,八月,九月,十月,十一月,十二月
4 actionview_datehelper_select_month_names: 一月,二月,三月,四月,五月,六月,七月,八月,九月,十月,十一月,十二月
5 actionview_datehelper_select_month_names_abbr: 一,二,三,四,五,六,七,八,九,十,十一,十二
5 actionview_datehelper_select_month_names_abbr: 一,二,三,四,五,六,七,八,九,十,十一,十二
6 actionview_datehelper_select_month_prefix:
6 actionview_datehelper_select_month_prefix:
7 actionview_datehelper_select_year_prefix:
7 actionview_datehelper_select_year_prefix:
8 actionview_datehelper_time_in_words_day: 1 天
8 actionview_datehelper_time_in_words_day: 1 天
9 actionview_datehelper_time_in_words_day_plural: %d 天
9 actionview_datehelper_time_in_words_day_plural: %d 天
10 actionview_datehelper_time_in_words_hour_about: 约 1 小时
10 actionview_datehelper_time_in_words_hour_about: 约 1 小时
11 actionview_datehelper_time_in_words_hour_about_plural: 约 %d 小时
11 actionview_datehelper_time_in_words_hour_about_plural: 约 %d 小时
12 actionview_datehelper_time_in_words_hour_about_single: 约 1 小时
12 actionview_datehelper_time_in_words_hour_about_single: 约 1 小时
13 actionview_datehelper_time_in_words_minute: 1 分钟
13 actionview_datehelper_time_in_words_minute: 1 分钟
14 actionview_datehelper_time_in_words_minute_half: 半分钟
14 actionview_datehelper_time_in_words_minute_half: 半分钟
15 actionview_datehelper_time_in_words_minute_less_than: 1 分钟以内
15 actionview_datehelper_time_in_words_minute_less_than: 1 分钟以内
16 actionview_datehelper_time_in_words_minute_plural: %d 分钟
16 actionview_datehelper_time_in_words_minute_plural: %d 分钟
17 actionview_datehelper_time_in_words_minute_single: 1 分钟
17 actionview_datehelper_time_in_words_minute_single: 1 分钟
18 actionview_datehelper_time_in_words_second_less_than: 1 秒以内
18 actionview_datehelper_time_in_words_second_less_than: 1 秒以内
19 actionview_datehelper_time_in_words_second_less_than_plural: %d 秒以内
19 actionview_datehelper_time_in_words_second_less_than_plural: %d 秒以内
20 actionview_instancetag_blank_option: 请选择
20 actionview_instancetag_blank_option: 请选择
21
21
22 activerecord_error_inclusion: 未被包含在列表中
22 activerecord_error_inclusion: 未被包含在列表中
23 activerecord_error_exclusion: 是保留字
23 activerecord_error_exclusion: 是保留字
24 activerecord_error_invalid: 是无效的
24 activerecord_error_invalid: 是无效的
25 activerecord_error_confirmation: 与确认栏不符
25 activerecord_error_confirmation: 与确认栏不符
26 activerecord_error_accepted: 必须被接受
26 activerecord_error_accepted: 必须被接受
27 activerecord_error_empty: 不可为空
27 activerecord_error_empty: 不可为空
28 activerecord_error_blank: 不可为空白
28 activerecord_error_blank: 不可为空白
29 activerecord_error_too_long: 过长
29 activerecord_error_too_long: 过长
30 activerecord_error_too_short: 过短
30 activerecord_error_too_short: 过短
31 activerecord_error_wrong_length: 长度不正确
31 activerecord_error_wrong_length: 长度不正确
32 activerecord_error_taken: 已被使用
32 activerecord_error_taken: 已被使用
33 activerecord_error_not_a_number: 不是数字
33 activerecord_error_not_a_number: 不是数字
34 activerecord_error_not_a_date: 不是有效的日期
34 activerecord_error_not_a_date: 不是有效的日期
35 activerecord_error_greater_than_start_date: 必须在起始日期之后
35 activerecord_error_greater_than_start_date: 必须在起始日期之后
36 activerecord_error_not_same_project: 不属于同一个项目
36 activerecord_error_not_same_project: 不属于同一个项目
37 activerecord_error_circular_dependency: 此关联将导致循环依赖
37 activerecord_error_circular_dependency: 此关联将导致循环依赖
38
38
39 general_fmt_age: %d 年
39 general_fmt_age: %d 年
40 general_fmt_age_plural: %d 年
40 general_fmt_age_plural: %d 年
41 general_fmt_date: %%m/%%d/%%Y
41 general_fmt_date: %%m/%%d/%%Y
42 general_fmt_datetime: %%m/%%d/%%Y %%I:%%M %%p
42 general_fmt_datetime: %%m/%%d/%%Y %%I:%%M %%p
43 general_fmt_datetime_short: %%b %%d, %%I:%%M %%p
43 general_fmt_datetime_short: %%b %%d, %%I:%%M %%p
44 general_fmt_time: %%I:%%M %%p
44 general_fmt_time: %%I:%%M %%p
45 general_text_No: '否'
45 general_text_No: '否'
46 general_text_Yes: '是'
46 general_text_Yes: '是'
47 general_text_no: '否'
47 general_text_no: '否'
48 general_text_yes: '是'
48 general_text_yes: '是'
49 general_lang_name: 'Simplified Chinese (简体中文)'
49 general_lang_name: 'Simplified Chinese (简体中文)'
50 general_csv_separator: ','
50 general_csv_separator: ','
51 general_csv_decimal_separator: '.'
51 general_csv_decimal_separator: '.'
52 general_csv_encoding: gb2312
52 general_csv_encoding: gb2312
53 general_pdf_encoding: gb2312
53 general_pdf_encoding: gb2312
54 general_day_names: 星期一,星期二,星期三,星期四,星期五,星期六,星期日
54 general_day_names: 星期一,星期二,星期三,星期四,星期五,星期六,星期日
55 general_first_day_of_week: '7'
55 general_first_day_of_week: '7'
56
56
57 notice_account_updated: 帐号更新成功
57 notice_account_updated: 帐号更新成功
58 notice_account_invalid_creditentials: 无效的用户名或密码
58 notice_account_invalid_creditentials: 无效的用户名或密码
59 notice_account_password_updated: 密码更新成功
59 notice_account_password_updated: 密码更新成功
60 notice_account_wrong_password: 密码错误
60 notice_account_wrong_password: 密码错误
61 notice_account_register_done: 帐号创建成功,请使用注册确认邮件中的链接来激活您的帐号。
61 notice_account_register_done: 帐号创建成功,请使用注册确认邮件中的链接来激活您的帐号。
62 notice_account_unknown_email: 未知用户
62 notice_account_unknown_email: 未知用户
63 notice_can_t_change_password: 该帐号使用了外部认证,因此无法更改密码。
63 notice_can_t_change_password: 该帐号使用了外部认证,因此无法更改密码。
64 notice_account_lost_email_sent: 系统已将引导您设置新密码的邮件发送给您。
64 notice_account_lost_email_sent: 系统已将引导您设置新密码的邮件发送给您。
65 notice_account_activated: 您的帐号已被激活。您现在可以登录了。
65 notice_account_activated: 您的帐号已被激活。您现在可以登录了。
66 notice_successful_create: 创建成功
66 notice_successful_create: 创建成功
67 notice_successful_update: 更新成功
67 notice_successful_update: 更新成功
68 notice_successful_delete: 删除成功
68 notice_successful_delete: 删除成功
69 notice_successful_connection: 连接成功
69 notice_successful_connection: 连接成功
70 notice_file_not_found: 您访问的页面不存在或已被删除。
70 notice_file_not_found: 您访问的页面不存在或已被删除。
71 notice_locking_conflict: 数据已被另一位用户更新
71 notice_locking_conflict: 数据已被另一位用户更新
72 notice_not_authorized: 对不起,您无权访问此页面。
72 notice_not_authorized: 对不起,您无权访问此页面。
73 notice_email_sent: 邮件已成功发送到 %s
73 notice_email_sent: 邮件已成功发送到 %s
74 notice_email_error: 发送邮件时发生错误 (%s)
74 notice_email_error: 发送邮件时发生错误 (%s)
75 notice_feeds_access_key_reseted: 您的RSS存取键已被重置。
75 notice_feeds_access_key_reseted: 您的RSS存取键已被重置。
76 notice_failed_to_save_issues: "%d 个问题保存失败(共选择 %d 个问题):%s."
76 notice_failed_to_save_issues: "%d 个问题保存失败(共选择 %d 个问题):%s."
77 notice_no_issue_selected: "未选择任何问题!请选择您要编辑的问题。"
77 notice_no_issue_selected: "未选择任何问题!请选择您要编辑的问题。"
78 notice_account_pending: "您的帐号已被成功创建,正在等待管理员的审核。"
78 notice_account_pending: "您的帐号已被成功创建,正在等待管理员的审核。"
79 notice_default_data_loaded: 成功载入默认设置。
79 notice_default_data_loaded: 成功载入默认设置。
80 notice_unable_delete_version: 无法删除版本
80 notice_unable_delete_version: 无法删除版本
81
81
82 error_can_t_load_default_data: "无法载入默认设置:%s"
82 error_can_t_load_default_data: "无法载入默认设置:%s"
83 error_scm_not_found: "版本库中不存在该条目和(或)其修订版本。"
83 error_scm_not_found: "版本库中不存在该条目和(或)其修订版本。"
84 error_scm_command_failed: "访问版本库时发生错误:%s"
84 error_scm_command_failed: "访问版本库时发生错误:%s"
85 error_scm_annotate: "该条目不存在或无法追溯。"
85 error_scm_annotate: "该条目不存在或无法追溯。"
86 error_issue_not_found_in_project: '问题不存在或不属于此项目'
86 error_issue_not_found_in_project: '问题不存在或不属于此项目'
87
87
88 mail_subject_lost_password: 您的 %s 密码
88 mail_subject_lost_password: 您的 %s 密码
89 mail_body_lost_password: '请点击以下链接来修改您的密码:'
89 mail_body_lost_password: '请点击以下链接来修改您的密码:'
90 mail_subject_register: %s帐号激活
90 mail_subject_register: %s帐号激活
91 mail_body_register: '请点击以下链接来激活您的帐号:'
91 mail_body_register: '请点击以下链接来激活您的帐号:'
92 mail_body_account_information_external: 您可以使用您的 "%s" 帐号来登录。
92 mail_body_account_information_external: 您可以使用您的 "%s" 帐号来登录。
93 mail_body_account_information: 您的帐号信息
93 mail_body_account_information: 您的帐号信息
94 mail_subject_account_activation_request: %s帐号激活请求
94 mail_subject_account_activation_request: %s帐号激活请求
95 mail_body_account_activation_request: '新用户(%s)已完成注册,正在等候您的审核:'
95 mail_body_account_activation_request: '新用户(%s)已完成注册,正在等候您的审核:'
96 mail_subject_reminder: "%d 个问题需要尽快解决"
96 mail_subject_reminder: "%d 个问题需要尽快解决"
97 mail_body_reminder: "指派给您的 %d 个问题需要在 %d 天内完成:"
97 mail_body_reminder: "指派给您的 %d 个问题需要在 %d 天内完成:"
98
98
99 gui_validation_error: 1 个错误
99 gui_validation_error: 1 个错误
100 gui_validation_error_plural: %d 个错误
100 gui_validation_error_plural: %d 个错误
101
101
102 field_name: 名称
102 field_name: 名称
103 field_description: 描述
103 field_description: 描述
104 field_summary: 摘要
104 field_summary: 摘要
105 field_is_required: 必填
105 field_is_required: 必填
106 field_firstname: 名字
106 field_firstname: 名字
107 field_lastname: 姓氏
107 field_lastname: 姓氏
108 field_mail: 邮件地址
108 field_mail: 邮件地址
109 field_filename: 文件
109 field_filename: 文件
110 field_filesize: 大小
110 field_filesize: 大小
111 field_downloads: 下载次数
111 field_downloads: 下载次数
112 field_author: 作者
112 field_author: 作者
113 field_created_on: 创建于
113 field_created_on: 创建于
114 field_updated_on: 更新于
114 field_updated_on: 更新于
115 field_field_format: 格式
115 field_field_format: 格式
116 field_is_for_all: 用于所有项目
116 field_is_for_all: 用于所有项目
117 field_possible_values: 可能的值
117 field_possible_values: 可能的值
118 field_regexp: 正则表达式
118 field_regexp: 正则表达式
119 field_min_length: 最小长度
119 field_min_length: 最小长度
120 field_max_length: 最大长度
120 field_max_length: 最大长度
121 field_value:
121 field_value:
122 field_category: 类别
122 field_category: 类别
123 field_title: 标题
123 field_title: 标题
124 field_project: 项目
124 field_project: 项目
125 field_issue: 问题
125 field_issue: 问题
126 field_status: 状态
126 field_status: 状态
127 field_notes: 说明
127 field_notes: 说明
128 field_is_closed: 已关闭的问题
128 field_is_closed: 已关闭的问题
129 field_is_default: 默认值
129 field_is_default: 默认值
130 field_tracker: 跟踪
130 field_tracker: 跟踪
131 field_subject: 主题
131 field_subject: 主题
132 field_due_date: 完成日期
132 field_due_date: 完成日期
133 field_assigned_to: 指派给
133 field_assigned_to: 指派给
134 field_priority: 优先级
134 field_priority: 优先级
135 field_fixed_version: 目标版本
135 field_fixed_version: 目标版本
136 field_user: 用户
136 field_user: 用户
137 field_role: 角色
137 field_role: 角色
138 field_homepage: 主页
138 field_homepage: 主页
139 field_is_public: 公开
139 field_is_public: 公开
140 field_parent: 上级项目
140 field_parent: 上级项目
141 field_is_in_chlog: 在更新日志中显示问题
141 field_is_in_chlog: 在更新日志中显示问题
142 field_is_in_roadmap: 在路线图中显示问题
142 field_is_in_roadmap: 在路线图中显示问题
143 field_login: 登录名
143 field_login: 登录名
144 field_mail_notification: 邮件通知
144 field_mail_notification: 邮件通知
145 field_admin: 管理员
145 field_admin: 管理员
146 field_last_login_on: 最后登录
146 field_last_login_on: 最后登录
147 field_language: 语言
147 field_language: 语言
148 field_effective_date: 日期
148 field_effective_date: 日期
149 field_password: 密码
149 field_password: 密码
150 field_new_password: 新密码
150 field_new_password: 新密码
151 field_password_confirmation: 确认
151 field_password_confirmation: 确认
152 field_version: 版本
152 field_version: 版本
153 field_type: 类型
153 field_type: 类型
154 field_host: 主机
154 field_host: 主机
155 field_port: 端口
155 field_port: 端口
156 field_account: 帐号
156 field_account: 帐号
157 field_base_dn: Base DN
157 field_base_dn: Base DN
158 field_attr_login: 登录名属性
158 field_attr_login: 登录名属性
159 field_attr_firstname: 名字属性
159 field_attr_firstname: 名字属性
160 field_attr_lastname: 姓氏属性
160 field_attr_lastname: 姓氏属性
161 field_attr_mail: 邮件属性
161 field_attr_mail: 邮件属性
162 field_onthefly: 即时用户生成
162 field_onthefly: 即时用户生成
163 field_start_date: 开始
163 field_start_date: 开始
164 field_done_ratio: 完成度
164 field_done_ratio: 完成度
165 field_auth_source: 认证模式
165 field_auth_source: 认证模式
166 field_hide_mail: 隐藏我的邮件地址
166 field_hide_mail: 隐藏我的邮件地址
167 field_comments: 注释
167 field_comments: 注释
168 field_url: URL
168 field_url: URL
169 field_start_page: 起始页
169 field_start_page: 起始页
170 field_subproject: 子项目
170 field_subproject: 子项目
171 field_hours: 小时
171 field_hours: 小时
172 field_activity: 活动
172 field_activity: 活动
173 field_spent_on: 日期
173 field_spent_on: 日期
174 field_identifier: 标识
174 field_identifier: 标识
175 field_is_filter: 作为过滤条件
175 field_is_filter: 作为过滤条件
176 field_issue_to_id: 相关问题
176 field_issue_to_id: 相关问题
177 field_delay: 延期
177 field_delay: 延期
178 field_assignable: 问题可指派给此角色
178 field_assignable: 问题可指派给此角色
179 field_redirect_existing_links: 重定向到现有链接
179 field_redirect_existing_links: 重定向到现有链接
180 field_estimated_hours: 预期时间
180 field_estimated_hours: 预期时间
181 field_column_names:
181 field_column_names:
182 field_time_zone: 时区
182 field_time_zone: 时区
183 field_searchable: 可用作搜索条件
183 field_searchable: 可用作搜索条件
184 field_default_value: 默认值
184 field_default_value: 默认值
185 field_comments_sorting: 显示注释
185 field_comments_sorting: 显示注释
186 field_parent_title: 上级页面
186 field_parent_title: 上级页面
187
187
188 setting_app_title: 应用程序标题
188 setting_app_title: 应用程序标题
189 setting_app_subtitle: 应用程序子标题
189 setting_app_subtitle: 应用程序子标题
190 setting_welcome_text: 欢迎文字
190 setting_welcome_text: 欢迎文字
191 setting_default_language: 默认语言
191 setting_default_language: 默认语言
192 setting_login_required: 要求认证
192 setting_login_required: 要求认证
193 setting_self_registration: 允许自注册
193 setting_self_registration: 允许自注册
194 setting_attachment_max_size: 附件大小限制
194 setting_attachment_max_size: 附件大小限制
195 setting_issues_export_limit: 问题输出条目的限制
195 setting_issues_export_limit: 问题输出条目的限制
196 setting_mail_from: 邮件发件人地址
196 setting_mail_from: 邮件发件人地址
197 setting_bcc_recipients: 使用密件抄送 (bcc)
197 setting_bcc_recipients: 使用密件抄送 (bcc)
198 setting_host_name: 主机名称
198 setting_host_name: 主机名称
199 setting_text_formatting: 文本格式
199 setting_text_formatting: 文本格式
200 setting_wiki_compression: 压缩Wiki历史文档
200 setting_wiki_compression: 压缩Wiki历史文档
201 setting_feeds_limit: RSS Feed内容条数限制
201 setting_feeds_limit: RSS Feed内容条数限制
202 setting_default_projects_public: 新建项目默认为公开项目
202 setting_default_projects_public: 新建项目默认为公开项目
203 setting_autofetch_changesets: 自动获取程序变更
203 setting_autofetch_changesets: 自动获取程序变更
204 setting_sys_api_enabled: 启用用于版本库管理的Web Service
204 setting_sys_api_enabled: 启用用于版本库管理的Web Service
205 setting_commit_ref_keywords: 用于引用问题的关键字
205 setting_commit_ref_keywords: 用于引用问题的关键字
206 setting_commit_fix_keywords: 用于解决问题的关键字
206 setting_commit_fix_keywords: 用于解决问题的关键字
207 setting_autologin: 自动登录
207 setting_autologin: 自动登录
208 setting_date_format: 日期格式
208 setting_date_format: 日期格式
209 setting_time_format: 时间格式
209 setting_time_format: 时间格式
210 setting_cross_project_issue_relations: 允许不同项目之间的问题关联
210 setting_cross_project_issue_relations: 允许不同项目之间的问题关联
211 setting_issue_list_default_columns: 问题列表中显示的默认列
211 setting_issue_list_default_columns: 问题列表中显示的默认列
212 setting_repositories_encodings: 版本库编码
212 setting_repositories_encodings: 版本库编码
213 setting_commit_logs_encoding: 提交注释的编码
213 setting_commit_logs_encoding: 提交注释的编码
214 setting_emails_footer: 邮件签名
214 setting_emails_footer: 邮件签名
215 setting_protocol: 协议
215 setting_protocol: 协议
216 setting_per_page_options: 每页显示条目个数的设置
216 setting_per_page_options: 每页显示条目个数的设置
217 setting_user_format: 用户显示格式
217 setting_user_format: 用户显示格式
218 setting_activity_days_default: 在项目活动中显示的天数
218 setting_activity_days_default: 在项目活动中显示的天数
219 setting_display_subprojects_issues: 在项目页面上默认显示子项目的问题
219 setting_display_subprojects_issues: 在项目页面上默认显示子项目的问题
220 setting_enabled_scm: 启用 SCM
220 setting_enabled_scm: 启用 SCM
221 setting_mail_handler_api_enabled: 启用用于接收邮件的Web Service
221 setting_mail_handler_api_enabled: 启用用于接收邮件的Web Service
222 setting_mail_handler_api_key: API key
222 setting_mail_handler_api_key: API key
223 setting_sequential_project_identifiers: 顺序产生项目标识
223 setting_sequential_project_identifiers: 顺序产生项目标识
224
224
225 project_module_issue_tracking: 问题跟踪
225 project_module_issue_tracking: 问题跟踪
226 project_module_time_tracking: 时间跟踪
226 project_module_time_tracking: 时间跟踪
227 project_module_news: 新闻
227 project_module_news: 新闻
228 project_module_documents: 文档
228 project_module_documents: 文档
229 project_module_files: 文件
229 project_module_files: 文件
230 project_module_wiki: Wiki
230 project_module_wiki: Wiki
231 project_module_repository: 版本库
231 project_module_repository: 版本库
232 project_module_boards: 讨论区
232 project_module_boards: 讨论区
233
233
234 label_user: 用户
234 label_user: 用户
235 label_user_plural: 用户
235 label_user_plural: 用户
236 label_user_new: 新建用户
236 label_user_new: 新建用户
237 label_project: 项目
237 label_project: 项目
238 label_project_new: 新建项目
238 label_project_new: 新建项目
239 label_project_plural: 项目
239 label_project_plural: 项目
240 label_project_all: 所有的项目
240 label_project_all: 所有的项目
241 label_project_latest: 最近更新的项目
241 label_project_latest: 最近更新的项目
242 label_issue: 问题
242 label_issue: 问题
243 label_issue_new: 新建问题
243 label_issue_new: 新建问题
244 label_issue_plural: 问题
244 label_issue_plural: 问题
245 label_issue_view_all: 查看所有问题
245 label_issue_view_all: 查看所有问题
246 label_issues_by: 按 %s 分组显示问题
246 label_issues_by: 按 %s 分组显示问题
247 label_issue_added: 问题已添加
247 label_issue_added: 问题已添加
248 label_issue_updated: 问题已更新
248 label_issue_updated: 问题已更新
249 label_document: 文档
249 label_document: 文档
250 label_document_new: 新建文档
250 label_document_new: 新建文档
251 label_document_plural: 文档
251 label_document_plural: 文档
252 label_document_added: 文档已添加
252 label_document_added: 文档已添加
253 label_role: 角色
253 label_role: 角色
254 label_role_plural: 角色
254 label_role_plural: 角色
255 label_role_new: 新建角色
255 label_role_new: 新建角色
256 label_role_and_permissions: 角色和权限
256 label_role_and_permissions: 角色和权限
257 label_member: 成员
257 label_member: 成员
258 label_member_new: 新建成员
258 label_member_new: 新建成员
259 label_member_plural: 成员
259 label_member_plural: 成员
260 label_tracker: 跟踪标签
260 label_tracker: 跟踪标签
261 label_tracker_plural: 跟踪标签
261 label_tracker_plural: 跟踪标签
262 label_tracker_new: 新建跟踪标签
262 label_tracker_new: 新建跟踪标签
263 label_workflow: 工作流程
263 label_workflow: 工作流程
264 label_issue_status: 问题状态
264 label_issue_status: 问题状态
265 label_issue_status_plural: 问题状态
265 label_issue_status_plural: 问题状态
266 label_issue_status_new: 新建问题状态
266 label_issue_status_new: 新建问题状态
267 label_issue_category: 问题类别
267 label_issue_category: 问题类别
268 label_issue_category_plural: 问题类别
268 label_issue_category_plural: 问题类别
269 label_issue_category_new: 新建问题类别
269 label_issue_category_new: 新建问题类别
270 label_custom_field: 自定义属性
270 label_custom_field: 自定义属性
271 label_custom_field_plural: 自定义属性
271 label_custom_field_plural: 自定义属性
272 label_custom_field_new: 新建自定义属性
272 label_custom_field_new: 新建自定义属性
273 label_enumerations: 枚举值
273 label_enumerations: 枚举值
274 label_enumeration_new: 新建枚举值
274 label_enumeration_new: 新建枚举值
275 label_information: 信息
275 label_information: 信息
276 label_information_plural: 信息
276 label_information_plural: 信息
277 label_please_login: 请登录
277 label_please_login: 请登录
278 label_register: 注册
278 label_register: 注册
279 label_password_lost: 忘记密码
279 label_password_lost: 忘记密码
280 label_home: 主页
280 label_home: 主页
281 label_my_page: 我的工作台
281 label_my_page: 我的工作台
282 label_my_account: 我的帐号
282 label_my_account: 我的帐号
283 label_my_projects: 我的项目
283 label_my_projects: 我的项目
284 label_administration: 管理
284 label_administration: 管理
285 label_login: 登录
285 label_login: 登录
286 label_logout: 退出
286 label_logout: 退出
287 label_help: 帮助
287 label_help: 帮助
288 label_reported_issues: 已报告的问题
288 label_reported_issues: 已报告的问题
289 label_assigned_to_me_issues: 指派给我的问题
289 label_assigned_to_me_issues: 指派给我的问题
290 label_last_login: 最后登录
290 label_last_login: 最后登录
291 label_last_updates: 最后更新
291 label_last_updates: 最后更新
292 label_last_updates_plural: %d 最后更新
292 label_last_updates_plural: %d 最后更新
293 label_registered_on: 注册于
293 label_registered_on: 注册于
294 label_activity: 活动
294 label_activity: 活动
295 label_overall_activity: 全部活动
295 label_overall_activity: 全部活动
296 label_new: 新建
296 label_new: 新建
297 label_logged_as: 登录为
297 label_logged_as: 登录为
298 label_environment: 环境
298 label_environment: 环境
299 label_authentication: 认证
299 label_authentication: 认证
300 label_auth_source: 认证模式
300 label_auth_source: 认证模式
301 label_auth_source_new: 新建认证模式
301 label_auth_source_new: 新建认证模式
302 label_auth_source_plural: 认证模式
302 label_auth_source_plural: 认证模式
303 label_subproject_plural: 子项目
303 label_subproject_plural: 子项目
304 label_and_its_subprojects: %s 及其子项目
304 label_and_its_subprojects: %s 及其子项目
305 label_min_max_length: 最小 - 最大 长度
305 label_min_max_length: 最小 - 最大 长度
306 label_list: 列表
306 label_list: 列表
307 label_date: 日期
307 label_date: 日期
308 label_integer: 整数
308 label_integer: 整数
309 label_float: 浮点数
309 label_float: 浮点数
310 label_boolean: 布尔量
310 label_boolean: 布尔量
311 label_string: 文字
311 label_string: 文字
312 label_text: 长段文字
312 label_text: 长段文字
313 label_attribute: 属性
313 label_attribute: 属性
314 label_attribute_plural: 属性
314 label_attribute_plural: 属性
315 label_download: %d 次下载
315 label_download: %d 次下载
316 label_download_plural: %d 次下载
316 label_download_plural: %d 次下载
317 label_no_data: 没有任何数据可供显示
317 label_no_data: 没有任何数据可供显示
318 label_change_status: 变更状态
318 label_change_status: 变更状态
319 label_history: 历史记录
319 label_history: 历史记录
320 label_attachment: 文件
320 label_attachment: 文件
321 label_attachment_new: 新建文件
321 label_attachment_new: 新建文件
322 label_attachment_delete: 删除文件
322 label_attachment_delete: 删除文件
323 label_attachment_plural: 文件
323 label_attachment_plural: 文件
324 label_file_added: 文件已添加
324 label_file_added: 文件已添加
325 label_report: 报表
325 label_report: 报表
326 label_report_plural: 报表
326 label_report_plural: 报表
327 label_news: 新闻
327 label_news: 新闻
328 label_news_new: 添加新闻
328 label_news_new: 添加新闻
329 label_news_plural: 新闻
329 label_news_plural: 新闻
330 label_news_latest: 最近的新闻
330 label_news_latest: 最近的新闻
331 label_news_view_all: 查看所有新闻
331 label_news_view_all: 查看所有新闻
332 label_news_added: 新闻已添加
332 label_news_added: 新闻已添加
333 label_change_log: 更新日志
333 label_change_log: 更新日志
334 label_settings: 配置
334 label_settings: 配置
335 label_overview: 概述
335 label_overview: 概述
336 label_version: 版本
336 label_version: 版本
337 label_version_new: 新建版本
337 label_version_new: 新建版本
338 label_version_plural: 版本
338 label_version_plural: 版本
339 label_confirmation: 确认
339 label_confirmation: 确认
340 label_export_to: 导出
340 label_export_to: 导出
341 label_read: 读取...
341 label_read: 读取...
342 label_public_projects: 公开的项目
342 label_public_projects: 公开的项目
343 label_open_issues: 打开
343 label_open_issues: 打开
344 label_open_issues_plural: 打开
344 label_open_issues_plural: 打开
345 label_closed_issues: 已关闭
345 label_closed_issues: 已关闭
346 label_closed_issues_plural: 已关闭
346 label_closed_issues_plural: 已关闭
347 label_total: 合计
347 label_total: 合计
348 label_permissions: 权限
348 label_permissions: 权限
349 label_current_status: 当前状态
349 label_current_status: 当前状态
350 label_new_statuses_allowed: 可变更的新状态
350 label_new_statuses_allowed: 可变更的新状态
351 label_all: 全部
351 label_all: 全部
352 label_none:
352 label_none:
353 label_nobody: 无人
353 label_nobody: 无人
354 label_next: 下一个
354 label_next: 下一个
355 label_previous: 上一个
355 label_previous: 上一个
356 label_used_by: 使用中
356 label_used_by: 使用中
357 label_details: 详情
357 label_details: 详情
358 label_add_note: 添加说明
358 label_add_note: 添加说明
359 label_per_page: 每页
359 label_per_page: 每页
360 label_calendar: 日历
360 label_calendar: 日历
361 label_months_from: 个月以来
361 label_months_from: 个月以来
362 label_gantt: 甘特图
362 label_gantt: 甘特图
363 label_internal: 内部
363 label_internal: 内部
364 label_last_changes: 最近的 %d 次变更
364 label_last_changes: 最近的 %d 次变更
365 label_change_view_all: 查看所有变更
365 label_change_view_all: 查看所有变更
366 label_personalize_page: 个性化定制本页
366 label_personalize_page: 个性化定制本页
367 label_comment: 评论
367 label_comment: 评论
368 label_comment_plural: 评论
368 label_comment_plural: 评论
369 label_comment_add: 添加评论
369 label_comment_add: 添加评论
370 label_comment_added: 评论已添加
370 label_comment_added: 评论已添加
371 label_comment_delete: 删除评论
371 label_comment_delete: 删除评论
372 label_query: 自定义查询
372 label_query: 自定义查询
373 label_query_plural: 自定义查询
373 label_query_plural: 自定义查询
374 label_query_new: 新建查询
374 label_query_new: 新建查询
375 label_filter_add: 增加过滤器
375 label_filter_add: 增加过滤器
376 label_filter_plural: 过滤器
376 label_filter_plural: 过滤器
377 label_equals: 等于
377 label_equals: 等于
378 label_not_equals: 不等于
378 label_not_equals: 不等于
379 label_in_less_than: 剩余天数小于
379 label_in_less_than: 剩余天数小于
380 label_in_more_than: 剩余天数大于
380 label_in_more_than: 剩余天数大于
381 label_in: 剩余天数
381 label_in: 剩余天数
382 label_today: 今天
382 label_today: 今天
383 label_all_time: 全部时间
383 label_all_time: 全部时间
384 label_yesterday: 昨天
384 label_yesterday: 昨天
385 label_this_week: 本周
385 label_this_week: 本周
386 label_last_week: 下周
386 label_last_week: 下周
387 label_last_n_days: 最后 %d 天
387 label_last_n_days: 最后 %d 天
388 label_this_month: 本月
388 label_this_month: 本月
389 label_last_month: 下月
389 label_last_month: 下月
390 label_this_year: 今年
390 label_this_year: 今年
391 label_date_range: 日期范围
391 label_date_range: 日期范围
392 label_less_than_ago: 之前天数少于
392 label_less_than_ago: 之前天数少于
393 label_more_than_ago: 之前天数大于
393 label_more_than_ago: 之前天数大于
394 label_ago: 之前天数
394 label_ago: 之前天数
395 label_contains: 包含
395 label_contains: 包含
396 label_not_contains: 不包含
396 label_not_contains: 不包含
397 label_day_plural:
397 label_day_plural:
398 label_repository: 版本库
398 label_repository: 版本库
399 label_repository_plural: 版本库
399 label_repository_plural: 版本库
400 label_browse: 浏览
400 label_browse: 浏览
401 label_modification: %d 个更新
401 label_modification: %d 个更新
402 label_modification_plural: %d 个更新
402 label_modification_plural: %d 个更新
403 label_revision: 修订
403 label_revision: 修订
404 label_revision_plural: 修订
404 label_revision_plural: 修订
405 label_associated_revisions: 相关修订版本
405 label_associated_revisions: 相关修订版本
406 label_added: 已添加
406 label_added: 已添加
407 label_modified: 已修改
407 label_modified: 已修改
408 label_copied: 已复制
409 label_renamed: 已重命名
408 label_deleted: 已删除
410 label_deleted: 已删除
409 label_latest_revision: 最近的修订版本
411 label_latest_revision: 最近的修订版本
410 label_latest_revision_plural: 最近的修订版本
412 label_latest_revision_plural: 最近的修订版本
411 label_view_revisions: 查看修订
413 label_view_revisions: 查看修订
412 label_max_size: 最大尺寸
414 label_max_size: 最大尺寸
413 label_on: 'on'
415 label_on: 'on'
414 label_sort_highest: 置顶
416 label_sort_highest: 置顶
415 label_sort_higher: 上移
417 label_sort_higher: 上移
416 label_sort_lower: 下移
418 label_sort_lower: 下移
417 label_sort_lowest: 置底
419 label_sort_lowest: 置底
418 label_roadmap: 路线图
420 label_roadmap: 路线图
419 label_roadmap_due_in: 截止日期到
421 label_roadmap_due_in: 截止日期到
420 label_roadmap_overdue: %s 延期
422 label_roadmap_overdue: %s 延期
421 label_roadmap_no_issues: 该版本没有问题
423 label_roadmap_no_issues: 该版本没有问题
422 label_search: 搜索
424 label_search: 搜索
423 label_result_plural: 结果
425 label_result_plural: 结果
424 label_all_words: 所有单词
426 label_all_words: 所有单词
425 label_wiki: Wiki
427 label_wiki: Wiki
426 label_wiki_edit: Wiki 编辑
428 label_wiki_edit: Wiki 编辑
427 label_wiki_edit_plural: Wiki 编辑记录
429 label_wiki_edit_plural: Wiki 编辑记录
428 label_wiki_page: Wiki 页面
430 label_wiki_page: Wiki 页面
429 label_wiki_page_plural: Wiki 页面
431 label_wiki_page_plural: Wiki 页面
430 label_index_by_title: 按标题索引
432 label_index_by_title: 按标题索引
431 label_index_by_date: 按日期索引
433 label_index_by_date: 按日期索引
432 label_current_version: 当前版本
434 label_current_version: 当前版本
433 label_preview: 预览
435 label_preview: 预览
434 label_feed_plural: Feeds
436 label_feed_plural: Feeds
435 label_changes_details: 所有变更的详情
437 label_changes_details: 所有变更的详情
436 label_issue_tracking: 问题跟踪
438 label_issue_tracking: 问题跟踪
437 label_spent_time: 耗时
439 label_spent_time: 耗时
438 label_f_hour: %.2f 小时
440 label_f_hour: %.2f 小时
439 label_f_hour_plural: %.2f 小时
441 label_f_hour_plural: %.2f 小时
440 label_time_tracking: 时间跟踪
442 label_time_tracking: 时间跟踪
441 label_change_plural: 变更
443 label_change_plural: 变更
442 label_statistics: 统计
444 label_statistics: 统计
443 label_commits_per_month: 每月提交次数
445 label_commits_per_month: 每月提交次数
444 label_commits_per_author: 每用户提交次数
446 label_commits_per_author: 每用户提交次数
445 label_view_diff: 查看差别
447 label_view_diff: 查看差别
446 label_diff_inline: 直列
448 label_diff_inline: 直列
447 label_diff_side_by_side: 并排
449 label_diff_side_by_side: 并排
448 label_options: 选项
450 label_options: 选项
449 label_copy_workflow_from: 从以下项目复制工作流程
451 label_copy_workflow_from: 从以下项目复制工作流程
450 label_permissions_report: 权限报表
452 label_permissions_report: 权限报表
451 label_watched_issues: 跟踪的问题
453 label_watched_issues: 跟踪的问题
452 label_related_issues: 相关的问题
454 label_related_issues: 相关的问题
453 label_applied_status: 应用后的状态
455 label_applied_status: 应用后的状态
454 label_loading: 载入中...
456 label_loading: 载入中...
455 label_relation_new: 新建关联
457 label_relation_new: 新建关联
456 label_relation_delete: 删除关联
458 label_relation_delete: 删除关联
457 label_relates_to: 关联到
459 label_relates_to: 关联到
458 label_duplicates: 重复
460 label_duplicates: 重复
459 label_duplicated_by: 与其重复
461 label_duplicated_by: 与其重复
460 label_blocks: 阻挡
462 label_blocks: 阻挡
461 label_blocked_by: 被阻挡
463 label_blocked_by: 被阻挡
462 label_precedes: 优先于
464 label_precedes: 优先于
463 label_follows: 跟随于
465 label_follows: 跟随于
464 label_end_to_start: 结束-开始
466 label_end_to_start: 结束-开始
465 label_end_to_end: 结束-结束
467 label_end_to_end: 结束-结束
466 label_start_to_start: 开始-开始
468 label_start_to_start: 开始-开始
467 label_start_to_end: 开始-结束
469 label_start_to_end: 开始-结束
468 label_stay_logged_in: 保持登录状态
470 label_stay_logged_in: 保持登录状态
469 label_disabled: 禁用
471 label_disabled: 禁用
470 label_show_completed_versions: 显示已完成的版本
472 label_show_completed_versions: 显示已完成的版本
471 label_me:
473 label_me:
472 label_board: 讨论区
474 label_board: 讨论区
473 label_board_new: 新建讨论区
475 label_board_new: 新建讨论区
474 label_board_plural: 讨论区
476 label_board_plural: 讨论区
475 label_topic_plural: 主题
477 label_topic_plural: 主题
476 label_message_plural: 帖子
478 label_message_plural: 帖子
477 label_message_last: 最新的帖子
479 label_message_last: 最新的帖子
478 label_message_new: 新贴
480 label_message_new: 新贴
479 label_message_posted: 发帖成功
481 label_message_posted: 发帖成功
480 label_reply_plural: 回复
482 label_reply_plural: 回复
481 label_send_information: 给用户发送帐号信息
483 label_send_information: 给用户发送帐号信息
482 label_year:
484 label_year:
483 label_month:
485 label_month:
484 label_week:
486 label_week:
485 label_date_from:
487 label_date_from:
486 label_date_to:
488 label_date_to:
487 label_language_based: 根据用户的语言
489 label_language_based: 根据用户的语言
488 label_sort_by: 根据 %s 排序
490 label_sort_by: 根据 %s 排序
489 label_send_test_email: 发送测试邮件
491 label_send_test_email: 发送测试邮件
490 label_feeds_access_key_created_on: RSS 存取键是在 %s 之前建立的
492 label_feeds_access_key_created_on: RSS 存取键是在 %s 之前建立的
491 label_module_plural: 模块
493 label_module_plural: 模块
492 label_added_time_by: 由 %s 在 %s 之前添加
494 label_added_time_by: 由 %s 在 %s 之前添加
493 label_updated_time: 更新于 %s 前
495 label_updated_time: 更新于 %s 前
494 label_jump_to_a_project: 选择一个项目...
496 label_jump_to_a_project: 选择一个项目...
495 label_file_plural: 文件
497 label_file_plural: 文件
496 label_changeset_plural: 变更
498 label_changeset_plural: 变更
497 label_default_columns: 默认列
499 label_default_columns: 默认列
498 label_no_change_option: (不变)
500 label_no_change_option: (不变)
499 label_bulk_edit_selected_issues: 批量修改选中的问题
501 label_bulk_edit_selected_issues: 批量修改选中的问题
500 label_theme: 主题
502 label_theme: 主题
501 label_default: 默认
503 label_default: 默认
502 label_search_titles_only: 仅在标题中搜索
504 label_search_titles_only: 仅在标题中搜索
503 label_user_mail_option_all: "收取我的项目的所有通知"
505 label_user_mail_option_all: "收取我的项目的所有通知"
504 label_user_mail_option_selected: "收取选中项目的所有通知..."
506 label_user_mail_option_selected: "收取选中项目的所有通知..."
505 label_user_mail_option_none: "只收取我跟踪或参与的项目的通知"
507 label_user_mail_option_none: "只收取我跟踪或参与的项目的通知"
506 label_user_mail_no_self_notified: "不要发送对我自己提交的修改的通知"
508 label_user_mail_no_self_notified: "不要发送对我自己提交的修改的通知"
507 label_registration_activation_by_email: 通过邮件认证激活帐号
509 label_registration_activation_by_email: 通过邮件认证激活帐号
508 label_registration_manual_activation: 手动激活帐号
510 label_registration_manual_activation: 手动激活帐号
509 label_registration_automatic_activation: 自动激活帐号
511 label_registration_automatic_activation: 自动激活帐号
510 label_display_per_page: '每页显示:%s'
512 label_display_per_page: '每页显示:%s'
511 label_age: 年龄
513 label_age: 年龄
512 label_change_properties: 修改属性
514 label_change_properties: 修改属性
513 label_general: 一般
515 label_general: 一般
514 label_more: 更多
516 label_more: 更多
515 label_scm: SCM
517 label_scm: SCM
516 label_plugins: 插件
518 label_plugins: 插件
517 label_ldap_authentication: LDAP 认证
519 label_ldap_authentication: LDAP 认证
518 label_downloads_abbr: D/L
520 label_downloads_abbr: D/L
519 label_optional_description: 可选的描述
521 label_optional_description: 可选的描述
520 label_add_another_file: 添加其它文件
522 label_add_another_file: 添加其它文件
521 label_preferences: 首选项
523 label_preferences: 首选项
522 label_chronological_order: 按时间顺序
524 label_chronological_order: 按时间顺序
523 label_reverse_chronological_order: 按时间顺序(倒序)
525 label_reverse_chronological_order: 按时间顺序(倒序)
524 label_planning: 计划
526 label_planning: 计划
525 label_incoming_emails: 接收邮件
527 label_incoming_emails: 接收邮件
526 label_generate_key: 生成一个key
528 label_generate_key: 生成一个key
527 label_issue_watchers: 跟踪者
529 label_issue_watchers: 跟踪者
528
530
529 button_login: 登录
531 button_login: 登录
530 button_submit: 提交
532 button_submit: 提交
531 button_save: 保存
533 button_save: 保存
532 button_check_all: 全选
534 button_check_all: 全选
533 button_uncheck_all: 清除
535 button_uncheck_all: 清除
534 button_delete: 删除
536 button_delete: 删除
535 button_create: 创建
537 button_create: 创建
536 button_test: 测试
538 button_test: 测试
537 button_edit: 编辑
539 button_edit: 编辑
538 button_add: 新增
540 button_add: 新增
539 button_change: 修改
541 button_change: 修改
540 button_apply: 应用
542 button_apply: 应用
541 button_clear: 清除
543 button_clear: 清除
542 button_lock: 锁定
544 button_lock: 锁定
543 button_unlock: 解锁
545 button_unlock: 解锁
544 button_download: 下载
546 button_download: 下载
545 button_list: 列表
547 button_list: 列表
546 button_view: 查看
548 button_view: 查看
547 button_move: 移动
549 button_move: 移动
548 button_back: 返回
550 button_back: 返回
549 button_cancel: 取消
551 button_cancel: 取消
550 button_activate: 激活
552 button_activate: 激活
551 button_sort: 排序
553 button_sort: 排序
552 button_log_time: 登记工时
554 button_log_time: 登记工时
553 button_rollback: 恢复到这个版本
555 button_rollback: 恢复到这个版本
554 button_watch: 跟踪
556 button_watch: 跟踪
555 button_unwatch: 取消跟踪
557 button_unwatch: 取消跟踪
556 button_reply: 回复
558 button_reply: 回复
557 button_archive: 存档
559 button_archive: 存档
558 button_unarchive: 取消存档
560 button_unarchive: 取消存档
559 button_reset: 重置
561 button_reset: 重置
560 button_rename: 重命名
562 button_rename: 重命名
561 button_change_password: 修改密码
563 button_change_password: 修改密码
562 button_copy: 复制
564 button_copy: 复制
563 button_annotate: 追溯
565 button_annotate: 追溯
564 button_update: 更新
566 button_update: 更新
565 button_configure: 配置
567 button_configure: 配置
566 button_quote: 引用
568 button_quote: 引用
567
569
568 status_active: 活动的
570 status_active: 活动的
569 status_registered: 已注册
571 status_registered: 已注册
570 status_locked: 已锁定
572 status_locked: 已锁定
571
573
572 text_select_mail_notifications: 选择需要发送邮件通知的动作
574 text_select_mail_notifications: 选择需要发送邮件通知的动作
573 text_regexp_info: 例如:^[A-Z0-9]+$
575 text_regexp_info: 例如:^[A-Z0-9]+$
574 text_min_max_length_info: 0 表示没有限制
576 text_min_max_length_info: 0 表示没有限制
575 text_project_destroy_confirmation: 您确信要删除这个项目以及所有相关的数据吗?
577 text_project_destroy_confirmation: 您确信要删除这个项目以及所有相关的数据吗?
576 text_subprojects_destroy_warning: '以下子项目也将被同时删除:%s'
578 text_subprojects_destroy_warning: '以下子项目也将被同时删除:%s'
577 text_workflow_edit: 选择角色和跟踪标签来编辑工作流程
579 text_workflow_edit: 选择角色和跟踪标签来编辑工作流程
578 text_are_you_sure: 您确定?
580 text_are_you_sure: 您确定?
579 text_journal_changed: 从 %s 变更为 %s
581 text_journal_changed: 从 %s 变更为 %s
580 text_journal_set_to: 设置为 %s
582 text_journal_set_to: 设置为 %s
581 text_journal_deleted: 已删除
583 text_journal_deleted: 已删除
582 text_tip_task_begin_day: 今天开始的任务
584 text_tip_task_begin_day: 今天开始的任务
583 text_tip_task_end_day: 今天结束的任务
585 text_tip_task_end_day: 今天结束的任务
584 text_tip_task_begin_end_day: 今天开始并结束的任务
586 text_tip_task_begin_end_day: 今天开始并结束的任务
585 text_project_identifier_info: '只允许使用小写字母(a-z),数字和连字符(-)。<br />请注意,标识符保存后将不可修改。'
587 text_project_identifier_info: '只允许使用小写字母(a-z),数字和连字符(-)。<br />请注意,标识符保存后将不可修改。'
586 text_caracters_maximum: 最多 %d 个字符。
588 text_caracters_maximum: 最多 %d 个字符。
587 text_caracters_minimum: 至少需要 %d 个字符。
589 text_caracters_minimum: 至少需要 %d 个字符。
588 text_length_between: 长度必须在 %d 到 %d 个字符之间。
590 text_length_between: 长度必须在 %d 到 %d 个字符之间。
589 text_tracker_no_workflow: 此跟踪标签未定义工作流程
591 text_tracker_no_workflow: 此跟踪标签未定义工作流程
590 text_unallowed_characters: 非法字符
592 text_unallowed_characters: 非法字符
591 text_comma_separated: 可以使用多个值(用逗号,分开)。
593 text_comma_separated: 可以使用多个值(用逗号,分开)。
592 text_issues_ref_in_commit_messages: 在提交信息中引用和解决问题
594 text_issues_ref_in_commit_messages: 在提交信息中引用和解决问题
593 text_issue_added: 问题 %s 已由 %s 提交。
595 text_issue_added: 问题 %s 已由 %s 提交。
594 text_issue_updated: 问题 %s 已由 %s 更新。
596 text_issue_updated: 问题 %s 已由 %s 更新。
595 text_wiki_destroy_confirmation: 您确定要删除这个 wiki 及其所有内容吗?
597 text_wiki_destroy_confirmation: 您确定要删除这个 wiki 及其所有内容吗?
596 text_issue_category_destroy_question: 有一些问题(%d 个)属于此类别。您想进行哪种操作?
598 text_issue_category_destroy_question: 有一些问题(%d 个)属于此类别。您想进行哪种操作?
597 text_issue_category_destroy_assignments: 删除问题的所属类别(问题变为无类别)
599 text_issue_category_destroy_assignments: 删除问题的所属类别(问题变为无类别)
598 text_issue_category_reassign_to: 为问题选择其它类别
600 text_issue_category_reassign_to: 为问题选择其它类别
599 text_user_mail_option: "对于没有选中的项目,您将只会收到您跟踪或参与的项目的通知(比如说,您是问题的报告者, 或被指派解决此问题)。"
601 text_user_mail_option: "对于没有选中的项目,您将只会收到您跟踪或参与的项目的通知(比如说,您是问题的报告者, 或被指派解决此问题)。"
600 text_no_configuration_data: "角色、跟踪标签、问题状态和工作流程还没有设置。\n强烈建议您先载入默认设置,然后在此基础上进行修改。"
602 text_no_configuration_data: "角色、跟踪标签、问题状态和工作流程还没有设置。\n强烈建议您先载入默认设置,然后在此基础上进行修改。"
601 text_load_default_configuration: 载入默认设置
603 text_load_default_configuration: 载入默认设置
602 text_status_changed_by_changeset: 已应用到变更列表 %s.
604 text_status_changed_by_changeset: 已应用到变更列表 %s.
603 text_issues_destroy_confirmation: '您确定要删除选中的问题吗?'
605 text_issues_destroy_confirmation: '您确定要删除选中的问题吗?'
604 text_select_project_modules: '请选择此项目可以使用的模块:'
606 text_select_project_modules: '请选择此项目可以使用的模块:'
605 text_default_administrator_account_changed: 默认的管理员帐号已改变
607 text_default_administrator_account_changed: 默认的管理员帐号已改变
606 text_file_repository_writable: 文件版本库可修改
608 text_file_repository_writable: 文件版本库可修改
607 text_rmagick_available: RMagick 可用(可选的)
609 text_rmagick_available: RMagick 可用(可选的)
608 text_destroy_time_entries_question: 您要删除的问题已经上报了 %.02f 小时的工作量。您想进行那种操作?
610 text_destroy_time_entries_question: 您要删除的问题已经上报了 %.02f 小时的工作量。您想进行那种操作?
609 text_destroy_time_entries: 删除上报的工作量
611 text_destroy_time_entries: 删除上报的工作量
610 text_assign_time_entries_to_project: 将已上报的工作量提交到项目中
612 text_assign_time_entries_to_project: 将已上报的工作量提交到项目中
611 text_reassign_time_entries: '将已上报的工作量指定到此问题:'
613 text_reassign_time_entries: '将已上报的工作量指定到此问题:'
612 text_user_wrote: '%s 写到:'
614 text_user_wrote: '%s 写到:'
613 text_enumeration_category_reassign_to: '将它们关联到新的枚举值:'
615 text_enumeration_category_reassign_to: '将它们关联到新的枚举值:'
614 text_enumeration_destroy_question: '%d 个对象被关联到了这个枚举值。'
616 text_enumeration_destroy_question: '%d 个对象被关联到了这个枚举值。'
615 text_email_delivery_not_configured: "邮件参数尚未配置,因此邮件通知功能已被禁用。\n请在config/email.yml中配置您的SMTP服务器信息并重新启动以使其生效。"
617 text_email_delivery_not_configured: "邮件参数尚未配置,因此邮件通知功能已被禁用。\n请在config/email.yml中配置您的SMTP服务器信息并重新启动以使其生效。"
616
618
617 default_role_manager: 管理人员
619 default_role_manager: 管理人员
618 default_role_developper: 开发人员
620 default_role_developper: 开发人员
619 default_role_reporter: 报告人员
621 default_role_reporter: 报告人员
620 default_tracker_bug: 错误
622 default_tracker_bug: 错误
621 default_tracker_feature: 功能
623 default_tracker_feature: 功能
622 default_tracker_support: 支持
624 default_tracker_support: 支持
623 default_issue_status_new: 新建
625 default_issue_status_new: 新建
624 default_issue_status_assigned: 已指派
626 default_issue_status_assigned: 已指派
625 default_issue_status_resolved: 已解决
627 default_issue_status_resolved: 已解决
626 default_issue_status_feedback: 反馈
628 default_issue_status_feedback: 反馈
627 default_issue_status_closed: 已关闭
629 default_issue_status_closed: 已关闭
628 default_issue_status_rejected: 已拒绝
630 default_issue_status_rejected: 已拒绝
629 default_doc_category_user: 用户文档
631 default_doc_category_user: 用户文档
630 default_doc_category_tech: 技术文档
632 default_doc_category_tech: 技术文档
631 default_priority_low:
633 default_priority_low:
632 default_priority_normal: 普通
634 default_priority_normal: 普通
633 default_priority_high:
635 default_priority_high:
634 default_priority_urgent: 紧急
636 default_priority_urgent: 紧急
635 default_priority_immediate: 立刻
637 default_priority_immediate: 立刻
636 default_activity_design: 设计
638 default_activity_design: 设计
637 default_activity_development: 开发
639 default_activity_development: 开发
638
640
639 enumeration_issue_priorities: 问题优先级
641 enumeration_issue_priorities: 问题优先级
640 enumeration_doc_categories: 文档类别
642 enumeration_doc_categories: 文档类别
641 enumeration_activities: 活动(时间跟踪)
643 enumeration_activities: 活动(时间跟踪)
642 label_renamed: renamed
643 label_copied: copied
@@ -1,6 +1,10
1 ---
1 ---
2 watchers_001:
2 watchers_001:
3 watchable_type: Issue
3 watchable_type: Issue
4 watchable_id: 2
4 watchable_id: 2
5 user_id: 3
5 user_id: 3
6 watchers_002:
7 watchable_type: Message
8 watchable_id: 1
9 user_id: 1
6 No newline at end of file
10
@@ -1,70 +1,79
1 require File.dirname(__FILE__) + '/../test_helper'
1 require File.dirname(__FILE__) + '/../test_helper'
2
2
3 class MessageTest < Test::Unit::TestCase
3 class MessageTest < Test::Unit::TestCase
4 fixtures :projects, :boards, :messages
4 fixtures :projects, :boards, :messages, :users, :watchers
5
5
6 def setup
6 def setup
7 @board = Board.find(1)
7 @board = Board.find(1)
8 @user = User.find(1)
8 @user = User.find(1)
9 end
9 end
10
10
11 def test_create
11 def test_create
12 topics_count = @board.topics_count
12 topics_count = @board.topics_count
13 messages_count = @board.messages_count
13 messages_count = @board.messages_count
14
14
15 message = Message.new(:board => @board, :subject => 'Test message', :content => 'Test message content', :author => @user)
15 message = Message.new(:board => @board, :subject => 'Test message', :content => 'Test message content', :author => @user)
16 assert message.save
16 assert message.save
17 @board.reload
17 @board.reload
18 # topics count incremented
18 # topics count incremented
19 assert_equal topics_count+1, @board[:topics_count]
19 assert_equal topics_count+1, @board[:topics_count]
20 # messages count incremented
20 # messages count incremented
21 assert_equal messages_count+1, @board[:messages_count]
21 assert_equal messages_count+1, @board[:messages_count]
22 assert_equal message, @board.last_message
22 assert_equal message, @board.last_message
23 # author should be watching the message
24 assert message.watched_by?(@user)
23 end
25 end
24
26
25 def test_reply
27 def test_reply
26 topics_count = @board.topics_count
28 topics_count = @board.topics_count
27 messages_count = @board.messages_count
29 messages_count = @board.messages_count
28 @message = Message.find(1)
30 @message = Message.find(1)
29 replies_count = @message.replies_count
31 replies_count = @message.replies_count
30
32
31 reply = Message.new(:board => @board, :subject => 'Test reply', :content => 'Test reply content', :parent => @message, :author => @user)
33 reply_author = User.find(2)
34 reply = Message.new(:board => @board, :subject => 'Test reply', :content => 'Test reply content', :parent => @message, :author => reply_author)
32 assert reply.save
35 assert reply.save
33 @board.reload
36 @board.reload
34 # same topics count
37 # same topics count
35 assert_equal topics_count, @board[:topics_count]
38 assert_equal topics_count, @board[:topics_count]
36 # messages count incremented
39 # messages count incremented
37 assert_equal messages_count+1, @board[:messages_count]
40 assert_equal messages_count+1, @board[:messages_count]
38 assert_equal reply, @board.last_message
41 assert_equal reply, @board.last_message
39 @message.reload
42 @message.reload
40 # replies count incremented
43 # replies count incremented
41 assert_equal replies_count+1, @message[:replies_count]
44 assert_equal replies_count+1, @message[:replies_count]
42 assert_equal reply, @message.last_reply
45 assert_equal reply, @message.last_reply
46 # author should be watching the message
47 assert @message.watched_by?(reply_author)
43 end
48 end
44
49
45 def test_destroy_topic
50 def test_destroy_topic
46 message = Message.find(1)
51 message = Message.find(1)
47 board = message.board
52 board = message.board
48 topics_count, messages_count = board.topics_count, board.messages_count
53 topics_count, messages_count = board.topics_count, board.messages_count
49 assert message.destroy
54
55 assert_difference('Watcher.count', -1) do
56 assert message.destroy
57 end
50 board.reload
58 board.reload
51
59
52 # Replies deleted
60 # Replies deleted
53 assert Message.find_all_by_parent_id(1).empty?
61 assert Message.find_all_by_parent_id(1).empty?
54 # Checks counters
62 # Checks counters
55 assert_equal topics_count - 1, board.topics_count
63 assert_equal topics_count - 1, board.topics_count
56 assert_equal messages_count - 3, board.messages_count
64 assert_equal messages_count - 3, board.messages_count
65 # Watchers removed
57 end
66 end
58
67
59 def test_destroy_reply
68 def test_destroy_reply
60 message = Message.find(5)
69 message = Message.find(5)
61 board = message.board
70 board = message.board
62 topics_count, messages_count = board.topics_count, board.messages_count
71 topics_count, messages_count = board.topics_count, board.messages_count
63 assert message.destroy
72 assert message.destroy
64 board.reload
73 board.reload
65
74
66 # Checks counters
75 # Checks counters
67 assert_equal topics_count, board.topics_count
76 assert_equal topics_count, board.topics_count
68 assert_equal messages_count - 1, board.messages_count
77 assert_equal messages_count - 1, board.messages_count
69 end
78 end
70 end
79 end
General Comments 0
You need to be logged in to leave comments. Login now