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 ******************************************************************************/ 009 010package imagingbook.common.corners; 011 012import ij.process.ImageProcessor; 013 014import static imagingbook.common.math.Arithmetic.sqr; 015 016/** 017 * <p> 018 * This is an implementation of the Harris/Stephens corner detector, as described in [1]. See Sec. 6.2 of [2] for 019 * additional details. This class extends {@link GradientCornerDetector} (where most of the work is done) by defining a 020 * specific corner score function. 021 * </p> 022 * <p> 023 * [1] C. G. Harris and M. Stephens. A combined corner and edge detector. In C. J. Taylor, editor, 4th Alvey Vision 024 * Conference, pp. 147–151, Manchester (1988). <br> [2] W. Burger, M.J. Burge, <em>Digital Image Processing – An 025 * Algorithmic Introduction</em>, 3rd ed, Springer (2022). 026 * </p> 027 * 028 * @author WB 029 * @version 2022/03/30 030 */ 031public class HarrisCornerDetector extends GradientCornerDetector { 032 033 public static final double DefaultAlpha = 0.05; 034 035 private double alpha = DefaultAlpha; 036 037 // --------------------------------------------------------------------------- 038 039 public HarrisCornerDetector(ImageProcessor ip, Parameters params) { 040 super(ip, params); 041 } 042 043 /** 044 * Set the sensitivity parameter α (alpha) for the corner score function. 045 * @param alpha sensitivity parameter (default is 0.05) 046 */ 047 public void setAlpha(double alpha) { 048 this.alpha = alpha; 049 } 050 051 // ---------------------------------------------------------------------- 052 053 @Override 054 protected float getCornerScore(float a, float b, float c) { 055 double det = a * b - sqr(c); 056 double trace = a + b; 057 double score = det - alpha * sqr(trace); 058 return (float) Math.sqrt(0.5 * score); // returns 100 for default threshold = 20000 059 } 060 061}