c++

如何在C++中实现二维向量的运算

小樊
92
2024-08-19 22:28:36
栏目: 编程语言

在C++中实现二维向量的运算可以使用自定义的Vector2类来表示二维向量,然后重载运算符来实现各种向量运算操作。以下是一个简单的例子:

#include <iostream>

class Vector2 {
public:
    float x, y;

    Vector2(float _x, float _y) : x(_x), y(_y) {}

    Vector2 operator+(const Vector2& other) {
        return Vector2(x + other.x, y + other.y);
    }

    Vector2 operator-(const Vector2& other) {
        return Vector2(x - other.x, y - other.y);
    }

    float operator*(const Vector2& other) {
        return x * other.x + y * other.y;
    }

    Vector2 operator*(float scalar) {
        return Vector2(x * scalar, y * scalar);
    }

    Vector2 operator/(float scalar) {
        return Vector2(x / scalar, y / scalar);
    }

    void print() {
        std::cout << "(" << x << ", " << y << ")" << std::endl;
    }
};

int main() {
    Vector2 v1(1, 2);
    Vector2 v2(3, 4);

    Vector2 sum = v1 + v2;
    Vector2 diff = v1 - v2;
    float dot = v1 * v2;
    Vector2 scalarMul = v1 * 2;
    Vector2 scalarDiv = v2 / 2;

    sum.print();        // Output: (4, 6)
    diff.print();       // Output: (-2, -2)
    std::cout << dot << std::endl;  // Output: 11
    scalarMul.print();  // Output: (2, 4)
    scalarDiv.print();  // Output: (1.5, 2)

    return 0;
}

在上面的例子中,我们定义了一个Vector2类来表示二维向量,然后重载了加减乘除等运算符来实现向量的加法、减法、点乘、标量乘法和标量除法等操作。通过重载运算符,我们可以使用自定义的Vector2类来进行向量运算,使得代码更加直观和易读。

0
看了该问题的人还看了