Skip to content

Instantly share code, notes, and snippets.

@sakapon
Last active August 21, 2020 06:25
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save sakapon/57ab029a06b76b9f0d19977a457e3e88 to your computer and use it in GitHub Desktop.
Save sakapon/57ab029a06b76b9f0d19977a457e3e88 to your computer and use it in GitHub Desktop.
OperatorsSample/Vector struct
using System;
namespace OperatorsLib.Structs
{
// デバッグ時の表示を ToString と異なるものにしたい場合、[DebuggerDisplay] を追加します。
public struct Vector : IEquatable<Vector>
{
public static Vector Zero { get; } = new Vector();
public static Vector UnitX { get; } = new Vector(1, 0);
public static Vector UnitY { get; } = new Vector(0, 1);
public double X { get; }
public double Y { get; }
public double Norm => Math.Sqrt(X * X + Y * Y);
public double Angle => Math.Atan2(Y, X);
public Vector(double x, double y) => (X, Y) = (x, y);
public override string ToString() => $"({X}, {Y})";
#region Equality Operators
public bool Equals(Vector other) => X == other.X && Y == other.Y;
public static bool operator ==(Vector v1, Vector v2) => v1.Equals(v2);
public static bool operator !=(Vector v1, Vector v2) => !v1.Equals(v2);
public override bool Equals(object obj) => obj is Vector v && Equals(v);
public override int GetHashCode() => HashCode.Combine(X, Y);
#endregion
#region Unary Operators
public static Vector operator +(Vector v) => v;
public static Vector operator -(Vector v) => new Vector(-v.X, -v.Y);
#endregion
#region Binary Operators
public static Vector operator +(Vector v1, Vector v2) => new Vector(v1.X + v2.X, v1.Y + v2.Y);
public static Vector operator -(Vector v1, Vector v2) => new Vector(v1.X - v2.X, v1.Y - v2.Y);
public static Vector operator *(double c, Vector v) => new Vector(v.X * c, v.Y * c);
public static Vector operator *(Vector v, double c) => new Vector(v.X * c, v.Y * c);
public static Vector operator /(Vector v, double c) => new Vector(v.X / c, v.Y / c);
// ドット積 (dot product)、内積 (inner product)
// 実際には静的メソッドとして定義することが多いです。
public static double operator *(Vector v1, Vector v2) => v1.X * v2.X + v1.Y * v2.Y;
#endregion
public static double Area(Vector v1, Vector v2) => Math.Abs(v1.X * v2.Y - v2.X * v1.Y) / 2;
}
}
using System;
using Microsoft.VisualStudio.TestTools.UnitTesting;
using OperatorsLib.Structs;
namespace UnitTest.Structs
{
[TestClass]
public class VectorTest
{
[TestMethod]
public void Arithmetic()
{
var v1 = new Vector(2, 2);
var v2 = new Vector(3, 4);
var v3 = new Vector(18, 24);
Assert.AreEqual(new Vector(5, 6), v1 + v2);
Assert.AreEqual(-new Vector(1, 2), v1 - v2);
Assert.AreEqual(new Vector(6, 8), 2 * v2);
Assert.AreEqual(new Vector(6, 8), v3 / 3);
Assert.AreEqual(14, v1 * v2);
}
}
}
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment