commit_impl.hh revision 3221:669a04468c0d
1/*
2 * Copyright (c) 2004-2006 The Regents of The University of Michigan
3 * All rights reserved.
4 *
5 * Redistribution and use in source and binary forms, with or without
6 * modification, are permitted provided that the following conditions are
7 * met: redistributions of source code must retain the above copyright
8 * notice, this list of conditions and the following disclaimer;
9 * redistributions in binary form must reproduce the above copyright
10 * notice, this list of conditions and the following disclaimer in the
11 * documentation and/or other materials provided with the distribution;
12 * neither the name of the copyright holders nor the names of its
13 * contributors may be used to endorse or promote products derived from
14 * this software without specific prior written permission.
15 *
16 * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
17 * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
18 * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
19 * A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
20 * OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
21 * SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
22 * LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
23 * DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
24 * THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
25 * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
26 * OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
27 *
28 * Authors: Kevin Lim
29 *          Korey Sewell
30 */
31
32#include "config/full_system.hh"
33#include "config/use_checker.hh"
34
35#include <algorithm>
36#include <string>
37
38#include "base/loader/symtab.hh"
39#include "base/timebuf.hh"
40#include "cpu/exetrace.hh"
41#include "cpu/o3/commit.hh"
42#include "cpu/o3/thread_state.hh"
43
44#if USE_CHECKER
45#include "cpu/checker/cpu.hh"
46#endif
47
48template <class Impl>
49DefaultCommit<Impl>::TrapEvent::TrapEvent(DefaultCommit<Impl> *_commit,
50                                          unsigned _tid)
51    : Event(&mainEventQueue, CPU_Tick_Pri), commit(_commit), tid(_tid)
52{
53    this->setFlags(Event::AutoDelete);
54}
55
56template <class Impl>
57void
58DefaultCommit<Impl>::TrapEvent::process()
59{
60    // This will get reset by commit if it was switched out at the
61    // time of this event processing.
62    commit->trapSquash[tid] = true;
63}
64
65template <class Impl>
66const char *
67DefaultCommit<Impl>::TrapEvent::description()
68{
69    return "Trap event";
70}
71
72template <class Impl>
73DefaultCommit<Impl>::DefaultCommit(Params *params)
74    : squashCounter(0),
75      iewToCommitDelay(params->iewToCommitDelay),
76      commitToIEWDelay(params->commitToIEWDelay),
77      renameToROBDelay(params->renameToROBDelay),
78      fetchToCommitDelay(params->commitToFetchDelay),
79      renameWidth(params->renameWidth),
80      commitWidth(params->commitWidth),
81      numThreads(params->numberOfThreads),
82      drainPending(false),
83      switchedOut(false),
84      trapLatency(params->trapLatency)
85{
86    _status = Active;
87    _nextStatus = Inactive;
88    std::string policy = params->smtCommitPolicy;
89
90    //Convert string to lowercase
91    std::transform(policy.begin(), policy.end(), policy.begin(),
92                   (int(*)(int)) tolower);
93
94    //Assign commit policy
95    if (policy == "aggressive"){
96        commitPolicy = Aggressive;
97
98        DPRINTF(Commit,"Commit Policy set to Aggressive.");
99    } else if (policy == "roundrobin"){
100        commitPolicy = RoundRobin;
101
102        //Set-Up Priority List
103        for (int tid=0; tid < numThreads; tid++) {
104            priority_list.push_back(tid);
105        }
106
107        DPRINTF(Commit,"Commit Policy set to Round Robin.");
108    } else if (policy == "oldestready"){
109        commitPolicy = OldestReady;
110
111        DPRINTF(Commit,"Commit Policy set to Oldest Ready.");
112    } else {
113        assert(0 && "Invalid SMT Commit Policy. Options Are: {Aggressive,"
114               "RoundRobin,OldestReady}");
115    }
116
117    for (int i=0; i < numThreads; i++) {
118        commitStatus[i] = Idle;
119        changedROBNumEntries[i] = false;
120        trapSquash[i] = false;
121        tcSquash[i] = false;
122        PC[i] = nextPC[i] = nextNPC[i] = 0;
123    }
124}
125
126template <class Impl>
127std::string
128DefaultCommit<Impl>::name() const
129{
130    return cpu->name() + ".commit";
131}
132
133template <class Impl>
134void
135DefaultCommit<Impl>::regStats()
136{
137    using namespace Stats;
138    commitCommittedInsts
139        .name(name() + ".commitCommittedInsts")
140        .desc("The number of committed instructions")
141        .prereq(commitCommittedInsts);
142    commitSquashedInsts
143        .name(name() + ".commitSquashedInsts")
144        .desc("The number of squashed insts skipped by commit")
145        .prereq(commitSquashedInsts);
146    commitSquashEvents
147        .name(name() + ".commitSquashEvents")
148        .desc("The number of times commit is told to squash")
149        .prereq(commitSquashEvents);
150    commitNonSpecStalls
151        .name(name() + ".commitNonSpecStalls")
152        .desc("The number of times commit has been forced to stall to "
153              "communicate backwards")
154        .prereq(commitNonSpecStalls);
155    branchMispredicts
156        .name(name() + ".branchMispredicts")
157        .desc("The number of times a branch was mispredicted")
158        .prereq(branchMispredicts);
159    numCommittedDist
160        .init(0,commitWidth,1)
161        .name(name() + ".COM:committed_per_cycle")
162        .desc("Number of insts commited each cycle")
163        .flags(Stats::pdf)
164        ;
165
166    statComInst
167        .init(cpu->number_of_threads)
168        .name(name() + ".COM:count")
169        .desc("Number of instructions committed")
170        .flags(total)
171        ;
172
173    statComSwp
174        .init(cpu->number_of_threads)
175        .name(name() + ".COM:swp_count")
176        .desc("Number of s/w prefetches committed")
177        .flags(total)
178        ;
179
180    statComRefs
181        .init(cpu->number_of_threads)
182        .name(name() +  ".COM:refs")
183        .desc("Number of memory references committed")
184        .flags(total)
185        ;
186
187    statComLoads
188        .init(cpu->number_of_threads)
189        .name(name() +  ".COM:loads")
190        .desc("Number of loads committed")
191        .flags(total)
192        ;
193
194    statComMembars
195        .init(cpu->number_of_threads)
196        .name(name() +  ".COM:membars")
197        .desc("Number of memory barriers committed")
198        .flags(total)
199        ;
200
201    statComBranches
202        .init(cpu->number_of_threads)
203        .name(name() + ".COM:branches")
204        .desc("Number of branches committed")
205        .flags(total)
206        ;
207
208    commitEligible
209        .init(cpu->number_of_threads)
210        .name(name() + ".COM:bw_limited")
211        .desc("number of insts not committed due to BW limits")
212        .flags(total)
213        ;
214
215    commitEligibleSamples
216        .name(name() + ".COM:bw_lim_events")
217        .desc("number cycles where commit BW limit reached")
218        ;
219}
220
221template <class Impl>
222void
223DefaultCommit<Impl>::setCPU(O3CPU *cpu_ptr)
224{
225    DPRINTF(Commit, "Commit: Setting CPU pointer.\n");
226    cpu = cpu_ptr;
227
228    // Commit must broadcast the number of free entries it has at the start of
229    // the simulation, so it starts as active.
230    cpu->activateStage(O3CPU::CommitIdx);
231
232    trapLatency = cpu->cycles(trapLatency);
233}
234
235template <class Impl>
236void
237DefaultCommit<Impl>::setThreads(std::vector<Thread *> &threads)
238{
239    thread = threads;
240}
241
242template <class Impl>
243void
244DefaultCommit<Impl>::setTimeBuffer(TimeBuffer<TimeStruct> *tb_ptr)
245{
246    DPRINTF(Commit, "Commit: Setting time buffer pointer.\n");
247    timeBuffer = tb_ptr;
248
249    // Setup wire to send information back to IEW.
250    toIEW = timeBuffer->getWire(0);
251
252    // Setup wire to read data from IEW (for the ROB).
253    robInfoFromIEW = timeBuffer->getWire(-iewToCommitDelay);
254}
255
256template <class Impl>
257void
258DefaultCommit<Impl>::setFetchQueue(TimeBuffer<FetchStruct> *fq_ptr)
259{
260    DPRINTF(Commit, "Commit: Setting fetch queue pointer.\n");
261    fetchQueue = fq_ptr;
262
263    // Setup wire to get instructions from rename (for the ROB).
264    fromFetch = fetchQueue->getWire(-fetchToCommitDelay);
265}
266
267template <class Impl>
268void
269DefaultCommit<Impl>::setRenameQueue(TimeBuffer<RenameStruct> *rq_ptr)
270{
271    DPRINTF(Commit, "Commit: Setting rename queue pointer.\n");
272    renameQueue = rq_ptr;
273
274    // Setup wire to get instructions from rename (for the ROB).
275    fromRename = renameQueue->getWire(-renameToROBDelay);
276}
277
278template <class Impl>
279void
280DefaultCommit<Impl>::setIEWQueue(TimeBuffer<IEWStruct> *iq_ptr)
281{
282    DPRINTF(Commit, "Commit: Setting IEW queue pointer.\n");
283    iewQueue = iq_ptr;
284
285    // Setup wire to get instructions from IEW.
286    fromIEW = iewQueue->getWire(-iewToCommitDelay);
287}
288
289template <class Impl>
290void
291DefaultCommit<Impl>::setIEWStage(IEW *iew_stage)
292{
293    iewStage = iew_stage;
294}
295
296template<class Impl>
297void
298DefaultCommit<Impl>::setActiveThreads(std::list<unsigned> *at_ptr)
299{
300    DPRINTF(Commit, "Commit: Setting active threads list pointer.\n");
301    activeThreads = at_ptr;
302}
303
304template <class Impl>
305void
306DefaultCommit<Impl>::setRenameMap(RenameMap rm_ptr[])
307{
308    DPRINTF(Commit, "Setting rename map pointers.\n");
309
310    for (int i=0; i < numThreads; i++) {
311        renameMap[i] = &rm_ptr[i];
312    }
313}
314
315template <class Impl>
316void
317DefaultCommit<Impl>::setROB(ROB *rob_ptr)
318{
319    DPRINTF(Commit, "Commit: Setting ROB pointer.\n");
320    rob = rob_ptr;
321}
322
323template <class Impl>
324void
325DefaultCommit<Impl>::initStage()
326{
327    rob->setActiveThreads(activeThreads);
328    rob->resetEntries();
329
330    // Broadcast the number of free entries.
331    for (int i=0; i < numThreads; i++) {
332        toIEW->commitInfo[i].usedROB = true;
333        toIEW->commitInfo[i].freeROBEntries = rob->numFreeEntries(i);
334    }
335
336    cpu->activityThisCycle();
337}
338
339template <class Impl>
340bool
341DefaultCommit<Impl>::drain()
342{
343    drainPending = true;
344
345    return false;
346}
347
348template <class Impl>
349void
350DefaultCommit<Impl>::switchOut()
351{
352    switchedOut = true;
353    drainPending = false;
354    rob->switchOut();
355}
356
357template <class Impl>
358void
359DefaultCommit<Impl>::resume()
360{
361    drainPending = false;
362}
363
364template <class Impl>
365void
366DefaultCommit<Impl>::takeOverFrom()
367{
368    switchedOut = false;
369    _status = Active;
370    _nextStatus = Inactive;
371    for (int i=0; i < numThreads; i++) {
372        commitStatus[i] = Idle;
373        changedROBNumEntries[i] = false;
374        trapSquash[i] = false;
375        tcSquash[i] = false;
376    }
377    squashCounter = 0;
378    rob->takeOverFrom();
379}
380
381template <class Impl>
382void
383DefaultCommit<Impl>::updateStatus()
384{
385    // reset ROB changed variable
386    std::list<unsigned>::iterator threads = (*activeThreads).begin();
387    while (threads != (*activeThreads).end()) {
388        unsigned tid = *threads++;
389        changedROBNumEntries[tid] = false;
390
391        // Also check if any of the threads has a trap pending
392        if (commitStatus[tid] == TrapPending ||
393            commitStatus[tid] == FetchTrapPending) {
394            _nextStatus = Active;
395        }
396    }
397
398    if (_nextStatus == Inactive && _status == Active) {
399        DPRINTF(Activity, "Deactivating stage.\n");
400        cpu->deactivateStage(O3CPU::CommitIdx);
401    } else if (_nextStatus == Active && _status == Inactive) {
402        DPRINTF(Activity, "Activating stage.\n");
403        cpu->activateStage(O3CPU::CommitIdx);
404    }
405
406    _status = _nextStatus;
407}
408
409template <class Impl>
410void
411DefaultCommit<Impl>::setNextStatus()
412{
413    int squashes = 0;
414
415    std::list<unsigned>::iterator threads = (*activeThreads).begin();
416
417    while (threads != (*activeThreads).end()) {
418        unsigned tid = *threads++;
419
420        if (commitStatus[tid] == ROBSquashing) {
421            squashes++;
422        }
423    }
424
425    squashCounter = squashes;
426
427    // If commit is currently squashing, then it will have activity for the
428    // next cycle. Set its next status as active.
429    if (squashCounter) {
430        _nextStatus = Active;
431    }
432}
433
434template <class Impl>
435bool
436DefaultCommit<Impl>::changedROBEntries()
437{
438    std::list<unsigned>::iterator threads = (*activeThreads).begin();
439
440    while (threads != (*activeThreads).end()) {
441        unsigned tid = *threads++;
442
443        if (changedROBNumEntries[tid]) {
444            return true;
445        }
446    }
447
448    return false;
449}
450
451template <class Impl>
452unsigned
453DefaultCommit<Impl>::numROBFreeEntries(unsigned tid)
454{
455    return rob->numFreeEntries(tid);
456}
457
458template <class Impl>
459void
460DefaultCommit<Impl>::generateTrapEvent(unsigned tid)
461{
462    DPRINTF(Commit, "Generating trap event for [tid:%i]\n", tid);
463
464    TrapEvent *trap = new TrapEvent(this, tid);
465
466    trap->schedule(curTick + trapLatency);
467
468    thread[tid]->trapPending = true;
469}
470
471template <class Impl>
472void
473DefaultCommit<Impl>::generateTCEvent(unsigned tid)
474{
475    DPRINTF(Commit, "Generating TC squash event for [tid:%i]\n", tid);
476
477    tcSquash[tid] = true;
478}
479
480template <class Impl>
481void
482DefaultCommit<Impl>::squashAll(unsigned tid)
483{
484    // If we want to include the squashing instruction in the squash,
485    // then use one older sequence number.
486    // Hopefully this doesn't mess things up.  Basically I want to squash
487    // all instructions of this thread.
488    InstSeqNum squashed_inst = rob->isEmpty() ?
489        0 : rob->readHeadInst(tid)->seqNum - 1;;
490
491    // All younger instructions will be squashed. Set the sequence
492    // number as the youngest instruction in the ROB (0 in this case.
493    // Hopefully nothing breaks.)
494    youngestSeqNum[tid] = 0;
495
496    rob->squash(squashed_inst, tid);
497    changedROBNumEntries[tid] = true;
498
499    // Send back the sequence number of the squashed instruction.
500    toIEW->commitInfo[tid].doneSeqNum = squashed_inst;
501
502    // Send back the squash signal to tell stages that they should
503    // squash.
504    toIEW->commitInfo[tid].squash = true;
505
506    // Send back the rob squashing signal so other stages know that
507    // the ROB is in the process of squashing.
508    toIEW->commitInfo[tid].robSquashing = true;
509
510    toIEW->commitInfo[tid].branchMispredict = false;
511
512    toIEW->commitInfo[tid].nextPC = PC[tid];
513}
514
515template <class Impl>
516void
517DefaultCommit<Impl>::squashFromTrap(unsigned tid)
518{
519    squashAll(tid);
520
521    DPRINTF(Commit, "Squashing from trap, restarting at PC %#x\n", PC[tid]);
522
523    thread[tid]->trapPending = false;
524    thread[tid]->inSyscall = false;
525
526    trapSquash[tid] = false;
527
528    commitStatus[tid] = ROBSquashing;
529    cpu->activityThisCycle();
530}
531
532template <class Impl>
533void
534DefaultCommit<Impl>::squashFromTC(unsigned tid)
535{
536    squashAll(tid);
537
538    DPRINTF(Commit, "Squashing from TC, restarting at PC %#x\n", PC[tid]);
539
540    thread[tid]->inSyscall = false;
541    assert(!thread[tid]->trapPending);
542
543    commitStatus[tid] = ROBSquashing;
544    cpu->activityThisCycle();
545
546    tcSquash[tid] = false;
547}
548
549template <class Impl>
550void
551DefaultCommit<Impl>::tick()
552{
553    wroteToTimeBuffer = false;
554    _nextStatus = Inactive;
555
556    if (drainPending && rob->isEmpty() && !iewStage->hasStoresToWB()) {
557        cpu->signalDrained();
558        drainPending = false;
559        return;
560    }
561
562    if ((*activeThreads).size() <= 0)
563        return;
564
565    std::list<unsigned>::iterator threads = (*activeThreads).begin();
566
567    // Check if any of the threads are done squashing.  Change the
568    // status if they are done.
569    while (threads != (*activeThreads).end()) {
570        unsigned tid = *threads++;
571
572        if (commitStatus[tid] == ROBSquashing) {
573
574            if (rob->isDoneSquashing(tid)) {
575                commitStatus[tid] = Running;
576            } else {
577                DPRINTF(Commit,"[tid:%u]: Still Squashing, cannot commit any"
578                        " insts this cycle.\n", tid);
579                rob->doSquash(tid);
580                toIEW->commitInfo[tid].robSquashing = true;
581                wroteToTimeBuffer = true;
582            }
583        }
584    }
585
586    commit();
587
588    markCompletedInsts();
589
590    threads = (*activeThreads).begin();
591
592    while (threads != (*activeThreads).end()) {
593        unsigned tid = *threads++;
594
595        if (!rob->isEmpty(tid) && rob->readHeadInst(tid)->readyToCommit()) {
596            // The ROB has more instructions it can commit. Its next status
597            // will be active.
598            _nextStatus = Active;
599
600            DynInstPtr inst = rob->readHeadInst(tid);
601
602            DPRINTF(Commit,"[tid:%i]: Instruction [sn:%lli] PC %#x is head of"
603                    " ROB and ready to commit\n",
604                    tid, inst->seqNum, inst->readPC());
605
606        } else if (!rob->isEmpty(tid)) {
607            DynInstPtr inst = rob->readHeadInst(tid);
608
609            DPRINTF(Commit,"[tid:%i]: Can't commit, Instruction [sn:%lli] PC "
610                    "%#x is head of ROB and not ready\n",
611                    tid, inst->seqNum, inst->readPC());
612        }
613
614        DPRINTF(Commit, "[tid:%i]: ROB has %d insts & %d free entries.\n",
615                tid, rob->countInsts(tid), rob->numFreeEntries(tid));
616    }
617
618
619    if (wroteToTimeBuffer) {
620        DPRINTF(Activity, "Activity This Cycle.\n");
621        cpu->activityThisCycle();
622    }
623
624    updateStatus();
625}
626
627template <class Impl>
628void
629DefaultCommit<Impl>::commit()
630{
631
632    //////////////////////////////////////
633    // Check for interrupts
634    //////////////////////////////////////
635
636#if FULL_SYSTEM
637    // Process interrupts if interrupts are enabled, not in PAL mode,
638    // and no other traps or external squashes are currently pending.
639    // @todo: Allow other threads to handle interrupts.
640    if (cpu->checkInterrupts &&
641        cpu->check_interrupts() &&
642        !cpu->inPalMode(readPC()) &&
643        !trapSquash[0] &&
644        !tcSquash[0]) {
645        // Tell fetch that there is an interrupt pending.  This will
646        // make fetch wait until it sees a non PAL-mode PC, at which
647        // point it stops fetching instructions.
648        toIEW->commitInfo[0].interruptPending = true;
649
650        // Wait until the ROB is empty and all stores have drained in
651        // order to enter the interrupt.
652        if (rob->isEmpty() && !iewStage->hasStoresToWB()) {
653            // Not sure which thread should be the one to interrupt.  For now
654            // always do thread 0.
655            assert(!thread[0]->inSyscall);
656            thread[0]->inSyscall = true;
657
658            // CPU will handle implementation of the interrupt.
659            cpu->processInterrupts();
660
661            // Now squash or record that I need to squash this cycle.
662            commitStatus[0] = TrapPending;
663
664            // Exit state update mode to avoid accidental updating.
665            thread[0]->inSyscall = false;
666
667            // Generate trap squash event.
668            generateTrapEvent(0);
669
670            toIEW->commitInfo[0].clearInterrupt = true;
671
672            DPRINTF(Commit, "Interrupt detected.\n");
673        } else {
674            DPRINTF(Commit, "Interrupt pending, waiting for ROB to empty.\n");
675        }
676    }
677#endif // FULL_SYSTEM
678
679    ////////////////////////////////////
680    // Check for any possible squashes, handle them first
681    ////////////////////////////////////
682
683    std::list<unsigned>::iterator threads = (*activeThreads).begin();
684
685    while (threads != (*activeThreads).end()) {
686        unsigned tid = *threads++;
687
688        // Not sure which one takes priority.  I think if we have
689        // both, that's a bad sign.
690        if (trapSquash[tid] == true) {
691            assert(!tcSquash[tid]);
692            squashFromTrap(tid);
693        } else if (tcSquash[tid] == true) {
694            squashFromTC(tid);
695        }
696
697        // Squashed sequence number must be older than youngest valid
698        // instruction in the ROB. This prevents squashes from younger
699        // instructions overriding squashes from older instructions.
700        if (fromIEW->squash[tid] &&
701            commitStatus[tid] != TrapPending &&
702            fromIEW->squashedSeqNum[tid] <= youngestSeqNum[tid]) {
703
704            DPRINTF(Commit, "[tid:%i]: Squashing due to PC %#x [sn:%i]\n",
705                    tid,
706                    fromIEW->mispredPC[tid],
707                    fromIEW->squashedSeqNum[tid]);
708
709            DPRINTF(Commit, "[tid:%i]: Redirecting to PC %#x\n",
710                    tid,
711                    fromIEW->nextPC[tid]);
712
713            commitStatus[tid] = ROBSquashing;
714
715            // If we want to include the squashing instruction in the squash,
716            // then use one older sequence number.
717            InstSeqNum squashed_inst = fromIEW->squashedSeqNum[tid];
718
719#if ISA_HAS_DELAY_SLOT
720            InstSeqNum bdelay_done_seq_num;
721            bool squash_bdelay_slot;
722
723            if (fromIEW->branchMispredict[tid]) {
724                if (fromIEW->branchTaken[tid] &&
725                    fromIEW->condDelaySlotBranch[tid]) {
726                    DPRINTF(Commit, "[tid:%i]: Cond. delay slot branch"
727                            "mispredicted as taken. Squashing after previous "
728                            "inst, [sn:%i]\n",
729                            tid, squashed_inst);
730                     bdelay_done_seq_num = squashed_inst;
731                     squash_bdelay_slot = true;
732                } else {
733                    DPRINTF(Commit, "[tid:%i]: Branch Mispredict. Squashing "
734                            "after delay slot [sn:%i]\n", tid, squashed_inst+1);
735                    bdelay_done_seq_num = squashed_inst + 1;
736                    squash_bdelay_slot = false;
737                }
738            } else {
739                bdelay_done_seq_num = squashed_inst;
740            }
741#endif
742
743            if (fromIEW->includeSquashInst[tid] == true) {
744                squashed_inst--;
745#if ISA_HAS_DELAY_SLOT
746                bdelay_done_seq_num--;
747#endif
748            }
749            // All younger instructions will be squashed. Set the sequence
750            // number as the youngest instruction in the ROB.
751            youngestSeqNum[tid] = squashed_inst;
752
753#if ISA_HAS_DELAY_SLOT
754            rob->squash(bdelay_done_seq_num, tid);
755            toIEW->commitInfo[tid].squashDelaySlot = squash_bdelay_slot;
756            toIEW->commitInfo[tid].bdelayDoneSeqNum = bdelay_done_seq_num;
757#else
758            rob->squash(squashed_inst, tid);
759            toIEW->commitInfo[tid].squashDelaySlot = true;
760#endif
761            changedROBNumEntries[tid] = true;
762
763            toIEW->commitInfo[tid].doneSeqNum = squashed_inst;
764
765            toIEW->commitInfo[tid].squash = true;
766
767            // Send back the rob squashing signal so other stages know that
768            // the ROB is in the process of squashing.
769            toIEW->commitInfo[tid].robSquashing = true;
770
771            toIEW->commitInfo[tid].branchMispredict =
772                fromIEW->branchMispredict[tid];
773
774            toIEW->commitInfo[tid].branchTaken =
775                fromIEW->branchTaken[tid];
776
777            toIEW->commitInfo[tid].nextPC = fromIEW->nextPC[tid];
778
779            toIEW->commitInfo[tid].mispredPC = fromIEW->mispredPC[tid];
780
781            if (toIEW->commitInfo[tid].branchMispredict) {
782                ++branchMispredicts;
783            }
784        }
785
786    }
787
788    setNextStatus();
789
790    if (squashCounter != numThreads) {
791        // If we're not currently squashing, then get instructions.
792        getInsts();
793
794        // Try to commit any instructions.
795        commitInsts();
796    } else {
797#if ISA_HAS_DELAY_SLOT
798        skidInsert();
799#endif
800    }
801
802    //Check for any activity
803    threads = (*activeThreads).begin();
804
805    while (threads != (*activeThreads).end()) {
806        unsigned tid = *threads++;
807
808        if (changedROBNumEntries[tid]) {
809            toIEW->commitInfo[tid].usedROB = true;
810            toIEW->commitInfo[tid].freeROBEntries = rob->numFreeEntries(tid);
811
812            if (rob->isEmpty(tid)) {
813                toIEW->commitInfo[tid].emptyROB = true;
814            }
815
816            wroteToTimeBuffer = true;
817            changedROBNumEntries[tid] = false;
818        }
819    }
820}
821
822template <class Impl>
823void
824DefaultCommit<Impl>::commitInsts()
825{
826    ////////////////////////////////////
827    // Handle commit
828    // Note that commit will be handled prior to putting new
829    // instructions in the ROB so that the ROB only tries to commit
830    // instructions it has in this current cycle, and not instructions
831    // it is writing in during this cycle.  Can't commit and squash
832    // things at the same time...
833    ////////////////////////////////////
834
835    DPRINTF(Commit, "Trying to commit instructions in the ROB.\n");
836
837    unsigned num_committed = 0;
838
839    DynInstPtr head_inst;
840
841    // Commit as many instructions as possible until the commit bandwidth
842    // limit is reached, or it becomes impossible to commit any more.
843    while (num_committed < commitWidth) {
844        int commit_thread = getCommittingThread();
845
846        if (commit_thread == -1 || !rob->isHeadReady(commit_thread))
847            break;
848
849        head_inst = rob->readHeadInst(commit_thread);
850
851        int tid = head_inst->threadNumber;
852
853        assert(tid == commit_thread);
854
855        DPRINTF(Commit, "Trying to commit head instruction, [sn:%i] [tid:%i]\n",
856                head_inst->seqNum, tid);
857
858        // If the head instruction is squashed, it is ready to retire
859        // (be removed from the ROB) at any time.
860        if (head_inst->isSquashed()) {
861
862            DPRINTF(Commit, "Retiring squashed instruction from "
863                    "ROB.\n");
864
865            rob->retireHead(commit_thread);
866
867            ++commitSquashedInsts;
868
869            // Record that the number of ROB entries has changed.
870            changedROBNumEntries[tid] = true;
871        } else {
872            PC[tid] = head_inst->readPC();
873            nextPC[tid] = head_inst->readNextPC();
874            nextNPC[tid] = head_inst->readNextNPC();
875
876            // Increment the total number of non-speculative instructions
877            // executed.
878            // Hack for now: it really shouldn't happen until after the
879            // commit is deemed to be successful, but this count is needed
880            // for syscalls.
881            thread[tid]->funcExeInst++;
882
883            // Try to commit the head instruction.
884            bool commit_success = commitHead(head_inst, num_committed);
885
886            if (commit_success) {
887                ++num_committed;
888
889                changedROBNumEntries[tid] = true;
890
891                // Set the doneSeqNum to the youngest committed instruction.
892                toIEW->commitInfo[tid].doneSeqNum = head_inst->seqNum;
893
894                ++commitCommittedInsts;
895
896                // To match the old model, don't count nops and instruction
897                // prefetches towards the total commit count.
898                if (!head_inst->isNop() && !head_inst->isInstPrefetch()) {
899                    cpu->instDone(tid);
900                }
901
902                PC[tid] = nextPC[tid];
903#if ISA_HAS_DELAY_SLOT
904                nextPC[tid] = nextNPC[tid];
905                nextNPC[tid] = nextNPC[tid] + sizeof(TheISA::MachInst);
906#else
907                nextPC[tid] = nextPC[tid] + sizeof(TheISA::MachInst);
908#endif
909
910#if FULL_SYSTEM
911                int count = 0;
912                Addr oldpc;
913                do {
914                    // Debug statement.  Checks to make sure we're not
915                    // currently updating state while handling PC events.
916                    if (count == 0)
917                        assert(!thread[tid]->inSyscall &&
918                               !thread[tid]->trapPending);
919                    oldpc = PC[tid];
920                    cpu->system->pcEventQueue.service(
921                        thread[tid]->getTC());
922                    count++;
923                } while (oldpc != PC[tid]);
924                if (count > 1) {
925                    DPRINTF(Commit, "PC skip function event, stopping commit\n");
926                    break;
927                }
928#endif
929            } else {
930                DPRINTF(Commit, "Unable to commit head instruction PC:%#x "
931                        "[tid:%i] [sn:%i].\n",
932                        head_inst->readPC(), tid ,head_inst->seqNum);
933                break;
934            }
935        }
936    }
937
938    DPRINTF(CommitRate, "%i\n", num_committed);
939    numCommittedDist.sample(num_committed);
940
941    if (num_committed == commitWidth) {
942        commitEligibleSamples++;
943    }
944}
945
946template <class Impl>
947bool
948DefaultCommit<Impl>::commitHead(DynInstPtr &head_inst, unsigned inst_num)
949{
950    assert(head_inst);
951
952    int tid = head_inst->threadNumber;
953
954    // If the instruction is not executed yet, then it will need extra
955    // handling.  Signal backwards that it should be executed.
956    if (!head_inst->isExecuted()) {
957        // Keep this number correct.  We have not yet actually executed
958        // and committed this instruction.
959        thread[tid]->funcExeInst--;
960
961        head_inst->setAtCommit();
962
963        if (head_inst->isNonSpeculative() ||
964            head_inst->isStoreConditional() ||
965            head_inst->isMemBarrier() ||
966            head_inst->isWriteBarrier()) {
967
968            DPRINTF(Commit, "Encountered a barrier or non-speculative "
969                    "instruction [sn:%lli] at the head of the ROB, PC %#x.\n",
970                    head_inst->seqNum, head_inst->readPC());
971
972#if !FULL_SYSTEM
973            // Hack to make sure syscalls/memory barriers/quiesces
974            // aren't executed until all stores write back their data.
975            // This direct communication shouldn't be used for
976            // anything other than this.
977            if (inst_num > 0 || iewStage->hasStoresToWB())
978#else
979            if ((head_inst->isMemBarrier() || head_inst->isWriteBarrier() ||
980                    head_inst->isQuiesce()) &&
981                iewStage->hasStoresToWB())
982#endif
983            {
984                DPRINTF(Commit, "Waiting for all stores to writeback.\n");
985                return false;
986            }
987
988            toIEW->commitInfo[tid].nonSpecSeqNum = head_inst->seqNum;
989
990            // Change the instruction so it won't try to commit again until
991            // it is executed.
992            head_inst->clearCanCommit();
993
994            ++commitNonSpecStalls;
995
996            return false;
997        } else if (head_inst->isLoad()) {
998            DPRINTF(Commit, "[sn:%lli]: Uncached load, PC %#x.\n",
999                    head_inst->seqNum, head_inst->readPC());
1000
1001            // Send back the non-speculative instruction's sequence
1002            // number.  Tell the lsq to re-execute the load.
1003            toIEW->commitInfo[tid].nonSpecSeqNum = head_inst->seqNum;
1004            toIEW->commitInfo[tid].uncached = true;
1005            toIEW->commitInfo[tid].uncachedLoad = head_inst;
1006
1007            head_inst->clearCanCommit();
1008
1009            return false;
1010        } else {
1011            panic("Trying to commit un-executed instruction "
1012                  "of unknown type!\n");
1013        }
1014    }
1015
1016    if (head_inst->isThreadSync()) {
1017        // Not handled for now.
1018        panic("Thread sync instructions are not handled yet.\n");
1019    }
1020
1021    // Stores mark themselves as completed.
1022    if (!head_inst->isStore()) {
1023        head_inst->setCompleted();
1024    }
1025
1026#if USE_CHECKER
1027    // Use checker prior to updating anything due to traps or PC
1028    // based events.
1029    if (cpu->checker) {
1030        cpu->checker->verify(head_inst);
1031    }
1032#endif
1033
1034    // Check if the instruction caused a fault.  If so, trap.
1035    Fault inst_fault = head_inst->getFault();
1036
1037    // DTB will sometimes need the machine instruction for when
1038    // faults happen.  So we will set it here, prior to the DTB
1039    // possibly needing it for its fault.
1040    thread[tid]->setInst(
1041        static_cast<TheISA::MachInst>(head_inst->staticInst->machInst));
1042
1043    if (inst_fault != NoFault) {
1044        head_inst->setCompleted();
1045        DPRINTF(Commit, "Inst [sn:%lli] PC %#x has a fault\n",
1046                head_inst->seqNum, head_inst->readPC());
1047
1048        if (iewStage->hasStoresToWB() || inst_num > 0) {
1049            DPRINTF(Commit, "Stores outstanding, fault must wait.\n");
1050            return false;
1051        }
1052
1053#if USE_CHECKER
1054        if (cpu->checker && head_inst->isStore()) {
1055            cpu->checker->verify(head_inst);
1056        }
1057#endif
1058
1059        assert(!thread[tid]->inSyscall);
1060
1061        // Mark that we're in state update mode so that the trap's
1062        // execution doesn't generate extra squashes.
1063        thread[tid]->inSyscall = true;
1064
1065        // Execute the trap.  Although it's slightly unrealistic in
1066        // terms of timing (as it doesn't wait for the full timing of
1067        // the trap event to complete before updating state), it's
1068        // needed to update the state as soon as possible.  This
1069        // prevents external agents from changing any specific state
1070        // that the trap need.
1071        cpu->trap(inst_fault, tid);
1072
1073        // Exit state update mode to avoid accidental updating.
1074        thread[tid]->inSyscall = false;
1075
1076        commitStatus[tid] = TrapPending;
1077
1078        // Generate trap squash event.
1079        generateTrapEvent(tid);
1080//        warn("%lli fault (%d) handled @ PC %08p", curTick, inst_fault->name(), head_inst->readPC());
1081        return false;
1082    }
1083
1084    updateComInstStats(head_inst);
1085
1086#if FULL_SYSTEM
1087    if (thread[tid]->profile) {
1088//        bool usermode =
1089//            (cpu->readMiscReg(AlphaISA::IPR_DTB_CM, tid) & 0x18) != 0;
1090//        thread[tid]->profilePC = usermode ? 1 : head_inst->readPC();
1091        thread[tid]->profilePC = head_inst->readPC();
1092        ProfileNode *node = thread[tid]->profile->consume(thread[tid]->getTC(),
1093                                                          head_inst->staticInst);
1094
1095        if (node)
1096            thread[tid]->profileNode = node;
1097    }
1098#endif
1099
1100    if (head_inst->traceData) {
1101        head_inst->traceData->setFetchSeq(head_inst->seqNum);
1102        head_inst->traceData->setCPSeq(thread[tid]->numInst);
1103        head_inst->traceData->finalize();
1104        head_inst->traceData = NULL;
1105    }
1106
1107    // Update the commit rename map
1108    for (int i = 0; i < head_inst->numDestRegs(); i++) {
1109        renameMap[tid]->setEntry(head_inst->destRegIdx(i),
1110                                 head_inst->renamedDestRegIdx(i));
1111    }
1112
1113    if (head_inst->isCopy())
1114        panic("Should not commit any copy instructions!");
1115
1116    // Finally clear the head ROB entry.
1117    rob->retireHead(tid);
1118
1119    // Return true to indicate that we have committed an instruction.
1120    return true;
1121}
1122
1123template <class Impl>
1124void
1125DefaultCommit<Impl>::getInsts()
1126{
1127    DPRINTF(Commit, "Getting instructions from Rename stage.\n");
1128
1129#if ISA_HAS_DELAY_SLOT
1130    // Read any renamed instructions and place them into the ROB.
1131    int insts_to_process = std::min((int)renameWidth,
1132                               (int)(fromRename->size + skidBuffer.size()));
1133    int rename_idx = 0;
1134
1135    DPRINTF(Commit, "%i insts available to process. Rename Insts:%i "
1136            "SkidBuffer Insts:%i\n", insts_to_process, fromRename->size,
1137            skidBuffer.size());
1138#else
1139    // Read any renamed instructions and place them into the ROB.
1140    int insts_to_process = std::min((int)renameWidth, fromRename->size);
1141#endif
1142
1143
1144    for (int inst_num = 0; inst_num < insts_to_process; ++inst_num) {
1145        DynInstPtr inst;
1146
1147#if ISA_HAS_DELAY_SLOT
1148        // Get insts from skidBuffer or from Rename
1149        if (skidBuffer.size() > 0) {
1150            DPRINTF(Commit, "Grabbing skidbuffer inst.\n");
1151            inst = skidBuffer.front();
1152            skidBuffer.pop();
1153        } else {
1154            DPRINTF(Commit, "Grabbing rename inst.\n");
1155            inst = fromRename->insts[rename_idx++];
1156        }
1157#else
1158        inst = fromRename->insts[inst_num];
1159#endif
1160        int tid = inst->threadNumber;
1161
1162        if (!inst->isSquashed() &&
1163            commitStatus[tid] != ROBSquashing) {
1164            changedROBNumEntries[tid] = true;
1165
1166            DPRINTF(Commit, "Inserting PC %#x [sn:%i] [tid:%i] into ROB.\n",
1167                    inst->readPC(), inst->seqNum, tid);
1168
1169            rob->insertInst(inst);
1170
1171            assert(rob->getThreadEntries(tid) <= rob->getMaxEntries(tid));
1172
1173            youngestSeqNum[tid] = inst->seqNum;
1174        } else {
1175            DPRINTF(Commit, "Instruction PC %#x [sn:%i] [tid:%i] was "
1176                    "squashed, skipping.\n",
1177                    inst->readPC(), inst->seqNum, tid);
1178        }
1179    }
1180
1181#if ISA_HAS_DELAY_SLOT
1182    if (rename_idx < fromRename->size) {
1183        DPRINTF(Commit,"Placing Rename Insts into skidBuffer.\n");
1184
1185        for (;
1186             rename_idx < fromRename->size;
1187             rename_idx++) {
1188            DynInstPtr inst = fromRename->insts[rename_idx];
1189            int tid = inst->threadNumber;
1190
1191            if (!inst->isSquashed()) {
1192                DPRINTF(Commit, "Inserting PC %#x [sn:%i] [tid:%i] into ",
1193                        "skidBuffer.\n", inst->readPC(), inst->seqNum, tid);
1194                skidBuffer.push(inst);
1195            } else {
1196                DPRINTF(Commit, "Instruction PC %#x [sn:%i] [tid:%i] was "
1197                        "squashed, skipping.\n",
1198                        inst->readPC(), inst->seqNum, tid);
1199            }
1200        }
1201    }
1202#endif
1203
1204}
1205
1206template <class Impl>
1207void
1208DefaultCommit<Impl>::skidInsert()
1209{
1210    DPRINTF(Commit, "Attempting to any instructions from rename into "
1211            "skidBuffer.\n");
1212
1213    for (int inst_num = 0; inst_num < fromRename->size; ++inst_num) {
1214        DynInstPtr inst = fromRename->insts[inst_num];
1215
1216        if (!inst->isSquashed()) {
1217            DPRINTF(Commit, "Inserting PC %#x [sn:%i] [tid:%i] into ",
1218                    "skidBuffer.\n", inst->readPC(), inst->seqNum,
1219                    inst->threadNumber);
1220            skidBuffer.push(inst);
1221        } else {
1222            DPRINTF(Commit, "Instruction PC %#x [sn:%i] [tid:%i] was "
1223                    "squashed, skipping.\n",
1224                    inst->readPC(), inst->seqNum, inst->threadNumber);
1225        }
1226    }
1227}
1228
1229template <class Impl>
1230void
1231DefaultCommit<Impl>::markCompletedInsts()
1232{
1233    // Grab completed insts out of the IEW instruction queue, and mark
1234    // instructions completed within the ROB.
1235    for (int inst_num = 0;
1236         inst_num < fromIEW->size && fromIEW->insts[inst_num];
1237         ++inst_num)
1238    {
1239        if (!fromIEW->insts[inst_num]->isSquashed()) {
1240            DPRINTF(Commit, "[tid:%i]: Marking PC %#x, [sn:%lli] ready "
1241                    "within ROB.\n",
1242                    fromIEW->insts[inst_num]->threadNumber,
1243                    fromIEW->insts[inst_num]->readPC(),
1244                    fromIEW->insts[inst_num]->seqNum);
1245
1246            // Mark the instruction as ready to commit.
1247            fromIEW->insts[inst_num]->setCanCommit();
1248        }
1249    }
1250}
1251
1252template <class Impl>
1253bool
1254DefaultCommit<Impl>::robDoneSquashing()
1255{
1256    std::list<unsigned>::iterator threads = (*activeThreads).begin();
1257
1258    while (threads != (*activeThreads).end()) {
1259        unsigned tid = *threads++;
1260
1261        if (!rob->isDoneSquashing(tid))
1262            return false;
1263    }
1264
1265    return true;
1266}
1267
1268template <class Impl>
1269void
1270DefaultCommit<Impl>::updateComInstStats(DynInstPtr &inst)
1271{
1272    unsigned thread = inst->threadNumber;
1273
1274    //
1275    //  Pick off the software prefetches
1276    //
1277#ifdef TARGET_ALPHA
1278    if (inst->isDataPrefetch()) {
1279        statComSwp[thread]++;
1280    } else {
1281        statComInst[thread]++;
1282    }
1283#else
1284    statComInst[thread]++;
1285#endif
1286
1287    //
1288    //  Control Instructions
1289    //
1290    if (inst->isControl())
1291        statComBranches[thread]++;
1292
1293    //
1294    //  Memory references
1295    //
1296    if (inst->isMemRef()) {
1297        statComRefs[thread]++;
1298
1299        if (inst->isLoad()) {
1300            statComLoads[thread]++;
1301        }
1302    }
1303
1304    if (inst->isMemBarrier()) {
1305        statComMembars[thread]++;
1306    }
1307}
1308
1309////////////////////////////////////////
1310//                                    //
1311//  SMT COMMIT POLICY MAINTAINED HERE //
1312//                                    //
1313////////////////////////////////////////
1314template <class Impl>
1315int
1316DefaultCommit<Impl>::getCommittingThread()
1317{
1318    if (numThreads > 1) {
1319        switch (commitPolicy) {
1320
1321          case Aggressive:
1322            //If Policy is Aggressive, commit will call
1323            //this function multiple times per
1324            //cycle
1325            return oldestReady();
1326
1327          case RoundRobin:
1328            return roundRobin();
1329
1330          case OldestReady:
1331            return oldestReady();
1332
1333          default:
1334            return -1;
1335        }
1336    } else {
1337        int tid = (*activeThreads).front();
1338
1339        if (commitStatus[tid] == Running ||
1340            commitStatus[tid] == Idle ||
1341            commitStatus[tid] == FetchTrapPending) {
1342            return tid;
1343        } else {
1344            return -1;
1345        }
1346    }
1347}
1348
1349template<class Impl>
1350int
1351DefaultCommit<Impl>::roundRobin()
1352{
1353    std::list<unsigned>::iterator pri_iter = priority_list.begin();
1354    std::list<unsigned>::iterator end      = priority_list.end();
1355
1356    while (pri_iter != end) {
1357        unsigned tid = *pri_iter;
1358
1359        if (commitStatus[tid] == Running ||
1360            commitStatus[tid] == Idle ||
1361            commitStatus[tid] == FetchTrapPending) {
1362
1363            if (rob->isHeadReady(tid)) {
1364                priority_list.erase(pri_iter);
1365                priority_list.push_back(tid);
1366
1367                return tid;
1368            }
1369        }
1370
1371        pri_iter++;
1372    }
1373
1374    return -1;
1375}
1376
1377template<class Impl>
1378int
1379DefaultCommit<Impl>::oldestReady()
1380{
1381    unsigned oldest = 0;
1382    bool first = true;
1383
1384    std::list<unsigned>::iterator threads = (*activeThreads).begin();
1385
1386    while (threads != (*activeThreads).end()) {
1387        unsigned tid = *threads++;
1388
1389        if (!rob->isEmpty(tid) &&
1390            (commitStatus[tid] == Running ||
1391             commitStatus[tid] == Idle ||
1392             commitStatus[tid] == FetchTrapPending)) {
1393
1394            if (rob->isHeadReady(tid)) {
1395
1396                DynInstPtr head_inst = rob->readHeadInst(tid);
1397
1398                if (first) {
1399                    oldest = tid;
1400                    first = false;
1401                } else if (head_inst->seqNum < oldest) {
1402                    oldest = tid;
1403                }
1404            }
1405        }
1406    }
1407
1408    if (!first) {
1409        return oldest;
1410    } else {
1411        return -1;
1412    }
1413}
1414