Hey all, I'm working on building my own string class with very basic functionality.  I am having difficulty understand what is going on with the basic class that I have define, and believe there is some sort of error dealing with the scope occurring.  When I try to view the objects I created, all the fields are described as  (obviously bad pointer). Also, if I make the data fields public or build an accessor method, the program crashes.  For some reason the pointer for the object is 0xccccccccc which points to no where.
How can a I fix this?  Any help/comments are much appreciated.
    //This is a custom string class, so far the only functions are 
    //constructing and appending
    #include<iostream>
    using namespace std;
    class MyString1
    {
    public:
        MyString1()     
        {   
    //no arg constructor
            char *string;
            string = new char[0];
            string[0] ='\0';
            std::cout << string;
            size = 1;
        }
    //constructor receives pointer to character array
        MyString1(char* chars)
        {
            int index = 0;
    //Determine the length of the array
            while (chars[index] != NULL)
                index++;
   //Allocate dynamic memory on the heap
            char *string;
            string = new char[index+1];
   //Copy the contents of the array pointed by chars into string, the char array of the object
            for (int ii = 0; ii < index; ii++)
                string[ii] = chars[ii];
            string[index+1] = '\0';
            size = index+1;
        }
    MyString1 append(MyString1 s)
    { 
               //determine new size of the appended array and allocate memory
        int newsize = s.size + size;
        MyString1 MyString2;
        char *newstring;
        newstring = new char[newsize+1];
        int index = 0;
               //load the first string into the array
        while (string[index] != NULL)
        {
            newstring[index] = string[index];
            index++;
        }
               //load the second string
        while (s.string[index] != NULL)
        {
            newstring[index] = s.string[index];
            index++;
        }
               //null terminate
        newstring[newsize+1] = '\0';
        delete string;
               //generate the object for return
        MyString2.string=newstring;
        MyString2.size=newsize;
        return MyString2;
    }
    private:
        char *string;
        int size;
    };
    int main()
    {
        MyString1 string1;
        MyString1 string2("Hello There");
        MyString1 string3("Buddy");
        string2.append(string3);
        return 0;
    }