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 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060
|
from ..Qt import QtCore, QtGui, QtWidgets
HAVE_OPENGL = hasattr(QtWidgets, 'QOpenGLWidget')
import itertools
import math
import sys
import warnings
import numpy as np
from .. import Qt, debug
from .. import functions as fn
from .. import getConfigOption
from .GraphicsObject import GraphicsObject
__all__ = ['PlotCurveItem']
def have_native_drawlines_array():
size = 10
line = QtCore.QLineF(0, 0, size, size)
qimg = QtGui.QImage(size, size, QtGui.QImage.Format.Format_RGB32)
qimg.fill(QtCore.Qt.GlobalColor.transparent)
painter = QtGui.QPainter(qimg)
painter.setPen(QtCore.Qt.GlobalColor.white)
try:
painter.drawLines(line, 1)
except TypeError:
success = False
else:
success = True
finally:
painter.end()
return success
_have_native_drawlines_array = Qt.QT_LIB.startswith('PySide') and have_native_drawlines_array()
class LineSegments:
def __init__(self):
self.use_sip_array = (
Qt.QT_LIB.startswith('PyQt') and
hasattr(Qt.sip, 'array') and
(
(0x60301 <= QtCore.PYQT_VERSION) or
(0x50f07 <= QtCore.PYQT_VERSION < 0x60000)
)
)
self.use_native_drawlines = Qt.QT_LIB.startswith('PySide') and _have_native_drawlines_array
self.alloc(0)
def alloc(self, size):
if self.use_sip_array:
self.objs = Qt.sip.array(QtCore.QLineF, size)
vp = Qt.sip.voidptr(self.objs, len(self.objs)*4*8)
self.arr = np.frombuffer(vp, dtype=np.float64).reshape((-1, 4))
elif self.use_native_drawlines:
self.arr = np.empty((size, 4), dtype=np.float64)
self.objs = Qt.compat.wrapinstance(self.arr.ctypes.data, QtCore.QLineF)
else:
self.arr = np.empty((size, 4), dtype=np.float64)
self.objs = list(map(Qt.compat.wrapinstance,
itertools.count(self.arr.ctypes.data, self.arr.strides[0]),
itertools.repeat(QtCore.QLineF, self.arr.shape[0])))
def get(self, size):
if size != self.arr.shape[0]:
self.alloc(size)
return self.objs, self.arr
def arrayToLineSegments(self, x, y, connect, finiteCheck):
# analogue of arrayToQPath taking the same parameters
if len(x) < 2:
return []
connect_array = None
if isinstance(connect, np.ndarray):
# the last element is not used
connect_array, connect = np.asarray(connect[:-1], dtype=bool), 'array'
all_finite = True
if finiteCheck or connect == 'finite':
mask = np.isfinite(x) & np.isfinite(y)
all_finite = np.all(mask)
if connect == 'all':
if not all_finite:
# remove non-finite points, if any
x = x[mask]
y = y[mask]
elif connect == 'finite':
if all_finite:
connect = 'all'
else:
# each non-finite point affects the segment before and after
connect_array = mask[:-1] & mask[1:]
elif connect in ['pairs', 'array']:
if not all_finite:
# replicate the behavior of arrayToQPath
backfill_idx = fn._compute_backfill_indices(mask)
x = x[backfill_idx]
y = y[backfill_idx]
segs = []
nsegs = 0
if connect == 'all':
nsegs = len(x) - 1
if nsegs:
segs, memory = self.get(nsegs)
memory[:, 0] = x[:-1]
memory[:, 2] = x[1:]
memory[:, 1] = y[:-1]
memory[:, 3] = y[1:]
elif connect == 'pairs':
nsegs = len(x) // 2
if nsegs:
segs, memory = self.get(nsegs)
memory = memory.reshape((-1, 2))
memory[:, 0] = x[:nsegs * 2]
memory[:, 1] = y[:nsegs * 2]
elif connect_array is not None:
# the following are handled here
# - 'array'
# - 'finite' with non-finite elements
nsegs = np.count_nonzero(connect_array)
if nsegs:
segs, memory = self.get(nsegs)
memory[:, 0] = x[:-1][connect_array]
memory[:, 2] = x[1:][connect_array]
memory[:, 1] = y[:-1][connect_array]
memory[:, 3] = y[1:][connect_array]
if nsegs and self.use_native_drawlines:
return segs, nsegs
else:
return segs,
class PlotCurveItem(GraphicsObject):
"""
Class representing a single plot curve. Instances of this class are created
automatically as part of :class:`PlotDataItem <pyqtgraph.PlotDataItem>`;
these rarely need to be instantiated directly.
Features:
- Fast data update
- Fill under curve
- Mouse interaction
===================== ===============================================
**Signals:**
sigPlotChanged(self) Emitted when the data being plotted has changed
sigClicked(self, ev) Emitted when the curve is clicked
===================== ===============================================
"""
sigPlotChanged = QtCore.Signal(object)
sigClicked = QtCore.Signal(object, object)
def __init__(self, *args, **kargs):
"""
Forwards all arguments to :func:`setData <pyqtgraph.PlotCurveItem.setData>`.
Some extra arguments are accepted as well:
============== =======================================================
**Arguments:**
parent The parent GraphicsObject (optional)
clickable If `True`, the item will emit ``sigClicked`` when it is
clicked on. Defaults to `False`.
============== =======================================================
"""
GraphicsObject.__init__(self, kargs.get('parent', None))
self.clear()
## this is disastrous for performance.
#self.setCacheMode(QtWidgets.QGraphicsItem.CacheMode.DeviceCoordinateCache)
self.metaData = {}
self.opts = {
'shadowPen': None,
'fillLevel': None,
'fillOutline': False,
'brush': None,
'stepMode': None,
'name': None,
'antialias': getConfigOption('antialias'),
'connect': 'all',
'mouseWidth': 8, # width of shape responding to mouse click
'compositionMode': None,
'skipFiniteCheck': False,
'segmentedLineMode': getConfigOption('segmentedLineMode'),
}
if 'pen' not in kargs:
self.opts['pen'] = fn.mkPen('w')
self.setClickable(kargs.get('clickable', False))
self.setData(*args, **kargs)
def implements(self, interface=None):
ints = ['plotData']
if interface is None:
return ints
return interface in ints
def name(self):
return self.opts.get('name', None)
def setClickable(self, s, width=None):
"""Sets whether the item responds to mouse clicks.
The `width` argument specifies the width in pixels orthogonal to the
curve that will respond to a mouse click.
"""
self.clickable = s
if width is not None:
self.opts['mouseWidth'] = width
self._mouseShape = None
self._boundingRect = None
def setCompositionMode(self, mode):
"""
Change the composition mode of the item. This is useful when overlaying
multiple items.
Parameters
----------
mode : ``QtGui.QPainter.CompositionMode``
Composition of the item, often used when overlaying items. Common
options include:
``QPainter.CompositionMode.CompositionMode_SourceOver`` (Default)
Image replaces the background if it is opaque. Otherwise, it uses
the alpha channel to blend the image with the background.
``QPainter.CompositionMode.CompositionMode_Overlay`` Image color is
mixed with the background color to reflect the lightness or
darkness of the background
``QPainter.CompositionMode.CompositionMode_Plus`` Both the alpha
and color of the image and background pixels are added together.
``QPainter.CompositionMode.CompositionMode_Plus`` The output is the
image color multiplied by the background.
See ``QPainter::CompositionMode`` in the Qt Documentation for more
options and details
"""
self.opts['compositionMode'] = mode
self.update()
def getData(self):
return self.xData, self.yData
def dataBounds(self, ax, frac=1.0, orthoRange=None):
## Need this to run as fast as possible.
## check cache first:
cache = self._boundsCache[ax]
if cache is not None and cache[0] == (frac, orthoRange):
return cache[1]
(x, y) = self.getData()
if x is None or len(x) == 0:
return (None, None)
if ax == 0:
d = x
d2 = y
elif ax == 1:
d = y
d2 = x
else:
raise ValueError("Invalid axis value")
## If an orthogonal range is specified, mask the data now
if orthoRange is not None:
mask = (d2 >= orthoRange[0]) * (d2 <= orthoRange[1])
d = d[mask]
#d2 = d2[mask]
if len(d) == 0:
return (None, None)
## Get min/max (or percentiles) of the requested data range
if frac >= 1.0:
# include complete data range
# first try faster nanmin/max function, then cut out infs if needed.
with warnings.catch_warnings():
# All-NaN data is acceptable; Explicit numpy warning is not needed.
warnings.simplefilter("ignore")
b = (np.nanmin(d), np.nanmax(d))
if math.isinf(b[0]) or math.isinf(b[1]):
mask = np.isfinite(d)
d = d[mask]
if len(d) == 0:
return (None, None)
b = (d.min(), d.max())
elif frac <= 0.0:
raise Exception("Value for parameter 'frac' must be > 0. (got %s)" % str(frac))
else:
# include a percentile of data range
mask = np.isfinite(d)
d = d[mask]
if len(d) == 0:
return (None, None)
b = np.percentile(d, [50 * (1 - frac), 50 * (1 + frac)])
## adjust for fill level
if ax == 1 and self.opts['fillLevel'] not in [None, 'enclosed']:
b = (min(b[0], self.opts['fillLevel']), max(b[1], self.opts['fillLevel']))
## Add pen width only if it is non-cosmetic.
pen = self.opts['pen']
spen = self.opts['shadowPen']
if pen is not None and not pen.isCosmetic() and pen.style() != QtCore.Qt.PenStyle.NoPen:
b = (b[0] - pen.widthF()*0.7072, b[1] + pen.widthF()*0.7072)
if spen is not None and not spen.isCosmetic() and spen.style() != QtCore.Qt.PenStyle.NoPen:
b = (b[0] - spen.widthF()*0.7072, b[1] + spen.widthF()*0.7072)
self._boundsCache[ax] = [(frac, orthoRange), b]
return b
def pixelPadding(self):
pen = self.opts['pen']
spen = self.opts['shadowPen']
w = 0
if pen is not None and pen.isCosmetic() and pen.style() != QtCore.Qt.PenStyle.NoPen:
w += pen.widthF()*0.7072
if spen is not None and spen.isCosmetic() and spen.style() != QtCore.Qt.PenStyle.NoPen:
w = max(w, spen.widthF()*0.7072)
if self.clickable:
w = max(w, self.opts['mouseWidth']//2 + 1)
return w
def boundingRect(self):
if self._boundingRect is None:
(xmn, xmx) = self.dataBounds(ax=0)
if xmn is None or xmx is None:
return QtCore.QRectF()
(ymn, ymx) = self.dataBounds(ax=1)
if ymn is None or ymx is None:
return QtCore.QRectF()
px = py = 0.0
pxPad = self.pixelPadding()
if pxPad > 0:
# determine length of pixel in local x, y directions
px, py = self.pixelVectors()
try:
px = 0 if px is None else px.length()
except OverflowError:
px = 0
try:
py = 0 if py is None else py.length()
except OverflowError:
py = 0
# return bounds expanded by pixel size
px *= pxPad
py *= pxPad
#px += self._maxSpotWidth * 0.5
#py += self._maxSpotWidth * 0.5
self._boundingRect = QtCore.QRectF(xmn-px, ymn-py, (2*px)+xmx-xmn, (2*py)+ymx-ymn)
return self._boundingRect
def viewTransformChanged(self):
self.invalidateBounds()
self.prepareGeometryChange()
#def boundingRect(self):
#if self._boundingRect is None:
#(x, y) = self.getData()
#if x is None or y is None or len(x) == 0 or len(y) == 0:
#return QtCore.QRectF()
#if self.opts['shadowPen'] is not None:
#lineWidth = (max(self.opts['pen'].width(), self.opts['shadowPen'].width()) + 1)
#else:
#lineWidth = (self.opts['pen'].width()+1)
#pixels = self.pixelVectors()
#if pixels == (None, None):
#pixels = [Point(0,0), Point(0,0)]
#xmin = x.min()
#xmax = x.max()
#ymin = y.min()
#ymax = y.max()
#if self.opts['fillLevel'] is not None:
#ymin = min(ymin, self.opts['fillLevel'])
#ymax = max(ymax, self.opts['fillLevel'])
#xmin -= pixels[0].x() * lineWidth
#xmax += pixels[0].x() * lineWidth
#ymin -= abs(pixels[1].y()) * lineWidth
#ymax += abs(pixels[1].y()) * lineWidth
#self._boundingRect = QtCore.QRectF(xmin, ymin, xmax-xmin, ymax-ymin)
#return self._boundingRect
def invalidateBounds(self):
self._boundingRect = None
self._boundsCache = [None, None]
def setPen(self, *args, **kargs):
"""Set the pen used to draw the curve."""
if args[0] is None:
self.opts['pen'] = None
else:
self.opts['pen'] = fn.mkPen(*args, **kargs)
self.invalidateBounds()
self.update()
def setShadowPen(self, *args, **kargs):
"""
Set the shadow pen used to draw behind the primary pen.
This pen must have a larger width than the primary
pen to be visible. Arguments are passed to
:func:`mkPen <pyqtgraph.mkPen>`
"""
if args[0] is None:
self.opts['shadowPen'] = None
else:
self.opts['shadowPen'] = fn.mkPen(*args, **kargs)
self.invalidateBounds()
self.update()
def setBrush(self, *args, **kargs):
"""
Sets the brush used when filling the area under the curve. All
arguments are passed to :func:`mkBrush <pyqtgraph.mkBrush>`.
"""
if args[0] is None:
self.opts['brush'] = None
else:
self.opts['brush'] = fn.mkBrush(*args, **kargs)
self.invalidateBounds()
self.update()
def setFillLevel(self, level):
"""Sets the level filled to when filling under the curve"""
self.opts['fillLevel'] = level
self.fillPath = None
self._fillPathList = None
self.invalidateBounds()
self.update()
def setSkipFiniteCheck(self, skipFiniteCheck):
"""
When it is known that the plot data passed to ``PlotCurveItem`` contains only finite numerical values,
the `skipFiniteCheck` property can help speed up plotting. If this flag is set and the data contains
any non-finite values (such as `NaN` or `Inf`), unpredictable behavior will occur. The data might not
be plotted, or there migth be significant performance impact.
"""
self.opts['skipFiniteCheck'] = bool(skipFiniteCheck)
def setData(self, *args, **kargs):
"""
=============== =================================================================
**Arguments:**
x, y (numpy arrays) Data to display
pen Pen to use when drawing. Any single argument accepted by
:func:`mkPen <pyqtgraph.mkPen>` is allowed.
shadowPen Pen for drawing behind the primary pen. Usually this
is used to emphasize the curve by providing a
high-contrast border. Any single argument accepted by
:func:`mkPen <pyqtgraph.mkPen>` is allowed.
fillLevel (float or None) Fill the area under the curve to
the specified value.
fillOutline (bool) If True, an outline surrounding the `fillLevel`
area is drawn.
brush Brush to use when filling. Any single argument accepted
by :func:`mkBrush <pyqtgraph.mkBrush>` is allowed.
antialias (bool) Whether to use antialiasing when drawing. This
is disabled by default because it decreases performance.
stepMode (str or None) If 'center', a step is drawn using the `x`
values as boundaries and the given `y` values are
associated to the mid-points between the boundaries of
each step. This is commonly used when drawing
histograms. Note that in this case, ``len(x) == len(y) + 1``
If 'left' or 'right', the step is drawn assuming that
the `y` value is associated to the left or right boundary,
respectively. In this case ``len(x) == len(y)``
If not passed or an empty string or `None` is passed, the
step mode is not enabled.
connect Argument specifying how vertexes should be connected
by line segments.
| 'all' (default) indicates full connection.
| 'pairs' draws one separate line segment for each two points given.
| 'finite' omits segments attached to `NaN` or `Inf` values.
| For any other connectivity, specify an array of boolean values.
compositionMode See :func:`setCompositionMode
<pyqtgraph.PlotCurveItem.setCompositionMode>`.
skipFiniteCheck (bool, defaults to `False`) Optimization flag that can
speed up plotting by not checking and compensating for
`NaN` values. If set to `True`, and `NaN` values exist, the
data may not be displayed or the plot may take a
significant performance hit.
=============== =================================================================
If non-keyword arguments are used, they will be interpreted as
``setData(y)`` for a single argument and ``setData(x, y)`` for two
arguments.
**Notes on performance:**
Line widths greater than 1 pixel affect the performance as discussed in
the documentation of :class:`PlotDataItem <pyqtgraph.PlotDataItem>`.
"""
self.updateData(*args, **kargs)
def updateData(self, *args, **kargs):
profiler = debug.Profiler()
if 'compositionMode' in kargs:
self.setCompositionMode(kargs['compositionMode'])
if len(args) == 1:
kargs['y'] = args[0]
elif len(args) == 2:
kargs['x'] = args[0]
kargs['y'] = args[1]
if 'y' not in kargs or kargs['y'] is None:
kargs['y'] = np.array([])
if 'x' not in kargs or kargs['x'] is None:
kargs['x'] = np.arange(len(kargs['y']))
for k in ['x', 'y']:
data = kargs[k]
if isinstance(data, list):
data = np.array(data)
kargs[k] = data
if not isinstance(data, np.ndarray) or data.ndim > 1:
raise Exception("Plot data must be 1D ndarray.")
if data.dtype.kind == 'c':
raise Exception("Can not plot complex data types.")
profiler("data checks")
#self.setCacheMode(QtWidgets.QGraphicsItem.CacheMode.NoCache) ## Disabling and re-enabling the cache works around a bug in Qt 4.6 causing the cached results to display incorrectly
## Test this bug with test_PlotWidget and zoom in on the animated plot
self.yData = kargs['y'].view(np.ndarray)
self.xData = kargs['x'].view(np.ndarray)
self.invalidateBounds()
self.prepareGeometryChange()
self.informViewBoundsChanged()
profiler('copy')
if 'stepMode' in kargs:
self.opts['stepMode'] = kargs['stepMode']
if self.opts['stepMode'] in ("center", True): ## check against True for backwards compatibility
if self.opts['stepMode'] is True:
warnings.warn(
'stepMode=True is deprecated and will result in an error after October 2022. Use stepMode="center" instead.',
DeprecationWarning, stacklevel=3
)
if len(self.xData) != len(self.yData)+1: ## allow difference of 1 for step mode plots
raise Exception("len(X) must be len(Y)+1 since stepMode=True (got %s and %s)" % (self.xData.shape, self.yData.shape))
else:
if self.xData.shape != self.yData.shape: ## allow difference of 1 for step mode plots
raise Exception("X and Y arrays must be the same shape--got %s and %s." % (self.xData.shape, self.yData.shape))
self.path = None
self.fillPath = None
self._fillPathList = None
self._mouseShape = None
self._renderSegmentList = None
if 'name' in kargs:
self.opts['name'] = kargs['name']
if 'connect' in kargs:
self.opts['connect'] = kargs['connect']
if 'pen' in kargs:
self.setPen(kargs['pen'])
if 'shadowPen' in kargs:
self.setShadowPen(kargs['shadowPen'])
if 'fillLevel' in kargs:
self.setFillLevel(kargs['fillLevel'])
if 'fillOutline' in kargs:
self.opts['fillOutline'] = kargs['fillOutline']
if 'brush' in kargs:
self.setBrush(kargs['brush'])
if 'antialias' in kargs:
self.opts['antialias'] = kargs['antialias']
if 'skipFiniteCheck' in kargs:
self.opts['skipFiniteCheck'] = kargs['skipFiniteCheck']
profiler('set')
self.update()
profiler('update')
self.sigPlotChanged.emit(self)
profiler('emit')
@staticmethod
def _generateStepModeData(stepMode, x, y, baseline):
## each value in the x/y arrays generates 2 points.
if stepMode == "right":
x2 = np.empty((len(x) + 1, 2), dtype=x.dtype)
x2[:-1] = x[:, np.newaxis]
x2[-1] = x2[-2]
elif stepMode == "left":
x2 = np.empty((len(x) + 1, 2), dtype=x.dtype)
x2[1:] = x[:, np.newaxis]
x2[0] = x2[1]
elif stepMode in ("center", True): ## support True for back-compat
x2 = np.empty((len(x),2), dtype=x.dtype)
x2[:] = x[:, np.newaxis]
else:
raise ValueError("Unsupported stepMode %s" % stepMode)
if baseline is None:
x = x2.reshape(x2.size)[1:-1]
y2 = np.empty((len(y),2), dtype=y.dtype)
y2[:] = y[:,np.newaxis]
y = y2.reshape(y2.size)
else:
# if baseline is provided, add vertical lines to left/right ends
x = x2.reshape(x2.size)
y2 = np.empty((len(y)+2,2), dtype=y.dtype)
y2[1:-1] = y[:,np.newaxis]
y = y2.reshape(y2.size)[1:-1]
y[[0, -1]] = baseline
return x, y
def generatePath(self, x, y):
if self.opts['stepMode']:
x, y = self._generateStepModeData(
self.opts['stepMode'],
x,
y,
baseline=self.opts['fillLevel']
)
return fn.arrayToQPath(
x,
y,
connect=self.opts['connect'],
finiteCheck=not self.opts['skipFiniteCheck']
)
def getPath(self):
if self.path is None:
x,y = self.getData()
if x is None or len(x) == 0 or y is None or len(y) == 0:
self.path = QtGui.QPainterPath()
else:
self.path = self.generatePath(*self.getData())
self.fillPath = None
self._fillPathList = None
self._mouseShape = None
return self.path
def setSegmentedLineMode(self, mode):
"""
Sets the mode that decides whether or not lines are drawn as segmented lines. Drawing lines
as segmented lines is more performant than the standard drawing method with continuous
lines.
Parameters
----------
mode : str
``'auto'`` (default) segmented lines are drawn if the pen's width > 1, pen style is a
solid line, the pen color is opaque and anti-aliasing is not enabled.
``'on'`` lines are always drawn as segmented lines
``'off'`` lines are never drawn as segmented lines, i.e. the drawing
method with continuous lines is used
"""
if mode not in ('auto', 'on', 'off'):
raise ValueError(f'segmentedLineMode must be "auto", "on" or "off", got {mode} instead')
self.opts['segmentedLineMode'] = mode
self.invalidateBounds()
self.update()
def _shouldUseDrawLineSegments(self, pen):
mode = self.opts['segmentedLineMode']
if mode in ('on',):
return True
if mode in ('off',):
return False
return (
pen.widthF() > 1.0
# non-solid pen styles need single polyline to be effective
and pen.style() == QtCore.Qt.PenStyle.SolidLine
# segmenting the curve slows gradient brushes, and is expected
# to do the same for other patterns
and pen.isSolid() # pen.brush().style() == Qt.BrushStyle.SolidPattern
# ends of adjacent line segments overlapping is visible when not opaque
and pen.color().alphaF() == 1.0
# anti-aliasing introduces transparent pixels and therefore also causes visible overlaps
# for adjacent line segments
and not self.opts['antialias']
)
def _getLineSegments(self):
if not hasattr(self, '_lineSegments'):
self._lineSegments = LineSegments()
if self._renderSegmentList is None:
x, y = self.getData()
if self.opts['stepMode']:
x, y = self._generateStepModeData(
self.opts['stepMode'],
x,
y,
baseline=self.opts['fillLevel']
)
self._renderSegmentList = self._lineSegments.arrayToLineSegments(
x,
y,
connect=self.opts['connect'],
finiteCheck=not self.opts['skipFiniteCheck']
)
return self._renderSegmentList
def _getClosingSegments(self):
# this is only used for fillOutline
# no point caching with so few elements generated
segments = []
if self.opts['fillLevel'] == 'enclosed':
return segments
baseline = self.opts['fillLevel']
x, y = self.getData()
lx, rx = x[[0, -1]]
ly, ry = y[[0, -1]]
if ry != baseline:
segments.append(QtCore.QLineF(rx, ry, rx, baseline))
segments.append(QtCore.QLineF(rx, baseline, lx, baseline))
if ly != baseline:
segments.append(QtCore.QLineF(lx, baseline, lx, ly))
return segments
def _getFillPath(self):
if self.fillPath is not None:
return self.fillPath
path = QtGui.QPainterPath(self.getPath())
self.fillPath = path
if self.opts['fillLevel'] == 'enclosed':
return path
baseline = self.opts['fillLevel']
x, y = self.getData()
lx, rx = x[[0, -1]]
ly, ry = y[[0, -1]]
if ry != baseline:
path.lineTo(rx, baseline)
path.lineTo(lx, baseline)
if ly != baseline:
path.lineTo(lx, ly)
return path
def _shouldUseFillPathList(self):
connect = self.opts['connect']
return (
# not meaningful to fill disjoint lines
isinstance(connect, str) and connect == 'all'
# guard against odd-ball argument 'enclosed'
and isinstance(self.opts['fillLevel'], (int, float))
)
def _getFillPathList(self, widget):
if self._fillPathList is not None:
return self._fillPathList
x, y = self.getData()
if self.opts['stepMode']:
x, y = self._generateStepModeData(
self.opts['stepMode'],
x,
y,
# note that left/right vertical lines can be omitted here
baseline=None
)
if not self.opts['skipFiniteCheck']:
mask = np.isfinite(x) & np.isfinite(y)
if not mask.all():
# we are only supporting connect='all',
# so remove non-finite values
x = x[mask]
y = y[mask]
if len(x) < 2:
return []
# Set suitable chunk size for current configuration:
# * Without OpenGL split in small chunks
# * With OpenGL split in rather big chunks
# Note, the present code is used only if config option 'enableExperimental' is False,
# otherwise the 'paintGL' method is used.
# Values were found using 'PlotSpeedTest.py' example, see #2257.
chunksize = 50 if not isinstance(widget, QtWidgets.QOpenGLWidget) else 5000
paths = self._fillPathList = []
offset = 0
xybuf = np.empty((chunksize+3, 2))
baseline = self.opts['fillLevel']
while offset < len(x) - 1:
subx = x[offset:offset + chunksize]
suby = y[offset:offset + chunksize]
size = len(subx)
xyview = xybuf[:size+3]
xyview[:-3, 0] = subx
xyview[:-3, 1] = suby
xyview[-3:, 0] = subx[[-1, 0, 0]]
xyview[-3:, 1] = [baseline, baseline, suby[0]]
offset += size - 1 # last point is re-used for next chunk
# data was either declared to be all-finite OR was sanitized
path = fn._arrayToQPath_all(xyview[:, 0], xyview[:, 1], finiteCheck=False)
paths.append(path)
return paths
@debug.warnOnException ## raising an exception here causes crash
def paint(self, p, opt, widget):
profiler = debug.Profiler()
if self.xData is None or len(self.xData) == 0:
return
if getConfigOption('enableExperimental'):
if HAVE_OPENGL and isinstance(widget, QtWidgets.QOpenGLWidget):
self.paintGL(p, opt, widget)
return
if self._exportOpts is not False:
aa = self._exportOpts.get('antialias', True)
else:
aa = self.opts['antialias']
p.setRenderHint(p.RenderHint.Antialiasing, aa)
cmode = self.opts['compositionMode']
if cmode is not None:
p.setCompositionMode(cmode)
do_fill = self.opts['brush'] is not None and self.opts['fillLevel'] is not None
do_fill_outline = do_fill and self.opts['fillOutline']
if do_fill:
if self._shouldUseFillPathList():
paths = self._getFillPathList(widget)
else:
paths = [self._getFillPath()]
profiler('generate fill path')
for path in paths:
p.fillPath(path, self.opts['brush'])
profiler('draw fill path')
# Avoid constructing a shadow pen if it's not used.
if self.opts.get('shadowPen') is not None:
if isinstance(self.opts.get('shadowPen'), QtGui.QPen):
sp = self.opts['shadowPen']
else:
sp = fn.mkPen(self.opts['shadowPen'])
if sp.style() != QtCore.Qt.PenStyle.NoPen:
p.setPen(sp)
if self._shouldUseDrawLineSegments(sp):
p.drawLines(*self._getLineSegments())
if do_fill_outline:
p.drawLines(self._getClosingSegments())
else:
if do_fill_outline:
p.drawPath(self._getFillPath())
else:
p.drawPath(self.getPath())
cp = self.opts['pen']
if not isinstance(cp, QtGui.QPen):
cp = fn.mkPen(cp)
p.setPen(cp)
if self._shouldUseDrawLineSegments(cp):
p.drawLines(*self._getLineSegments())
if do_fill_outline:
p.drawLines(self._getClosingSegments())
else:
if do_fill_outline:
p.drawPath(self._getFillPath())
else:
p.drawPath(self.getPath())
profiler('drawPath')
def paintGL(self, p, opt, widget):
p.beginNativePainting()
import OpenGL.GL as gl
if sys.platform == 'win32':
# If Qt is built to dynamically load OpenGL, then the projection and
# modelview matrices are not setup.
# https://doc.qt.io/qt-6/windows-graphics.html
# https://code.woboq.org/qt6/qtbase/src/opengl/qopenglpaintengine.cpp.html
# Technically, we could enable it for all platforms, but for now, just
# enable it where it is required, i.e. Windows
gl.glMatrixMode(gl.GL_PROJECTION)
gl.glLoadIdentity()
gl.glOrtho(0, widget.width(), widget.height(), 0, -999999, 999999)
gl.glMatrixMode(gl.GL_MODELVIEW)
mat = QtGui.QMatrix4x4(self.sceneTransform())
gl.glLoadMatrixf(np.array(mat.data(), dtype=np.float32))
## set clipping viewport
view = self.getViewBox()
if view is not None:
rect = view.mapRectToItem(self, view.boundingRect())
#gl.glViewport(int(rect.x()), int(rect.y()), int(rect.width()), int(rect.height()))
#gl.glTranslate(-rect.x(), -rect.y(), 0)
gl.glEnable(gl.GL_STENCIL_TEST)
gl.glColorMask(gl.GL_FALSE, gl.GL_FALSE, gl.GL_FALSE, gl.GL_FALSE) # disable drawing to frame buffer
gl.glDepthMask(gl.GL_FALSE) # disable drawing to depth buffer
gl.glStencilFunc(gl.GL_NEVER, 1, 0xFF)
gl.glStencilOp(gl.GL_REPLACE, gl.GL_KEEP, gl.GL_KEEP)
## draw stencil pattern
gl.glStencilMask(0xFF)
gl.glClear(gl.GL_STENCIL_BUFFER_BIT)
gl.glBegin(gl.GL_TRIANGLES)
gl.glVertex2f(rect.x(), rect.y())
gl.glVertex2f(rect.x()+rect.width(), rect.y())
gl.glVertex2f(rect.x(), rect.y()+rect.height())
gl.glVertex2f(rect.x()+rect.width(), rect.y()+rect.height())
gl.glVertex2f(rect.x()+rect.width(), rect.y())
gl.glVertex2f(rect.x(), rect.y()+rect.height())
gl.glEnd()
gl.glColorMask(gl.GL_TRUE, gl.GL_TRUE, gl.GL_TRUE, gl.GL_TRUE)
gl.glDepthMask(gl.GL_TRUE)
gl.glStencilMask(0x00)
gl.glStencilFunc(gl.GL_EQUAL, 1, 0xFF)
try:
x, y = self.getData()
pos = np.empty((len(x), 2), dtype=np.float32)
pos[:,0] = x
pos[:,1] = y
gl.glEnableClientState(gl.GL_VERTEX_ARRAY)
try:
gl.glVertexPointerf(pos)
pen = fn.mkPen(self.opts['pen'])
gl.glColor4f(*pen.color().getRgbF())
width = pen.width()
if pen.isCosmetic() and width < 1:
width = 1
gl.glPointSize(width)
gl.glLineWidth(width)
# enable antialiasing if requested
if self._exportOpts is not False:
aa = self._exportOpts.get('antialias', True)
else:
aa = self.opts['antialias']
if aa:
gl.glEnable(gl.GL_LINE_SMOOTH)
gl.glEnable(gl.GL_BLEND)
gl.glBlendFunc(gl.GL_SRC_ALPHA, gl.GL_ONE_MINUS_SRC_ALPHA)
gl.glHint(gl.GL_LINE_SMOOTH_HINT, gl.GL_NICEST)
else:
gl.glDisable(gl.GL_LINE_SMOOTH)
gl.glDrawArrays(gl.GL_LINE_STRIP, 0, pos.shape[0])
finally:
gl.glDisableClientState(gl.GL_VERTEX_ARRAY)
finally:
p.endNativePainting()
def clear(self):
self.xData = None ## raw values
self.yData = None
self._renderSegmentList = None
self.path = None
self.fillPath = None
self._fillPathList = None
self._mouseShape = None
self._mouseBounds = None
self._boundsCache = [None, None]
#del self.xData, self.yData, self.xDisp, self.yDisp, self.path
def mouseShape(self):
"""
Return a QPainterPath representing the clickable shape of the curve
"""
if self._mouseShape is None:
view = self.getViewBox()
if view is None:
return QtGui.QPainterPath()
stroker = QtGui.QPainterPathStroker()
path = self.getPath()
path = self.mapToItem(view, path)
stroker.setWidth(self.opts['mouseWidth'])
mousePath = stroker.createStroke(path)
self._mouseShape = self.mapFromItem(view, mousePath)
return self._mouseShape
def mouseClickEvent(self, ev):
if not self.clickable or ev.button() != QtCore.Qt.MouseButton.LeftButton:
return
if self.mouseShape().contains(ev.pos()):
ev.accept()
self.sigClicked.emit(self, ev)
class ROIPlotItem(PlotCurveItem):
"""Plot curve that monitors an ROI and image for changes to automatically replot."""
def __init__(self, roi, data, img, axes=(0,1), xVals=None, color=None):
self.roi = roi
self.roiData = data
self.roiImg = img
self.axes = axes
self.xVals = xVals
PlotCurveItem.__init__(self, self.getRoiData(), x=self.xVals, color=color)
#roi.connect(roi, QtCore.SIGNAL('regionChanged'), self.roiChangedEvent)
roi.sigRegionChanged.connect(self.roiChangedEvent)
#self.roiChangedEvent()
def getRoiData(self):
d = self.roi.getArrayRegion(self.roiData, self.roiImg, axes=self.axes)
if d is None:
return
while d.ndim > 1:
d = d.mean(axis=1)
return d
def roiChangedEvent(self):
d = self.getRoiData()
self.updateData(d, self.xVals)
|