day43:C++ day3 类、结构体与类的区别、this指针、类中特殊成员函数

1> 自行封装一个栈的类,包含私有成员属性:栈的数组、记录栈顶的变量

成员函数完成:构造函数、析构函数、拷贝构造函数、入栈、出栈、清空栈、判空、判满、获取栈顶元素、求栈的大小

stack.h:

#ifndef STACK_H
#define STACK_H

#include 
using namespace std;
#define MAX 50
class Stack
{
private:
    int *data;
    int top;
public:
    Stack():data(new int[MAX]),top(-1)
    {
        cout<<"Stack::无参构造函数"<data=new int[MAX];
        memcpy(this->data,other.data,sizeof(int)*MAX);
        this->top=other.top;
        cout<<"Stack::拷贝构造函数"<

stack.cpp:

#include "stack.h"
void Stack::stack_push(Stack &S,int &&val)
{
    S.top++;
    S.data[top]=val;
}
void Stack::stack_pop(Stack &S)
{
    if(NULL==S.data || stack_empty(S))
    {
        cout<<"所给顺序栈不合法"<=0;i--)
    {
        cout<

main.cpp:

#include"stack.h"

int main()
{
    Stack S;
    cout<

2> 自行封装一个循环顺序队列的类,包含私有成员属性:存放队列的数组、队头位置、队尾位置

成员函数完成:构造函数、析构函数、拷贝构造函数、入队、出队、清空队列、判空、判满、求队列大小

queue.h:

#ifndef QUEUE_H
#define QUEUE_H
#include 

#define MAX 50
using namespace std;
class Queue
{
private:
    int *data;
    int head;
    int tail;

public:
    Queue():data(new int[MAX]),head(0),tail(0)
    {
        cout<<"queue::无参构造函数"<data=new int[MAX];
        memcpy(this->data,other.data,sizeof(int)*MAX);
        /*
        for(int i=other.head;i!=other.tail;i=(i+1)%MAX)
        {
            data[i]=other.data[i];
        }
        */
        this->head=other.head;
        this->tail=other.tail;
        cout<<"拷贝构造函数"<

queue.cpp:

#include "queue.h"
void Queue::queue_push(Queue &Q,int &&val)
{
    Q.data[tail]=val;
    tail=(tail+1)%MAX;
    return;
}
void Queue::queue_pop(Queue &Q)
{
    cout<

main.c

#include "queue.h"

int main()
{
    Queue Q;
    Q.queue_empty(Q);
    Q.queue_push(Q,5);
    Q.queue_push(Q,8);
    Q.queue_push(Q,5);
    Q.queue_push(Q,8);
    Q.queue_full(Q);
    Q.queue_pop(Q);
    Q.queue_show(Q);
    Q.queue_clear(Q);
    Queue L;
    L=Q;
    L.queue_show(L);
    return 0;
}

思维导图:有道笔记

你可能感兴趣的:(c++,数据结构)