Stride Prefetcher

成员变量

1. StrideEntryTable

strideEntry构成要给PCTable
每个requestor会开一个PCTable

struct StrideEntry : public TaggedEntry {
	StrideEntry(int init_confidence);

	void invalidate() override;

	Addr lastAddr;
	int stride;
	int confidence;
};
typedef AssociativeSet<StrideEntry> PCTable;
std::unordered_map<int, PCTable> pcTables;
uint32_t
StridePrefetcherHashedSetAssociative::extractSet(const Addr pc) const
{
    const Addr hash1 = pc >> 1;
    const Addr hash2 = hash1 >> tagShift;
    return (hash1 ^ hash2) & setMask;
}

Addr
StridePrefetcherHashedSetAssociative::extractTag(const Addr addr) const
{
    return addr;
}

2. 成员函数

```cpp
// Get corresponding pc table
PCTable* pcTable = findTable(requestor_id);

// Search for entry in the pc table
StrideEntry *entry = pcTable->findEntry(pc, is_secure);
if (entry != nullptr) {
	pcTable->accessEntry(entry);

	// Hit in table
	int new_stride = line_addr - entry->lastAddr;
	bool stride_match = (new_stride == entry->stride);

	// Adjust confidence for stride entry
	if (stride_match && new_stride != 0) {
		if (entry->confidence < threshConf) {
			entry->confidence++;
		}
	} else {
		if (entry->confidence == 0) {
			entry->stride = new_stride;
		}
		else {
			entry->confidence--;
		}
	}

	entry->lastAddr = line_addr;

	// Abort prefetch generation if below confidence threshold
	if (entry->confidence < threshConf) {
		return;
	}

	// Generate up to degree prefetches
	for (int d = 1; d <= currentDegree; d++) {
		// Round strides up to atleast 1 cacheline
		int prefetch_stride = new_stride;

		Addr new_addr = (line_addr + prefetch_stride * d) << lBlkSize;
		if (samePage(pf_addr, new_addr))
			addresses.push_back(AddrPriority(new_addr, 0));
	}
}
else {
	// Miss in table
	StrideEntry* entry = pcTable->findVictim(pc);

	// Insert new entry's data
	entry->lastAddr = line_addr;
	pcTable->insertEntry(pc, is_secure, entry);
}

3. Throttling

根据prefetch accuracy调节degree

void
Stride::notifyFill(const PacketPtr& pkt)
{
    // Only insert into the RR right way if it's the pkt is a HWP
    if (!pkt->cmd.isHWPrefetch()) return;

    filled++;
    if (filled >= adjustInterval) {
        double accuracy = (double) usefulPrefetches / (double) issuedPrefetches;
        if (accuracy > 0.5 && currentDegree < maxDegree) {
            currentDegree++;
        }
        else if (accuracy < 0.2 && currentDegree > 1) {
            currentDegree--;
        }
        filled = 0;
    }
}