springboot web & 增加不存在的url返回200状态码& vue 打包设置

这篇具有很好参考价值的文章主要介绍了springboot web & 增加不存在的url返回200状态码& vue 打包设置。希望对大家有所帮助。如果存在错误或未考虑完全的地方,请大家不吝赐教,您也可以点击"举报违法"按钮提交疑问。

spring boot项目增加 html web页面访问

1. 首先 application.properties 文件中增加配置,指定静态资源目录(包括html的存放)

spring.resources.static-locations=classpath:/webapp/,classpath:/webapp/static/

2. 项目目录

springboot web & 增加不存在的url返回200状态码& vue 打包设置,spring boot,前端,javaspringboot web & 增加不存在的url返回200状态码& vue 打包设置,spring boot,前端,java

3. 如果有实现 WebMvcConfigurer  类的,增加实现

package yourpack;


import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.annotation.Configuration;
import org.springframework.http.HttpStatus;
import org.springframework.web.servlet.config.annotation.InterceptorRegistry;
import org.springframework.web.servlet.config.annotation.ResourceHandlerRegistry;
import org.springframework.web.servlet.config.annotation.ViewControllerRegistry;
import org.springframework.web.servlet.config.annotation.WebMvcConfigurer;

import javax.annotation.Resource;

/**
 * @author wangtong
 */
@Configuration
public class CustomWebMvcConfigurer implements WebMvcConfigurer {
    @Autowired
    private YourInterceptor yourint;// 拦截器

    @Override
    public void addInterceptors(InterceptorRegistry registry) {
        registry.addInterceptor(yourint).addPathPatterns("/url").addPathPatterns("/url2");// 不设置拦截器的可以不实现该方法
    }

    @Override
    public void addViewControllers(ViewControllerRegistry registry) {
//        registry.addViewController("/").setStatusCode(HttpStatus.OK);
        registry.addViewController("/index.jsp").setViewName("index"); // 配置首页
        registry.addViewController("/").setViewName("index");
        registry.addViewController("/404").setViewName("404"); // 配置404页面
    }

    @Override
    public void addResourceHandlers(ResourceHandlerRegistry registry) {
// 设置静态资源目录
        registry.addResourceHandler("/static/**")
                .addResourceLocations("classpath:/webapp/static/")
                .addResourceLocations("classpath:/resources/webapp/static/");
    }
}

如果访问不到页面的,可以检查下application配置文件是否有以下配置

#spring.web.resources.add-mappings=false
#spring.resources.add-mappings=false
spring.mvc.view.suffix=.html

如果有的话,需要进行注释。这两个配置都是不进行静态资源的映射。所以会导致html等无法访问。

增加spring boot web不存在的url返回200状态码

1. application配置文件增加以下配置

spring.mvc.throw-exception-if-no-handler-found=true

2. 增加一个error配置类的实现

package ;

import org.springframework.boot.web.server.ErrorPage;
import org.springframework.boot.web.server.ErrorPageRegistrar;
import org.springframework.boot.web.server.ErrorPageRegistry;
import org.springframework.context.annotation.Configuration;
import org.springframework.http.HttpStatus;


@Configuration
public class ErrorConfig implements ErrorPageRegistrar {

    @Override
    public void registerErrorPages(ErrorPageRegistry registry) {
        ErrorPage[] errorPages = new ErrorPage[1];
        errorPages[0] = new ErrorPage(HttpStatus.NOT_FOUND, "/404.do");
        registry.addErrorPages(errorPages);
    }
}

3. 增加一个mapping

import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;

    @RequestMapping(value = {"/404.do"})
    public ResponseEntity<Map<String, String>> error() {
        Map<String, String> retMap = new HashMap<>();
        retMap.put("message", "请求路径不存在");
        return new ResponseEntity<Map<String, String>> (retMap, HttpStatus.OK);
    }

访问一下

springboot web & 增加不存在的url返回200状态码& vue 打包设置,spring boot,前端,java

vue 打包配置:

1. main.js 配置 axios相关,这里没有进行增加前缀路由,注释调的api是增加的,但是打包后,访问的页面里面也加上了,不知道为什么,所有就去掉吧

// var baseURL = '/api';
var baseURL = 'http://localhost:8080';
axios.interceptors.request.use(config=>{
  config.baseURL= baseURL;
  config.headers.post["Origin"] = baseURL;
  config.headers.post["Referer"] = baseURL;
  return config;
});
axios.defaults.withCredentials = true;
axios.defaults.headers.post["Origin"] = baseURL;
axios.defaults.headers.post["Referer"] = baseURL;

Vue.prototype.$request=axios;

2. package.json 文件, scripts 中没有build的可以增加一个,如果执行 npm run build 报错的,可以改成build+后缀的其它。 我这里的话 npm run buildt

{
  "name": "vue-admin-template",
  "version": "4.4.0",
  "description": "A vue admin template with Element UI & axios & iconfont & permission control & lint",
  "author": "",
  "scripts": {
    "dev": "vue-cli-service serve",
    "build:prod": "vue-cli-service build",
    "buildt": "npm install && vue-cli-service build",
    "preview": "node build/index.js --preview",
    "svgo": "svgo -f src/icons/svg --config=src/icons/svgo.yml",
    "lint": "eslint --ext .js,.vue src",
    "test:unit": "jest --clearCache && vue-cli-service test:unit",
    "test:ci": "npm run lint && npm run test:unit"
  },

3. vue.config.js文件

module.exports = {
  publicPath: '/',
  outputDir: '../your-web/src/main/resources/webapp',
  assetsDir: 'static',
  lintOnSave: process.env.NODE_ENV === 'development',
  productionSourceMap: false,
  devServer: {
    port: 2234,
    open: true,
    overlay: {
      warnings: false,
      errors: true
    },
    // proxy: { 
    //   '/api': { 
    //     target: 'http://localhost:8080',
    //     ws: true,
    //     changeOrigin: true ,
    //     pathRewrite:{
    //       '^/api':''
    //     }
    //   } 
    // }
  },

这里的话,axios没有设置前缀,所以这里的路由也就不需要了。注释掉。

outputDir  要输出的目录路径,这里的话,我这里打包的不在当前这个目录下面。

生成到和当前node父目录同层的指定目录下。

springboot web & 增加不存在的url返回200状态码& vue 打包设置,spring boot,前端,java

elementUi 单vue.js 文件使用

页面效果:

springboot web & 增加不存在的url返回200状态码& vue 打包设置,spring boot,前端,java

由于简单点,就直接都引入到一个html了

index.html文章来源地址https://www.toymoban.com/news/detail-707824.html



<!DOCTYPE html>
<html>
<head>
    <meta charset="UTF-8">
    <!-- import CSS -->
    <link rel="stylesheet" href="https://unpkg.com/element-ui/lib/theme-chalk/index.css">
    <!-- 引入组件库 -->
    <script src="https://unpkg.com/element-ui/lib/index.js"></script>
    <script src="https://unpkg.com/axios/dist/axios.min.js"></script>
    <script src="https://cdn.bootcss.com/qs/6.5.1/qs.min.js"></script>
</head>
<script type="module">

</script>
<body>
<div id="app">
<!--    <el-button @click="visible = true">Button</el-button>-->
<!--    <el-dialog :visible.sync="visible" title="Hello world">-->
<!--        <p>Try Element</p>-->
<!--    </el-dialog>-->

    <el-form ref="form" :model="form" label-width="120px">

        <el-form-item label="select url">
            <el-select v-model="form.region" @change="changeName" placeholder="please select your zone">
                <el-option
                        v-for="item in serviceUrl"
                        :key="item.value"
                        :label="item.label"
                        :value="item.value"
                />
            </el-select>
        </el-form-item>
        <el-form-item label="url">
            <el-input v-model="form.name" />
        </el-form-item>
        <el-form-item label="select url">
            <el-select v-model="form.encryptionType" placeholder="please select encryptionType">
                <el-option
                        v-for="item in encryType"
                        :key="item.value"
                        :label="item.label"
                        :value="item.value"
                />
            </el-select>
        </el-form-item>
        <el-form-item label="type">
            <el-radio-group v-model="form.resource">
                <el-radio label="post" key="post" />
                <el-radio label="get" key="get" disabled />
            </el-radio-group>
        </el-form-item>
        <el-form-item label="privateKey">
            <el-input v-model="form.privateKey" />
        </el-form-item>
        <el-form-item label="service">
            <el-input v-model="form.service" />
        </el-form-item>
        <el-form-item label="merchantName">
            <el-input v-model="form.merchantName" />
        </el-form-item>
        <el-form-item label="dataContent">
            <el-input v-model="form.dataContent" type="textarea" />
        </el-form-item>
        <el-form-item>
            <el-button type="primary" :disabled="loading" @click="onSubmit">提交</el-button>
            <el-button @click="onCancel">Cancel</el-button>
        </el-form-item>
    </el-form>

    <div description="描述文字">
        <span>调用结果</span>

        <p v-html="result" ></p>

    </div>
</div>

</div>
</body>
<!-- import Vue before Element -->
<script src="https://unpkg.com/vue@2/dist/vue.js"></script>
<!-- import JavaScript -->
<script src="https://unpkg.com/element-ui/lib/index.js"></script>
<script>

    new Vue({
        el: '#app',
        data: function() {
            return {
                form: {
                    name: 'openapi/fsddg/v1',
                    region: 'openApi',
                    date1: '',
                    date2: '',
                    delivery: false,
                    type: [],
                    privateKey: 'gawegsfew',
                    resource: 'post',
                    encryptionType: 'md5',
                    service: 'gawdewae',
                    merchantName: 'fewageawwe',
                    requestSeq: "fawegeaw",
                    dataContent: JSON.stringify({
                        "backTrackingDate": "",
                        "bizNo": "20220329000002",
                        "reqParams": {
                            "saasChannelInfo": {
                                "secondLevel": "XW",
                                "thirdLevel": "",
                                "custType": "",
                                "firstLevel": "JC"
                            }
                        },
                        "idNo": "fafwfawefawew",
                        "encryptType": "md5"
                    })
                },
                serviceUrl:[{
                    value: 'openapi/dataservice/v1',
                    label: 'openApi'
                },{
                    value: "sfs/dataservice/v1",
                    label: "dataserviceV1"
                },{
                    value: "sfs/dataservice/v2",
                    label: "dataserviceV2"
                }],
                encryType:[{
                    label:"rsa",
                    value:"rsa"
                },{
                    label: "md5",
                    value: "md5"
                }],
                result: '',
                loading : false,
                visible: false
            }
        },
        methods:{
            onSubmit() {
                this.loading = false;
                this.$message('submit!')
                const form = this.form;

                var params = {
                    "dataContent": form.dataContent,
                    "service": form.service,
                    "productCode": form.service,
                    "signature": '',
                    "requestSeq": form.requestSeq,
                    "encryptionType": form.encryptionType,
                    "privateKey": form.privateKey,
                    "merchantSecret": "123456",
                    "merchantName": form.merchantName
                };

                var paramsStr = Qs.stringify(params);
                var th = this;
                axios.post('sfs/getSe', paramsStr).then((response) =>{
                    console.log('获取sign成功', response);
                    if(response.status == 200){
                        params["signature"] = response.data;
                        paramsStr = Qs.stringify(params);
                        console.log("入参", params)
                        axios.post(form.name, paramsStr).then((response) => {
                            console.log(response.data);
                            th.result = response.data;
                        }).catch(function (error) { // 请求失败处理
                            console.log(error);
                        });;
                    }

                }).catch(function (error) { // 请求失败处理
                    console.log(error);
                });;

            },
            changeName(){
                this.form.name = this.form.region;
            },
            onCancel() {
                this.$message({
                    message: 'cancel!',
                    type: 'warning'
                })
            }
        }
    });

    // service.post('fsagsad', {}).then(response=>{
    //     console.log(response)
    // });
</script>
</html>

到了这里,关于springboot web & 增加不存在的url返回200状态码& vue 打包设置的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处: 如若内容造成侵权/违法违规/事实不符,请点击违法举报进行投诉反馈,一经查实,立即删除!

领支付宝红包 赞助服务器费用

相关文章

  • vue项目版本打包更新后文件及浏览器存在缓存问题解决方案

    在vue.config.js中配置output,打包后的文件会带时间戳 在public/static目录下新建version.json文件  在src中新建 utils文件夹 文件夹中新建versionUpdate.js文件  在src文件夹下创建addVersion.js  写法二 修改package.json中scripts中的打包命令 版本号自加使用fs修改文件来实现 具体思路是:在执行

    2024年02月11日
    浏览(46)
  • Web 攻防之业务安全:Response状态值修改测试(修改验证码返回值 绕过限制.)

    业务安全是指保护业务系统免受安全威胁的措施或手段。 广义 的业务安全应包括业务运行的 软硬件平台 (操作系统、数据库,中间件等)、 业务系统自身 (软件或设备)、 业务所提供的服务安全 ; 狭义 的业务安全指 业务系统自有的软件与服务的安全 。 Response状态值修

    2023年04月16日
    浏览(125)
  • SpringBoot系列教程web篇之返回文本、网页、图片的操作姿势

    本篇将主要介绍以下几种数据格式的返回实例 返回文本 返回数组 返回json串 返回静态网页 返回图片 首先得搭建一个web应用才有可能继续后续的测试,借助SpringBoot搭建一个web应用属于比较简单的活; 创建一个maven项目,pom文件如下 依然是一般的流程,pom依赖搞定之后,写一个

    2024年02月21日
    浏览(36)
  • SpringBoot系列之Web如何支持下划线驼峰互转的传参与返回

    SpringBoot系列之Web如何支持下划线驼峰互转的传参与返回 接下来介绍一个非常现实的应用场景,有些时候后端接口对外定义的传参/返回都是下划线命名风格,但是Java本身是推荐驼峰命名方式的,那么必然就存在一个传参下换线,转换成驼峰的场景;以及在返回时,将驼峰命名

    2024年02月22日
    浏览(38)
  • SpringBoot 系列 web 篇之自定义返回 Http Code 的 n 种姿势

    虽然 http 的提供了一整套完整、定义明确的状态码,但实际的业务支持中,后端并不总会遵守这套规则,更多的是在返回结果中,加一个 code 字段来自定义业务状态,即便是后端 5xx 了,返回给前端的 http code 依然是 200 那么如果我想遵守 http 的规范,不同的 case 返回不同的

    2024年04月12日
    浏览(35)
  • 整合vue elementui springboot mybatisplus前后端分离的 简单增加功能 删改查未实现

    涉及知识点 1.springboot项目启动创建  配置yml文件 2.mybatisplus的使用 3.vue的vite文件配置 4.vue springboot 前后端数据交互 1.建立项目的配置文件 src/main/resources/application.yml 2.建立项目 pom.xml 3.建立数据库表 4.建立实体类 cn.webrx.pojo.User 5.建立项目入口程序App cn.webrx.App 6.建立sevices axi

    2024年02月07日
    浏览(50)
  • vue自动播放音频提示音(根据接口返回的状态值,提示声音。 code==0:播放成功音效; else 播放失败的音效)

    有时我们并不是想要在页面上放置一个播放音频的控件然后人为点击去播放,**而是通过一个图标点击事件或者js去控制它的播放暂停等操作,此时我们就要使用到Audio对象,**博主这里是Vue项目, 所以在data中使用的同一个Audio实例 项目需求:输入框输入完成 后续只需要通过切换

    2024年02月13日
    浏览(50)
  • SpringBoot+vue2联合打包部署,混合打包部署

    前端工程和后端工程目前是都是相对独立性的模式进行开发的。 软件工程场景: 前后端工程在同一个父工程下面,作为一个子工程存在,各自独立开发。 前端工程作为一个独立的目录存在于后端代码中,前端目录的根目录(例如front)与后端工程的src目录同级。–本文的例

    2024年02月20日
    浏览(36)
  • 检测到目标URL存在暗链

    暗链又叫隐藏链接,指的是正常的链接通过一些方法,如:把链接放入js代码中,使用display:none等等,从而使用户在正常浏览网页的时候无法看到这个链接。暗链是对搜索引擎的一种欺骗,导致搜索引擎的误判,将高权重分配给原本没有价值的网站甚至是钓鱼网站。这样极易

    2024年02月16日
    浏览(39)

觉得文章有用就打赏一下文章作者

支付宝扫一扫打赏

博客赞助

微信扫一扫打赏

请作者喝杯咖啡吧~博客赞助

支付宝扫一扫领取红包,优惠每天领

二维码1

领取红包

二维码2

领红包