Выполнить существующий код, через заданный интервал - C#

Узнай цену своей работы

Формулировка задачи:

Здравствуйте. Дано: Есть в наличии 2 файла, первый выполняется единыжды, второй выполняется по интервалу. 1)
Листинг программы
  1. using OpenRA.Primitives;
  2. using OpenRA.Traits;
  3. namespace OpenRA.Mods.Common.Traits
  4. {
  5. [Desc("Player receives a unit for free once the building is placed. This also works for structures.",
  6. "If you want more than one unit to appear copy this section and assign IDs like FreeActor@2, ...")]
  7. public class FreeActorInfo : ITraitInfo
  8. {
  9. [ActorReference, FieldLoader.Require]
  10. [Desc("Name of the actor.")]
  11. public readonly string Actor = null;
  12. [Desc("Offset relative to the top-left cell of the building.")]
  13. public readonly CVec SpawnOffset = CVec.Zero;
  14. [Desc("Which direction the unit should face.")]
  15. public readonly int Facing = 0;
  16. public virtual object Create(ActorInitializer init) { return new FreeActor(init, this); }
  17. }
  18. public class FreeActor
  19. {
  20. public FreeActor(ActorInitializer init, FreeActorInfo info)
  21. {
  22. if (init.Contains<FreeActorInit>() && !init.Get<FreeActorInit>().ActorValue)
  23. return;
  24. init.Self.World.AddFrameEndTask(w =>
  25. {
  26. w.CreateActor(info.Actor, new TypeDictionary
  27. {
  28. new ParentActorInit(init.Self),
  29. new LocationInit(init.Self.Location + info.SpawnOffset),
  30. new OwnerInit(init.Self.Owner),
  31. new FacingInit(info.Facing),
  32. });
  33. });
  34. }
  35. }
  36. public class FreeActorInit : IActorInit<bool>
  37. {
  38. [FieldFromYamlKey]
  39. public readonly bool ActorValue = true;
  40. public FreeActorInit() { }
  41. public FreeActorInit(bool init) { ActorValue = init; }
  42. public bool Value(World world) { return ActorValue; }
  43. }
  44. public class ParentActorInit : IActorInit<Actor>
  45. {
  46. public readonly Actor ActorValue;
  47. public ParentActorInit(Actor parent) { ActorValue = parent; }
  48. public Actor Value(World world) { return ActorValue; }
  49. }
  50. }
2)
Листинг программы
  1. using System;
  2. using System.Linq;
  3. using OpenRA.Traits;
  4. namespace OpenRA.Mods.Common.Traits
  5. {
  6. [Desc("Lets the actor spread resources around it in a circle.")]
  7. class SeedsResourceInfo : UpgradableTraitInfo
  8. {
  9. public readonly int Interval = 75;
  10. public readonly string ResourceType = "Ore";
  11. public readonly int MaxRange = 100;
  12. public override object Create(ActorInitializer init) { return new SeedsResource(init.Self, this); }
  13. }
  14. class SeedsResource : UpgradableTrait<SeedsResourceInfo>, ITick, ISeedableResource
  15. {
  16. readonly SeedsResourceInfo info;
  17. readonly ResourceType resourceType;
  18. readonly ResourceLayer resLayer;
  19. public SeedsResource(Actor self, SeedsResourceInfo info)
  20. : base(info)
  21. {
  22. this.info = info;
  23. resourceType = self.World.WorldActor.TraitsImplementing<ResourceType>()
  24. .FirstOrDefault(t => t.Info.Name == info.ResourceType);
  25. if (resourceType == null)
  26. throw new InvalidOperationException("No such resource type `{0}`".F(info.ResourceType));
  27. resLayer = self.World.WorldActor.Trait<ResourceLayer>();
  28. }
  29. int ticks;
  30. public void Tick(Actor self)
  31. {
  32. if (IsTraitDisabled)
  33. return;
  34. if (--ticks <= 0)
  35. {
  36. Seed(self);
  37. ticks = info.Interval;
  38. }
  39. }
  40. public void Seed(Actor self)
  41. {
  42. var cell = Util.RandomWalk(self.Location, self.World.SharedRandom)
  43. .Take(info.MaxRange)
  44. .SkipWhile(p => !self.World.Map.Contains(p) ||
  45. (resLayer.GetResource(p) == resourceType && resLayer.IsFull(p)))
  46. .Cast<CPos?>().FirstOrDefault();
  47. if (cell != null && resLayer.CanSpawnResourceAt(resourceType, cell.Value))
  48. resLayer.AddResource(resourceType, cell.Value, 1);
  49. }
  50. }
  51. }
Задача: скопировать из второго файла код, отвечающий за интервал и вставить в первый, так, чтобы если значение интервала явно не указано, то код должен выполняться один раз, а если указано, то через промежуток указанный в интервале. Помогите пожалуйста правильно это сделать, не повредив структуру языка.

Решение задачи: «Выполнить существующий код, через заданный интервал»

textual
Листинг программы
  1. *
  2. *
  3. *
  4. *
  5. *
  6. *
  7. *
  8. *
  9. *
  10. *
  11. *
  12. using OpenRA.Primitives;
  13. using OpenRA.Traits;
  14. using System;
  15. using System.Timers;
  16.  
  17. namespace OpenRA.Mods.Common.Traits
  18. {
  19.     [Desc("Player receives a unit for free once the building is placed. This also works for structures.",
  20.         "If you want more than one unit to appear copy this section and assign IDs like FreeActor@2, ...")]
  21.     public class FreeActorInfo : ITraitInfo
  22.     {
  23.         [ActorReference, FieldLoader.Require]
  24.         [Desc("Name of the actor.")]
  25.         public readonly string Actor = null;
  26.         public readonly int Interval = 0;
  27.  
  28.         [Desc("Offset relative to the top-left cell of the building.")]
  29.         public readonly CVec SpawnOffset = CVec.Zero;
  30.  
  31.         [Desc("Which direction the unit should face.")]
  32.         public readonly int Facing = 0;
  33.  
  34.         public virtual object Create(ActorInitializer init) { return new FreeActor(init, this); }
  35.     }
  36.  
  37.     public class FreeActor
  38.     {
  39.         private static System.Timers.Timer aTimer;
  40.        
  41.         public static void Main()
  42.             {
  43.             SetTimer();
  44.             aTimer.Stop();
  45.             aTimer.Dispose();
  46.             }
  47.  
  48.         private static void SetTimer()
  49.         {
  50.             // Create a timer with a 5 second interval.
  51.             aTimer = new System.Timers.Timer(5);
  52.             // Hook up the Elapsed event for the timer.
  53.             aTimer.Elapsed += OnTimedEvent;
  54.             aTimer.AutoReset = true;
  55.             aTimer.Enabled = true;
  56.         }
  57.         private static void OnTimedEvent(Object source, ElapsedEventArgs e)
  58.         {
  59.             public FreeActor(ActorInitializer init, FreeActorInfo info)
  60.             {
  61.                 if (init.Contains<FreeActorInit>() && !init.Get<FreeActorInit>().ActorValue)
  62.                     return;
  63.  
  64.                 init.Self.World.AddFrameEndTask(w =>
  65.                 {
  66.                     w.CreateActor(info.Actor, new TypeDictionary
  67.                     {
  68.                         new ParentActorInit(init.Self),
  69.                         new LocationInit(init.Self.Location + info.SpawnOffset),
  70.                         new OwnerInit(init.Self.Owner),
  71.                         new FacingInit(info.Facing),
  72.                     });
  73.                 });
  74.             }  
  75.         }
  76.     }
  77.  
  78.     public class FreeActorInit : IActorInit<bool>
  79.     {
  80.         [FieldFromYamlKey]
  81.         public readonly bool ActorValue = true;
  82.         public FreeActorInit() { }
  83.         public FreeActorInit(bool init) { ActorValue = init; }
  84.         public bool Value(World world) { return ActorValue; }
  85.     }
  86.  
  87.     public class ParentActorInit : IActorInit<Actor>
  88.     {
  89.         public readonly Actor ActorValue;
  90.         public ParentActorInit(Actor parent) { ActorValue = parent; }
  91.         public Actor Value(World world) { return ActorValue; }
  92.     }      
  93. }

ИИ поможет Вам:


  • решить любую задачу по программированию
  • объяснить код
  • расставить комментарии в коде
  • и т.д
Попробуйте бесплатно

Оцени полезность:

5   голосов , оценка 4.6 из 5

Нужна аналогичная работа?

Оформи быстрый заказ и узнай стоимость

Бесплатно
Оформите заказ и авторы начнут откликаться уже через 10 минут
Похожие ответы