quadrilateral-fitter


Namequadrilateral-fitter JSON
Version 1.12 PyPI version JSON
download
home_pagehttps://github.com/Eric-Canas/quadrilateral-fitter
SummaryQuadrilateralFitter is an efficient and easy-to-use Python library for fitting irregular quadrilaterals from irregular polygons or any noisy data.
upload_time2024-08-28 19:27:55
maintainerNone
docs_urlNone
authorEric-Canas
requires_python>=3.6
licenseMIT
keywords quadrilateral fitter polygon shape analysis geometry
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            # QuadrilateralFitter
<img alt="QuadrilateralFitter Logo" title="QuadrilateralFitter" src="https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/logo.png" width="20%" align="left"> **QuadrilateralFitter** is an efficient and easy-to-use library for fitting irregular quadrilaterals from polygons or point clouds.

**QuadrilateralFitter** helps you find that four corners polygon that **best approximates** your noisy data or detection, so you can apply further processing steps like: _perspective correction_ or _pattern matching_, without worrying about noise or non-expected vertex.

Optimal **Fitted Quadrilateral** is the smallest area quadrilateral that contains all the points inside a given polygon.

## Installation

You can install **QuadrilateralFitter** with pip:

```bash
pip install quadrilateral-fitter
```

## Usage

There is only one line you need to use **QuadrilateralFitter**:

```python
from quadrilateral_fitter import QuadrilateralFitter

# Fit an input polygon of N sides
fitted_quadrilateral = QuadrilateralFitter(polygon=your_noisy_polygon).fit()
```

<div align="center">
  <img alt="Fitting Example 1" title="Fitting Example 1" src="https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/basic_example_1.png" height="250px">
         &nbsp;
  <img alt="Fitting Example 2" title="Fitting Example 2" src="https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/basic_example_2.png" height="250px">&nbsp;
</div>

If your application can accept fitted quadrilateral to don't strictly include all points within input polygon, you can get the tighter quadrilateral shown as `Initial Guess` with:

```python
fitted_quadrilateral = QuadrilateralFitter(polygon=your_noisy_polygon).tight_quadrilateral
```

## API Reference

### QuadrilateralFitter(polygon)

Initialize the **QuadrilateralFitter** instance..

- `polygon`: **np.ndarray | tuple | list | shapely.Polygon**. List of the polygon coordinates. It must be a list of coordinates, in the format `XY`, shape (N, 2).

### QuadrilateralFitter.fit(simplify_polygons_larger_than = 10):
- `simplify_polygons_larger_than`: **int | None**. List of the polygon coordinates. It must be a list of coordinates, in the format `XY`, shape (N, 2). If a number is specified, the method will make a preliminar _Douglas-Peucker_ simplification of the internally used _Convex Hull_ if it has more than `simplify_polygons_larger_than vertices`. This will speed up the process, but may lead to a sub-optimal quadrilateral approximation. Default: 10.

**Returns**: **tuple[tuple[float, float], tuple[float, float], tuple[float, float], tuple[float, float]]**: A `tuple` containing the four `XY` coordinates of the fitted cuadrilateral. This quadrilateral will minimize the **IoU** (Intersection Over Union) with the input _polygon_, while containing all its points inside. If your use case can allow loosing points from the input polygon, you can read the `QuadrilateralFitter.tight_polygon` property to obtain a tighter quadrilateral.


## Real Case Example

Let's simulate a real case scenario where we detect a noisy polygon from a form that we know should be a perfect rectangle (only deformed by perspective).

```python
import numpy as np
import cv2

image = cv2.cvtColor(cv2.imread('./resources/input_sample.jpg'), cv2.COLOR_BGR2RGB)   

# Save the Ground Truth corners
true_corners = np.array([[50., 100.], [370., 0.], [421., 550.], [0., 614.], [50., 100.]], dtype=np.float32)

# Generate a simulated noisy detection
sides = [np.linspace([x1, y1], [x2, y2], 20) + np.random.normal(scale=10, size=(20, 2))
         for (x1, y1), (x2, y2) in zip(true_corners[:-1], true_corners[1:])]
noisy_corners = np.concatenate(sides, axis=0)

# To simplify, we will clip the corners to be within the image
noisy_corners[:, 0] = np.clip(noisy_corners[:, 0], a_min=0., a_max=image.shape[1])
noisy_corners[:, 1] = np.clip(noisy_corners[:, 1], a_min=0., a_max=image.shape[0])
```
<div align="center">
<img alt="Input Sample" title="Input Sample" src="https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/input_noisy_detection.png" height="300px" align="center">
</div>

And now, let's run **QuadrilateralFitter** to find the quadrilateral that best approximates our noisy detection (without leaving points outside).

```python
from quadrilateral_fitter import QuadrilateralFitter

# Define the fitter (we want to keep it for reading internal variables later)
fitter = QuadrilateralFitter(polygon=noisy_corners)

# Get the fitted quadrilateral that contains all the points inside the input polygon
fitted_quadrilateral = np.array(fitter.fit(), dtype=np.float32)
# If you wanna to get a tighter mask, less likely to contain points outside the real quadrilateral, 
# but that cannot ensure to always contain all the points within the input polygon, you can use:
tight_quadrilateral = np.array(fitter.tight_quadrilateral, dtype=np.float32)

# To show the plot of the fitting process
fitter.plot()
```

<div align="center">
  <img alt="Fitting Process" title="Fitting Process" src="https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/fitting_process.png" height="300px">
         &nbsp; &nbsp;
  <img alt="Fitted Quadrilateral" title="Fitted Quadrilateral" src="https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/fitted_quadrilateral.png" height="300px">&nbsp;
</div>

Finally, for use cases like this, we could use fitted quadrilaterals to apply a perspective correction to the image, so we can get a visual insight of the results.

```python
# Generate the destiny points for the perspective correction by adjusting it to a perfect rectangle
h, w = image.shape[:2]

for quadrilateral in (fitted_quadrilateral, tight_quadrilateral):
    # Cast it to a numpy for agile manipulation
    quadrilateral = np.array(quadrilateral, dtype=np.float32)

    # Get the bounding box of the fitted quadrilateral
    min_x, min_y = np.min(quadrilateral, axis=0)
    max_x, max_y = np.max(quadrilateral, axis=0)

    # Define the destiny points for the perspective correction
    destiny_points = np.array(((min_x, min_y), (max_x, min_y),
                               (max_x, max_y), (min_x, max_y)), dtype=np.float32)

    # Calculate the homography matrix from the quadrilateral to the rectangle
    homography_matrix, _ = cv2.findHomography(srcPoints=quadrilateral, dstPoints=rect_points)
    # Warp the image using the homography matrix
    warped_image = cv2.warpPerspective(src=image, M=homography_matrix, dsize=(w, h))
```

<div align="center">
  <img alt="Input Segmentation" title="Input Segmentation" src="https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/input_segmentation.png" height="230px">
  <img alt="Corrected Perspective Fitted" title="Corrected Perspective Fitted" src="https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/corrected_perspective_fitted.png" height="230px">
  <img alt="Corrected Perspective Tight" title="Corrected Perspective Tight" src="https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/corrected_perspective_tight.png" height="230px">
</div>

            

Raw data

            {
    "_id": null,
    "home_page": "https://github.com/Eric-Canas/quadrilateral-fitter",
    "name": "quadrilateral-fitter",
    "maintainer": null,
    "docs_url": null,
    "requires_python": ">=3.6",
    "maintainer_email": null,
    "keywords": "quadrilateral, fitter, polygon, shape analysis, geometry",
    "author": "Eric-Canas",
    "author_email": "eric@ericcanas.com",
    "download_url": "https://files.pythonhosted.org/packages/bb/08/b8dab6b34c319464c31a3b8f2e15f3150c96dd3a13274f4fe21d296555a1/quadrilateral_fitter-1.12.tar.gz",
    "platform": "any",
    "description": "# QuadrilateralFitter\n<img alt=\"QuadrilateralFitter Logo\" title=\"QuadrilateralFitter\" src=\"https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/logo.png\" width=\"20%\" align=\"left\"> **QuadrilateralFitter** is an efficient and easy-to-use library for fitting irregular quadrilaterals from polygons or point clouds.\n\n**QuadrilateralFitter** helps you find that four corners polygon that **best approximates** your noisy data or detection, so you can apply further processing steps like: _perspective correction_ or _pattern matching_, without worrying about noise or non-expected vertex.\n\nOptimal **Fitted Quadrilateral** is the smallest area quadrilateral that contains all the points inside a given polygon.\n\n## Installation\n\nYou can install **QuadrilateralFitter** with pip:\n\n```bash\npip install quadrilateral-fitter\n```\n\n## Usage\n\nThere is only one line you need to use **QuadrilateralFitter**:\n\n```python\nfrom quadrilateral_fitter import QuadrilateralFitter\n\n# Fit an input polygon of N sides\nfitted_quadrilateral = QuadrilateralFitter(polygon=your_noisy_polygon).fit()\n```\n\n<div align=\"center\">\n  <img alt=\"Fitting Example 1\" title=\"Fitting Example 1\" src=\"https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/basic_example_1.png\" height=\"250px\">\n         &nbsp;\n  <img alt=\"Fitting Example 2\" title=\"Fitting Example 2\" src=\"https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/basic_example_2.png\" height=\"250px\">&nbsp;\n</div>\n\nIf your application can accept fitted quadrilateral to don't strictly include all points within input polygon, you can get the tighter quadrilateral shown as `Initial Guess` with:\n\n```python\nfitted_quadrilateral = QuadrilateralFitter(polygon=your_noisy_polygon).tight_quadrilateral\n```\n\n## API Reference\n\n### QuadrilateralFitter(polygon)\n\nInitialize the **QuadrilateralFitter** instance..\n\n- `polygon`: **np.ndarray | tuple | list | shapely.Polygon**. List of the polygon coordinates. It must be a list of coordinates, in the format `XY`, shape (N, 2).\n\n### QuadrilateralFitter.fit(simplify_polygons_larger_than = 10):\n- `simplify_polygons_larger_than`: **int | None**. List of the polygon coordinates. It must be a list of coordinates, in the format `XY`, shape (N, 2). If a number is specified, the method will make a preliminar _Douglas-Peucker_ simplification of the internally used _Convex Hull_ if it has more than `simplify_polygons_larger_than vertices`. This will speed up the process, but may lead to a sub-optimal quadrilateral approximation. Default: 10.\n\n**Returns**: **tuple[tuple[float, float], tuple[float, float], tuple[float, float], tuple[float, float]]**: A `tuple` containing the four `XY` coordinates of the fitted cuadrilateral. This quadrilateral will minimize the **IoU** (Intersection Over Union) with the input _polygon_, while containing all its points inside. If your use case can allow loosing points from the input polygon, you can read the `QuadrilateralFitter.tight_polygon` property to obtain a tighter quadrilateral.\n\n\n## Real Case Example\n\nLet's simulate a real case scenario where we detect a noisy polygon from a form that we know should be a perfect rectangle (only deformed by perspective).\n\n```python\nimport numpy as np\nimport cv2\n\nimage = cv2.cvtColor(cv2.imread('./resources/input_sample.jpg'), cv2.COLOR_BGR2RGB)   \n\n# Save the Ground Truth corners\ntrue_corners = np.array([[50., 100.], [370., 0.], [421., 550.], [0., 614.], [50., 100.]], dtype=np.float32)\n\n# Generate a simulated noisy detection\nsides = [np.linspace([x1, y1], [x2, y2], 20) + np.random.normal(scale=10, size=(20, 2))\n         for (x1, y1), (x2, y2) in zip(true_corners[:-1], true_corners[1:])]\nnoisy_corners = np.concatenate(sides, axis=0)\n\n# To simplify, we will clip the corners to be within the image\nnoisy_corners[:, 0] = np.clip(noisy_corners[:, 0], a_min=0., a_max=image.shape[1])\nnoisy_corners[:, 1] = np.clip(noisy_corners[:, 1], a_min=0., a_max=image.shape[0])\n```\n<div align=\"center\">\n<img alt=\"Input Sample\" title=\"Input Sample\" src=\"https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/input_noisy_detection.png\" height=\"300px\" align=\"center\">\n</div>\n\nAnd now, let's run **QuadrilateralFitter** to find the quadrilateral that best approximates our noisy detection (without leaving points outside).\n\n```python\nfrom quadrilateral_fitter import QuadrilateralFitter\n\n# Define the fitter (we want to keep it for reading internal variables later)\nfitter = QuadrilateralFitter(polygon=noisy_corners)\n\n# Get the fitted quadrilateral that contains all the points inside the input polygon\nfitted_quadrilateral = np.array(fitter.fit(), dtype=np.float32)\n# If you wanna to get a tighter mask, less likely to contain points outside the real quadrilateral, \n# but that cannot ensure to always contain all the points within the input polygon, you can use:\ntight_quadrilateral = np.array(fitter.tight_quadrilateral, dtype=np.float32)\n\n# To show the plot of the fitting process\nfitter.plot()\n```\n\n<div align=\"center\">\n  <img alt=\"Fitting Process\" title=\"Fitting Process\" src=\"https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/fitting_process.png\" height=\"300px\">\n         &nbsp; &nbsp;\n  <img alt=\"Fitted Quadrilateral\" title=\"Fitted Quadrilateral\" src=\"https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/fitted_quadrilateral.png\" height=\"300px\">&nbsp;\n</div>\n\nFinally, for use cases like this, we could use fitted quadrilaterals to apply a perspective correction to the image, so we can get a visual insight of the results.\n\n```python\n# Generate the destiny points for the perspective correction by adjusting it to a perfect rectangle\nh, w = image.shape[:2]\n\nfor quadrilateral in (fitted_quadrilateral, tight_quadrilateral):\n    # Cast it to a numpy for agile manipulation\n    quadrilateral = np.array(quadrilateral, dtype=np.float32)\n\n    # Get the bounding box of the fitted quadrilateral\n    min_x, min_y = np.min(quadrilateral, axis=0)\n    max_x, max_y = np.max(quadrilateral, axis=0)\n\n    # Define the destiny points for the perspective correction\n    destiny_points = np.array(((min_x, min_y), (max_x, min_y),\n                               (max_x, max_y), (min_x, max_y)), dtype=np.float32)\n\n    # Calculate the homography matrix from the quadrilateral to the rectangle\n    homography_matrix, _ = cv2.findHomography(srcPoints=quadrilateral, dstPoints=rect_points)\n    # Warp the image using the homography matrix\n    warped_image = cv2.warpPerspective(src=image, M=homography_matrix, dsize=(w, h))\n```\n\n<div align=\"center\">\n  <img alt=\"Input Segmentation\" title=\"Input Segmentation\" src=\"https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/input_segmentation.png\" height=\"230px\">\n  <img alt=\"Corrected Perspective Fitted\" title=\"Corrected Perspective Fitted\" src=\"https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/corrected_perspective_fitted.png\" height=\"230px\">\n  <img alt=\"Corrected Perspective Tight\" title=\"Corrected Perspective Tight\" src=\"https://raw.githubusercontent.com/Eric-Canas/quadrilateral-fitter/main/resources/corrected_perspective_tight.png\" height=\"230px\">\n</div>\n",
    "bugtrack_url": null,
    "license": "MIT",
    "summary": "QuadrilateralFitter is an efficient and easy-to-use Python library for fitting irregular quadrilaterals from irregular polygons or any noisy data.",
    "version": "1.12",
    "project_urls": {
        "Homepage": "https://github.com/Eric-Canas/quadrilateral-fitter"
    },
    "split_keywords": [
        "quadrilateral",
        " fitter",
        " polygon",
        " shape analysis",
        " geometry"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "38649cbc5397bdd3ec60b0120f79c6459733db6428c688a4a76d4cb2f36d6ed6",
                "md5": "5a6aa0408fe623363723b4189bd45e6e",
                "sha256": "2de942db1af8c4517bb8849f5787749c5e564b9515573bf1eba988ad6a05eca8"
            },
            "downloads": -1,
            "filename": "quadrilateral_fitter-1.12-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "5a6aa0408fe623363723b4189bd45e6e",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": ">=3.6",
            "size": 13232,
            "upload_time": "2024-08-28T19:27:53",
            "upload_time_iso_8601": "2024-08-28T19:27:53.933842Z",
            "url": "https://files.pythonhosted.org/packages/38/64/9cbc5397bdd3ec60b0120f79c6459733db6428c688a4a76d4cb2f36d6ed6/quadrilateral_fitter-1.12-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "bb08b8dab6b34c319464c31a3b8f2e15f3150c96dd3a13274f4fe21d296555a1",
                "md5": "9f3c43c518ecbaf83785f139d6715ba3",
                "sha256": "34b15b057c58cfd7ea63292227b1513c0b2a674c63ed7339c24847c780ac4656"
            },
            "downloads": -1,
            "filename": "quadrilateral_fitter-1.12.tar.gz",
            "has_sig": false,
            "md5_digest": "9f3c43c518ecbaf83785f139d6715ba3",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": ">=3.6",
            "size": 14671,
            "upload_time": "2024-08-28T19:27:55",
            "upload_time_iso_8601": "2024-08-28T19:27:55.660796Z",
            "url": "https://files.pythonhosted.org/packages/bb/08/b8dab6b34c319464c31a3b8f2e15f3150c96dd3a13274f4fe21d296555a1/quadrilateral_fitter-1.12.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-08-28 19:27:55",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "Eric-Canas",
    "github_project": "quadrilateral-fitter",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": false,
    "requirements": [],
    "lcname": "quadrilateral-fitter"
}
        
Elapsed time: 4.49186s