我的教授目前正在教主题与指针一起的动态内存分配。我不太明白以下示例:
#include <iostream>
#include <cstring>
#include <cstdlib>
using namespace std;
int main(void)
{
int i;
char * names[7]; // declare array of pointers to char
char temp[16];
// read in 7 names and dynamically allocate storage for each
for (i = 0; i < 7; i++)
{
cout << "Enter a name => ";
cin >> temp;
names[i] = new char[strlen(temp) + 1];
// copy the name to the newly allocated address
strcpy(names[i],temp);
}
// print out the names
for (i = 0; i < 7; i ++) cout << names[i] << endl;
// return the allocated memory for each name
for (i = 0; i < 7; i++) delete [] names[i];
return 0;
}
对于打印出名称的行,我不理解“names [i]”如何打印出名称。 “names [i]”是否应该打印出指针?在此方面的任何帮助将不胜感激。
最佳答案
带有以下签名的operator<<
重载。
std::ostream& operator<<(std::ostream&, char const*);
打印空终止的字符串。
使用时
cout << names[i] << endl;
使用重载。
您可以在http://en.cppreference.com/w/cpp/io/basic_ostream/operator_ltlt2上看到所有非成员重载。
带有签名的
std::ostream
的成员函数重载:std::ostream& operator<<( const void* value );
但是,在重载解决方案逻辑中,使用
char const*
作为参数类型的非成员函数具有更高的优先级。关于c++ - 带字符串的动态内存分配,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/35122039/