codevdesign 1.0.7 → 1.0.9

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -1,116 +1,116 @@
1
- import axios, { type AxiosInstance, type AxiosError, type AxiosResponse } from 'axios'
2
- import { useAppStore } from '@/store/appStore'
3
- import router from '@/router'
4
-
5
- type ApiReponse<T = unknown> =
6
- // Succès
7
- | {
8
- succes: true
9
- resultat: T
10
- status?: number
11
- message?: string
12
- location?: string
13
- parametres?: unknown
14
- [k: string]: unknown
15
- }
16
- // Échec (le backend peut quand même renvoyer resultat null/absent)
17
- | {
18
- succes: false
19
- resultat?: unknown
20
- status?: number
21
- message?: string
22
- location?: string
23
- parametres?: unknown
24
- [k: string]: unknown
25
- }
26
-
27
- let client: AxiosInstance | null = null
28
- let cachedBaseUrl = '' // pour éviter de régénérer une instance axios si rien n’a changé
29
-
30
- export default {
31
- clearCache: false,
32
-
33
- getAxios(): AxiosInstance {
34
- // Singleton + clearCache
35
- if (client && !this.clearCache) return client
36
-
37
- const appStore = useAppStore()
38
-
39
- const rawUrl = appStore.modeleCharger
40
- ? appStore.appModele!.urlBase
41
- : window.location.origin + import.meta.env.BASE_URL
42
-
43
- const urlBase = rawUrl.endsWith('/') ? rawUrl.slice(0, -1) : rawUrl
44
-
45
- // Si la base URL n'a pas changé et qu'on a déjà un client, on le renvoie
46
- if (client && cachedBaseUrl === urlBase && !this.clearCache) return client
47
- cachedBaseUrl = urlBase
48
-
49
- client = axios.create({
50
- baseURL: `${urlBase}/api`,
51
- withCredentials: true,
52
- timeout: 30_000,
53
- headers: {
54
- Accept: 'application/json',
55
- 'Content-Type': 'application/json',
56
- 'X-Requested-With': 'XMLHttpRequest',
57
- },
58
- // validateStatus: (s) => s >= 200 && s < 300, // défaut axios
59
- })
60
-
61
- client.interceptors.response.use(
62
- (response: AxiosResponse<any>) => {
63
- const data = response.data
64
-
65
- // Détection de la réponse { succes, resultat }
66
- if (data && typeof data === 'object' && 'succes' in data) {
67
- const env = data as ApiReponse
68
- return env.succes === true ? env.resultat : Promise.reject(env)
69
- }
70
-
71
- // Sinon, renvoyer data si présent, sinon la réponse complète
72
- return data ?? response
73
- },
74
-
75
- (error: AxiosError<any>) => {
76
- const status = error.response?.status
77
- const payload = error.response?.data?.resultat ?? { message: error.message }
78
-
79
- // 403 / 404
80
- if (status === 403 || status === 404) {
81
- try {
82
- appStore.lancerErreur(payload)
83
- if (router.currentRoute.value.name !== '403') {
84
- router.push({ name: '403' })
85
- }
86
- } catch {
87
- // no-op
88
- }
89
- return Promise.reject(payload)
90
- }
91
-
92
- // gérer les autres 4XX ici
93
-
94
- // Log minimal
95
- console.error('HTTP error', {
96
- status,
97
- url: error.config?.url,
98
- payload,
99
- })
100
-
101
- // Remonter l’erreur normalisée dans appstore
102
- try {
103
- if (payload?.resultat) appStore.lancerErreur(payload)
104
- else if (payload) appStore.lancerErreur(payload)
105
- } catch {
106
- // no-op
107
- }
108
- return Promise.reject(payload)
109
- },
110
- )
111
-
112
- // reset le flag si on l’avait utilisé pour forcer la recréation de l'instance
113
- this.clearCache = false
114
- return client
115
- },
116
- }
1
+ import axios, { type AxiosInstance, type AxiosError, type AxiosResponse } from 'axios'
2
+ import { useAppStore } from '@/store/appStore'
3
+ import router from '@/router'
4
+
5
+ type ApiReponse<T = unknown> =
6
+ // Succès
7
+ | {
8
+ succes: true
9
+ resultat: T
10
+ status?: number
11
+ message?: string
12
+ location?: string
13
+ parametres?: unknown
14
+ [k: string]: unknown
15
+ }
16
+ // Échec (le backend peut quand même renvoyer resultat null/absent)
17
+ | {
18
+ succes: false
19
+ resultat?: unknown
20
+ status?: number
21
+ message?: string
22
+ location?: string
23
+ parametres?: unknown
24
+ [k: string]: unknown
25
+ }
26
+
27
+ let client: AxiosInstance | null = null
28
+ let cachedBaseUrl = '' // pour éviter de régénérer une instance axios si rien n’a changé
29
+
30
+ export default {
31
+ clearCache: false,
32
+
33
+ getAxios(): AxiosInstance {
34
+ // Singleton + clearCache
35
+ if (client && !this.clearCache) return client
36
+
37
+ const appStore = useAppStore()
38
+
39
+ const rawUrl = appStore.modeleCharger
40
+ ? appStore.appModele!.urlBase
41
+ : window.location.origin + import.meta.env.BASE_URL
42
+
43
+ const urlBase = rawUrl.endsWith('/') ? rawUrl.slice(0, -1) : rawUrl
44
+
45
+ // Si la base URL n'a pas changé et qu'on a déjà un client, on le renvoie
46
+ if (client && cachedBaseUrl === urlBase && !this.clearCache) return client
47
+ cachedBaseUrl = urlBase
48
+
49
+ client = axios.create({
50
+ baseURL: `${urlBase}/api`,
51
+ withCredentials: true,
52
+ timeout: 30_000,
53
+ headers: {
54
+ Accept: 'application/json',
55
+ 'Content-Type': 'application/json',
56
+ 'X-Requested-With': 'XMLHttpRequest',
57
+ },
58
+ // validateStatus: (s) => s >= 200 && s < 300, // défaut axios
59
+ })
60
+
61
+ client.interceptors.response.use(
62
+ (response: AxiosResponse<any>) => {
63
+ const data = response.data
64
+
65
+ // Détection de la réponse { succes, resultat }
66
+ if (data && typeof data === 'object' && 'succes' in data) {
67
+ const env = data as ApiReponse
68
+ return env.succes === true ? env.resultat : Promise.reject(env)
69
+ }
70
+
71
+ // Sinon, renvoyer data si présent, sinon la réponse complète
72
+ return data ?? response
73
+ },
74
+
75
+ (error: AxiosError<any>) => {
76
+ const status = error.response?.status
77
+ const payload = error.response?.data?.resultat ?? { message: error.message }
78
+
79
+ // 403 / 404
80
+ if (status === 403 || status === 404) {
81
+ try {
82
+ appStore.lancerErreur(payload)
83
+ if (router.currentRoute.value.name !== '403') {
84
+ router.push({ name: '403' })
85
+ }
86
+ } catch {
87
+ // no-op
88
+ }
89
+ return Promise.reject(payload)
90
+ }
91
+
92
+ // gérer les autres 4XX ici
93
+
94
+ // Log minimal
95
+ console.error('HTTP error', {
96
+ status,
97
+ url: error.config?.url,
98
+ payload,
99
+ })
100
+
101
+ // Remonter l’erreur normalisée dans appstore
102
+ try {
103
+ if (payload?.resultat) appStore.lancerErreur(payload)
104
+ else if (payload) appStore.lancerErreur(payload)
105
+ } catch {
106
+ // no-op
107
+ }
108
+ return Promise.reject(payload)
109
+ },
110
+ )
111
+
112
+ // reset le flag si on l’avait utilisé pour forcer la recréation de l'instance
113
+ this.clearCache = false
114
+ return client
115
+ },
116
+ }
@@ -1,186 +1,175 @@
1
- import { useAppStore } from '@/store/appStore'
2
-
3
- class RafraichisseurToken {
4
- private intervalleEnSecondes = 15
5
- private secondesAvantExpirationTokenPourRafraichir = 20
6
- private skewSeconds = 5 // marge anti-derives d’horloge
7
- private popupAffiche = false
8
- private appStore: ReturnType<typeof useAppStore> | null = null
9
- private timerId: number | null = null
10
-
11
- // Lance une seule fois
12
- public async demarrer(): Promise<void> {
13
- this.appStore = useAppStore()
14
- await this.verifierToken()
15
- if (this.timerId != null) return
16
- this.timerId = window.setInterval(() => {
17
- this.verifierToken()
18
- }, this.intervalleEnSecondes * 1000)
19
- }
20
-
21
- // Permet d’arrêter le timer (ex: au logout / destroy)
22
- public arreter(): void {
23
- if (this.timerId != null) {
24
- clearInterval(this.timerId)
25
- this.timerId = null
26
- }
27
- }
28
-
29
- private async verifierToken(): Promise<void> {
30
- if (!this.appStore) this.appStore = useAppStore()
31
- const modele = this.appStore?.appModele
32
- if (this.popupAffiche || !modele) return
33
- const tokenEncode = this.lireCookie(modele.nomCookie)
34
- if (!tokenEncode) {
35
- await this.rafraichir()
36
- return
37
- }
38
-
39
- let token: any
40
- try {
41
- token = this.parseJwt(tokenEncode)
42
- } catch {
43
- await this.rafraichir()
44
- return
45
- }
46
-
47
- const exp = Number(token?.exp)
48
- if (!Number.isFinite(exp)) {
49
- // exp manquant/invalide → tente refresh
50
- await this.rafraichir()
51
- return
52
- }
53
-
54
- const now = Math.floor(Date.now() / 1000)
55
- const refreshAt = exp - this.secondesAvantExpirationTokenPourRafraichir - this.skewSeconds
56
- if (now >= refreshAt) {
57
- await this.rafraichir()
58
- }
59
- }
60
-
61
- private async rafraichir(): Promise<void> {
62
- if (!this.appStore) this.appStore = useAppStore()
63
- const modele = this.appStore?.appModele
64
- if (!modele) return
65
- const url = this.getRefreshUrl()
66
- const controller = new AbortController()
67
- const timeout = setTimeout(() => controller.abort(), 10_000)
68
-
69
- try {
70
- //Première tentative sans iframe, pour la majorité des cas.
71
- const resp = await fetch(url, {
72
- method: 'POST',
73
- credentials: 'include',
74
- headers: { Accept: 'application/json' },
75
- redirect: 'manual',
76
- signal: controller.signal,
77
- })
78
-
79
- // redirection (souvent => login) → traiter comme non auth
80
-
81
- if (resp.type === 'opaqueredirect' || resp.status === 302) {
82
- this.rafraichirParIframe()
83
- return
84
- }
85
-
86
- // OK ou No Content: le cookie devrait être réécrit
87
- if (resp.status === 200 || resp.status === 204) {
88
- const jeton = this.lireCookie(modele.nomCookie)
89
- if (!jeton) this.rafraichirParIframe()
90
- return
91
- }
92
-
93
- // non auth / expiré (401, 419) + IIS timeout (440)
94
- if (resp.status === 401 || resp.status === 419 || resp.status === 440) {
95
- this.rafraichirParIframe()
96
- return
97
- }
98
-
99
- console.warn('Rafraichisseur token: statut inattendu', resp.status)
100
- } catch (err: any) {
101
- if (err?.name === 'AbortError') console.warn('RafraichisseurToken timeout')
102
- else console.error('Erreur rafraichisseur de token', err)
103
- // on réessaiera au prochain tick
104
- } finally {
105
- clearTimeout(timeout)
106
- }
107
- }
108
-
109
- private rafraichirParIframe() {
110
- if (!this.appStore) this.appStore = useAppStore()
111
- // Pour éviter les cross référence, on créé un iframe qui appel portail et force la MAJ du jeton ou l'invalidation du jeton, si jamais l'utilisateur n'est plus connecté
112
- // ajax vers le refresh
113
- let iframe = document.createElement('iframe')
114
- const url = this.getRefreshUrl()
115
- iframe.src = `${url}?urlRetour=${encodeURI(window.localStorage.href)}`
116
- iframe.id = 'idRafrToken'
117
- iframe.style.display = 'none'
118
- document.body.appendChild(iframe)
119
- iframe.onload = () => {
120
- const jetonCSQC = this.lireCookie(this.appStore!.appModele!.nomCookie)
121
- if (jetonCSQC == null || jetonCSQC === '') {
122
- this.estDeconnecteAzure()
123
- }
124
-
125
- iframe.remove()
126
- }
127
- }
128
-
129
- private estDeconnecteAzure(): void {
130
- //on envoie au portail, pas le choix
131
- if (!this.appStore) this.appStore = useAppStore()
132
-
133
- const retour = encodeURI(window.location.href)
134
- window.open(`${this.appStore.appModele!.urlPortailSeConnecter}?urlRetour=${retour}`, '_self')
135
- return
136
- }
137
-
138
- public deconnecterPortail(): void {
139
- if (!this.appStore) this.appStore = useAppStore()
140
- const modele = this.appStore?.appModele
141
- if (!modele) return
142
-
143
- window.location.replace(`${modele.urlPortail}deconnecte?urlRetour=${encodeURIComponent(window.location.href)}`)
144
- }
145
-
146
-
147
- private lireCookie(nom: string): string | null {
148
- if (!document.cookie) return null
149
- const cookies = document.cookie.split(';').map(c => c.trim())
150
- for (const cookie of cookies) {
151
- if (cookie.startsWith(`${nom}=`)) {
152
- try {
153
- return decodeURIComponent(cookie.substring(nom.length + 1))
154
- } catch {
155
- return cookie.substring(nom.length + 1)
156
- }
157
- }
158
- }
159
- return null
160
- }
161
-
162
- // eslint-disable-next-line @typescript-eslint/no-explicit-any
163
- private parseJwt(token: string): any {
164
- const parts = token.split('.')
165
- const base64Url = parts[1]
166
- if (!base64Url) throw new Error('Invalid JWT format')
167
- const base64 = base64Url.replace(/-/g, '+').replace(/_/g, '/')
168
- const jsonPayload = decodeURIComponent(
169
- atob(base64)
170
- .split('')
171
- .map(c => `%${`00${c.charCodeAt(0).toString(16)}`.slice(-2)}`)
172
- .join(''),
173
- )
174
- return JSON.parse(jsonPayload)
175
- }
176
-
177
- // URL refresh selon env (dev = proxy Vite ; prod = portail)
178
- private getRefreshUrl(): string {
179
- if (import.meta.env.MODE === 'development') return '/portail-refresh'
180
- return this.appStore!.appModele!.urlPortailRafraichissement
181
- }
182
- }
183
-
184
- // Instance
185
- const rafraichisseurToken = new RafraichisseurToken()
186
- export default rafraichisseurToken
1
+
2
+ class RafraichisseurToken {
3
+ private intervalleEnSecondes = 15
4
+ private secondesAvantExpirationTokenPourRafraichir = 20
5
+ private skewSeconds = 5 // marge anti-derives d’horloge
6
+ private popupAffiche = false
7
+ private timerId: number | null = null
8
+
9
+ // Lance une seule fois
10
+ public async demarrer(nomCookie: string | null, urlPortail: string): Promise<void> {
11
+ if (nomCookie == null || nomCookie === '') nomCookie = 'csqc_jeton_secure_expiration'
12
+ await this.verifierToken(nomCookie, urlPortail)
13
+ if (this.timerId != null) return
14
+ this.timerId = window.setInterval(() => {
15
+ this.verifierToken(nomCookie, urlPortail)
16
+ }, this.intervalleEnSecondes * 1000)
17
+ }
18
+
19
+ // Permet d’arrêter le timer (ex: au logout / destroy)
20
+ public arreter(): void {
21
+ if (this.timerId != null) {
22
+ clearInterval(this.timerId)
23
+ this.timerId = null
24
+ }
25
+ }
26
+
27
+ private async verifierToken(nomCookie: string, urlPortail: string): Promise<void> {
28
+
29
+ if (this.popupAffiche || !nomCookie) return
30
+ const tokenEncode = this.lireCookie(nomCookie)
31
+ if (!tokenEncode) {
32
+ await this.rafraichir(nomCookie, urlPortail)
33
+ return
34
+ }
35
+
36
+ let token: any
37
+ try {
38
+ token = this.parseJwt(tokenEncode)
39
+ } catch {
40
+ await this.rafraichir(nomCookie, urlPortail)
41
+ return
42
+ }
43
+
44
+ const exp = Number(token?.exp)
45
+ if (!Number.isFinite(exp)) {
46
+ // exp manquant/invalide → tente refresh
47
+ await this.rafraichir(nomCookie, urlPortail)
48
+ return
49
+ }
50
+
51
+ const now = Math.floor(Date.now() / 1000)
52
+ const refreshAt = exp - this.secondesAvantExpirationTokenPourRafraichir - this.skewSeconds
53
+ if (now >= refreshAt) {
54
+ await this.rafraichir(nomCookie, urlPortail)
55
+ }
56
+ }
57
+
58
+ private async rafraichir(nomCookie: string, urlPortail: string): Promise<void> {
59
+ if (!nomCookie) return
60
+ const url = this.getRefreshUrl(urlPortail)
61
+ const controller = new AbortController()
62
+ const timeout = setTimeout(() => controller.abort(), 10_000)
63
+
64
+ try {
65
+ //Première tentative sans iframe, pour la majorité des cas.
66
+ const resp = await fetch(url, {
67
+ method: 'POST',
68
+ credentials: 'include',
69
+ headers: { Accept: 'application/json' },
70
+ redirect: 'manual',
71
+ signal: controller.signal,
72
+ })
73
+
74
+ // redirection (souvent => login) → traiter comme non auth
75
+
76
+ if (resp.type === 'opaqueredirect' || resp.status === 302) {
77
+ this.rafraichirParIframe(nomCookie, urlPortail)
78
+ return
79
+ }
80
+
81
+ // OK ou No Content: le cookie devrait être réécrit
82
+ if (resp.status === 200 || resp.status === 204) {
83
+ const jeton = this.lireCookie(nomCookie)
84
+ if (!jeton) this.rafraichirParIframe(nomCookie, urlPortail)
85
+ return
86
+ }
87
+
88
+ // non auth / expiré (401, 419) + IIS timeout (440)
89
+ if (resp.status === 401 || resp.status === 419 || resp.status === 440) {
90
+ this.rafraichirParIframe(nomCookie, urlPortail)
91
+ return
92
+ }
93
+
94
+ console.warn('Rafraichisseur token: statut inattendu', resp.status)
95
+ } catch (err: any) {
96
+ if (err?.name === 'AbortError') console.warn('RafraichisseurToken timeout')
97
+ else console.error('Erreur rafraichisseur de token', err)
98
+ // on réessaiera au prochain tick
99
+ } finally {
100
+ clearTimeout(timeout)
101
+ }
102
+ }
103
+
104
+ private rafraichirParIframe(nomCookie: string, urlPortail: string): void {
105
+ // Pour éviter les cross référence, on créé un iframe qui appel portail et force la MAJ du jeton ou l'invalidation du jeton, si jamais l'utilisateur n'est plus connecté
106
+ // ajax vers le refresh
107
+ let iframe = document.createElement('iframe')
108
+ const url = this.getRefreshUrl(urlPortail)
109
+ iframe.src = `${url}?urlRetour=${encodeURI(window.localStorage.href)}`
110
+ iframe.id = 'idRafrToken'
111
+ iframe.style.display = 'none'
112
+ document.body.appendChild(iframe)
113
+ iframe.onload = () => {
114
+ const jetonCSQC = this.lireCookie(nomCookie)
115
+ if (jetonCSQC == null || jetonCSQC === '') {
116
+ this.estDeconnecteAzure(urlPortail)
117
+ }
118
+
119
+ iframe.remove()
120
+ }
121
+ }
122
+
123
+ private estDeconnecteAzure(urlPortail: string): void {
124
+ //on envoie au portail, pas le choix
125
+
126
+ const retour = encodeURI(window.location.href)
127
+ window.open(`${urlPortail}/home/SeConnecter?urlRetour=${retour}`, '_self')
128
+ return
129
+ }
130
+
131
+ public deconnecterPortail(urlPortail: string): void {
132
+ window.location.replace(`${urlPortail}deconnecte?urlRetour=${encodeURIComponent(window.location.href)}`)
133
+ }
134
+
135
+
136
+ private lireCookie(nom: string): string | null {
137
+ if (!document.cookie) return null
138
+ const cookies = document.cookie.split(';').map(c => c.trim())
139
+ for (const cookie of cookies) {
140
+ if (cookie.startsWith(`${nom}=`)) {
141
+ try {
142
+ return decodeURIComponent(cookie.substring(nom.length + 1))
143
+ } catch {
144
+ return cookie.substring(nom.length + 1)
145
+ }
146
+ }
147
+ }
148
+ return null
149
+ }
150
+
151
+ // eslint-disable-next-line @typescript-eslint/no-explicit-any
152
+ private parseJwt(token: string): any {
153
+ const parts = token.split('.')
154
+ const base64Url = parts[1]
155
+ if (!base64Url) throw new Error('Invalid JWT format')
156
+ const base64 = base64Url.replace(/-/g, '+').replace(/_/g, '/')
157
+ const jsonPayload = decodeURIComponent(
158
+ atob(base64)
159
+ .split('')
160
+ .map(c => `%${`00${c.charCodeAt(0).toString(16)}`.slice(-2)}`)
161
+ .join(''),
162
+ )
163
+ return JSON.parse(jsonPayload)
164
+ }
165
+
166
+ // URL refresh selon env (dev = proxy Vite ; prod = portail)
167
+ private getRefreshUrl(urlPortail: string): string {
168
+ if (import.meta.env.MODE === 'development') return '/portail-refresh'
169
+ return urlPortail + '/Home/Refresh'
170
+ }
171
+ }
172
+
173
+ // Instance
174
+ const rafraichisseurToken = new RafraichisseurToken()
175
+ export default rafraichisseurToken
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "codevdesign",
3
- "version": "1.0.7",
3
+ "version": "1.0.9",
4
4
  "description": "Composants Vuetify 3 pour les projets Codev",
5
5
  "files": [
6
6
  "./**/*.vue",