001/******************************************************************************* 002 * This software is provided as a supplement to the authors' textbooks on digital 003 * image processing published by Springer-Verlag in various languages and editions. 004 * Permission to use and distribute this software is granted under the BSD 2-Clause 005 * "Simplified" License (see http://opensource.org/licenses/BSD-2-Clause). 006 * Copyright (c) 2006-2023 Wilhelm Burger, Mark J. Burge. All rights reserved. 007 * Visit https://imagingbook.com for additional details. 008 ******************************************************************************/ 009package imagingbook.common.geometry.shape; 010 011import imagingbook.common.geometry.basic.Pnt2d; 012import imagingbook.common.geometry.basic.Primitive2d; 013 014import java.awt.Shape; 015 016/** 017 * Used to check if AWT shapes produced by {@link ShapeProducer#getShape()} match the underlying curve 018 * ({@link Primitive2d}). This is mainly used to test if generated shapes (to be drawn to the screen) are sufficiently 019 * accurate. 020 * 021 * @see ShapeProducer 022 * @see Primitive2d 023 */ 024public class ShapeChecker { 025 026 private final double tolerance; 027 028 /** 029 * Constructor. 030 * 031 * @param tolerance maximum deviation between curve and shape 032 */ 033 public ShapeChecker(double tolerance) { 034 this.tolerance = tolerance; 035 } 036 037 /** 038 * Constructor. 039 */ 040 public ShapeChecker() { 041 this(0.5); 042 } 043 044 /** 045 * Checks if all points of the specified AWT {@link Shape} are sufficiently close to the {@link Primitive2d} 046 * instance specified in the constructor. This is typically used to test if a shape produced by 047 * {@link ShapeProducer#getShape()} coincides with this curve. Only the discrete sample points produced by 048 * {@link ShapePointIterator} are checked, not the points on connecting polygon segments. Typical usage example: 049 * <pre> 050 * GeometricCircle circle = ... ; // implements ShapeProducer and Curve2d 051 * Shape shape = circle.getShape(); 052 * boolean ok = new ShapeChecker().checkShape(circle, shape);</pre> 053 * 054 * @param curve a {@link Primitive2d} instance 055 * @param shape the AWT shape to check 056 * @return true if all points of the shape are closer to the curve than tolerance 057 */ 058 public boolean check(Primitive2d curve, Shape shape) { 059 ShapePointIterator iter = new ShapePointIterator(shape, 0.5 * tolerance); 060 boolean result = true; 061 while(iter.hasNext()) { 062 Pnt2d p = iter.next(); 063 if (curve.getDistance(p) > tolerance) { 064 result = false; 065 break; 066 } 067 } 068 return result; 069 } 070 071}