checkAndNudgePoints static method

void checkAndNudgePoints(
  1. BitMatrix image,
  2. List<double> points
)

Checks a set of points that have been transformed to sample points on an image against the image's dimensions to see if the point are even within the image.

This method will actually "nudge" the endpoints back onto the image if they are found to be barely (less than 1 pixel) off the image. This accounts for imperfect detection of finder patterns in an image where the QR Code runs all the way to the image border.

For efficiency, the method will check points from either end of the line until one is found to be within the image. Because the set of points are assumed to be linear, this is valid.

@param image image into which the points should map @param points actual points in x1,y1,...,xn,yn form @throws NotFoundException if an endpoint is lies outside the image boundaries

Implementation

//@protected
static void checkAndNudgePoints(BitMatrix image, List<double> points) {
  final width = image.width;
  final height = image.height;
  // Check and nudge points from start until we see some that are OK:
  bool nudged = true;
  final maxOffset = points.length - 1; // points.length must be even
  for (int offset = 0; offset < maxOffset && nudged; offset += 2) {
    final x = points[offset].toInt();
    final y = points[offset + 1].toInt();
    if (x < -1 || x > width || y < -1 || y > height) {
      throw NotFoundException.instance;
    }
    nudged = false;
    if (x == -1) {
      points[offset] = 0.0;
      nudged = true;
    } else if (x == width) {
      points[offset] = width - 1;
      nudged = true;
    }
    if (y == -1) {
      points[offset + 1] = 0.0;
      nudged = true;
    } else if (y == height) {
      points[offset + 1] = height - 1;
      nudged = true;
    }
  }
  // Check and nudge points from end:
  nudged = true;
  for (int offset = points.length - 2; offset >= 0 && nudged; offset -= 2) {
    final x = points[offset].toInt();
    final y = points[offset + 1].toInt();
    if (x < -1 || x > width || y < -1 || y > height) {
      throw NotFoundException.instance;
    }
    nudged = false;
    if (x == -1) {
      points[offset] = 0.0;
      nudged = true;
    } else if (x == width) {
      points[offset] = width - 1;
      nudged = true;
    }
    if (y == -1) {
      points[offset + 1] = 0.0;
      nudged = true;
    } else if (y == height) {
      points[offset + 1] = height - 1;
      nudged = true;
    }
  }
}