Verilog Code for Half Adder, Half Subtractor, and Full Subtractor

verilog
adder
subtractor
hdl
circuit

This page provides Verilog HDL code for a half adder, half subtractor, and full subtractor. Let’s dive into the details.

Half Adder

The half adder truth table and schematic (Fig. 1) are shown below.

The boolean expressions are:

  • Sum (S) = A XOR B (S=ABS = A \oplus B)
  • Carry (C) = A AND B (C=ABC = A \cdot B)

Half Adder Truth Table

Input AInput BOutput SOutput C
0000
0110
1010
1101

Half Adder Schematic

half adder schematic

Half Adder Verilog Code

module ha ( a, b, s, c);
  input a, b;
  output s, c;

  assign s = a ^ b;
  assign c = a & b;
endmodule

Half Subtractor

The half subtractor truth table and schematic (Fig. 2) are provided below.

The boolean expressions are:

  • Difference (D) = A XOR B (D=ABD = A \oplus B)
  • Borrow (Br) = NOT A AND B (Br=ABBr = A' \cdot B)

Half Subtractor Truth Table

Input AInput BOutput DOutput Br
0000
0111
1010
1100

Half Subtractor Schematic

half substractor schematic

Half Subtractor Verilog Code

module hs ( a, b, d, br);
  input a, b;
  output d, br;

  assign d = a ^ b;
  assign br = ~a & b;
endmodule

Full Subtractor

The full subtractor truth table and schematic (Fig. 3) are mentioned below.

The boolean expressions are:

  • Difference (D) = A XOR B XOR Cin (D=ABCinD = A \oplus B \oplus C_{in})
  • Borrow (Br) = (NOT A AND B) OR (B AND Cin) OR (NOT A AND Cin) (Br=AB+BCin+ACinBr = A' \cdot B + B \cdot C_{in} + A' \cdot C_{in})

Full Subtractor Truth Table

Input AInput BInput CinOutput DOutput Br
00000
00111
01011
01101
10010
10100
11000
11111

Full Subtractor Schematic

full substractor schematic

Full Subtractor Verilog Code

module fs ( a, b, c, d, br);
  input a, b, c;
  output d, br;

  assign d = a ^ b ^ c;
  assign br=(( ~a)& (b ^ c)) | (b & c);
endmodule
32-bit ALU Verilog Code Implementation

32-bit ALU Verilog Code Implementation

Verilog source code for a 32-bit Arithmetic Logic Unit (ALU) capable of performing arithmetic and logical operations. Includes truth table and simulation results.

verilog
alu
hdl