4

我在 Ada 并发编程中遇到问题。我必须在 Ada 中编写一个简单的程序来创建 N 个相同类型的任务,其中 N 是来自键盘的输入。问题是我必须在编译之前知道 N ......我试图声明一个单独的类型:

TYPE my_arr IS ARRAY(INTEGER RANGE <>) OF some_task;

稍后在主程序的 BEGIN 部​​分:

DECLARE arr: my_arr(1 .. N);

但我得到了错误

数组声明中不受约束的元素类型

这(我认为)意味着任务类型 some_task 的大小未知。有人可以帮忙吗?

4

3 回答 3

3

这是对原始答案的重写,现在我们知道所讨论的任务类型是有区别的。

您通过没有默认值的“判别式”将值传递给每个任务,这使得任务类型不受约束;如果不为判别式提供值,则无法声明该类型的对象(并且提供默认值也无济于事,因为一旦创建了对象,就无法更改判别式)。

一种常见的方法是使用访问类型:

with Ada.Integer_Text_IO;
with Ada.Text_IO;
procedure Maciek is
   task type T (Param : Integer);
   type T_P is access T;
   type My_Arr is array (Integer range <>) of T_P;
   task body T is
   begin
      Ada.Text_IO.Put_Line ("t" & Param'Img);
   end T;
   N, M : Integer;
begin
   Ada.Text_IO.Put ("number of tasks: ");
   Ada.Integer_Text_IO.Get (N);
   Ada.Text_IO.Put ("parameter: ");
   Ada.Integer_Text_IO.Get (M);
   declare
      --  Create an array of the required size and populate it with
      --  newly allocated T's, each constrained by the input
      --  parameter.
      Arr : My_Arr (1 .. N) := (others => new T (Param => M));
   begin
      null;
   end;
end Maciek;

您可能需要在newed 任务完成后解除分配;在上面的代码中,任务的内存在退出declare块时泄漏。

于 2013-06-08T16:00:13.843 回答
2

在“声明块”中分配它们,或动态分配它们:

   type My_Arr is array (Integer range <>) of Some_Task;

   type My_Arr_Ptr is access My_Arr;

   Arr : My_Arr_Ptr;

begin
   -- Get the value of N

   -- Dynamic allocation
   Arr := new My_Arr(1 .. N);

   declare
      Arr_On_Stack : My_Arr(1 .. N);

   begin
      -- Do stuff
   end;

end;
于 2013-06-08T14:03:31.657 回答
0

如果您在运行时确定需要多少任务,则可以将其作为命令行参数传递。

with Ada.Text_IO; use ADA.Text_IO;
with Ada.Integer_Text_IO; use Ada.Integer_Text_IO;
with Ada.Command_Line;
with Ada.Strings;

procedure multiple_task is

    No_of_tasks : Integer := Integer'Value(Ada.Command_Line.Argument(1));

    task type Simple_tasks;

    task body Simple_tasks is
    begin
        Put_Line("I'm a simple task");
    end Simple_tasks;

    type task_array is array (Integer range <>) of Simple_tasks;

    Array_1 : task_array(1 .. No_of_tasks);

begin
   null;

end multiple_task;

并运行为

> multiple_task.exe 3
I'm a simple task
I'm a simple task
I'm a simple task
于 2020-05-15T12:04:02.470 回答