KEMBAR78
Verilog HDL: Behavioral and Procedural Modeling | PDF | Logic Synthesis | Hardware Description Language
0% found this document useful (0 votes)
591 views43 pages

Verilog HDL: Behavioral and Procedural Modeling

This document provides an overview of behavioral modeling and procedural assignments in Verilog. It discusses: 1. Behavioral modeling uses initial and always blocks to model digital circuits. Initial blocks execute once at time 0 while always blocks execute continuously in a looping fashion. 2. Procedural assignments update the values of variables and can be blocking or non-blocking. Blocking assignments execute sequentially while non-blocking assignments execute concurrently. 3. Timing controls like delays and events are used to specify the simulation time of procedural statements. Regular delays defer the entire assignment while intra-assignment delays compute values immediately and defer the assignment.

Uploaded by

roma_haroon
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
591 views43 pages

Verilog HDL: Behavioral and Procedural Modeling

This document provides an overview of behavioral modeling and procedural assignments in Verilog. It discusses: 1. Behavioral modeling uses initial and always blocks to model digital circuits. Initial blocks execute once at time 0 while always blocks execute continuously in a looping fashion. 2. Procedural assignments update the values of variables and can be blocking or non-blocking. Blocking assignments execute sequentially while non-blocking assignments execute concurrently. 3. Timing controls like delays and events are used to specify the simulation time of procedural statements. Regular delays defer the entire assignment while intra-assignment delays compute values immediately and defer the assignment.

Uploaded by

roma_haroon
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 43

Advanced Verilog Coding

C Verilog HDL
Design & Simulation

1 YANG S.W.
yangsw@thu.edu.tw

Part 1

Behavioral Modeling

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Structured Procedures
2 structured procedure
initial always

a = 3; b = 2; c = a+b;
C Language

basic statements in behavioral modeling Verilog is a concurrent programming language Activity flows in Verilog run in parallel
initial always C Verilog HDL
Design & Simulation

initial c = a + b; initial a = 3; initial b = 2;

starts at simulation time 0


Verilog Language

YANG S.W.
yangsw@thu.edu.tw

initial Statement
initial begin <statement 1> <statement 2>... <statement 3>... end

initial block

starts at time 0 executes exactly once during a simulation


initial a = 3; initial b = 1; initial begin c = 2; #5 c = a + b; end

3 initial block
time a b c 0 3 1 2 5 3 1 4 10 3 1 4

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

initial Statement
module stimulus; reg x,y, a,b, m; initial m = 1'b0; initial begin #5 a = 1'b1; #25 b = 1'b0; end initial begin #10 x = 1'b0; #25 y = 1'b1; end initial #50 $finish; endmodule

single statement; does not need to be grouped multiple statements; need to be grouped
begin 0 5 10 15 20 25 30 35 40 45 50 end

time

m = 1'b0; a = 1'b1; x = 1'b0; b = 1'b0; y = 1'b1; $finish;

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

initial Statement
initialization initial blocks monitoring waveforms must be executed only once during the entire simulation run initialize using shorthand syntax
//The clock variable is defined first reg clock; //The value of clock is set to 0 initial clock = 0; //Instead of the above method, clock variable //can be initialized at the time of declaration //This is allowed only for variables declared //at module level. reg clock = 0; module adder (sum, co, a, b, ci); output reg [7:0] sum = 0; output reg co = 0; input [7:0] a, b; circuit cant input ci; -by itself -endmodule

x
initial

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

always Statement
always begin <statement 1> <statement 2>... <statement 3>... end

always block
executes exactly once during a simulation (initial)

difference starts at time 0 executes continuously in a looping fashion


module clock_gen (output reg clock); //Initialize clock at time zero initial clock = 1'b0; //Toggle clock every half-cycle (time period = 20) always #10 clock = ~clock; clock initial #1000 $finish; 0 endmodule (necessary)

This statement is used to model a block of activity that is repeated continuously in a digital circuit
10 20 30 40 50

finish

1000

C Verilog HDL
Design & Simulation

$finish; $stop;

turn-off interrupt

YANG S.W.
yangsw@thu.edu.tw

ANSI C Style
ANSI C style
module clock_gen (output reg clock); //Initialize clock at time zero initial clock = 1'b0; //Toggle clock every half-cycle (time period = 20) always #10 clock = ~clock; initial #1000 $finish; endmodule

General Style
module clock_gen (clock); output clock; reg clock; //Initialize clock at time zero initial clock = 1'b0; //Toggle clock every half-cycle (time period = 20) always #10 clock = ~clock; initial #1000 $finish; endmodule

clock_gen

your design

clock
10 20

period = 20 ns frequency = 50MHz

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Procedural Assignments
Procedural assignments update values of reg, integer, real, or time variables. The value placed on a variable will remain unchanged until another procedural assignment updates the variable with a different value. variable_value = [ delay_or_event_control ] Expression
#3 (delay) @(x) (event)

A reg, integer, real, or time register variable or a memory element A bit select of these variables (e.g., addr[0]) reg [31:0] addr; A part select of these variables (e.g., addr[31:16]) A concatenation of any of the above { }
C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Procedural Assignments
blocking statement
The = operator is used to specify blocking assignments. Blocking assignment statements are executed in they are specified in a sequential block.

the order

non-blocking statement
Nonblocking assignments allow scheduling of assignments without blocking execution of the statements that follow in a sequential block. (parallel execute) A <= operator is used to specify non-blocking assignments.

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

10

Blocking Assignments
module blockassign; reg x, y, z; reg [15:0] reg_a, reg_b; integer count; initial 0000_0000_0000_0100 begin x = 0; y = 1; z = 1; count = 0; reg_a = 16'b0; reg_b = reg_a; #15 reg_a[2] = 1'b1; #10 reg_b[15:13] = {x, y, z}; count = count + 1; end endmodule
t=15 t=25

left_side_variable = right_side_statement
bit-width mismatch
x = 0110_1001; y = 1010; ex1: reg [7:0] P = y; P = 0000_1010; ex2: reg [3:0] Q = x; Q = 1001 (take LSB of x)

0110_0000_0000_0000 {x,y,z} C Verilog HDL


Design & Simulation

P[7:4] = y;

Q = x[3:0];
YANG S.W.
yangsw@thu.edu.tw

11

Non-Blocking Assignments
module nonblockassign; reg x, y, z; reg [15:0] reg_a, reg_b; integer count; initial begin x = 0; y = 1; z = 1; count = 0; reg_a = 16'b0; reg_b = reg_a; reg_a[2] <= #15 1'b1; reg_b[15:13] <= #10 {x, y, z}; count <= count + 1; end endmodule

it is recommended that blocking and nonblocking assignments

not be mixed in the same always block.


C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

12

Non-Blocking Assignments
nonblocking assignment statements are executed last in the time step
after all the blocking assignments in that time step are executed.

They are used as a method to model several concurrent data transfers that take place after a common event.

clock 5
always @(posedge clock) in1 begin reg1 <= #1 in1; in2 reg2 <= @(negedge clock) in2 ^ in3; in3 reg3 <= #1 reg1; //The old value of reg1 end

4
reg 1

7
reg 3 reg 2

posedge start negedge active YANG S.W.


yangsw@thu.edu.tw

C Verilog HDL
Design & Simulation

13

Nonblocking Statements to Eliminate Race Conditions


Two concurrent always blocks
always @(posedge clock) a = b; always @(posedge clock) b = a;

values of registers a and b will not be swapped. both registers will get the same value
clock a b
3 5 5 3 3 5 5 3 3 5

always @(posedge clock) a <= b; always @(posedge clock) b <= a;

registers a and b are swapped correctly


C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

14

Behavior of Non-Blocking
//Emulate the behavior of nonblocking assignments by //using temporary variables and blocking assignments always @(posedge clock) begin // Read operation // store values of right-hand-side expressions in temporary variables temp_a = a; temp_b = b; // Write operation // Assign values of temporary variables to left-hand-side variables a = temp_b; read write b = temp_a; end a tmp_a b b C Verilog HDL
Design & Simulation

tmp_b

a YANG S.W.
yangsw@thu.edu.tw

15

Blocking & Non-Blocking


3 in clock
always @(posedge clock) begin RegA = in; RegB = RegA; RegC = RegB; end always @(posedge clock) begin RegA <= in; RegB <= RegA; RegC <= RegB; end always @(posedge clock) begin RegC = RegB; RegB = RegA; RegA = in; end RegA

1
RegB

7
RegC

case_1 regA = 3 regB = 3 regC = 3


C Verilog HDL
Design & Simulation

case_2 regA = 3 regB = 1 regC = 7

case_3 regA = 3 regB = 1 regC = 7


YANG S.W.
yangsw@thu.edu.tw

convenient
16

Timing Controls
Various behavioral timing control constructs are available in Verilog. In Verilog, if there are no timing control statements, the simulation time does not advance. Timing controls provide a way to specify the simulation time at which procedural statements will execute. There are three methods of timing control:
delay-based timing control, event-based timing control, level-sensitive timing control.

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

17

Delay-Based Timing Control


Delays are specified by the symbol #. Delay-based timing control can be specified by
a number identifier a mintypmax_expression

There are three types of delay control for procedural assignments:


regular delay control intra-assignment delay control zero delay control

# delay_value
C Verilog HDL
Design & Simulation

#5 number #xyz identifier #(2:3:4) mintypmax_expression YANG S.W.


yangsw@thu.edu.tw

18

Regular Delay Control


Regular delay control is used when a non-zero delay is specified to the left of a procedural assignment.
//define parameters parameter latency = 20; parameter delta = 2; //define register variables reg x, y, z, p, q; initial begin x = 0; // no delay control #10 y = 1; // delay control with a number. Delay execution of // y = 1 by 10 units #latency z = 0; // Delay control with identifier. Delay of 20 units #(latency + delta) p = 1; // Delay control with expression #y x = x + 1; // Delay control with identifier. Take value of y. #(4:5:6) q = 0; // Minimum, typical and maximum delay values. //Discussed in gate-level modeling chapter. end YANG S.W. C Verilog HDL
Design & Simulation yangsw@thu.edu.tw

19

Intra-assignment Delay Control


Instead of specifying delay control to the left of the assignment, it is possible to assign a delay to the right of the assignment operator. Such delay specification alters the flow of activity in a different manner.
reg x, y, z; initial begin x = 0; z = 0; y = #5 x + z; end reg x, y, z; reg temp_xz; initial equivalent begin x = 0; z = 0; temp_xz = x + z; #5 y = temp_xz; end

temporary variable

x=0 z=0
0

x=0 z=1 y=0


5

time

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

20

Difference between Regular & Intra-assignment


Regular delays defer the execution of the entire assignment. Intra-assignment delays compute the right-hand-side expression at the current time and defer the assignment of the computed value to the left-hand-side variable. Intra-assignment delays are like using regular delays with a temporary variable to store the current value of a right-handside expression.
initial begin #5 x = a + b; end initial begin y = #5 a + b; end x=5 y=5 a=3 b=5 a=3 b=2 x=? y=? x=5 y=8

time
YANG S.W.
yangsw@thu.edu.tw

C Verilog HDL
Design & Simulation

21

Event-Based Timing Control


An event is the change in the value on a register or a net. Events can be utilized to trigger execution of a statement or a block of statements. There are four types of event-based timing control
regular event control named event control event OR control level-sensitive timing control reg wire

trigger

a statement change

event

begin end

a block of statements
YANG S.W.
yangsw@thu.edu.tw

C Verilog HDL
Design & Simulation

22

Regular Event Control


The @ symbol is used to specify an event control. Statements can be executed on
changes in signal value positive transition of signal value : posedge negative transition of signal value : negedge @(clock) q = d; // change in signal value @(posedge clock) q = d; // positive transition @(negedge clock) q = d; // negative transition q = @(posedge clock) d;
clock C Verilog HDL
Design & Simulation

Positive Transition
0 1 or x or z X1 Z1

Negative Transition
1 0 or x or z X0 Z0 YANG S.W.
yangsw@thu.edu.tw

23

Named Event Control


Verilog provides the capability to declare an event and then trigger and recognize the occurrence of that event A named event is declared by the keyword event. An event is triggered by the symbol > The triggering of the event is recognized by the symbol @.
event received_data; always @(posedge clock) begin if(last_data_packet) -> received_data; end

1. Event Declare 2. Event trigger 3. Event recognize

always @(received_data) data_buf = {data_pkt[0], data_pkt[1], data_pkt[2], data_pkt[3]}; C Verilog HDL


Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

24

Event-OR Control
A transition on any one of multiple signals or events can trigger the execution of a statement or a block of statements. This is expressed as an OR of events or signals. The list of events or signals expressed as an OR is also known as a sensitivity list. The keyword or is used to specify multiple triggers .
always @(reset or clock or d) begin sensitivity list if (reset) q = 1'b0; else if(clock) q = d; end C Verilog HDL
Design & Simulation

always @(reset, clock, d) begin @(reset, clock, d) if (reset) q = 1'b0; use "," (comma) else if(clock) q = d; end YANG S.W.
yangsw@thu.edu.tw

25

Event-OR Control
always @(posedge clk, negedge reset) if(!reset) q <=0; else q <=d;

a positive edge triggered D flip-flop with asynchronous falling reset

always @(a or b or c or d or e or f or g or h or p or m) begin a if an input variable is out1 = a ? b+c : d+e; b 1 out2 = f ? g+h : p+m; missed from the + c out1 end d sensitivity list
e

+ + +

always @(*) begin out1 = a ? b+c : d+e; out2 = f ? g+h : p+m; end C Verilog HDL
Design & Simulation

f g h p m

1 out 2 0

YANG S.W.
yangsw@thu.edu.tw

26

Synchronous & Asynchronous


always @(posedge clk) if(!reset) syn <=0; else syn <=d; always @(posedge clk, negedge reset) if(!reset) asyn <=0; else asyn <=d;

clk reset d=1 syn depend on clk asyn Not depend on clk
C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

27

D Flip-Flop

module DFF(clk, rst_n, d, q); input clk, rst_n; input d; output q; always @(posedge clk) begin if(!rst) q <= 1b0; else q <= d; end endmodule

module DFF(clk, rst_n, d, q); input clk, rst_n; input d; output q; always @(posedge clk or negedge rst) begin if(!rst) q <= 1b0; else q <= d; end endmodule

Synchronous Reset
C Verilog HDL
Design & Simulation

Asynchronous Reset
YANG S.W.
yangsw@thu.edu.tw

28

Level-Sensitive Timing Control


Verilog also allows level-sensitive timing control
the ability to wait for a certain condition to be true before a statement or a block of statements is executed.

The keyword wait is used for level-sensitive constructs. always wait (count_enable) #20 count = count + 1;
count_enable count 0
20

6
20

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

29

Conditional Statement (if-else)


Conditional statements are used for making decisions based upon certain conditions. These conditions are used to decide whether or not a statement should be executed. Keywords: if and else There are three types of conditional statements
if <expression> statement 1; else statement 2;
C Verilog HDL
Design & Simulation

condition
if condition is true if condition is false
YANG S.W.
yangsw@thu.edu.tw

30

1st Type Conditional Statement


// Type 1 conditional statement. No else statement. // Statement executes or does not execute. if (<expression>) true_statement ;

//Type 1 statements if(!lock) buffer = data;

lock 0 1 enable

data 3 4 in 5 7

buffer 3 ?? out ?? 7
YANG S.W.
yangsw@thu.edu.tw

if(enable) out = in;

0 1

C Verilog HDL
Design & Simulation

31

2nd Type Conditional Statement


//Type 2 conditional statement. One else statement //Either true_statement or false_statement is evaluated if (<expression>) true_statement ; else false_statement ;
//Type 2 statements if (number_queued < MAX_Q_DEPTH) begin data_queue = data; number_queued = number_queued + 1; end else $display("Queue Full. Try again");
C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

32

3rd Type Conditional Statement


// Type 3 conditional statement. Nested if-else-if. // Choice of multiple statements. Only one is executed. if (<expression1>) true_statement1 ; else if (<expression2>) true_statement2 ; else if (<expression3>) true_statement3 ; else default_statement ;
//Type 3 statements //Execute statements based on ALU control signal. if (alu_control == 0) y = x + z; else if(alu_control == 1) y = x - z; else if(alu_control == 2) y = x * z; else $display("Invalid ALU control signal");

Assume: x = 7, z = 2
alu_control 0 1 2 y x+z xz x*z result 9 5 14

Invalid ALU control signal


YANG S.W.
yangsw@thu.edu.tw

C Verilog HDL
Design & Simulation

33

Multi-way Branching (case)


In type 3 conditional statement, there were many alternatives, from which one was chosen. The nested if-else-if can become unwieldy if there are too many alternatives. A shortcut to achieve the same result is to use the case statement. Keyword: case, endcase, and default case (expression) alternative1: statement1; alternative2: statement2; alternative3: statement3; ... ... default: default_statement; endcase
C Verilog HDL
Design & Simulation

alternative1

match
expression

alternative2 alternative3

YANG S.W.
yangsw@thu.edu.tw

34

Multi-way Branching
if (alu_control == 0) y = x + z; else if(alu_control == 1) y = x - z; else if(alu_control == 2) y = x * z; else $display("Invalid ALU control signal"); reg [1:0] alu_control; ... ... case (alu_control) 2'd0 : y = x + z; 2'd1 : y = x - z; 2'd2 : y = x * z; default : $display("Invalid ALU control signal"); endcase

Equivalent

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

35

Multi-way Branching
module mux4_to_1 (out, i0, i1, i2, i3, s1, s0); output out; input i0, i1, i2, i3; input s1, s0; reg out; always @(s1 or s0 or i0 or i1 or i2 or i3) case ({s1, s0}) 2'd0 : out = i0; 2'd1 : out = i1; 2'd2 : out = i2; 2'd3 : out = i3; default: $display("Invalid control signals"); endcase endmodule i0 i1 i2 i3 out

s1 s0

mux4_to_1
s1 0 0 1 1 s0 0 1 0 1 out i0 i1 i2 i3

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

36

Multi-way Branching
module demultiplexer1_to_4 (out0, out1, out2, out3, in, s1, s0); output out0, out1, out2, out3; reg out0, out1, out2, out3; input in; input s1, s0; always @(s1 or s0 or in) case ({s1, s0}) //Switch based on control signals 2'b00 : begin out0 = in; out1 = 1'bz; out2 = 1'bz; out3 = 1'bz; end 2'b01 : begin out0 = 1'bz; out1 = in; out2 = 1'bz; out3 = 1'bz; end 2'b10 : begin out0 = 1'bz; out1 = 1'bz; out2 = in; out3 = 1'bz; end 2'b11 : begin out0 = 1'bz; out1 = 1'bz; out2 = 1'bz; out3 = in; end //Account for unknown signals on select. If any select signal is x //then outputs are x. If any select signal is z, outputs are z. //If one is x and the other is z, x gets higher priority. 2'bx0, 2'bx1, 2'bxz, 2'bxx, 2'b0x, 2'b1x, 2'bzx : begin out0 = 1'bx; out1 = 1'bx; out2 = 1'bx; out3 = 1'bx; end 2'bz0, 2'bz1, 2'bzz, 2'b0z, 2'b1z : begin out0 = 1'bz; out1 = 1'bz; out2 = 1'bz; out3 = 1'bz; end default: $display("Unspecified control signals"); endcase endmodule

in

out0 out1 out2 out3

s1 s0

mux4_to_1

s1 or s0 are x out = x s1 or s0 are z out = z

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

37

if-else & case-endcase


case(variable) match1: statement1; match2: statement2; match3: statement3; default: statementX; endcase

if(condition) statement1; else statement2;

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

38

Generate Blocks
Generate statements allow Verilog code to be generated dynamically at elaboration time before the simulation begins. This facilitates the creation of parametrized models. Generate statements are particularly convenient
when the same operation or module instance is repeated for multiple bits of a vector when certain Verilog code is conditionally included based on parameter definitions.

Generate statements allow control over the declaration of variables, functions, and tasks, as well as control over instantiations. All generate instantiations are coded with a module scope and require the keywords generate - endgenerate.

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

39

Generate Blocks
There are three methods to create generate statements:
Generate loop Generate conditional Generate case

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

40

Generate Loop
module bitwise_xor (out, i0, i1); parameter N = 32; output [N-1:0] out; input [N-1:0] i0, i1; genvar j; // temporary loop variable generate for (j=0; j<N; j=j+1) begin: xor_loop xor g1 (out[j], i0[j], i1[j]); end endgenerate use always blocks endmodule i0[3:0] i1[3:0] module bitwise_xor (out, i0, i1); parameter N = 32; output [N-1:0] out; input [N-1:0] i0, i1; genvar j; // temporary loop variable reg [N-1:0] out; generate for (j=0; j<N; j=j+1) begin: bit always @(i0[j] or i1[j]) out[j] = i0[j] ^ i1[j]; end endgenerate xor g1(out[0], endmodule out[3:0]

C Verilog HDL
Design & Simulation

i0[0], i1[0]); xor g1(out[1], i0[1], i1[1]); xor g1(out[2], i0[2], i1[2]); xor g1(out[3], i0[3], i1[3]); YANG S.W. 41 xor g1(out[31], yangsw@thu.edu.tw i0[31], i1[31]);

Generate Loop
module ripple_adder(co, sum, a0, a1, ci); generates a gate level ripple adder parameter N = 4; output [N-1:0] sum; N=4 output co; xor : r_loop[0].g1, r_loop[1].g1, r_loop[2].g1, r_loop[3].g1 input [N-1:0] a0, a1; r_loop[0].g2, r_loop[1].g2, r_loop[2].g2, r_loop[3].g2 input ci; and : r_loop[0].g3, r_loop[1].g3, r_loop[2].g3, r_loop[3].g3 wire [N-1:0] carry; r_loop[0].g4, r_loop[1].g4, r_loop[2].g4, r_loop[3].g4 assign carry[0] = ci; or : r_loop[0].g5, r_loop[1].g5, r_loop[2].g5, r_loop[3].g5 genvar i; nets: r_loop[0].t1, r_loop[0].t2, r_loop[0].t3 generate r_loop[1].t1, r_loop[1].t2, r_loop[1].t3 for (i=0; i<N; i=i+1) r_loop[2].t1, r_loop[2].t2, r_loop[2].t3 begin: r_loop r_loop[3].t1, r_loop[3].t2, r_loop[3].t3 wire t1, t2, t3; xor g1 (t1, a0[i], a1[i]); xor g2 (sum[i], t1, carry[i]); a0[i] and g3 (t2, a0[i], a1[i]); a1[i] and g4 (t3, t1, carry[i]); or g5 (carry[i+1], t2, t3); end endgenerate assign co = carry[N]; carry[i] endmodule C Verilog HDL
Design & Simulation

t1 sum[i] t3 carry[i+1]

t2

YANG S.W.
yangsw@thu.edu.tw

42

Generate Conditional
multiplier #(18,16) mx(Prod, A, B)
module multiplier (product, a0, a1); parameter a0_width = 8; // 8-bit bus by default parameter a1_width = 8; // 8-bit bus by default localparam product_width = a0_width + a1_width; output [product_width -1:0] product; input [a0_width-1:0] a0; input [a1_width-1:0] a1;

local parameter cannot be modified with defparam or with module instance # statement. a0_width, a1_width

generate if (a0_width <8) || (a1_width < 8) cla_multiplier #(a0_width, a1_width) m0 (product, a0, a1); else tree_multiplier #(a0_width, a1_width) m0 (product, a0, a1); endgenerate endmodule

cla Mult.

tree Mult.

which one can be generated ? depend on bit-width


C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

43

Generate Case
generate an N-bit adder
module adder(co, sum, a0, a1, ci); parameter N = 4; output [N-1:0] sum; output co; input [N-1:0] a0, a1; input ci;

N = 1 1-bit adder N = 2 2-bit adder N > 2 N-bit adder (cla)

// Instantiate the appropriate adder based on the width of the bus. generate case (N) //Special cases for 1 and 2 bit adders 1: adder_1bit adder1(c0, sum, a0, a1, ci); //1-bit implementation 2: adder_2bit adder2(c0, sum, a0, a1, ci); //2-bit implementation default: adder_cla #(N) adder3(c0, sum, a0, a1, ci); endcase endgenerate endmodule

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

44

Traffic Signal Controller


To design a traffic signal controller, using a finite state machine approach. X = 1 car on country road

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

45

Traffic Signal Controller

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

46

Traffic Signal Controller Design


`define TRUE 1'b1 `define FALSE 1'b0 `define Y2RDELAY 3 `define R2GDELAY 2 module sig_control (hwy, cntry, X, clock, clear); output [1:0] hwy, cntry; reg [1:0] hwy, cntry; input X; input clock, clear; parameter RED = 2'd0, YELLOW = 2'd1, GREEN = 2'd2; parameter S0 = 3'd0, S1 = 3'd1, S2 = 3'd2, S3 = 3'd3, S4 = 3'd4; reg [2:0] state; reg [2:0] next_state; // GREEN // YELLOW // RED // RED // RED RED RED RED GREEN YELLOW

delay = 3 delay = 2

Hwy

Cntry

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

47

Traffic Signal Controller Design


always @(posedge clock) if (clear) state <= S0; else state <= next_state; always @(state) begin hwy = GREEN; cntry = RED; case(state) S0: ; S1: hwy = YELLOW; S2: hwy = RED; S3: begin hwy = RED; cntry = GREEN; end S4: begin hwy = RED; cntry = YELLOW; end endcase end C Verilog HDL
Design & Simulation

always @(state or X) begin case (state) S0: if(X) next_state = S1; else next_state = S0; S1: begin repeat(`Y2RDELAY) @(posedge clock) ; next_state = S2; end S2: begin repeat(`R2GDELAY) @(posedge clock); next_state = S3; end S3: if(X) next_state = S3; else next_state = S4; S4: begin repeat(`Y2RDELAY) @(posedge clock) ; next_state = S0; end default: next_state = S0; endcase end YANG S.W. 48 endmodule yangsw@thu.edu.tw

Traffic Signal Controller Stimulus


module stimulus; wire [1:0] MAIN_SIG, CNTRY_SIG; reg CAR_ON_CNTRY_RD; sig_control (hwy, cntry, X, clock, clear); reg CLOCK, CLEAR; sig_control SC(MAIN_SIG, CNTRY_SIG, CAR_ON_CNTRY_RD, CLOCK, CLEAR); initial $monitor($time, " Main Sig = %b Country Sig = %b Car_on_cntry = %b", MAIN_SIG, CNTRY_SIG, CAR_ON_CNTRY_RD); initial CLOCK begin CLOCK = `FALSE; `define TRUE 1'b1 forever #5 CLOCK = ~CLOCK; `define FALSE 1'b0 CLEAR end initial begin CLEAR = `TRUE; repeat (5) @(negedge CLOCK); CLEAR = `FALSE; end

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

49

Traffic Signal Controller Stimulus


initial begin CAR_ON_CNTRY_RD = `FALSE; repeat(20) @(negedge CLOCK); CAR_ON_CNTRY_RD = `TRUE; repeat(10) @(negedge CLOCK); CAR_ON_CNTRY_RD = `FALSE; repeat(20) @(negedge CLOCK); CAR_ON_CNTRY_RD = `TRUE; repeat(10) @(negedge CLOCK); CAR_ON_CNTRY_RD = `FALSE; repeat(20) @(negedge CLOCK); CAR_ON_CNTRY_RD = `TRUE; repeat(10) @(negedge CLOCK); CAR_ON_CNTRY_RD = `FALSE; repeat(10) @(negedge CLOCK); $stop; end endmodule initial begin 0 5 10 15 20 25 CLOCK = `FALSE; forever #5 CLOCK = ~CLOCK; end

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

50

Simulation Result
0 Main Sig = x Country Sig = x Car_on_cntry = 0 5 Main Sig = 2 Country Sig = 0 Car_on_cntry = 0 200 Main Sig = 2 Country Sig = 0 Car_on_cntry = 1 205 Main Sig = 1 Country Sig = 0 Car_on_cntry = 1 245 Main Sig = 0 Country Sig = 0 Car_on_cntry = 1 275 Main Sig = 0 Country Sig = 2 Car_on_cntry = 1 300 Main Sig = 0 Country Sig = 2 Car_on_cntry = 0 305 Main Sig = 0 Country Sig = 1 Car_on_cntry = 0 345 Main Sig = 2 Country Sig = 0 Car_on_cntry = 0 500 Main Sig = 2 Country Sig = 0 Car_on_cntry = 1 505 Main Sig = 1 Country Sig = 0 Car_on_cntry = 1 545 Main Sig = 0 Country Sig = 0 Car_on_cntry = 1 575 Main Sig = 0 Country Sig = 2 Car_on_cntry = 1 600 Main Sig = 0 Country Sig = 2 Car_on_cntry = 0 605 Main Sig = 0 Country Sig = 1 Car_on_cntry = 0 645 Main Sig = 2 Country Sig = 0 Car_on_cntry = 0 800 Main Sig = 2 Country Sig = 0 Car_on_cntry = 1 805 Main Sig = 1 Country Sig = 0 Car_on_cntry = 1 845 Main Sig = 0 Country Sig = 0 Car_on_cntry = 1 875 Main Sig = 0 Country Sig = 2 Car_on_cntry = 1 900 Main Sig = 0 Country Sig = 2 Car_on_cntry = 0 905 Main Sig = 0 Country Sig = 1 Car_on_cntry = 0 945 Main Sig = 2 Country Sig = 0 Car_on_cntry = 0

hwy cntry X clock clear


C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

51

Part 2

Timing and Delays

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Types of Delay Models


Distributed Delay
Delay values are assigned to individual elements in the circuit.

Lumped Delay
specified as a single delay on the output gate of the module. The cumulative delay of all paths is lumped at one location.

Pin-to-Pin Delays
Delays are assigned individually to paths from each input to each output. Delays can be separately specified for each input/output path.

53

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Distributed Delay
#5 #4 #7
module M (out, a, b, c, d); output out; input a, b, c, d; wire e, f; and #5 a1(e, a, b); and #7 a2(f, c, d); and #4 a3(out, e, f); endmodule
54

module M (out, a, b, c, d); output out; input a, b, c, d; wire e, f; assign #5 e = a & b; assign #7 f = c & d; assign #4 out = e & f; endmodule
YANG S.W.
yangsw@thu.edu.tw

C Verilog HDL
Design & Simulation

Lumped Delay
Computed the maximum delay from any input to the output
5 + 4 = 9 units 7 + 4 = 11 units

The entire delay is lumped into the output gate.


module M (out, a, b, c, d); output out; input a, b, c, d; wire e, f; and a1(e, a, b); and a2(f, c, d); and #11 a3(out, e, f); endmodule
YANG S.W.
yangsw@thu.edu.tw

#5
#11 #4

#7

55

C Verilog HDL
Design & Simulation

Pin-to-Pin Delays

#5 #4 #7

path, a-e-out, delay = 9 path, b-e-out, delay = 9 path, c-f-out, delay = 11 path, d-f-out, delay = 11

5+4=9 units 7 + 4 = 11 units


56

path delay model

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Path Delay Modeling


A delay between a source (input or inout) pin and a destination (output or inout) pin of a module is called a module path delay. Path delays are assigned in Verilog within the keywords specify and endspecify. The statements within these keywords constitute a specify block.
Assign pin-to-pin timing delays across module paths Set up timing checks in the circuits Define specparam constants

57

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Pin-to-Pin Delays
#5 #4 #7

path, a-e-out, delay = 9 path, b-e-out, delay = 9 path, c-f-out, delay = 11 path, d-f-out, delay = 11

module M (out, a, b, c, d); and a1(e, a, b); output out; and a2(f, c, d); input a, b, c, d; wire e, f; and a3(out, e, f); specify endmodule (a => out) = 9; (b => out) = 9; The specify block is (c => out) = 11; block in the module (d => out) = 11; endspecify
58

a separate

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Inside Specify Blocks


Parallel connection
A parallel connection is specified by the symbol => Usage: ( <source_field> => <destination_field>) = <delay_value>;

=>

BW(a) BW(out) 1 4 5
59

description (a => out) = 9; (a => out) = 9;

result legal legal

1 4 4

(a[0] => out[0]) = 9; (a[1] => out[1]) = 9; (a[2] => out[2]) = 9; (a[3] => out[3]) = 9; bit width does not match. YANG S.W.
yangsw@thu.edu.tw

(a => out) = 9; illegal

C Verilog HDL
Design & Simulation

Inside Specify Blocks


Full connection
A full connection is specified by the symbol *> Usage: ( <source_field> *> <destination_field>) = <delay_value>;

*>

#5 #4 #7
60

BW(a) BW(out) description C Verilog 32 HDL 16 (a *> out) = 9;


Design & Simulation

result legal

module M (out, a, b, c, d); output out; input a, b, c, d; wire e, f; specify (a,b *> out) = 9; (c,d *> out) = 11; endspecify and a1(e, a, b); and a2(f, c, d); and a3(out, e, f); endmodule YANG S.W.
yangsw@thu.edu.tw

Inside Specify Blocks


//Specify parameters using specparam statement specify //define parameters inside the specify block specparam d_to_q = 9; specparam clk_to_q = 11; (d => q) = d_to_q; (clk => q) = clk_to_q; endspecify Specify parameters are provided for convenience in assigning delays. It is recommended that all pin-to-pin delay values be expressed in terms of specify parameters instead of hardcoded numbers. If timing specifications of the circuit change, the user has to change only the values of specify parameters.
61

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

specparam statements
Special parameters can be declared for use inside a specify block. They are declared by the keyword specparam. Instead of using hardcoded delay numbers to specify pin-to-pin delays, it is common to define specify parameters by using specparam and then to use those parameters inside the specify block. The specparam values are often used to store values for nonsimulation tools, such as delay calculators, synthesis tools, and layout estimators.
62

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Timing Checks
three most common timing checks tasks:
$setup: check the setup time constraint $hold: check the hold time constraint $width: check the width of a pulse
for sequential element (edge-triggered flip-flop)

timing checks must be inside the specify blocks only optional notifier arguments used in these timing check system tasks are omitted to simplify the discussion

63

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Timing Checks
setup time is the minimum time the data must arrive before the active clock edge. hold time is the minimum time the data cannot change after the active clock edge. the width of a pulse meets the minimum width requirement

64

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

$setup task
Setup checks can be specified with the system task $setup.
$setup(data_event, reference_event, limit); data_event Signal that is monitored for violations reference_event Signal that establishes a reference for monitoring the data_event signal limit Minimum time required for setup of data event Violation is reported if (Treference_event - Tdata_event) < limit
//Setup check is set. //clock is the reference //data is being checked for violations //Violation reported if Tposedge_clk - Tdata < 3 specify $setup(data, posedge clock, 3); endspecify
65

clock data 4 data 2

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

$hold task
Hold checks can be specified with the system task $hold.
$hold(reference_event, data_event, limit); reference_event Signal that establishes a reference for monitoring the data_event signal data_event limit Signal that is monitored for violations Minimum time required for setup of data event Violation is reported if (Tdata_event -Treference_event) < limit
// hold check is set. // clock is the reference // data is being checked for violations // Violation reported if Tdata - Tposedge_clk < 5 specify $hold(posedge clock, data, 5); endspecify
66

clock data 4 data 6

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

$width Check
system task $width is used to check that the width of a pulse meets the minimum width requirement
$width(reference_event, limit); reference_event Edge-triggered event (edge transition of a signal) limit data_event Minimum width of the pulse next opposite edge of the reference_event signal Violation is reported if ( Tdata_event - Treference_event ) < limit
// width check is set. // posedge of clear is the reference_event // the next negedge of clear is the data_event // Violation reported if Tdata - Tclk < 6 specify $width(posedge clear, 6); endspecify
67

posedge clear
6 opposite

negedge clear
5

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Delay Back-Annotation
the concept of back-annotation of delays in a simulation.
Using delay calculator and information about the IC fabrication process

computing from the R&C information which is extracted from factors such as geometry and IC fabrication process in the layout.

A standard format called the Standard Delay Format (SDF) is popularly used for back-annotation.
68

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Inside Specify Blocks


Edge-Sensitive Paths An edge-sensitive path construct is used to model the timing of input to output delays, which occurs only when a specified edge occurs at the source signal. // In this example, at the positive edge of clock, a module // path extends from clock signal to out signal using a // rise delay of 10 and a fall delay of 8. The data path is // from in to out, and the in signal is not inverted as it // propagates to the out signal. (posedge clock => (out +: in)) = (10 : 8);
69

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Inside Specify Blocks


Conditional path delays
the pin-to-pin delays might change, based on the states of input signals to a circuit. path delays to be assigned conditionally, based on the value of the signals in the circuit

70

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Conditional Path Delay Example


//Conditional Path Delays module M (out, a, b, c, d); output out; input a, b, c, d; wire e, f; //specify block with conditional pin-to-pin timing specify //different pin-to-pin timing based on state of signal a. if (a) (a => out) = 9; if (~a) (a => out) = 10; //Conditional expression contains two signals b , c. //If b & c is true, delay = 9, //Conditional Path Delays if (b & c) (b => out) = 9; if (~(b & c)) (b => out) = 13;
71

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Conditional Path Delay Example


//Use concatenation operator. //Use Full connection if ({c,d} == 2'b01) (c,d *> out) = 11; if ({c,d} != 2'b01) (c,d *> out) = 13; endspecify and a1(e, a, b); and a2(f, c, d); and a3(out, e, f); endmodule

72

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Part 3 Logic Synthesis with Verilog HDL

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

What Is Logic Synthesis?


Logic synthesis is the process of converting a high-level description of the design into an optimized gate-level representation
a standard cell library design constraints.

A standard cell library can have


simple cells, such as basic logic gates like and, or, and nor macro cells, such as adders, muxes, and special flip-flops.

74

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Logic Synthesis inside the designer's mind


timing area testability power high-level description

using available cells

several time-consuming design iterations


75

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Computer-Aided logic synthesis tools


architectural trade-offs high-level description design constraints

Reduced conversion time


76

designers describe the high-level design in terms of HDLs. high-level descriptions become more popular YANG S.W.
yangsw@thu.edu.tw

C Verilog HDL
Design & Simulation

Verilog HDL Synthesis


For the purpose of logic synthesis, designs are currently written in an HDL at a register transfer level (RTL). RTL description style combines
data flow behavioral

Logic synthesis tools


take the register transfer-level HDL description convert it to an optimized gate-level netlist.

the two most popular HDLs are used at the RTL level
Verilog VHDL
77

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Verilog Constructs
Not all constructs can be used when writing a description for a logic synthesis tool any construct that is used to define a cycle-by-cycle RTL description is acceptable to the logic synthesis tool.
the while and forever loops must be broken by a @ (posedge clock) or @ (negedge clock) statement to enforce cycle-by-cycle behavior and to prevent combinational feedback. logic synthesis ignores all timing delays specified by #<delay> construct. Therefore, pre- and post-synthesis Verilog simulation results may not match. The designer must use a description style that eliminates these mismatches. Also, the initial construct is not supported by logic synthesis tools. Instead, the designer must use a reset mechanism to initialize the signals in the circuit. all signal widths and variable widths be explicitly specified.
78

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Verilog Constructs
Construct Type ports parameters module definition signals and variables instantiation functions and tasks procedural procedural blocks data flow loops Keyword or Description input, inout, output parameter module wire, reg, tri module instances, primitive gate instances function, task Vectors are allowed E.g., mymux m1(out, i0, i1, s); E.g., nand (out, a, b); Timing constructs ignored Notes

always, if, then, else, case, initial is not supported casex, casez begin, end, named blocks, disable assign for, while, forever, Disabling of named blocks allowed Delay information is ignored while and forever loops must contain @(posedge clk) or @(negedge clk)

79

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Verilog Operators
Almost all operators in Verilog are allowed for logic synthesis. === and !== that are related to x and z are not allowed, because equality with x and z does not have much meaning in logic synthesis. it is recommended that you use parentheses to group logic the way you want it to appear
80

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Verilog Operators
Operator Type Arithmetic Operator Symbol *, / +, % +, ! &&, || >, < >= <= == != ~ &, |, ^ ^~ or ~^ Operation Performed multiply, divide add, subtract modulus unary plus & minus logical negation logical and, or greater than, less than greater than or equal less than or equal equality inequality bitwise negation bitwise and, bitwise or, bitwise ex-or bitwise ex-nor

Logical Relational

Equality Bit-wise

81

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Verilog Operators
Operator Type Reduction Operator Symbol & ~& | ~| ^ ^~ or ~^ >> << >>> <<< {} ?: Operation Performed reduction and reduction nand reduction or reduction nor reduction ex-or reduction ex-nor right shift left shift arithmetic right shift arithmetic left shift concatenation conditional

Shift

Concatenation Conditional

82

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Synthesis Design Flow


designer spends time in functional verification a simple allocation of internal resources. design constraints are not considered

remove redundant logic. boolean logic optimization

the design is mapped to the desired target technology

area, timing, and power

83

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Example of RTL-to-Gates
module magnitude_comparator(A_gt_B, A_lt_B, A_eq_B, A, B); output A_gt_B, A_lt_B, A_eq_B; input [3:0] A, B; assign A_gt_B = (A > B); A A_gt_B assign A_lt_B = (A < B); MC A_lt_B assign A_eq_B = (A == B); A_eq_B B endmodule

mag_cmp.v
//Library cells for abc_100 technology VNAND // 2-input nand gate VAND // 2-input and gate VNOR // 2-input nor gate VOR // 2-input or gate VNOT // not gate VBUF // buffer NDFF // negedge DFF PDFF // posedge DFF

Logic Synthesis

84

C Verilog HDL
Design & Simulation

YANG S.W.
yangsw@thu.edu.tw

Example of RTL-to-Gates
module magnitude_comparator ( A_gt_B, A_lt_B, A_eq_B, A, B ); input [3:0] A; input [3:0] B; output A_gt_B, A_lt_B, A_eq_B; wire n60, n61, n62, n50, n63, n51, n64, n52, n65, n40, n53, n41, n54, n42, n55, n43, , n39; VAND U7 ( .in0(n48), .in1(n49), .out(n38) ); VAND U8 ( .in0(n51), .in1(n52), .out(n50) ); VAND U9 ( .in0(n54), .in1(n55), .out(n53) ); VNOT U30 ( .in(A

mag_cmp.vg

module VAND (out, in0, in1); input in0; input in1; output out; specify (in0 => out) = (0.260604:0.513000:0.955206, 0.255524:0.503000:0.936586); (in1 => out) = (0.260604:0.513000:0.955206, 0.255524:0.503000:0.936586); endspecify and (out, in0, in1); endmodule ... //All library cells will have corresponding module definitions //in terms of Verilog primitives. ... 85

***.sdf

abc_100.v
YANG S.W.
yangsw@thu.edu.tw

C Verilog HDL
Design & Simulation

Example of Gate-level Simulation


stimulus.v mag_cmp.v Verilog Simulator
0 A = 1010, B = 1001, A_GT_B = 1, 10 A = 1110, B = 1111, A_GT_B = 0, 20 A = 0000, B = 0000, A_GT_B = 0, 30 A = 1000, B = 1100, A_GT_B = 0, 40 A = 0110, B = 1110, A_GT_B = 0, 50 A = 1110, B = 1110, A_GT_B = 0,

Functional Simulation
stimulus.v mag_cmp.vg abc_100.v Verilog Simulator

mag_cmp.sdf
$sdf_annotate(mag_cmp.sdf,top);
YANG S.W.
yangsw@thu.edu.tw

Gate-Level Simulation
86

C Verilog HDL
Design & Simulation

You might also like