How do I convert a tristate bus to 2-state logic for synthesis?
I've made a little test
module test1( inout tristate, output flattened);
assign flattened = tristate ? 1 : 0;
endmodule
module test2( inout tristate, output reg flattened);
always @(tristate) begin
case(tristate)
0: flattened = 0;
default: flattened = 1;
endcase
end
endmodule
`timescale 1ns / 1ps
module test_tb;
reg tristateEnable;
reg tristateValue;
wire tristate = tristateEnable ? tristateValue : 1'bz;
wire flattened1, flattened2;
test1 uut1(tristate, flattened1);
test2 uut2(tristate, flattened2);
initial begin
tristateValue = 1'b0;
tristateEnable = 1;
#10 tristateValue = 1'b1;
#10 tristateEnable = 1'b0;
end
endmodule
Simulating it I got that module test1 sets flattened
to X and module test2 sets it to 1, the latter is what I wanted, but I haven't synthesized it yet. Is there a better / standard way of doing this?
You've asked two questions: (1) what is the difference between the conditional operator and the case statement, and (2) how to handle tri-state values.
On the language question:
In short, Verilog has a 4-state data type, and the operators handle the 4 states differently.
tristate
in your example) is compared against0
,1
,x
, andz
. When it isz
, the default branch is taken, soflattened
is1
, as you found.tristate
asz
. It doesn't know what to do now, so it combines the two values you supplied (0
and1
) into a resultingx
, which is what you see. Basically, it's trying to be smart. See table 5-21 in the 2005 LRM. Note that theif
statement does not do a 4-state test.Tristates: you're confused because your control signal (
tristate
) goes toz
; it's the data signal (flattened
) that should go toz
. You don't 'flatten' tristates for synthesis; you normally model a pull-up or pull-down. This will be specific to your technology, but you may just need to instantiate a pullup or pulldown component. Your synthesiser may or may not do this automatically for you if you have code likeYou need to read your synthesiser docs to be sure. Note that you should only ever use a conditional operator like this if
ena
is guaranteed to be 2-state (0
/1
).