views:

611

answers:

6

What is the difference between

Str[32] = "\0";

and

Str[32] = "";
+14  A: 

Since you already declared the sizes, the two declarations are exactly equal. However, if you do not specify the sizes, you can see that the first declaration makes a larger string:

char a[] = "a\0";
char b[] = "a";

printf("%i %i\n", sizeof(a), sizeof(b));

prints

3 2

This is because a ends with two nulls (the explicit one and the implicit one) while b ends only with the implicit one.

Kyle Cronin
+2  A: 

Unless I'm mistaken, the first will initialize 2 chars to 0 (the '\0' and the terminator that's always there, and leave the rest untouched, and the last will initialize only 1 char (the terminator).

Nathan Fellman
A: 

In the first case, your string will contain 2 null characters. In the second case, your string will contain 1 null character. (Using the quotes to declare strings automatically appends a null character at the end).

Mark Ingram
+4  A: 

As others have pointed out, "" implies one terminating '\0' character, so "\0" actually initializes the array with two null characters.

Some other answerers have implied that this is "the same", but that isn't quite right. There may be no practical difference -- as long the only way the array is used is to reference it as a C string beginning with the first character. But note that they do indeed result in two different memory initalizations, in particular they differ in whether Str[1] is definitely zero, or is uninitialized (and could be anything, depending on compiler, OS, and other random factors). There are some uses of the array (perhaps not useful, but still) that would have different behaviors.

Larry Gritz
A: 

There is no difference. They will both generate a compiler error on undeclared symbol. :P

spoulson
+5  A: 

Well, assuming the two cases are as follows (to avoid compiler errors):

char str1[32] = "\0";
char str2[32] = "";

As people have stated, str1 is initialized with two null characters:

char str1[32] = {'\0','\0'};
char str2[32] = {'\0'};

However, according to both the C and C++ standard, if part of an array is initialized, then remaining elements of the array are default initialized. For a character array, the remaining characters are all zero initialized (i.e. null characters), so the arrays are really initialized as:

char str1[32] = {'\0','\0','\0','\0','\0','\0','\0','\0',
                 '\0','\0','\0','\0','\0','\0','\0','\0',
                 '\0','\0','\0','\0','\0','\0','\0','\0',
                 '\0','\0','\0','\0','\0','\0','\0','\0'};
char str2[32] = {'\0','\0','\0','\0','\0','\0','\0','\0',
                 '\0','\0','\0','\0','\0','\0','\0','\0',
                 '\0','\0','\0','\0','\0','\0','\0','\0',
                 '\0','\0','\0','\0','\0','\0','\0','\0'};

So, in the end, there really is no difference between the two.

Important observation!
jfm3