Reputation: 35
I was just wondering: since sizeof()
's return type is size_t
, why does sizeof(size_t)
give me 4
?
That is, when I malloc(someSize)
, did I asked for someSize
bytes or someSize*4
bytes ?
I've been doing an ASM homework for two days, and I'm getting pretty confused now. Thanks for your help!
Upvotes: 2
Views: 2974
Reputation: 557
According to the 1999 ISO C standard (C99), size_t
is an unsigned integer type of at least 16 bit (see sections 7.17 and 7.18.3).
The
size_t
is an unsigned data type defined by several C/C++ standards, e.g. the C99 ISO/IEC 9899 standard, that is defined in stddef.h.1 It can be further imported by inclusion of stdlib.h as this file internally sub includes stddef.h.This type is used to represent the size of an object. Library functions that take or return sizes expect them to be of type or have the return type of
size_t
. Further, the most frequently used compiler-based operator sizeof should evaluate to a constant value that is compatible withsize_t
.
This was discussed in this post: What is size_t in C?
And when you do malloc(sizeof(int))
it allocates four bytes of memory dynamically. Don't confuse between size_t
and sizeof(size_t)
.
Upvotes: 3
Reputation: 106032
why does
sizeof(size_t)
give me 4?
Because of size-t
is of type unsigned long int
, sizeof(size_t)
will give the size of unsigned long int
on your machine (on my machine--32 bit-- it is giving 4 bytes).
#include <stdio.h>
int main ()
{
printf("%d\n", sizeof(unsigned long int));
printf("%d\n", sizeof(size_t));
return 0;
}
did I asked for
someSize
bytes orsomeSize*4
bytes ?
Answer is: someSize
, because sizeof
function determines the size of the data type (in bytes). Return type of sizeof
is size_t
.
So, you can say sizeof
determines size of the data type (in bytes) while returns size_t
type data.
Upvotes: 1
Reputation:
You're confusing the number of bytes necessary to represent some value and the number of bytes necessary to represent that size. Or, as @Mat put it in a comment, you're confusing the type and the unit. sizeof(T)
reports how many bytes (char
s) a value of type T
occupies. However, because some types can be quite large, occupying thousands or even millions of bytes (think large arrays), this value has to be stored using an integral type that itself occupies several bytes (size_t
).
As an analogy, write out the number 10^100 (hypothetically), and then count how many decimal digits this number has. Write up the latter number (hint: it's 100). 100 itself takes several decimal digits to write out, but that doesn't affect how many digits 10^100 occupies.
Upvotes: 2