Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Regression tests #14

Merged
merged 6 commits into from
Jan 30, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
6 changes: 6 additions & 0 deletions .github/workflows/pulls.yml
Original file line number Diff line number Diff line change
Expand Up @@ -27,6 +27,12 @@ jobs:
- uses: jakebailey/pyright-action@v2
with:
working-directory: xgpu/
- name: Run Tests
run: |
sudo apt install -y libegl1-mesa libgl1-mesa-dri libxcb-xfixes0-dev mesa-vulkan-drivers
python -m pip install numpy pillow trimesh
python -m pip install .
cd examples/tests && python run_tests.py
- name: Build Wheels
run: |
python -m pip install cibuildwheel==2.16.2
Expand Down
3 changes: 0 additions & 3 deletions .gitignore
Original file line number Diff line number Diff line change
Expand Up @@ -19,9 +19,6 @@
/wgpu_native_unzipped
*.zip

# Random images
*.png

# My dump dir
/ehhhhh

Expand Down
253 changes: 253 additions & 0 deletions examples/tests/harness.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,253 @@
import os
from typing import List, Optional, Tuple

import numpy as np
from numpy.typing import NDArray
from PIL import Image

import xgpu as xg


def default_view(tex: xg.Texture) -> xg.TextureView:
return tex.createView(
format=xg.TextureFormat.Undefined,
dimension=xg.TextureViewDimension.Undefined,
mipLevelCount=1,
arrayLayerCount=1,
)


def proj_frustum(left, right, bottom, top, near, far):
"""Produce a perspective projection matrix from
a frustrum
"""
xs = 2.0 * near / (right - left)
ys = 2.0 * near / (top - bottom)
xz = (right + left) / (right - left)
yz = (top + bottom) / (top - bottom)
zs = -far / (far - near)
z0 = -far * near / (far - near)
return np.array(
[
[xs, 0.0, xz, 0.0],
[0.0, ys, yz, 0.0],
[0.0, 0.0, zs, z0],
[0.0, 0.0, -1.0, 0.0],
]
)


def proj_perspective(fov_y_radians, aspect_ratio, near, far):
"""Produce a perspective projection matrix from a field of view and aspect ratio"""
vheight = 2.0 * near * np.tan(fov_y_radians * 0.5)
vwidth = vheight * aspect_ratio

return proj_frustum(
-vwidth / 2.0, vwidth / 2.0, -vheight / 2.0, vheight / 2.0, near, far
)


def parse_args() -> Tuple[str, bool, float]:
import argparse

parser = argparse.ArgumentParser(description="Run test harness.")
parser.add_argument(
"--snapshots", type=str, help="Snapshot directory", default="snapshots"
)
parser.add_argument("--emit", help="Emit (write) snapshot", action="store_true")
parser.add_argument(
"--threshold",
type=float,
help="Difference threshold (fraction) to fail",
default=0.05,
)
args = parser.parse_args()
return args.snapshots, args.emit, args.threshold


def write_image(filename: str, data: NDArray):
img = Image.fromarray(data, mode="RGBA")
img.save(filename)


def read_image(filename: str) -> NDArray:
img = Image.open(filename)
return np.array(img)


def compare_images(a: NDArray, b: NDArray, thresh=6.0) -> float:
diff = np.sum(np.abs(a.astype(np.float64) - b.astype(np.float64)), axis=2)
total_diff = np.sum(diff > thresh)
total_pixels = a.shape[0] * a.shape[1]
return total_diff / total_pixels


def handle_test_output(test_name: str, output: NDArray):
snapshot_dir, emit, thresh = parse_args()
snapshot_filename = os.path.join(snapshot_dir, f"{test_name}.png")
if emit:
print(f"[ OK ] Writing snapshot to -> {snapshot_filename}")
write_image(snapshot_filename, output)
else:
print(f"Comparing against snapshot <- {snapshot_filename}")
snapshot = read_image(snapshot_filename)
diff = compare_images(snapshot, output)
if diff > thresh:
failname = os.path.join(snapshot_dir, f"FAIL_{test_name}.png")
print("[FAIL] Failing output written to:", failname)
write_image(failname, output)
raise RuntimeError(
f"Output differs by {diff} from snapshot; limit is {thresh}"
)
else:
print(f"[PASS] Output differs by {diff} from snapshot.")


class RenderHarness:
def __init__(
self,
name: str,
resolution: Tuple[int, int] = (512, 512),
color_format=xg.TextureFormat.RGBA8Unorm,
depth_format=xg.TextureFormat.Depth24Plus,
):
self.name = name
self.width, self.height = resolution
self.instance, self.adapter, self.device, _surf = xg.helpers.startup()
texsize = xg.extent3D(width=self.width, height=self.height, depthOrArrayLayers=1)
self.color_tex = self.device.createTexture(
usage=xg.TextureUsage.RenderAttachment | xg.TextureUsage.CopySrc,
dimension=xg.TextureDimension._2D,
size=texsize,
format=color_format,
viewFormats=[color_format],
)
self.depth_tex = self.device.createTexture(
usage=xg.TextureUsage.RenderAttachment,
dimension=xg.TextureDimension._2D,
size=texsize,
format=depth_format,
viewFormats=[depth_format],
)

def create_cube_mesh(self) -> Tuple[xg.Buffer, xg.Buffer, xg.VertexBufferLayout]:
raw_verts = []
for z in [-1.0, 1.0]:
for y in [-1.0, 1.0]:
for x in [-1.0, 1.0]:
raw_verts.extend([x, y, z, 1.0])

vdata = bytes(np.array(raw_verts, dtype=np.float32))
indexlist = """
0 1 3 3 2 0
1 5 7 7 3 1
4 6 7 7 5 4
2 6 4 4 0 2
0 4 5 5 1 0
3 7 6 6 2 3
"""
raw_indices = [int(s) for s in indexlist.split()]
idata = bytes(np.array(raw_indices, dtype=np.uint16))

vbuff = self.device.createBufferWithData(vdata, xg.BufferUsage.Vertex)
ibuff = self.device.createBufferWithData(idata, xg.BufferUsage.Index)

layout = xg.vertexBufferLayout(
arrayStride=16,
stepMode=xg.VertexStepMode.Vertex,
attributes=[
xg.vertexAttribute(
format=xg.VertexFormat.Float32x4,
offset=0,
shaderLocation=0,
),
],
)

return vbuff, ibuff, layout

def create_pipeline(
self,
shader_src: str,
bind_layouts: Optional[List[xg.BindGroupLayout]] = None,
vertex_layouts: Optional[List[xg.VertexBufferLayout]] = None,
):
device = self.device
shader = device.createWGSLShaderModule(code=shader_src)
if bind_layouts is None:
bind_layouts = []
layout = device.createPipelineLayout(bindGroupLayouts=bind_layouts)
self.pipeline_layout = layout

color_tex = self.color_tex

primitive = xg.primitiveState(
topology=xg.PrimitiveTopology.TriangleList,
stripIndexFormat=xg.IndexFormat.Undefined,
)
if vertex_layouts is None:
vertex_layouts = []
vertex = xg.vertexState(
module=shader, entryPoint="vs_main", constants=[], buffers=vertex_layouts
)
color_target = xg.colorTargetState(
format=color_tex.getFormat(),
writeMask=xg.ColorWriteMask.All,
)
multisample = xg.multisampleState()
fragment = xg.fragmentState(
module=shader, entryPoint="fs_main", constants=[], targets=[color_target]
)

default_stencil = xg.stencilFaceState()
depthstencil = xg.depthStencilState(
format=self.depth_tex.getFormat(),
depthWriteEnabled=True,
depthCompare=xg.CompareFunction.Less,
stencilFront=default_stencil,
stencilBack=default_stencil,
)

self.pipeline = device.createRenderPipeline(
layout=layout,
vertex=vertex,
primitive=primitive,
multisample=multisample,
fragment=fragment,
depthStencil=depthstencil,
)

def begin(self) -> xg.RenderPassEncoder:
self.encoder = self.device.createCommandEncoder()

self.color_view = default_view(self.color_tex)
color_attachment = xg.renderPassColorAttachment(
view=self.color_view,
loadOp=xg.LoadOp.Clear,
storeOp=xg.StoreOp.Store,
clearValue=xg.color(r=0.0, g=0.5, b=1.0, a=1.0),
)
self.depth_view = default_view(self.depth_tex)
depth_attachment = xg.renderPassDepthStencilAttachment(
view=self.depth_view,
depthStoreOp=xg.StoreOp.Store,
depthLoadOp=xg.LoadOp.Clear,
depthClearValue=1.0,
stencilLoadOp=xg.LoadOp.Undefined,
stencilStoreOp=xg.StoreOp.Undefined,
)

self.renderpass = self.encoder.beginRenderPass(
colorAttachments=[color_attachment], depthStencilAttachment=depth_attachment
)
self.renderpass.setPipeline(self.pipeline)
return self.renderpass

def finish(self):
self.renderpass.end()
self.device.getQueue().submit([self.encoder.finish()])
texbytes = self.device.readRGBATexture(self.color_tex)
self.output = np.frombuffer(texbytes, dtype=np.uint8).reshape(
(self.height, self.width, -1)
)
handle_test_output(self.name, self.output)
57 changes: 57 additions & 0 deletions examples/tests/run_tests.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,57 @@
import argparse
import subprocess
from typing import Tuple

TESTLIST = ["triangle", "cubes"]


def runtest(name: str, snapshotdir: str, emit: bool, thresh: float) -> Tuple[bool, str]:
args = [
"python",
f"test_{name}.py",
"--snapshots",
snapshotdir,
"--threshold",
str(thresh),
]
if emit:
args.append("--emit")
res = subprocess.run(args)
return res.returncode == 0, f"code: {res.returncode}"


def runtests(snapshotdir: str, emit: bool, thresh: float) -> bool:
pass_count = 0
fail_count = 0
skip_count = 0
for name in TESTLIST:
passed, msg = runtest(name, snapshotdir, emit, thresh)
if passed:
pass_count += 1
print("[PASS]", name)
else:
fail_count += 1
print("[FAIL]", name, msg)
print("-------------------")
if emit:
print(f"Emitted snapshots for {pass_count} tests.")
else:
print(f"{pass_count} passed, {fail_count} failed, {skip_count} skipped.")
return fail_count == 0


if __name__ == "__main__":
parser = argparse.ArgumentParser(description="Run test harness.")
parser.add_argument(
"--snapshots", type=str, help="Snapshot directory", default="snapshots"
)
parser.add_argument("--emit", help="Emit (write) snapshot", action="store_true")
parser.add_argument(
"--threshold",
type=float,
help="Difference threshold (fraction) to fail",
default=0.05,
)
args = parser.parse_args()
if not runtests(args.snapshots, args.emit, args.threshold):
raise RuntimeError("Tests failed.")
Binary file added examples/tests/snapshots/test_cubes.py.png
Loading
Sorry, something went wrong. Reload?
Sorry, we cannot display this file.
Sorry, this file is invalid so it cannot be displayed.
Binary file added examples/tests/snapshots/test_triangle.py.png
Loading
Sorry, something went wrong. Reload?
Sorry, we cannot display this file.
Sorry, this file is invalid so it cannot be displayed.
Loading
Loading