如何为动态数组实现operator []?

时间:2009-02-28 13:44:30

标签: c++ arrays dynamic-data

我需要自己实现一个动态数组,以便在一个简单的内存管理器中使用它。

struct Block {       
    int* offset;
    bool used;
    int size;
    Block(int* off=NULL, bool isUsed=false, int sz=0): offset(off), used(isUsed), size(sz) {}
    Block(const Block& b): offset(b.offset), used(b.used), size(b.size) {}
};

class BlockList {
    Block* first;
    int size;
public:
    BlockList(): first(NULL), size(0) {}
    void PushBack(const Block&);
    void DeleteBack();
    void PushMiddle(int, const Block&);
    void DeleteMiddle(int);
    int Size() const { return size; }
    void show();
    Block& operator[](int);
    Block* GetElem(int);
    void SetElem(int, const Block&);
    ~BlockList();
};

我需要重载operator[]

Block& BlockList::operator\[\](int index) {
    try {
        if (index >= size)
            throw out_of_range("index out of range");
        else 
            return (first[sizeof(Block)*index]);
    }
    catch(exception& e) {
        cerr << e.what() << endl;
    }
}

void BlockList::PushBack(const Block& b) {
    if(!size) 
        first = new Block(b);
    else {
        Block* temp = new Block[size + 1];
        int i = 0;
        for (i = 0; i < size; i++) 
            temp[sizeof(Block)*i] = this->operator[](i);
        delete []first;
        temp += sizeof(Block);
        temp->offset = b.offset;
        temp->size = b.size;
        temp->used = b.used;
        first = temp;
    }
    size++;
}

当我使用PushBack来推送第一个元素时,它运行正常,但是当涉及到第二个,第三个......时,程序没有崩溃,但它只是显示我没有做的结果期待看到。

以下是我获取数组内容的方法:

void BlockList::show() {
    for (int i = 0; i < size; i++) {
        Block current(operator[](i));
        cout << "off: " << current.offset << " size: " << current.size << endl;
    }
}

2 个答案:

答案 0 :(得分:3)

第一个是一个 Block 指针,因此您只需要传入 index

阻止*先; ...

first[0] //returns the first element
first[1] //returns the second element

在您的示例中,在首先编制索引时传递的索引值太高,因为您在内部使用sizeof。

更正后的代码:

Block& BlockList::operator[](int index) {
    try {
        if (index >= size)
            throw out_of_range("index out of range");
        else 
            return (first[index]);//<--- fix was here
    }
    catch(exception& e) {
        cerr << e.what() << endl;
    }
}

答案 1 :(得分:1)

数组知道它的元素有多大,所以你不必用sizeof(Block)进行数学运算。只需使用i作为索引。

在相关的说明中,C++ FAQ Lite有很多关于运算符重载的内容,涵盖了各种有用的内容。