📅  最后修改于: 2021-01-11 15:17:48             🧑  作者: Mango
全加法器是一个数字组件,它执行三个数字,并使用逻辑门实现。它是处理器ALU中的主要组件,用于增加地址,表索引,缓冲区指针和其他需要加法的位置。
1位全加法器将3个1位二进制数,2个输入位,1个进位位相加,并输出总和和一个进位位。
通过使用两个半加器并对它们的最终输出进行“或”运算,形成一个完整的加法器。半加法器将两个二进制数相加。完整的加法器是组合电路,因此可以用Verilog语言建模。
下面给出两个输出总和和进位的逻辑表达式。 A,B是两位二进制数的输入变量,Cin是进位输入,而Cout是Sum和Carry的输出变量。
真相表
A | B | Cin | Cout | Sum |
---|---|---|---|---|
0 | 0 | 0 | 0 | 0 |
0 | 0 | 1 | 0 | 1 |
0 | 1 | 0 | 0 | 1 |
0 | 1 | 1 | 1 | 0 |
1 | 0 | 0 | 0 | 1 |
1 | 0 | 1 | 1 | 0 |
1 | 1 | 0 | 1 | 0 |
1 | 1 | 1 | 1 | 1 |
例
下面显示了一个4位加法器的示例,该加法器通过信号a和b接受两个二进制数。
加法器是组合电路。因此,Verilog可以使用带有分配的连续分配或带有包含所有输入的敏感度列表的Always Block对其进行建模。
module fulladder ( input [3:0] a,
input [3:0] b,
input c_in,
output c_out,
output [3:0] sum);
assign {c_out, sum} = a + b + c_in;
endmodule
下面的代码显示了always块的使用,只要其任何输入更改值,该块就会执行。
module fulladder ( input [3:0] a,
input [3:0] b,
input c_in,
output reg c_out,
output reg [3:0] sum);
always @ (a or b or c_in) begin
{c_out, sum} = a + b + c_in;
end
endmodule
硬件原理图
试验台
首先,添加时间刻度指令。它以重音符号`开头,但不以分号结尾。 Timescale指令用于指定其他模块中使用的时间单位和时间分辨率(一皮秒)。时间分辨率是精度因子,它决定模块中时间单位的准确性。
接下来是模块和变量声明。
然后是模块实例化。
不同的是使用两个系统任务:
module tb_fulladd;
// 1. Declare testbench variables
reg [3:0] a;
reg [3:0] b;
reg c_in;
wire [3:0] sum;
integer i;
// 2. Instantiate the design and connect to testbench variables
fulladd fa0 ( .a (a),
.b (b),
.c_in (c_in),
.c_out (c_out),
.sum (sum));
// 3. Provide stimulus to test the design
initial begin
a <= 0;
b <= 0;
c_in <= 0;
$monitor ("a=0x%0h b=0x%0h c_in=0x%0h c_out=0x%0h sum=0x%0h", a, b, c_in, c_out, sum);
// Use a for loop to apply random values to the input
for (i = 0; i < 5; i = i+1) begin
#10 a <= $random;
b <= $random;
c_in <= $random;
end
end
endmodule
当a和b相加得到大于4位宽的数字时,总和翻转为零,c_out变为1。例如,以黄色突出显示的行相加得到0x11,而低4位被分配给sum和位4到c_out。