-
Notifications
You must be signed in to change notification settings - Fork 0
/
index.js
212 lines (200 loc) · 8.23 KB
/
index.js
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
/**
* Created by derfex on 17.08.2017.
*/
var MyForm = (function(d) {
'use strict';
// ## Вспомогательные функции ##
// Создать пустую коллекцию (без __proto__):
function _newCollection() { return Object.create(null); }
// Проверить [[Class]] переменной:
function _is(type, obj) {
var _class = Object.prototype.toString.call(obj).slice(8, -1);
return obj !== undefined && obj !== null && _class === type;
}
// Возвращает случайное число между min (включительно) и max (не включая max):
function _getRandomArbitrary(min, max) {
return Math.random() * (max - min) + min;
}
// Валидация: сброс:
function _markFieldDefault(field) {
if (field.status !== 'default') {
field.el.classList.remove('error');
field.status = 'default';
}
}
// Валидация: ошибка:
function _markFieldInvalid(field) {
if (field.status !== 'invalid') {
field.el.classList.add('error');
field.status = 'invalid';
}
}
// ## Коллекция с рабочими данными ##
var _private = _newCollection();
// ## Форма ##
_private.form = _newCollection();
_private.form.el = d.forms.myForm;
_private.form.enabled = true;
// ## Поля ##
_private.field = _newCollection();
['fio', 'email', 'phone'].forEach(function(fieldName) {
var field = _private.field[fieldName] = _newCollection();
field.el = _private.form.el[fieldName];
field.status = 'default';
});
// Ф. И. О.:
_private.field.fio.validate = function() {
var el = _private.field.fio.el;
// Удалить крайние и повторяющиеся пробелы, сохранить результат для пользователя:
el.value = el.value.trim().replace(/\s+/g, ' ');
return el.value.split(' ').length === 3;
};
// E-mail:
_private.field.email.ALLOW_DOMAIN = ['ya.ru', 'yandex.ru', 'yandex.ua', 'yandex.by', 'yandex.kz', 'yandex.com'];
_private.field.email.validate = function() {
var el = _private.field.email.el;
// Удалить крайние пробелы, сохранить результат для пользователя:
el.value = el.value.trim();
// Корректный e-mail без субдомена и длинного имени домена первого уровня:
var RE = /^([\w\-\.])+\@([A-Za-z])+\.([A-Za-z]{2,3})$/;
if (RE.test(el.value)) {
return !!~_private.field.email.ALLOW_DOMAIN.indexOf(el.value.split('@')[1]);
}
return false;
};
// Номер телефона:
_private.field.phone.MAX_SUM = 30;
_private.field.phone.validate = function() {
var el = _private.field.phone.el;
// Удалить крайние пробелы, сохранить результат для пользователя:
el.value = el.value.trim();
// Номер телефона в формате +7(999)999-99-99 (скобки и дефисы обязательны):
var RE = /^\+7\((\d{3})\)(\d{3})\-(\d{2})\-(\d{2})$/;
if (RE.test(el.value)) {
return el.value.replace(/\D/g, '').split('')
.reduce(function(sum, currentNumber) {
return sum + +currentNumber;
}, 0) <= _private.field.phone.MAX_SUM;
}
return false;
};
// ## Результат ##
_private.result = _newCollection();
_private.result.el = d.getElementById('resultContainer');
_private.result.status = 'default';
_private.result.STATUS_LIST = ['success', 'progress', 'error'];
_private.result.mark = function(requiredStatus) {
if (!!~_private.result.STATUS_LIST.indexOf(requiredStatus)) {
if (_private.result.status !== requiredStatus) {
_private.result.STATUS_LIST.forEach(function(status) {
_private.result.el.classList[status !== requiredStatus ? 'remove' : 'add'](status);
});
_private.result.status = requiredStatus;
}
} else {
if (_private.result.status !== 'default') {
_private.result.STATUS_LIST.forEach(function(status) {
_private.result.el.classList.remove(status);
});
_private.result.status = 'default';
}
}
};
_private.result.handle = function(responseJSON) {
var response = JSON.parse(responseJSON);
_private.result.mark(response.status);
switch (response.status) {
case 'success':
_private.result.el.innerText = 'Success';
break;
case 'progress':
_private.result.el.innerText = '';
setTimeout(_private.runAJAX, response.timeout);
break;
case 'error':
_private.result.el.innerText = response.reason;
break;
}
};
_private.getURL = function() {
return _private.getURL.usedMethod();
};
_private.getURL.usedMethod = _private.getURL.useAction = function() {
return _private.form.el.getAttribute('action');
};
_private.getURL.useRandom = function() {
// Положим, сервер чаще отдаёт статус 'progress', на втором месте 'success', в других случаях 'error':
var randomNumber = _getRandomArbitrary(0, 10);
var response = 'error';
if (randomNumber > 7) {
response = 'success';
} else if (randomNumber > 2) {
response = 'progress';
}
return 'resource/response/' + response + '.json';
};
// ## Выполнить AJAX-запрос ##
_private.runAJAX = function() {
var xhr = new XMLHttpRequest();
xhr.onreadystatechange = function() {
if (xhr.readyState === 4 && xhr.status === 200) {
_private.result.handle(this.responseText);
}
};
var url = _private.getURL();
xhr.open('POST', url, false); // Блокируем асинхронность, чтобы не блокировать / разблокировать интерфейс.
xhr.send(JSON.stringify(module.getData()));
};
// ## Глобальный объект ##
var module = {};
module.validate = function() {
var result = {
isValid: true,
errorFields: []
};
for (var fieldName in _private.field) {
var field = _private.field[fieldName];
_markFieldDefault(field);
if (!_private.field[fieldName].validate()) {
result.errorFields.push(fieldName);
result.isValid = false;
_markFieldInvalid(field);
}
}
return result;
};
module.getData = function() {
var result = {};
for (var fieldName in _private.field) {
result[fieldName] = _private.field[fieldName].el.value;
}
return result;
};
module.setData = function(data) {
if (!_is('Object', data)) return;
for (var fieldName in _private.field) {
var value = data[fieldName];
if (_is('String', value) || _is('Number', value)) {
_private.field[fieldName].el.value = value;
}
}
};
module.submit = function() {
if (module.validate().isValid) {
_private.runAJAX();
} else {
// Приводим элемент с результатом в исходное положение:
_private.result.mark();
_private.result.el.innerText = '';
}
};
module._useAction = function(bool) {
_private.getURL.usedMethod = _private.getURL[!arguments.length || bool ? 'useAction' : 'useRandom'];
};
// ## Обработка отправки формы ##
_private.form.el.addEventListener('submit', function(event) {
event.preventDefault();
module.submit();
});
return module;
})(document);