1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160
|
"""
Point.py - Extension of QPointF which adds a few missing methods.
Copyright 2010 Luke Campagnola
Distributed under MIT/X11 license. See license.txt for more information.
"""
from math import atan2, degrees, hypot
from .Qt import QtCore
class Point(QtCore.QPointF):
"""Extension of QPointF which adds a few missing methods."""
__slots__ = ()
def __init__(self, *args):
if len(args) == 1:
if isinstance(args[0], (QtCore.QSize, QtCore.QSizeF)):
super().__init__(float(args[0].width()), float(args[0].height()))
return
elif isinstance(args[0], (int, float)):
super().__init__(float(args[0]), float(args[0]))
return
elif hasattr(args[0], '__getitem__'):
super().__init__(float(args[0][0]), float(args[0][1]))
return
elif len(args) == 2:
super().__init__(args[0], args[1])
return
super().__init__(*args)
def __len__(self):
return 2
def __reduce__(self):
return (Point, (self.x(), self.y()))
def __getitem__(self, i):
if i == 0:
return self.x()
elif i == 1:
return self.y()
else:
raise IndexError("Point has no index %s" % str(i))
def __iter__(self):
yield(self.x())
yield(self.y())
def __setitem__(self, i, x):
if i == 0:
return self.setX(x)
elif i == 1:
return self.setY(x)
else:
raise IndexError("Point has no index %s" % str(i))
def __radd__(self, a):
return self._math_('__radd__', a)
def __add__(self, a):
return self._math_('__add__', a)
def __rsub__(self, a):
return self._math_('__rsub__', a)
def __sub__(self, a):
return self._math_('__sub__', a)
def __rmul__(self, a):
return self._math_('__rmul__', a)
def __mul__(self, a):
return self._math_('__mul__', a)
def __rdiv__(self, a):
return self._math_('__rdiv__', a)
def __div__(self, a):
return self._math_('__div__', a)
def __truediv__(self, a):
return self._math_('__truediv__', a)
def __rtruediv__(self, a):
return self._math_('__rtruediv__', a)
def __rpow__(self, a):
return self._math_('__rpow__', a)
def __pow__(self, a):
return self._math_('__pow__', a)
def _math_(self, op, x):
if not isinstance(x, QtCore.QPointF):
x = Point(x)
return Point(getattr(self.x(), op)(x.x()), getattr(self.y(), op)(x.y()))
def length(self):
"""Returns the vector length of this Point."""
return hypot(self.x(), self.y()) # length
def norm(self):
"""Returns a vector in the same direction with unit length."""
return self / self.length()
def angle(self, a, units="degrees"):
"""
Returns the angle in degrees from the vector a to self.
Parameters
----------
a : Point, QPointF or QPoint
The Point to return the angle with
units : str, optional
The units with which to compute the angle with, "degrees" or "radians",
default "degrees"
Returns
-------
float
The angle between two vectors
"""
rads = atan2(self.y(), self.x()) - atan2(a.y(), a.x())
if units == "radians":
return rads
return degrees(rads)
def dot(self, a):
"""Returns the dot product of a and this Point."""
if not isinstance(a, QtCore.QPointF):
a = Point(a)
return Point.dotProduct(self, a)
def cross(self, a):
"""Returns the cross product of a and this Point"""
if not isinstance(a, QtCore.QPointF):
a = Point(a)
return self.x() * a.y() - self.y() * a.x()
def proj(self, b):
"""Return the projection of this vector onto the vector b"""
b1 = b.norm()
return self.dot(b1) * b1
def __repr__(self):
return "Point(%f, %f)" % (self.x(), self.y())
def min(self):
return min(self.x(), self.y())
def max(self):
return max(self.x(), self.y())
def copy(self):
return Point(self)
def toQPoint(self):
return self.toPoint()
|