sizeof string array in C++

1.8k Views Asked by At

I am confused about the sizeof string array in C++, I have the following string array:

static const char* namedButtonStr[] = {
        "GLUT_LEFT_BUTTON",
        "GLUT_MIDDLE_BUTTON",
        "GLUT_RIGHT_BUTTON"
};

And to get the size of this array, the following code is used:

int size = int(sizeof(namedButtonStr)/sizeof(namedButtonStr[0]));

Where sizeof(namedButtonStr) is 12, sizeof(namedButtonStr[0]) is 4, and the size of the array is 12/4 = 3.

My question is, why sizeof(namedButtonStr) is 12 and sizeof(namedButtonStr[0]) is 4? My understanding is sizeof(namedButtonStr) is 3 and sizeof(namedButtonStr[0]) is 17 ("GLUT_LEFT_BUTTON" has 17 characters).

2

There are 2 best solutions below

0
On BEST ANSWER

namedButtonStr[0] is of type const char*, so its sizeof is the size of pointer, not the array it points to.

namedButtonStr, on the contrary, is an array, so its sizeof is the bytesize of the whole array, that is, 3 * sizeof(<one item in the array>).


Edit: By the way, this is a pretty standard idiom for determining array's size, you'll see it often.

0
On

My question is, why sizeof(namedButtonStr) is 12 and sizeof(namedButtonStr[0]) is 4? My understanding is sizeof(namedButtonStr) is 3 and sizeof(namedButtonStr[0]) is 17 ("GLUT_LEFT_BUTTON" has 17 characters).

The namedButtonStr will contain 3 pointers. (In general, a C pointer is 4 bytes, this may change as 64 bit busses become common, along with 64 bit compilers.)

So, 3 pointers * 4 (bytes per pointer) = 12 bytes.

The namedButtonStr[0] refers to a single/first one of those 3 pointers, and as stated above, each pointer is 4 bytes.

The result is 12/4 = 3