-
Notifications
You must be signed in to change notification settings - Fork 1
Expand file tree
/
Copy pathsource.c
More file actions
119 lines (101 loc) · 2.69 KB
/
source.c
File metadata and controls
119 lines (101 loc) · 2.69 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#define String_Max 80
typedef struct {
int max;
int ptr;
char **stk;
} StringsStack;
int Initialize(StringsStack *s, int max) {
s->ptr = 0;
if ((s->stk == calloc(max, sizeof(char *))) == NULL) {
s->max = 0;
return -1;
}
s->max = max;
return 0;
}
void Terminate(StringsStack *s) {
if (s->stk != NULL) {
while (--s->ptr >= 0)
free(s->stk[s->ptr]);
free(s->stk[s->ptr]);
}
s->max = s->ptr = 0;
}
int Push(StringsStack *s, char *x) {
if (s->ptr >= s->max) return -1;
if ((s->stk[s->ptr] = calloc(strlen(x) + 1, sizeof(char))) == NULL)
return -1;
strcpy(s->stk[s->ptr], x);
s->ptr++;
return 0;
}
int Pop(StringsStack *s, char *x) {
if (s->ptr <= 0) return -1;
s->ptr--;
strcpy(x, s->stk[s->ptr]);
free(s->stk[s->ptr]);
return 0;
}
int Peek(StringsStack *s, char *x) {
if (s->ptr <= 0) return -1;
strcpy(x, s->stk[s->ptr - 1]);
return 0;
}
int Capacity(const StringsStack *s) {
return s->max;
}
int Size(const StringsStack *s) {
return s->ptr;
}
void Print(const StringsStack *s) {
int i;
for (i = 0; i < s->ptr; i++)
printf("%s\n", s->stk[i]);
}
int main(void) {
StringsStack s;
int max;
printf("スタックの大きさを入力してください");
scanf("%d", &max);
if (Initialize(&s, max) == -1) {
puts("スタックの生成に失敗しました.\n");
return 1;
}
while (1) {
int menu;
char x[String_Max];
printf("現在のデータ数:%d/%d\n", Size(&s), Capacity(&s));
printf("(1)プッシュ (2)ポップ (3)ピーク (4)表示 (0)終了:");
scanf("%d", &menu);
// ----------------①
if (menu == 0) break;
switch (menu) {
case 1:
printf("プッシュする文字列:");
scanf("%s", x);
if (Push(&s, x) == -1)
puts("\aエラー:プッシュに失敗しました.\n");
break;
case 2:
if (Pop(&s, x) == -1)
puts("\aエラー:ポップに失敗しました.\n");
else
printf("ポップした文字列は%s, ", x);
break;
case 3:
if (Peek(&s, x) == -1)
puts("\aエラー:ピークに失敗しました.\n");
else
printf("ピーク下文字列は%s, ", x);
break;
case 4:
Print(&s);
break;
}
Terminate(&s);
return 0;
}
}