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
|
import sys
from collections import namedtuple
from io import StringIO
from time import sleep
import gc
import numpy as np
from numpy.testing import assert_array_equal
import pytest
from vispy.app import use_app, Canvas, Timer, MouseEvent, KeyEvent
from vispy.app.base import BaseApplicationBackend
from vispy.testing import (requires_application, SkipTest, assert_is,
assert_in, run_tests_if_main,
assert_equal, assert_true, assert_raises, IS_TRAVIS_CI)
from vispy.util import keys, use_log_level
from vispy.gloo.program import (Program, VertexBuffer, IndexBuffer)
from vispy.gloo.util import _screenshot
from vispy.gloo import gl
gl.use_gl('gl2 debug')
def on_nonexist(self, *args):
return
def on_mouse_move(self, *args):
return
def _on_mouse_move(self, *args):
return
def _test_callbacks(canvas):
"""Tests input capabilities, triaging based on backend"""
backend_name = canvas._app.backend_name
backend = canvas._backend
if backend_name.lower() == 'pyglet':
# Test Pyglet callbacks can take reasonable args
backend.on_resize(100, 100)
backend.our_draw_func()
backend.on_mouse_press(10, 10, 1)
backend.on_mouse_release(10, 11, 1)
backend.on_mouse_motion(10, 12, 0, 1)
backend.on_mouse_drag(10, 13, 0, 1, 1, 0)
backend.on_mouse_scroll(10, 13, 1, 1)
backend.on_key_press(10, 0)
backend.on_key_release(10, 0)
backend.on_text('foo')
elif backend_name.lower() == 'glfw':
# Test GLFW callbacks can take reasonable args
_id = backend._id
backend._on_draw(_id)
backend._on_resize(_id, 100, 100)
backend._on_key_press(_id, 340, 340, 1, 0) # Shift.
backend._on_key_press(_id, 50, 50, 1, 0) # 2
backend._on_key_char(_id, 50)
backend._on_key_press(_id, 50, 50, 0, 0)
backend._on_key_press(_id, 340, 340, 0, 0)
backend._on_key_press(_id, 65, 65, 1, 0) # Plain A
backend._on_key_char(_id, 197) # Unicode A.
backend._on_key_char(_id, 197) # Repeat A.
backend._on_key_press(_id, 65, 65, 0, 0)
backend._on_mouse_button(_id, 1, 1, 0)
backend._on_mouse_scroll(_id, 1, 0)
backend._on_mouse_motion(_id, 10, 10)
backend._on_close(_id)
elif any(x in backend_name.lower() for x in ('qt', 'pyside')):
# constructing fake Qt events is too hard :(
pass
elif 'sdl2' in backend_name.lower():
event = namedtuple('event', ['type', 'window', 'motion', 'button',
'wheel', 'key'])
event.type = 512 # WINDOWEVENT
event.window = namedtuple('window', ['event', 'data1', 'data2'])
event.motion = namedtuple('motion', ['x', 'y'])
event.button = namedtuple('button', ['x', 'y', 'button'])
event.wheel = namedtuple('wheel', ['x', 'y'])
event.key = namedtuple('key', ['keysym'])
event.key.keysym = namedtuple('keysym', ['mod', 'sym'])
event.window.event = 5 # WINDOWEVENT_RESIZED
event.window.data1 = 10
event.window.data2 = 20
backend._on_event(event)
event.type = 1024 # SDL_MOUSEMOTION
event.motion.x, event.motion.y = 1, 1
backend._on_event(event)
event.type = 1025 # MOUSEBUTTONDOWN
event.button.x, event.button.y, event.button.button = 1, 1, 1
backend._on_event(event)
event.type = 1026 # MOUSEBUTTONUP
backend._on_event(event)
event.type = 1027 # sdl2.SDL_MOUSEWHEEL
event.wheel.x, event.wheel.y = 0, 1
backend._on_event(event)
event.type = 768 # SDL_KEYDOWN
event.key.keysym.mod = 1073742049 # SLDK_LSHIFT
event.key.keysym.sym = 1073741906 # SDLK_UP
backend._on_event(event)
event.type = 769 # SDL_KEYUP
backend._on_event(event)
elif 'wx' in backend_name.lower():
# Constructing fake wx events is too hard
pass
elif 'osmesa' in backend_name.lower():
# No events for osmesa backend
pass
elif 'tk' in backend_name.lower():
event = namedtuple("event", [
"serial", "time", "type", "widget",
"width", "height",
"char", "keycode", "keysym", "keysym_num", "state",
"x", "y", "x_root", "y_root", "num", "delta"
])
event.width, event.height = 10, 20
backend._on_configure(event) # RESIZE
event.x, event.y, event.state = 1, 1, 0x0
backend._on_mouse_enter(event)
backend._on_mouse_move(event)
event.x, event.y, event.num = 1, 1, 1
backend._on_mouse_button_press(event)
backend._on_mouse_button_release(event)
backend._on_mouse_double_button_press(event)
event.delta = 120
backend._on_mouse_wheel(event)
event.keysym_num, event.keycode, event.state = 65362, 0, 0x0001 # SHIFT+UP
backend._on_key_down(event)
backend._on_key_up(event)
else:
raise ValueError
@requires_application()
def test_run():
"""Test app running"""
for _ in range(2):
with Canvas(size=(100, 100), show=True, title='run') as c:
@c.events.draw.connect
def draw(event):
print(event) # test event __repr__
c.app.quit()
c.update()
c.app.run()
c.app.quit() # make sure it doesn't break if a user quits twice
@requires_application()
def test_capability():
"""Test application capability enumeration"""
non_default_vals = dict(title='foo', size=[100, 100], position=[0, 0],
show=True, decorate=False, resizable=False,
vsync=True) # context is tested elsewhere
good_kwargs = dict()
bad_kwargs = dict()
with Canvas() as c:
for key, val in c.app.backend_module.capability.items():
if key in non_default_vals:
if val:
good_kwargs[key] = non_default_vals[key]
else:
bad_kwargs[key] = non_default_vals[key]
# bug on 3.3.1
# https://github.com/glfw/glfw/issues/1620
if c.app.backend_name == 'Glfw' and \
c.app.backend_module.glfw.__version__ == (3, 3, 1):
good_kwargs.pop('decorate')
# ensure all settable values can be set
with Canvas(**good_kwargs):
# some of these are hard to test, and the ones that are easy are
# tested elsewhere, so let's just make sure it runs here
pass
# ensure that *any* bad argument gets caught
for key, val in bad_kwargs.items():
assert_raises(RuntimeError, Canvas, **{key: val})
@requires_application()
def test_application():
"""Test application running"""
app = use_app()
print(app) # __repr__ without app
app.create()
wrong = 'glfw' if app.backend_name.lower() != 'glfw' else 'pyqt5'
assert_raises(RuntimeError, use_app, wrong)
app.process_events()
print(app) # test __repr__
assert_raises(ValueError, Canvas, keys='foo')
assert_raises(TypeError, Canvas, keys=dict(escape=1))
assert_raises(ValueError, Canvas, keys=dict(escape='foo')) # not an attr
pos = [0, 0] if app.backend_module.capability['position'] else None
size = (100, 100)
# Use "with" statement so failures don't leave open window
# (and test context manager behavior)
title = 'default'
with Canvas(title=title, size=size, app=app, show=True,
position=pos) as canvas:
context = canvas.context
assert_true(canvas.create_native() is None) # should be done already
assert_is(canvas.app, app)
assert_true(canvas.native)
assert_equal('swap_buffers', canvas.events.draw.callback_refs[-1])
canvas.measure_fps(0.001)
sleep(0.002)
canvas.update()
app.process_events()
assert_true(canvas.fps > 0)
# Other methods
print(canvas) # __repr__
assert_equal(canvas.title, title)
canvas.title = 'you'
with use_log_level('warning', record=True, print_msg=False):
if app.backend_module.capability['position']:
# todo: disable more tests based on capability
canvas.position = pos
canvas.size = size
canvas.connect(on_mouse_move)
assert_raises(ValueError, canvas.connect, _on_mouse_move)
if sys.platform != 'darwin': # XXX knownfail, prob. needs warmup
canvas.show(False)
canvas.show()
app.process_events()
assert_raises(ValueError, canvas.connect, on_nonexist)
# deprecation of "paint"
with use_log_level('info', record=True, print_msg=False) as log:
olderr = sys.stderr
try:
fid = StringIO()
sys.stderr = fid
@canvas.events.paint.connect
def fake(event):
pass
finally:
sys.stderr = olderr
assert_equal(len(log), 1)
assert_in('deprecated', log[0])
# screenshots
gl.glViewport(0, 0, *size)
ss = _screenshot()
assert_array_equal(ss.shape, size + (4,))
assert_equal(len(canvas._backend._vispy_get_geometry()), 4)
if sys.platform != 'win32': # XXX knownfail for windows
assert_array_equal(canvas.size, size)
assert_equal(len(canvas.position), 2) # XXX knownfail, doesn't "take"
# GLOO: should have an OpenGL context already, so these should work
vert = "void main (void) {gl_Position = pos;}"
frag = "void main (void) {gl_FragColor = pos;}"
program = Program(vert, frag)
assert_raises(RuntimeError, program.glir.flush, context.shared.parser)
vert = "uniform vec4 pos;\nvoid main (void) {gl_Position = pos;}"
frag = "uniform vec4 pos;\nvoid main (void) {gl_FragColor = pos;}"
program = Program(vert, frag)
# uniform = program.uniforms[0]
program['pos'] = [1, 2, 3, 4]
vert = "attribute vec4 pos;\nvoid main (void) {gl_Position = pos;}"
frag = "void main (void) {}"
program = Program(vert, frag)
# attribute = program.attributes[0]
program["pos"] = [1, 2, 3, 4]
# use a real program
program._glir.clear()
vert = ("uniform mat4 u_model;"
"attribute vec2 a_position; attribute vec4 a_color;"
"varying vec4 v_color;"
"void main (void) {v_color = a_color;"
"gl_Position = u_model * vec4(a_position, 0.0, 1.0);"
"v_color = a_color;}")
frag = "void main() {gl_FragColor = vec4(0.0, 0.0, 0.0, 1.0);}"
n, p = 250, 50
T = np.random.uniform(0, 2 * np.pi, n)
position = np.zeros((n, 2), dtype=np.float32)
position[:, 0] = np.cos(T)
position[:, 1] = np.sin(T)
color = np.ones((n, 4), dtype=np.float32) * (1, 1, 1, 1)
data = np.zeros(n * p, [('a_position', np.float32, 2),
('a_color', np.float32, 4)])
data['a_position'] = np.repeat(position, p, axis=0)
data['a_color'] = np.repeat(color, p, axis=0)
program = Program(vert, frag)
program.bind(VertexBuffer(data))
program['u_model'] = np.eye(4, dtype=np.float32)
# different codepath if no call to activate()
program.draw(gl.GL_POINTS)
subset = IndexBuffer(np.arange(10, dtype=np.uint32))
program.draw(gl.GL_POINTS, subset)
# bad programs
frag_bad = ("varying vec4 v_colors") # no semicolon
program = Program(vert, frag_bad)
assert_raises(RuntimeError, program.glir.flush, context.shared.parser)
frag_bad = None # no fragment code. no main is not always enough
assert_raises(ValueError, Program, vert, frag_bad)
# Timer
timer = Timer(interval=0.001, connect=on_mouse_move, iterations=2,
start=True, app=app)
timer.start()
timer.interval = 0.002
assert_equal(timer.interval, 0.002)
assert_true(timer.running)
sleep(.003)
assert_true(timer.elapsed >= 0.002)
timer.stop()
assert_true(not timer.running)
assert_true(timer.native)
timer.disconnect()
# test that callbacks take reasonable inputs
_test_callbacks(canvas)
# cleanup
canvas.swap_buffers()
canvas.update()
app.process_events()
# put this in even though __exit__ will call it to make sure we don't
# have problems calling it multiple times
canvas.close() # done by context
@requires_application()
def test_fs():
"""Test fullscreen support"""
a = use_app()
if not a.backend_module.capability['fullscreen']:
return
assert_raises(TypeError, Canvas, fullscreen='foo')
if (a.backend_name.lower() == 'glfw' or
(a.backend_name.lower() == 'sdl2' and sys.platform == 'darwin')):
raise SkipTest('Backend takes over screen')
with use_log_level('warning', record=True, print_msg=False) as emit_list:
with Canvas(fullscreen=False) as c:
assert_equal(c.fullscreen, False)
c.fullscreen = True
assert_equal(c.fullscreen, True)
assert_equal(len(emit_list), 0)
with use_log_level('warning', record=True, print_msg=False):
# some backends print a warning b/c fullscreen can't be specified
with Canvas(fullscreen=True) as c:
assert_equal(c.fullscreen, True)
@requires_application()
def test_close_keys():
"""Test close keys"""
c = Canvas(keys='interactive')
x = list()
@c.events.close.connect
def closer(event):
x.append('done')
c.events.key_press(key=keys.ESCAPE, text='', modifiers=[])
assert_equal(len(x), 1) # ensure the close event was sent
c.app.process_events()
@pytest.mark.skipif(IS_TRAVIS_CI and 'darwin' in sys.platform,
reason='Travis OSX causes segmentation fault on this test for an unknown reason.')
@requires_application()
def test_event_order():
"""Test event order"""
x = list()
class MyCanvas(Canvas):
def on_initialize(self, event):
x.append('init')
def on_draw(self, event):
sz = True if self.size is not None else False
x.append('draw size=%s show=%s' % (sz, show))
def on_close(self, event):
x.append('close')
for show in (False, True):
# clear our storage variable
while x:
x.pop()
with MyCanvas(show=show) as c:
c.update()
c.app.process_events()
print(x)
assert_true(len(x) >= 3)
assert_equal(x[0], 'init')
assert_in('draw size=True', x[1])
assert_in('draw size=True', x[-2])
assert_equal(x[-1], 'close')
del c
gc.collect()
def test_abstract():
"""Test app abstract template"""
app = BaseApplicationBackend()
for fun in (app._vispy_get_backend_name, app._vispy_process_events,
app._vispy_run, app._vispy_quit):
assert_raises(NotImplementedError, fun)
def test_mouse_key_events():
"""Test mouse and key events"""
me = MouseEvent('mouse_press')
for fun in (me.pos, me.button, me.buttons, me.modifiers, me.delta,
me.press_event, me.last_event, me.is_dragging):
fun
me.drag_events()
me._forget_last_event()
me.trail()
ke = KeyEvent('key_release')
ke.key
ke.text
ke.modifiers
run_tests_if_main()
|