networkx在不同层中的六角晶格

2024-04-29 22:56:31 发布

您现在位置:Python中文网/ 问答频道 /正文

如何扩展此代码,以包含不同数量的六边形层? 我需要一个六边形格子的图,给定m层的数目。m=1表示1个正六边形,边1,中心在原点,对于m=2,在初始六边形周围添加6个正六边形,对于m=3,添加第三层六边形,依此类推

import networkx as nx
import matplotlib.pyplot as plt
G = nx.hexagonal_lattice_graph(m=2,n=3, periodic=False, with_positions=True, 
                               create_using=None)
pos = nx.get_node_attributes(G, 'pos')
nx.draw(G, pos=pos, with_labels=True)
plt.show()

Tags: 代码posimportnetworkxtrue数量aswith
1条回答
网友
1楼 · 发布于 2024-04-29 22:56:31

一个有趣的问题!我花的时间比我预期的要长一点。基本上,函数hexagonal_lattice_graph()生成一个m x n矩形六边形网格。因此,任务是首先绘制一个大网格,然后移除最外层之外的节点。 我使用距离来决定哪些节点保留,哪些节点被删除。因为奇数和偶数m的行为稍有不同,这就更加棘手了。因此,必须仔细计算中心坐标

import networkx as nx
import matplotlib.pyplot as plt


def node_dist(x,y, cx, cy):
    """Distance of each node from the center of the innermost layer"""
    return abs(cx-x) + abs(cy-y)


def remove_unwanted_nodes(G, m):
    """Remove all the nodes that don't belong to an m-layer hexagonal ring."""
    
    #Compute center of all the hexagonal rings as cx, cy
    cx, cy = m-0.5, 2*m -(m%2) #odd is 2m-1, even is 2m
    
    #in essence, we are converting from a rectangular grid to a hexagonal ring... based on distance.
    unwanted = []
    for n in G.nodes:    
        x,y = n
        #keep short distance nodes, add far away nodes to the list called unwanted
        if node_dist(x,y, cx, cy) > 2*m:
            unwanted.append(n)

    #now we are removing the nodes from the Graph
    for n in unwanted:
        G.remove_node(n)
        
    return G



##################
m = 4 #change m here. 1 = 1 layer, single hexagon.
G = nx.hexagonal_lattice_graph(2*m-1,2*m-1, periodic=False, 
                               with_positions=True, 
                               create_using=None)
pos = nx.get_node_attributes(G, 'pos')
G = remove_unwanted_nodes(G, m)

#render the result
plt.figure(figsize=(9,9)) 
nx.draw(G, pos=pos, with_labels=True)
plt.axis('scaled')
plt.show()

对于m=3,产生以下结果: Hex Ring for m =3

对于m=4:

Hexagonal Ring for m=4

欢迎来到SO!希望上述解决方案清晰明了,有助于您前进

相关问题 更多 >