题目
思路
每一个右括号应该与与在它左边最近的左括号相匹配,所以这道题可以通过栈实现
代码
💬由于博主还没有学习到C++,能力有限,所以只能自己实现一个栈,学过C++的朋友可以直接使用C++STL中的栈来实现
#define _CRT_SECURE_NO_WARNINGS 1
#include <stdio.h>
#include <stdlib.h>
#include <assert.h>
#include <stdbool.h>
typedef int STDataType;
typedef struct
{
STDataType* a;//a指向一个连续的数组
int top;//top记录栈顶后一个元素的下标
int capacity;
}Stack;
//栈的初始化
extern void StackInit(Stack* ps);
//销毁栈
extern void StackDestroy(Stack* ps);
//空栈
extern bool StackEmpty(const Stack* ps);
//入栈
extern void StackPush(Stack* ps, STDataType x);
//出栈
extern void StackPop(Stack* ps);
//获取栈顶元素
extern STDataType StackTop(const Stack* ps);
//获取栈元素个数
extern int StackSize(const Stack* ps);
//栈的初始化
void StackInit(Stack* ps)
{
assert(ps);
ps->capacity = 0;
ps->top = 0;//top初始化为0表示空栈
ps->a = NULL;
}
//销毁栈
void StackDestroy(Stack* ps)
{
assert(ps);
free(ps->a);
ps->capacity = ps->top = 0;
}
//空栈
bool StackEmpty(const Stack* ps)
{
return ps->top == 0;
}
//入栈
void StackPush(Stack* ps, STDataType x)
{
assert(ps);
if (ps->capacity == ps->top)//栈满扩容
{
ps->capacity = ps->capacity == 0 ? 4 : 2 * ps->capacity;
//realloc可以解决扩容空栈
ps->a = realloc
(ps->a, sizeof(STDataType) * (ps->capacity));
assert(ps->a);
}
ps->a[ps->top] = x;
ps->top++;
}
//出栈
void StackPop(Stack* ps)
{
assert(ps);
assert(!StackEmpty(ps));
ps->top--;
}
//获取栈顶元素
STDataType StackTop(const Stack* ps)
{
assert(ps);
assert(!StackEmpty(ps));
return ps->a[ps->top - 1];
}
//获取栈元素个数
int StackSize(const Stack* ps)
{
assert(ps);
return ps->top;
}
bool isValid(char * s){
Stack st;
StackInit(&st);
while (*s)
{
//左括号进栈
if (*s == '(' || *s == '[' || *s == '{')
{
StackPush(&st, *s);
}
//非左括号判断当前括号是否和栈顶括号匹配
else
{
//没有左括号只有右括号
if (StackEmpty(&st))
{
StackDestroy(&st);
return false;
}
if ( ']' == *s && '[' == StackTop(&st)
|| '}' == *s && '{' == StackTop(&st)
|| ')' == *s && '(' == StackTop(&st))
{
StackPop(&st);
}
//匹配失败
else
{
StackDestroy(&st);
return false;
}
}
s++;
}
//还有括号没有匹配
if (!StackEmpty(&st))
{
StackDestroy(&st);
return false;
}
StackDestroy(&st);
return true;
}