gem5 v24.1.0.1
All Classes Namespaces Files Functions Variables Typedefs Enumerations Enumerator Friends Macros Modules Pages
base.cc
Go to the documentation of this file.
1/*
2 * Copyright (c) 2011-2012,2016-2017, 2019-2020 Arm Limited
3 * All rights reserved
4 *
5 * The license below extends only to copyright in the software and shall
6 * not be construed as granting a license to any other intellectual
7 * property including but not limited to intellectual property relating
8 * to a hardware implementation of the functionality of the software
9 * licensed hereunder. You may use the software subject to the license
10 * terms below provided that you ensure that this notice is replicated
11 * unmodified and in its entirety in all distributions of the software,
12 * modified or unmodified, in source code or in binary form.
13 *
14 * Copyright (c) 2002-2005 The Regents of The University of Michigan
15 * Copyright (c) 2011 Regents of the University of California
16 * Copyright (c) 2013 Advanced Micro Devices, Inc.
17 * Copyright (c) 2013 Mark D. Hill and David A. Wood
18 * All rights reserved.
19 *
20 * Redistribution and use in source and binary forms, with or without
21 * modification, are permitted provided that the following conditions are
22 * met: redistributions of source code must retain the above copyright
23 * notice, this list of conditions and the following disclaimer;
24 * redistributions in binary form must reproduce the above copyright
25 * notice, this list of conditions and the following disclaimer in the
26 * documentation and/or other materials provided with the distribution;
27 * neither the name of the copyright holders nor the names of its
28 * contributors may be used to endorse or promote products derived from
29 * this software without specific prior written permission.
30 *
31 * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
32 * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
33 * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
34 * A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
35 * OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
36 * SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
37 * LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
38 * DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
39 * THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
40 * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
41 * OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
42 */
43
44#include "cpu/base.hh"
45
46#include <iostream>
47#include <sstream>
48#include <string>
49
51#include "arch/generic/isa.hh"
52#include "arch/generic/tlb.hh"
53#include "base/cprintf.hh"
54#include "base/loader/symtab.hh"
55#include "base/logging.hh"
56#include "base/output.hh"
57#include "base/trace.hh"
58#include "cpu/checker/cpu.hh"
59#include "cpu/thread_context.hh"
60#include "debug/Mwait.hh"
61#include "debug/SyscallVerbose.hh"
62#include "debug/Thread.hh"
63#include "mem/page_table.hh"
64#include "params/BaseCPU.hh"
65#include "sim/clocked_object.hh"
66#include "sim/full_system.hh"
67#include "sim/process.hh"
68#include "sim/root.hh"
69#include "sim/sim_events.hh"
70#include "sim/sim_exit.hh"
71#include "sim/system.hh"
72
73// Hack
74#include "sim/stat_control.hh"
75
76namespace gem5
77{
78
79std::unique_ptr<BaseCPU::GlobalStats> BaseCPU::globalStats;
80
82
83// This variable reflects the max number of threads in any CPU. Be
84// careful to only use it once all the CPUs that you care about have
85// been initialized
87
89 : Event(Event::Progress_Event_Pri), _interval(ival), lastNumInst(0),
90 cpu(_cpu), _repeatEvent(true)
91{
92 if (_interval)
93 cpu->schedule(this, curTick() + _interval);
94}
95
96void
98{
99 Counter temp = cpu->totalOps();
100
101 if (_repeatEvent)
102 cpu->schedule(this, curTick() + _interval);
103
104 if (cpu->switchedOut()) {
105 return;
106 }
107
108#ifndef NDEBUG
109 double ipc = double(temp - lastNumInst) / (_interval / cpu->clockPeriod());
110
111 DPRINTFN("%s progress event, total committed:%i, progress insts committed: "
112 "%lli, IPC: %0.8d\n", cpu->name(), temp, temp - lastNumInst,
113 ipc);
114 ipc = 0.0;
115#else
116 cprintf("%lli: %s progress event, total committed:%i, progress insts "
117 "committed: %lli\n", curTick(), cpu->name(), temp,
118 temp - lastNumInst);
119#endif
120 lastNumInst = temp;
121}
122
123const char *
125{
126 return "CPU Progress";
127}
128
129BaseCPU::BaseCPU(const Params &p, bool is_checker)
130 : ClockedObject(p), instCnt(0), _cpuId(p.cpu_id), _socketId(p.socket_id),
131 _instRequestorId(p.system->getRequestorId(this, "inst")),
132 _dataRequestorId(p.system->getRequestorId(this, "data")),
133 _taskId(context_switch_task_id::Unknown), _pid(invldPid),
134 _switchedOut(p.switched_out), _cacheLineSize(p.system->cacheLineSize()),
135 modelResetPort(p.name + ".model_reset"),
136 interrupts(p.interrupts), numThreads(p.numThreads), system(p.system),
137 previousCycle(0), previousState(CPU_STATE_SLEEP),
138 functionTraceStream(nullptr), currentFunctionStart(0),
139 currentFunctionEnd(0), functionEntryTick(0),
140 baseStats(this),
141 addressMonitor(p.numThreads),
142 syscallRetryLatency(p.syscallRetryLatency),
143 pwrGatingLatency(p.pwr_gating_latency),
144 powerGatingOnIdle(p.power_gating_on_idle),
145 enterPwrGatingEvent([this]{ enterPwrGating(); }, name())
146{
147 // if Python did not provide a valid ID, do it here
148 if (_cpuId == -1 ) {
149 _cpuId = cpuList.size();
150 }
151
152 // add self to global list of CPUs
153 cpuList.push_back(this);
154
155 DPRINTF(SyscallVerbose, "Constructing CPU with id %d, socket id %d\n",
156 _cpuId, _socketId);
157
158 if (numThreads > maxThreadsPerCPU)
159 maxThreadsPerCPU = numThreads;
160
161 functionTracingEnabled = false;
162 if (p.function_trace) {
163 const std::string fname = csprintf("ftrace.%s", name());
164 functionTraceStream = simout.findOrCreate(fname)->stream();
165
166 currentFunctionStart = currentFunctionEnd = 0;
167 functionEntryTick = p.function_trace_start;
168
169 if (p.function_trace_start == 0) {
170 functionTracingEnabled = true;
171 } else {
172 Event *event = new EventFunctionWrapper(
173 [this]{ enableFunctionTrace(); }, name(), true);
174 schedule(event, p.function_trace_start);
175 }
176 }
177
178 tracer = params().tracer;
179
180 if (params().isa.size() != numThreads) {
181 fatal("Number of ISAs (%i) assigned to the CPU does not equal number "
182 "of threads (%i).\n", params().isa.size(), numThreads);
183 }
184
185 if (!FullSystem && params().workload.size() != numThreads) {
186 fatal("Number of processes (cpu.workload) (%i) assigned to the CPU "
187 "does not equal number of threads (%i).\n",
188 params().workload.size(), numThreads);
189 }
190
191 modelResetPort.onChange([this](const bool &new_val) {
192 setReset(new_val);
193 });
194
195 for (int i = 0; i < params().port_cpu_idle_pins_connection_count; i++) {
196 cpuIdlePins.emplace_back(new IntSourcePin<BaseCPU>(
197 csprintf("%s.cpu_idle_pins[%d]", name(), i), i, this));
198 }
199
200 // create a stat group object for each thread on this core
201 fetchStats.reserve(numThreads);
202 executeStats.reserve(numThreads);
203 commitStats.reserve(numThreads);
204 for (int i = 0; i < numThreads; i++) {
205 // create fetchStat object for thread i and set rate formulas
206 FetchCPUStats* fetchStatptr = new FetchCPUStats(this, i);
207 fetchStatptr->fetchRate = fetchStatptr->numInsts / baseStats.numCycles;
208 fetchStatptr->branchRate = fetchStatptr->numBranches /
209 baseStats.numCycles;
210 fetchStats.emplace_back(fetchStatptr);
211
212 // create executeStat object for thread i and set rate formulas
213 ExecuteCPUStats* executeStatptr = new ExecuteCPUStats(this, i);
214 executeStatptr->instRate = executeStatptr->numInsts /
215 baseStats.numCycles;
216 executeStats.emplace_back(executeStatptr);
217
218 // create commitStat object for thread i and set ipc, cpi formulas
219 CommitCPUStats* commitStatptr = new CommitCPUStats(this, i);
220 commitStatptr->ipc = commitStatptr->numInsts / baseStats.numCycles;
221 commitStatptr->cpi = baseStats.numCycles / commitStatptr->numInsts;
222 commitStats.emplace_back(commitStatptr);
223 }
224}
225
226void
231
235
236void
238{
239 interrupts[tid]->post(int_num, index);
240 // Only wake up syscall emulation if it is not waiting on a futex.
241 // This is to model the fact that instructions such as ARM SEV
242 // should wake up a WFE sleep, but not a futex syscall WAIT.
243 //
244 // For RISC-V, the WFI sleep wake up is implementation defined.
245 // The SiFive WFI wake up the hart only if mip & mie != 0
246 if ((FullSystem && interrupts[tid]->isWakeUp()) ||
248 wakeup(tid);
249}
250
251void
253{
254 assert(tid < numThreads);
255 AddressMonitor &monitor = addressMonitor[tid];
256
257 monitor.armed = true;
258 monitor.vAddr = address;
259 monitor.pAddr = 0x0;
260 DPRINTF(Mwait, "[tid:%d] Armed monitor (vAddr=0x%lx)\n", tid, address);
261}
262
263bool
265{
266 assert(tid < numThreads);
267 AddressMonitor &monitor = addressMonitor[tid];
268
269 if (!monitor.gotWakeup) {
270 Addr block_size = cacheLineSize();
271 Addr mask = ~(block_size - 1);
272
273 assert(pkt->req->hasPaddr());
274 monitor.pAddr = pkt->getAddr() & mask;
275 monitor.waiting = true;
276
277 DPRINTF(Mwait, "[tid:%d] mwait called (vAddr=0x%lx, "
278 "line's paddr=0x%lx)\n", tid, monitor.vAddr, monitor.pAddr);
279 return true;
280 } else {
281 monitor.gotWakeup = false;
282 return false;
283 }
284}
285
286void
288{
289 assert(tid < numThreads);
290 AddressMonitor &monitor = addressMonitor[tid];
291
292 RequestPtr req = std::make_shared<Request>();
293
294 Addr addr = monitor.vAddr;
295 Addr block_size = cacheLineSize();
296 Addr mask = ~(block_size - 1);
297 int size = block_size;
298
299 //The address of the next line if it crosses a cache line boundary.
300 Addr secondAddr = roundDown(addr + size - 1, block_size);
301
302 if (secondAddr > addr)
303 size = secondAddr - addr;
304
305 req->setVirt(addr, size, 0x0, dataRequestorId(),
306 tc->pcState().instAddr());
307
308 // translate to physical address
309 Fault fault = mmu->translateAtomic(req, tc, BaseMMU::Read);
310 assert(fault == NoFault);
311
312 monitor.pAddr = req->getPaddr() & mask;
313 monitor.waiting = true;
314
315 DPRINTF(Mwait, "[tid:%d] mwait called (vAddr=0x%lx, line's paddr=0x%lx)\n",
316 tid, monitor.vAddr, monitor.pAddr);
317}
318
319void
321{
322 // Set up instruction-count-based termination events, if any. This needs
323 // to happen after threadContexts has been constructed.
324 if (params().max_insts_any_thread != 0) {
325 scheduleInstStopAnyThread(params().max_insts_any_thread);
326 }
327
328 // Set up instruction-count-based termination events for SimPoints
329 // Typically, there are more than one action points.
330 // Simulation.py is responsible to take the necessary actions upon
331 // exitting the simulation loop.
332 if (!params().simpoint_start_insts.empty()) {
333 scheduleSimpointsInstStop(params().simpoint_start_insts);
334 }
335
336 if (params().max_insts_all_threads != 0) {
337 std::string cause = "all threads reached the max instruction count";
338
339 // allocate & initialize shared downcounter: each event will
340 // decrement this when triggered; simulation will terminate
341 // when counter reaches 0
342 int *counter = new int;
343 *counter = numThreads;
344 for (ThreadID tid = 0; tid < numThreads; ++tid) {
345 Event *event = new CountedExitEvent(cause, *counter);
346 threadContexts[tid]->scheduleInstCountEvent(
347 event, params().max_insts_all_threads);
348 }
349 }
350
351 if (!params().switched_out) {
353
355 }
356}
357
358void
360{
361 if (params().progress_interval) {
362 new CPUProgressEvent(this, params().progress_interval);
363 }
364
365 if (_switchedOut)
366 powerState->set(enums::PwrState::OFF);
367
368 // Assumption CPU start to operate instantaneously without any latency
369 if (powerState->get() == enums::PwrState::UNDEFINED)
370 powerState->set(enums::PwrState::ON);
371
372}
373
376{
378 ptr.reset(new probing::PMU(getProbeManager(), name));
379
380 return ptr;
381}
382
383void
385{
386 ppAllCycles = pmuProbePoint("Cycles");
387 ppActiveCycles = pmuProbePoint("ActiveCycles");
388
389 ppRetiredInsts = pmuProbePoint("RetiredInsts");
390 ppRetiredInstsPC = pmuProbePoint("RetiredInstsPC");
391 ppRetiredLoads = pmuProbePoint("RetiredLoads");
392 ppRetiredStores = pmuProbePoint("RetiredStores");
393 ppRetiredBranches = pmuProbePoint("RetiredBranches");
394
396 "Sleeping");
397}
398
399void
401{
402 if (!inst->isMicroop() || inst->isLastMicroop()) {
403 ppRetiredInsts->notify(1);
404 ppRetiredInstsPC->notify(pc);
405 }
406
407 if (inst->isLoad())
408 ppRetiredLoads->notify(1);
409
410 if (inst->isStore() || inst->isAtomic())
411 ppRetiredStores->notify(1);
412
413 if (inst->isControl())
414 ppRetiredBranches->notify(1);
415}
416
419 : statistics::Group(parent),
420 ADD_STAT(numCycles, statistics::units::Cycle::get(),
421 "Number of cpu cycles simulated"),
422 ADD_STAT(cpi, statistics::units::Rate<
423 statistics::units::Cycle, statistics::units::Count>::get(),
424 "CPI: cycles per instruction (core level)"),
425 ADD_STAT(ipc, statistics::units::Rate<
426 statistics::units::Count, statistics::units::Cycle>::get(),
427 "IPC: instructions per cycle (core level)"),
428 ADD_STAT(numWorkItemsStarted, statistics::units::Count::get(),
429 "Number of work items this cpu started"),
430 ADD_STAT(numWorkItemsCompleted, statistics::units::Count::get(),
431 "Number of work items this cpu completed")
432{
433 cpi.precision(6);
435
436 ipc.precision(6);
438}
439
440void
442{
444
445 if (!globalStats) {
446 /* We need to construct the global CPU stat structure here
447 * since it needs a pointer to the Root object. */
448 globalStats.reset(new GlobalStats(Root::root()));
449 }
450
451 using namespace statistics;
452
453 int size = threadContexts.size();
454 if (size > 1) {
455 for (int i = 0; i < size; ++i) {
456 std::stringstream namestr;
457 ccprintf(namestr, "%s.ctx%d", name(), i);
458 threadContexts[i]->regStats(namestr.str());
459 }
460 } else if (size == 1)
461 threadContexts[0]->regStats(name());
462}
463
464Port &
465BaseCPU::getPort(const std::string &if_name, PortID idx)
466{
467 // Get the right port based on name. This applies to all the
468 // subclasses of the base CPU and relies on their implementation
469 // of getDataPort and getInstPort.
470 if (if_name == "dcache_port")
471 return getDataPort();
472 else if (if_name == "icache_port")
473 return getInstPort();
474 else if (if_name == "model_reset")
475 return modelResetPort;
476 else if (if_name == "cpu_idle_pins")
477 return *cpuIdlePins[idx];
478 else
479 return ClockedObject::getPort(if_name, idx);
480}
481
482void
484{
485 assert(system->multiThread || numThreads == 1);
486
488 "CPU %s has %i interrupt controllers, but is expecting one "
489 "per thread (%i)\n",
490 name(), interrupts.size(), numThreads);
491
492 for (ThreadID tid = 0; tid < threadContexts.size(); ++tid) {
493 ThreadContext *tc = threadContexts[tid];
494
496
497 if (!FullSystem)
499
500 interrupts[tid]->setThreadContext(tc);
501 tc->getIsaPtr()->setThreadContext(tc);
502 }
503}
504
505void
512
513void
515{
516 for (auto tc : threadContexts) {
517 if (tc->status() == ThreadContext::Active)
518 return;
519 }
520
521 if (powerState->get() == enums::PwrState::CLK_GATED &&
524 // Schedule a power gating event when clock gated for the specified
525 // amount of time
527 }
528}
529
530int
532{
533 ThreadID size = threadContexts.size();
534 for (ThreadID tid = 0; tid < size; ++tid) {
535 if (tc == threadContexts[tid])
536 return tid;
537 }
538 return 0;
539}
540
541void
543{
544 if (modelResetPort.state()) {
545 DPRINTF(Thread, "CPU in reset, not activating context %d\n",
546 threadContexts[thread_num]->contextId());
547 return;
548 }
549
550 DPRINTF(Thread, "activate contextId %d\n",
551 threadContexts[thread_num]->contextId());
552
553 if (thread_num < cpuIdlePins.size()) {
554 cpuIdlePins[thread_num]->lower();
555 }
556
557 // Squash enter power gating event while cpu gets activated
560 // For any active thread running, update CPU power state to active (ON)
561 powerState->set(enums::PwrState::ON);
562
564}
565
566void
568{
569 DPRINTF(Thread, "suspend contextId %d\n",
570 threadContexts[thread_num]->contextId());
571
572 if (thread_num < cpuIdlePins.size()) {
573 cpuIdlePins[thread_num]->raise();
574 }
575
576 // Check if all threads are suspended
577 for (auto t : threadContexts) {
578 if (t->status() != ThreadContext::Suspended) {
579 return;
580 }
581 }
582
583 // All CPU thread are suspended, update cycle count
585
586 // All CPU threads suspended, enter lower power state for the CPU
587 powerState->set(enums::PwrState::CLK_GATED);
588
589 // If pwrGatingLatency is set to 0 then this mechanism is disabled
590 if (powerGatingOnIdle) {
591 // Schedule power gating event when clock gated for pwrGatingLatency
592 // cycles
594 }
595}
596
597void
602
603void
605{
606 powerState->set(enums::PwrState::OFF);
607}
608
609void
611{
612 assert(!_switchedOut);
613 _switchedOut = true;
614
615 // Flush all TLBs in the CPU to avoid having stale translations if
616 // it gets switched in later.
617 flushTLBs();
618
619 // Go to the power gating state
620 powerState->set(enums::PwrState::OFF);
621}
622
623void
625{
626 assert(threadContexts.size() == oldCPU->threadContexts.size());
627 assert(_cpuId == oldCPU->cpuId());
628 assert(_switchedOut);
629 assert(oldCPU != this);
630 _pid = oldCPU->getPid();
631 _taskId = oldCPU->taskId();
632 // Take over the power state of the switchedOut CPU
633 powerState->set(oldCPU->powerState->get());
634
637
638 _switchedOut = false;
639
640 ThreadID size = threadContexts.size();
641 for (ThreadID i = 0; i < size; ++i) {
643 ThreadContext *oldTC = oldCPU->threadContexts[i];
644
645 newTC->getIsaPtr()->setThreadContext(newTC);
646
647 newTC->takeOverFrom(oldTC);
648
649 assert(newTC->contextId() == oldTC->contextId());
650 assert(newTC->threadId() == oldTC->threadId());
651 system->replaceThreadContext(newTC, newTC->contextId());
652
653 /* This code no longer works since the zero register (e.g.,
654 * r31 on Alpha) doesn't necessarily contain zero at this
655 * point.
656 if (debug::Context)
657 ThreadContext::compare(oldTC, newTC);
658 */
659
660 newTC->getMMUPtr()->takeOverFrom(oldTC->getMMUPtr());
661
662 // Checker whether or not we have to transfer CheckerCPU
663 // objects over in the switch
664 CheckerCPU *old_checker = oldTC->getCheckerCpuPtr();
665 CheckerCPU *new_checker = newTC->getCheckerCpuPtr();
666 if (old_checker && new_checker) {
667 new_checker->getMMUPtr()->takeOverFrom(old_checker->getMMUPtr());
668 }
669 }
670
671 interrupts = oldCPU->interrupts;
672 for (ThreadID tid = 0; tid < numThreads; tid++) {
673 interrupts[tid]->setThreadContext(threadContexts[tid]);
674 }
675 oldCPU->interrupts.clear();
676
677 // All CPUs have an instruction and a data port, and the new CPU's
678 // ports are dangling while the old CPU has its ports connected
679 // already. Unbind the old CPU and then bind the ports of the one
680 // we are switching to.
683
684 // Switch over the reset line as well, if necessary.
685 if (oldCPU->modelResetPort.isConnected())
687}
688
689void
691{
692 for (auto tc: threadContexts) {
693 if (state) {
694 // As we enter reset, stop execution.
695 tc->quiesce();
696 } else {
697 // As we leave reset, first reset thread state,
698 tc->getIsaPtr()->resetThread();
699 // reset the decoder in case it had partially decoded something,
700 tc->getDecoderPtr()->reset();
701 // reset MMU,
702 tc->getMMUPtr()->reset();
703 // Clear any interrupts,
704 interrupts[tc->threadId()]->clearAll();
705 // and finally reenable execution.
706 tc->activate();
707 }
708 }
709}
710
711void
713{
714 for (ThreadID i = 0; i < threadContexts.size(); ++i) {
716 CheckerCPU *checker(tc.getCheckerCpuPtr());
717
718 tc.getMMUPtr()->flushAll();
719 if (checker) {
720 checker->getMMUPtr()->flushAll();
721 }
722 }
723}
724
725void
727{
729
730 if (!_switchedOut) {
731 /* Unlike _pid, _taskId is not serialized, as they are dynamically
732 * assigned unique ids that are only meaningful for the duration of
733 * a specific run. We will need to serialize the entire taskMap in
734 * system. */
736
737 // Serialize the threads, this is done by the CPU implementation.
738 for (ThreadID i = 0; i < numThreads; ++i) {
739 ScopedCheckpointSection sec(cp, csprintf("xc.%i", i));
740 interrupts[i]->serialize(cp);
741 serializeThread(cp, i);
742 }
743 }
744}
745
746void
748{
750
751 if (!_switchedOut) {
753
754 // Unserialize the threads, this is done by the CPU implementation.
755 for (ThreadID i = 0; i < numThreads; ++i) {
756 ScopedCheckpointSection sec(cp, csprintf("xc.%i", i));
757 interrupts[i]->unserialize(cp);
758 unserializeThread(cp, i);
759 }
760 }
761}
762
763void
764BaseCPU::scheduleInstStop(ThreadID tid, Counter insts, std::string cause)
765{
766 const Tick now(getCurrentInstCount(tid));
767 Event *event(new LocalSimLoopExitEvent(cause, 0));
768
769 threadContexts[tid]->scheduleInstCountEvent(event, now + insts);
770}
771
772Tick
774{
775 return threadContexts[tid]->getCurrentInstCount();
776}
777
779{
780 armed = false;
781 waiting = false;
782 gotWakeup = false;
783}
784
785bool
787{
788 assert(pkt->req->hasPaddr());
789 if (armed && waiting) {
790 if (pAddr == pkt->getAddr()) {
791 DPRINTF(Mwait, "pAddr=0x%lx invalidated: waking up core\n",
792 pkt->getAddr());
793 waiting = false;
794 return true;
795 }
796 }
797 return false;
798}
799
800
801void
803{
804 if (loader::debugSymbolTable.empty())
805 return;
806
807 // if pc enters different function, print new function symbol and
808 // update saved range. Otherwise do nothing.
809 if (pc < currentFunctionStart || pc >= currentFunctionEnd) {
812
813 std::string sym_str;
814 if (it == loader::debugSymbolTable.end()) {
815 // no symbol found: use addr as label
816 sym_str = csprintf("%#x", pc);
819 } else {
820 sym_str = it->name();
821 currentFunctionStart = it->address();
822 }
823
824 ccprintf(*functionTraceStream, " (%d)\n%d: %s",
825 curTick() - functionEntryTick, curTick(), sym_str);
827 }
828}
829
830void
832{
833 std::string cause = "simpoint starting point found";
834 for (size_t i = 0; i < inst_starts.size(); ++i) {
835 scheduleInstStop(0, inst_starts[i], cause);
836 }
837}
838
839void
841{
842 std::string cause = "a thread reached the max instruction count";
843 for (ThreadID tid = 0; tid < numThreads; ++tid) {
844 scheduleInstStop(tid, max_insts, cause);
845 }
846}
847
849 : statistics::Group(parent),
850 ADD_STAT(simInsts, statistics::units::Count::get(),
851 "Number of instructions simulated"),
852 ADD_STAT(simOps, statistics::units::Count::get(),
853 "Number of ops (including micro ops) simulated"),
854 ADD_STAT(hostInstRate, statistics::units::Rate<
855 statistics::units::Count, statistics::units::Second>::get(),
856 "Simulator instruction rate (inst/s)"),
857 ADD_STAT(hostOpRate, statistics::units::Rate<
858 statistics::units::Count, statistics::units::Second>::get(),
859 "Simulator op (including micro ops) rate (op/s)")
860{
863 .precision(0)
864 .prereq(simInsts)
865 ;
866
867 simOps
869 .precision(0)
870 .prereq(simOps)
871 ;
872
874 .precision(0)
875 .prereq(simInsts)
876 ;
877
879 .precision(0)
880 .prereq(simOps)
881 ;
882
885}
886
889 : statistics::Group(parent, csprintf("fetchStats%i", thread_id).c_str()),
890 ADD_STAT(numInsts, statistics::units::Count::get(),
891 "Number of instructions fetched (thread level)"),
892 ADD_STAT(numOps, statistics::units::Count::get(),
893 "Number of ops (including micro ops) fetched (thread level)"),
894 ADD_STAT(fetchRate, statistics::units::Rate<
895 statistics::units::Count, statistics::units::Cycle>::get(),
896 "Number of inst fetches per cycle"),
897 ADD_STAT(numBranches, statistics::units::Count::get(),
898 "Number of branches fetched"),
899 ADD_STAT(branchRate, statistics::units::Ratio::get(),
900 "Number of branch fetches per cycle"),
901 ADD_STAT(icacheStallCycles, statistics::units::Cycle::get(),
902 "ICache total stall cycles"),
903 ADD_STAT(numFetchSuspends, statistics::units::Count::get(),
904 "Number of times Execute suspended instruction fetching")
905
906{
909
912
915
918
919}
920
921// means it is incremented in a vector indexing and not directly
924 : statistics::Group(parent, csprintf("executeStats%i", thread_id).c_str()),
925 ADD_STAT(numInsts, statistics::units::Count::get(),
926 "Number of executed instructions"),
927 ADD_STAT(numNop, statistics::units::Count::get(),
928 "Number of nop insts executed"),
929 ADD_STAT(numBranches, statistics::units::Count::get(),
930 "Number of branches executed"),
931 ADD_STAT(numLoadInsts, statistics::units::Count::get(),
932 "Number of load instructions executed"),
933 ADD_STAT(numStoreInsts, statistics::units::Count::get(),
934 "Number of stores executed"),
935 ADD_STAT(instRate, statistics::units::Rate<
936 statistics::units::Count, statistics::units::Cycle>::get(),
937 "Inst execution rate"),
938 ADD_STAT(dcacheStallCycles, statistics::units::Cycle::get(),
939 "DCache total stall cycles"),
940 ADD_STAT(numCCRegReads, statistics::units::Count::get(),
941 "Number of times the CC registers were read"),
942 ADD_STAT(numCCRegWrites, statistics::units::Count::get(),
943 "Number of times the CC registers were written"),
944 ADD_STAT(numFpAluAccesses, statistics::units::Count::get(),
945 "Number of float alu accesses"),
946 ADD_STAT(numFpRegReads, statistics::units::Count::get(),
947 "Number of times the floating registers were read"),
948 ADD_STAT(numFpRegWrites, statistics::units::Count::get(),
949 "Number of times the floating registers were written"),
950 ADD_STAT(numIntAluAccesses, statistics::units::Count::get(),
951 "Number of integer alu accesses"),
952 ADD_STAT(numIntRegReads, statistics::units::Count::get(),
953 "Number of times the integer registers were read"),
954 ADD_STAT(numIntRegWrites, statistics::units::Count::get(),
955 "Number of times the integer registers were written"),
956 ADD_STAT(numMemRefs, statistics::units::Count::get(),
957 "Number of memory refs"),
958 ADD_STAT(numMiscRegReads, statistics::units::Count::get(),
959 "Number of times the Misc registers were read"),
960 ADD_STAT(numMiscRegWrites, statistics::units::Count::get(),
961 "Number of times the Misc registers were written"),
962 ADD_STAT(numVecAluAccesses, statistics::units::Count::get(),
963 "Number of vector alu accesses"),
964 ADD_STAT(numVecPredRegReads, statistics::units::Count::get(),
965 "Number of times the predicate registers were read"),
966 ADD_STAT(numVecPredRegWrites, statistics::units::Count::get(),
967 "Number of times the predicate registers were written"),
968 ADD_STAT(numVecRegReads, statistics::units::Count::get(),
969 "Number of times the vector registers were read"),
970 ADD_STAT(numVecRegWrites, statistics::units::Count::get(),
971 "Number of times the vector registers were written"),
972 ADD_STAT(numDiscardedOps, statistics::units::Count::get(),
973 "Number of ops (including micro ops) which were discarded before "
974 "commit")
975{
977
982 .flags(statistics::nozero);
985 .flags(statistics::nozero);
1008}
1009
1012 : statistics::Group(parent, csprintf("commitStats%i", thread_id).c_str()),
1013 ADD_STAT(numInsts, statistics::units::Count::get(),
1014 "Number of instructions committed (thread level)"),
1015 ADD_STAT(numOps, statistics::units::Count::get(),
1016 "Number of ops (including micro ops) committed (thread level)"),
1017 ADD_STAT(numInstsNotNOP, statistics::units::Count::get(),
1018 "Number of instructions committed excluding NOPs or prefetches"),
1019 ADD_STAT(numOpsNotNOP, statistics::units::Count::get(),
1020 "Number of Ops (including micro ops) Simulated"),
1021 ADD_STAT(cpi, statistics::units::Rate<
1022 statistics::units::Cycle, statistics::units::Count>::get(),
1023 "CPI: cycles per instruction (thread level)"),
1024 ADD_STAT(ipc, statistics::units::Rate<
1025 statistics::units::Count, statistics::units::Cycle>::get(),
1026 "IPC: instructions per cycle (thread level)"),
1027 ADD_STAT(numMemRefs, statistics::units::Count::get(),
1028 "Number of memory references committed"),
1029 ADD_STAT(numFpInsts, statistics::units::Count::get(),
1030 "Number of float instructions"),
1031 ADD_STAT(numIntInsts, statistics::units::Count::get(),
1032 "Number of integer instructions"),
1033 ADD_STAT(numLoadInsts, statistics::units::Count::get(),
1034 "Number of load instructions"),
1035 ADD_STAT(numStoreInsts, statistics::units::Count::get(),
1036 "Number of store instructions"),
1037 ADD_STAT(numVecInsts, statistics::units::Count::get(),
1038 "Number of vector instructions"),
1039 ADD_STAT(committedInstType, statistics::units::Count::get(),
1040 "Class of committed instruction."),
1041 ADD_STAT(committedControl, statistics::units::Count::get(),
1042 "Class of control type instructions committed")
1043{
1044 numInsts
1045 .prereq(numInsts);
1046
1047 cpi.precision(6);
1048 ipc.precision(6);
1049
1051 .init(enums::Num_OpClass)
1053
1054 for (unsigned i = 0; i < Num_OpClasses; ++i) {
1055 committedInstType.subname(i, enums::OpClassStrings[i]);
1056 }
1057
1059 .init(StaticInstFlags::Flags::Num_Flags)
1061
1062 for (unsigned i = 0; i < StaticInstFlags::Flags::Num_Flags; i++) {
1063 committedControl.subname(i, StaticInstFlags::FlagsStrings[i]);
1064 }
1065}
1066
1067
1068void
1071{
1072 /* Add a count for every control instruction type */
1073 if (staticInst->isControl()) {
1074 if (staticInst->isReturn()) {
1075 committedControl[gem5::StaticInstFlags::Flags::IsReturn]++;
1076 }
1077 if (staticInst->isCall()) {
1078 committedControl[gem5::StaticInstFlags::Flags::IsCall]++;
1079 }
1080 if (staticInst->isDirectCtrl()) {
1081 committedControl[gem5::StaticInstFlags::Flags::IsDirectControl]++;
1082 }
1083 if (staticInst->isIndirectCtrl()) {
1084 committedControl
1085 [gem5::StaticInstFlags::Flags::IsIndirectControl]++;
1086 }
1087 if (staticInst->isCondCtrl()) {
1088 committedControl[gem5::StaticInstFlags::Flags::IsCondControl]++;
1089 }
1090 if (staticInst->isUncondCtrl()) {
1091 committedControl[gem5::StaticInstFlags::Flags::IsUncondControl]++;
1092 }
1093 committedControl[gem5::StaticInstFlags::Flags::IsControl]++;
1094 }
1095}
1096
1097} // namespace gem5
#define DPRINTFN(...)
Definition trace.hh:237
#define DPRINTF(x,...)
Definition trace.hh:209
void regStats() override
Callback to set stat parameters.
Definition base.cc:441
int findContext(ThreadContext *tc)
Given a Thread Context pointer return the thread num.
Definition base.cc:531
RequestorID dataRequestorId() const
Reads this CPU's unique data requestor ID.
Definition base.hh:218
probing::PMUUPtr ppRetiredInsts
Instruction commit probe point.
Definition base.hh:548
const Cycles pwrGatingLatency
Definition base.hh:710
virtual void serializeThread(CheckpointOut &cp, ThreadID tid) const
Serialize a single thread.
Definition base.hh:456
virtual Counter totalOps() const =0
Tick functionEntryTick
Definition base.hh:619
void traceFunctionsInternal(Addr pc)
Definition base.cc:802
const bool powerGatingOnIdle
Definition base.hh:711
void registerThreadContexts()
Definition base.cc:483
virtual void haltContext(ThreadID thread_num)
Notify the CPU that the indicated context is now halted.
Definition base.cc:598
probing::PMUUPtr ppRetiredLoads
Retired load instructions.
Definition base.hh:552
Tick instCnt
Instruction count used for SPARC misc register.
Definition base.hh:111
Addr currentFunctionEnd
Definition base.hh:618
SignalSinkPort< bool > modelResetPort
Definition base.hh:191
probing::PMUUPtr ppAllCycles
CPU cycle counter even if any thread Context is suspended.
Definition base.hh:560
probing::PMUUPtr ppRetiredInstsPC
Definition base.hh:549
void init() override
init() is called after all C++ SimObjects have been created and all ports are connected.
Definition base.cc:320
uint32_t getPid() const
Definition base.hh:240
System * system
Definition base.hh:419
void mwaitAtomic(ThreadID tid, ThreadContext *tc, BaseMMU *mmu)
Definition base.cc:287
Addr cacheLineSize() const
Get the cache line size of the system.
Definition base.hh:424
Cycles previousCycle
Definition base.hh:583
void enterPwrGating()
Definition base.cc:604
void updateCycleCounters(CPUState state)
base method keeping track of cycle progression
Definition base.hh:588
probing::PMUUPtr pmuProbePoint(const char *name)
Helper method to instantiate probe points belonging to this object.
Definition base.cc:375
void postInterrupt(ThreadID tid, int int_num, int index)
Definition base.cc:237
std::vector< std::unique_ptr< IntSourcePin< BaseCPU > > > cpuIdlePins
Definition base.hh:287
bool mwait(ThreadID tid, PacketPtr pkt)
Definition base.cc:264
void unserialize(CheckpointIn &cp) override
Reconstruct the state of this object from a checkpoint.
Definition base.cc:747
void scheduleInstStopAnyThread(Counter max_insts)
Schedule an exit event when any threads in the core reach the max_insts instructions using the schedu...
Definition base.cc:840
void serialize(CheckpointOut &cp) const override
Serialize this object to the given output stream.
Definition base.cc:726
probing::PMUUPtr ppRetiredStores
Retired store instructions.
Definition base.hh:554
bool _switchedOut
Is the CPU switched out or active?
Definition base.hh:144
Port & getPort(const std::string &if_name, PortID idx=InvalidPortID) override
Get a port on this CPU.
Definition base.cc:465
Addr currentFunctionStart
Definition base.hh:617
void schedulePowerGatingEvent()
Definition base.cc:514
@ CPU_STATE_SLEEP
Definition base.hh:579
@ CPU_STATE_WAKEUP
Definition base.hh:580
static std::unique_ptr< GlobalStats > globalStats
Pointer to the global stat structure.
Definition base.hh:189
virtual Port & getDataPort()=0
Purely virtual method that returns a reference to the data port.
virtual void verifyMemoryMode() const
Verify that the system is in a memory mode supported by the CPU.
Definition base.hh:411
void regProbePoints() override
Register probe points for this object.
Definition base.cc:384
void scheduleSimpointsInstStop(std::vector< Counter > inst_starts)
Schedule simpoint events using the scheduleInstStop function.
Definition base.cc:831
uint32_t taskId() const
Get cpu task id.
Definition base.hh:236
virtual void suspendContext(ThreadID thread_num)
Notify the CPU that the indicated context is now suspended.
Definition base.cc:567
void enableFunctionTrace()
Definition base.cc:227
virtual Port & getInstPort()=0
Purely virtual method that returns a reference to the instruction port.
ThreadID numThreads
Number of threads we're actually simulating (<= SMT_MAX_THREADS).
Definition base.hh:417
probing::PMUUPtr ppRetiredBranches
Retired branches (any type)
Definition base.hh:557
void deschedulePowerGatingEvent()
Definition base.cc:506
CPUState previousState
Definition base.hh:584
virtual void wakeup(ThreadID tid)=0
probing::PMUUPtr ppActiveCycles
CPU cycle counter, only counts if any thread contexts is active.
Definition base.hh:563
bool functionTracingEnabled
Definition base.hh:615
int cpuId() const
Reads this CPU's ID.
Definition base.hh:212
uint32_t _taskId
An intrenal representation of a task identifier within gem5.
Definition base.hh:137
std::vector< BaseInterrupts * > interrupts
Definition base.hh:249
void startup() override
startup() is the final initialization call before simulation.
Definition base.cc:359
virtual void unserializeThread(CheckpointIn &cp, ThreadID tid)
Unserialize one thread.
Definition base.hh:464
virtual ~BaseCPU()
Definition base.cc:232
virtual void switchOut()
Prepare for another CPU to take over execution.
Definition base.cc:610
virtual void setReset(bool state)
Set the reset of the CPU to be either asserted or deasserted.
Definition base.cc:690
void flushTLBs()
Flush all TLBs in the CPU.
Definition base.cc:712
void armMonitor(ThreadID tid, Addr address)
Definition base.cc:252
ProbePointArg< bool > * ppSleeping
ProbePoint that signals transitions of threadContexts sets.
Definition base.hh:573
std::ostream * functionTraceStream
Definition base.hh:616
virtual void takeOverFrom(BaseCPU *cpu)
Load the state of a CPU from the previous CPU object, invoked on all new CPUs that are about to be sw...
Definition base.cc:624
std::vector< AddressMonitor > addressMonitor
Definition base.hh:676
std::vector< ThreadContext * > threadContexts
Definition base.hh:285
static std::vector< BaseCPU * > cpuList
Static global cpu list.
Definition base.hh:624
EventFunctionWrapper enterPwrGatingEvent
Definition base.hh:712
void scheduleInstStop(ThreadID tid, Counter insts, std::string cause)
Schedule an event that exits the simulation loops after a predefined number of instructions.
Definition base.cc:764
bool switchedOut() const
Determine if the CPU is switched out.
Definition base.hh:400
BaseCPU(const Params &params, bool is_checker=false)
Definition base.cc:129
uint32_t _pid
The current OS process ID that is executing on this processor.
Definition base.hh:141
virtual void probeInstCommit(const StaticInstPtr &inst, Addr pc)
Helper method to trigger PMU probes for a committed instruction.
Definition base.cc:400
uint64_t getCurrentInstCount(ThreadID tid)
Get the number of instructions executed by the specified thread on this CPU.
Definition base.cc:773
virtual void activateContext(ThreadID thread_num)
Notify the CPU that the indicated context is now active.
Definition base.cc:542
virtual void setThreadContext(ThreadContext *_tc)
Definition isa.hh:85
virtual void flushAll()
Definition mmu.cc:81
virtual void takeOverFrom(BaseMMU *old_mmu)
Definition mmu.cc:172
virtual Fault translateAtomic(const RequestPtr &req, ThreadContext *tc, Mode mode)
Definition mmu.cc:111
CPUProgressEvent(BaseCPU *_cpu, Tick ival=0)
Definition base.cc:88
Counter lastNumInst
Definition base.hh:88
virtual const char * description() const
Return a C string describing the event.
Definition base.cc:124
CheckerCPU class.
Definition cpu.hh:85
BaseMMU * getMMUPtr()
Definition cpu.hh:152
The ClockedObject class extends the SimObject with a clock and accessor functions to relate ticks to ...
ClockedObjectParams Params
Parameters of ClockedObject.
Tick clockEdge(Cycles cycles=Cycles(0)) const
Determine the tick when a cycle begins, by default the current one, but the argument also enables the...
Tick clockPeriod() const
bool is_waiting(ThreadContext *tc)
Determine if the given thread context is currently waiting on a futex wait operation on any of the fu...
Definition futex_map.cc:185
virtual std::string name() const
Definition named.hh:47
OutputStream * findOrCreate(const std::string &name, bool binary=false)
Definition output.cc:262
std::ostream * stream() const
Get the output underlying output stream.
Definition output.hh:62
Addr instAddr() const
Returns the memory address of the instruction this PC points to.
Definition pcstate.hh:108
A Packet is used to encapsulate a transfer between two objects in the memory system (e....
Definition packet.hh:295
Addr getAddr() const
Definition packet.hh:807
RequestPtr req
A pointer to the original request.
Definition packet.hh:377
Ports are used to interface objects to each other.
Definition port.hh:62
bool isConnected() const
Is this port currently connected to a peer?
Definition port.hh:133
void takeOverFrom(Port *old)
A utility function to make it easier to swap out ports.
Definition port.hh:137
void set(enums::PwrState p)
Change the power state of this object to the power state p.
enums::PwrState get() const
ProbePointArg generates a point for the class of Arg.
Definition probe.hh:264
void assignThreadContext(ContextID context_id)
Definition process.hh:130
Static instruction class for unknown (illegal) instructions.
Definition unknown.hh:53
static Root * root()
Use this function to get a pointer to the single Root object in the simulation.
Definition root.hh:93
const State & state() const
Definition signal.hh:76
bool isDirectCtrl() const
bool isUncondCtrl() const
bool isLoad() const
bool isReturn() const
bool isIndirectCtrl() const
bool isLastMicroop() const
bool isStore() const
bool isAtomic() const
bool isMicroop() const
bool isCall() const
bool isCondCtrl() const
bool isControl() const
void registerThreadContext(ThreadContext *tc)
Definition system.cc:237
FutexMap futexMap
Definition system.hh:598
const bool multiThread
Definition system.hh:312
void replaceThreadContext(ThreadContext *tc, ContextID context_id)
Definition system.cc:268
ThreadContext is the external interface to all thread state for anything outside of the CPU.
virtual BaseISA * getIsaPtr() const =0
virtual void takeOverFrom(ThreadContext *old_context)=0
virtual CheckerCPU * getCheckerCpuPtr()=0
@ Suspended
Temporarily inactive.
virtual const PCStateBase & pcState() const =0
virtual int threadId() const =0
virtual BaseMMU * getMMUPtr()=0
virtual Process * getProcessPtr()=0
virtual ContextID contextId() const =0
const_iterator findNearest(Addr addr, Addr &next_addr) const
Find the nearest symbol equal to or less than the supplied address (e.g., the label for the enclosing...
Definition symtab.hh:474
Derived & subname(off_type index, const std::string &name)
Set the subfield name for the given index, and marks this stat to print at the end of simulation.
Derived & precision(int _precision)
Set the precision and marks this stat to print at the end of simulation.
Derived & flags(Flags _flags)
Set the flags and marks this stat to print at the end of simulation.
Derived & prereq(const Stat &prereq)
Set the prerequisite stat and marks this stat to print at the end of simulation.
Statistics container.
Definition group.hh:93
Derived & functor(const T &func)
Derived & init(size_type size)
Set this vector to have the given size.
STL vector class.
Definition stl.hh:37
ClockedObject declaration and implementation.
#define ADD_STAT(n,...)
Convenience macro to add a stat to a statistics group.
Definition group.hh:75
static constexpr T roundDown(const T &val, const U &align)
This function is used to align addresses in memory.
Definition intmath.hh:279
void deschedule(Event &event)
Definition eventq.hh:1021
bool scheduled() const
Determine if the current event is scheduled.
Definition eventq.hh:458
void schedule(Event &event, Tick when)
Definition eventq.hh:1012
#define fatal_if(cond,...)
Conditional fatal macro that checks the supplied condition and only causes a fatal error if the condi...
Definition logging.hh:236
#define fatal(...)
This implements a cprintf based fatal() function.
Definition logging.hh:200
const Params & params() const
ProbeManager * getProbeManager()
Get the probe manager for this object.
virtual Port & getPort(const std::string &if_name, PortID idx=InvalidPortID)
Get a port with a given name and index.
virtual void regStats()
Callback to set stat parameters.
Definition group.cc:68
atomic_var_t state
Definition helpers.cc:211
Bitfield< 3, 0 > mask
Definition pcstate.hh:63
Bitfield< 5 > t
Definition misc_types.hh:71
Bitfield< 7 > i
Definition misc_types.hh:67
Bitfield< 4 > pc
Bitfield< 10, 5 > event
Bitfield< 30, 0 > index
Bitfield< 0 > p
Bitfield< 15 > system
Definition misc.hh:1032
Bitfield< 3 > addr
Definition types.hh:84
SymbolTable debugSymbolTable
Global unified debugging symbol table (for target).
Definition symtab.cc:55
std::unique_ptr< PMU > PMUUPtr
Definition pmu.hh:60
const FlagsType pdf
Print the percent of the total that this entry represents.
Definition info.hh:61
const FlagsType nozero
Don't print if this is zero.
Definition info.hh:67
const FlagsType total
Print the total.
Definition info.hh:59
double Counter
All counters are of 64-bit values.
Definition types.hh:46
const FlagsType dist
Print the distribution.
Definition info.hh:65
Copyright (c) 2024 Arm Limited All rights reserved.
Definition binary32.hh:36
std::shared_ptr< FaultBase > Fault
Definition types.hh:249
int16_t ThreadID
Thread index/ID type.
Definition types.hh:235
std::shared_ptr< Request > RequestPtr
Definition request.hh:94
statistics::Value & hostSeconds
Definition stats.cc:48
static const OpClass Num_OpClasses
Definition op_class.hh:135
void cprintf(const char *format, const Args &...args)
Definition cprintf.hh:155
Tick curTick()
The universal simulation clock.
Definition cur_tick.hh:46
std::ostream CheckpointOut
Definition serialize.hh:66
uint64_t Addr
Address type This will probably be moved somewhere else in the near future.
Definition types.hh:147
int16_t PortID
Port index/ID type, and a symbolic name for an invalid port id.
Definition types.hh:245
bool FullSystem
The FullSystem variable can be used to determine the current mode of simulation.
Definition root.cc:220
OutputDirectory simout
Definition output.cc:62
uint64_t Tick
Tick count type.
Definition types.hh:58
int maxThreadsPerCPU
The maximum number of active threads across all cpus.
Definition base.cc:86
std::string csprintf(const char *format, const Args &...args)
Definition cprintf.hh:161
constexpr decltype(nullptr) NoFault
Definition types.hh:253
void ccprintf(cp::Print &print)
Definition cprintf.hh:130
Declarations of a non-full system Page Table.
#define UNSERIALIZE_SCALAR(scalar)
Definition serialize.hh:575
#define SERIALIZE_SCALAR(scalar)
Definition serialize.hh:568
bool doMonitor(PacketPtr pkt)
Definition base.cc:786
BaseCPUStats(statistics::Group *parent)
Definition base.cc:418
statistics::Formula ipc
Definition base.hh:670
statistics::Formula cpi
Definition base.hh:669
statistics::Scalar numInsts
Definition base.hh:664
statistics::Scalar numCycles
Definition base.hh:667
statistics::Vector committedInstType
Definition base.hh:838
void updateComCtrlStats(const StaticInstPtr staticInst)
Definition base.cc:1070
statistics::Vector committedControl
Definition base.hh:841
statistics::Formula cpi
Definition base.hh:816
statistics::Scalar numInsts
Definition base.hh:808
CommitCPUStats(statistics::Group *parent, int thread_id)
Definition base.cc:1011
statistics::Formula ipc
Definition base.hh:817
statistics::Scalar numIntRegReads
Definition base.hh:778
statistics::Scalar numVecPredRegReads
Definition base.hh:792
statistics::Scalar dcacheStallCycles
Definition base.hh:761
statistics::Scalar numCCRegReads
Definition base.hh:764
statistics::Scalar numIntRegWrites
Definition base.hh:779
statistics::Formula numStoreInsts
Definition base.hh:756
statistics::Scalar numMemRefs
Definition base.hh:782
statistics::Scalar numMiscRegReads
Definition base.hh:785
statistics::Scalar numCCRegWrites
Definition base.hh:765
statistics::Scalar numVecPredRegWrites
Definition base.hh:793
statistics::Scalar numFpAluAccesses
Definition base.hh:768
statistics::Scalar numIntAluAccesses
Definition base.hh:775
ExecuteCPUStats(statistics::Group *parent, int thread_id)
Definition base.cc:923
statistics::Scalar numVecRegWrites
Definition base.hh:797
statistics::Scalar numFpRegReads
Definition base.hh:771
statistics::Scalar numVecRegReads
Definition base.hh:796
statistics::Scalar numMiscRegWrites
Definition base.hh:786
statistics::Scalar numLoadInsts
Definition base.hh:754
statistics::Formula fetchRate
Definition base.hh:727
statistics::Formula branchRate
Definition base.hh:733
statistics::Scalar numBranches
Definition base.hh:730
FetchCPUStats(statistics::Group *parent, int thread_id)
Definition base.cc:888
statistics::Scalar icacheStallCycles
Definition base.hh:736
Global CPU statistics that are merged into the Root object.
Definition base.hh:151
statistics::Value simOps
Definition base.hh:155
statistics::Formula hostInstRate
Definition base.hh:157
statistics::Value simInsts
Definition base.hh:154
static Counter numSimulatedInsts()
Definition base.hh:164
GlobalStats(statistics::Group *parent)
Definition base.cc:848
static Counter numSimulatedOps()
Definition base.hh:170
statistics::Formula hostOpRate
Definition base.hh:158
const std::string & name()
Definition trace.cc:48

Generated on Mon Jan 13 2025 04:28:39 for gem5 by doxygen 1.9.8