我需要了解如何在c ++中动态分配的字符数组中操作各种索引位置的数据。我正在嘎嘎(队列/堆栈)。我关心的变量是'items。'
以下是Quack的类定义:
class Quack
{
public:
static const char YOUR_NAME[]; // used for printing out programmer's name
static const bool PREMIUM_VERSION; // used to designate Regular vs. Premium
Quack(int capacity, int growBy = 0);
// capacity: # of slots in array
// growBy: # of slots to add to array when it grows, 0 means "don't grow"
~Quack(void);
bool pushFront(const char ch); // push an item onto the front
bool pushBack(const char ch); // push an item onto the back
bool popFront(char& ch); // pop an item off the front
bool popBack(char& ch); // pop an item off the back
void rotate(int r); // "rotate" the stored items (see note below)
void reverse(void); // reverse the order of the stored items
int itemCount(void); // return the current number of stored items
void printArray(std::ostream& out) // print contents of array
{
unsigned int ch;
out << "[ ";
for (int i = 0; i < capacity; i++) {
ch = static_cast<unsigned char>(items[i]); // avoid sign extension
if (ch == '-') // print in hex, because using '-' for 0xCD
goto printHex;
else if (ch >= '!' && ch <= '}') // ASCII text character
out << static_cast<char>(ch) << ' ';
else if (ch == 0xCD) // print 0xCD as '-'
out << "- ";
else // print everything else as hex
goto printHex;
continue;
printHex:
out << std::setw(2) << std::setfill('0') << std::hex << ch << ' ';
}
out << ']' << std::endl;
}
private:
char *items;
int nItems;
int capacity;
int growBy;
int *front;
int *back;
public:
friend std::ostream& operator<<(std::ostream& out, Quack *q);
};
现在,这是Quack构造函数:
Quack::Quack(int capacity, int growBy) :
capacity(capacity),
growBy(growBy),
nItems(0),
items(new char[capacity]),
front(NULL),
back(NULL)
{
}
据我所知,每个Quack实例都有一个char变量'items',它是一个指向新字符数组的指针。我不明白的是如何引用数组中的项目。例如,如果我想引用新字符数组的索引位置0,是说项目(0)还是项目[0],还是完全不同?
谢谢
答案 0 :(得分:0)
正如您所理解的那样,items
是一个char数组,Quack
的每个实例都有自己的变量items
。访问动态分配的数组和静态分配的数组是相同的。它们分配在连续的内存位置。
char arr[24]; // Allocate 24 bytes in contiguous memory locations in stack
char* arr = new char[24]; //Allocate 24 bytes in contiguous memory locations
// in heap
您可以通过以下任何方式访问变量:
1. Quack q;
cout << q.items << endl; //Print the char array
cout << q.items[1] << endl; // Print the second index position of items
2. Quack* qptr = new Quack();
cout << q->items << endl; //Print the char array
cout << q->items[1] << endl; // Print the second index position of items