我正在尝试用vivado设计一个AXI_master外设。我在vivado菜单中使用了axi外设生成器并修改了生成的vhdl代码。
在vhdl代码中,使用以下代码声明了一个函数clogb2:
function clogb2 (bit_depth : integer) return integer is
variable depth : integer := bit_depth;
variable count : integer := 1;
begin
for clogb2 in 1 to bit_depth loop -- Works for up to 32 bit integers
if (bit_depth <= 2) then
count := 1;
else
if(depth <= 1) then
count := count;
else
depth := depth / 2;
count := count + 1;
end if;
end if;
end loop;
return(count);
end;
这适用于模拟(GHDL),但在合成失败时失败:
[Synth 8-403]超出循环限制(65538)
我尝试使用以下tcl命令增加vivado中的循环限制:
set_param synth.elaboration.rodinMoreOptions "rt::set_parameter max_loop_limit <X>"
正如here解释的那样,但是vivado合成了无限的时间并且永远不会完成。 你知道如何解决这个问题吗?
答案 0 :(得分:1)
尝试约束输入范围,例如:
function clogb2 (bit_depth : integer range 1 to 32) return integer is
此外,如果Vivado生成无法编译的代码,那么您应该在Xilinx论坛上报告这个错误。
答案 1 :(得分:1)
您也可以尝试不同的路径。虽然逻辑中不支持浮点(虽然支持正在增加),但允许进行内部计算等。 (至少由Xilinx和Altera / Intel提供)。
试试这个:
use ieee.math_real.all;
function ceillog2(input : positive) return natural is
begin
return integer(ceil(log2(real(input))));
end function;
答案 2 :(得分:0)
最后,我找到了一个解决方案,通过用大案例重写函数来实现:
function clogb2 (bit_depth : integer) return integer is
begin
case bit_depth is
when 0 to 2 => return( 1);
when (2** 1)+1 to 2** 2 => return( 2);
when (2** 2)+1 to 2** 3 => return( 3);
when (2** 3)+1 to 2** 4 => return( 4);
when (2** 4)+1 to 2** 5 => return( 5);
when (2** 5)+1 to 2** 6 => return( 6);
when (2** 6)+1 to 2** 7 => return( 7);
when (2** 7)+1 to 2** 8 => return( 8);
when (2** 8)+1 to 2** 9 => return( 9);
when (2** 9)+1 to 2**10 => return(10);
when (2**10)+1 to 2**11 => return(11);
when (2**11)+1 to 2**12 => return(12);
when (2**12)+1 to 2**13 => return(13);
when (2**13)+1 to 2**14 => return(14);
when (2**14)+1 to 2**15 => return(15);
when (2**15)+1 to 2**16 => return(16);
when (2**16)+1 to 2**17 => return(17);
when (2**17)+1 to 2**18 => return(18);
when (2**18)+1 to 2**19 => return(19);
when (2**19)+1 to 2**20 => return(20);
when (2**20)+1 to 2**21 => return(21);
when (2**21)+1 to 2**22 => return(22);
when (2**22)+1 to 2**23 => return(23);
when (2**23)+1 to 2**24 => return(24);
when (2**24)+1 to 2**25 => return(25);
when (2**25)+1 to 2**26 => return(26);
when (2**26)+1 to 2**27 => return(27);
when (2**27)+1 to 2**28 => return(28);
when (2**28)+1 to 2**29 => return(29);
when (2**29)+1 to 2**30 => return(30);
when (2**30)+1 to (2**31)-1 => return(31);
when others => return(0);
end case;
end;
这种奇怪的代码结构,适用于综合和模拟。
答案 3 :(得分:0)
这个递归版本合成:
function clogb2 (bit_depth : integer) return integer is
begin
if bit_depth <= 1 then
return 0;
else
return clogb2(bit_depth / 2) + 1;
end if;
end function clogb2;
您可以使用它来标注其他内容,例如
entity counter is
generic (max_count : POSITIVE);
port (clock, reset : in std_logic;
Q : out std_logic_vector(clogb2(max_count) downto 0)
);
end;
或者您可以将其用作组合逻辑:
process (I)
begin
O <= clogb2(I);
end process;
BTW:你最好使用整数子类型输入:
function clogb2 (bit_depth : positive) return integer is
-- ^
-- |