2

我有一个我的教授编写的程序,它模拟内存写入 L2 缓存的方式。它有几个地方我应该填写空白。我应该做的第一件事是清除每个缓存条目的有效位。他给了我们以下信息:

//number of cache entries (2^11)

#define L2_NUM_CACHE_ENTRIES (1<<11)

/***************************************************

This struct defines the structure of a single cache
entry in the L2 cache. It has the following fields:
v_d_tag: 32-bit unsigned word containing the
valid (v) bit at bit 31 (leftmost bit),
the dirty bit (d) at bit 30, and the tag
in bits 0 through 15 (the 16 rightmost bits)
cache_line: an array of 8 words, constituting a single
cache line.
****************************************************/

Typedef struct {

uint32_t v_d_tag;

uint32_t cache_line[WORDS_PER_CACHE_LINE];

} L2_CACHE_ENTRY;

//The L2 is just an array cache entries

L2_CACHE_ENTRY l2_cache[L2_NUM_CACHE_ENTRIES];

因此,据我了解,清除有效位仅意味着将其设置为零。有效位是 v_d_tag 的第 31 位,所以我应该使用位掩码 - 我想按照“v_d_tag = v_d_tag & 0x80000000;”的方式做一些事情?但我不明白的是如何为每个缓存条目完成并执行此操作。我看到了缓存条目数组(l2_cache),但我看不到 v_d_tag 与它的关系。

谁能给我解释一下?

4

2 回答 2

4

typedef struct 在 C++ 中是多余的,正如#define我所看到的,它们可能是静态 const int。

为了清除它们,你会想要做

for(int i = 0; i < L2_NUM_CACHE_ENTRIES; i++)
    l2_cache[i].v_d_tag &= 0x80000000;
于 2011-01-23T21:02:27.050 回答
-1

struct 以 C 的方式定义,因为在 C 中,typedef 声明一个 struct 是一种常见的习惯用法,这样它就可以用作一种类型,而不必struct L2_CACHE_ENTRY在每个引用上都写。在 C++ 中不再需要这个习惯用法,因为struct标记将作为单独的类型工作。

简而言之,在 C++ 中,您可以对待

typedef struct {

uint32_t v_d_tag;

uint32_t cache_line[WORDS_PER_CACHE_LINE];

} L2_CACHE_ENTRY;

完全一样

struct L2_CACHE_ENTRY{

uint32_t v_d_tag;

uint32_t cache_line[WORDS_PER_CACHE_LINE];

};
于 2011-01-23T21:25:53.023 回答