-
-
Notifications
You must be signed in to change notification settings - Fork 24
/
task.go
240 lines (196 loc) · 4.49 KB
/
task.go
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
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
package main
import (
"bufio"
"fmt"
"os"
"strconv"
"strings"
)
// Deque двусторонняя очередь
type Deque struct {
stack []int
head,
tail,
maxSize,
size int
}
// command команда действия
type command struct {
action string
num int
}
const (
ErrStackEmpty = "error"
ErrStackMax = "error"
ActionPushBack = "push_back"
ActionPushFront = "push_front"
ActionPopFront = "pop_front"
ActionPopBack = "pop_back"
)
func main() {
// сбор данных из input
q, commands, err := getInputData()
if err != nil {
showError(err)
}
// решение
result := q.Run(commands)
for i := 0; i < len(result); i++ {
fmt.Println(result[i])
}
}
// Run выполнение алгоритма
func (q *Deque) Run(commands []command) []string {
var (
err error
result []string
)
for i := 0; i < len(commands); i++ {
switch commands[i].action {
case ActionPushBack:
if err = q.pushBack(commands[i].num); err != nil {
result = append(result, err.Error())
}
break
case ActionPushFront:
if err = q.pushFront(commands[i].num); err != nil {
result = append(result, err.Error())
}
break
case ActionPopFront:
result = append(result, q.popFront())
case ActionPopBack:
result = append(result, q.popBack())
default:
break
}
}
return result
}
// push добавление элемента
func (q *Deque) push(index, direction, value int) (int, error) {
if q.isMax() {
return index, fmt.Errorf(ErrStackMax)
}
q.setStack(q.getStepIndex(index, direction), value)
q.size++
return (index + direction) % q.maxSize, nil
}
// pop вывести элемент
func (q *Deque) pop(index, direction int) (int, string) {
if q.isEmpty() {
return index, ErrStackEmpty
}
x := q.stack[q.getIndex(q.getStepIndex(index, direction))]
q.setStack(q.getStepIndex(index, direction), 0)
q.size--
return (index + direction) % q.maxSize, fmt.Sprint(x)
}
// pushFront добавление элемента в начало
func (q *Deque) pushFront(value int) (err error) {
q.head, err = q.push(q.head, -1, value)
if err != nil {
return err
}
return nil
}
// pushBack добавление элемента в конец
func (q *Deque) pushBack(value int) (err error) {
q.tail, err = q.push(q.tail, 1, value)
if err != nil {
return err
}
return nil
}
// popBack извлечение последнего элемента
func (q *Deque) popBack() (value string) {
q.tail, value = q.pop(q.tail, -1)
return
}
// popFront извлечение первого элемента
func (q *Deque) popFront() (value string) {
q.head, value = q.pop(q.head, 1)
return
}
// setStack меняет значение в стеке
func (q *Deque) setStack(index, value int) {
q.stack[q.getIndex(index)] = value
}
// getStepIndex
func (q *Deque) getStepIndex(idx, dn int) int {
if dn > 0 {
return idx
}
idx += dn
return idx
}
// getIndex перевод "обратных" индексов
func (q *Deque) getIndex(index int) int {
if index < 0 {
return len(q.stack) + index
}
return index
}
// isEmpty определяет, пуст ли дек
func (q *Deque) isEmpty() bool {
return q.size == 0
}
// isMax определяет, переполнен ли дек
func (q *Deque) isMax() bool {
return q.size >= q.maxSize
}
// getInputData парсинг входных данных
func getInputData() (q *Deque, commands []command, err error) {
input, err := getInputFromFile()
if err != nil {
showError(err)
}
// close file
defer func(input *os.File) {
_ = input.Close()
}(input)
reader := bufio.NewReader(input)
var n, m int
strNum, _, _ := reader.ReadLine()
n, err = strconv.Atoi(string(strNum))
if err != nil {
return
}
strNum, _, _ = reader.ReadLine()
m, err = strconv.Atoi(string(strNum))
if err != nil {
return
}
q = &Deque{
stack: make([]int, m),
maxSize: m,
}
var com command
commands = make([]command, n)
for i := 0; i < n; i++ {
strNums, _ := reader.ReadString('\n')
comStr := strings.Split(strings.TrimSpace(strNums), " ")
com = command{
action: comStr[0],
}
if len(comStr) == 2 {
com.num, _ = strconv.Atoi(comStr[1])
}
commands[i] = com
}
// clear bufio
defer reader.Reset(reader)
return
}
// getInputFromFile получение input из файла
func getInputFromFile() (*os.File, error) {
file, err := os.Open("input.txt")
if err != nil {
return nil, err
}
return file, nil
}
// showError обработка ошибки
func showError(err interface{}) {
panic(err)
}