数据结构与算法JavaScript描述练习------第11章图和图算法

1. 编写一个程序,测试广度优先和深度优先这两种图搜索算法哪一种速度更快。请使用不 同大小的图来测试你的程序。


function Graph(v) {this.vertices = v;this.edges = 0;this.adj = [];this.marked = [];this.edgeTo = [];for (var i = 0; i < this.vertices; i++) {this.adj[i] = [];this.marked[i] = false;this.edgeTo[i] = null;}this.addEdge = addEdge;this.showGraph = showGraph;this.pathTo = pathTo; this.hasPathTo = hasPathTo;this.dfs = dfs;this.nonRecursiveDfs = nonRecursiveDfs;this.bfs = bfs;this.reset = reset;
}function addEdge(v, w) {this.adj[v].push(w);this.adj[w].push(v);this.edges++;
}function showGraph() {for (var i = 0; i < this.vertices; i++) {console.log(i + " -> ");for (var j = 0; j < this.vertices; j++) {if (this.adj[i][j] != undefined) {console.log(this.adj[i][j] + ' ');}}}
}function dfs(v) {this.marked[v] = true;if (this.adj[v] != undefined) {console.log("Visited vertex: " + v);}if (this.adj[v] && Array.isArray(this.adj[v])) {for (var w of this.adj[v]) {if (!this.marked[w]) {this.dfs(w);}}}
}function nonRecursiveDfs(s) {let stack = [];this.marked[s] = true;stack.push(s);while (stack.length > 0) {let v = stack.pop();console.log("Visited vertex: " + v);for (let w of this.adj[v]) {if (!this.marked[w]) {this.marked[w] = true;this.edgeTo[w] = v;stack.push(w);}}}
}function bfs(s) { var queue = []; this.marked[s] = true; queue.push(s); while (queue.length > 0) { var v = queue.shift(); console.log("Visisted vertex: " + v); if (this.adj[v] && Array.isArray(this.adj[v])) {for (var w of this.adj[v]) { if (!this.marked[w]) { this.edgeTo[w] = v; this.marked[w] = true; queue.push(w); } }} } 
}function hasPathTo(v) {return this.marked[v];
}function pathTo(v) {var source = 0;if (!this.hasPathTo(v)) {return undefined;}var path = [];for (var i = v; i !== source; i = this.edgeTo[i]) {if (this.edgeTo[i] === null) {console.error("Invalid edgeTo value:", i);return undefined;}path.push(i);}path.push(source);return path;
}function reset() {for (var i = 0; i < this.vertices; i++) {this.marked[i] = false;this.edgeTo[i] = null;}
}	function generateRandomGraph(vertices, edges) {var graph = new Graph(vertices);while (graph.edges < edges) {var v = Math.floor(Math.random() * vertices);var w = Math.floor(Math.random() * vertices);if (v !== w && !graph.adj[v].includes(w)) {graph.addEdge(v, w);}}return graph;
}function benchmarkSearchAlgorithms(verticesCount, edgesCount) {const graph = generateRandomGraph(verticesCount, edgesCount);const source = 0;console.log("Benchmarking BFS and DFS for " + verticesCount + " vertices and " + edgesCount + " edges:");const startTimeBFS = performance.now();graph.reset();graph.bfs(source);const endTimeBFS = performance.now();const bfsTime = endTimeBFS - startTimeBFS;const startTimeDFS = performance.now();graph.reset();graph.nonRecursiveDfs(source);const endTimeDFS = performance.now();const dfsTime = endTimeDFS - startTimeDFS;console.log("BFS took "bfsTime.toFixed(2) + " ms");console.log("DFS took "dfsTime.toFixed(2) + " ms");if (bfsTime < dfsTime) {console.log('BFS is faster.');} else if (bfsTime > dfsTime) {console.log('DFS is faster.');} else {console.log('BFS and DFS are equally fast.');}
}var sizes = [100, 500, 1000, 5000]; 
var densities = [1000, 5000, 10000, 50000]; sizes.forEach((vertices, index) => {benchmarkSearchAlgorithms(vertices, densities[index]);
});

2. 编写一个用文件来存储图的程序。

<!doctype html>
<html lang="en"><head><title>Graph File Reader</title><meta charset="utf-8"></head><body><h1>Graph File Reader</h1><input type="file" id="fileInput" /><button onclick="saveGraphToFile()">Save Graph to File</button><pre id="output"></pre><script src = "2.js"></script></body>
</html>
5 6
0 1
0 2
1 2
1 3
2 3
3 4
function Graph(v) {this.vertices = v;this.edges = 0;this.adj = [];this.marked = [];this.edgeTo = [];for (var i = 0; i < this.vertices; i++) {this.adj[i] = [];this.marked[i] = false;this.edgeTo[i] = null;}this.addEdge = addEdge;this.showGraph = showGraph;this.pathTo = pathTo; this.hasPathTo = hasPathTo;this.dfs = dfs;this.bfs = bfs;
}function addEdge(v, w) {this.adj[v].push(w);this.adj[w].push(v);this.edges++;
}
/*
function showGraph() {for (var i = 0; i < this.vertices; i++) {console.log(i + " -> ");for (var j = 0; j < this.vertices; j++) {if (this.adj[i][j] != undefined) {console.log(this.adj[i][j] + ' ');}}}
}
*/
function dfs(v) {this.marked[v] = true;if (this.adj[v] != undefined) {console.log("Visited vertex: " + v);}if (this.adj[v] && Array.isArray(this.adj[v])) {for (var w of this.adj[v]) {if (!this.marked[w]) {this.dfs(w);}}}
}function bfs(s) { var queue = []; this.marked[s] = true; queue.push(s); // 添加到队尾 while (queue.length > 0) { var v = queue.shift(); // 从队首移除 console.log("Visisted vertex: " + v); if (this.adj[v] && Array.isArray(this.adj[v])) {for (var w of this.adj[v]) { if (!this.marked[w]) { this.edgeTo[w] = v; this.marked[w] = true; queue.push(w); } }} } 
}function hasPathTo(v) {return this.marked[v];
}function pathTo(v) {var source = 0;if (!this.hasPathTo(v)) {return undefined;}var path = [];for (var i = v; i !== source; i = this.edgeTo[i]) {if (this.edgeTo[i] === null) {console.error("Invalid edgeTo value:", i);return undefined;}path.push(i);}path.push(source);return path;
}function showGraph() {var output = '';for (var i = 0; i < this.vertices; i++) {output += `${i} -> ${this.adj[i].join(' ')}\n`;}document.getElementById('output').innerText = output;
}function readGraphFromFile(filePath) {var fileInput = document.getElementById('fileInput');var file = fileInput.files[0];if (!file) {alert('Please select a file.');return;}var reader = new FileReader();reader.onload = function (event) {var data = event.target.result;var lines = data.split('\n').filter(line => line.trim() !== '');var [vertices, edges] = lines[0].split(' ').map(Number);var graph = new Graph(vertices);for (var i = 1; i <= edges; i++) {var [v, w] = lines[i].split(' ').map(Number);graph.addEdge(v, w);}graph.showGraph();};reader.onerror = function (error) {console.error('Error reading file:', error);};reader.readAsText(file);
}document.getElementById('fileInput').addEventListener('change', readGraphFromFile);function saveGraphToFile() {var graph = new Graph(5); graph.addEdge(0, 1);graph.addEdge(0, 2);graph.addEdge(1, 2);graph.addEdge(2, 3);graph.addEdge(3, 4);var data = `${graph.vertices} ${graph.edges}\n`;var edgesSet = new Set();for (var i = 0; i < graph.vertices; i++) {for (var j = 0; j < graph.adj[i].length; j++) {var w = graph.adj[i][j];if (i < w && !edgesSet.has(`${i}-${w}`)) {edgesSet.add(`${i}-${w}`);data += `${i} ${w}\n`;}}}var blob = new Blob([data], { type: 'text/plain' });var link = document.createElement('a');link.href = URL.createObjectURL(blob);link.download = 'graph.txt';link.click();
}

3. 编写一个从文件读取图的程序。

        同2

4. 构建一个图,用它为你居住地的地图建模。测试一下从一个开始顶点到最后顶点的最短路径。

function Graph(v) {this.vertices = v;this.edges = 0;this.adj = [];this.marked = [];this.edgeTo = [];for (var i = 0; i < this.vertices; i++) {this.adj[i] = [];this.marked[i] = false;this.edgeTo[i] = null;}this.addEdge = addEdge;this.showGraph = showGraph;this.pathTo = pathTo; this.hasPathTo = hasPathTo;this.dfs = dfs;this.bfs = bfs;this.reset = reset;
}function addEdge(v, w) {this.adj[v].push(w);this.adj[w].push(v);this.edges++;
}function showGraph() {for (var i = 0; i < this.vertices; i++) {console.log(i + " -> ");for (var j = 0; j < this.vertices; j++) {if (this.adj[i][j] != undefined) {console.log(this.adj[i][j] + ' ');}}}
}function dfs(v) {this.marked[v] = true;if (this.adj[v] != undefined) {console.log("Visited vertex: " + v);}if (this.adj[v] && Array.isArray(this.adj[v])) {for (var w of this.adj[v]) {if (!this.marked[w]) {this.dfs(w);}}}
}function bfs(s) { var queue = []; this.marked[s] = true; queue.push(s); // 添加到队尾 while (queue.length > 0) { var v = queue.shift(); // 从队首移除 console.log("Visisted vertex: " + v); if (this.adj[v] && Array.isArray(this.adj[v])) {for (var w of this.adj[v]) { if (!this.marked[w]) { this.edgeTo[w] = v; this.marked[w] = true; queue.push(w); } }} } 
}function hasPathTo(v) {return this.marked[v];
}function pathTo(v) {var source = 0;if (!this.hasPathTo(v)) {return undefined;}var path = [];for (var i = v; i !== source; i = this.edgeTo[i]) {if (this.edgeTo[i] === null) {console.error("Invalid edgeTo value:", i);return undefined;}path.push(i);}path.push(source);return path.reverse();
}function reset() {for (var i = 0; i < this.vertices; i++) {this.marked[i] = false;this.edgeTo[i] = null;}
}var graph = new Graph(6);
graph.addEdge(0, 1);
graph.addEdge(0, 3);
graph.addEdge(1, 2);
graph.addEdge(1, 4);
graph.addEdge(2, 5);
graph.addEdge(3, 4);
graph.addEdge(4, 5);
graph.showGraph();
graph.reset();
graph.bfs(0);
var shortestPath = graph.pathTo(5);
console.log("Shortest path from 0 to 5:", shortestPath);graph.reset();
console.log("DFS traversal:");
graph.dfs(0);
graph.reset();
console.log("BFS traversal:");
graph.bfs(0);

5. 对上一题中创建的图执行深度优先搜索和广度优先搜索。

        同4

拓扑排序:

function Graph(v) {this.vertices = v;this.vertexList = [];this.edges = 0;this.adj = [];this.marked = [];this.edgeTo = [];for (var i = 0; i < this.vertices; i++) {this.adj[i] = [];this.marked[i] = false;this.edgeTo[i] = null;}this.addEdge = addEdge;this.showGraph = showGraph;this.pathTo = pathTo; this.hasPathTo = hasPathTo;this.dfs = dfs;this.bfs = bfs;this.topSortHelper = topSortHelper;this.topSort = topSort;
}function addEdge(v, w) {this.adj[v].push(w);this.adj[w].push(v);this.edges++;
}function showGraph() {var visited = [];for (var i = 0; i < this.vertices; i++) {console.log(this.vertexList[i] + " -> ");visited.push(this.vertexList[i]);for (var j = 0; j < this.vertices; j++) {if (this.adj[i][j] != undefined) {if (visited.indexOf(this.vertexList[j]) < 0) {console.log(this.vertexList[j] + ' ');}}}visited.pop();}
}function dfs(v) {this.marked[v] = true;if (this.adj[v] != undefined) {console.log("Visited vertex: " + v);}if (this.adj[v] && Array.isArray(this.adj[v])) {for (var w of this.adj[v]) {if (!this.marked[w]) {this.dfs(w);}}}
}function bfs(s) { var queue = []; this.marked[s] = true; queue.unshift(s); while (queue.length > 0) { var v = queue.shift(); if (typeof(v) !== 'string') {console.log("Visisted vertex: " + v); }if (this.adj[v] && Array.isArray(this.adj[v])) {for (var w of this.adj[v]) { if (!this.marked[w]) { this.edgeTo[w] = v; this.marked[w] = true; queue.unshift(w); } }} } 
}function hasPathTo(v) {return this.marked[v];
}function pathTo(v) {var source = 0;if (!this.hasPathTo(v)) {return undefined;}var path = [];for (var i = v; i !== source; i = this.edgeTo[i]) {if (this.edgeTo[i] === null) {console.error("Invalid edgeTo value:", i);return undefined;}path.push(i);}path.push(source);return path;
}function topSort() {var stack = [];var visited = [];for (var i = 0; i < this.vertices; i++) {visited[i] = false;}for (var i = 0; i < stack.length; i++) {if (visited[i] === false) {this.topSortHelper(i, visited, stack);}}for (var i = 0; i < stack.length; i++) {if (stack[i] != undefined && stack[i] != false) {console.log(this.vertexList[stack[i]]);}}
}function topSortHelper(v, visited, stack) {visited[v] = true;if (this.adj[v] && Array.isArray(this.adj[v])) {for (var w of this.adj[v]) {if (!visited[w]) {this.topSortHelper(visited[w], visited, stack);}}stack.push(v);}
}

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

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

相关文章

MATLAB中sscanf函数用法

目录 语法 说明 示例 将字符向量转换为数值 转换文本和调整输出数组大小 统计在文本中找到的元素数目 显示错误消息 返回最后一个扫描位置 匹配指定的字符 sscanf函数的功能是从字符串读取格式化数据。 语法 A sscanf(str,formatSpec) A sscanf(str,formatSpec,si…

selenium的IDE插件进行录制和回放并导出为python/java脚本(10)

Selenium IDE&#xff1a;Selenium Suite下的开源Web自动化测试工具&#xff0c;是Firefox或者chrome的一个插件&#xff0c;具有记录和回放功能&#xff0c;无需编程即可创建测试用例&#xff0c;并且可以将用例直接导出为可用的python/java等编程语言的脚本。 我们以chrome浏…

Android 自适应

一开始项目使用的是第三方框架 GitHub - JessYanCoding/AndroidAutoSize: &#x1f525; A low-cost Android screen adaptation solution (今日头条屏幕适配方案终极版&#xff0c;一个极低成本的 Android 屏幕适配方案). 但是会偶现&#xff0c;断电重启第一次&#xff0c;…

Flutter-发现局域网中的设备

前言 现在有一个需求&#xff1a;要能够获取到局域网中的遮阳帘设备。通过搜索发现flutter_mdns_plugin可以满足这个需求 Pub&#xff1a;flutter_mdns_plugin | Flutter package GitHub&#xff1a;https://github.com/terrabythia/flutter_mdns_plugin MDNS服务类型 要根据…

Vue3嵌套导航相对路径问题

有如下的页面设计&#xff0c;页面上方第一次导航&#xff0c;两个菜单&#xff0c;首页和新闻 点击新闻&#xff0c;内容里面嵌套一个左侧和右侧&#xff0c;左侧有4条新闻&#xff0c;点击某一条新闻&#xff0c;右侧显示详情 代码如下&#xff1a; ​ File Path: d:\hello\…

自感式压力传感器结构设计

自感式压力传感器的结构如图2-35 和图 2-36所示&#xff0c;分为变隙式、变面积式和螺管式三种&#xff0c;每种均由线网、铁心和衔铁三部分组成。 图2-35 自感式压力传感器的结构 1-线圈 2-铁心 3-衔铁 图2-36 螺管式 1-线图 2-铁心 3一衔铁 自感式压力传感器按磁路变化可…

QT的核心机制 对话框资源

案例 1、键盘按下w&#xff0c;s&#xff0c;a&#xff0c;d键分别为标签向上&#xff0c;下&#xff0c;左&#xff0c;右移动 鼠标按下获取本地坐标&#xff0c;全局坐标 鼠标双击获取本地坐标&#xff0c;全局坐标 鼠标移动获取本地坐标&#xff0c;全局坐标 让鼠标跟踪…

Midjourney零基础学习

Midjourney学习笔记TOP04 Midjourney的各种参数设置 Midjourney的用户操作界面没有醒目的工具栏、属性栏&#xff0c;所有的操作都是通过调用各种指令和参数进行的。 【MJ Version】 Midjourney在2023年3月份就已经更新到了V5版本&#xff0c;V5版本除了画质有所提升外&#…

interwirelessac9560感叹号,电脑无法连接wifi,无法搜索到wifi

interwirelessac9560感叹号 电脑无法连接wifi&#xff0c;无法搜索到wifi 原因 这可能是wifl模块出现了问题。 解决方案 1、winx 打开&#xff0c;选择【设备管理器】 2、选择网络适配器 右键打开wireless-AC&#xff0c;选择【卸载设备】。 3、关机2分钟后&#xff0c…

SpringBoot智慧外贸平台

专业团队&#xff0c;咨询就送开题报告&#xff0c;欢迎大家私信留言&#xff0c;联系方式在文章底部 摘 要 网络的广泛应用给生活带来了十分的便利。所以把智慧外贸管理与现在网络相结合&#xff0c;利用java技术建设智慧外贸平台&#xff0c;实现智慧外贸的信息化。则对于进…

数据结构-5.9.树的存储结构

一.树的逻辑结构&#xff1a; 二.双亲表示法(顺序存储)&#xff1a; 1.树中除了根结点外每一颗树中的任意一个结点都只有一个父结点(双亲结点)&#xff1b; 2.结点包括结点数据和指针&#xff1b; 3.上述图片中右边的顺序存储解析&#xff1a;比如A结点左边的0&#xff0c;就…

ASML业绩暴雷,股价一度跌超16%

KlipC报道&#xff1a;当地时间10月15日&#xff0c;阿斯麦&#xff08;ASML&#xff09;原定于周三公布的三季度业绩报告由于技术原因被短暂地提前公布&#xff0c;业绩报告显示&#xff0c;阿斯麦第三季度总净销售额75亿欧元&#xff0c;毛利率50.8%&#xff0c;净利润21亿欧…

社招高频面试题

1.单例模式 面试突击50&#xff1a;单例模式有几种写法&#xff1f; 2.Mybatis缓存机制 MyBatis的一、二级缓存查询关系 一级缓存是SqlSession级别&#xff0c;不能跨SqlSession共享&#xff0c;默认开启。 二级缓存是基于mapper namespace级别的&#xff0c;可以跨SqlSessi…

PetaLinux工程的常用命令——petalinux-create

petalinux-create&#xff1a;此命令创建新的PetaLinux项目或组件。 注&#xff1a;有些命令我没用过&#xff0c;瞎翻译有可能会翻译错了&#xff0c;像是和fpgamanager相关的部分。 用法: petalinux-create [options] <-t|--type <TYPE> <-n|--name <COMPONEN…

LeetCode:3039.进行操作使字符串为空(模拟 Java)

目录 3039.进行操作使字符串为空 题目描述&#xff1a; 实现代码与解析&#xff1a; 模拟 原理思路&#xff1a; 3039.进行操作使字符串为空 题目描述&#xff1a; 给你一个字符串 s 。 请你进行以下操作直到 s 为 空 &#xff1a; 每次操作 依次 遍历 a 到 z&#xff…

Mongodb 获取集合(collection)的统计信息

在MongoDB中&#xff0c;获取指定集合&#xff08;collection&#xff09;的统计信息可以通过执行collStats命令来实现。这个命令提供了关于集合的详细信息&#xff0c;包括&#xff1a; 集合的大小索引的大小和数量文档的数量存储空间的使用情况各种统计数据&#xff0c;如平…

[linux 驱动]gpio子系统详解与实战

目录 1 描述 1.1 文件节点操作 gpio 引脚 1.2 gpio 引脚计算 2 结构体 2.1 gpio_desc 2.2 gpio_device 2.3 gpio_chip 3 相关函数 3.1 goio 申请释放 3.1.1 gpio_request 3.1.2 gpio_free 3.2 gpio 输入输出设置 3.2.1 gpio_direction_input 3.2.2 gpio_direction…

filecoin filspark 检索

安装 boost 1、安装 YugabyteDB2、boostd-data 运行3、初始化 boostd4、运行 boostd5、运行 booster-http6、需要公网映射端口6.1 Libp2p 公网映射本地端口24001 发布矿工6.2 Graphql 公网映射本地端口8080 web界面6.3 IndexProvider.HttpPublisher 公网映射本地端口6700 http发…

微信小程序路由跳转的区别及其常见的使用场景

在微信小程序中&#xff0c;页面路由跳转的实现有几种常用方式&#xff0c;不同的跳转方式适用于不同的使用场景。下面是几种跳转方法的区别及其在实际项目中的应用场景。 1. wx.navigateTo 简介&#xff1a;保留当前页面并跳转到指定页面&#xff0c;最多保留10个页面的历史记…

Scala入门基础(10)高级函数

一.什么是高阶函数 二.map函数 三.foreach函数 四.filter函数 五.flatten函数 正文&#xff1a; 一.什么是高阶函数 高阶函数&#xff1a;是一个特殊的函数&#xff0c;特殊之处在于&#xff1a;它指使用其他函数作为参数或返回值 &#xff08;演示&#xff09; 二.map函…