数据结构:栈和队列的练习题1(括号匹配问题)

题目描述:


思路:我们首先可以把出现的情况大致分为以下几类:


因为涉及匹配问题,所以所有的左括号和右括号肯定要分开来整理。如果我们直接去匹配的话(像第一行的从左到右独立匹配)是行得通的,但是遇到第二行的情况就识别不了了,因为第二种有顺序要求,先识别的左括号必须和后识别的右括号配对,这与栈的性质十分相似,所以我们想到用栈来实现这道题:

二者联系方式:

当遇到左括号时便使其进入栈,当遇到右括号时再去栈顶元素和右括号进行匹配。如果是同种类型的括号就匹配成功,将栈顶元素出栈并继续匹配;若匹配失败则直接return。

为预防碰到括号数量不对等时,我们可以引入count变量来记录左括号和右括号的个数,一次来解决做题时遇到的一些问题。

完整代码如下:

cpp 复制代码
typedef char DataType;

typedef struct Stack
{
    DataType* p;
    int top;
    int Capacity;
}ST;

// 初始化函数
void STInit(ST* pst)
{
    assert(pst);
    pst->p = NULL;
    pst->Capacity = 0;
    pst->top = 0;
}


// 入栈  出栈
void STPush(ST* pst, DataType x)
{
    assert(pst);
    //扩容
    if (pst->Capacity == pst->top)  
    {
        int NewCapacity = pst->Capacity == 0 ? 4 : 2 * pst->Capacity;
        DataType* tmp = (DataType*)realloc(pst->p, sizeof(DataType) * NewCapacity);

        pst->Capacity = NewCapacity;
        pst->p = tmp;
    }

    pst->p[pst->top] = x;
    pst->top++;
}

//出栈
void STPop(ST* pst)
{
    assert(pst);
    pst->top--;
}

// 取栈顶数据
DataType STTop(ST* pst)
{
    return pst->p[pst->top - 1];
}

// 判空
bool STEmpty(ST* pst)
{
    if (pst->top == 0)
    {
        return false;
    }
    else
    {
        return true;
    }
}

// 获取数据个数
int STSize(ST* pst)
{
    return pst->top;
}



bool isValid(const char* s)
{
    ST st;
    STInit(&st);

    int count=0;
    int count1 = 0;
    int count2 = 0;

    while (*s != '\0')
    {
        if (*s == '(' || *s == '[' || *s == '{')
        {
            STPush(&st, *s);
            count++;
            count1++;
        }
        if (*s == ')' || *s == ']' || *s == '}')
        {
            count--;
            count2++;
            //没有左括号的情况
            if (STEmpty(&st) == false)
            {
                return false;
            }


            char ret = STTop(&st);
            //匹配成功
            if ((*s == ')' && ret == '(') || (*s == ']' && ret == '[') || (*s == '}' && ret == '{'))
            {
                STPop(&st);
            }
            else
            {
                //匹配失败
                return false;
            }
        }
        s++;
    }

    if (count%2!=0||count1!=count2)
    {
        return false;
    }

    return true;
}
相关推荐
JSU_曾是此间年少4 分钟前
数据结构——线性表与链表
数据结构·c++·算法
sjsjs1110 分钟前
【数据结构-合法括号字符串】【hard】【拼多多面试题】力扣32. 最长有效括号
数据结构·leetcode
blammmp1 小时前
Java:数据结构-枚举
java·开发语言·数据结构
昂子的博客1 小时前
基础数据结构——队列(链表实现)
数据结构
lulu_gh_yu2 小时前
数据结构之排序补充
c语言·开发语言·数据结构·c++·学习·算法·排序算法
~yY…s<#>4 小时前
【刷题17】最小栈、栈的压入弹出、逆波兰表达式
c语言·数据结构·c++·算法·leetcode
XuanRanDev5 小时前
【每日一题】LeetCode - 三数之和
数据结构·算法·leetcode·1024程序员节
代码猪猪傻瓜coding5 小时前
力扣1 两数之和
数据结构·算法·leetcode
南宫生6 小时前
贪心算法习题其三【力扣】【算法学习day.20】
java·数据结构·学习·算法·leetcode·贪心算法
weixin_432702267 小时前
代码随想录算法训练营第五十五天|图论理论基础
数据结构·python·算法·深度优先·图论