设计一个三维向量类Vector3D,包含三维向量的一些基本运算,如加法、减法以及点乘、叉乘。
时间: 2023-06-23 11:44:40 浏览: 119
好的,下面是一个简单的 Vector3D 类的示例代码:
```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_product(self, other):
return self.x * other.x + self.y * other.y + self.z * other.z
def cross_product(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)
```
这个类包含了一个构造函数和四个方法:
- `__init__(self, x, y, z)`:构造函数,用于初始化向量的三个分量。
- `__add__(self, other)`:重载加法运算符,用于向量的加法。
- `__sub__(self, other)`:重载减法运算符,用于向量的减法。
- `dot_product(self, other)`:点乘方法,用于计算两个向量的点乘积。
- `cross_product(self, other)`:叉乘方法,用于计算两个向量的叉乘积。
使用示例:
```python
# 创建两个向量
v1 = Vector3D(1, 2, 3)
v2 = Vector3D(4, 5, 6)
# 向量加法
v3 = v1 + v2
print(v3.x, v3.y, v3.z) # 输出:5 7 9
# 向量减法
v4 = v2 - v1
print(v4.x, v4.y, v4.z) # 输出:3 3 3
# 向量点乘
dot_product = v1.dot_product(v2)
print(dot_product) # 输出:32
# 向量叉乘
v5 = v1.cross_product(v2)
print(v5.x, v5.y, v5.z) # 输出:(-3, 6, -3)
```
阅读全文