使用Python,networkx构造有向图及无向图以及图合并等api

使用Python,networkx构造有向图及无向图以及图合并等api

  • 源码
    • 图的构造、节点及边的添加等
    • 有向图及无向图及多重图
  • 参考

方法名方法作用
subgraph(G, nbunch)返回包含nbunch节点的子图
union(G, H[, rename])合并G和H图
disjoint_union(G, H)合并G和H图
cartesian_product(G, H)返回G和H的笛卡尔积
compose(G, H)组合G和H图,通过把节点和边都合并到一个图中
complement(G)返回G图的全集
create_empty_copy(G[, with_data])返回G的复制图,包括所有节点,删除全部边
to_undirected(graph)转换G图为无向图
to_directed(graph)转换G图为有向图

源码

图的构造、节点及边的添加等

'''
networkx绘制图相关api
'''import networkx as nx
from networkx.classes.coreviews import AtlasView
from networkx.classes.reportviews import NodeDataView# 创建一个没有节点和边缘的空图
G = nx.Graph()# 添加节点
G.add_node(1)# 一次性添加多个节点
G.add_nodes_from([2, 3])# 一次性添加多个节点及属性 (node,node_attribute_dict)
G.add_nodes_from([(4, {"color": "red"}), (5, {"color": "green"})])# 一个图中的节点合并到另一个图中
H = nx.path_graph(10)
G.add_nodes_from(H)  # 或者 G.add_node(H)# 添加边
G.add_edge(1, 2)
e = (2, 3)
G.add_edge(*e)  # unpack edge tuple*# 添加边列表
G.add_edges_from([(1, 2), (1, 3)])# 添加H图的一堆边
G.add_edges_from(H.edges)# 删除所有节点和边
G.clear()# 添加节点和边缘
G.add_edges_from([(1, 2), (1, 3)])
G.add_node(1)
G.add_edge(1, 2)
G.add_node("spam")  # adds node "spam"
G.add_nodes_from("spam")  # adds 4 nodes: 's', 'p', 'a', 'm'
G.add_edge(3, 'm')print('num of nodes: ', str(G.number_of_nodes()))
print('num of edges: ', str(G.number_of_edges()))# 输出图的边的顺序
# G.edges 的顺序是邻接的顺序 其中包括节点的顺序和每个 node 的邻接关系。
DG = nx.DiGraph()
DG.add_edge(2, 1)  # adds the nodes in order 2, 1
DG.add_edge(1, 3)
DG.add_edge(2, 4)
DG.add_edge(1, 2)
assert list(DG.successors(2)) == [1, 4]
assert list(DG.edges) == [(2, 1), (2, 4), (1, 3), (1, 2)]# 检查图形的元素:节点、边、邻接关系、度数(点的复杂度,邻接边的个数)
print(list(G.nodes))  # [1, 2, 3, 'spam', 's', 'p', 'a', 'm']
print(list(G.edges))  # [(1, 2), (1, 3), (3, 'm')]
print(list(G.adj[1]))  # or list(G.neighbors(1)) # [2, 3]
print(G.degree[1])  # the number of edges incident to 1# 可以指定报告所有节点子集的边数和度数
print(G.edges([2, 'm']))
# EdgeDataView([(2, 1), ('m', 3)])
print(G.degree([2, 3]))
# DegreeView({2: 1, 3: 2})# 从图形中删除元素、删除边
G.remove_node(2)
G.remove_nodes_from("spam")
print('after del: ', list(G.nodes))  # [1, 3, 'spam']
G.remove_edge(1, 3)
print('after del: ', list(G.edges))# 使用图形构造函数构建图
G.add_edge(1, 2)
H = nx.DiGraph(G)  # create a DiGraph using the connections from G
print(list(H.edges()))  # [(1, 2), (2, 1)]
edgelist = [(0, 1), (1, 2), (2, 3)]
H = nx.Graph(edgelist)  # create a graph from an edge list
print(list(H.edges()))  # [(0, 1), (1, 2), (2, 3)]
adjacency_dict = {0: (1, 2), 1: (0, 2), 2: (0, 1)}
H = nx.Graph(adjacency_dict)  # create a Graph dict mapping nodes to nbrs
print(list(H.edges()))  # [(0, 1), (0, 2), (1, 2)]# 可以使用下标法访问edges和neighbors
G = nx.Graph([(1, 2, {"color": "yellow"})])
print(G[1])  # same as G.adj[1]
AtlasView({2: {'color': 'yellow'}})
print(G[1][2])  # {'color': 'yellow'}
print(G.edges[1, 2])  # {'color': 'yellow'}# 可以使用下标表示法获取/设置边的属性 如果 Edge 已存在。
G.add_edge(1, 3)
G[1][3]['color'] = "blue"
G.edges[1, 2]['color'] = "red"
print(G.edges[1, 2])# 实现对所有(节点、邻接)对的快速检查。 请注意,对于无向图,邻接迭代会将每条边看到两次。G.adjacency()G.adj.items()
FG = nx.Graph()
FG.add_weighted_edges_from([(1, 2, 0.125), (1, 3, 0.75), (2, 4, 1.2), (3, 4, 0.375)])
for n, nbrs in FG.adj.items():for nbr, eattr in nbrs.items():wt = eattr['weight']if wt < 0.5: print(f"({n}, {nbr}, {wt:.3})")# 通过 edges 属性可以方便地访问所有边缘, 相比items进行打印避免了节点的重复打印
for (u, v, wt) in FG.edges.data('weight'):if wt < 0.5:print(f"\t({u}, {v}, {wt:.3})")# 在创建新图表时分配图表属性
G = nx.Graph(day="Friday")
print(G.graph)  # {'day': 'Friday'}
# 或者可以稍后修改属性
G.graph['day'] = "Monday"
print(G.graph)  # {'day': 'Monday'}# 添加节点属性add_node()add_nodes_from()G.nodes
G.add_node(1, time='5pm')
G.add_nodes_from([3], time='2pm')
print(G.nodes[1])  # {'time': '5pm'}
G.nodes[1]['room'] = 714
print(G.nodes.data())
NodeDataView({1: {'time': '5pm', 'room': 714}, 3: {'time': '2pm'}})# 添加/更改边缘属性 或下标表示法。add_edge() add_edges_from()
G.add_edge(1, 2, weight=4.7 )
G.add_edges_from([(3, 4), (4, 5)], color='red')
G.add_edges_from([(1, 2, {'color': 'blue'}), (2, 3, {'weight': 8})])
G[1][2]['weight'] = 4.7
G.edges[3, 4]['weight'] = 4.2
print(G.edges)
print(G.edges.data())

有向图及无向图及多重图

'''
有向图及无向图,以及一些公共api
'''
import networkx as nx
from networkx import to_directed, to_undirected, create_empty_copy, subgraph, union, disjoint_union, cartesian_product, \compose, complement# 有向图
DG = nx.DiGraph()
DG.add_weighted_edges_from([(1, 2, 0.5), (3, 1, 0.75)])
print(DG.out_degree(1, weight='weight'))  # 0.5
print(DG.degree(1, weight='weight'))  # 1.25
print(list(DG.successors(1)))  # [2]
print(list(DG.neighbors(1)))  # [2]# 有些算法仅适用于有向图,而其他算法则效果不佳 为有向图定义。事实上,将 而无向图在一起是危险的。
H = nx.Graph(DG)  # 从有向图G构建一个无向图# 多重图 NetworkX 为允许多条边的图形提供了类 在任意一对节点之间。允许您添加相同的边两次,可能使用不同的 边缘数据。
MG = nx.MultiGraph()
MG.add_weighted_edges_from([(1, 2, 0.5), (1, 2, 0.75), (2, 3, 0.5)])
print(dict(MG.degree(weight='weight')))  # {1: 1.25, 2: 1.75, 3: 0.5}
GG = nx.Graph()
for n, nbrs in MG.adjacency():for nbr, edict in nbrs.items():minvalue = min([d['weight'] for d in edict.values()])GG.add_edge(n, nbr, weight=minvalue)print(nx.shortest_path(GG, 1, 3))  # [1, 2, 3]print(subgraph(GG, nbunch=2))  # 返回包含nbunch的GG的所有子图
print('subgraph', list(subgraph(GG, nbunch=2)))graph1 = nx.Graph([(8, 9, {"color": "yellow"}), (9, 10, {"color": "red"})])
print(union(graph1, GG))  # 返回俩个图的合集
print('union', union(graph1, GG).edges.data(), '\n')graph1 = nx.Graph([(111, 222, {"color": "yellow"}), (222, 333, {"color": "red"}), (1, 2, {"color": "green"})])
print(disjoint_union(graph1, GG))  # 返回俩个图的合集
print('disjoint_union', disjoint_union(graph1, GG).edges.data(), '\n')graph1 = nx.Graph([(111, 222, {"color": "yellow"})])
print(cartesian_product(graph1, GG))  # 返回G和H的Cartesian
print('cartesian_product', cartesian_product(graph1, GG).edges.data(), '\n')print(compose(graph1, GG))  # 返回G和H合并为一个图后的组合结果
print('compose', compose(graph1, GG).edges.data(), '\n')print(complement(GG))  # 返回G的完整结果
print('complement', complement(GG).edges.data(), '\n')print(to_directed(GG))  # 返回有向图
print('to_directed', to_directed(GG).edges.data(), '\n')print(to_undirected(GG))  # 返回无向图
print('to_undirected', to_undirected(GG).edges.data(), '\n')print(create_empty_copy(GG))  # 构建一个GG图的复制并移除所有的边
print('create_empty_copy', create_empty_copy(GG).nodes)

参考

  • https://networkx.org/documentation/latest/tutorial.html#accessing-edges-and-neighbors

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

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

相关文章

【Java回顾】Day3 继承|Override/Ovverload|多态|抽象类|封装|接口|枚举

学习资料 菜鸟教程 https://www.runoob.com/java/java-interfaces.html 继承|Override/Ovverload|多态|抽象类|封装|接口|枚举 继承 创建分等级层次的类&#xff0c;子类继承父类的特征、行为、方法 class 父类{ } class 子类 extends 父类{ super(); }一些性质 Java 不支持…

2025年AI和AR谁才是智能眼镜的未来

在2025年&#xff0c;智能眼镜市场正迎来一场技术革新的浪潮&#xff0c;其中AI和AR技术的竞争尤为激烈。那么&#xff0c;究竟谁才是智能眼镜的未来呢&#xff1f;让我们来一探究竟。 AI眼镜的崛起 AI眼镜通过集成人工智能技术&#xff0c;提供了语音识别、环境感知和个性化服…

java实现预览服务器文件,不进行下载,并增加水印效果

通过文件路径获取文件&#xff0c;对不同类型的文件进行不同处理&#xff0c;将Word文件转成pdf文件预览&#xff0c;并早呢更加水印&#xff0c;暂不支持Excel文件&#xff0c;如果浏览器不支持PDF文件预览需要下载插件。文中currentUser.getUserid()&#xff0c;即为增加的水…

快速上手大模型的对话生成

本项目使用0.5B小模型&#xff0c;结构和大模型别无二致&#xff0c;以方便在如CPU设备上快速学习和上手大模型的对话上传 #mermaid-svg-Z86hUiQZ0hg9BVji {font-family:"trebuchet ms",verdana,arial,sans-serif;font-size:16px;fill:#333;}#mermaid-svg-Z86hUiQZ0h…

Unreal虚幻引擎使用遇到的问题记录

文章目录 The game module ‘MyGame’ could not be loaded. There may be an operating system error or the module may not be properly set up The game module ‘MyGame’ could not be loaded. There may be an operating system error or the module may not be properl…

在Unity中用Ab包加载资源(简单好抄)

第一步创建一个Editor文件夹 第二步编写BuildAb&#xff08;这个脚本一点要放在Editor中因为这是一个编辑器脚本&#xff0c;放在其他地方可能会报错&#xff09; using System.IO; using UnityEditor; using UnityEngine;public class BuildAb : MonoBehaviour {// 在Unity编…

丢弃法hhhh

一个好的模型需要对输入数据的扰动鲁棒 丢弃法&#xff1a;在层之间加入噪音&#xff0c;等同于加入正则 h2和h5变成0了 dropout一般作用在全连接隐藏层的输出上 Q&A dropout随机置零对求梯度和求反向传播的影响是什么&#xff1f;为0 dropout属于超参数 dropout固定随…

mysql 报错 ERROR 1396 (HY000) Operation ALTER USER failed for root@localhost 解决方案

参考:https://blog.csdn.net/m0_74824534/article/details/144177078 mysql 修改密码 ALTER USER ‘root’‘localhost’ IDENTIFIED BY ‘123’; 时&#xff0c;报错 ERROR 1396 (HY000): Operation ALTER USER failed for rootlocalhost 解决方案&#xff1a; 2024-4-3 段子…

Three.js Journey (notes2)

ref Three.js中文网 Three.js Journey — Learn WebGL with Three.js Part 1 Fullscreen and resizing When the double click happens, we will toggle the fullscreen —meaning that if the window is not in fullscreen, a double-click will enable fullscreen mode, …

C# 中 `new` 关键字的用法

在 C# 中&#xff0c;new 关键字用于修饰方法、属性、索引器或事件声明时&#xff0c;表示当前成员隐藏基类中同名的成员。它们之间的具体区别如下&#xff1a; 不加 new&#xff1a; 如果子类定义了一个与父类同名的方法&#xff0c;但没有使用 new 关键字&#xff0c;编译器会…

深入理解Python中的常用数据格式(如csv、json、pickle、npz、h5等):存储机制与性能解析

在数据科学与工程领域&#xff0c;数据的存储与读取是日常工作中不可或缺的一部分。选择合适的数据格式不仅影响数据处理的效率&#xff0c;还关系到存储空间的利用与后续分析的便捷性。本文将以通俗易懂的方式&#xff0c;深入探讨Python中几种常用的数据读写格式&#xff08;…

Ubuntu开机The root filesystem on /dev/sdbx requires a manual fsck 问题

出现“Manual fsck”错误可能由以下几种原因引起&#xff1a; 不正常关机&#xff1a;如果系统意外断电或被强制重启&#xff0c;文件系统可能未能正确卸载&#xff0c;导致文件系统损坏。磁盘故障&#xff1a;硬盘的物理损坏可能会引发文件系统错误。文件系统配置问题&#x…

Django Admin 以管理 AWS Lambda 函数

在现代云计算环境中,AWS Lambda 函数已成为构建无服务器应用程序的重要组成部分。作为开发者或运维工程师,有效管理这些 Lambda 函数是一项关键任务。今天,我们将探讨如何利用 Django Admin 创建一个强大而直观的界面来管理 AWS Lambda 函数。 背景 假设我们已经创建了一个…

黑马Java面试教程_P10_设计模式

系列博客目录 文章目录 系列博客目录前言1. 工厂方法模式1.1 概述1.2 简单工厂模式1.2.1 结构1.2.2 实现1.2.3 优缺点 1.3 工厂方法模式1.3.1 概念1.3.2 结构1.3.3 实现1.3.4 优缺点 1.4 抽象工厂模式1.4.1 概念1.4.2 结构1.4.3 实现1.4.4 优缺点1.4.5 使用场景 总结&#xff0…

Science Robotics让软机器人“活”得更久的3D打印!

软机器人硬件在医疗、探索无结构环境等领域有广泛应用&#xff0c;但其生命周期有限&#xff0c;导致资源浪费和可持续性差。软机器人结合软硬组件&#xff0c;复杂组装和拆卸流程使其难以维修和升级。因此&#xff0c;如何延长软机器人的生命周期并提高其可持续性成为亟待解决…

Vue3实战教程》24:Vue3自定义指令

如果您有疑问&#xff0c;请观看视频教程《Vue3实战教程》 自定义指令​ 介绍​ 除了 Vue 内置的一系列指令 (比如 v-model 或 v-show) 之外&#xff0c;Vue 还允许你注册自定义的指令 (Custom Directives)。 我们已经介绍了两种在 Vue 中重用代码的方式&#xff1a;组件和组…

面试题:@Transactional 注解在自调用情况下会失效原因

Transactional 注解在自调用情况下会失效&#xff0c;这主要是由于 Spring 事务管理的实现机制所导致的。以下是对这一问题的详细解释&#xff1a; 一、Spring 事务管理的实现机制 Spring 的事务管理是基于 AOP&#xff08;面向切面编程&#xff09;实现的&#xff0c;它通过…

Speech Recognition vs. Voice Recognition | 语音识别工作原理 | 模型训练 | 应用

注&#xff1a;Speech Recognition 与 Voice Recognition 机翻混淆&#xff0c;未校。 Speech Recognition vs. Voice Recognition: In Depth Comparison 语音识别与语音识别&#xff1a;深度比较 Calendar12 July 2023 Have you ever stopped to think about how your voice…

[ubuntu-22.04]ubuntu不识别rtl8153 usb转网口

问题描述 ubuntu22.04插入rtl8153 usb转网口不识别 解决方案 安装依赖包 sudo apt-get install libelf-dev build-essential linux-headers-uname -r sudo apt-get install gcc-12 下载源码 Realtek USB FE / GBE / 2.5G / 5G Ethernet Family Controller Softwarehttps:/…

USB 控制传输的 PID 序列

文章目录 USB 控制传输的 PID 序列PID 序列setup 设置阶段data 数据阶段status 状态阶段setup + in data + out statussetupin dataout statussetup + in statussetupin statussetup + out data + in statussetupout datain status为什么需要了解 PID 序列状态转换总结参考USB …