The C++ Standard Library includes a string type, std::string. See http://en.cppreference.com/w/cpp/string/basic_string
The Standard Library also provides a fixed-size array type, std::array. See http://en.cppreference.com/w/cpp/container/array
But you may also want to learn about the dynamically-sized array type, std::vector. See http://en.cppreference.com/w/cpp/container/vector
The language also includes legacy support for c-strings and c-arrays, which you can find in a good C++ or C book. See The Definitive C++ Book Guide and List
An example of how to use an array/vector of strings:
#include <string>
#include <array>
#include <vector>
#include <iostream>
int main() {
    std::array<std::string, 3> stringarray;
    stringarray[0] = "hello";
    stringarray[1] = "world";
    // stringarray[2] contains an empty string.
    for (size_t i = 0; i < stringarray.size(); ++i) {
        std::cout << "stringarray[" << i << "] = " << stringarray[i] << "\n";
    }
    // Using a vector, which has a variable size.
    std::vector<std::string> stringvec;
    stringvec.push_back("world");
    stringvec.insert(stringvec.begin(), "hello");
    stringvec.push_back("greetings");
    stringvec.push_back("little bird");
    std::cout << "size " << stringvec.size()
              << "capacity " << stringvec.capacity()
              << "empty? " << (stringvec.empty() ? "yes" : "no")
              << "\n";
    // remove the last element
    stringvec.pop_back();
    std::cout << "size " << stringvec.size()
              << "capacity " << stringvec.capacity()
              << "empty? " << (stringvec.empty() ? "yes" : "no")
              << "\n";
    std::cout << "stringvec: ";
    for (auto& str : stringvec) {
        std::cout << "'" << str << "' ";
    }
    std::cout << "\n";
    // iterators and string concatenation
    std::string greeting = "";
    for (auto it = stringvec.begin(); it != stringvec.end(); ++it) {
        if (!greeting.empty()) // add a space between words
            greeting += ' ';
        greeting += *it;
    }
    std::cout << "stringvec combined :- " << greeting << "\n";
}
Live demo: http://ideone.com/LWYevW