1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
|
`include "common.svh"
module rv2insn #(
parameter QUE_DEPTH,
parameter ALU_COUNT
)(
input clk_i,
input rst_ni,
input xlen_t pc_i,
input rv_t[QUE_DEPTH-1:0] rv_i,
output insn_t[QUE_DEPTH-1:0] que_o
);
typedef logic[$clog2(ALU_COUNT):0] alu_counter_t;
alu_counter_t alu_counter_r;
alu_counter_t alu_counter;
typedef struct packed {
insn_t insn;
alu_counter_t alu_counter;
} decode_out_t;
function automatic insn_t halt();
/* TODO come up with some proper instruction here */
return -1;
endfunction
function automatic alu_counter_t next_alu(alu_counter_t alu_counter);
return (alu_counter + 1) % ALU_COUNT;
endfunction
function automatic decode_out_t op_imm(xlen_t pc, itype_t rv, alu_counter_t alu_counter);
alu_counter_t fu = next_alu(alu_counter);
unique case (rv.funct3)
3'b000: return {{`rn(rv.rs1), `alu(fu)},
{NOP, NOP},
{`alu(fu), `rn(rv.rd)},
ALU_ADDI, imm_t'(signed'(rv.imm)), fu};
default: return {halt(), fu};
endcase
return 0;
endfunction
function automatic decode_out_t op(xlen_t pc, rtype_t rv, alu_counter_t alu_counter);
alu_counter_t fu = next_alu(alu_counter);
unique case (rv.funct3)
3'b000: begin
unique case (rv.funct7)
7'b0000000:
return {{`rn(rv.rs2), `alu(fu)},
{`rn(rv.rs1), `alu(fu)},
{`alu(fu), `rn(rv.rd)},
ALU_ADD, imm_t'(0), fu};
7'b0100000:
return {{`rn(rv.rs2), `alu(fu)},
{`rn(rv.rs1), `alu(fu)},
{`alu(fu), `rn(rv.rd)},
ALU_SUB, imm_t'(0), fu};
default: return {halt(), fu};
endcase
end
default: return {halt(), fu};
endcase
endfunction
function automatic decode_out_t decode(xlen_t pc, rv_t rv, alu_counter_t alu_counter);
unique case (rv[`RV_OP_FIELD])
OP_IMM: return op_imm (pc, rv, alu_counter);
OP: return op (pc, rv, alu_counter);
default: return {halt(), alu_counter};
endcase
endfunction
typedef struct packed {
insn_t[QUE_DEPTH-1:0] que;
alu_counter_t alu_counter;
} stages_out_t;
function automatic stages_out_t stages(int i, xlen_t pc,
rv_t[QUE_DEPTH-1:0] rv, insn_t[QUE_DEPTH-1:0] que, alu_counter_t alu_counter);
if (i < QUE_DEPTH) begin
decode_out_t out = decode(pc + i, rv[i], alu_counter);
que[i] = out.insn;
return stages(i + 1, pc, rv, que, out.alu_counter);
end else begin
return {que, alu_counter};
end
endfunction
always_comb begin
stages_out_t out = stages(0, pc_i, rv_i, '0, alu_counter_r);
alu_counter = out.alu_counter;
que_o = out.que;
end
always_ff @(posedge clk_i or negedge rst_ni) begin
if (!rst_ni) begin
alu_counter_r <= 0;
end else begin
alu_counter_r <= alu_counter;
end
end
endmodule
|