CORS issue post Spring Boot 2.x->3.x upgrade

Since upgrading from Spring Boot 2.x to 3.x I am having this CORS related issue. I have boiled it down to the essentials here.

RegexCorsConfiguration.java

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
<code>/**
* Extend the traditional CORS origin check (equalsIgnoreCase) with a regular expression check.
*
* @author Lorent Lempereur <[email protected]>
* Source: https://github.com/looorent/spring-security-jwt/blob/master/src/main/java/be/looorent/security/jwt/RegexCorsConfiguration.java
*/
public class RegexCorsConfiguration extends CorsConfiguration {
private static final Logger LOGGER = LoggerFactory.getLogger(RegexCorsConfiguration.class);
private final List<Pattern> allowedOriginsRegex;
public RegexCorsConfiguration() {
allowedOriginsRegex = new ArrayList<>();
}
public RegexCorsConfiguration(CorsConfiguration other) {
this();
setAllowCredentials(other.getAllowCredentials());
setAllowedOrigins(other.getAllowedOrigins());
setAllowedHeaders(other.getAllowedHeaders());
setAllowedMethods(other.getAllowedMethods());
setExposedHeaders(other.getExposedHeaders());
setMaxAge(other.getMaxAge());
}
@Override
public void addAllowedOrigin(String origin) {
super.addAllowedOrigin(origin);
try {
allowedOriginsRegex.add(Pattern.compile(origin));
} catch (PatternSyntaxException e) {
LOGGER.warn(
"Wrong syntax for the origin {} as a regular expression. If this origin is not supposed to be a regular expression, just ignore this error.",
origin);
}
}
@Override
public String checkOrigin(String requestOrigin) {
final String result = super.checkOrigin(requestOrigin);
return result != null ? result : checkOriginWithRegularExpression(requestOrigin);
}
private String checkOriginWithRegularExpression(String requestOrigin) {
return allowedOriginsRegex.stream()
.filter(pattern -> pattern.matcher(requestOrigin).matches())
.map(pattern -> requestOrigin)
.findFirst()
.orElse(null);
}
@Override
public CorsConfiguration combine(CorsConfiguration other) {
if (other == null) {
return this;
}
final CorsConfiguration config = new RegexCorsConfiguration(this);
config.setAllowedOrigins(combineInternal(this.getAllowedOrigins(), other.getAllowedOrigins()));
config.setAllowedMethods(combineInternal(this.getAllowedMethods(), other.getAllowedMethods()));
config.setAllowedHeaders(combineInternal(this.getAllowedHeaders(), other.getAllowedHeaders()));
config.setExposedHeaders(combineInternal(this.getExposedHeaders(), other.getExposedHeaders()));
final Boolean allowCredentials = other.getAllowCredentials();
if (allowCredentials != null) {
config.setAllowCredentials(allowCredentials);
}
final Long maxAge = other.getMaxAge();
if (maxAge != null) {
config.setMaxAge(maxAge);
}
return config;
}
private List<String> combineInternal(List<String> source, List<String> other) {
if (other == null || other.contains(ALL)) {
return source;
}
if (source == null || source.contains(ALL)) {
return other;
}
final Set<String> combined = new HashSet<>(source);
combined.addAll(other);
return new ArrayList<>(combined);
}
}
</code>
<code>/** * Extend the traditional CORS origin check (equalsIgnoreCase) with a regular expression check. * * @author Lorent Lempereur <[email protected]> * Source: https://github.com/looorent/spring-security-jwt/blob/master/src/main/java/be/looorent/security/jwt/RegexCorsConfiguration.java */ public class RegexCorsConfiguration extends CorsConfiguration { private static final Logger LOGGER = LoggerFactory.getLogger(RegexCorsConfiguration.class); private final List<Pattern> allowedOriginsRegex; public RegexCorsConfiguration() { allowedOriginsRegex = new ArrayList<>(); } public RegexCorsConfiguration(CorsConfiguration other) { this(); setAllowCredentials(other.getAllowCredentials()); setAllowedOrigins(other.getAllowedOrigins()); setAllowedHeaders(other.getAllowedHeaders()); setAllowedMethods(other.getAllowedMethods()); setExposedHeaders(other.getExposedHeaders()); setMaxAge(other.getMaxAge()); } @Override public void addAllowedOrigin(String origin) { super.addAllowedOrigin(origin); try { allowedOriginsRegex.add(Pattern.compile(origin)); } catch (PatternSyntaxException e) { LOGGER.warn( "Wrong syntax for the origin {} as a regular expression. If this origin is not supposed to be a regular expression, just ignore this error.", origin); } } @Override public String checkOrigin(String requestOrigin) { final String result = super.checkOrigin(requestOrigin); return result != null ? result : checkOriginWithRegularExpression(requestOrigin); } private String checkOriginWithRegularExpression(String requestOrigin) { return allowedOriginsRegex.stream() .filter(pattern -> pattern.matcher(requestOrigin).matches()) .map(pattern -> requestOrigin) .findFirst() .orElse(null); } @Override public CorsConfiguration combine(CorsConfiguration other) { if (other == null) { return this; } final CorsConfiguration config = new RegexCorsConfiguration(this); config.setAllowedOrigins(combineInternal(this.getAllowedOrigins(), other.getAllowedOrigins())); config.setAllowedMethods(combineInternal(this.getAllowedMethods(), other.getAllowedMethods())); config.setAllowedHeaders(combineInternal(this.getAllowedHeaders(), other.getAllowedHeaders())); config.setExposedHeaders(combineInternal(this.getExposedHeaders(), other.getExposedHeaders())); final Boolean allowCredentials = other.getAllowCredentials(); if (allowCredentials != null) { config.setAllowCredentials(allowCredentials); } final Long maxAge = other.getMaxAge(); if (maxAge != null) { config.setMaxAge(maxAge); } return config; } private List<String> combineInternal(List<String> source, List<String> other) { if (other == null || other.contains(ALL)) { return source; } if (source == null || source.contains(ALL)) { return other; } final Set<String> combined = new HashSet<>(source); combined.addAll(other); return new ArrayList<>(combined); } } </code>
/**
 * Extend the traditional CORS origin check (equalsIgnoreCase) with a regular expression check.
 *
 * @author Lorent Lempereur <[email protected]>
 * Source: https://github.com/looorent/spring-security-jwt/blob/master/src/main/java/be/looorent/security/jwt/RegexCorsConfiguration.java
 */
public class RegexCorsConfiguration extends CorsConfiguration {
  private static final Logger LOGGER = LoggerFactory.getLogger(RegexCorsConfiguration.class);
  private final List<Pattern> allowedOriginsRegex;

  public RegexCorsConfiguration() {
    allowedOriginsRegex = new ArrayList<>();
  }

  public RegexCorsConfiguration(CorsConfiguration other) {
    this();
    setAllowCredentials(other.getAllowCredentials());
    setAllowedOrigins(other.getAllowedOrigins());
    setAllowedHeaders(other.getAllowedHeaders());
    setAllowedMethods(other.getAllowedMethods());
    setExposedHeaders(other.getExposedHeaders());
    setMaxAge(other.getMaxAge());
  }

  @Override
  public void addAllowedOrigin(String origin) {
    super.addAllowedOrigin(origin);
    try {
      allowedOriginsRegex.add(Pattern.compile(origin));
    } catch (PatternSyntaxException e) {
      LOGGER.warn(
          "Wrong syntax for the origin {} as a regular expression. If this origin is not supposed to be a regular expression, just ignore this error.",
          origin);
    }
  }

  @Override
  public String checkOrigin(String requestOrigin) {
    final String result = super.checkOrigin(requestOrigin);
    return result != null ? result : checkOriginWithRegularExpression(requestOrigin);
  }

  private String checkOriginWithRegularExpression(String requestOrigin) {
    return allowedOriginsRegex.stream()
        .filter(pattern -> pattern.matcher(requestOrigin).matches())
        .map(pattern -> requestOrigin)
        .findFirst()
        .orElse(null);
  }

  @Override
  public CorsConfiguration combine(CorsConfiguration other) {
    if (other == null) {
      return this;
    }
    final CorsConfiguration config = new RegexCorsConfiguration(this);
    config.setAllowedOrigins(combineInternal(this.getAllowedOrigins(), other.getAllowedOrigins()));
    config.setAllowedMethods(combineInternal(this.getAllowedMethods(), other.getAllowedMethods()));
    config.setAllowedHeaders(combineInternal(this.getAllowedHeaders(), other.getAllowedHeaders()));
    config.setExposedHeaders(combineInternal(this.getExposedHeaders(), other.getExposedHeaders()));
    final Boolean allowCredentials = other.getAllowCredentials();
    if (allowCredentials != null) {
      config.setAllowCredentials(allowCredentials);
    }
    final Long maxAge = other.getMaxAge();
    if (maxAge != null) {
      config.setMaxAge(maxAge);
    }
    return config;
  }

  private List<String> combineInternal(List<String> source, List<String> other) {
    if (other == null || other.contains(ALL)) {
      return source;
    }
    if (source == null || source.contains(ALL)) {
      return other;
    }
    final Set<String> combined = new HashSet<>(source);
    combined.addAll(other);
    return new ArrayList<>(combined);
  }
}

ExampleWebSecurityAutoConfiguration.java

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
<code>@Configuration(proxyBeanMethods = false)
@ConditionalOnWebApplication(type = ConditionalOnWebApplication.Type.SERVLET)
@EnableGlobalMethodSecurity(securedEnabled = true, prePostEnabled = true)
@EnableAspectJAutoProxy
@EnableWebSecurity(debug = true)
public class ExampleWebSecurityAutoConfiguration {
@Bean(name="com.example.web.security.autoconfigure.ExampleWebSecurityAutoConfiguration")
@Order(50) // allow other implementations to take precedence
public SecurityFilterChain filterChain(HttpSecurity http) throws Exception {
http
.authorizeHttpRequests(request -> request
.anyRequest().authenticated()
)
.csrf(AbstractHttpConfigurer::disable)
.cors(Customizer.withDefaults());
return http.build();
}
// exclude HandlerMappingIntrospector which implements a default Spring CORS policy. We only want to exclude this
// configuration when a user includes their own customized CORS policy
@Bean
@ConditionalOnMissingBean(ignored = HandlerMappingIntrospector.class)
public CorsConfigurationSource corsConfigurationSource() {
final RegexCorsConfiguration config = new RegexCorsConfiguration();
config.setAllowCredentials(true);
config.addAllowedOrigin(".*?://(.+\.)*example\.com");
config.addAllowedMethod(CorsConfiguration.ALL);
config.addAllowedHeader(CorsConfiguration.ALL);
final UrlBasedCorsConfigurationSource source = new UrlBasedCorsConfigurationSource();
source.registerCorsConfiguration("/**", config);
return source;
}
}
</code>
<code>@Configuration(proxyBeanMethods = false) @ConditionalOnWebApplication(type = ConditionalOnWebApplication.Type.SERVLET) @EnableGlobalMethodSecurity(securedEnabled = true, prePostEnabled = true) @EnableAspectJAutoProxy @EnableWebSecurity(debug = true) public class ExampleWebSecurityAutoConfiguration { @Bean(name="com.example.web.security.autoconfigure.ExampleWebSecurityAutoConfiguration") @Order(50) // allow other implementations to take precedence public SecurityFilterChain filterChain(HttpSecurity http) throws Exception { http .authorizeHttpRequests(request -> request .anyRequest().authenticated() ) .csrf(AbstractHttpConfigurer::disable) .cors(Customizer.withDefaults()); return http.build(); } // exclude HandlerMappingIntrospector which implements a default Spring CORS policy. We only want to exclude this // configuration when a user includes their own customized CORS policy @Bean @ConditionalOnMissingBean(ignored = HandlerMappingIntrospector.class) public CorsConfigurationSource corsConfigurationSource() { final RegexCorsConfiguration config = new RegexCorsConfiguration(); config.setAllowCredentials(true); config.addAllowedOrigin(".*?://(.+\.)*example\.com"); config.addAllowedMethod(CorsConfiguration.ALL); config.addAllowedHeader(CorsConfiguration.ALL); final UrlBasedCorsConfigurationSource source = new UrlBasedCorsConfigurationSource(); source.registerCorsConfiguration("/**", config); return source; } } </code>
@Configuration(proxyBeanMethods = false)
@ConditionalOnWebApplication(type = ConditionalOnWebApplication.Type.SERVLET)
@EnableGlobalMethodSecurity(securedEnabled = true, prePostEnabled = true)
@EnableAspectJAutoProxy
@EnableWebSecurity(debug = true)
public class ExampleWebSecurityAutoConfiguration {

  @Bean(name="com.example.web.security.autoconfigure.ExampleWebSecurityAutoConfiguration")
  @Order(50) // allow other implementations to take precedence
  public SecurityFilterChain filterChain(HttpSecurity http) throws Exception {
    http
        .authorizeHttpRequests(request -> request
          .anyRequest().authenticated()
        )
        .csrf(AbstractHttpConfigurer::disable)
        .cors(Customizer.withDefaults());
    return http.build();
  }

  // exclude HandlerMappingIntrospector which implements a default Spring CORS policy. We only want to exclude this
  // configuration when a user includes their own customized CORS policy
  @Bean
  @ConditionalOnMissingBean(ignored = HandlerMappingIntrospector.class)
  public CorsConfigurationSource corsConfigurationSource() {
    final RegexCorsConfiguration config = new RegexCorsConfiguration();
    config.setAllowCredentials(true);
    config.addAllowedOrigin(".*?://(.+\.)*example\.com");
    config.addAllowedMethod(CorsConfiguration.ALL);
    config.addAllowedHeader(CorsConfiguration.ALL);
    final UrlBasedCorsConfigurationSource source = new UrlBasedCorsConfigurationSource();
    source.registerCorsConfiguration("/**", config);
    return source;
  }
}

ExampleWebSecurityAutoConfigurationTests.java

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
<code>@Tag("integration")
@SpringBootTest(webEnvironment = SpringBootTest.WebEnvironment.RANDOM_PORT, classes = {
ExampleWebSecurityAutoConfiguration.class
})
@ContextConfiguration(classes = {
ExampleWebSecurityAutoConfigurationTests.Config.class,
ExampleWebSecurityAutoConfigurationTests.SecurityConfig.class
})
@DirtiesContext
class ExampleWebSecurityAutoConfigurationTests {
@Autowired
private TestRestTemplate restTemplate;
@Test
void testCors() {
final URI uri = restTemplate.getRestTemplate().getUriTemplateHandler().expand("/unauthenticated");
final ResponseEntity<Void> fromSubdomain = restTemplate.exchange(
RequestEntity.options(uri)
.header(HttpHeaders.ORIGIN, "http://stackoverflow.example.com")
.build(),
Void.class);
assertThat(fromSubdomain.getStatusCode())
.isEqualTo(HttpStatus.OK);
final ResponseEntity<Void> fromRoot = restTemplate.exchange(
RequestEntity.options(uri)
.header(HttpHeaders.ORIGIN, "http://example.com")
.build(),
Void.class);
assertThat(fromRoot.getStatusCode())
.isEqualTo(HttpStatus.OK);
final ResponseEntity<Void> fromOther = restTemplate.exchange(
RequestEntity.options(uri)
.header(HttpHeaders.ACCESS_CONTROL_REQUEST_METHOD, "GET")
.header(HttpHeaders.ORIGIN, "http://stackoverflow.com")
.build(),
Void.class);
assertThat(fromOther.getStatusCode())
.isEqualTo(HttpStatus.FORBIDDEN);
}
@Configuration(proxyBeanMethods = false)
@EnableAutoConfiguration
@EnableMethodSecurity
static class Config {
@RestController
@RequestMapping
public static class Controller {
@GetMapping("/unauthenticated")
public void test() {
}
}
}
@Configuration(proxyBeanMethods = false)
@EnableWebSecurity
@EnableMethodSecurity
static class SecurityConfig {
@Bean
@Order(1)
public SecurityFilterChain filterChain(HttpSecurity http) throws Exception {
http
.securityMatchers(matchers -> matchers.requestMatchers("/unauthenticated"))
.csrf(AbstractHttpConfigurer::disable)
.cors(Customizer.withDefaults())
.authorizeHttpRequests(requests -> requests
.dispatcherTypeMatchers(DispatcherType.FORWARD, DispatcherType.ERROR).permitAll()
.requestMatchers("/unauthenticated").permitAll()
)
.httpBasic(Customizer.withDefaults());
return http.build();
}
}
}
</code>
<code>@Tag("integration") @SpringBootTest(webEnvironment = SpringBootTest.WebEnvironment.RANDOM_PORT, classes = { ExampleWebSecurityAutoConfiguration.class }) @ContextConfiguration(classes = { ExampleWebSecurityAutoConfigurationTests.Config.class, ExampleWebSecurityAutoConfigurationTests.SecurityConfig.class }) @DirtiesContext class ExampleWebSecurityAutoConfigurationTests { @Autowired private TestRestTemplate restTemplate; @Test void testCors() { final URI uri = restTemplate.getRestTemplate().getUriTemplateHandler().expand("/unauthenticated"); final ResponseEntity<Void> fromSubdomain = restTemplate.exchange( RequestEntity.options(uri) .header(HttpHeaders.ORIGIN, "http://stackoverflow.example.com") .build(), Void.class); assertThat(fromSubdomain.getStatusCode()) .isEqualTo(HttpStatus.OK); final ResponseEntity<Void> fromRoot = restTemplate.exchange( RequestEntity.options(uri) .header(HttpHeaders.ORIGIN, "http://example.com") .build(), Void.class); assertThat(fromRoot.getStatusCode()) .isEqualTo(HttpStatus.OK); final ResponseEntity<Void> fromOther = restTemplate.exchange( RequestEntity.options(uri) .header(HttpHeaders.ACCESS_CONTROL_REQUEST_METHOD, "GET") .header(HttpHeaders.ORIGIN, "http://stackoverflow.com") .build(), Void.class); assertThat(fromOther.getStatusCode()) .isEqualTo(HttpStatus.FORBIDDEN); } @Configuration(proxyBeanMethods = false) @EnableAutoConfiguration @EnableMethodSecurity static class Config { @RestController @RequestMapping public static class Controller { @GetMapping("/unauthenticated") public void test() { } } } @Configuration(proxyBeanMethods = false) @EnableWebSecurity @EnableMethodSecurity static class SecurityConfig { @Bean @Order(1) public SecurityFilterChain filterChain(HttpSecurity http) throws Exception { http .securityMatchers(matchers -> matchers.requestMatchers("/unauthenticated")) .csrf(AbstractHttpConfigurer::disable) .cors(Customizer.withDefaults()) .authorizeHttpRequests(requests -> requests .dispatcherTypeMatchers(DispatcherType.FORWARD, DispatcherType.ERROR).permitAll() .requestMatchers("/unauthenticated").permitAll() ) .httpBasic(Customizer.withDefaults()); return http.build(); } } } </code>
@Tag("integration")
@SpringBootTest(webEnvironment = SpringBootTest.WebEnvironment.RANDOM_PORT, classes = {
    ExampleWebSecurityAutoConfiguration.class
})
@ContextConfiguration(classes = {
    ExampleWebSecurityAutoConfigurationTests.Config.class,
    ExampleWebSecurityAutoConfigurationTests.SecurityConfig.class
})
@DirtiesContext
class ExampleWebSecurityAutoConfigurationTests {

  @Autowired
  private TestRestTemplate restTemplate;

  @Test
  void testCors() {
    final URI uri = restTemplate.getRestTemplate().getUriTemplateHandler().expand("/unauthenticated");
    final ResponseEntity<Void> fromSubdomain = restTemplate.exchange(
        RequestEntity.options(uri)
            .header(HttpHeaders.ORIGIN, "http://stackoverflow.example.com")
            .build(),
        Void.class);
    assertThat(fromSubdomain.getStatusCode())
        .isEqualTo(HttpStatus.OK);

    final ResponseEntity<Void> fromRoot = restTemplate.exchange(
        RequestEntity.options(uri)
            .header(HttpHeaders.ORIGIN, "http://example.com")
            .build(),
        Void.class);
    assertThat(fromRoot.getStatusCode())
        .isEqualTo(HttpStatus.OK);

    final ResponseEntity<Void> fromOther = restTemplate.exchange(
        RequestEntity.options(uri)
            .header(HttpHeaders.ACCESS_CONTROL_REQUEST_METHOD, "GET")
            .header(HttpHeaders.ORIGIN, "http://stackoverflow.com")
            .build(),
        Void.class);
    assertThat(fromOther.getStatusCode())
        .isEqualTo(HttpStatus.FORBIDDEN);
  }

  @Configuration(proxyBeanMethods = false)
  @EnableAutoConfiguration
  @EnableMethodSecurity
  static class Config {

    @RestController
    @RequestMapping
    public static class Controller {

      @GetMapping("/unauthenticated")
      public void test() {
      }

    }
  }

  @Configuration(proxyBeanMethods = false)
  @EnableWebSecurity
  @EnableMethodSecurity
  static class SecurityConfig {

    @Bean
    @Order(1)
    public SecurityFilterChain filterChain(HttpSecurity http) throws Exception {
      http
          .securityMatchers(matchers -> matchers.requestMatchers("/unauthenticated"))
          .csrf(AbstractHttpConfigurer::disable)
          .cors(Customizer.withDefaults())
          .authorizeHttpRequests(requests -> requests
            .dispatcherTypeMatchers(DispatcherType.FORWARD, DispatcherType.ERROR).permitAll()
            .requestMatchers("/unauthenticated").permitAll()
          )
          .httpBasic(Customizer.withDefaults());
      return http.build();
    }
  }
}

The third assertion, which is for an CORS violation which should return FORBIDDEN, is failing as OK is returned. I have already tried adding a number of things (@EnableMethodSecurity, securityMatchers, dispatcherTypeMatchers) which have had no effect.

New contributor

Eric A. Zarko is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
Check out our Code of Conduct.

Trang chủ Giới thiệu Sinh nhật bé trai Sinh nhật bé gái Tổ chức sự kiện Biểu diễn giải trí Dịch vụ khác Trang trí tiệc cưới Tổ chức khai trương Tư vấn dịch vụ Thư viện ảnh Tin tức - sự kiện Liên hệ Chú hề sinh nhật Trang trí YEAR END PARTY công ty Trang trí tất niên cuối năm Trang trí tất niên xu hướng mới nhất Trang trí sinh nhật bé trai Hải Đăng Trang trí sinh nhật bé Khánh Vân Trang trí sinh nhật Bích Ngân Trang trí sinh nhật bé Thanh Trang Thuê ông già Noel phát quà Biểu diễn xiếc khỉ Xiếc quay đĩa Dịch vụ tổ chức sự kiện 5 sao Thông tin về chúng tôi Dịch vụ sinh nhật bé trai Dịch vụ sinh nhật bé gái Sự kiện trọn gói Các tiết mục giải trí Dịch vụ bổ trợ Tiệc cưới sang trọng Dịch vụ khai trương Tư vấn tổ chức sự kiện Hình ảnh sự kiện Cập nhật tin tức Liên hệ ngay Thuê chú hề chuyên nghiệp Tiệc tất niên cho công ty Trang trí tiệc cuối năm Tiệc tất niên độc đáo Sinh nhật bé Hải Đăng Sinh nhật đáng yêu bé Khánh Vân Sinh nhật sang trọng Bích Ngân Tiệc sinh nhật bé Thanh Trang Dịch vụ ông già Noel Xiếc thú vui nhộn Biểu diễn xiếc quay đĩa Dịch vụ tổ chức tiệc uy tín Khám phá dịch vụ của chúng tôi Tiệc sinh nhật cho bé trai Trang trí tiệc cho bé gái Gói sự kiện chuyên nghiệp Chương trình giải trí hấp dẫn Dịch vụ hỗ trợ sự kiện Trang trí tiệc cưới đẹp Khởi đầu thành công với khai trương Chuyên gia tư vấn sự kiện Xem ảnh các sự kiện đẹp Tin mới về sự kiện Kết nối với đội ngũ chuyên gia Chú hề vui nhộn cho tiệc sinh nhật Ý tưởng tiệc cuối năm Tất niên độc đáo Trang trí tiệc hiện đại Tổ chức sinh nhật cho Hải Đăng Sinh nhật độc quyền Khánh Vân Phong cách tiệc Bích Ngân Trang trí tiệc bé Thanh Trang Thuê dịch vụ ông già Noel chuyên nghiệp Xem xiếc khỉ đặc sắc Xiếc quay đĩa thú vị
Trang chủ Giới thiệu Sinh nhật bé trai Sinh nhật bé gái Tổ chức sự kiện Biểu diễn giải trí Dịch vụ khác Trang trí tiệc cưới Tổ chức khai trương Tư vấn dịch vụ Thư viện ảnh Tin tức - sự kiện Liên hệ Chú hề sinh nhật Trang trí YEAR END PARTY công ty Trang trí tất niên cuối năm Trang trí tất niên xu hướng mới nhất Trang trí sinh nhật bé trai Hải Đăng Trang trí sinh nhật bé Khánh Vân Trang trí sinh nhật Bích Ngân Trang trí sinh nhật bé Thanh Trang Thuê ông già Noel phát quà Biểu diễn xiếc khỉ Xiếc quay đĩa
Thiết kế website Thiết kế website Thiết kế website Cách kháng tài khoản quảng cáo Mua bán Fanpage Facebook Dịch vụ SEO Tổ chức sinh nhật