xref: /XiangShan/src/main/scala/xiangshan/cache/dcache/DCacheWrapper.scala (revision eb163ef08fc5ac1da1f32d948699bd6de053e444)
1/***************************************************************************************
2* Copyright (c) 2020-2021 Institute of Computing Technology, Chinese Academy of Sciences
3* Copyright (c) 2020-2021 Peng Cheng Laboratory
4*
5* XiangShan is licensed under Mulan PSL v2.
6* You can use this software according to the terms and conditions of the Mulan PSL v2.
7* You may obtain a copy of Mulan PSL v2 at:
8*          http://license.coscl.org.cn/MulanPSL2
9*
10* THIS SOFTWARE IS PROVIDED ON AN "AS IS" BASIS, WITHOUT WARRANTIES OF ANY KIND,
11* EITHER EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO NON-INFRINGEMENT,
12* MERCHANTABILITY OR FIT FOR A PARTICULAR PURPOSE.
13*
14* See the Mulan PSL v2 for more details.
15***************************************************************************************/
16
17package xiangshan.cache
18
19import chipsalliance.rocketchip.config.Parameters
20import chisel3._
21import chisel3.experimental.ExtModule
22import chisel3.util._
23import xiangshan._
24import utils._
25import freechips.rocketchip.diplomacy.{IdRange, LazyModule, LazyModuleImp, TransferSizes}
26import freechips.rocketchip.tilelink._
27import freechips.rocketchip.util.{BundleFieldBase, UIntToOH1}
28import device.RAMHelper
29import huancun.{AliasField, AliasKey, DirtyField, PreferCacheField, PrefetchField}
30import huancun.utils.FastArbiter
31import mem.{AddPipelineReg}
32
33import scala.math.max
34
35// DCache specific parameters
36case class DCacheParameters
37(
38  nSets: Int = 256,
39  nWays: Int = 8,
40  rowBits: Int = 128,
41  tagECC: Option[String] = None,
42  dataECC: Option[String] = None,
43  replacer: Option[String] = Some("setplru"),
44  nMissEntries: Int = 1,
45  nProbeEntries: Int = 1,
46  nReleaseEntries: Int = 1,
47  nMMIOEntries: Int = 1,
48  nMMIOs: Int = 1,
49  blockBytes: Int = 64,
50  alwaysReleaseData: Boolean = true
51) extends L1CacheParameters {
52  // if sets * blockBytes > 4KB(page size),
53  // cache alias will happen,
54  // we need to avoid this by recoding additional bits in L2 cache
55  val setBytes = nSets * blockBytes
56  val aliasBitsOpt = if(setBytes > pageSize) Some(log2Ceil(setBytes / pageSize)) else None
57  val reqFields: Seq[BundleFieldBase] = Seq(
58    PrefetchField(),
59    PreferCacheField()
60  ) ++ aliasBitsOpt.map(AliasField)
61  val echoFields: Seq[BundleFieldBase] = Seq(DirtyField())
62
63  def tagCode: Code = Code.fromString(tagECC)
64
65  def dataCode: Code = Code.fromString(dataECC)
66}
67
68//           Physical Address
69// --------------------------------------
70// |   Physical Tag |  PIndex  | Offset |
71// --------------------------------------
72//                  |
73//                  DCacheTagOffset
74//
75//           Virtual Address
76// --------------------------------------
77// | Above index  | Set | Bank | Offset |
78// --------------------------------------
79//                |     |      |        |
80//                |     |      |        0
81//                |     |      DCacheBankOffset
82//                |     DCacheSetOffset
83//                DCacheAboveIndexOffset
84
85// Default DCache size = 64 sets * 8 ways * 8 banks * 8 Byte = 32K Byte
86
87trait HasDCacheParameters extends HasL1CacheParameters {
88  val cacheParams = dcacheParameters
89  val cfg = cacheParams
90
91  def encWordBits = cacheParams.dataCode.width(wordBits)
92
93  def encRowBits = encWordBits * rowWords // for DuplicatedDataArray only
94  def eccBits = encWordBits - wordBits
95
96  def encTagBits = cacheParams.tagCode.width(tagBits)
97  def eccTagBits = encTagBits - tagBits
98
99  def blockProbeAfterGrantCycles = 8 // give the processor some time to issue a request after a grant
100
101  def nSourceType = 3
102  def sourceTypeWidth = log2Up(nSourceType)
103  def LOAD_SOURCE = 0
104  def STORE_SOURCE = 1
105  def AMO_SOURCE = 2
106  def SOFT_PREFETCH = 3
107
108  // each source use a id to distinguish its multiple reqs
109  def reqIdWidth = 64
110
111  require(isPow2(cfg.nMissEntries)) // TODO
112  // require(isPow2(cfg.nReleaseEntries))
113  require(cfg.nMissEntries < cfg.nReleaseEntries)
114  val nEntries = cfg.nMissEntries + cfg.nReleaseEntries
115  val releaseIdBase = cfg.nMissEntries
116
117  // banked dcache support
118  val DCacheSets = cacheParams.nSets
119  val DCacheWays = cacheParams.nWays
120  val DCacheBanks = 8
121  val DCacheSRAMRowBits = 64 // hardcoded
122  val DCacheWordBits = 64 // hardcoded
123  val DCacheWordBytes = DCacheWordBits / 8
124
125  val DCacheSizeBits = DCacheSRAMRowBits * DCacheBanks * DCacheWays * DCacheSets
126  val DCacheSizeBytes = DCacheSizeBits / 8
127  val DCacheSizeWords = DCacheSizeBits / 64 // TODO
128
129  val DCacheSameVPAddrLength = 12
130
131  val DCacheSRAMRowBytes = DCacheSRAMRowBits / 8
132  val DCacheWordOffset = log2Up(DCacheWordBytes)
133
134  val DCacheBankOffset = log2Up(DCacheSRAMRowBytes)
135  val DCacheSetOffset = DCacheBankOffset + log2Up(DCacheBanks)
136  val DCacheAboveIndexOffset = DCacheSetOffset + log2Up(DCacheSets)
137  val DCacheTagOffset = DCacheAboveIndexOffset min DCacheSameVPAddrLength
138  val DCacheLineOffset = DCacheSetOffset
139  val DCacheIndexOffset = DCacheBankOffset
140
141  def addr_to_dcache_bank(addr: UInt) = {
142    require(addr.getWidth >= DCacheSetOffset)
143    addr(DCacheSetOffset-1, DCacheBankOffset)
144  }
145
146  def addr_to_dcache_set(addr: UInt) = {
147    require(addr.getWidth >= DCacheAboveIndexOffset)
148    addr(DCacheAboveIndexOffset-1, DCacheSetOffset)
149  }
150
151  def get_data_of_bank(bank: Int, data: UInt) = {
152    require(data.getWidth >= (bank+1)*DCacheSRAMRowBits)
153    data(DCacheSRAMRowBits * (bank + 1) - 1, DCacheSRAMRowBits * bank)
154  }
155
156  def get_mask_of_bank(bank: Int, data: UInt) = {
157    require(data.getWidth >= (bank+1)*DCacheSRAMRowBytes)
158    data(DCacheSRAMRowBytes * (bank + 1) - 1, DCacheSRAMRowBytes * bank)
159  }
160
161  def refill_addr_hit(a: UInt, b: UInt): Bool = {
162    a(PAddrBits-1, DCacheIndexOffset) === b(PAddrBits-1, DCacheIndexOffset)
163  }
164
165  def arbiter[T <: Bundle](
166    in: Seq[DecoupledIO[T]],
167    out: DecoupledIO[T],
168    name: Option[String] = None): Unit = {
169    val arb = Module(new Arbiter[T](chiselTypeOf(out.bits), in.size))
170    if (name.nonEmpty) { arb.suggestName(s"${name.get}_arb") }
171    for ((a, req) <- arb.io.in.zip(in)) {
172      a <> req
173    }
174    out <> arb.io.out
175  }
176
177  def arbiter_with_pipereg[T <: Bundle](
178    in: Seq[DecoupledIO[T]],
179    out: DecoupledIO[T],
180    name: Option[String] = None): Unit = {
181    val arb = Module(new Arbiter[T](chiselTypeOf(out.bits), in.size))
182    if (name.nonEmpty) { arb.suggestName(s"${name.get}_arb") }
183    for ((a, req) <- arb.io.in.zip(in)) {
184      a <> req
185    }
186    AddPipelineReg(arb.io.out, out, false.B)
187  }
188
189  def rrArbiter[T <: Bundle](
190    in: Seq[DecoupledIO[T]],
191    out: DecoupledIO[T],
192    name: Option[String] = None): Unit = {
193    val arb = Module(new RRArbiter[T](chiselTypeOf(out.bits), in.size))
194    if (name.nonEmpty) { arb.suggestName(s"${name.get}_arb") }
195    for ((a, req) <- arb.io.in.zip(in)) {
196      a <> req
197    }
198    out <> arb.io.out
199  }
200
201  def fastArbiter[T <: Bundle](
202    in: Seq[DecoupledIO[T]],
203    out: DecoupledIO[T],
204    name: Option[String] = None): Unit = {
205    val arb = Module(new FastArbiter[T](chiselTypeOf(out.bits), in.size))
206    if (name.nonEmpty) { arb.suggestName(s"${name.get}_arb") }
207    for ((a, req) <- arb.io.in.zip(in)) {
208      a <> req
209    }
210    out <> arb.io.out
211  }
212
213  val numReplaceRespPorts = 2
214
215  require(isPow2(nSets), s"nSets($nSets) must be pow2")
216  require(isPow2(nWays), s"nWays($nWays) must be pow2")
217  require(full_divide(rowBits, wordBits), s"rowBits($rowBits) must be multiple of wordBits($wordBits)")
218  require(full_divide(beatBits, rowBits), s"beatBits($beatBits) must be multiple of rowBits($rowBits)")
219}
220
221abstract class DCacheModule(implicit p: Parameters) extends L1CacheModule
222  with HasDCacheParameters
223
224abstract class DCacheBundle(implicit p: Parameters) extends L1CacheBundle
225  with HasDCacheParameters
226
227class ReplacementAccessBundle(implicit p: Parameters) extends DCacheBundle {
228  val set = UInt(log2Up(nSets).W)
229  val way = UInt(log2Up(nWays).W)
230}
231
232class ReplacementWayReqIO(implicit p: Parameters) extends DCacheBundle {
233  val set = ValidIO(UInt(log2Up(nSets).W))
234  val way = Input(UInt(log2Up(nWays).W))
235}
236
237// memory request in word granularity(load, mmio, lr/sc, atomics)
238class DCacheWordReq(implicit p: Parameters)  extends DCacheBundle
239{
240  val cmd    = UInt(M_SZ.W)
241  val addr   = UInt(PAddrBits.W)
242  val data   = UInt(DataBits.W)
243  val mask   = UInt((DataBits/8).W)
244  val id     = UInt(reqIdWidth.W)
245  val instrtype   = UInt(sourceTypeWidth.W)
246  def dump() = {
247    XSDebug("DCacheWordReq: cmd: %x addr: %x data: %x mask: %x id: %d\n",
248      cmd, addr, data, mask, id)
249  }
250}
251
252// memory request in word granularity(store)
253class DCacheLineReq(implicit p: Parameters)  extends DCacheBundle
254{
255  val cmd    = UInt(M_SZ.W)
256  val vaddr  = UInt(VAddrBits.W)
257  val addr   = UInt(PAddrBits.W)
258  val data   = UInt((cfg.blockBytes * 8).W)
259  val mask   = UInt(cfg.blockBytes.W)
260  val id     = UInt(reqIdWidth.W)
261  def dump() = {
262    XSDebug("DCacheLineReq: cmd: %x addr: %x data: %x mask: %x id: %d\n",
263      cmd, addr, data, mask, id)
264  }
265  def idx: UInt = get_idx(vaddr)
266}
267
268class DCacheWordReqWithVaddr(implicit p: Parameters) extends DCacheWordReq {
269  val vaddr = UInt(VAddrBits.W)
270  val wline = Bool()
271}
272
273class BaseDCacheWordResp(implicit p: Parameters) extends DCacheBundle
274{
275  val data         = UInt(DataBits.W)
276  val id     = UInt(reqIdWidth.W)
277
278  // cache req missed, send it to miss queue
279  val miss   = Bool()
280  // cache miss, and failed to enter the missqueue, replay from RS is needed
281  val replay = Bool()
282  // data has been corrupted
283  val tag_error = Bool() // tag error
284  def dump() = {
285    XSDebug("DCacheWordResp: data: %x id: %d miss: %b replay: %b\n",
286      data, id, miss, replay)
287  }
288}
289
290class DCacheWordResp(implicit p: Parameters) extends BaseDCacheWordResp
291{
292  // 1 cycle after data resp
293  val error_delayed = Bool() // all kinds of errors, include tag error
294}
295
296class DCacheWordRespWithError(implicit p: Parameters) extends BaseDCacheWordResp
297{
298  val error = Bool() // all kinds of errors, include tag error
299}
300
301class DCacheLineResp(implicit p: Parameters) extends DCacheBundle
302{
303  val data   = UInt((cfg.blockBytes * 8).W)
304  // cache req missed, send it to miss queue
305  val miss   = Bool()
306  // cache req nacked, replay it later
307  val replay = Bool()
308  val id     = UInt(reqIdWidth.W)
309  def dump() = {
310    XSDebug("DCacheLineResp: data: %x id: %d miss: %b replay: %b\n",
311      data, id, miss, replay)
312  }
313}
314
315class Refill(implicit p: Parameters) extends DCacheBundle
316{
317  val addr   = UInt(PAddrBits.W)
318  val data   = UInt(l1BusDataWidth.W)
319  val error  = Bool() // refilled data has been corrupted
320  // for debug usage
321  val data_raw = UInt((cfg.blockBytes * 8).W)
322  val hasdata = Bool()
323  val refill_done = Bool()
324  def dump() = {
325    XSDebug("Refill: addr: %x data: %x\n", addr, data)
326  }
327}
328
329class Release(implicit p: Parameters) extends DCacheBundle
330{
331  val paddr  = UInt(PAddrBits.W)
332  def dump() = {
333    XSDebug("Release: paddr: %x\n", paddr(PAddrBits-1, DCacheTagOffset))
334  }
335}
336
337class DCacheWordIO(implicit p: Parameters) extends DCacheBundle
338{
339  val req  = DecoupledIO(new DCacheWordReq)
340  val resp = Flipped(DecoupledIO(new DCacheWordResp))
341}
342
343class UncacheWordIO(implicit p: Parameters) extends DCacheBundle
344{
345  val req  = DecoupledIO(new DCacheWordReq)
346  val resp = Flipped(DecoupledIO(new DCacheWordRespWithError))
347}
348
349class AtomicsResp(implicit p: Parameters) extends DCacheBundle {
350  val data    = UInt(DataBits.W)
351  val miss    = Bool()
352  val miss_id = UInt(log2Up(cfg.nMissEntries).W)
353  val replay  = Bool()
354  val error   = Bool()
355
356  val ack_miss_queue = Bool()
357
358  val id     = UInt(reqIdWidth.W)
359}
360
361class AtomicWordIO(implicit p: Parameters) extends DCacheBundle
362{
363  val req  = DecoupledIO(new MainPipeReq)
364  val resp = Flipped(ValidIO(new AtomicsResp))
365  val block_lr = Input(Bool())
366}
367
368// used by load unit
369class DCacheLoadIO(implicit p: Parameters) extends DCacheWordIO
370{
371  // kill previous cycle's req
372  val s1_kill  = Output(Bool())
373  val s2_kill  = Output(Bool())
374  // cycle 0: virtual address: req.addr
375  // cycle 1: physical address: s1_paddr
376  val s1_paddr_dup_lsu = Output(UInt(PAddrBits.W)) // lsu side paddr
377  val s1_paddr_dup_dcache = Output(UInt(PAddrBits.W)) // dcache side paddr
378  val s1_disable_fast_wakeup = Input(Bool())
379  val s1_bank_conflict = Input(Bool())
380  // cycle 2: hit signal
381  val s2_hit = Input(Bool()) // hit signal for lsu,
382
383  // debug
384  val debug_s1_hit_way = Input(UInt(nWays.W))
385}
386
387class DCacheLineIO(implicit p: Parameters) extends DCacheBundle
388{
389  val req  = DecoupledIO(new DCacheLineReq)
390  val resp = Flipped(DecoupledIO(new DCacheLineResp))
391}
392
393class DCacheToSbufferIO(implicit p: Parameters) extends DCacheBundle {
394  // sbuffer will directly send request to dcache main pipe
395  val req = Flipped(Decoupled(new DCacheLineReq))
396
397  val main_pipe_hit_resp = ValidIO(new DCacheLineResp)
398  val refill_hit_resp = ValidIO(new DCacheLineResp)
399
400  val replay_resp = ValidIO(new DCacheLineResp)
401
402  def hit_resps: Seq[ValidIO[DCacheLineResp]] = Seq(main_pipe_hit_resp, refill_hit_resp)
403}
404
405class DCacheToLsuIO(implicit p: Parameters) extends DCacheBundle {
406  val load  = Vec(LoadPipelineWidth, Flipped(new DCacheLoadIO)) // for speculative load
407  val lsq = ValidIO(new Refill)  // refill to load queue, wake up load misses
408  val store = new DCacheToSbufferIO // for sbuffer
409  val atomics  = Flipped(new AtomicWordIO)  // atomics reqs
410  val release = ValidIO(new Release) // cacheline release hint for ld-ld violation check
411}
412
413class DCacheIO(implicit p: Parameters) extends DCacheBundle {
414  val hartId = Input(UInt(8.W))
415  val lsu = new DCacheToLsuIO
416  val csr = new L1CacheToCsrIO
417  val error = new L1CacheErrorInfo
418  val mshrFull = Output(Bool())
419}
420
421
422class DCache()(implicit p: Parameters) extends LazyModule with HasDCacheParameters {
423
424  val clientParameters = TLMasterPortParameters.v1(
425    Seq(TLMasterParameters.v1(
426      name = "dcache",
427      sourceId = IdRange(0, nEntries + 1),
428      supportsProbe = TransferSizes(cfg.blockBytes)
429    )),
430    requestFields = cacheParams.reqFields,
431    echoFields = cacheParams.echoFields
432  )
433
434  val clientNode = TLClientNode(Seq(clientParameters))
435
436  lazy val module = new DCacheImp(this)
437}
438
439
440class DCacheImp(outer: DCache) extends LazyModuleImp(outer) with HasDCacheParameters with HasPerfEvents {
441
442  val io = IO(new DCacheIO)
443
444  val (bus, edge) = outer.clientNode.out.head
445  require(bus.d.bits.data.getWidth == l1BusDataWidth, "DCache: tilelink width does not match")
446
447  println("DCache:")
448  println("  DCacheSets: " + DCacheSets)
449  println("  DCacheWays: " + DCacheWays)
450  println("  DCacheBanks: " + DCacheBanks)
451  println("  DCacheSRAMRowBits: " + DCacheSRAMRowBits)
452  println("  DCacheWordOffset: " + DCacheWordOffset)
453  println("  DCacheBankOffset: " + DCacheBankOffset)
454  println("  DCacheSetOffset: " + DCacheSetOffset)
455  println("  DCacheTagOffset: " + DCacheTagOffset)
456  println("  DCacheAboveIndexOffset: " + DCacheAboveIndexOffset)
457
458  //----------------------------------------
459  // core data structures
460  val bankedDataArray = Module(new BankedDataArray)
461  val metaArray = Module(new AsynchronousMetaArray(readPorts = LoadPipelineWidth + 1, writePorts = 2))
462  val errorArray = Module(new ErrorArray(readPorts = LoadPipelineWidth + 1, writePorts = 2)) // TODO: add it to meta array
463  val tagArray = Module(new DuplicatedTagArray(readPorts = LoadPipelineWidth + 1))
464  bankedDataArray.dump()
465
466  //----------------------------------------
467  // core modules
468  val ldu = Seq.tabulate(LoadPipelineWidth)({ i => Module(new LoadPipe(i))})
469  // val atomicsReplayUnit = Module(new AtomicsReplayEntry)
470  val mainPipe   = Module(new MainPipe)
471  val refillPipe = Module(new RefillPipe)
472  val missQueue  = Module(new MissQueue(edge))
473  val probeQueue = Module(new ProbeQueue(edge))
474  val wb         = Module(new WritebackQueue(edge))
475
476  missQueue.io.hartId := io.hartId
477
478  val errors = ldu.map(_.io.error) ++ // load error
479    Seq(mainPipe.io.error) // store / misc error
480  io.error <> RegNext(Mux1H(errors.map(e => RegNext(e.valid) -> RegNext(e))))
481
482  //----------------------------------------
483  // meta array
484  val meta_read_ports = ldu.map(_.io.meta_read) ++
485    Seq(mainPipe.io.meta_read)
486  val meta_resp_ports = ldu.map(_.io.meta_resp) ++
487    Seq(mainPipe.io.meta_resp)
488  val meta_write_ports = Seq(
489    mainPipe.io.meta_write,
490    refillPipe.io.meta_write
491  )
492  meta_read_ports.zip(metaArray.io.read).foreach { case (p, r) => r <> p }
493  meta_resp_ports.zip(metaArray.io.resp).foreach { case (p, r) => p := r }
494  meta_write_ports.zip(metaArray.io.write).foreach { case (p, w) => w <> p }
495
496  val error_flag_resp_ports = ldu.map(_.io.error_flag_resp) ++
497    Seq(mainPipe.io.error_flag_resp)
498  val error_flag_write_ports = Seq(
499    mainPipe.io.error_flag_write,
500    refillPipe.io.error_flag_write
501  )
502  meta_read_ports.zip(errorArray.io.read).foreach { case (p, r) => r <> p }
503  error_flag_resp_ports.zip(errorArray.io.resp).foreach { case (p, r) => p := r }
504  error_flag_write_ports.zip(errorArray.io.write).foreach { case (p, w) => w <> p }
505
506  //----------------------------------------
507  // tag array
508  require(tagArray.io.read.size == (ldu.size + 1))
509  val tag_write_intend = missQueue.io.refill_pipe_req.valid || mainPipe.io.tag_write_intend
510  assert(!RegNext(!tag_write_intend && tagArray.io.write.valid))
511  ldu.zipWithIndex.foreach {
512    case (ld, i) =>
513      tagArray.io.read(i) <> ld.io.tag_read
514      ld.io.tag_resp := tagArray.io.resp(i)
515      ld.io.tag_read.ready := !tag_write_intend
516  }
517  tagArray.io.read.last <> mainPipe.io.tag_read
518  mainPipe.io.tag_resp := tagArray.io.resp.last
519
520  val fake_tag_read_conflict_this_cycle = PopCount(ldu.map(ld=> ld.io.tag_read.valid))
521  XSPerfAccumulate("fake_tag_read_conflict", fake_tag_read_conflict_this_cycle)
522
523  val tag_write_arb = Module(new Arbiter(new TagWriteReq, 2))
524  tag_write_arb.io.in(0) <> refillPipe.io.tag_write
525  tag_write_arb.io.in(1) <> mainPipe.io.tag_write
526  tagArray.io.write <> tag_write_arb.io.out
527
528  //----------------------------------------
529  // data array
530
531  val dataWriteArb = Module(new Arbiter(new L1BankedDataWriteReq, 2))
532  dataWriteArb.io.in(0) <> refillPipe.io.data_write
533  dataWriteArb.io.in(1) <> mainPipe.io.data_write
534
535  bankedDataArray.io.write <> dataWriteArb.io.out
536
537  bankedDataArray.io.readline <> mainPipe.io.data_read
538  bankedDataArray.io.readline_intend := mainPipe.io.data_read_intend
539  mainPipe.io.readline_error_delayed := bankedDataArray.io.readline_error_delayed
540  mainPipe.io.data_resp := bankedDataArray.io.resp
541
542  (0 until LoadPipelineWidth).map(i => {
543    bankedDataArray.io.read(i) <> ldu(i).io.banked_data_read
544    bankedDataArray.io.read_error_delayed(i) <> ldu(i).io.read_error_delayed
545
546    ldu(i).io.banked_data_resp := bankedDataArray.io.resp
547
548    ldu(i).io.bank_conflict_fast := bankedDataArray.io.bank_conflict_fast(i)
549    ldu(i).io.bank_conflict_slow := bankedDataArray.io.bank_conflict_slow(i)
550  })
551
552  //----------------------------------------
553  // load pipe
554  // the s1 kill signal
555  // only lsu uses this, replay never kills
556  for (w <- 0 until LoadPipelineWidth) {
557    ldu(w).io.lsu <> io.lsu.load(w)
558
559    // replay and nack not needed anymore
560    // TODO: remove replay and nack
561    ldu(w).io.nack := false.B
562
563    ldu(w).io.disable_ld_fast_wakeup :=
564      bankedDataArray.io.disable_ld_fast_wakeup(w) // load pipe fast wake up should be disabled when bank conflict
565  }
566
567  //----------------------------------------
568  // atomics
569  // atomics not finished yet
570  // io.lsu.atomics <> atomicsReplayUnit.io.lsu
571  io.lsu.atomics.resp := RegNext(mainPipe.io.atomic_resp)
572  io.lsu.atomics.block_lr := mainPipe.io.block_lr
573  // atomicsReplayUnit.io.pipe_resp := RegNext(mainPipe.io.atomic_resp)
574  // atomicsReplayUnit.io.block_lr <> mainPipe.io.block_lr
575
576  //----------------------------------------
577  // miss queue
578  val MissReqPortCount = LoadPipelineWidth + 1
579  val MainPipeMissReqPort = 0
580
581  // Request
582  val missReqArb = Module(new Arbiter(new MissReq, MissReqPortCount))
583
584  missReqArb.io.in(MainPipeMissReqPort) <> mainPipe.io.miss_req
585  for (w <- 0 until LoadPipelineWidth) { missReqArb.io.in(w + 1) <> ldu(w).io.miss_req }
586
587  wb.io.miss_req.valid := missReqArb.io.out.valid
588  wb.io.miss_req.bits  := missReqArb.io.out.bits.addr
589
590  // block_decoupled(missReqArb.io.out, missQueue.io.req, wb.io.block_miss_req)
591  missReqArb.io.out <> missQueue.io.req
592  when(wb.io.block_miss_req) {
593    missQueue.io.req.bits.cancel := true.B
594    missReqArb.io.out.ready := false.B
595  }
596
597  // refill to load queue
598  io.lsu.lsq <> missQueue.io.refill_to_ldq
599
600  // tilelink stuff
601  bus.a <> missQueue.io.mem_acquire
602  bus.e <> missQueue.io.mem_finish
603  missQueue.io.probe_addr := bus.b.bits.address
604
605  missQueue.io.main_pipe_resp := RegNext(mainPipe.io.atomic_resp)
606
607  //----------------------------------------
608  // probe
609  // probeQueue.io.mem_probe <> bus.b
610  block_decoupled(bus.b, probeQueue.io.mem_probe, missQueue.io.probe_block)
611  probeQueue.io.lrsc_locked_block <> mainPipe.io.lrsc_locked_block
612  probeQueue.io.update_resv_set <> mainPipe.io.update_resv_set
613
614  //----------------------------------------
615  // mainPipe
616  // when a req enters main pipe, if it is set-conflict with replace pipe or refill pipe,
617  // block the req in main pipe
618  block_decoupled(probeQueue.io.pipe_req, mainPipe.io.probe_req, missQueue.io.refill_pipe_req.valid)
619  block_decoupled(io.lsu.store.req, mainPipe.io.store_req, refillPipe.io.req.valid)
620
621  io.lsu.store.replay_resp := RegNext(mainPipe.io.store_replay_resp)
622  io.lsu.store.main_pipe_hit_resp := mainPipe.io.store_hit_resp
623
624  arbiter_with_pipereg(
625    in = Seq(missQueue.io.main_pipe_req, io.lsu.atomics.req),
626    out = mainPipe.io.atomic_req,
627    name = Some("main_pipe_atomic_req")
628  )
629
630  mainPipe.io.invalid_resv_set := RegNext(wb.io.req.fire && wb.io.req.bits.addr === mainPipe.io.lrsc_locked_block.bits)
631
632  //----------------------------------------
633  // replace (main pipe)
634  val mpStatus = mainPipe.io.status
635  mainPipe.io.replace_req <> missQueue.io.replace_pipe_req
636  missQueue.io.replace_pipe_resp := mainPipe.io.replace_resp
637
638  //----------------------------------------
639  // refill pipe
640  val refillShouldBeBlocked = (mpStatus.s1.valid && mpStatus.s1.bits.set === missQueue.io.refill_pipe_req.bits.idx) ||
641    Cat(Seq(mpStatus.s2, mpStatus.s3).map(s =>
642      s.valid &&
643        s.bits.set === missQueue.io.refill_pipe_req.bits.idx &&
644        s.bits.way_en === missQueue.io.refill_pipe_req.bits.way_en
645    )).orR
646  block_decoupled(missQueue.io.refill_pipe_req, refillPipe.io.req, refillShouldBeBlocked)
647  missQueue.io.refill_pipe_resp := refillPipe.io.resp
648  io.lsu.store.refill_hit_resp := RegNext(refillPipe.io.store_resp)
649
650  //----------------------------------------
651  // wb
652  // add a queue between MainPipe and WritebackUnit to reduce MainPipe stalls due to WritebackUnit busy
653
654  wb.io.req <> mainPipe.io.wb
655  bus.c     <> wb.io.mem_release
656  wb.io.release_wakeup := refillPipe.io.release_wakeup
657  wb.io.release_update := mainPipe.io.release_update
658
659  io.lsu.release.valid := RegNext(wb.io.req.fire())
660  io.lsu.release.bits.paddr := RegNext(wb.io.req.bits.addr)
661  // Note: RegNext() is required by:
662  // * load queue released flag update logic
663  // * load / load violation check logic
664  // * and timing requirements
665  // CHANGE IT WITH CARE
666
667  // connect bus d
668  missQueue.io.mem_grant.valid := false.B
669  missQueue.io.mem_grant.bits  := DontCare
670
671  wb.io.mem_grant.valid := false.B
672  wb.io.mem_grant.bits  := DontCare
673
674  // in L1DCache, we ony expect Grant[Data] and ReleaseAck
675  bus.d.ready := false.B
676  when (bus.d.bits.opcode === TLMessages.Grant || bus.d.bits.opcode === TLMessages.GrantData) {
677    missQueue.io.mem_grant <> bus.d
678  } .elsewhen (bus.d.bits.opcode === TLMessages.ReleaseAck) {
679    wb.io.mem_grant <> bus.d
680  } .otherwise {
681    assert (!bus.d.fire())
682  }
683
684  //----------------------------------------
685  // replacement algorithm
686  val replacer = ReplacementPolicy.fromString(cacheParams.replacer, nWays, nSets)
687
688  val replWayReqs = ldu.map(_.io.replace_way) ++ Seq(mainPipe.io.replace_way)
689  replWayReqs.foreach{
690    case req =>
691      req.way := DontCare
692      when (req.set.valid) { req.way := replacer.way(req.set.bits) }
693  }
694
695  val replAccessReqs = ldu.map(_.io.replace_access) ++ Seq(
696    mainPipe.io.replace_access
697  )
698  val touchWays = Seq.fill(replAccessReqs.size)(Wire(ValidIO(UInt(log2Up(nWays).W))))
699  touchWays.zip(replAccessReqs).foreach {
700    case (w, req) =>
701      w.valid := req.valid
702      w.bits := req.bits.way
703  }
704  val touchSets = replAccessReqs.map(_.bits.set)
705  replacer.access(touchSets, touchWays)
706
707  //----------------------------------------
708  // assertions
709  // dcache should only deal with DRAM addresses
710  when (bus.a.fire()) {
711    assert(bus.a.bits.address >= 0x80000000L.U)
712  }
713  when (bus.b.fire()) {
714    assert(bus.b.bits.address >= 0x80000000L.U)
715  }
716  when (bus.c.fire()) {
717    assert(bus.c.bits.address >= 0x80000000L.U)
718  }
719
720  //----------------------------------------
721  // utility functions
722  def block_decoupled[T <: Data](source: DecoupledIO[T], sink: DecoupledIO[T], block_signal: Bool) = {
723    sink.valid   := source.valid && !block_signal
724    source.ready := sink.ready   && !block_signal
725    sink.bits    := source.bits
726  }
727
728  //----------------------------------------
729  // Customized csr cache op support
730  val cacheOpDecoder = Module(new CSRCacheOpDecoder("dcache", CacheInstrucion.COP_ID_DCACHE))
731  cacheOpDecoder.io.csr <> io.csr
732  bankedDataArray.io.cacheOp.req := cacheOpDecoder.io.cache.req
733  tagArray.io.cacheOp.req := cacheOpDecoder.io.cache.req
734  cacheOpDecoder.io.cache.resp.valid := bankedDataArray.io.cacheOp.resp.valid ||
735    tagArray.io.cacheOp.resp.valid
736  cacheOpDecoder.io.cache.resp.bits := Mux1H(List(
737    bankedDataArray.io.cacheOp.resp.valid -> bankedDataArray.io.cacheOp.resp.bits,
738    tagArray.io.cacheOp.resp.valid -> tagArray.io.cacheOp.resp.bits,
739  ))
740  cacheOpDecoder.io.error := io.error
741  assert(!((bankedDataArray.io.cacheOp.resp.valid +& tagArray.io.cacheOp.resp.valid) > 1.U))
742
743  //----------------------------------------
744  // performance counters
745  val num_loads = PopCount(ldu.map(e => e.io.lsu.req.fire()))
746  XSPerfAccumulate("num_loads", num_loads)
747
748  io.mshrFull := missQueue.io.full
749
750  // performance counter
751  val ld_access = Wire(Vec(LoadPipelineWidth, missQueue.io.debug_early_replace.last.cloneType))
752  val st_access = Wire(ld_access.last.cloneType)
753  ld_access.zip(ldu).foreach {
754    case (a, u) =>
755      a.valid := RegNext(u.io.lsu.req.fire()) && !u.io.lsu.s1_kill
756      a.bits.idx := RegNext(get_idx(u.io.lsu.req.bits.addr))
757      a.bits.tag := get_tag(u.io.lsu.s1_paddr_dup_dcache)
758  }
759  st_access.valid := RegNext(mainPipe.io.store_req.fire())
760  st_access.bits.idx := RegNext(get_idx(mainPipe.io.store_req.bits.vaddr))
761  st_access.bits.tag := RegNext(get_tag(mainPipe.io.store_req.bits.addr))
762  val access_info = ld_access.toSeq ++ Seq(st_access)
763  val early_replace = RegNext(missQueue.io.debug_early_replace)
764  val access_early_replace = access_info.map {
765    case acc =>
766      Cat(early_replace.map {
767        case r =>
768          acc.valid && r.valid &&
769            acc.bits.tag === r.bits.tag &&
770            acc.bits.idx === r.bits.idx
771      })
772  }
773  XSPerfAccumulate("access_early_replace", PopCount(Cat(access_early_replace)))
774
775  val perfEvents = (Seq(wb, mainPipe, missQueue, probeQueue) ++ ldu).flatMap(_.getPerfEvents)
776  generatePerfEvent()
777}
778
779class AMOHelper() extends ExtModule {
780  val clock  = IO(Input(Clock()))
781  val enable = IO(Input(Bool()))
782  val cmd    = IO(Input(UInt(5.W)))
783  val addr   = IO(Input(UInt(64.W)))
784  val wdata  = IO(Input(UInt(64.W)))
785  val mask   = IO(Input(UInt(8.W)))
786  val rdata  = IO(Output(UInt(64.W)))
787}
788
789class DCacheWrapper()(implicit p: Parameters) extends LazyModule with HasXSParameter {
790
791  val useDcache = coreParams.dcacheParametersOpt.nonEmpty
792  val clientNode = if (useDcache) TLIdentityNode() else null
793  val dcache = if (useDcache) LazyModule(new DCache()) else null
794  if (useDcache) {
795    clientNode := dcache.clientNode
796  }
797
798  lazy val module = new LazyModuleImp(this) with HasPerfEvents {
799    val io = IO(new DCacheIO)
800    val perfEvents = if (!useDcache) {
801      // a fake dcache which uses dpi-c to access memory, only for debug usage!
802      val fake_dcache = Module(new FakeDCache())
803      io <> fake_dcache.io
804      Seq()
805    }
806    else {
807      io <> dcache.module.io
808      dcache.module.getPerfEvents
809    }
810    generatePerfEvent()
811  }
812}
813