用python设计一个三维向量类Vector3D,包含三维向量的一些基本运算,如加法、减法以及点乘、叉乘。如v1 = (1, 2, 3),v2 = (4, 5, 6),运行效果如图1所示。
时间: 2024-02-13 13:04:13 浏览: 211
python中三维向量的运算
5星 · 资源好评率100%
好的,我可以帮你编写这个程序。以下是代码实现:
```python
class Vector3D:
def __init__(self, x, y, z):
self.x = x
self.y = y
self.z = z
def __add__(self, other):
return Vector3D(self.x + other.x, self.y + other.y, self.z + other.z)
def __sub__(self, other):
return Vector3D(self.x - other.x, self.y - other.y, self.z - other.z)
def dot(self, other):
return self.x * other.x + self.y * other.y + self.z * other.z
def cross(self, other):
return Vector3D(self.y * other.z - self.z * other.y,
self.z * other.x - self.x * other.z,
self.x * other.y - self.y * other.x)
v1 = Vector3D(1, 2, 3)
v2 = Vector3D(4, 5, 6)
print("v1 + v2 =", v1 + v2)
print("v1 - v2 =", v1 - v2)
print("v1 · v2 =", v1.dot(v2))
print("v1 × v2 =", v1.cross(v2))
```
运行后的结果如下:
```
v1 + v2 = <Vector3D object at 0x7f811f8e4a90>
v1 - v2 = <Vector3D object at 0x7f811f8e4a90>
v1 · v2 = 32
v1 × v2 = <Vector3D object at 0x7f811f8e4b20>
```
其中,`__init__`方法用于初始化向量的三个分量,`__add__`和`__sub__`方法用于实现向量的加法和减法,`dot`方法用于计算向量的点乘,`cross`方法用于计算向量的叉乘。
我们创建了两个`Vector3D`对象`v1`和`v2`,分别传入`(1, 2, 3)`和`(4, 5, 6)`作为参数,并调用`__add__`和`__sub__`方法,打印出向量的加法和减法结果。接着,我们调用`dot`方法和`cross`方法,打印出向量的点乘和叉乘结果。
阅读全文