티스토리 뷰
[Node.js] Vue.js quasar에서 hydra Token 발급(POST /oauth2/token) 시 invalid_client 오류 발생 및 해결방법
miiingo 2020. 11. 10. 12:03문제 발생
Vue.js로 만든 클라이언트에서 OAuth2를 적용하기 위해 hydra를 사용했다.
auth_code 발급까지는 성공했는데, 이 auth_code를 기반으로 access_token을 발급받는데 자꾸 invalid_client 에러가 발생했다.
time="2020-11-10T01:55:43Z" level=error msg="An error occurred" debug="crypto/bcrypt: hashedPassword is not the hash of the given password" description="Client authentication failed (e.g., unknown client, no client authentication included, or unsupported authentication method)" error=invalid_client
혹시나 client_secret 값이 없어서 발생한건가 싶어 body data에 client_secret도 함께 넣어 요청을 보내면 또 다른 오류가 발생한다.
time="2020-11-10T01:25:05Z" level=error msg="An error occurred" description="Client authentication failed (e.g., unknown client, no client authentication included, or unsupported authentication method)" error=invalid_client hint="The OAuth 2.0 Client supports client authentication method \"client_secret_basic\", but method \"client_secret_post\" was requested. You must configure the OAuth 2.0 client's \"token_endpoint_auth_method\" value to accept \"client_secret_post\"."
hydra client를 생성할 때 token_endpoint_auth_method를 client_secret_basic으로 설정했는데, 요청에 secret이 포함되어있어서 오류가 나는 것 같다.
참고로 내가 생성한 hydra client를 확인해보면 다음과 같다.
$ hydra clients list \
> --endpoint https://hydra.trustbloc.local:4445 \
> --skip-tls-verify
Config file not found because "Config File ".hydra" Not Found in "[/home/ory]""
| CLIENT ID | NAME | RESPONSE TYPES | SCOPE | REDIRECT URIS | GRANT TYPES | TOKEN ENDPOINT AUTH METHOD |
|-------------------|------|----------------|--------------------------------|------------------------------------------------------|----------------------------------|----------------------------|
| auth-code-client | | code,id_token | StudentCard TravelCard | https://issuer.trustbloc.local/callback | authorization_code,refresh_token | client_secret_basic |
| | | | PermanentResidentCard | https://user.trustbloc.local/employID/LoginGroupware | | |
| | | | CertifiedMillTestReport | https://user.trustbloc.local/employID/LoginWelfare | | |
| | | | CrudeProductCredential | | | |
| | | | UniversityDegreeCredential | | | |
| | | | CreditCardStatement | | | |
| | | | mDL CreditScore MyData | | | |
| | | | EmployeeCard | | | |
문제 해결
기나긴 구글링과 삽질을 통해 드디어 해결을 했다.
문제는 Token을 발급받기 위해 POST /oauth2/token 요청을 실시할 때, Authorization 헤더 값이 필요하다는 것이다.
아래와 같은 형식으로 Authorization 헤더 값을 넣어 요청을 보내야하는데, 여기서 주의할 점은 <client_id>:<client_secret> 값을 base64로 인코딩해서 보내야한다는 점이다.
Basic window.btoa(<client_id>:<client_secret>)
참고로 Vue.js에서 base64로 인코딩하는 방법은 다음과 같다.
window.btoa("base로 인코딩할 문자열");
이렇게 해서 요청을 보내면 정상적으로 Token 발급이 완료된다.
Vue.js 상의 코드는 다음과 같다.
...
import qs from "qs";
export default {
data() {
return {
authTokenURL: "https://hydra.trustbloc.local/oauth2/token",
basicURL: "https://user.trustbloc.local/employID/",
loginType: "LoginGroupware",
clientId: "auth-code-client",
clientSecret: "secret",
grantType: "authorization_code",
};
},
created: function() {
...
// 요청에 함께 보낼 body data
var data = {
grant_type: this.grantType,
client_id: this.clientId,
code: code,
redirect_uri: redirectURI,
};
if(!data){
alert("data가 없습니다.");
return;
}
var queryString = qs.stringify(data);
// token 발급을 위한 헤더 설정
// Authorization 헤더: <client_id>:<client_secret> 값을 base64로 인코딩 필요
var authorization = window.btoa(`${this.clientId}:${this.clientSecret}`);
var config = {
headers: {
"Content-Type": "application/x-www-form-urlencoded",
"Accept": "application/json",
"Authorization": `Basic ${authorization}`
}
};
// POST /oauth2/token 요청
this.$axios
.post(`${this.authTokenURL}`, queryString, config)
.then(response => {
console.log("response: ", response);
console.log("response.data: ", response.data);
console.log("response.data.access_token: ", response.data.access_token);
console.log("response.data.token_type: ", response.data.token_type);
console.log("response.data.scope: ", response.data.scope);
.catch(function(error) {
console.log("axios.authTokenURL->error");
alert("OAuth Token 생성에 실패하였습니다.: ", error);
});
Vue.js는 아직까진 샘플도 많이 없고 구글링해도 자료가 많지 않아서 개발하는 데 오류가 나면 쓸데없이 시간이 오래 걸리는 단점이 있다.
qs로 stringify하는 것도 import를 잘못해서 한참 삽질했다...
어쨋든 간신히 성공...
참고 사이트
Ory Hydra - The OAuth 2.0 Token Endpoint
'프로그래밍 언어 > Node.js' 카테고리의 다른 글
[Node.js] javascript: Array의 요소(element)를 swap하는 방법 (1) | 2021.04.21 |
---|---|
[Node.js] javascript: 주어진 조건을 통과하는 배열 요소가 있는지 확인하는 Array.some() 사용법 (0) | 2021.03.05 |
[Node.js] Vue.js quasar에서 qs 설치 및 사용 방법 (0) | 2020.11.10 |
[Node.js] Vue.js에서 url에 포함된 #(Hashbang) 제거하기 (1) | 2020.11.05 |
[Node.js] javascript: forEach VS for each...in VS for...in VS for...of 비교 정리 (0) | 2020.09.23 |
- Total
- Today
- Yesterday
- Hyperledger Fabric v1.1
- 빅데이터
- Hyperledger Indy
- ubuntu
- 하이퍼레저 패브릭
- 암브로셔스
- 직딩잇템
- docker
- Private Data
- 하이퍼레저 인디
- DOCs
- 알고리즘
- 기초 of 기초 데이터 개념
- Hyperledger Fabric
- 블록 체인
- 코딜리티
- 블록체인
- 빅데이터 강의
- 코딩테스트
- 빅데이터 기초
- Hyperledger Fabric v1.2
- 문제풀이
- 하이퍼레저 페브릭
- ambrosus
- 코테
- 빅데이터 교육
- javascript
- codility
- 어서와 데이터는 처음이지
- Blockchain
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |