forked from kmorpex/esia-gosuslugi
-
Notifications
You must be signed in to change notification settings - Fork 0
/
index.js
216 lines (192 loc) · 6.81 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
213
214
215
216
const {URL, URLSearchParams} = require('url');
const getTimestamp = require('./lib/timestamp');
const getSigner = require('./lib/signer');
const uuid = require('uuid/v4');
const querystring = require('querystring');
const axios = require('axios');
const jwtDecode = require('jwt-decode');
const prns = require('./lib/loader');
const defaultConfig = {
esiaUrl: 'https://esia.gosuslugi.ru',
authPath: '/aas/oauth2/ac',
markerPath: '/aas/oauth2/te',
dataPath: '/rs/prns',
scope: 'openid',
};
const requiredFields = [
'esiaUrl',
'authPath',
'markerPath',
'dataPath',
'scope',
'clientId',
'redirectUri',
'certificate',
'privateKey',
];
/**
* @function
* @param {Object} config Конфиг подключения к ЕСИА.
* @prop {String} esiaUrl Урл портала ЕСИА.
* (по умолчанию 'https://esia.gosuslugi.ru')
*
* @prop {String} authPath Путь страницы авторизации.
* (по умолчанию '/aas/oauth2/ac')
*
* @prop {String} markerPath Путь страницы получения маркера.
* доступа. (по умолчанию '/aas/oauth2/te')
*
* @prop {String} scope Области доступов.
* (по умолчанию 'openid')
*
* @prop {String|Number} clientId Идентификатор системы клиента.
*
* @prop {redirectUri} redirectUri Ссылка, по которой должен
* быть направлен пользователь после того, как даст
* разрешение на доступ к ресурсу.
*
* @prop {String} certificate Содержимое файла сертификата.
*
* @prop {String} key Содержимое файла приватного ключа.
*
*
* @return {Object} Экземпляр для работы с ЕСИА.
* @prop {Function} createAuth Формирует url для перехода в ЕСИА.
*/
module.exports = (config) => {
if (typeof config !== 'object' || config === null) {
throw new Error('Config is required.');
}
const _conf = Object.assign(
{},
defaultConfig,
config
);
for (let field of requiredFields) {
let value = _conf[field];
if (value === null || value === undefined) {
throw new Error(`Field '${field}' is required to config.`);
}
}
const {
clientId,
redirectUri,
scope,
authPath,
markerPath,
dataPath,
esiaUrl,
certificate,
privateKey,
} = _conf;
const authUrl = new URL(authPath, esiaUrl);
const markerUrl = new URL(markerPath, esiaUrl);
const dataUrl = new URL(dataPath, esiaUrl);
const sign = getSigner({certificate, privateKey});
return {
/**
* Метод возвращает данные для авторизации.
* @function getAuth
* @return {Object}
* @prop {String} url Ссылка для авторизации в ЕСИА.
* @prop {Object} params Параметры, использованные при построении ссылки.
*/
async getAuth () {
const timestamp = getTimestamp();
const state = uuid();
const clientSecret = await sign([scope, timestamp, clientId, state].join(''));
const params = {
access_type: 'online',
timestamp,
state,
scope,
response_type: 'code',
redirect_uri: redirectUri,
client_id: clientId,
client_secret: clientSecret
};
const authQuery = new URLSearchParams(params);
return {
url: `${authUrl}?${authQuery}`,
params,
};
},
/**
* Метод получения маркера доступа и информации о пользователе
* @function getAccess
* @param {String} code Авторизационный код, возвращаемый на redirect_uri.
* @param {String[]} dataPathList Массив путей для получения информации
* о пользователе. Например ['/', '/docs'].
* (по умолчанию используется ['/'] - корневой путь.
* В итоге, будет загружена информация по пути 'https://esia.gosuslugi.ru/rs/prns/100321/')
* Если передать null, то информация о пользователе запрашиваться не будет.
*
* @return {Promise<Object>} Возвращает промис, который резолвится в объект
* с ответом на запрос маркера.
* @prop {Object} marker Объект маркера доступа. Содержит два поля:
* 1. response - ответ от есиа при получении маркера
* 2. decodedAccessToken - jwt декодированное поле access_token из response
*
* @prop {Object} data Данные о пользователе есиа в том же порядке что и
* пути для запроса данных, переданные в dataPathList
*/
async getAccess(code, dataPathList) {
const timestamp = getTimestamp();
const state = uuid();
const clientSecret = await sign([scope, timestamp, clientId, state].join(''));
if (!code) {
return Promise.reject(
new Error('Code is required to get access marker')
);
}
const body = querystring.stringify({
client_id: clientId,
client_secret: clientSecret,
redirect_uri: redirectUri,
code,
state,
scope,
timestamp,
grant_type: 'authorization_code',
token_type: 'Bearer',
})
const { data } = await axios.post(markerUrl.href, body, {
headers: {
'Content-Type': 'application/x-www-form-urlencoded',
}
})
if (!data) {
throw new Error('Error while getting marker or handling response. ' + err.message);
}
const { access_token } = data;
const decodedAT = jwtDecode(access_token);
const userData = {};
if (!Array.isArray(dataPathList)) {
dataPathList = dataPathList === undefined ? ['/'] : [];
}
await Promise.all(dataPathList.map(async (path) => {
userData[path] = await prns({
uri: `${dataUrl}/${decodedAT['urn:esia:sbj_id']}${path}`,
accessToken: access_token,
});
const { elements } = userData[path]
if (elements && elements.length) {
userData[path].data = []
await Promise.all(elements.map(async (elem) => {
userData[path].data.push(await prns({
uri: `${elem}`,
accessToken: access_token,
}));
}))
}
}))
return {
marker: {
data,
decodedAccessToken: decodedAT,
},
data: userData
}
},
};
};