Explanation of sizeof in C Language eg: int I = 10; printf ("sizeof (I ++) is: % d \ n", sizeof (++ I ));

Source: Internet
Author: User
#include <stdio.h>#include <stdlib.h>int main(){    int i;    i = 10;    printf("i : %d\n",i);    printf("sizeof(i++) is: %d\n",sizeof(++i));    printf("i : %d\n",i);    return 0;}

Result:

I: 10

Sizeof (I ++) is: 4
I: 10


Sizeof is an operator, but does not calculate the expression...

I have encountered many interview questions in my company. Today, I am also wrong when I see discussions in the Group...


The following is a reprinted article. For reference: http://bbs.ednchina.com/BLOG_ARTICLE_268624.HTM


Most companies are looking for technical positions. During the interview, they will test the basic C language, and sizeof is their favorite knowledge point. The following is a summary:

1. Definition:

Sizeof is a type of single object operator in C language, such as other operators ++ and -- in C language. It is not a function. The sizeof operator provides the storage size of its operands in bytes. The operand can be an expression or a type name enclosed in parentheses. The storage size of the operands is determined by the type of the operands. The function is to return the memory bytes occupied by an object or type.

The description on msdn is as follows:

The sizeof keyword gives the amount of storage, in bytes, associated with a variable or a type (including aggregate types ).

This keyword returns a value of Type size_t.

The return value type is size_t, which is defined in the header file stddef. h. This is a value dependent on the compilation system. It is generally defined as typedef unsigned int size_t;

There are many compilers in the world, but as a standard, they will ensure that the sizeof values of char, signed Char, and unsigned char are 1. After all, char is the minimum data type that we can use for programming.

2. Syntax:

Sizeof has three syntax forms:

1) sizeof (object); // sizeof (object );

2) sizeof (type_name); // sizeof (type );

3) sizeof object; // sizeof object;

So,

Int I;

Sizeof (I); // OK

Sizeof I; // OK

Sizeof (INT); // OK

Sizeof int; // Error

Since writing 3 can be replaced by writing 1, in order to unify the form and reduce the burden on our brains, there are 3rd writing methods. Forget it!

In fact, the size of the sizeof calculation object is also converted to the calculation of the object type, that is, the sizeof values of different objects of the same type are consistent. Here, the object can be further extended to the expression, that is, sizeof can evaluate an expression. The Compiler determines the size based on the final result type of the expression, generally, expressions are not computed. (Baidu's pen questions can be explained --

Char A = "255 ";

Printf ("% d", sizeof (A ++);/* The printed value is 1. This step does not calculate the expression a ++, so char a = "255 "*/

Printf ("% d", a);/* Note: Char A = "255" is printed as an integer value. You need to print its complement code (excluding the symbol bit, add one after it is reversed, the printed value is-1 */

)). For example:

Sizeof (2); // The type of 2 is int, so it is equivalent to sizeof (INT );

Sizeof (2 + 3.14); // The type of 3.14 is double, and 2 is also upgraded to double, so it is equivalent to sizeof (double );

Sizeof can also be used to evaluate a function call. The result is the size of the function return type, and the function is not called. Let's take a complete example:

Char Foo ()

{

Printf ("Foo () has been called. \ n ");

Return 'a ';

}

Int main ()

{

Size_t SZ = sizeof (FOO ();/* the return value type of Foo () is Char, so SZ = sizeof (char), Foo () is not called */

Printf ("sizeof (FOO () = % d \ n", SZ );

}

According to the c99 standard, a function, an undefined type expression, and a bit-field member cannot be used to calculate the sizeof value. That is, the sizeof operator cannot be used for function types, incomplete type or bit field. An incomplete data type refers to a data type with an unknown storage size, such as an array type with an unknown storage size, an unknown content structure, a union type, and a void type. The following statements are incorrect:

Sizeof (FOO); // Error

Void foo2 (){}

Sizeof (foo2 (); // Error

Struct s

{

Unsigned int F1: 1; // error is a bit field

Unsigned int F2: 5;

Unsigned int F3: 12;

};

Sizeof (S. F1); // Error

3. constants of sizeof

The sizeof calculation occurs at the Compilation Time, so it can be used as a constant expression, such:

Char ary [sizeof (INT) * 10]; // OK

The latest c99 standard stipulates that sizeof can also be calculated at runtime. The following programs can be correctly executed in Dev-C ++:

Int N;

N = 10; // n Dynamic assignment

Char ary [N]; // c99 also supports dynamic definition of Arrays

Printf ("% d \ n", sizeof (ary); // OK. Output 10

But it won't work in the compiler that does not fully implement the c99 standard, and the above Code won't be able to compile in vc6. Therefore, we 'd better think that sizeof is executed during the compilation period. This will not cause errors and make the program more portable.

4. sizeof of basic data type

The basic data types here refer to simple built-in data types such as short, Int, long, float, and double. Because they are all related to the system, the values may be different in different systems, this must attract our attention, and try not to cause trouble for porting our programs in this respect.

Generally, in a 32-bit compiling environment, the value of sizeof (INT) is 4.

5. sizeof pointer variable

If you have learned the data structure, you should know that the pointer is a very important concept, which records the address of another object. Since the address is stored, it is equal to the width of the computer's internal address bus. Therefore, in a 32-bit computer, the return value of a pointer variable must be 4 (note that the result is in bytes), which can be predicted, in the future 64-bit system, the sizeof result of the pointer variable is 8.

Char * Pc = "ABC ";

Int * PI;

String * pS;

Char ** PPC = & PC;

Void (* PF) (); // function pointer

Sizeof (PC); // The result is 4

Sizeof (PI); // The result is 4

Sizeof (PS); // The result is 4

Sizeof (PPC); // The result is 4

Sizeof (PF); // The result is 4

The sizeof value of the pointer variable has nothing to do with the object indicated by the pointer. It is precisely because all pointer variables occupy the same memory size, therefore, the MFC message processing function uses two parameters wparam and lparam to transmit various complex message structures (using pointers to struct ).

6. sizeof of Array

The sizeof value of the array is equal to the number of memory bytes occupied by the array, for example:

Char A1 [] = "ABC ";

Int A2 [3];

Sizeof (A1); // The result is 4. A null Terminator exists at the end of the character.

Sizeof (A2); // The result is 3*4 = 12 (dependent on INT)

Some friends regard sizeof as the number of array elements at the beginning. Now, you should know that this is not correct. How should we calculate the number of array elements easily, there are usually two ways to write:

Int C1 = sizeof (A1)/sizeof (char); // total length/length of a single element

Int C2 = sizeof (A1)/sizeof (A1 [0]); // total length/length of the first element

Write it here and ask, what is the value of C3 and C4 below?

Void foo3 (char A3 [3])

{

Int C3 = sizeof (A3); // C3 =

}

Void foo4 (char A4 [])

{

Int C4 = sizeof (A4); // C4 =

}

Maybe when you try to answer the C4 value, you realize that C3 is wrong. Yes, C3! = 3. Here, the function parameter A3 is no longer an array type, but a pointer, which is equivalent to char * A3. It is hard to understand why, when we call the function foo1, will the program allocate a 3 array on the stack? No! The array is "Address Transfer". The caller only needs to pass the address of the real parameter, so A3 is naturally a pointer type (char *), and the C3 value is 4.

7. sizeof of struct

This is the most frequently asked question for beginners, so it is necessary to pay more attention here. Let's first look at a struct.

Struct S1

{

Char C;

Int I;

};

Ask how smart the sizeof (S1) is. You start to think about it. Char occupies 1 byte and INT occupies 4 byte. Then, the total value should be 5. Is that true? Have you tried it on your machine? Maybe you are right, but you are probably wrong! In vc6, the default value is 8.

Why is my injury always me?

Don't be frustrated. Let's take a look at the definition of sizeof. The result of sizeof is equal to the number of memory bytes occupied by the object or type. Well, let's take a look at the memory allocation of S1:

S1 S1 = {'A', 0 xffffffff };

After defining the above variable, add a breakpoint and run the program. Observe the memory where S1 is located. what do you find? Take my vc6.0 as an example. The S1 address is 0x0012ff78, and its data content is as follows:

0012ff78: 61 CC FF

What are the three-byte CC in the middle? Let's take a look at the description on msdn:

When applied to a structure type or variable, sizeof returns the actual size, which may include Padding Bytes inserted for alignment.

Originally, this is the legendary byte alignment! An important topic has emerged.

Why do we need byte alignment principles to teach us how to speed up the computer's data acquisition speed? Otherwise, it will take a longer command cycle. For this reason, the compiler will process the struct by default (in fact, the data variables in other places are also the same), so that the basic data type with a width of 2 (short, etc) are located on the address that can be divisible by 2, so that the basic data type (INT, etc.) with the width of 4 is located on the address that can be divisible by 4, and so on. In this way, the two numbers may need to be added to the padding byte, so the sizeof value of the entire struct increases.

Let's exchange the positions of char and INT in S1:

Struct S2

{

Int I;

Char C;

};

Let's look at the number of sizeof (S2) results. How can we still look at the memory at 8? The original member C still has three Padding Bytes. Why? Don't worry. The following summarizes the rules.

The details of byte alignment are related to compiler implementation, but generally three criteria are met:

1) The first address of the struct variable can be divisible by the size of its widest basic type member;

2) The offset (offset) of each member of the struct to the first address of the struct is an integer multiple of the member size. If necessary, the compiler will add the internal adding between the members );

3) the total size of the struct is an integer multiple of the size of the widest basic type of the struct. If necessary, the compiler will add the trailing padding after the last member ).

There are several notes for the above principles:

1) I didn't mean that the address of a struct member is an integer multiple of its size. Why do I mention the offset?

So we can only consider the member offset, which is easy to think about. Think about why.

The offset of a member of the struct to the first address of the struct can be obtained through the macro offsetof (). This macro is also defined in stddef. H, as follows:

# Define offsetof (S, m) (size_t) & (S *) 0)-> m)

For example, to get the offset of C in S2, the method is

Size_t Pos = offsetof (S2, c); // POS equals 4

2) The basic type refers to the built-in data types such as char, short, Int, float, and double mentioned above. The "data width" here refers to the size of its sizeof. Because the struct member can be a composite type, for example, another struct, when looking for the widest basic type member, it should include the Child Member of the composite type member, instead of seeing a composite member as a whole. However, when determining the offset of a composite member, the composite type is regarded as a whole.

This is a bit difficult to describe here, and it seems a bit confusing to think about it. Let's take a look at the example (the specific value is still taken as an example of vc6 and will not be explained later ):

Struct S3

{

Char C1;

S1 S;

Char C2

};

The type of the widest and simplest member of S1 is int. When considering the widest and simplest type members, S3 splits S1, so the widest and simplest type of S3 is int. In this way, for variables defined by S3, the first address of the bucket needs to be divisible by four, and the entire sizeof (S3) value should also be divisible by four.

The offset of C1 is 0, and the offset of S is a whole. As a struct variable, S satisfies the first three

So its size is 8, its offset is 4, and three Padding Bytes are required between C1 and S, so there is no need between C2 and S, so the offset of C2 is 12, the size of C2 is 13, and 13 cannot be fully divided by 4. Therefore, three fill bytes must be added at the end. Finally, the value of sizeof (S3) is 16.

Through the above description, we can get a formula:

The size of the struct is equal to the offset of the last member plus the size of the struct plus the number of filled bytes at the end, that is:

Sizeof (struct) = offsetof (last item) + sizeof (trailing padding)

Here, friends should have a new understanding of the sizeof struct, but don't be too happy. An important parameter that affects sizeof has not been mentioned yet, that is the pack instruction of the compiler. It is used to adjust the structure alignment mode. Different compiler names and usages are slightly different. In vc6, the # pragma pack is used for implementation, and you can also directly modify the/ZP compilation switch. # Basic usage of The Pragma Pack: # pragma pack (N), where N is the number of bytes alignment. The default value is 8, if this value is smaller than the sizeof value of the struct member, the offset of the struct member should take the minimum value of the two. The formula is as follows:

Offsetof (item) = min (n, sizeof (item ))

Let's look at the example:

# Pragma pack (push) // Save the current pack setting pressure Stack

# Pragma pack (2) // must be used before struct Definition

Struct S1

{

Char C;

Int I;

};

Struct S3

{

Char C1;

S1 S;

Char C2

};

# Pragma pack (POP) // restore previous pack settings

When sizeof (S1) is calculated, the value of min (2, sizeof (I) is 2, so the offset of I is 2, and the value of sizeof (I) is 6, it can be divisible by 2, so the size of the entire S1 is 6.

Similarly, for sizeof (S3), the offset of S is 2, the offset of C2 is 8, and the addition of sizeof (C2) is equal to 9, cannot be divisible by 2, add a fill byte, so sizeof (S3) is equal to 10.

Now, friends can breathe a sigh of relief ,:)

Note that the size of the "Empty struct" (excluding data members) is not 0, but 1. Imagine how a variable with "no space occupied" can be separated by an address and two different "Empty struct" variables. Therefore, the variable "Empty struct" must also be stored, in this way, the compiler can only allocate one byte of space for occupying space. As follows:

Struct S5 {};

Sizeof (S5); // The result is 1.

8. sizeof containing bitfield struct

As mentioned above, bitfield members cannot be individually sizeof values. Here we will discuss the sizeof of struct containing the bitfield, but specifically list it in consideration of its particularity.

C99 specifies that int, unsigned int, and bool can be used as bit domain types, but almost all compilers have extended these types to allow the existence of other types.

The main purpose of bit domains is to compress storage. The general rules are as follows:

1) if the types of adjacent fields are the same, and the sum of the bit widths is smaller than the sizeof size of the type, the subsequent fields will be stored next to the previous field until they cannot be accommodated;

2) If the Field Types of adjacent bit fields are the same, but the sum of Bit Width is greater than the sizeof size of the type, the subsequent fields start from the new storage unit, its offset is an integer multiple of its type;

3) if the types of adjacent bit field are different, the implementations of each compiler are different. vc6 adopts the non-compression mode and Dev-C ++ adopts the compression mode;

4) do not compress fields that are interspersed with non-bit fields;

5) the total size of the entire struct is an integer multiple of the size of the widest basic type.

Let's take a look at the example.

Example 1:

Struct bf1

{

Char F1: 3;

Char F2: 4;

Char F3: 5;

};

Its memory layout is:

| _ F1 __|__ F2 __| _ | ____ F3 ___ | ____ |

| _ |

0 3 7 8 1316

The bit field type is Char, and the 1st bytes can only accommodate F1 and F2, so F2 is compressed to 1st bytes, while F3 can only start from the next byte. Therefore, the result of sizeof (bf1) is 2.

Example 2:

Struct bf2

{

Char F1: 3;

Short F2: 4;

Char F3: 5;

};

Because the adjacent bit fields have different types, in vc6, sizeof is 6, and in Dev-C ++ is 2.

Example 3:

Struct bf3

{

Char F1: 3;

Char F2;

Char F3: 5;

};

The non-bit field is interspersed in it and will not produce compression. The size obtained in vc6 and Dev-C ++ is 3.

9. sizeof of the Consortium

The struct structure is sequential in the memory structure, while the consortium is overlapping. Each member shares a piece of memory, so the sizeof of the entire consortium is the maximum value of sizeof each member. Struct members can also be composite. Here, composite Members are considered as a whole.

Therefore, in the following example, the sizeof value of U is equal to sizeof (s ).

Struct S1

{

Char F1;

Int F2;

Char * F3;

};

Union u

{

Int I;

Char C;

S1 S;

};

10. Exercise questions

All test programs are compiled using GCC in a 32-bit system.

1. Write the running result of testlength ().

Void testlength ()

{

Int A [10];

Int * B =;

Printf ("size is % d \ n", sizeof (INT ));

Printf ("size is % d \ n", sizeof (int *));

Printf ("size is % d \ n", sizeof (char *));

Printf ("size is % d \ n", sizeof ());

Testinlength1 ();

Testinlengh2 ();

}

Void testinlength1 (int A [])

{Printf ("size is % d \ n", sizeof ());}

Void testinleng22. (int *)

{Printf ("size is % d \ n", sizeof ());}

2. Write the test () running result

Struct _ teststruct1

{

Char;

Int B;

Char C;

};

Struct _ teststruct2

{

Int;

Int B;

Int C;

};

Struct _ teststruct3

{

Int;

Void (* testfunc) (int );

};

Struct _ teststruct4

{

Char;

Char B;

Char C;

Char D;

Int E;

Char F;

}

Void test ()

{

Printf ("the size of _ teststruct1 is % d \ n", sizeof (struct _ teststruct1 ));

Printf ("the size of _ teststruct2 is % d \ n", sizeof (struct _ teststruct2 ));

Printf ("the size of _ teststruct3 is % d \ n", sizeof (struct _ teststruct3 ));

Printf ("the size of _ teststruct4 is % d \ n", sizeof (struct _ teststruct4 ));


Related Article

Contact Us

The content source of this page is from Internet, which doesn't represent Alibaba Cloud's opinion; products and services mentioned on that page don't have any relationship with Alibaba Cloud. If the content of the page makes you feel confusing, please write us an email, we will handle the problem within 5 days after receiving your email.

If you find any instances of plagiarism from the community, please send an email to: info-contact@alibabacloud.com and provide relevant evidence. A staff member will contact you within 5 working days.

A Free Trial That Lets You Build Big!

Start building with 50+ products and up to 12 months usage for Elastic Compute Service

  • Sales Support

    1 on 1 presale consultation

  • After-Sales Support

    24/7 Technical Support 6 Free Tickets per Quarter Faster Response

  • Alibaba Cloud offers highly flexible support services tailored to meet your exact needs.