Cesium 卫星轨迹、卫星通信、卫星过境,模拟数据传输。

news2024/11/15 1:32:11

起因:看了cesium官网卫星通信示例发现只有cmzl版本的,决定自己动手写一个。欢迎大家一起探讨,评论留言。

效果

在这里插入图片描述

全部代码在最后

起步

寻找卫星轨迹数据,在网站space-track上找的,自己注册账号QQ邮箱即可。

  1. 卫星轨道类型 轨道高度 卫星用途
  2. LEO (低地球轨道) 500-2000km 对地观测、测地、通信、导航等
  3. MEO (中地球轨道) 2000-35786km 导航
  4. GEO(地球静止轨道) 35786km 通信 导航、气象观测等
  5. SSO (太阳同步轨道) <6000km 观测等
  6. IGSO(倾斜地球同步轨道) 35786km 导航
    在这里插入图片描述
    点击TLE就可以得到卫星的两个轨道数据
    在这里插入图片描述
    当然这个数据需要相对应的插件satellite.js转换成我们熟悉的经纬高;
    拔下来的数据存入json文件中:
    在这里插入图片描述
    最后构造卫星轨迹对象
import {
  twoline2satrec, gstime, eciToGeodetic,
  PositionAndVelocity, propagate, EciVec3,
  degreesLong
} from 'satellite.js';
 fetch("data/points.json").then(res => res.json()).then(data => {
    for (const key in data) {
      if (Object.prototype.hasOwnProperty.call(data, key)) {
        const element = data[key];
        const satrec = twoline2satrec(element.data[0], element.data[1]);
        const positionAndVelocity: PositionAndVelocity = propagate(satrec, time);
        const positionEci = positionAndVelocity.position as EciVec3<number>;
        obj[key] = {
          country: element.country,
          times: [],
          positions: []
        };
        let lon, lat, alt;
        //一年365天 一天为间隔
        for (let index = min; index <= nowTime; index = index + 86400000) {
          const gmst = gstime(new Date(index));
          const positionGd = eciToGeodetic(positionEci, gmst)
          lon = positionGd.longitude,
            lat = positionGd.latitude,
            alt = positionGd.height;
          obj[key].times.push(index)
          obj[key].positions.push([degreesLong(lon), degreesLong(lat), alt])
        }
      }
    }
  })

加载卫星和轨迹线

//用数据集方便管理
const satellites = new Cesium.CustomDataSource("satellite");
const polylines = new Cesium.CustomDataSource("statelliteLine");
function computeCirclularFlight(arr: Obj, hasLine: boolean = true) {
  for (const key in arr) {
    if (Object.prototype.hasOwnProperty.call(arr, key)) {
      const element = arr[key];
      const property = new Cesium.SampledPositionProperty();
      const length = element.positions.length
      const positions: number[] = []
      let p, t
      for (let index = 0; index < length; index++) {
        p = element.positions[index]
        t = element.times[index]
        property.addSample(Cesium.JulianDate.addHours(Cesium.JulianDate.fromDate(new Date(t)), 8, new Cesium.JulianDate()), Cesium.Cartesian3.fromDegrees(p[0], p[1], p[2]));
        positions.push(...element.positions[index])
      }
      satellites.entities.add({
        id: key,
        model: {
          uri: element.country === 'US' ? 'models/satellite/satellite1/Satellite.gltf'
            : element.country === 'PRC' ? 'models/satellite/satellite2/10477_Satellite_v1_L3.gltf' : 'models/satellite/satellite3/satellite.gltf',
          minimumPixelSize: 32
        },
        position: property,
      });
      if (hasLine)
        polylines.entities.add({
          id: key,
          polyline: {
            width: 1,
            material: Cesium.Color.BLUE.withAlpha(.5),
            positions: Cesium.Cartesian3.fromDegreesArrayHeights(positions)
          }
        })
    }
  }
  viewer.dataSources.add(satellites);
  viewer.dataSources.add(polylines);
}

加载卫星和轨迹的效果
在这里插入图片描述

加载地面雷达

const radars = new Cesium.CustomDataSource("radar");
const radarpoints: {
  id: string;
  lon: number;
  lat: number;
  radius: number
}[] = [
    { id: 'radar1', lon: 104, lat: 34, radius: 300000 },
    { id: 'radar2', lon: -100, lat: 55, radius: 300000 },
    { id: 'radar3', lon: 109.70841, lat: 19.365791, radius: 300000 },
  ]
  //添加雷达
  radarpoints.forEach(i => {
    createRadar(i.id, i.lon, i.lat, i.radius)
  })
  function createRadar(id: string, lon: number, lat: number, radius: number) {
  radars.entities.add({
    id: id,
    model: {
      uri: 'models/antenna_07.glb',
      minimumPixelSize: 32,
    },
    position: Cesium.Cartesian3.fromDegrees(lon, lat),
  })
  viewer.dataSources.add(radars)
  new LCesiumApi.RadarPrimitive({
    radius: radius,
    stackPartitions: 10,
    slicePartitions: 10,
    stackDegrees: {
      x: 0,
      y: 90,
    },
    sliceDegrees: {
      x: 0,
      y: 360,
    },
    color: Cesium.Color.GREEN.withAlpha(0.2),
    lineColor: Cesium.Color.RED,
    scanColor: Cesium.Color.YELLOW.withAlpha(0.2),
    scanLineColor: Cesium.Color.RED,
    scene: viewer.scene,
    center: Cesium.Cartesian3.fromDegrees(lon, lat),
    scanSpeed: 5000,
    show: true,
    scan: true,
  });
}

在这里插入图片描述

关于雷达效果在我之前文章里面有

卫星与地面雷达通信

  • 暂时只做了m(雷达)-n(卫星),m*n;没有做卫星之间的通信判断,不过原理都是一样的.
  • 网上搜索了一下通信距离一般是3,580km
  • 计算此时卫星距雷达的距离,其实就是计算带高度的经纬度之间的距离
Cartesian3.distance(point1: Cartesian3, point2: Cartesian3)

当卫星和地面卫星通信时,创建连线,离开设置为隐藏。

function computeRange() {
  satellites.entities.values.forEach(i => {
    radars.entities.values.forEach(j => {
      const po1 = i.position?.getValue(viewer.clock.currentTime)
      const po2 = j.position?.getValue(viewer.clock.currentTime)
      if (po1 && po2) {
        const len = LCesiumApi.Tool.getDistanceFromCartesian3(po1, po2)
        if (len <= communicationRange) {
          if (showFlyObject[`${i.id}-${j.id}`]) {
            showFlyObject[`${i.id}-${j.id}`].show = true
            showFlyObject[`${i.id}-${j.id}`].po1 = LCesiumApi.Tramsform.degreesFromCartesian(po1)
            showFlyObject[`${i.id}-${j.id}`].po2 = LCesiumApi.Tramsform.degreesFromCartesian(po2)
          }
          else {
            showFlyObject[`${i.id}-${j.id}`] = {
              entity: null,
              show: true,
              po1: LCesiumApi.Tramsform.degreesFromCartesian(po1),
              po2: LCesiumApi.Tramsform.degreesFromCartesian(po2)
            }
          }
        } else {
          if (showFlyObject[`${i.id}-${j.id}`]) showFlyObject[`${i.id}-${j.id}`].show = false
        }
      }
    })
  })
  setLine()
}
function setLine() {
  for (const key in showFlyObject) {
    if (Object.prototype.hasOwnProperty.call(showFlyObject, key)) {
      const element = showFlyObject[key];
      if (element.entity === null) element.entity = createFlyLine(key)
      element.entity.show = element.show
    }
  }
}
function createFlyLine(id: string) {
  var material = new PolylineTrailLinkMaterialProperty({
    color: Cesium.Color.fromCssColorString('#7ffeff'),
    duration: 3000,
  });
  const line = Connection.entities.add({
    id: id,
    polyline: {
      positions: new Cesium.CallbackProperty(() => {
        return Cesium.Cartesian3.fromDegreesArrayHeights([
          showFlyObject[id].po1.longitude,
          showFlyObject[id].po1.latitude,
          showFlyObject[id].po1.height,
          showFlyObject[id].po2.longitude,
          showFlyObject[id].po2.latitude,
          showFlyObject[id].po2.height,
        ])
      }, false),
      width: 8,
      material
    }
  })
  return line
}

完整代码

<template>
  <Map @onViewerLoaded="onViewerLoaded" :options="options" />
</template>
<script lang="ts" setup>
import Map from "@/components/Cesium/lib/Map.vue";
import * as Cesium from "cesium";
import { message } from 'ant-design-vue'
import {
  twoline2satrec, gstime, eciToGeodetic,
  PositionAndVelocity, propagate, EciVec3,
  degreesLong
} from 'satellite.js';
import LCesiumApi from "@lib/main";
//@ts-ignore
import { PolylineTrailLinkMaterialProperty } from './PolylineTrailMaterialProperty.js'
const options = {
  imageryProvider: new Cesium.ArcGisMapServerImageryProvider({
    url: 'https://services.arcgisonline.com/ArcGIS/rest/services/World_Imagery/MapServer'
  }),
}
let viewer: Cesium.Viewer
let start: Cesium.JulianDate
let stop: Cesium.JulianDate
let handler: Cesium.ScreenSpaceEventHandler;
const communicationRange = 3580000;
const time = new Date()
let max = time.getTime()
let year = 31622400000;
let min = max - year;
type Obj = {
  [index: string]: {
    country: string;
    times: number[];
    positions: [[number, number, number]] | number[][]
  }
}
const showFlyObject: {
  [index: string]: any
} = {}
let obj: Obj = {}
const radarpoints: {
  id: string;
  lon: number;
  lat: number;
  radius: number
}[] = [
    { id: 'radar1', lon: 104, lat: 34, radius: 300000 },
    { id: 'radar2', lon: -100, lat: 55, radius: 300000 },
    { id: 'radar3', lon: 109.70841, lat: 19.365791, radius: 300000 },
  ]
const onViewerLoaded = (Viewer: Cesium.Viewer) => {
  viewer = Viewer
  handler = new Cesium.ScreenSpaceEventHandler(viewer.canvas);
  //设置时间轴
  setTimeline()
  //读取卫星分布两行数据
  const nowTime = time.getTime()
  fetch("data/points.json").then(res => res.json()).then(data => {
    for (const key in data) {
      if (Object.prototype.hasOwnProperty.call(data, key)) {
        const element = data[key];
        const satrec = twoline2satrec(element.data[0], element.data[1]);
        const positionAndVelocity: PositionAndVelocity = propagate(satrec, time);
        const positionEci = positionAndVelocity.position as EciVec3<number>;
        obj[key] = {
          country: element.country,
          times: [],
          positions: []
        };
        let lon, lat, alt;
        //一年365天 一天为间隔
        for (let index = min; index <= nowTime; index = index + 86400000) {
          const gmst = gstime(new Date(index));
          const positionGd = eciToGeodetic(positionEci, gmst)
          lon = positionGd.longitude,
            lat = positionGd.latitude,
            alt = positionGd.height;
          obj[key].times.push(index)
          obj[key].positions.push([degreesLong(lon), degreesLong(lat), alt])
        }
      }
    }
    computeCirclularFlight(obj)
  })
  //添加点击事件
  addPick()
  //添加雷达
  radarpoints.forEach(i => {
    createRadar(i.id, i.lon, i.lat, i.radius)
  })
  //添加过境扫描
  ; (viewer as any).frameUpdate.addEventListener((delta: any) => {
    computeRange()
  });
}
function setTimeline() {
  start = Cesium.JulianDate.fromDate(new Date(min));  // 获取当前时间 这不是国内的时间
  start = Cesium.JulianDate.addHours(start, 8, new Cesium.JulianDate());  // 添加八小时,得到我们东八区的北京时间
  stop = Cesium.JulianDate.fromDate(new Date(max));  // 设置一个结束时间,意思是360秒之后时间结束
  viewer.clock.startTime = start.clone();   // 给cesium时间轴设置开始的时间,也就是上边的东八区时间
  viewer.clock.stopTime = stop.clone();     // 设置cesium时间轴设置结束的时间
  viewer.clock.currentTime = start.clone(); // 设置cesium时间轴设置当前的时间
  viewer.clock.clockRange = Cesium.ClockRange.LOOP_STOP;  // 时间结束了,再继续重复来一遍
  //时间变化来控制速度 // 时间速率,数字越大时间过的越快
  viewer.clock.multiplier = 1;
  //给时间线设置边界
  viewer.timeline.zoomTo(start, stop);
}
const satellites = new Cesium.CustomDataSource("satellite");
const polylines = new Cesium.CustomDataSource("statelliteLine");
const radars = new Cesium.CustomDataSource("radar");
const Connection = new Cesium.CustomDataSource("connection");
function computeCirclularFlight(arr: Obj, hasLine: boolean = true) {
  for (const key in arr) {
    if (Object.prototype.hasOwnProperty.call(arr, key)) {
      const element = arr[key];
      const property = new Cesium.SampledPositionProperty();
      const length = element.positions.length
      const positions: number[] = []
      let p, t
      for (let index = 0; index < length; index++) {
        p = element.positions[index]
        t = element.times[index]
        property.addSample(Cesium.JulianDate.addHours(Cesium.JulianDate.fromDate(new Date(t)), 8, new Cesium.JulianDate()), Cesium.Cartesian3.fromDegrees(p[0], p[1], p[2]));
        positions.push(...element.positions[index])
      }
      satellites.entities.add({
        id: key,
        model: {
          uri: element.country === 'US' ? 'models/satellite/satellite1/Satellite.gltf'
            : element.country === 'PRC' ? 'models/satellite/satellite2/10477_Satellite_v1_L3.gltf' : 'models/satellite/satellite3/satellite.gltf',
          minimumPixelSize: 32
        },
        position: property,
      });
      if (hasLine)
        polylines.entities.add({
          id: key,
          polyline: {
            width: 1,
            material: Cesium.Color.BLUE.withAlpha(.5),
            positions: Cesium.Cartesian3.fromDegreesArrayHeights(positions)
          }
        })
    }
  }
  viewer.dataSources.add(satellites);
  viewer.dataSources.add(polylines);
  viewer.dataSources.add(Connection)
}
const addPick = () => {
  handler.setInputAction((movement: any) => {
    const pickedObject = viewer.scene.pick(movement.position);
    if (Cesium.defined(pickedObject)) {
      message.info(pickedObject.id.id)
    }
  }, Cesium.ScreenSpaceEventType.LEFT_CLICK)
}
function createRadar(id: string, lon: number, lat: number, radius: number) {
  radars.entities.add({
    id: id,
    model: {
      uri: 'models/antenna_07.glb',
      minimumPixelSize: 32,
    },
    position: Cesium.Cartesian3.fromDegrees(lon, lat),
  })
  viewer.dataSources.add(radars)
  new LCesiumApi.RadarPrimitive({
    radius: radius,
    stackPartitions: 10,
    slicePartitions: 10,
    stackDegrees: {
      x: 0,
      y: 90,
    },
    sliceDegrees: {
      x: 0,
      y: 360,
    },
    color: Cesium.Color.GREEN.withAlpha(0.2),
    lineColor: Cesium.Color.RED,
    scanColor: Cesium.Color.YELLOW.withAlpha(0.2),
    scanLineColor: Cesium.Color.RED,
    scene: viewer.scene,
    center: Cesium.Cartesian3.fromDegrees(lon, lat),
    scanSpeed: 5000,
    show: true,
    scan: true,
  });
}
function computeRange() {
  satellites.entities.values.forEach(i => {
    radars.entities.values.forEach(j => {
      const po1 = i.position?.getValue(viewer.clock.currentTime)
      const po2 = j.position?.getValue(viewer.clock.currentTime)
      if (po1 && po2) {
        const len = LCesiumApi.Tool.getDistanceFromCartesian3(po1, po2)
        if (len <= communicationRange) {
          if (showFlyObject[`${i.id}-${j.id}`]) {
            showFlyObject[`${i.id}-${j.id}`].show = true
            showFlyObject[`${i.id}-${j.id}`].po1 = LCesiumApi.Tramsform.degreesFromCartesian(po1)
            showFlyObject[`${i.id}-${j.id}`].po2 = LCesiumApi.Tramsform.degreesFromCartesian(po2)
          }
          else {
            showFlyObject[`${i.id}-${j.id}`] = {
              entity: null,
              show: true,
              po1: LCesiumApi.Tramsform.degreesFromCartesian(po1),
              po2: LCesiumApi.Tramsform.degreesFromCartesian(po2)
            }
          }
        } else {
          if (showFlyObject[`${i.id}-${j.id}`]) showFlyObject[`${i.id}-${j.id}`].show = false
        }
      }
    })
  })
  setLine()
}
function setLine() {
  for (const key in showFlyObject) {
    if (Object.prototype.hasOwnProperty.call(showFlyObject, key)) {
      const element = showFlyObject[key];
      if (element.entity === null) element.entity = createFlyLine(key)
      element.entity.show = element.show
    }
  }
}
function createFlyLine(id: string) {
  var material = new PolylineTrailLinkMaterialProperty({
    color: Cesium.Color.fromCssColorString('#7ffeff'),
    duration: 3000,
  });
  const line = Connection.entities.add({
    id: id,
    polyline: {
      positions: new Cesium.CallbackProperty(() => {
        return Cesium.Cartesian3.fromDegreesArrayHeights([
          showFlyObject[id].po1.longitude,
          showFlyObject[id].po1.latitude,
          showFlyObject[id].po1.height,
          showFlyObject[id].po2.longitude,
          showFlyObject[id].po2.latitude,
          showFlyObject[id].po2.height,
        ])
      }, false),
      width: 8,
      material
    }
  })
  return line
}
</script>

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/358599.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

stm32f407探索者开发板(十六)——串行通信原理讲解-UART

文章目录一、串口通信接口背景知识1.1 处理器与外部设备通信的两种方式1.2 按照数据传送方向1.3 是否带有时钟信号1.4 常见的串行通信接口二、STM32F4串口通信基础2.1 STM32的串口通信接口2.2 UART异步通信方式引脚连接方法2.3 UART异步通信方式引脚(STM32F407ZGT6)2.4 UART异步…

模拟物流快递系统程序设计-课后程序(JAVA基础案例教程-黑马程序员编著-第四章-课后作业)

【案例4-8】模拟物流快递系统程序设计 欢迎点赞收藏关注 【案例介绍】 案例描述 网购已成为人们生活的重要组成部分&#xff0c;当人们在购物网站中下订单后&#xff0c;订单中的货物就会在经过一系列的流程后&#xff0c;送到客户的手中。而在送货期间&#xff0c;物流管理…

实际项目角度优化App性能

前言&#xff1a;前年替公司实现了一个在线检疫App&#xff0c;接下来一年时不时收到该App的需求功能迭代&#xff0c;部分线下问题跟进。随着新冠疫情防控政策放开&#xff0c;该项目也是下线了。 从技术角度来看&#xff0c;有自己的独特技术处理特点。下面我想记录一下该App…

c++动态内存分布以及和C语言的比较

文章目录 前言一.c/c内存分布 C语言的动态内存管理方式 C内存管理方式 operator new和operator delete函数 malloc/free和new/delete的区别 定位new 内存泄漏的危害总结前言 c是在c的基础上开发出来的&#xff0c;所以关于内存管理这一方面是兼容c的&…

02- OpenCV绘制图形及图像算术变换 (OpenCV基础) (机器视觉)

知识重点 OpenCV用的最多的色彩空间是HSV. 方便OpenCV做图像处理img2 img.view() # 浅拷贝img3 img.copy() # 深拷贝split(mat) 分割图像的通道: b, g, r cv2.split(img) # b, g, r 都是数组merge((ch1, ch2, ch3)) 融合多个通道cvtColor(img, colorspace): 颜…

Centos7系统编译Hadoop3.3.4

1、背景 最近在学习hadoop&#xff0c;此篇文章简单记录一下通过源码来编译hadoop。为什么要重新编译hadoop源码&#xff0c;是因为为了匹配不同操作系统的本地库环境。 2、编译源码 2.1 下载并解压源码 [roothadoop01 ~]# mkdir /opt/hadoop [roothadoop01 ~]# cd /opt/had…

运动蓝牙耳机哪个牌子好性价比高、性价比高的运动蓝牙耳机推荐

如今耳机是我们生活中很常见的数码产品了&#xff0c;在街上看到跑步、骑行&#xff0c;室内健身房&#xff0c;都能看到大家人手一副耳机&#xff0c;运动耳机已经成为很多人的运动必备品&#xff0c;因大众佩戴耳机的种类和风格有所不同&#xff0c;这也造就了市场上琳琅满目…

RT-Thread SPI使用教程

RT-Thread SPI 使用教程 实验环境使用的是正点原子的潘多拉开发板。 SPI从机设备使用的是BMP280温湿度大气压传感器。 使用RT-Thread Studio搭建基础功能。 1. 创建工程 使用RT-Thread Studio IDE创建芯片级的工程。创建完成后&#xff0c;可以直接编译下载进行测试。 2.…

电源电路设计(一)(文末有易灵思核心板及下载线)

现在随着电子技术的高速发展&#xff0c;电子系统的应用领域也变得越来越广泛&#xff0c;电子设备的种类也在逐渐的不断更新、不断增多&#xff0c;电子设备与人们日常的工作、生活的关系也是日益密切。任何的电子设备都离不开安全有效的电源&#xff0c;电源是一切电力电子设…

后来我放弃了Obsidian手机端,改用Flomo | Obsidian实践

Obsidian在本地管理笔记文件的方式是把双刃剑。一方面&#xff0c;用户自行管理笔记文件可以获得更多的安全感&#xff0c;不用担心会出现“平台挂掉了&#xff0c;笔记丢失”的情况&#xff1b;另一方面&#xff0c;免费版Obsidian无法进行多终端笔记同步的问题又常常遭人诟病…

c++11 标准模板(STL)(std::unordered_set)(三)

定义于头文件 <unordered_set> template< class Key, class Hash std::hash<Key>, class KeyEqual std::equal_to<Key>, class Allocator std::allocator<Key> > class unordered_set;(1)(C11 起)namespace pmr { templ…

wafw00f工具

wafw00f Web应用程序防火墙指纹识别工具 github地址&#xff1a;https://github.com/EnableSecurity/wafw00f 安装环境&#xff1a;python3环境 —>使用 pip install wafw00f 进行安装 安装成功后目录&#xff1a;python安装目录中的Lib\site-packages\wafw00f 本机为&a…

Hadoop - HDFS

Hadoop - HDFS 1. HDFS介绍 1.1 定义 HDFS是一个分布式文件系统&#xff0c;适合一次写入&#xff0c;多次读出的场景 数据可以保存在多个副本当中&#xff0c;可以通过增加副本的数量来增加容错 不适用于低延时数据访问的场景 不能高效的对小文件进行存储 因为会占用Na…

MySQL —— 内外连接

目录 表的内外连接 一、内连接 二、外连接 1. 左外连接 2. 右外连接 表的内外连接 表的连接分为内连和外连 一、内连接 内连接实际上就是利用where子句对两种表形成的笛卡儿积进行筛选&#xff0c;我们前面博客中的查询都是内连接&#xff0c;也是在开发过程中使用的最多…

为GDI+增加类似QPainter的Save和Restore功能

文章目录一、实现思路1、功能设计2、大体实现思路二、代码实现1、实现IList2、实现功能函数3、调用测试原文出处&#xff1a; https://blog.csdn.net/haigear/article/details/129116662在使用GDI绘图时&#xff0c;不得不说QT中的QPainter有些功能是让人羡慕的&#xff0c;比如…

【Java基础】泛型

泛型 generic 泛型的好处 编译器自动检查&#xff0c;减少了出错减少了转换次数&#xff0c;提高效率不再提示编译警告使程序员能够实现通用算法 定义 接口和类&#xff0c;方法都可以定义泛型 //泛型类会被在创建实例的时候被确定 // 泛型可以有多个 class Person<T,…

3分钟带您快速了解HIL测试及其架构

什么是HIL测试硬件在环&#xff08;HIL&#xff09;仿真是一种用于测试导航系统的技术&#xff0c;其中测试前并不知道车辆轨迹。在这种情况下&#xff0c;车辆轨迹被实时馈送到GNSS模拟器。HIL可用于复杂实时系统的开发和测试&#xff0c;如卫星控制系统、军事战术导弹、飞机飞…

从JDK源码中探究Runtime#exec的限制

前言 遇到很多次在调用Runtime.getRuntime().exec方法进行弹shell的时候遇到的各种限制&#xff0c;都没好好的认识认识原理&#xff0c;这次主要是总一个总结和原理上的分析。 环境搭建 之后使用docker起一个具有反序列化的漏洞的Java服务(能够执行命令就行)。 之后开启调…

深度学习神经网络基础知识(三)前向传播,反向传播和计算图

专栏&#xff1a;神经网络复现目录 深度学习神经网络基础知识(三) 本文讲述神经网络基础知识&#xff0c;具体细节讲述前向传播&#xff0c;反向传播和计算图&#xff0c;同时讲解神经网络优化方法&#xff1a;权重衰减&#xff0c;Dropout等方法&#xff0c;最后进行Kaggle实…

第47章 后端管理首页与Axios拦截守卫原理

1 404全局拦截 1.1 定义布局页&#xff1a;src\views\ 404View.vue <template> <el-container> <el-main> </el-main> <el-footer> <h1>大人&#xff0c;你要找的页面离家出走了&#xff01;小的正在努力寻找中…</h1> </el-fo…