3

我有一个可变长度向量std_logic_vector(X downto 0)。现在我试图在我的包中定义一个用于重置的常量,使得低位X/2为 1,其他位为 0。

例如,一个 3 位向量 ( X=3) 将生成常数"011",而 4 位向量将给出常数"0011"

如何在 VHDL 包中做到这一点?下面的代码解释了我想要做什么。

type Entry_Type is record
  state : std_logic_vector(X-1 downto 0);
end record;
constant Entry_Constant : Entry_Type := <???>;
4

2 回答 2

5

至少有两种选择可以根据需要初始化记录类型。一种是使用初始化函数,另一种是在聚合中使用 N 的值。

函数是初始化自定义数据类型的好方法。在您的情况下,您可以创建一个 function default_entry_from_width(n),返回一个entry_type值:

type entry_type is record
    state: std_logic_vector;
end record;

function default_entry_from_width(width: natural) return entry_type is
    variable return_vector: std_logic_vector(width-1 downto 0);
begin
    for i in return_vector'range loop
        return_vector(i) := '1' when i <= width/2 else '0';
    end loop;
    return (state => return_vector);
end;

constant ENTRY_1: entry_type := default_entry_from_width(3);  -- return 011
constant ENTRY_2: entry_type := default_entry_from_width(4);  -- return 0011

另一种选择是使用预先定义的 N 值用聚合初始化常量:

constant N: natural := 4;
constant ENTRY_3: entry_type := (
    state => (
        N-1 downto N/2 => '1',
        N/2-1 downto 0 => '0'
    )
);
于 2013-10-13T21:39:50.113 回答
2

你的意思是这样的:

library ieee;
use ieee.std_logic_1164.all;
package vector_length is
    constant X:    natural := 3;  -- Entry_Type.state length
    type Entry_Type is
        record 
            state : std_logic_vector(X-1 downto 0);
        end record;
    constant entry_default: Entry_Type := 
             (state => 
                 (X-1 downto NATURAL(REAL((X-1)/2) + 0.5) =>'0', others => '1')
             );
end package vector_length;

library ieee;
use ieee.std_logic_1164.all;
use work.vector_length.all;

entity fum is
end entity;

architecture foo of fum is
    signal entry:   Entry_Type := entry_default;
    signal default: std_logic_vector (X-1 downto 0);
begin
TEST:
    process
    begin
        default <= entry.state;
        wait for 100 ns;  -- so it will show up in a waveform display
        wait;
    end process;
end architecture;

满足 X=3 的条件,默认值为“011”,对于 X=4,默认值为“0011”。

请注意,默认值是在声明子类型(条目)的地方分配的,而不是在类型声明中。

(四舍五入很痛苦)。

于 2013-10-13T22:01:43.060 回答