Project

General

Profile

Feature #5664: Copying documents too when copying a project » project.rb

Michael Esemplare, 2011-08-25 15:58

 
1
# redMine - project management software
2
# Copyright (C) 2006  Jean-Philippe Lang
3
#
4
# This program is free software; you can redistribute it and/or
5
# modify it under the terms of the GNU General Public License
6
# as published by the Free Software Foundation; either version 2
7
# of the License, or (at your option) any later version.
8
# 
9
# This program is distributed in the hope that it will be useful,
10
# but WITHOUT ANY WARRANTY; without even the implied warranty of
11
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
12
# GNU General Public License for more details.
13
# 
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
16
# Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA  02110-1301, USA.
17

    
18
class Project < ActiveRecord::Base
19
  # Project statuses
20
  STATUS_ACTIVE     = 1
21
  STATUS_ARCHIVED   = 9
22
  
23
  # Specific overidden Activities
24
  has_many :time_entry_activities
25
  has_many :members, :include => [:user, :roles], :conditions => "#{User.table_name}.type='User' AND #{User.table_name}.status=#{User::STATUS_ACTIVE}"
26
  has_many :memberships, :class_name => 'Member'
27
  has_many :member_principals, :class_name => 'Member', 
28
                               :include => :principal,
29
                               :conditions => "#{Principal.table_name}.type='Group' OR (#{Principal.table_name}.type='User' AND #{Principal.table_name}.status=#{User::STATUS_ACTIVE})"
30
  has_many :users, :through => :members
31
  has_many :principals, :through => :member_principals, :source => :principal
32
  
33
  has_many :enabled_modules, :dependent => :delete_all
34
  has_and_belongs_to_many :trackers, :order => "#{Tracker.table_name}.position"
35
  has_many :issues, :dependent => :destroy, :order => "#{Issue.table_name}.created_on DESC", :include => [:status, :tracker]
36
  has_many :issue_changes, :through => :issues, :source => :journals
37
  has_many :versions, :dependent => :destroy, :order => "#{Version.table_name}.effective_date DESC, #{Version.table_name}.name DESC"
38
  has_many :time_entries, :dependent => :delete_all
39
  has_many :queries, :dependent => :delete_all
40
  has_many :documents, :dependent => :destroy
41
  has_many :news, :dependent => :delete_all, :include => :author
42
  has_many :issue_categories, :dependent => :delete_all, :order => "#{IssueCategory.table_name}.name"
43
  has_many :boards, :dependent => :destroy, :order => "position ASC"
44
  has_one :repository, :dependent => :destroy
45
  has_many :changesets, :through => :repository
46
  has_one :wiki, :dependent => :destroy
47
  # Custom field for the project issues
48
  has_and_belongs_to_many :issue_custom_fields, 
49
                          :class_name => 'IssueCustomField',
50
                          :order => "#{CustomField.table_name}.position",
51
                          :join_table => "#{table_name_prefix}custom_fields_projects#{table_name_suffix}",
52
                          :association_foreign_key => 'custom_field_id'
53
                          
54
  acts_as_nested_set :order => 'name'
55
  acts_as_attachable :view_permission => :view_files,
56
                     :delete_permission => :manage_files
57

    
58
  acts_as_customizable
59
  acts_as_searchable :columns => ['name', 'identifier', 'description'], :project_key => 'id', :permission => nil
60
  acts_as_event :title => Proc.new {|o| "#{l(:label_project)}: #{o.name}"},
61
                :url => Proc.new {|o| {:controller => 'projects', :action => 'show', :id => o}},
62
                :author => nil
63

    
64
  attr_protected :status, :enabled_module_names
65
  
66
  validates_presence_of :name, :identifier
67
  validates_uniqueness_of :name, :identifier
68
  validates_associated :repository, :wiki
69
  validates_length_of :name, :maximum => 30
70
  validates_length_of :homepage, :maximum => 255
71
  validates_length_of :identifier, :in => 1..20
72
  # donwcase letters, digits, dashes but not digits only
73
  validates_format_of :identifier, :with => /^(?!\d+$)[a-z0-9\-]*$/, :if => Proc.new { |p| p.identifier_changed? }
74
  # reserved words
75
  validates_exclusion_of :identifier, :in => %w( new )
76

    
77
  before_destroy :delete_all_members, :destroy_children
78

    
79
  named_scope :has_module, lambda { |mod| { :conditions => ["#{Project.table_name}.id IN (SELECT em.project_id FROM #{EnabledModule.table_name} em WHERE em.name=?)", mod.to_s] } }
80
  named_scope :active, { :conditions => "#{Project.table_name}.status = #{STATUS_ACTIVE}"}
81
  named_scope :all_public, { :conditions => { :is_public => true } }
82
  named_scope :visible, lambda { { :conditions => Project.visible_by(User.current) } }
83
  
84
  def identifier=(identifier)
85
    super unless identifier_frozen?
86
  end
87
  
88
  def identifier_frozen?
89
    errors[:identifier].nil? && !(new_record? || identifier.blank?)
90
  end
91

    
92
  # returns latest created projects
93
  # non public projects will be returned only if user is a member of those
94
  def self.latest(user=nil, count=5)
95
    find(:all, :limit => count, :conditions => visible_by(user), :order => "created_on DESC")	
96
  end	
97

    
98
  # Returns a SQL :conditions string used to find all active projects for the specified user.
99
  #
100
  # Examples:
101
  #     Projects.visible_by(admin)        => "projects.status = 1"
102
  #     Projects.visible_by(normal_user)  => "projects.status = 1 AND projects.is_public = 1"
103
  def self.visible_by(user=nil)
104
    user ||= User.current
105
    if user && user.admin?
106
      return "#{Project.table_name}.status=#{Project::STATUS_ACTIVE}"
107
    elsif user && user.memberships.any?
108
      return "#{Project.table_name}.status=#{Project::STATUS_ACTIVE} AND (#{Project.table_name}.is_public = #{connection.quoted_true} or #{Project.table_name}.id IN (#{user.memberships.collect{|m| m.project_id}.join(',')}))"
109
    else
110
      return "#{Project.table_name}.status=#{Project::STATUS_ACTIVE} AND #{Project.table_name}.is_public = #{connection.quoted_true}"
111
    end
112
  end
113
  
114
  def self.allowed_to_condition(user, permission, options={})
115
    statements = []
116
    base_statement = "#{Project.table_name}.status=#{Project::STATUS_ACTIVE}"
117
    if perm = Redmine::AccessControl.permission(permission)
118
      unless perm.project_module.nil?
119
        # If the permission belongs to a project module, make sure the module is enabled
120
        base_statement << " AND #{Project.table_name}.id IN (SELECT em.project_id FROM #{EnabledModule.table_name} em WHERE em.name='#{perm.project_module}')"
121
      end
122
    end
123
    if options[:project]
124
      project_statement = "#{Project.table_name}.id = #{options[:project].id}"
125
      project_statement << " OR (#{Project.table_name}.lft > #{options[:project].lft} AND #{Project.table_name}.rgt < #{options[:project].rgt})" if options[:with_subprojects]
126
      base_statement = "(#{project_statement}) AND (#{base_statement})"
127
    end
128
    if user.admin?
129
      # no restriction
130
    else
131
      statements << "1=0"
132
      if user.logged?
133
        if Role.non_member.allowed_to?(permission) && !options[:member]
134
          statements << "#{Project.table_name}.is_public = #{connection.quoted_true}"
135
        end
136
        allowed_project_ids = user.memberships.select {|m| m.roles.detect {|role| role.allowed_to?(permission)}}.collect {|m| m.project_id}
137
        statements << "#{Project.table_name}.id IN (#{allowed_project_ids.join(',')})" if allowed_project_ids.any?
138
      else
139
        if Role.anonymous.allowed_to?(permission) && !options[:member]
140
          # anonymous user allowed on public project
141
          statements << "#{Project.table_name}.is_public = #{connection.quoted_true}"
142
        end 
143
      end
144
    end
145
    statements.empty? ? base_statement : "((#{base_statement}) AND (#{statements.join(' OR ')}))"
146
  end
147

    
148
  # Returns the Systemwide and project specific activities
149
  def activities(include_inactive=false)
150
    if include_inactive
151
      return all_activities
152
    else
153
      return active_activities
154
    end
155
  end
156

    
157
  # Will create a new Project specific Activity or update an existing one
158
  #
159
  # This will raise a ActiveRecord::Rollback if the TimeEntryActivity
160
  # does not successfully save.
161
  def update_or_create_time_entry_activity(id, activity_hash)
162
    if activity_hash.respond_to?(:has_key?) && activity_hash.has_key?('parent_id')
163
      self.create_time_entry_activity_if_needed(activity_hash)
164
    else
165
      activity = project.time_entry_activities.find_by_id(id.to_i)
166
      activity.update_attributes(activity_hash) if activity
167
    end
168
  end
169
  
170
  # Create a new TimeEntryActivity if it overrides a system TimeEntryActivity
171
  #
172
  # This will raise a ActiveRecord::Rollback if the TimeEntryActivity
173
  # does not successfully save.
174
  def create_time_entry_activity_if_needed(activity)
175
    if activity['parent_id']
176
    
177
      parent_activity = TimeEntryActivity.find(activity['parent_id'])
178
      activity['name'] = parent_activity.name
179
      activity['position'] = parent_activity.position
180

    
181
      if Enumeration.overridding_change?(activity, parent_activity)
182
        project_activity = self.time_entry_activities.create(activity)
183

    
184
        if project_activity.new_record?
185
          raise ActiveRecord::Rollback, "Overridding TimeEntryActivity was not successfully saved"
186
        else
187
          self.time_entries.update_all("activity_id = #{project_activity.id}", ["activity_id = ?", parent_activity.id])
188
        end
189
      end
190
    end
191
  end
192

    
193
  # Returns a :conditions SQL string that can be used to find the issues associated with this project.
194
  #
195
  # Examples:
196
  #   project.project_condition(true)  => "(projects.id = 1 OR (projects.lft > 1 AND projects.rgt < 10))"
197
  #   project.project_condition(false) => "projects.id = 1"
198
  def project_condition(with_subprojects)
199
    cond = "#{Project.table_name}.id = #{id}"
200
    cond = "(#{cond} OR (#{Project.table_name}.lft > #{lft} AND #{Project.table_name}.rgt < #{rgt}))" if with_subprojects
201
    cond
202
  end
203
  
204
  def self.find(*args)
205
    if args.first && args.first.is_a?(String) && !args.first.match(/^\d*$/)
206
      project = find_by_identifier(*args)
207
      raise ActiveRecord::RecordNotFound, "Couldn't find Project with identifier=#{args.first}" if project.nil?
208
      project
209
    else
210
      super
211
    end
212
  end
213
 
214
  def to_param
215
    # id is used for projects with a numeric identifier (compatibility)
216
    @to_param ||= (identifier.to_s =~ %r{^\d*$} ? id : identifier)
217
  end
218
  
219
  def active?
220
    self.status == STATUS_ACTIVE
221
  end
222
  
223
  # Archives the project and its descendants
224
  def archive
225
    # Check that there is no issue of a non descendant project that is assigned
226
    # to one of the project or descendant versions
227
    v_ids = self_and_descendants.collect {|p| p.version_ids}.flatten
228
    if v_ids.any? && Issue.find(:first, :include => :project,
229
                                        :conditions => ["(#{Project.table_name}.lft < ? OR #{Project.table_name}.rgt > ?)" +
230
                                                        " AND #{Issue.table_name}.fixed_version_id IN (?)", lft, rgt, v_ids])
231
      return false
232
    end
233
    Project.transaction do
234
      archive!
235
    end
236
    true
237
  end
238
  
239
  # Unarchives the project
240
  # All its ancestors must be active
241
  def unarchive
242
    return false if ancestors.detect {|a| !a.active?}
243
    update_attribute :status, STATUS_ACTIVE
244
  end
245
  
246
  # Returns an array of projects the project can be moved to
247
  # by the current user
248
  def allowed_parents
249
    return @allowed_parents if @allowed_parents
250
    @allowed_parents = Project.find(:all, :conditions => Project.allowed_to_condition(User.current, :add_subprojects))
251
    @allowed_parents = @allowed_parents - self_and_descendants
252
    if User.current.allowed_to?(:add_project, nil, :global => true) || (!new_record? && parent.nil?)
253
      @allowed_parents << nil
254
    end
255
    unless parent.nil? || @allowed_parents.empty? || @allowed_parents.include?(parent)
256
      @allowed_parents << parent
257
    end
258
    @allowed_parents
259
  end
260
  
261
  # Sets the parent of the project with authorization check
262
  def set_allowed_parent!(p)
263
    unless p.nil? || p.is_a?(Project)
264
      if p.to_s.blank?
265
        p = nil
266
      else
267
        p = Project.find_by_id(p)
268
        return false unless p
269
      end
270
    end
271
    if p.nil?
272
      if !new_record? && allowed_parents.empty?
273
        return false
274
      end
275
    elsif !allowed_parents.include?(p)
276
      return false
277
    end
278
    set_parent!(p)
279
  end
280
  
281
  # Sets the parent of the project
282
  # Argument can be either a Project, a String, a Fixnum or nil
283
  def set_parent!(p)
284
    unless p.nil? || p.is_a?(Project)
285
      if p.to_s.blank?
286
        p = nil
287
      else
288
        p = Project.find_by_id(p)
289
        return false unless p
290
      end
291
    end
292
    if p == parent && !p.nil?
293
      # Nothing to do
294
      true
295
    elsif p.nil? || (p.active? && move_possible?(p))
296
      # Insert the project so that target's children or root projects stay alphabetically sorted
297
      sibs = (p.nil? ? self.class.roots : p.children)
298
      to_be_inserted_before = sibs.detect {|c| c.name.to_s.downcase > name.to_s.downcase }
299
      if to_be_inserted_before
300
        move_to_left_of(to_be_inserted_before)
301
      elsif p.nil?
302
        if sibs.empty?
303
          # move_to_root adds the project in first (ie. left) position
304
          move_to_root
305
        else
306
          move_to_right_of(sibs.last) unless self == sibs.last
307
        end
308
      else
309
        # move_to_child_of adds the project in last (ie.right) position
310
        move_to_child_of(p)
311
      end
312
      Issue.update_versions_from_hierarchy_change(self)
313
      true
314
    else
315
      # Can not move to the given target
316
      false
317
    end
318
  end
319
  
320
  # Returns an array of the trackers used by the project and its active sub projects
321
  def rolled_up_trackers
322
    @rolled_up_trackers ||=
323
      Tracker.find(:all, :include => :projects,
324
                         :select => "DISTINCT #{Tracker.table_name}.*",
325
                         :conditions => ["#{Project.table_name}.lft >= ? AND #{Project.table_name}.rgt <= ? AND #{Project.table_name}.status = #{STATUS_ACTIVE}", lft, rgt],
326
                         :order => "#{Tracker.table_name}.position")
327
  end
328
  
329
  # Closes open and locked project versions that are completed
330
  def close_completed_versions
331
    Version.transaction do
332
      versions.find(:all, :conditions => {:status => %w(open locked)}).each do |version|
333
        if version.completed?
334
          version.update_attribute(:status, 'closed')
335
        end
336
      end
337
    end
338
  end
339

    
340
  # Returns a scope of the Versions on subprojects
341
  def rolled_up_versions
342
    @rolled_up_versions ||=
343
      Version.scoped(:include => :project,
344
                     :conditions => ["#{Project.table_name}.lft >= ? AND #{Project.table_name}.rgt <= ? AND #{Project.table_name}.status = #{STATUS_ACTIVE}", lft, rgt])
345
  end
346
  
347
  # Returns a scope of the Versions used by the project
348
  def shared_versions
349
    @shared_versions ||= 
350
      Version.scoped(:include => :project,
351
                     :conditions => "#{Project.table_name}.id = #{id}" +
352
                                    " OR (#{Project.table_name}.status = #{Project::STATUS_ACTIVE} AND (" +
353
                                          " #{Version.table_name}.sharing = 'system'" +
354
                                          " OR (#{Project.table_name}.lft >= #{root.lft} AND #{Project.table_name}.rgt <= #{root.rgt} AND #{Version.table_name}.sharing = 'tree')" +
355
                                          " OR (#{Project.table_name}.lft < #{lft} AND #{Project.table_name}.rgt > #{rgt} AND #{Version.table_name}.sharing IN ('hierarchy', 'descendants'))" +
356
                                          " OR (#{Project.table_name}.lft > #{lft} AND #{Project.table_name}.rgt < #{rgt} AND #{Version.table_name}.sharing = 'hierarchy')" +
357
                                          "))")
358
  end
359

    
360
  # Returns a hash of project users grouped by role
361
  def users_by_role
362
    members.find(:all, :include => [:user, :roles]).inject({}) do |h, m|
363
      m.roles.each do |r|
364
        h[r] ||= []
365
        h[r] << m.user
366
      end
367
      h
368
    end
369
  end
370
  
371
  # Deletes all project's members
372
  def delete_all_members
373
    me, mr = Member.table_name, MemberRole.table_name
374
    connection.delete("DELETE FROM #{mr} WHERE #{mr}.member_id IN (SELECT #{me}.id FROM #{me} WHERE #{me}.project_id = #{id})")
375
    Member.delete_all(['project_id = ?', id])
376
  end
377
  
378
  # Users issues can be assigned to
379
  def assignable_users
380
    members.select {|m| m.roles.detect {|role| role.assignable?}}.collect {|m| m.user}.sort
381
  end
382
  
383
  # Returns the mail adresses of users that should be always notified on project events
384
  def recipients
385
    members.select {|m| m.mail_notification? || m.user.mail_notification?}.collect {|m| m.user.mail}
386
  end
387
  
388
  # Returns the users that should be notified on project events
389
  def notified_users
390
    members.select {|m| m.mail_notification? || m.user.mail_notification?}.collect {|m| m.user}
391
  end
392
  
393
  # Returns an array of all custom fields enabled for project issues
394
  # (explictly associated custom fields and custom fields enabled for all projects)
395
  def all_issue_custom_fields
396
    @all_issue_custom_fields ||= (IssueCustomField.for_all + issue_custom_fields).uniq.sort
397
  end
398
  
399
  def project
400
    self
401
  end
402
  
403
  def <=>(project)
404
    name.downcase <=> project.name.downcase
405
  end
406
  
407
  def to_s
408
    name
409
  end
410
  
411
  # Returns a short description of the projects (first lines)
412
  def short_description(length = 255)
413
    description.gsub(/^(.{#{length}}[^\n\r]*).*$/m, '\1...').strip if description
414
  end
415

    
416
  def css_classes
417
    s = 'project'
418
    s << ' root' if root?
419
    s << ' child' if child?
420
    s << (leaf? ? ' leaf' : ' parent')
421
    s
422
  end
423

    
424
  # Return true if this project is allowed to do the specified action.
425
  # action can be:
426
  # * a parameter-like Hash (eg. :controller => 'projects', :action => 'edit')
427
  # * a permission Symbol (eg. :edit_project)
428
  def allows_to?(action)
429
    if action.is_a? Hash
430
      allowed_actions.include? "#{action[:controller]}/#{action[:action]}"
431
    else
432
      allowed_permissions.include? action
433
    end
434
  end
435
  
436
  def module_enabled?(module_name)
437
    module_name = module_name.to_s
438
    enabled_modules.detect {|m| m.name == module_name}
439
  end
440
  
441
  def enabled_module_names=(module_names)
442
    if module_names && module_names.is_a?(Array)
443
      module_names = module_names.collect(&:to_s)
444
      # remove disabled modules
445
      enabled_modules.each {|mod| mod.destroy unless module_names.include?(mod.name)}
446
      # add new modules
447
      module_names.reject {|name| module_enabled?(name)}.each {|name| enabled_modules << EnabledModule.new(:name => name)}
448
    else
449
      enabled_modules.clear
450
    end
451
  end
452

    
453
  # Returns an array of projects that are in this project's hierarchy
454
  #
455
  # Example: parents, children, siblings
456
  def hierarchy
457
    parents = project.self_and_ancestors || []
458
    descendants = project.descendants || []
459
    project_hierarchy = parents | descendants # Set union
460
  end
461
  
462
  # Returns an auto-generated project identifier based on the last identifier used
463
  def self.next_identifier
464
    p = Project.find(:first, :order => 'created_on DESC')
465
    p.nil? ? nil : p.identifier.to_s.succ
466
  end
467

    
468
  # Copies and saves the Project instance based on the +project+.
469
  # Duplicates the source project's:
470
  # * Wiki
471
  # * Versions
472
  # * Categories
473
  # * Issues
474
  # * Members
475
  # * Queries
476
  #
477
  # Accepts an +options+ argument to specify what to copy
478
  #
479
  # Examples:
480
  #   project.copy(1)                                    # => copies everything
481
  #   project.copy(1, :only => 'members')                # => copies members only
482
  #   project.copy(1, :only => ['members', 'versions'])  # => copies members and versions
483
  def copy(project, options={})
484
    project = project.is_a?(Project) ? project : Project.find(project)
485
    
486
    to_be_copied = %w(wiki versions issue_categories issues members queries boards documents)
487
    to_be_copied = to_be_copied & options[:only].to_a unless options[:only].nil?
488
    
489
    Project.transaction do
490
      if save
491
        reload
492
        to_be_copied.each do |name|
493
          send "copy_#{name}", project
494
        end
495
        Redmine::Hook.call_hook(:model_project_copy_before_save, :source_project => project, :destination_project => self)
496
        save
497
      end
498
    end
499
  end
500

    
501
  
502
  # Copies +project+ and returns the new instance.  This will not save
503
  # the copy
504
  def self.copy_from(project)
505
    begin
506
      project = project.is_a?(Project) ? project : Project.find(project)
507
      if project
508
        # clear unique attributes
509
        attributes = project.attributes.dup.except('id', 'name', 'identifier', 'status', 'parent_id', 'lft', 'rgt')
510
        copy = Project.new(attributes)
511
        copy.enabled_modules = project.enabled_modules
512
        copy.trackers = project.trackers
513
        copy.custom_values = project.custom_values.collect {|v| v.clone}
514
        copy.issue_custom_fields = project.issue_custom_fields
515
        return copy
516
      else
517
        return nil
518
      end
519
    rescue ActiveRecord::RecordNotFound
520
      return nil
521
    end
522
  end
523
  
524
  private
525
  
526
  # Destroys children before destroying self
527
  def destroy_children
528
    children.each do |child|
529
      child.destroy
530
    end
531
  end
532
  
533
  # Copies wiki from +project+
534
  def copy_wiki(project)
535
    # Check that the source project has a wiki first
536
    unless project.wiki.nil?
537
      self.wiki ||= Wiki.new
538
      wiki.attributes = project.wiki.attributes.dup.except("id", "project_id")
539
      wiki_pages_map = {}
540
      project.wiki.pages.each do |page|
541
        # Skip pages without content
542
        next if page.content.nil?
543
        new_wiki_content = WikiContent.new(page.content.attributes.dup.except("id", "page_id", "updated_on"))
544
        new_wiki_page = WikiPage.new(page.attributes.dup.except("id", "wiki_id", "created_on", "parent_id"))
545
        new_wiki_page.content = new_wiki_content
546
        wiki.pages << new_wiki_page
547
        wiki_pages_map[page.id] = new_wiki_page
548
      end
549
      wiki.save
550
      # Reproduce page hierarchy
551
      project.wiki.pages.each do |page|
552
        if page.parent_id && wiki_pages_map[page.id]
553
          wiki_pages_map[page.id].parent = wiki_pages_map[page.parent_id]
554
          wiki_pages_map[page.id].save
555
        end
556
      end
557
    end
558
  end
559

    
560
  # Copies versions from +project+
561
  def copy_versions(project)
562
    project.versions.each do |version|
563
      new_version = Version.new
564
      new_version.attributes = version.attributes.dup.except("id", "project_id", "created_on", "updated_on")
565
      self.versions << new_version
566
    end
567
  end
568

    
569
  # Copies issue categories from +project+
570
  def copy_issue_categories(project)
571
    project.issue_categories.each do |issue_category|
572
      new_issue_category = IssueCategory.new
573
      new_issue_category.attributes = issue_category.attributes.dup.except("id", "project_id")
574
      self.issue_categories << new_issue_category
575
    end
576
  end
577
  
578
  # Copies issues from +project+
579
  def copy_issues(project)
580
    # Stores the source issue id as a key and the copied issues as the
581
    # value.  Used to map the two togeather for issue relations.
582
    issues_map = {}
583
    
584
    # Get issues sorted by root_id, lft so that parent issues
585
    # get copied before their children
586
    project.issues.find(:all, :order => 'root_id, lft').each do |issue|
587
      new_issue = Issue.new
588
      new_issue.copy_from(issue)
589
      new_issue.project = self
590
      # Reassign fixed_versions by name, since names are unique per
591
      # project and the versions for self are not yet saved
592
      if issue.fixed_version
593
        new_issue.fixed_version = self.versions.select {|v| v.name == issue.fixed_version.name}.first
594
      end
595
      # Reassign the category by name, since names are unique per
596
      # project and the categories for self are not yet saved
597
      if issue.category
598
        new_issue.category = self.issue_categories.select {|c| c.name == issue.category.name}.first
599
      end
600
      # Parent issue
601
      if issue.parent_id
602
        if copied_parent = issues_map[issue.parent_id]
603
          new_issue.parent_issue_id = copied_parent.id
604
        end
605
      end
606
      
607
      self.issues << new_issue
608
      issues_map[issue.id] = new_issue
609
    end
610

    
611
    # Relations after in case issues related each other
612
    project.issues.each do |issue|
613
      new_issue = issues_map[issue.id]
614
      
615
      # Relations
616
      issue.relations_from.each do |source_relation|
617
        new_issue_relation = IssueRelation.new
618
        new_issue_relation.attributes = source_relation.attributes.dup.except("id", "issue_from_id", "issue_to_id")
619
        new_issue_relation.issue_to = issues_map[source_relation.issue_to_id]
620
        if new_issue_relation.issue_to.nil? && Setting.cross_project_issue_relations?
621
          new_issue_relation.issue_to = source_relation.issue_to
622
        end
623
        new_issue.relations_from << new_issue_relation
624
      end
625
      
626
      issue.relations_to.each do |source_relation|
627
        new_issue_relation = IssueRelation.new
628
        new_issue_relation.attributes = source_relation.attributes.dup.except("id", "issue_from_id", "issue_to_id")
629
        new_issue_relation.issue_from = issues_map[source_relation.issue_from_id]
630
        if new_issue_relation.issue_from.nil? && Setting.cross_project_issue_relations?
631
          new_issue_relation.issue_from = source_relation.issue_from
632
        end
633
        new_issue.relations_to << new_issue_relation
634
      end
635
    end
636
  end
637

    
638
  # Copies members from +project+
639
  def copy_members(project)
640
    project.memberships.each do |member|
641
      new_member = Member.new
642
      new_member.attributes = member.attributes.dup.except("id", "project_id", "created_on")
643
      # only copy non inherited roles
644
      # inherited roles will be added when copying the group membership
645
      role_ids = member.member_roles.reject(&:inherited?).collect(&:role_id)
646
      next if role_ids.empty?
647
      new_member.role_ids = role_ids
648
      new_member.project = self
649
      self.members << new_member
650
    end
651
  end
652

    
653
  # Copies queries from +project+
654
  def copy_queries(project)
655
    project.queries.each do |query|
656
      new_query = Query.new
657
      new_query.attributes = query.attributes.dup.except("id", "project_id", "sort_criteria")
658
      new_query.sort_criteria = query.sort_criteria if query.sort_criteria
659
      new_query.project = self
660
      self.queries << new_query
661
    end
662
  end
663

    
664
  # Copies boards from +project+
665
  def copy_boards(project)
666
    project.boards.each do |board|
667
      new_board = Board.new
668
      new_board.attributes = board.attributes.dup.except("id", "project_id", "topics_count", "messages_count", "last_message_id")
669
      new_board.project = self
670
      self.boards << new_board
671
    end
672
  end
673
  
674
  # Copies documents from +project+
675
  def copy_documents(project)
676
    project.documents.each do |document|
677
      new_document = Document.new
678
      new_document.attributes = document.attributes.dup.except("id", "project_id")
679
	  new_document.project = self
680
      self.documents << new_document
681
	  # Copy attachments to document
682
		  document.attachments.each do |attachment|
683
		  new_attachment = Attachment.new
684
		  new_attachment.attributes = attachment.attributes.dup.except("id","container_id","disk_filename")
685
		  #Duplicate file for attachment
686
		  @@storage_dir = "#{RAILS_ROOT}/files"
687
		  newFilename = Attachment.disk_filename(attachment.filename)
688
		  oldFilePath = File.join(@@storage_dir, attachment.disk_filename)
689
		  newFilePath = File.join(@@storage_dir, newFilename)
690
		  FileUtils.copy_file(oldFilePath, newFilePath, true)
691
		  new_attachment.disk_filename = newFilename
692
		  new_document.attachments << new_attachment
693
	  end
694
    end
695
  end
696
  
697
  def allowed_permissions
698
    @allowed_permissions ||= begin
699
      module_names = enabled_modules.all(:select => :name).collect {|m| m.name}
700
      Redmine::AccessControl.modules_permissions(module_names).collect {|p| p.name}
701
    end
702
  end
703

    
704
  def allowed_actions
705
    @actions_allowed ||= allowed_permissions.inject([]) { |actions, permission| actions += Redmine::AccessControl.allowed_actions(permission) }.flatten
706
  end
707

    
708
  # Returns all the active Systemwide and project specific activities
709
  def active_activities
710
    overridden_activity_ids = self.time_entry_activities.collect(&:parent_id)
711
    
712
    if overridden_activity_ids.empty?
713
      return TimeEntryActivity.shared.active
714
    else
715
      return system_activities_and_project_overrides
716
    end
717
  end
718

    
719
  # Returns all the Systemwide and project specific activities
720
  # (inactive and active)
721
  def all_activities
722
    overridden_activity_ids = self.time_entry_activities.collect(&:parent_id)
723

    
724
    if overridden_activity_ids.empty?
725
      return TimeEntryActivity.shared
726
    else
727
      return system_activities_and_project_overrides(true)
728
    end
729
  end
730

    
731
  # Returns the systemwide active activities merged with the project specific overrides
732
  def system_activities_and_project_overrides(include_inactive=false)
733
    if include_inactive
734
      return TimeEntryActivity.shared.
735
        find(:all,
736
             :conditions => ["id NOT IN (?)", self.time_entry_activities.collect(&:parent_id)]) +
737
        self.time_entry_activities
738
    else
739
      return TimeEntryActivity.shared.active.
740
        find(:all,
741
             :conditions => ["id NOT IN (?)", self.time_entry_activities.collect(&:parent_id)]) +
742
        self.time_entry_activities.active
743
    end
744
  end
745
  
746
  # Archives subprojects recursively
747
  def archive!
748
    children.each do |subproject|
749
      subproject.send :archive!
750
    end
751
    update_attribute :status, STATUS_ARCHIVED
752
  end
753
end
(1-1/2)