4-Bit Binary Synchronous Reset Counter in Verilog

verilog
counter
synchronous
binary
reset

This page provides the Verilog source code for a 4-bit binary synchronous reset counter. You’ll also find the block diagram and truth table to help understand how it works.

Block Diagram

Here’s a block diagram of the 4-bit binary synchronous reset counter:

4 bit Binary Synchronous Reset Counter Block Diagram

Truth Table

The following truth table illustrates the counter’s behavior:

4 bit Binary Synchronous Reset Counter Truth Table

4 Bit Binary Synchronous Reset Counter Verilog Code

module bin_sync(
    clk,
    rst,
    bin_out
);

input clk, rst;
output [3:0] bin_out;

reg [3:0] bin_out;
reg [22:0] div; // Added a clock divider
reg clkdiv;      // Clock divider output

initial bin_out = 4'b0000;
initial div = 23'b0;       // Initialize the divider

always @ (posedge clk) begin
    div <= div + 1'b1; // Increment the divider at each clock edge
    clkdiv <= div[22]; // Use the MSB as a divided clock
end

always @ (posedge clkdiv) begin
    if (rst == 1)
        bin_out <= 4'b0000;  // Reset to zero when rst is high
    else
        bin_out <= bin_out + 4'b0001; // Increment on clock edge when not reset
end

endmodule

Explanation:

  • Module Declaration: The bin_sync module has clk (clock), rst (reset), and bin_out (4-bit output) as input and output signals, respectively.
  • Internal Register: bin_out is declared as a 4-bit register to hold the counter’s value. A 23-bit register div and a 1-bit register clkdiv are added to divide the input clock.
  • Initialization: The initial block sets the initial value of bin_out to 0000.
  • Clock Division: The always @(posedge clk) block implements a simple clock divider. The div register increments on every rising edge of the input clock. The 22nd bit (MSB) of the div register is assigned to clkdiv, effectively dividing the input clock frequency by 222 = 4194304.
  • Counter Logic: The always @(posedge clkdiv) block describes the counter’s behavior. When the reset signal rst is high, bin_out is reset to 0000. Otherwise, on each rising edge of the divided clock clkdiv, bin_out is incremented by 1.