9086/cpu/processor.v

91 lines
1.9 KiB
Coq
Raw Normal View History

2023-02-08 09:18:00 +00:00
`timescale 1ns/1ps
module clock_gen (input enable, output reg clk);
parameter FREQ = 1000; // in HZ
2023-02-08 09:36:32 +00:00
parameter PHASE = 0; // in degrees
parameter DUTY = 50; // in percentage
2023-02-08 09:18:00 +00:00
2023-02-08 09:36:32 +00:00
real clk_pd = 1.0/FREQ * 1000000; // convert to ms
2023-02-08 09:18:00 +00:00
real clk_on = DUTY/100.0 * clk_pd;
real clk_off = (100.0 - DUTY)/100.0 * clk_pd;
real quarter = clk_pd/4;
real start_dly = quarter * PHASE/90;
reg start_clk;
initial begin
end
// Initialize variables to zero
initial begin
clk <= 0;
start_clk <= 0;
end
// When clock is enabled, delay driving the clock to one in order
// to achieve the phase effect. start_dly is configured to the
// correct delay for the configured phase. When enable is 0,
// allow enough time to complete the current clock period
always @ (posedge enable or negedge enable) begin
if (enable) begin
#(start_dly) start_clk = 1;
end else begin
#(start_dly) start_clk = 0;
end
end
// Achieve duty cycle by a skewed clock on/off time and let this
// run as long as the clocks are turned on.
always @(posedge start_clk) begin
if (start_clk) begin
clk = 1;
while (start_clk) begin
#(clk_on) clk = 0;
#(clk_off) clk = 1;
end
clk = 0;
end
end
endmodule
module processor ( input clock, input reset );
reg [1:0] state;
reg start=0;
2023-02-08 09:36:32 +00:00
reg instruction_finished;
2023-02-08 09:18:00 +00:00
2023-02-08 09:36:32 +00:00
/* RESET LOGIC */
2023-02-08 09:18:00 +00:00
always @(negedge reset) begin
if (reset==0) begin
@(posedge clock);
state=0;
#10
start=1;
end
end
2023-02-08 09:36:32 +00:00
/* CLOCK LOGIC */
2023-02-08 09:18:00 +00:00
always @(posedge clock) begin
2023-02-08 09:36:32 +00:00
if(instruction_finished) begin
state =0;
end else begin
if (clock && start==1) begin
state=state+1;
end
end
end
always @(state) begin
if (state==2) begin
instruction_finished=1;
end else begin
instruction_finished=0;
end
2023-02-08 09:18:00 +00:00
end
endmodule