Я хотел бы знать, как получить токен доступа для 3-сторонней аутентификации Spring Boot, используя функции, предоставляемые 'org.springframework.boot: spring-boot-starter-oauth2-client'
Я могу получить токен доступа с помощью обычных вызовов RestTemplate.
Я попытался получить тот же токен доступа с помощью функций spring-boot-starter-oauth2-client, следуя примеру в https://github.com/wonwoo/spring-boot-oauth2-login.
Я могу получить код, предоставленный сервером, но не могу понять, как получить токен доступа.
Мой код выглядит так:
Свойства в application.properties
spring.security.oauth2.client.registration.my-client-name-here.client-id=__client_id_here__
spring.security.oauth2.client.registration.my-client-name-here.client-secret=__client_secret_here__
spring.security.oauth2.client.registration.my-client-name-here.authorization-grant-type=authorization_code
spring.security.oauth2.client.registration.my-client-name-here.redirect-uri-template=http://localhost:8080/authentication/3leggedtoken/callback
spring.security.oauth2.client.registration.my-client-name-here.scope=data:read
spring.security.oauth2.client.registration.my-client-name-here.client-name=__client_name_here__
spring.security.oauth2.client.registration.my-client-name-here.client-authentication-method=POST
spring.security.oauth2.client.provider.my-client-name-here.token-uri=https://example.com/api/token
spring.security.oauth2.client.provider.my-client-name-here.authorization-uri=https://example.com/api/authorize
spring.security.oauth2.client.provider.my-client-name-here.user-info-uri=
spring.security.oauth2.client.provider.my-client-name-here.user-name-attribute=
Шаблон Thymeleaf в login.html
<div th:each="registration: ${registrations}">
<a th:href="@{${registration.uri}}">
Sign in with [[${registration.clientName}]]
</a>
</div>
Конфигурация в SecurityConfig.java
@Configuration
@EnableWebSecurity
public class SegurityConfig extends WebSecurityConfigurerAdapter {
@Override
protected void configure(HttpSecurity http_security) throws Exception {
http_security.authorizeRequests().requestMatchers(PathRequest.toStaticResources().atCommonLocations())
.permitAll().antMatchers("/authentication/**").permitAll().anyRequest().authenticated().and().oauth2Login()
.loginPage("/authentication/login").permitAll();
}
}
Контроллеры в AuthenticationController.java
@Controller
public class AuthenticationController {
@Autowired
OAuth2AuthorizedClientService clientService;
@Autowired
InMemoryClientRegistrationRepository clientRegistrationRepository;
@GetMapping("authentication/login")
public String login(Model model) {
List<Registration> registrations = StreamSupport.stream(clientRegistrationRepository.spliterator(), true)
.map(clientRegistration -> new Registration(clientRegistration.getRegistrationId(),
OAuth2AuthorizationRequestRedirectFilter.DEFAULT_AUTHORIZATION_REQUEST_BASE_URI + "/"
+ clientRegistration.getRegistrationId(),
clientRegistration.getClientName()))
.collect(Collectors.toList());
model.addAttribute("registrations", registrations);
return "authentication/login";
}
@GetMapping("authentication/3leggedtoken/callback")
public String accessToken(Model model, @RequestParam("code") String code) {
Authentication authentication = SecurityContextHolder.getContext().getAuthentication();
if (authentication.getClass().isAssignableFrom(OAuth2AuthenticationToken.class)) {
OAuth2AuthenticationToken oauthToken = (OAuth2AuthenticationToken) authentication;
String clientRegistrationId = oauthToken.getAuthorizedClientRegistrationId();
OAuth2AuthorizedClient client = clientService.loadAuthorizedClient(clientRegistrationId,
oauthToken.getName());
return client.getAccessToken().getTokenValue();
}
return null;
}
Приложение успешно создает ссылку на страницу аутентификации сервера, и URI перенаправления вызывается после входа в систему.
Код, возвращенный в обратном вызове, правильный
public String accessToken(Model model, @RequestParam("code") String code) {...}
но аутентификация не относится к типу OAuth2AuthenticationToken
Authentication authentication = SecurityContextHolder.getContext().getAuthentication();
но типа AnonymousAuthenticationToken
org.springframework.security.authentication.AnonymousAuthenticationToken@ef72fdb1: Principal: anonymousUser; Credentials: [PROTECTED]; Authenticated: true; Details: org.springframework.security.web.authentication.WebAuthenticationDetails@b364: RemoteIpAddress: 0:0:0:0:0:0:0:1; SessionId: D8FFF6F20C14791E505B8B86648F7E1B; Granted Authorities: ROLE_ANONYMOUS
Как мне получить токен доступа? и как мне получить к нему доступ для передачи по следующим запросам?
Заранее спасибо!