Мне нужно получить значение, которое возвращает this.isJwtValid()
, но в настоящее время оно не возвращает значение результата promise
, код продолжает свой поток, не останавливаясь на достигнутом, и мне нужно получить результат этого promise
в этой строке:
let token = this.isJwtValid() //I need get the value of the promise in this line
продолжить свою логику.
как мне это сделать?
это мой код:
export class verificarToken implements CanActivate {
constructor(private router: Router, private storage: Storage) {}
async isJwtValid() {
const jwtToken: any = await this.storage.get("token");
console.info(jwtToken); /// this is showed second
if (jwtToken) {
try {
return JSON.parse(atob(jwtToken.split(".")[1]));
} catch (e) {
return false;
}
}
return false;
}
canActivate(ruta: ActivatedRouteSnapshot, estado: RouterStateSnapshot) {
let token = this.isJwtValid(); //I need get the value of token here
if (token) {
console.info(token) // this is showed first
if (ruta.routeConfig.path == "login") {
this.router.navigate(["/tabs/tab1"]);
}
return true;
}
this.storage.clear();
this.router.navigate(["/login"]);
return false;
}
}
CanActivate может возвращать Promise, Observable или Value, так что вы можете сделать это так.
canActivate(ruta: ActivatedRouteSnapshot, estado: RouterStateSnapshot) {
return this.isJwtValid().then(token => {
if (token) {
console.info(token) // this is showed first
if (ruta.routeConfig.path == "login") {
this.router.navigate(["/tabs/tab1"]);
return true;
}
this.storage.clear();
this.router.navigate(["/login"]);
return false;
});
}
}
canActivate также может возвращать обещание. следовательно, используйте async/await.
async canActivate(ruta: ActivatedRouteSnapshot, estado: RouterStateSnapshot) {
let token = await this.isJwtValid(); //I need get the value of token here
if (token) {
console.info(token) // this is showed first
if (ruta.routeConfig.path == "login") {
this.router.navigate(["/tabs/tab1"]);
}
return true;
}
this.storage.clear();
this.router.navigate(["/login"]);
return false;
}
}
``