错误:将ESTABILREFUSED 8080 keycloak与 Spring Boot 连接

yhxst69z  于 2024-01-06  发布在  Spring
关注(0)|答案(1)|浏览(291)

端口8080与端口8180重叠
这是我第一次使用keycloack、spring Boot 和docker启动一个应用程序。设置和使用keycloack本身并没有引起任何问题。Docker运行得很顺利。但是当我请求从postman到spring方法时,我得到一个错误错误错误:connect EASPING REFUSED 127.0.0.1:8080
docker-compose.yml

  1. version: '3.9'
  2. services:
  3. keycloak:
  4. container_name: keycloak-auth
  5. image: quay.io/keycloak/keycloak:22.0.1
  6. command:
  7. - "start-dev"
  8. ports:
  9. - "8180:8080"
  10. networks:
  11. - keycloak
  12. environment:
  13. KEYCLOAK_ADMIN: admin
  14. KEYCLOAK_ADMIN_PASSWORD: password
  15. KC_DB: postgres
  16. KC_DB_URL_HOST: keycloak-db
  17. KC_DB_URL_DATABASE: keycloak
  18. KC_DB_USERNAME: keycloak
  19. KC_DB_PASSWORD: password
  20. KC_HEALTH_ENABLED: true
  21. depends_on:
  22. - keycloak-db
  23. keycloak-db:
  24. image: postgres:14-alpine
  25. container_name: keycloak-db
  26. ports:
  27. - "5433:5432"
  28. volumes:
  29. - postgres_data_keycloak:/var/lib/postgresql/data
  30. environment:
  31. POSTGRES_DB: keycloak
  32. POSTGRES_USER: keycloak
  33. POSTGRES_PASSWORD: password
  34. networks: [ keycloak ]
  35. healthcheck:
  36. test: [ "CMD", "pg_isready", "-q", "-d", "postgres", "-U" ]
  37. timeout: 45s
  38. interval: 10s
  39. retries: 10
  40. activemq:
  41. image: webcenter/activemq:latest
  42. ports:
  43. # mqtt
  44. - "1883:1883"
  45. # amqp
  46. - "5672:5672"
  47. # ui
  48. - "8161:8161"
  49. # stomp
  50. - "61613:61613"
  51. # ws
  52. - "61614:61614"
  53. # jms
  54. - "61616:61616"
  55. networks: [ activemq ]
  56. volumes: [ "activemq-data:/opt/activemq/conf", "activemq-data:/data/activemq", "activemq-data:/var/log/activemq" ]
  57. environment:
  58. ACTIVEMQ_REMOVE_DEFAULT_ACCOUNT: "true"
  59. ACTIVEMQ_ADMIN_LOGIN: admin
  60. ACTIVEMQ_ADMIN_PASSWORD: password
  61. ACTIVEMQ_WRITE_LOGIN: write
  62. ACTIVEMQ_WRITE_PASSWORD: password
  63. ACTIVEMQ_READ_LOGIN: read
  64. ACTIVEMQ_READ_PASSWORD: password
  65. ACTIVEMQ_JMX_LOGIN: jmx
  66. ACTIVEMQ_JMX_PASSWORD: password
  67. ACTIVEMQ_STATIC_TOPICS: static-topic-1;static-topic-2;autoTopic
  68. ACTIVEMQ_STATIC_QUEUES: static-queue-1;static-queue-2
  69. ACTIVEMQ_ENABLED_SCHEDULER: "true"
  70. ACTIVEMQ_MIN_MEMORY: 512
  71. ACTIVEMQ_MAX_MEMORY: 2048
  72. networks:
  73. keycloak:
  74. name: keycloak
  75. driver: bridge
  76. activemq: { }
  77. volumes:
  78. postgres_data_keycloak:
  79. driver: local
  80. activemq-data:
  81. driver: local

字符串
安全配置

  1. @Configuration
  2. @EnableWebSecurity
  3. @EnableMethodSecurity
  4. class SecurityConfig {
  5. @Bean
  6. public SecurityFilterChain securityFilterChain(HttpSecurity httpSecurity) throws Exception {
  7. httpSecurity
  8. //TODO: security without @PreAuthorize
  9. /* .authorizeHttpRequests(registry -> registry
  10. .requestMatchers(HttpMethod.GET, "/api/**").hasRole("USER")
  11. .requestMatchers(HttpMethod.POST, "/api/**").hasRole("PERSON")
  12. .anyRequest().authenticated()
  13. )*/
  14. .oauth2ResourceServer(oauth2Configurer -> oauth2Configurer
  15. .jwt(jwtConfigurer -> jwtConfigurer
  16. .jwtAuthenticationConverter(jwt -> {
  17. Map<String, Collection<String>> realmAccess = jwt.getClaim("realm_access");
  18. Collection<String> roles = realmAccess.get("roles");
  19. var grantedAuthorities = roles.stream()
  20. .map(role -> new SimpleGrantedAuthority("ROLE_" + role))
  21. .collect(Collectors.toList());
  22. return new JwtAuthenticationToken(jwt, grantedAuthorities);
  23. })));
  24. return httpSecurity.build();
  25. }
  26. }


控制器

  1. @RestController
  2. @RequestMapping(value = "/api", produces = MediaType.APPLICATION_JSON_VALUE)
  3. @RequiredArgsConstructor
  4. @Slf4j
  5. public class AutomobileRestController implements AutomobileResource, AutomobileOpenApi, JMSPublisher {
  6. private final AutomobileRepository repository;
  7. private final JmsTemplate jmsTemplate;
  8. public static double getTiming(Instant start, Instant end) {
  9. return Duration.between(start, end).toMillis();
  10. }
  11. @Transactional
  12. @PostConstruct
  13. public void init() {
  14. repository.save(new Automobile(1L, "Ford", "Green", LocalDateTime.now(), LocalDateTime.now(), true, false));
  15. }
  16. @PostMapping("/automobiles")
  17. @ResponseStatus(HttpStatus.CREATED)
  18. @PreAuthorize("hasRole('ADMIN')")
  19. //@RolesAllowed("ADMIN")
  20. public Automobile saveAutomobile(@Valid @RequestBody Automobile automobile) {
  21. log.info("saveAutomobile() - start: automobile = {}", automobile);
  22. Automobile savedAutomobile = repository.save(automobile);
  23. log.info("saveAutomobile() - end: savedAutomobile = {}", savedAutomobile.getId());
  24. return savedAutomobile;
  25. }
  26. @GetMapping("/automobiles")
  27. @ResponseStatus(HttpStatus.OK)
  28. @PreAuthorize("hasRole('USER')")
  29. public Collection<Automobile> getAllAutomobiles() {
  30. log.info("getAllAutomobiles() - start");
  31. Collection<Automobile> collection = repository.findAll();
  32. log.info("getAllAutomobiles() - end");
  33. return collection;
  34. }
  35. @GetMapping("/automobiles/{id}")
  36. @ResponseStatus(HttpStatus.OK)
  37. @PreAuthorize("hasRole('PERSON')")
  38. public Automobile getAutomobileById(@PathVariable Long id) {
  39. log.info("getAutomobileById() - start: id = {}", id);
  40. Automobile receivedAutomobile = repository.findById(id)
  41. .orElseThrow(ThereIsNoSuchAutoException::new);
  42. if (receivedAutomobile.getDeleted()) {
  43. throw new AutoWasDeletedException();
  44. }
  45. log.info("getAutomobileById() - end: Automobile = {}", receivedAutomobile.getId());
  46. return receivedAutomobile;
  47. }
  48. @Hidden
  49. @GetMapping(value = "/automobiles", params = {"name"})
  50. @ResponseStatus(HttpStatus.OK)
  51. public Collection<Automobile> findAutomobileByName(@RequestParam(value = "name") String name) {
  52. log.info("findAutomobileByName() - start: name = {}", name);
  53. Collection<Automobile> collection = repository.findByName(name);
  54. log.info("findAutomobileByName() - end: collection = {}", collection);
  55. return collection;
  56. }
  57. @PutMapping("/automobiles/{id}")
  58. @ResponseStatus(HttpStatus.OK)
  59. //@CachePut(value = "automobile", key = "#id")
  60. public Automobile refreshAutomobile(@PathVariable Long id, @RequestBody Automobile automobile) {
  61. log.info("refreshAutomobile() - start: id = {}, automobile = {}", id, automobile);
  62. Automobile updatedAutomobile = repository.findById(id)
  63. .map(entity -> {
  64. entity.checkColor(automobile);
  65. entity.setName(automobile.getName());
  66. entity.setColor(automobile.getColor());
  67. entity.setUpdateDate(automobile.getUpdateDate());
  68. if (entity.getDeleted()) {
  69. throw new AutoWasDeletedException();
  70. }
  71. return repository.save(entity);
  72. })
  73. //.orElseThrow(() -> new EntityNotFoundException("Automobile not found with id = " + id));
  74. .orElseThrow(ThereIsNoSuchAutoException::new);
  75. log.info("refreshAutomobile() - end: updatedAutomobile = {}", updatedAutomobile);
  76. return updatedAutomobile;
  77. }
  78. @DeleteMapping("/automobiles/{id}")
  79. @ResponseStatus(HttpStatus.NO_CONTENT)
  80. @CacheEvict(value = "automobile", key = "#id")
  81. public String removeAutomobileById(@PathVariable Long id) {
  82. log.info("removeAutomobileById() - start: id = {}", id);
  83. Automobile deletedAutomobile = repository.findById(id)
  84. .orElseThrow(ThereIsNoSuchAutoException::new);
  85. deletedAutomobile.setDeleted(Boolean.TRUE);
  86. repository.save(deletedAutomobile);
  87. log.info("removeAutomobileById() - end: id = {}", id);
  88. return "Deleted";
  89. }
  90. @Hidden
  91. @DeleteMapping("/automobiles")
  92. @ResponseStatus(HttpStatus.NO_CONTENT)
  93. public void removeAllAutomobiles() {
  94. log.info("removeAllAutomobiles() - start");
  95. repository.deleteAll();
  96. log.info("removeAllAutomobiles() - end");
  97. }
  98. @GetMapping(value = "/automobiles", params = {"color"})
  99. @ResponseStatus(HttpStatus.OK)
  100. public Collection<Automobile> findAutomobileByColor(
  101. @Parameter(description = "Name of the Automobile to be obtained. Cannot be empty.", required = true)
  102. @RequestParam(value = "color") String color) {
  103. Instant start = Instant.now();
  104. log.info("findAutomobileByColor() - start: time = {}", start);
  105. log.info("findAutomobileByColor() - start: color = {}", color);
  106. Collection<Automobile> collection = repository.findByColor(color);
  107. Instant end = Instant.now();
  108. log.info("findAutomobileByColor() - end: milliseconds = {}", getTiming(start, end));
  109. log.info("findAutomobileByColor() - end: collection = {}", collection);
  110. return collection;
  111. }
  112. @GetMapping(value = "/automobiles", params = {"name", "color"})
  113. @ResponseStatus(HttpStatus.OK)
  114. public Collection<Automobile> findAutomobileByNameAndColor(
  115. @Parameter(description = "Name of the Automobile to be obtained. Cannot be empty.", required = true)
  116. @RequestParam(value = "name") String name, @RequestParam(value = "color") String color) {
  117. log.info("findAutomobileByNameAndColor() - start: name = {}, color = {}", name, color);
  118. Collection<Automobile> collection = repository.findByNameAndColor(name, color);
  119. log.info("findAutomobileByNameAndColor() - end: collection = {}", collection);
  120. return collection;
  121. }
  122. @GetMapping(value = "/automobiles", params = {"colorStartsWith"})
  123. @ResponseStatus(HttpStatus.OK)
  124. public Collection<Automobile> findAutomobileByColorStartsWith(
  125. @RequestParam(value = "colorStartsWith") String colorStartsWith,
  126. @RequestParam(value = "page") int page,
  127. @RequestParam(value = "size") int size) {
  128. log.info("findAutomobileByColorStartsWith() - start: color = {}", colorStartsWith);
  129. Collection<Automobile> collection = repository
  130. .findByColorStartsWith(colorStartsWith, PageRequest.of(page, size, Sort.by("color")));
  131. log.info("findAutomobileByColorStartsWith() - end: collection = {}", collection);
  132. return collection;
  133. }
  134. @GetMapping("/automobiles-names")
  135. @ResponseStatus(HttpStatus.OK)
  136. public List<String> getAllAutomobilesByName() {
  137. log.info("getAllAutomobilesByName() - start");
  138. List<Automobile> collection = repository.findAll();
  139. List<String> collectionName = collection.stream()
  140. .map(Automobile::getName)
  141. .sorted()
  142. .collect(Collectors.toList());
  143. log.info("getAllAutomobilesByName() - end");
  144. return collectionName;
  145. }
  146. @Override
  147. @PostMapping("/message")
  148. @ResponseStatus(HttpStatus.CREATED)
  149. public ResponseEntity<Automobile> pushMessage(@RequestBody Automobile automobile) {
  150. try {
  151. Topic autoTopic = Objects.requireNonNull(jmsTemplate
  152. .getConnectionFactory()).createConnection().createSession().createTopic("AutoTopic");
  153. Automobile savedAutomobile = repository.save(automobile);
  154. log.info("\u001B[32m" + "Sending Automobile with id: " + savedAutomobile.getId() + "\u001B[0m");
  155. jmsTemplate.convertAndSend(autoTopic, savedAutomobile);
  156. return new ResponseEntity<>(savedAutomobile, HttpStatus.OK);
  157. } catch (Exception exception) {
  158. return new ResponseEntity<>(null, HttpStatus.INTERNAL_SERVER_ERROR);
  159. }
  160. }
  161. }


Application.yml

  1. spring:
  2. application:
  3. name: App
  4. profiles:
  5. active: development
  6. datasource:
  7. driver-class-name: org.postgresql.Driver
  8. url: jdbc:postgresql://localhost:5432/automobiles
  9. username: postgres
  10. password: postgres
  11. jpa:
  12. hibernate:
  13. ddl-auto: update
  14. show-sql: true
  15. database: postgresql
  16. database-platform: org.hibernate.dialect.PostgreSQLDialect
  17. security:
  18. oauth2:
  19. resource-server:
  20. jwt:
  21. issuer-uri: http://localhost:8180/realms/automobile-realm
  22. jms:
  23. pub-sub-domain: true
  24. activemq:
  25. broker-url: tcp://localhost:61616
  26. server:
  27. port: 8080
  28. servlet:
  29. context-path: /demo
  30. logging:
  31. pattern:
  32. console: "%d %-5level %logger : %msg%n"
  33. level:
  34. org.springframework: info
  35. org.springframework.security: debug
  36. org.springframework.security.oauth2: debug
  37. springdoc:
  38. swagger-ui:
  39. path: /swagger-ui.html
  40. api-docs:
  41. path: /v3/api-docs.yaml
  42. management:
  43. endpoints:
  44. web:
  45. exposure:
  46. include: "*"


当我发出请求时,我得到一个错误:
x1c 0d1x的数据
在keycloak本身中,以下端口设置

我检查了端口在请求过程中不是忙碌的,keycloak在端口8180上工作,也许我错过了一些设置?
Dockerfile

  1. FROM openjdk:17
  2. ADD /target/spring-boot-keycloak-docker-postgres.jar spring-boot-keycloak-docker-postgres.jar
  3. ENTRYPOINT ["java", "-jar", "spring-boot-keycloak-docker-postgres.jar"]


docker-compose



logger docker-compose

2ekbmq32

2ekbmq321#

问题是,你的Spring Boot 应用程序不是通过你的docker-compose文件启动的。这个文件只是启动keycloak,它是DB和活动mq服务。
您应该将Sping Boot 应用打包为Docker镜像(https://spring.io/guides/topicals/spring-boot-docker/),并将其用作Docker compose文件中的另一个服务。

相关问题