我正在尝试使用ezdxf将实体添加到现有.dxf文件的模型空间中。插入实体的位置与我期望的位置完全不同。

对于一个圆,我使用e.dxf.insert获得了一个实体的位置坐标,并将该点用作圆的中心。我使用了以下代码:

import ezdxf
dwg = ezdxf.readfile("drainage.dxf")

msp = dwg.modelspace()
dwg.layers.new(name='MyCircles', dxfattribs={'color': 7})

def encircle_entity(e):
    if e.dxftype()=='INSERT':
        circleCenter = e.dxf.insert
        msp.add_circle(circleCenter, 10, dxfattribs={'layer': 'MyCircles'})
        print("Circle entity added")

washBasins = msp.query('*[layer=="WASH BASINS"]')
for e in washBasins:
    encircle_entity(e)

dwg.saveas('encircle.dxf')


链接到raining.dxf(输入)和encircle.dxf(输出)文件:https://drive.google.com/open?id=1aIhZiuEdClt0warjPPcKiz4XJ7A7QWf_

这将创建一个圆,但位置不正确。

dxf文件的原点和ezdxf使用的原点在哪里?
如何获得所有实体的正确位置,尤其是INSERT,LINES和CIRCLES?
如何使用ezdxf将实体放置在现有dxf文件中的所需位置?
线的e.dxf.start和e.dxf.end点相对于坐标在哪里?

我想我在这里缺少坐标。请解释一下坐标是如何工作的。

最佳答案

@LeeMac解决方案的Python版本,但忽略了OCS:

import ezdxf
from ezdxf.math import Vector

DXFFILE = 'drainage.dxf'
OUTFILE = 'encircle.dxf'

dwg = ezdxf.readfile(DXFFILE)
msp = dwg.modelspace()
dwg.layers.new(name='MyCircles', dxfattribs={'color': 4})


def get_first_circle_center(block_layout):
    block = block_layout.block
    base_point = Vector(block.dxf.base_point)
    circles = block_layout.query('CIRCLE')
    if len(circles):
        circle = circles[0]  # take first circle
        center = Vector(circle.dxf.center)
        return center - base_point
    else:
        return Vector(0, 0, 0)


# block definition to examine
block_layout = dwg.blocks.get('WB')
offset = get_first_circle_center(block_layout)

for e in msp.query('INSERT[name=="WB"]'):
    scale = e.get_dxf_attrib('xscale', 1)  # assume uniform scaling
    _offset = offset.rotate_deg(e.get_dxf_attrib('rotation', 0)) * scale
    location = e.dxf.insert + _offset

    msp.add_circle(center=location, radius=1, dxfattribs={'layer': 'MyCircles'})

dwg.saveas(OUTFILE)

关于python - 如何使用ezdxf python软件包修改现有的dxf文件?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/55554059/

10-12 16:56