数据结构第12节 有向图

有向图(Directed Graph 或 Digraph)是一种图数据结构,其中的边具有方向性。这意味着在一个有向图中,边可以被视为箭头,箭头从一个顶点指向另一个顶点,表示从起点到终点的单向关系。有向图的这种特性使得它在许多现实问题的建模中非常有用,例如网络流分析、计算机网络、基因调控网络、网页链接结构等。

有向图的基本概念:

  1. 顶点(Vertex):有向图中的基本单元,可以表示实体或状态。
  2. 边(Edge)或弧(Arc):连接两个顶点的有向线段,表示从一个顶点到另一个顶点的关系。边由一对顶点组成,通常写作 <u, v>(u, v),其中 u 是边的起点(尾部)而 v 是终点(头部)。
  3. 邻接:如果存在一条从顶点 u 指向顶点 v 的边,则称 vu 的邻接顶点,同时 uv 的前驱顶点。
  4. 出度(Out-degree):一个顶点的出度是所有以该顶点为起点的边的数量。
  5. 入度(In-degree):一个顶点的入度是所有以该顶点为终点的边的数量。
  6. 路径:在有向图中,从顶点 u 到顶点 v 的路径是由一系列顶点组成的序列 u, v1, v2, …, v,其中每对连续顶点之间都存在一条指向序列前进方向的边。
  7. 环(Cycle):如果存在一条路径从顶点 u 开始,经过一系列顶点后又回到顶点 u,则称有向图中存在环。
  8. 强连通图:如果一个有向图中任意两个顶点都可以相互到达,则称这个有向图为强连通的。
  9. 有向无环图(DAG):如果一个有向图中不存在环,则称这个有向图为有向无环图。

有向图的表示:

  1. 邻接矩阵:一个二维数组,其中 adj[u][v] 表示是否存在从顶点 u 到顶点 v 的边。对于有向图,邻接矩阵通常不是对称的。
  2. 邻接表:对于每个顶点,邻接表是一个链表或数组,其中包含所有与该顶点直接相连的顶点。邻接表对于稀疏图(边的数量远小于顶点数量的平方)更节省空间。

有向图的应用算法:

  1. 拓扑排序:在有向无环图(DAG)中,对顶点进行排序,使得对于每条边 (u, v),顶点 u 在排序中出现在顶点 v 之前。
  2. 最短路径算法:例如 Dijkstra 算法和 Bellman-Ford 算法,用于寻找图中两点间最短路径。
  3. 强连通分量算法:例如 Kosaraju’s 算法和 Tarjan’s 算法,用于识别有向图中的强连通分量。
  4. 流网络算法:例如 Ford-Fulkerson 算法,用于求解网络的最大流问题。

有向图在计算机科学和其他领域中有广泛的应用,掌握其基本概念和相关算法对于解决实际问题是至关重要的。

有向图在游戏开发中扮演着重要的角色,特别是在涉及路径寻找、任务规划、NPC行为、游戏地图生成等方面。有向图是由顶点(节点)和边组成的数据结构,其中边是有方向的,这意味着从一个顶点到另一个顶点的路径可能与反方向的路径不同。

在Java中,我们可以使用邻接表或者邻接矩阵的方式来表示有向图。下面我将使用邻接表的方式,结合一个简单的游戏场景来讲解有向图的应用。

游戏场景描述

想象一下,你正在开发一个角色扮演游戏,游戏中有一个由村庄、森林、山脉、城堡等组成的大陆。玩家可以从村庄出发,探索这个世界,完成各种任务。我们的目标是使用有向图来表示游戏世界中的各个地点以及它们之间的连接关系。

Java实现

import java.util.*;public class GameWorld {private Map<String, List<String>> graph;public GameWorld() {graph = new HashMap<>();}// 添加地点public void addLocation(String location) {graph.put(location, new ArrayList<>());}// 添加边,即两个地点之间的连接public void addConnection(String from, String to) {List<String> connections = graph.get(from);if (!connections.contains(to)) {connections.add(to);}}// 获取地点的所有可前往的地点public List<String> getConnections(String location) {return graph.get(location);}// 深度优先遍历示例,可以用于探索游戏世界public void dfs(String start) {Set<String> visited = new HashSet<>();dfsHelper(start, visited);}private void dfsHelper(String current, Set<String> visited) {System.out.println("Visited " + current);visited.add(current);for (String neighbor : graph.get(current)) {if (!visited.contains(neighbor)) {dfsHelper(neighbor, visited);}}}// 测试代码public static void main(String[] args) {GameWorld world = new GameWorld();world.addLocation("Village");world.addLocation("Forest");world.addLocation("Mountain");world.addLocation("Castle");world.addConnection("Village", "Forest");world.addConnection("Forest", "Mountain");world.addConnection("Mountain", "Castle");world.addConnection("Castle", "Village");world.dfs("Village");}
}

游戏应用实例

在这个游戏中,我们创建了一个有向图表示游戏世界。我们首先添加了四个地点:“Village”、“Forest”、“Mountain”和“Castle”。然后,我们添加了连接,表示从一个地点到另一个地点的路径。最后,我们使用深度优先搜索算法来遍历整个游戏世界,模拟玩家的探索过程。

通过这种方式,我们可以在游戏中实现复杂的路径寻找和任务规划。例如,我们可以使用图算法来确定从一个地点到另一个地点的最短路径,或者规划一系列任务的最优顺序。有向图为我们提供了一种强大的工具,可以用来表示和处理游戏世界中的复杂关系。

为了进一步扩展游戏并深入利用有向图的概念,我们可以添加更多的功能,比如:

  1. 双向边:允许玩家从一个地点往返另一个地点。
  2. 边的权重:代表移动到下一个地点所需的时间或消耗的能量。
  3. 动态变化的图:游戏世界中的某些路径可能因为天气、时间或其他因素而暂时不可用。
  4. 任务系统:基于图的连通性,设计任务流程和奖励机制。

接下来,我们将通过更新之前的代码来实现这些功能。

import java.util.*;public class GameWorld {private Map<String, List<Edge>> graph;public GameWorld() {graph = new HashMap<>();}public void addLocation(String location) {graph.put(location, new ArrayList<>());}public void addConnection(String from, String to, int weight) {Edge edge = new Edge(to, weight);List<Edge> connections = graph.get(from);if (!connections.contains(edge)) {connections.add(edge);}}public List<Edge> getConnections(String location) {return graph.get(location);}public void dfs(String start) {Set<String> visited = new HashSet<>();dfsHelper(start, visited);}private void dfsHelper(String current, Set<String> visited) {System.out.println("Visited " + current);visited.add(current);for (Edge edge : graph.get(current)) {if (!visited.contains(edge.to)) {dfsHelper(edge.to, visited);}}}// 新增方法:获取到达目的地的总权重public int getTotalWeight(String start, String end) {return getTotalWeightHelper(start, end, 0, new HashSet<>());}private int getTotalWeightHelper(String current, String end, int weight, Set<String> visited) {if (current.equals(end)) {return weight;}visited.add(current);int minWeight = Integer.MAX_VALUE;for (Edge edge : graph.get(current)) {if (!visited.contains(edge.to)) {int newWeight = getTotalWeightHelper(edge.to, end, weight + edge.weight, visited);if (newWeight != Integer.MAX_VALUE) {minWeight = Math.min(minWeight, newWeight);}}}visited.remove(current);return minWeight;}// 边类private static class Edge {String to;int weight;Edge(String to, int weight) {this.to = to;this.weight = weight;}@Overridepublic boolean equals(Object o) {if (this == o) return true;if (o == null || getClass() != o.getClass()) return false;Edge edge = (Edge) o;return weight == edge.weight && Objects.equals(to, edge.to);}@Overridepublic int hashCode() {return Objects.hash(to, weight);}}// 测试代码public static void main(String[] args) {GameWorld world = new GameWorld();world.addLocation("Village");world.addLocation("Forest");world.addLocation("Mountain");world.addLocation("Castle");world.addLocation("Lake");world.addConnection("Village", "Forest", 2);world.addConnection("Forest", "Mountain", 3);world.addConnection("Mountain", "Castle", 4);world.addConnection("Castle", "Village", 5);world.addConnection("Village", "Lake", 1);world.dfs("Village");System.out.println("Total Weight from Village to Castle: " + world.getTotalWeight("Village", "Castle"));}
}

扩展说明

在这个扩展版本中,我们增加了Edge类来表示带权重的边,这允许我们计算从一个地点到另一个地点的总消耗。我们还添加了一个getTotalWeight方法,它使用递归深度优先搜索来找到从起点到终点的最短路径,并返回这条路径上的总权重。

通过这种方式,我们可以为游戏增加更多真实感和策略性,例如,玩家需要权衡时间成本和资源消耗,选择最佳的旅行路线。此外,我们还可以在此基础上添加更多复杂的功能,如动态障碍物、动态边权重(例如,随天气变化的路径难度),以及更高级的任务和奖励系统。


这种设计不仅增强了游戏的可玩性和沉浸感,同时也展示了有向图在游戏开发中的强大应用潜力。通过不断迭代和改进,我们能够构建出更加丰富和多变的游戏世界。

为了进一步扩展这个游戏,我们可以考虑引入更复杂的元素,如角色状态、动态事件、NPC交互和物品系统。以下是针对这些新增功能的代码实现:

import java.util.*;public class GameWorld {private Map<String, List<Edge>> graph;private Map<String, Location> locations;private Player player;public GameWorld() {graph = new HashMap<>();locations = new HashMap<>();player = new Player();}public void addLocation(String name, String description) {Location location = new Location(name, description);locations.put(name, location);graph.put(name, new ArrayList<>());}public void addConnection(String from, String to, int distance) {Edge edge = new Edge(to, distance);List<Edge> connections = graph.get(from);if (!connections.contains(edge)) {connections.add(edge);}}public List<Edge> getConnections(String location) {return graph.get(location);}public void movePlayer(String destination) {player.setCurrentLocation(destination);}public Location getPlayerLocation() {return player.getCurrentLocation();}public void interactWithNPC(String npcName) {Location currentLocation = player.getCurrentLocation();NPC npc = currentLocation.getNPC(npcName);if (npc != null) {npc.interact(player);} else {System.out.println("No such NPC in the current location.");}}public void addItemToInventory(String itemName) {Item item = new Item(itemName);player.addItemToInventory(item);}public void removeItemFromInventory(String itemName) {player.removeItemFromInventory(itemName);}public void printInventory() {player.printInventory();}public static void main(String[] args) {GameWorld world = new GameWorld();world.addLocation("Village", "A small village surrounded by dense forests.");world.addLocation("Forest", "A dark and mysterious forest with hidden paths.");world.addLocation("Mountain", "A steep mountain with breathtaking views.");world.addLocation("Castle", "An ancient castle with a rich history.");world.addConnection("Village", "Forest", 2);world.addConnection("Forest", "Mountain", 3);world.addConnection("Mountain", "Castle", 4);world.addConnection("Castle", "Village", 5);world.player.setCurrentLocation("Village");world.addItemToInventory("Map");world.addItemToInventory("Compass");world.movePlayer("Forest");world.interactWithNPC("Old Hermit");world.movePlayer("Mountain");world.interactWithNPC("Mountain Guide");world.movePlayer("Castle");world.interactWithNPC("King");world.printInventory();}
}class Player {private Location currentLocation;private List<Item> inventory;public Player() {inventory = new ArrayList<>();}public void setCurrentLocation(String locationName) {currentLocation = GameWorld.this.locations.get(locationName);}public Location getCurrentLocation() {return currentLocation;}public void addItemToInventory(Item item) {inventory.add(item);}public void removeItemFromInventory(String itemName) {inventory.removeIf(item -> item.getName().equals(itemName));}public void printInventory() {System.out.println("Inventory:");for (Item item : inventory) {System.out.println("- " + item.getName());}}
}class Location {private String name;private String description;private List<NPC> npcs;public Location(String name, String description) {this.name = name;this.description = description;npcs = new ArrayList<>();}public void addNPC(NPC npc) {npcs.add(npc);}public NPC getNPC(String name) {for (NPC npc : npcs) {if (npc.getName().equals(name)) {return npc;}}return null;}
}class NPC {private String name;private String greeting;public NPC(String name, String greeting) {this.name = name;this.greeting = greeting;}public void interact(Player player) {System.out.println(greeting);// Additional interaction logic can be added here.}public String getName() {return name;}
}class Item {private String name;public Item(String name) {this.name = name;}public String getName() {return name;}
}class Edge {private String to;private int distance;public Edge(String to, int distance) {this.to = to;this.distance = distance;}public String getTo() {return to;}public int getDistance() {return distance;}
}

扩展功能说明:

  1. 角色状态:我们引入了Player类,用于管理玩家的状态,如当前位置和背包物品。
  2. 动态事件:虽然在这个简单示例中没有具体实现,但我们可以通过在NPC类中添加更多交互逻辑,以及在Location类中添加随机事件来实现动态事件。
  3. NPC交互:我们添加了NPC类,玩家可以与之互动。目前的交互仅限于打印问候语,但可以进一步扩展,如交易、接受任务等。
  4. 物品系统Item类用于表示玩家可以收集的物品。Player类中的inventory属性用于存储这些物品。

通过这些扩展,游戏变得更加丰富和有趣。玩家可以在游戏世界中探索、与NPC互动、收集物品,并根据自己的选择影响游戏进程。这不仅提高了游戏的可玩性,也为开发者提供了更多创造性的空间,以构建更加复杂和引人入胜的游戏体验。

为了进一步扩展游戏,我们可以增加一些更复杂的功能,如任务系统、战斗机制、技能树和角色成长。以下是在现有游戏框架基础上的扩展代码:

import java.util.*;public class GameWorld {private Map<String, List<Edge>> graph;private Map<String, Location> locations;private Player player;public GameWorld() {graph = new HashMap<>();locations = new HashMap<>();player = new Player();}// ... 保留之前的方法 ...public void acceptQuest(Quest quest) {player.acceptQuest(quest);}public void completeQuest(Quest quest) {player.completeQuest(quest);}public void attackMonster(Monster monster) {player.attack(monster);}public void levelUp() {player.levelUp();}// ... 其他方法 ...public static void main(String[] args) {GameWorld world = new GameWorld();// ... 地图初始化代码 ...// 创建NPC并分配任务NPC oldHermit = new NPC("Old Hermit", "Greetings, young traveler!");Quest hermitQuest = new Quest("FindHerbs", "Collect 5 herbs", 10);oldHermit.setQuest(hermitQuest);world.locations.get("Forest").addNPC(oldHermit);// 创建怪物Monster wolf = new Monster("Wolf", 5, 2);world.locations.get("Forest").addMonster(wolf);// 主循环while (true) {Location currentLocation = world.getPlayerLocation();System.out.println("You are in " + currentLocation.getName() + ".");System.out.println(currentLocation.getDescription());// 处理NPC交互for (NPC npc : currentLocation.getNPCs()) {System.out.println("NPC: " + npc.getName());world.interactWithNPC(npc.getName());}// 处理怪物战斗for (Monster monster : currentLocation.getMonsters()) {System.out.println("Encountered a " + monster.getName() + "!");world.attackMonster(monster);}// 更新玩家状态world.player.update();// 休息和恢复System.out.println("Resting...");player.rest();// 接受和完成任务for (Quest quest : player.getQuests()) {if (quest.isCompleted()) {System.out.println("Quest completed: " + quest.getName());world.completeQuest(quest);}}// 级别提升if (player.canLevelUp()) {world.levelUp();}// 移动到下一个地点List<Edge> connections = world.getConnections(currentLocation.getName());if (!connections.isEmpty()) {Edge nextEdge = connections.get(new Random().nextInt(connections.size()));world.movePlayer(nextEdge.getTo());}}}
}class Player {private Location currentLocation;private List<Item> inventory;private List<Quest> quests;private int level;private int experience;private int health;private int maxHealth;public Player() {inventory = new ArrayList<>();quests = new ArrayList<>();level = 1;experience = 0;health = maxHealth = 100;}// ... 保留之前的方法 ...public void acceptQuest(Quest quest) {quests.add(quest);}public void completeQuest(Quest quest) {quests.remove(quest);experience += quest.getExperienceReward();}public void attack(Monster monster) {// 攻击逻辑int damage = 10; // 假定固定伤害monster.takeDamage(damage);}public void levelUp() {level++;maxHealth += 10;health = maxHealth;}public boolean canLevelUp() {return experience >= level * 100;}public void rest() {health = maxHealth;}public void update() {// 更新玩家状态}// ... 其他方法 ...
}// ... 其他类 ...class Quest {private String name;private String description;private int experienceReward;public Quest(String name, String description, int experienceReward) {this.name = name;this.description = description;this.experienceReward = experienceReward;}public boolean isCompleted() {// 判断任务是否完成return false;}
}class Monster {private String name;private int health;private int damage;public Monster(String name, int health, int damage) {this.name = name;this.health = health;this.damage = damage;}public void takeDamage(int damage) {this.health -= damage;}
}// ... 其他类 ...

新增功能说明:

  1. 任务系统:我们引入了Quest类,NPC可以分配任务给玩家。在主循环中,玩家可以接受任务,并在完成后获得经验值奖励。
  2. 战斗机制Monster类表示游戏中的敌人,玩家可以攻击怪物。这里简化了战斗逻辑,但可以进一步扩展,如加入回合制战斗、技能释放等。
  3. 角色成长Player类中包含了级别、经验值、健康等属性,支持角色成长和升级。
  4. 主循环:游戏现在有了一个基本的主循环,处理玩家在不同地点之间的移动、与NPC的交互、战斗、任务完成和角色状态更新。

通过这些扩展,游戏变得更加复杂和吸引人。玩家可以享受探索、战斗、任务完成和角色成长的乐趣。当然,这只是一个基础框架,可以根据需要进一步完善和扩展,例如,增加更多的物品、技能、NPC对话、剧情分支等,以构建一个更加丰富多彩的游戏世界。

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

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

相关文章

搭建互联网医院实战:从源码到在线问诊APP的全流程开发

今天&#xff0c;笔者将讲述在线问诊APP的全流程开发&#xff0c;帮助开发者理解和掌握搭建互联网医院的核心技术和步骤。 一、需求分析与设计 需求分析包括明确目标用户、功能需求、性能需求等。设计阶段则包括系统架构设计、数据库设计和前后端界面设计等。 1.目标用户&…

最小权顶点覆盖问题-优先队列分支限界法-C++

问题描述: 给定一个赋权无向图 G(V,E)&#xff0c;每个顶点 v∈V 都有一个权值 w(v)。如果 U⊆V&#xff0c;U⊆V&#xff0c;且对任意(u,v)∈E 有 u∈U 或 v∈U&#xff0c;就称 U 为图 G 的一个顶点覆盖。G 的最小权顶点覆盖是指 G 中所含顶点权之和最小的顶点覆盖。对于给定…

提取重复数据

直接上控制台代码&#xff1a; Module Module1Sub Main()Console.WriteLine("请输入数据&#xff0c;以""&#xff0c;""相隔&#xff1a;")Dim str As String Console.ReadLineDim result From x In str.Split(",")Group By x Int…

NTP协议格式解析

1. NTP时间戳格式 SNTP使用在RFC 1305 及其以前的版本所描述标准NTP时间戳的格式。与因特网标准标准一致&#xff0c; NTP 数据被指定为整数或定点小数&#xff0c;位以big-endian风格从左边0位或者高位计数。除非不这样指定&#xff0c;全部数量都将设成unsigned的类型&#…

用python做DDL的静态分析

最近在用python做DDL SQL的分析&#xff0c;用的是simple_ddl_parser1.5.1。遇到了一些问题&#xff0c;记录一下。 simple_ddl_parser能解析多种数据库的DDL语句&#xff0c;我要处理的是mysql的DDL&#xff0c;发现有些mysql的写法还是不支持&#xff1a; 在表层面不支持使用…

Android Graphics 显示系统 - 监测、计算FPS的工具及设计分析

“ 在Android图像显示相关的开发、调试、测试过程中&#xff0c;如何能有效地评估画面的流畅度及监测、计算图层渲染显示的实时FPS呢&#xff1f;本篇文章将会提供一种实用、灵巧的思路。” 01 设计初衷 面对开发测试中遇到的卡顿掉帧问题&#xff0c;如何在复现卡顿的过程中持…

大模型AIGC转行记录(一)

自从22年11月chat gpt上线以来&#xff0c;这一轮的技术浪潮便变得不可收拾。我记得那年9月份先是在技术圈内讨论&#xff0c;然后迅速地&#xff0c;全社会在讨论&#xff0c;各个科技巨头、金融机构、政府部门快速跟进。 软件开发行业过去与现状 我19年决定转码的时候&…

代码随想录算法训练营第四十五天| 300.最长递增子序列、 674. 最长连续递增序列、 718. 最长重复子数组

300.最长递增子序列 题目链接&#xff1a;300.最长递增子序列 文档讲解&#xff1a;代码随想录 状态&#xff1a;不会&#xff0c;递推状态的时候只想着如何从dp[i-1]推导dp[i]&#xff0c;没想过可能需要枚举dp[0-i] 思路&#xff1a; 找出所有比自己小的数字的dp[j],在这些dp…

【K8s】【问题排查】k8s只能本地服务器访问服务,其他节点无法访问服务

出现原因&#xff1a; 问题描述&#xff1a;k8s部署服务之后&#xff0c;只能在Pod所在的节点通过node ip 对外暴露的端口请求&#xff1b;无法使用CLUSTER-IP端口访问。也不能在其他Node节点通过Pod所在的节点通过node ip 对外暴露的端口请求&#xff1b; 主机名与IP对应情况&…

随着人工智能与机器学习的广泛应用,Java 如何有效地与深度学习框架进行集成,以实现更智能的应用开发?

Java作为一种广泛使用的编程语言&#xff0c;在人工智能和机器学习领域也有着一定的应用。Java可以通过与深度学习框架的集成来实现更智能的应用开发&#xff0c;以下是一些方法&#xff1a; 使用Java的深度学习框架&#xff1a;Java有一些针对深度学习的框架&#xff0c;如DL4…

SpringBoot 实现视频分段播放(通过进度条来加载视频)

需求&#xff1a;现在我本地电脑中有一个文件夹&#xff0c;文件夹中都是视频&#xff0c;需要实现视频播放的功能。 问题&#xff1a;如果通过类似 SpringBoot static 文件夹的方式来实现&#xff0c;客户端要下载好完整的视频之后才可以播放&#xff0c;并且服务端也会占用大…

秋招突击——7/5——设计模式知识点补充——适配器模式、代理模式和装饰器模式

文章目录 引言正文适配器模式学习篮球翻译适配器 面试题 代理模式学习面试题 装饰器模式学习装饰模式总结 面试题 总结 引言 为了一雪前耻&#xff0c;之前腾讯面试的极其差&#xff0c;设计模式一点都不会&#xff0c;这里找了一点设计模式的面试题&#xff0c;就针对几个常考…

计算机图形学入门24:材质与外观

1.前言 想要得到一个漂亮准确的场景渲染效果&#xff0c;不只需要物理正确的全局照明算法&#xff0c;也要了解现实中各种物体的表面外观和在图形学中的模拟方式。而物体的外观和材质其实就是同一个意思&#xff0c;不同的材质在光照下就会表现出不同的外观&#xff0c;所以外观…

代理模式的实现

1. 引言 1.1 背景 代理模式&#xff08;Proxy Pattern&#xff09;是一种常用的设计模式&#xff0c;它允许通过一个代理对象来控制对另一个对象的访问。在面向对象编程的框架中&#xff0c;代理模式被广泛应用&#xff0c;尤其在Spring框架的AOP&#xff08;面向切面编程&am…

C++中的设计模式

要搞清楚设计模式&#xff0c;首先得要了解UML中的类的一些关系模型。 一.UML图中与类的层次关系 UML关系&#xff1a;继承关系&#xff08;泛化关系&#xff09;&#xff1b;组合关系&#xff1b;聚合关系&#xff1b;关联关系&#xff1b;依赖关系&#xff1b; 以上关系强度…

vue中实现button按钮的重复点击指令

// 注册一个全局自定义指令 v-debounce Vue.directive(debounce, {// 当被绑定的元素插入到 DOM 中时...inserted: function (el, binding) {let timer;el.addEventListener(click, () > {clearTimeout(timer);timer setTimeout(() > {binding.value(); // 调用传给指令…

IO、零拷贝、多路复用、connection、池化

目录 一、IO 模型 二、什么是网络IO 三、什么是零拷贝 四、多路复用 五、java程序、mysql JDBC connection关系 六、connection怎么操作事务 七 、java里面的池化技术 八、线程池7个核心参数 九、线程的状态 一、IO 模型 BIO &#xff1a;同步阻塞io&#xff0c;单线程 内存上下…

Springboot学习之用EasyExcel4导入导出数据(基于MyBatisPlus)

一、POM依赖 <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"><m…

AI Earth应用—— 在线使用sentinel数据VV和VH波段进行水体提取分析(昆明抚仙湖、滇池为例)

AI Earth 本文的主要目的就是对水体进行提取,这里,具体的操作步骤很简单基本上是通过,首页的数据检索,选择需要研究的区域,然后选择工具箱种的水体提取分析即可,剩下的就交给阿里云去处理,结果如下: 这是我所选取的一景影像: 详情 卫星: Sentinel-1 级别: 1 …

A35 STM32_HAL库函数 之PCD通用驱动 -- A -- 所有函数的介绍及使用

A35 STM32_HAL库函数 之PCD通用驱动 -- A -- 所有函数的介绍及使用 1 该驱动函数预览1.1 HAL_PCD_Init1.2 HAL_PCD_DeInit1.3 HAL_PCD_MspInit1.4 HAL_PCD_MspDeInit1.5 HAL_PCD_Start1.6 HAL_PCD_Stop1.7 HAL_PCD_IRQHandler1.8 HAL_PCD_DataOutStageCallback1.9 HAL_PCD_Data…