利用openmv,画出三角形的外接圆的圆心
时间: 2023-07-10 16:06:39 浏览: 112
要画出三角形的外接圆,我们需要知道三角形的三个顶点坐标。假设三角形的三个顶点分别为 A(x1, y1),B(x2, y2),C(x3, y3)。
求三角形外接圆的圆心坐标和半径的公式如下:
圆心横坐标 x = ((x1^2 + y1^2)(y2 - y3) + (x2^2 + y2^2)(y3 - y1) + (x3^2 + y3^2)(y1 - y2)) / (2 * (x1 - x2) * (y2 - y3) - 2 * (x2 - x3) * (y1 - y2))
圆心纵坐标 y = ((x1^2 + y1^2)(x3 - x2) + (x2^2 + y2^2)(x1 - x3) + (x3^2 + y3^2)(x2 - x1)) / (2 * (y1 - y2) * (x3 - x2) - 2 * (y2 - y3) * (x1 - x2))
圆半径 r = sqrt((x - x1)^2 + (y - y1)^2)
在OpenMV中,我们可以通过使用find_circles()函数来检测出所有圆形区域,并且通过调整参数来滤除不需要的圆形。以下是用于检测三角形外接圆的示例代码:
```python
import sensor, image
import math
# 配置摄像头
sensor.reset()
sensor.set_pixformat(sensor.RGB565)
sensor.set_framesize(sensor.QVGA)
sensor.skip_frames(time = 2000)
sensor.set_auto_gain(False) # 需要关闭自动增益和白平衡
sensor.set_auto_whitebal(False)
# 设置阈值以及其他参数
red_threshold = (0, 100, 22, 70, -39, 58)
min_radius = 5
max_radius = 100
while(True):
# 拍摄图片
img = sensor.snapshot()
# 寻找红色三角形
blobs = img.find_blobs([red_threshold])
if blobs:
for blob in blobs:
# 计算三角形外接圆的圆心坐标和半径
x1, y1, x2, y2 = blob.rect()
x3, y3 = x1 + x2, y1 + y2
x = ((x1**2 + y1**2)*(y2 - y3) + (x2**2 + y2**2)*(y3 - y1) + (x3**2 + y3**2)*(y1 - y2)) / \
(2 * (x1 - x2) * (y2 - y3) - 2 * (x2 - x3) * (y1 - y2))
y = ((x1**2 + y1**2)*(x3 - x2) + (x2**2 + y2**2)*(x1 - x3) + (x3**2 + y3**2)*(x2 - x1)) / \
(2 * (y1 - y2) * (x3 - x2) - 2 * (y2 - y3) * (x1 - x2))
r = int(math.sqrt((x - x1)**2 + (y - y1)**2))
# 绘制圆形
img.draw_circle(int(x), int(y), r, color=(0, 255, 0), thickness=2)
# 显示图像
img.show()
```
注意,此代码仅适用于检测红色三角形的外接圆。如果需要检测其他颜色或形状的三角形,需要相应地调整阈值和参数。
阅读全文