更新state、props中的复杂数据
const newData = [...this.state.data];
const target = newData.filter(item => key === item.key)[0];
target['name']= value;
this.setState({ dataUnfinished: newData });
数据操作
{record.editable
?
:
}
{record.editable
? this.onChange(e.target.value,record.key,'name')} />
: text
}
onChange(value, key, column) {
const newData = [...this.state.data];
const target = newData.filter(item => key === item.key)[0];
if (target) {
target[column] = value;
this.setState({ data: newData });
}
}
编辑数据
edit = (key) => {
const newData = [...this.state.data];
const target = newData.filter(item => key === item.key)[0];
if (target) {
target.editable = true;
this.setState({ data: newData });
}
}
保存数据
save = (key) => {
const newData = [...this.state.data];
const target = newData.filter(item => key === item.key)[0];
if (target) {
delete target.editable;
this.setState({
data: newData,
cacheData: newData.map(item => ({ ...item })),
});
}
}
取消编辑还原数据
cancel= (key) => {
const newData = [...this.state.data];
const cacheData = [...this.state.cacheData];
const target = newData.filter(item => key === item.key)[0];
if (target) {
Object.assign(target, cacheData.filter(item => key === item.key)[0]);
delete target.editable;
this.setState({ data: newData });
}
}
删除数据
delete= (key) => {
const newData = [...this.state.data];
this.setState({
data: newData .filter(data => data.key !== key)
})
}
input的onChange
this.handleChange(e,record.key)} />
handleChange = (e,key) => {
const newData = this.state.dataUnfinished;
const data = newData.filter(item => key == item.key)[0];
data['expense'] = e.target.value;
this.setState({
dataUnfinished: newData,
})
}
官方脚手架,打包配置资源地址为相对地址
一般来说,脚手架默认打包后生成的资源配置为绝对路径
这导致在npm run build打包生成的index.html无法正确引用到css、js、网页图标ico等资源,在控制台会报错“Failed to load resource……”
治标的解决方法为,在每次打包后,修改index.html中的引用为绝对地址,比如
改为
治本的解决方法为,修改打包配置,即在package.json中覆盖对应配置,具体为添加
"homepage": "./"
同样的,也可以直接对依赖中的基本配置进行修改,打开...\node_modules\react-scripts\config\paths.js,找到下面这部分配置,将…pathname对应的绝对地址改为相对地址
function getServedPath(appPackageJson) {
const publicUrl = getPublicUrl(appPackageJson);
const servedUrl =
envPublicUrl || (publicUrl ? url.parse(publicUrl).pathname : './');
return ensureSlash(servedUrl, true);
}
axios
需要注意的是,axios一般默认Content-type为application/json;
其次是data和params都是用来放置传递参数的,但data传递的是一个整体的、包含所有参数的对象,而params传递的则是一个个独立的参数。
const self = this;
axios.post(url, data).then(function (response) {
self.setState({...});
message.success('操作成功!');
}).catch(function () {
error("失败",'操作失败,请稍候重试!');
});
axios({
method: 'post',
url: '/admin/createacademicsec',
headers: {
'Content-type': 'application/x-www-form-urlencoded'
},
params: {...}
})....
axios 请求成功200 进入了catch回调(错误回调)
一般来说,axios请求成功进入then回调(成功回调),请求出错进入catch回调(错误回调),但在then回调中运行的代码出错并没有直接中断执行并报错,而是从then回调出来然后进入catch,这样导致then中的报错没有自动提示,而是需要在catch回调函数中手动向控制台抛出error,或者在then回调内使用try……catch。
React前端和Spring boot后端的交互整合
前后端接口交互整合,可以通过spring boot的thymeleaf模板实现。
首先当然是引入相关依赖,一般在pom.xml
org.springframework.boot
spring-boot-starter-thymeleaf
如果有需要指定版本可以添加对应
UTF-8
UTF-8
1.8
3.0.9.RELEASE
然后在application.properties中进行具体的thymeleaf配置
#这个是配置模板路径的,默认就是templates
spring.thymeleaf.prefix=classpath:/static/
spring.thymeleaf.suffix=.html
spring.thymeleaf.encoding=UTF-8
spring.thymeleaf.mode=LEGACYHTML5
#开发时关闭缓存
spring.thymeleaf.cache=false
模板的默认路径是templates,一般把index.html放在templates文件夹下即可,但是默认的资源路径又在static,也就是每次打包后的react前端代码都需要特地把index.html放到templates,所以我干脆把模板路径改为static,这样就可以直接全部代码放在一起,这样做的暂时没有发现什么缺点。
其次thymeleaf缓存会导致修改不能及时显示,所以在开发的时候可以关闭缓存。
另外由于thymeleaf对HTML5的解析非常严格,主要体现在标签必须封闭,所以希望降低解析严格程度,需要配置mode为LEGACYHTML5,并且添加nekohtml依赖
net.sourceforge.nekohtml
nekohtml
1.9.22
接下来进行controller配置,这里注意不能使用RestController,否则会直接返回字符串,而不是页面。
@Controller
public class HtmlController {
@GetMapping(value = "/index")
public String Indexhtml(){
return "index";
}
}
另外权限控制、拦截器配置是不可或缺的。我这里使用的是HandlerInterceptorAdapter,另外比较方便的选择,是使用安全框架,比如Security、Shiro。
@Configuration
public class WebSecurityConfig extends WebMvcConfigurationSupport {
/**
* 登录session key
*/
public final static String SESSION_USERNAME = "username";
public final static String SESSION_ROLE = "role";
@Bean
public SecurityInterceptor getSecurityInterceptor() {
return new SecurityInterceptor();
}
public void addInterceptors(InterceptorRegistry registry) {
InterceptorRegistration addInterceptor = registry.addInterceptor(getSecurityInterceptor());
// 排除配置
addInterceptor.excludePathPatterns("/**/*.js");
addInterceptor.excludePathPatterns("/**/*.css");
addInterceptor.excludePathPatterns("/**/*.map");
addInterceptor.excludePathPatterns("/**/*.svg");
addInterceptor.excludePathPatterns("/**/*.jpg");
addInterceptor.excludePathPatterns("/manage/login");
addInterceptor.excludePathPatterns("/index");
addInterceptor.excludePathPatterns("/error");
// 拦截配置
addInterceptor.addPathPatterns("/**");
}
private class SecurityInterceptor extends HandlerInterceptorAdapter {
@Override
public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler)
throws Exception {
HttpSession session = request.getSession();
if (session.getAttribute(SESSION_USERNAME) != null && session.getAttribute(SESSION_ROLE) != null) {
return true;
}
// 跳转登录
System.out.println(request.getRequestURI());
String url = "/index";
response.sendRedirect(url);
return false;
}
}
@Override
public void addResourceHandlers(ResourceHandlerRegistry registry) {
registry.addResourceHandler("/static/**").addResourceLocations("classpath:/static/static/");
super.addResourceHandlers(registry);
}
}
这是比较简略的拦截配置,主要需要注意的是排除配置,保证资源不被拦截,这个单双星号的写法让我和我的小伙伴捉摸了好一会。其次是注意静态资源路径映射重写。由于react打包过后,资源一般是生成static文件夹放置大部分静态资源,这样的多重static文件夹结构经过HandlerInterceptorAdapter的处理后,会导致资源路径映射不正确。不希望每次手动修改前端打包后的资源路径的话,后端如上面代码,配置addResourceHandlers,重写映射;
除了HandlerInterceptorAdapter,我这里再简单提供个人对于Security的配置,对应controller和依赖就不展示了
@Configuration
@EnableWebSecurity
public class WebSecurityConfiguration extends WebSecurityConfigurerAdapter {
@Autowired
private UserDetailsService userDetailsService;
@Autowired
private RestAuthenticationFailureHandler authenticationFailureHandler;
@Autowired
private RestAuthenticationSuccessHandler successHandler;
@Override
protected void configure(HttpSecurity http) throws Exception {
http.csrf().disable();// 关闭csrf:Cross-site request forgery跨站请求伪造(便于测试post请求)
// http.authorizeRequests().anyRequest().authenticated();//所有页面访问都需要先登录
http.formLogin() // 登陆的设置
.failureHandler(authenticationFailureHandler) // failure handler登录失败返回结果
.loginPage("/index") //使用自定义登录页面
.loginProcessingUrl("/login")//登录请求的url default is /login with an HTTP post
.defaultSuccessUrl("/home.html")//登陆成功后默认的登录跳转页面
.permitAll(); // permit all authority登录页面允许所有人访问
http.authorizeRequests().antMatchers("/*.html").hasAnyAuthority("SUPERUSER","USER","NORMAL","CHECKMAN");//拦截指定url,放行指定角色
http.authorizeRequests().antMatchers("/Manage/*").hasAnyAuthority("SUPERUSER");//拦截指定url,放行指定角色
}
@Autowired
public void configureGlobal(AuthenticationManagerBuilder auth) throws Exception {
auth.userDetailsService(userDetailsService);//将userdetailsserviceimple设置为验证用户信息的类
}
}
React不打包进行接口测试
由于react发布时需要打包后,才能和后端整合,所以在接口对接测试的时候,要想前后端合并测试,打包是免不了的。一点点改动,都需要重新打包,无疑是很浪费时间。完全不打包就测试,暂时我想不到便捷的方法。对于前端,相对取巧的办法是,通过跨域请求,进行接口测试。这样前端就可以在开发环境下访问接口,这样尤其适合于“全栈”开发。
主要需要前端使用axios全局配置,给每个接口配置跨域,发布的时候注释掉就好了
index.js:
axios.defaults.withCredentials = true;
axios.interceptors.request.use(
config => {
config.url = 'http://localhost:8080'+config.url;
return config;
},
err => {
return Promise.reject(err);
}
);
后端也要相应的跨域配置,也是发布的时候整个文件注释掉就好了
package com.example.newsroom.util;
import org.springframework.stereotype.Component;
import org.springframework.beans.factory.annotation.Value;
import javax.servlet.*;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;
@Component
public class CORSFilter implements Filter {
public void doFilter(ServletRequest req, ServletResponse res, FilterChain chain) throws IOException, ServletException {
HttpServletRequest request = (HttpServletRequest) req;
HttpServletResponse response = (HttpServletResponse) res;
response.setHeader("Access-Control-Allow-Origin", request.getHeader("Origin"));
response.setHeader("Access-Control-Allow-Methods", "POST, GET, OPTIONS, DELETE");
response.setHeader("Access-Control-Max-Age", "3600");
response.setHeader("Access-Control-Allow-Headers", "X-Requested-With, Accept, Content-Type, Origin");
response.setHeader("Access-Control-Allow-Credentials","true"); //是否支持cookie跨域
chain.doFilter(req, res);
}
public void init(FilterConfig filterConfig) {}
public void destroy() {}
}