c语言利用栈和队列判断字符串是否为回文
时间: 2023-12-06 21:35:05 浏览: 202
JS使用栈判断给定字符串是否是回文算法示例
5星 · 资源好评率100%
C语言可以利用栈和队列来判断一个字符串是否为回文。具体实现方法如下:
1. 利用栈实现判断回文:将字符串的前一半字符依次入栈,然后依次将后一半字符与栈中的字符进行比较,如果全部相同,则该字符串为回文。
2. 利用队列实现判断回文:将字符串的前一半字符依次入队列,然后依次将后一半字符与队列中的字符进行比较,如果全部相同,则该字符串为回文。
下面是利用栈实现判断回文的C语言代码:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define MAX_SIZE 100
typedef struct {
char data[MAX_SIZE];
int top;} Stack;
void initStack(Stack *s) {
s->top = -1;
}
int isEmpty(Stack *s) {
return s->top == -1;
}
int isFull(Stack *s) {
return s->top == MAX_SIZE - 1;
}
void push(Stack *s, char c) {
if (isFull(s)) {
printf("Stack is full.\n");
exit(1);
}
s->data[++s->top] = c;
}
char pop(Stack *s) {
if (isEmpty(s)) {
printf("Stack is empty.\n");
exit(1);
}
return s->data[s->top--];
}
int isPalindrome(char *str) {
int len = strlen(str);
Stack s;
initStack(&s);
int i;
for (i = 0; i < len / 2; i++) {
push(&s, str[i]);
}
if (len % 2 != 0) {
i++;
}
while (i < len) {
if (pop(&s) != str[i]) {
return 0;
}
i++;
}
return 1;
}
int main() {
char str[MAX_SIZE];
printf("Please input a string: ");
scanf("%s", str);
if (isPalindrome(str)) {
printf("%s is a palindrome.\n", str); } else {
printf("%s is not a palindrome.\n", str);
}
return 0;
}
```
下面是利用队列实现判断回文的C语言代码:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define MAX_SIZE 100
typedef struct {
char data[MAX_SIZE];
int front;
int rear;
} Queue;
void initQueue(Queue *q) {
q->front = q->rear = -1;
}
int isEmpty(Queue *q) {
return q->front == -1;
}
int isFull(Queue *q) {
return (q->rear + 1) % MAX_SIZE == q->front;
}
void enqueue(Queue *q, char c) {
if (isFull(q)) {
printf("Queue is full.\n");
exit(1);
}
if (isEmpty(q)) {
q->front = q->rear = 0;
} else {
q->rear = (q->rear + 1) % MAX_SIZE;
}
q->data[q->rear] = c;
}
char dequeue(Queue *q) {
if (isEmpty(q)) {
printf("Queue is empty.\n");
exit(1);
}
char c = q->data[q->front];
if (q->front == q->rear) {
q->front = q->rear = -1;
} else {
q->front = (q->front + 1) % MAX_SIZE;
}
return c;
}
int isPalindrome(char *str) {
int len = strlen(str);
Queue q;
initQueue(&q);
int i;
for (i = 0; i < len / 2; i++) {
enqueue(&q, str[i]);
}
if (len % 2 != 0) {
i++;
}
while (i < len) {
if (dequeue(&q) != str[i]) {
return 0;
}
i++;
}
return 1;
}
int main() {
char str[MAX_SIZE];
阅读全文