AND Logic Gate
The Logic AND Gate is a digital logic circuit whose output goes HIGH to a logic level 1 only when all of its inputs are HIGH.
Gate Level Modeling
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
module and_gate(A, B, Y); | |
input A, B; | |
output Y; | |
and (Y, A, B); | |
endmodule |
Data Flow Modeling
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
module and_data(A, B, Y);
input A, B;
output Y;
assign Y = A & B;
endmodule
Behavioral Modeling
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
module and_data(A, B, Y); | |
input A, B; | |
output Y; | |
assign Y = A & B; | |
endmodule |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
module and_beh(A, B, Y); | |
input A, B; | |
output reg Y; | |
always@(A, B): | |
begin | |
if (A==1'b1 & B==1'b1) | |
Y = 1'b1; | |
else | |
Y = 1'b0; | |
end | |
endmodule |
Test Bench
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
module and_test; | |
reg A, B; | |
wire Y; | |
and_gate and_test(A, B, Y); | |
initial | |
begin | |
#000 A=0;B=0; | |
#100 A=0;B=1; | |
#100 A=1;B=0; | |
#100 A=1;B=1; | |
end | |
initial | |
begin | |
$monitor($time,"A=%b,B=%b,Y=%b",A, B, Y); | |
end | |
endmodule |