4

我正在尝试将两个整数除以如下:

variable m0Low : integer := 0;
variable m1Low : integer := 0;
m1Low := divide(m1Low,m0Low);

具有以下功能:

function  divide  (a : UNSIGNED; b : UNSIGNED) return UNSIGNED is    
    variable a1 : unsigned(a'length-1 downto 0):=a;    
    variable b1 : unsigned(b'length-1 downto 0):=b;    
    variable p1 : unsigned(b'length downto 0):= (others => '0');    
    variable i : integer:=0;               
    begin    
        for i in 0 to b'length-1 loop    
            p1(b'length-1 downto 1) := p1(b'length-2 downto 0);    
            p1(0) := a1(a'length-1);    
            a1(a'length-1 downto 1) := a1(a'length-2 downto 0);    
            p1 := p1-b1;    
            if(p1(b'length-1) ='1') then    
                a1(0) :='0';    
                p1 := p1+b1;    
            else    
                a1(0) :='1';    
            end if;
        end loop;    
    return a1;    
end divide;

但是,我收到以下错误: Divide can not have such operands in this context.

我正在尝试将变量强制转换为无符号m1Low := divide(unsigned(m1Low),unsigned(m0Low));

但我收到以下错误: The expression can not be converted to type unsigned.

知道我能做什么吗?谢谢哈里斯

4

2 回答 2

7

要将整数转换为无符号或有符号数据类型,

use IEEE.NUMERIC_STD.all;

你必须使用,

to_unsigned(I,U’length);
to_signed(I,S’length)

其中 I 是整数值, U'length 是无符号向量长度(位数)。

我没有验证您的代码及其实际工作方式,但我对您的代码的更正只是,

m1Low := to_integer(divide(to_unsigned(m1Low, N),to_unsigned(m0Low, N)));

您应该指定 N ,其中向量的长度取决于您的设计。我使用 to_integer() 因为您的函数将无符号值返回给整数变量。

希望这些简单的笔记对您有所帮助。

于 2013-05-17T00:33:08.980 回答
4

如果要将整数作为无符号向量传递,则需要对其进行转换,而不是对它们进行类型转换

首先你想要numeric_std图书馆:

use ieee.numeric_std.all;

然后您可以使用to_unsigned将整数转换为无符号向量。对于该函数,您需要知道要转换为的无符号向量的长度,因此请使用以下'length属性:

destination_vector := to_unsigned(source_integer, destination_vector'length);

您可以从无符号转换回整数(不需要告诉输入的长度,因为有关函数输入的信息可直接用于函数),如下所示:

destination_integer := to_integer(source_vector);
于 2013-05-17T09:22:15.327 回答