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.image.interpolation; 011 012import imagingbook.common.image.access.ScalarAccessor; 013 014/** 015 * <p> 016 * A {@link PixelInterpolator} implementing spline interpolation in 2D. See Sec. 22.4 of [1] for additional details. 017 * </p> 018 * <p> 019 * [1] W. Burger, M.J. Burge, <em>Digital Image Processing – An Algorithmic Introduction</em>, 3rd ed, Springer 020 * (2022). 021 * </p> 022 * 023 * @author WB 024 * @version 2022/09/16 025 * @see CatmullRomInterpolator 026 * @see CubicBSplineInterpolator 027 * @see MitchellNetravaliInterpolator 028 */ 029public class SplineInterpolator implements PixelInterpolator { 030 private final double a; 031 private final double b; 032 033 /** 034 * Constructor for creating a custom spline interpolator. 035 * @param a spline control parameter 036 * @param b spline control parameter 037 */ 038 public SplineInterpolator(double a, double b) { 039 super(); 040 this.a = a; 041 this.b = b; 042 } 043 044 @Override 045 public float getInterpolatedValue(ScalarAccessor ia, double x, double y) { 046 final int u0 = (int) Math.floor(x); //use floor to handle negative coordinates too 047 final int v0 = (int) Math.floor(y); 048 double q = 0; 049 for (int j = 0, v = v0 - 1; j <= 3; j++, v++) { 050// int v = v0 + j - 1; 051 double p = 0; 052 for (int i = 0, u = u0 - 1; i <= 3; i++, u++) { 053// int u = u0 + i - 1; 054 p = p + w_cs(x - u) * ia.getVal(u, v); 055 } 056 q = q + w_cs(y - v) * p; 057 } 058 return (float) q; 059 } 060 061 private double w_cs(double x) { 062 x = Math.abs(x); 063 double w = 0; 064 if (x < 1) 065 w = (-6*a - 9*b + 12) * x*x*x + (6*a + 12*b - 18) * x*x - 2*b + 6; 066 else if (x < 2) 067 w = (-6*a - b) * x*x*x + (30*a + 6*b) * x*x + (-48*a - 12*b) * x + 24*a + 8*b; 068 return w/6; 069 } 070 071 @Override 072 public double getWeight(double x) { 073 return w_cs(x); 074 } 075 076}