我有以下代码可以正确地比较数字是否等于或大于彼此。然而,它不会产生小于输出。它总是以未定义的形式弹出。
我在这里缺少什么?
module FourBitComparator (input [3:0]a,
input [3:0]b,
output eq,
output gt,
output lt);
assign eq = a == b;
assign gt = a > b;
assign lt = a < b;
endmodule
module EightBitComparator(input [7:0]a,
input [7:0]b,
output eq,
output gt,
output lt);
wire [3:0]a1;
wire [3:0]a2;
wire [3:0]b1;
wire [3:0]b2;
assign a1 = {a[3:0]};
assign a2 = {a[7:4]};
assign b1 = {b[3:0]};
assign b2 = {b[7:4]};
FourBitComparator BC_2( a2, b2, eq, gt, lt);
FourBitComparator BC_1( a1, b1, eq, gt, lt);
endmodule
测试平台
module EightBitCompTB;
// Variables
reg [7:0] a, b;
wire eq, gt, lt;
// Call comaparator
EightBitComparator BC_1(a, b, eq, gt, lt);
// Test inputs
initial begin
$monitor("%d a=%b, b=%b, eq=%b, gt=%b, lt=%b",
$time,
a, b, eq, gt, lt);
#10
a = 15;
b = 15;
#10
a = 255;
b = 0;
#10
a = 74;
b = 80;
#10
a = 65;
b = 50;
end
endmodule
答案 0 :(得分:1)
你有争议:两个司机正在驱动相同的信号。在EightBitComparator中,两个FourBitComparator lt输出正在驱动相同的lt信号。当BC_1.lt = 0且BC_2.lt = 1时,反之亦然,则得到x(未知)。一个好的调试工具可以为你检测这种情况。
GT也是如此。
您需要重新设计逻辑。
为什么你不能简化?
module EightBitComparator(input [7:0]a,
input [7:0]b,
output eq,
output gt,
output lt);
assign eq = a == b;
assign gt = a > b;
assign lt = a < b;
endmodule
答案 1 :(得分:0)
这是一个很好的解决方案:
module Comparator8Bit(
input[7:0] a,
input[7:0] b,
output eq,
output lt,
output gt);
wire[3:0] a1, a2, b1, b2;
wire eq1, eq2, lt1, lt2, gt1, gt2;
assign a1 = {a[3:0]};
assign a2 = {a[7:4]};
assign b1 = {b[3:0]};
assign b2 = {b[7:4]};
Comparator4Bit BC_1(a1, b1, eq1, lt1, gt1);
Comparator4Bit BC_2(a2, b2, eq2, lt2, gt2);
assign eq = (eq1 & eq2);
assign lt = (lt2 | (lt1 & eq2));
assign gt = (~lt & ~eq);
endmodule
module Comparator4Bit(
input[3:0] a,
input[3:0] b,
output eq,
output lt,
output gt);
assign eq = a == b;
assign lt = a < b;
assign gt = a > b;
endmodule