数据结构c++实现——线性表

通过vector实现一个简单的线性表

#include <iostream>
#include <cstring>

template <typename Type> class Vector {
private:
    int size, length;
    Type *data;
public:
    Vector(int input_size) {
        size = input_size;
        length = 0;
        data = new Type[size];  // 指向一段连续的Type类型的空间
    }
    ~Vector() {
        delete[] data;
    }
};
int main() {
    Vector<int> a(100);
    return 0;
}

 实现插入元素的函数:

bool insert(int loc, Type value);

#include <iostream>
#include <cstring>
using std::cout;
using std::endl;
template <typename Type> class Vector {
private:
    int size, length;
    Type *data;
public:
    Vector(int input_size) {
        size = input_size;
        length = 0;
        data = new Type[size];
    }
    ~Vector() {
        delete[] data;
    }
    bool insert(int loc, Type value) {  // 实现插入元素到指定位置的函数
        if (loc < 0 || loc > length) {
            return false;
        }
        if (length >= size) {
            return false;
        }
        for (int i = length; i > loc; --i) {
            data[i] = data[i - 1];
        }
        data[loc] = value;
        length++;
        return true;
    }
};
int main() {
    Vector<int> a(2);
    cout << a.insert(1, 0) << endl;
    cout << a.insert(0, 1) << endl;
    cout << a.insert(2, 1) << endl;
    cout << a.insert(1, 2) << endl;
    cout << a.insert(0, 3) << endl;
    return 0;
}

 

添加扩容函数 : void expand();

#include <iostream>
#include <cstring>
using std::cout;
using std::endl;
template <typename Type> class Vector {
private:
    int size, length;
    Type *data;
public:
    Vector(int input_size) {
        size = input_size;
        length = 0;
        data = new Type[size];
    }
    ~Vector() {
        delete[] data;
    }
    bool insert(int loc, Type value) {
        if (loc < 0 || loc > length) {
            return false;
        }
        if (length >= size) {
            // return false;
            expand();  // 调用扩容函数
        }
        for (int i = length; i > loc; --i) {
            data[i] = data[i - 1];
        }
        data[loc] = value;
        length++;
        return true;
    }
    // 请在下面实现扩容方法 expand
    void expand() {
        Type * old_data = data;  // 指向data空间首地址
        size = size * 2;
        data = new Type[size];
        for(int i=0; i < length; i++) {
            data[i] = old_data[i];
        }
        delete[] old_data;
        
    }
};
int main() {
    Vector<int> a(2);
    cout << a.insert(1, 0) << endl;
    cout << a.insert(0, 1) << endl;
    cout << a.insert(2, 1) << endl;
    cout << a.insert(1, 2) << endl;
    cout << a.insert(0, 3) << endl;
    return 0;
}

 

注意g++的编译语法是: 

g++ -o [编译后的执行文件][空格][源文件]

posted @ 2020-02-01 11:14  HHZZHH  阅读(595)  评论(0编辑  收藏  举报