Skip to content

Commit 30b7063

Browse files
committed
Adding complete description how to call REST services from Vue.js to Spring Boot REST backend, including solution for SOP problems when developing with parallel webpack-dev-server and Spring Boot startet (different origins because of different ports)
1 parent e99784d commit 30b7063

File tree

11 files changed

+258
-18
lines changed

11 files changed

+258
-18
lines changed

README.md

+126
Original file line numberDiff line numberDiff line change
@@ -224,6 +224,132 @@ npm run dev
224224
That´s it!
225225

226226

227+
## HTTP calls from Vue.js to (Spring Boot) REST backend
228+
229+
Prior to Vue 2.0, there was a build in soultion (vue-resource). But from 2.0 on, 3rd party libraries are necessary. One of them is [Axios](https://github.com/mzabriskie/axios) - also see blog post https://alligator.io/vuejs/rest-api-axios/
230+
231+
```
232+
npm install axios --save
233+
```
234+
235+
Calling a REST service with Axios is simple. Go into the script area of your component, e.g. Hello.vue and add:
236+
237+
```
238+
import axios from 'axios'
239+
240+
data () {
241+
return {
242+
response: [],
243+
errors: []
244+
}
245+
},
246+
247+
callRestService () {
248+
axios.get(`api/hello`)
249+
.then(response => {
250+
// JSON responses are automatically parsed.
251+
this.response = response.data
252+
})
253+
.catch(e => {
254+
this.errors.push(e)
255+
})
256+
}
257+
}
258+
```
259+
260+
In your template area you can now request a service call via calling `callRestService()` method and access `response` data:
261+
262+
```
263+
<button class=”Search__button” @click="callRestService()">CALL Spring Boot REST backend service</button>
264+
265+
<h3>{{ response }}</h3>
266+
```
267+
268+
### The problem with SOP
269+
270+
Single-Origin Policy (SOP) could be a problem, if we want to develop our app. Because the webpack-dev-server runs on http://localhost:8080 and our Spring Boot REST backend on http://localhost:8088.
271+
272+
We need to use Cross Origin Resource Sharing Protocol (CORS) to handle that (read more background info about CORS here https://developer.mozilla.org/en-US/docs/Web/HTTP/Access_control_CORS)
273+
274+
#### Enabling Axios CORS support
275+
276+
Create a central Axios configuration file called `http-commons.js`:
277+
278+
```
279+
import axios from 'axios'
280+
281+
export const AXIOS = axios.create({
282+
baseURL: `http://localhost:8088`,
283+
headers: {
284+
'Access-Control-Allow-Origin': 'http://localhost:8080'
285+
}
286+
})
287+
```
288+
289+
Here we allow requests to the base URL of our Spring Boot App on port 8088 to be accessable from 8080.
290+
291+
Now we could use this configuration inside our Components, e.g. in `Hello.vue`:
292+
```
293+
import {AXIOS} from './http-common'
294+
295+
export default {
296+
name: 'hello',
297+
298+
data () {
299+
return {
300+
posts: [],
301+
errors: []
302+
}
303+
},
304+
methods: {
305+
// Fetches posts when the component is created.
306+
callRestService () {
307+
AXIOS.get(`hello`)
308+
.then(response => {
309+
// JSON responses are automatically parsed.
310+
this.posts = response.data
311+
})
312+
.catch(e => {
313+
this.errors.push(e)
314+
})
315+
}
316+
}
317+
```
318+
319+
#### Enabling Spring Boot CORS support
320+
321+
Additionally, we need to configure our Spring Boot backend to answer with the appropriate CORS HTTP Headers in it´s responses (theres a good tutorial here: https://spring.io/guides/gs/rest-service-cors/). Therefore we add the annotation `@CrossOrigin` to our BackendController:
322+
323+
```
324+
@CrossOrigin(origins = "http://localhost:8080")
325+
@RequestMapping(path = "/hello")
326+
public @ResponseBody String sayHello() {
327+
LOG.info("GET called on /hello resource");
328+
return HELLO_TEXT;
329+
}
330+
```
331+
332+
Now our Backend will responde CORS-enabled and accepts requests from 8080. But as this only enables CORS on one method, we have to repeatately add this annotation to all of our REST endpoints, which isn´t a nice style. We should use a global solution to allow access with CORS enabled to all of our REST resources. This could be done in the `SpringBootVuejsApplication.class`:
333+
334+
```
335+
// Enable CORS globally
336+
@Bean
337+
public WebMvcConfigurer corsConfigurer() {
338+
return new WebMvcConfigurerAdapter() {
339+
@Override
340+
public void addCorsMappings(CorsRegistry registry) {
341+
registry.addMapping("/api/*").allowedOrigins("http://localhost:8080");
342+
}
343+
};
344+
}
345+
```
346+
347+
Now all calls to resources behind `api/` will return the correct CORS headers.
348+
349+
350+
# Links
351+
352+
Easy to use web-based Editor: https://vuejs.org/v2/examples/
227353

228354

229355

backend/pom.xml

+9
Original file line numberDiff line numberDiff line change
@@ -16,6 +16,7 @@
1616
<project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
1717
<project.reporting.outputEncoding>UTF-8</project.reporting.outputEncoding>
1818
<java.version>1.8</java.version>
19+
<rest-assured.version>3.0.3</rest-assured.version>
1920
</properties>
2021

2122
<dependencies>
@@ -39,6 +40,14 @@
3940
<artifactId>spring-boot-starter-test</artifactId>
4041
<scope>test</scope>
4142
</dependency>
43+
44+
<dependency>
45+
<groupId>io.rest-assured</groupId>
46+
<artifactId>rest-assured</artifactId>
47+
<version>${rest-assured.version}</version>
48+
<scope>test</scope>
49+
</dependency>
50+
4251
</dependencies>
4352

4453
<build>

backend/src/main/java/de/jonashackt/springbootvuejs/SpringBootVuejsApplication.java

+15
Original file line numberDiff line numberDiff line change
@@ -2,11 +2,26 @@
22

33
import org.springframework.boot.SpringApplication;
44
import org.springframework.boot.autoconfigure.SpringBootApplication;
5+
import org.springframework.context.annotation.Bean;
6+
import org.springframework.web.servlet.config.annotation.CorsRegistry;
7+
import org.springframework.web.servlet.config.annotation.WebMvcConfigurer;
8+
import org.springframework.web.servlet.config.annotation.WebMvcConfigurerAdapter;
59

610
@SpringBootApplication
711
public class SpringBootVuejsApplication {
812

913
public static void main(String[] args) {
1014
SpringApplication.run(SpringBootVuejsApplication.class, args);
1115
}
16+
17+
// Enable CORS globally
18+
@Bean
19+
public WebMvcConfigurer corsConfigurer() {
20+
return new WebMvcConfigurerAdapter() {
21+
@Override
22+
public void addCorsMappings(CorsRegistry registry) {
23+
registry.addMapping("/api/*").allowedOrigins("http://localhost:8080");
24+
}
25+
};
26+
}
1227
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,23 @@
1+
package de.jonashackt.springbootvuejs.controller;
2+
3+
import org.slf4j.Logger;
4+
import org.slf4j.LoggerFactory;
5+
import org.springframework.web.bind.annotation.RequestMapping;
6+
import org.springframework.web.bind.annotation.ResponseBody;
7+
import org.springframework.web.bind.annotation.RestController;
8+
9+
@RestController()
10+
@RequestMapping("/api")
11+
public class BackendController {
12+
13+
private static final Logger LOG = LoggerFactory.getLogger(BackendController.class);
14+
15+
public static final String HELLO_TEXT = "Hello from Spring Boot Backend!";
16+
17+
@RequestMapping(path = "/hello")
18+
public @ResponseBody String sayHello() {
19+
LOG.info("GET called on /hello resource");
20+
return HELLO_TEXT;
21+
}
22+
23+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
server.port=8088
Original file line numberDiff line numberDiff line change
@@ -1,16 +1,33 @@
11
package de.jonashackt.springbootvuejs;
22

3+
import de.jonashackt.springbootvuejs.controller.BackendController;
4+
import org.apache.http.HttpStatus;
35
import org.junit.Test;
46
import org.junit.runner.RunWith;
57
import org.springframework.boot.test.context.SpringBootTest;
68
import org.springframework.test.context.junit4.SpringRunner;
79

10+
import static io.restassured.RestAssured.given;
11+
812
@RunWith(SpringRunner.class)
9-
@SpringBootTest
13+
@SpringBootTest(
14+
classes = SpringBootVuejsApplication.class,
15+
webEnvironment = SpringBootTest.WebEnvironment.DEFINED_PORT,
16+
properties = "server.port = 8088"
17+
)
1018
public class SpringBootVuejsApplicationTests {
1119

20+
private static final String BASE_URL = "http://localhost:8088";
21+
1222
@Test
13-
public void contextLoads() {
23+
public void backendServiceSaysHello() {
24+
given()
25+
.when()
26+
.get(BASE_URL + "/api/hello")
27+
.then()
28+
.statusCode(HttpStatus.SC_OK)
29+
.assertThat()
30+
.equals(BackendController.HELLO_TEXT);
1431
}
1532

1633
}

frontend/package-lock.json

+19-5
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

frontend/package.json

+1
Original file line numberDiff line numberDiff line change
@@ -14,6 +14,7 @@
1414
"lint": "eslint --ext .js,.vue src test/unit/specs test/e2e/specs"
1515
},
1616
"dependencies": {
17+
"axios": "^0.16.2",
1718
"vue": "^2.4.2",
1819
"vue-router": "^2.7.0"
1920
},

frontend/src/components/Hello.vue

+36-10
Original file line numberDiff line numberDiff line change
@@ -1,31 +1,57 @@
11
<template>
22
<div class="hello">
33
<h1>{{ msg }}</h1>
4-
<h2>Essential Links</h2>
5-
<ul>
6-
<li><a href="https://vuejs.org" target="_blank">Core Docs</a></li>
7-
<li><a href="https://forum.vuejs.org" target="_blank">Forum</a></li>
8-
<li><a href="https://chat.vuejs.org" target="_blank">Community Chat</a></li>
9-
<li><a href="https://twitter.com/vuejs" target="_blank">Twitter</a></li>
10-
<br>
11-
<li><a href="http://vuejs-templates.github.io/webpack/" target="_blank">Docs for This Template</a></li>
12-
</ul>
134
<h2>Sources</h2>
145
<ul>
156
<li><a href="https://github.com/jonashackt/spring-boot-vuejs" target="_blank">github.com/jonashackt/spring-boot-vuejs</a></li>
167
</ul>
8+
<h2>REST service call results</h2>
9+
10+
<button class=”Search__button” @click="callRestService()">CALL Spring Boot REST backend service</button>
11+
12+
<h3>{{ response }}</h3>
13+
1714
</div>
1815
</template>
1916

2017
<script>
18+
// import axios from 'axios'
19+
import {AXIOS} from './http-common'
20+
2121
export default {
2222
name: 'hello',
23+
2324
data () {
2425
return {
25-
msg: 'Welcome to your Vue.js powered Spring Boot App'
26+
msg: 'Welcome to your Vue.js powered Spring Boot App',
27+
response: [],
28+
errors: []
29+
}
30+
},
31+
methods: {
32+
// Fetches posts when the component is created.
33+
callRestService () {
34+
AXIOS.get(`api/hello`)
35+
.then(response => {
36+
// JSON responses are automatically parsed.
37+
this.response = response.data
38+
})
39+
.catch(e => {
40+
this.errors.push(e)
41+
})
2642
}
2743
}
44+
// async / await version (created() becomes async created())
45+
// try {
46+
// const response = await axios.get(`http://localhost:8088/hello`)
47+
// this.posts = response.data
48+
// } catch (e) {
49+
// this.errors.push(e)
50+
// }
51+
// }
52+
// }
2853
}
54+
2955
</script>
3056

3157
<!-- Add "scoped" attribute to limit CSS to this component only -->
+8
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,8 @@
1+
import axios from 'axios'
2+
3+
export const AXIOS = axios.create({
4+
baseURL: `http://localhost:8088`,
5+
headers: {
6+
'Access-Control-Allow-Origin': 'http://localhost:8080'
7+
}
8+
})

pom.xml

+1-1
Original file line numberDiff line numberDiff line change
@@ -14,7 +14,7 @@
1414
<parent>
1515
<groupId>org.springframework.boot</groupId>
1616
<artifactId>spring-boot-starter-parent</artifactId>
17-
<version>1.5.6.RELEASE</version>
17+
<version>1.5.7.RELEASE</version>
1818
<relativePath/> <!-- lookup parent from repository -->
1919
</parent>
2020

0 commit comments

Comments
 (0)