In C, a string is a sequence of character values terminated by a 0-valued character - IOW, the string "Hello" is represented as the character sequence 'H', 'e', 'l', 'l', 'o', 0.  Strings are stored in arrays of char (or wchar_t for wide strings):
char str[] = "Hello";
In memory, str would look something like this:
     +---+
str: |'H'| str[0]
     +---+
     |'e'| str[1]
     +---+
     |'l'| str[2]
     +---+
     |'l'| str[3]
     +---+
     |'o'| str[4]
     +---+
     | 0 | str[5]
     +---+
It is possible to store multiple strings in a single 1D array, although almost nobody does this:
char strs[] = "foo\0bar";
In memory:
      +---+
strs: |'f'| strs[0]
      +---+
      |'o'| strs[1]
      +---+
      |'o'| strs[2]
      +---+
      | 0 | strs[3]
      +---+
      |'b'| strs[4]
      +---+
      |'a'| strs[5]
      +---+
      |'r'| strs[6]
      +---+
      | 0 | strs[7]
      +---+
The string "foo" is stored starting at strs[0], while the string "bar" is stored starting at strs[4].  
Normally, to store an array of strings, you'd either use a 2D array of char:
char strs[][MAX_STR_LEN] = { "foo", "bar", "bletch" };
or a 1D array of pointers to char:
char *strs[] = { "foo", "bar", "bletch" };
In the first case, the contents of the string are stored within the strs array:
      +---+---+---+---+---+---+---+
strs: |'f'|'o'|'o'| 0 | ? | ? | ? |
      +---+---+---+---+---+---+---+
      |'b'|'a'|'r'| 0 | ? | ? | ? |
      +---+---+---+---+---+---+---+
      |'b'|'l'|'e'|'t'|'c'|'h'| 0 |
      +---+---+---+---+---+---+---+
In the second, each strs[i] points to a different, 1D array of char:
      +---+                 +---+---+---+---+
strs: |   | strs[0] ------> |'f'|'o'|'o'| 0 |
      +---+                 +---+---+---+---+
      |   | strs[1] ----+
      +---+             |   +---+---+---+---+
      |   | strs[2] -+  +-> |'b'|'a'|'r'| 0 |
      +---+          |      +---+---+---+---+
                     |
                     |      +---+---+---+---+---+---+---+
                     +----> |'b'|'l'|'e'|'t'|'c'|'h'| 0 |
                            +---+---+---+---+---+---+---+
In your code, a can (and is usually intended to) store a single string that's 9 characters long (not counting the 0 terminator).  Like I said, almost nobody stores multiple strings in a single 1D array, but it is possible (in this case, a can store 2 4-character strings).