我的设计需要多个多路复用器,它们都有两个输入,大多数是32位宽。我开始设计32位,2:1多路复用器。
现在我需要一个5位,2:1多路复用器,我想重用我的32位设计。连接输入很简单(参见下面的代码),但我很难连接输出。
这是我的代码:
reg [4:0] a, b; // Inputs to the multiplexer.
reg select; // Select multiplexer output.
wire [4:0] result; // Output of the multiplexer.
multiplex32_2 mul({27'h0, a}, {27'h0, b}, select, result);
当我通过iverilog运行代码时,我收到一条警告,说多路复用器需要32位输出,但连接的总线只有5位宽。模拟显示了预期的结果,但我想摆脱警告。
有没有办法告诉iverilog忽略多路复用器输出的27个未使用位,或者 将32位宽总线连接到多路复用器的输出?
答案 0 :(得分:4)
我不知道可以在Verilog中使用#pragma
或类似的东西(类似于C中的#pragma argsused
)。
也许您可以按照您不需要浪费的方式设计多路复用器。连接(实际上并没有浪费,因为合成器将修剪网表中未使用的连接)。更优雅的解决方案是使用参数化模块,并使用所需宽度对其进行实例化。像这样:
module mux #(parameter WIDTH=32) (
input wire [WIDTH-1:0] a,
input wire [WIDTH-1:0] b,
input wire sel,
output wire [WIDTH-1:0] o
);
assign o = (sel==1'b0)? a : b;
endmodule
这个模块已经过这个简单的测试平台测试,它向您展示了如何用params实例化模块:
module tb;
reg [31:0] a1,b1;
reg sel;
wire [31:0] o1;
reg [4:0] a2,b2;
wire [4:0] o2;
mux #(32) mux32 (a1,b1,sel,o1);
mux #(5) mux5 (a2,b2,sel,o2);
// Best way to instantiate them:
// mux #(.WIDTH(32)) mux32 (.a(a1),.b(b1),.sel(sel),o(o1));
// mux #(.WIDTH(5)) mux5 (.a(a2),.b(b2),.sel(sel),.o(o2));
initial begin
$dumpfile ("dump.vcd");
$dumpvars (1, tb);
a1 = 32'h01234567;
b1 = 32'h89ABCDEF;
a2 = 5'b11111;
b2 = 5'b00000;
repeat (4) begin
sel = 1'b0;
#10;
sel = 1'b1;
#10;
end
end
endmodule
您可以使用此Eda Playground链接自行测试: http://www.edaplayground.com/x/Pkz
答案 1 :(得分:0)
我认为问题与多路复用器的输出有关,该多路复用器的输出仍为5位宽。你可以通过这样的方式来解决它:
reg [4:0] a, b; // Inputs to the multiplexer.
reg select; // Select multiplexer output.
wire [31:0] temp;
wire [4:0] result; // Output of the multiplexer.
multiplex32_2 mul({27'h0, a}, {27'h0, b}, select, temp);
assign result = temp[4:0];
使用以下代码可以在http://www.edaplayground.com/中轻松测试 (我重新使用了@ mcleod_ideafix的代码)
// Code your testbench here
// or browse Examples
module mux #(parameter WIDTH=32) (
input wire [WIDTH-1:0] a,
input wire [WIDTH-1:0] b,
input wire sel,
output wire [WIDTH-1:0] o
);
assign o = (sel==1'b0)? a : b;
endmodule
module tb;
reg [31:0] a,b;
wire [31:0] o;
wire [4:0] r;
reg sel;
initial begin
$dumpfile("dump.vcd"); $dumpvars;
a = 10; b = 20; sel = 1;
end
mux MM(a,b,sel,o);
assign r = o[4:0];
endmodule
如果您仍然收到警告,请告诉我。