Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Write a first version of the getting started page #50

Merged
merged 10 commits into from
Jul 16, 2016
Merged
334 changes: 327 additions & 7 deletions docs/getting_started.rst
Original file line number Diff line number Diff line change
@@ -1,18 +1,338 @@
===============
.. include:: references.txt

.. _gs:

***************
Getting started
===============
***************

.. warning::
This ``regions`` package is in a very early stage of development.
It is not feature complete or API stable!
That said, please have a look and try to use it for your applications.
Feedback and contributions welcome!

.. _gs-intro:

Introduction
============

The `regions` package provides classes representing sky regions,
for example `~regions.CircleSkyRegion`, as well as "pixel regions",
for example `~regions.CirclePixelRegion`.

Sky regions are independent of an image. Pixel regions are connected to an image.
To transform between sky and pixel regions, a word coordinate system
(represented by a `~astropy.wcs.WCS` object) is used.

Let's make a region:
The `astropy.coordinates` package provides the `~astropy.coordinates.Angle`
and `~astropy.coordinates.SkyCoord` classes, put no class to represent pixel coordinates.
So we will start by introducing the `regions.PixCoord` class in the next section,
and then move on and show how to work with sky and pixel regions.

.. _gs-pixcoord:

Pixel coordinates
=================

TODO: write me

.. _gs-sky:

Sky regions
===========

This is how to create a sky region:

.. code-block:: python
from astropy.coordinates import Angle, SkyCoord
import regions
from regions import CircleSkyRegion
center = SkyCoord(42, 43, unit='deg')
radius = Angle(3, 'deg')
region = regions.shapes.CircleSkyRegion(center, radius)
print(region)
region = CircleSkyRegion(center, radius)
You can print the regions to get some info about its properties:

.. code-block:: python
>>> print(region)
CircleSkyRegion
Center:<SkyCoord (ICRS): (ra, dec) in deg
(42.0, 43.0)>
Radius:3.0 deg
To see a list of all available sky regions, you can go to the API docs
or in IPython print the list like this:

.. code-block:: none
In [1]: import regions
In [2]: regions.*SkyRegion?
.. _gs-pix:

Pixel regions
=============

In the previous section we introduced sky regions, which represent (surprise) regions on the sky sphere,
and are independent of an image or projection of the sky.

Sometimes you need regions connected to a sky image, where coordinates are given in cartesian pixel coordinates.
For those, there's a `~regions.PixCoord` class to represent a point, and a set of "pixel region" classes.
One example is `~regions.CirclePixelRegion`:

.. code-block:: python
from astropy.coordinates import Angle, SkyCoord
from regions import PixCoord, CirclePixelRegion
center = PixCoord(x=42, y=43)
radius = 4.2
region = CirclePixelRegion(center, radius)
You can print the regions to get some info about its properties:

.. code-block:: python
>>> print(region)
CirclePixelRegion
Center: PixCoord
x : 42
y : 43
Radius: 4.2
To see a list of all available sky regions, you can go to the API docs
or in IPython print the list like this:

.. code-block:: none
In [1]: import regions
In [2]: regions.*PixelRegion?
.. _gs-wcs:

Region transformations
======================

In the last two sections, we talked about how for every region shape (e.g. circle),
there's two classes, one representing "sky regions" and another representing "pixel regions"
on a given image.

A key feature of the regions package is that, for a given image, more precisely a given
`~astropy.wcs.WCS` object, it is possible to convert back and forth between sky and image
regions.

Usually you create the WCS object from the information in a FITS file.
For this tutorial, let's create an example ``WCS`` from scratch corresponding to an
image that is in Galactic coordinates and Aitoff projection (``ctype``)
has the reference point at the Galactic center on the sky (``crval = 0, 0``)
and at pixel coordinate ``crpix = 18, 9`` in the image, and has huge pixels
of roughly 10 deg x 10 deg (``cdelt = 10, 10``).

.. code-block:: python
from astropy.wcs import WCS
wcs = WCS(naxis=2)
wcs.wcs.crval = 0, 0
wcs.wcs.crpix = 18, 9
wcs.wcs.cdelt = 10, 10
wcs.wcs.ctype = 'GLON-AIT', 'GLAT-AIT'
# shape = (36, 18) would give an image that covers the whole sky.
With this `wcs` object, it's possible to transform back and forth between sky and pixel regions.
As an example, let's use this sky circle:

.. code-block:: python
from astropy.coordinates import Angle, SkyCoord
from regions import CircleSkyRegion
center = SkyCoord(50, 10, unit='deg')
radius = Angle(30, 'deg')
sky_reg = CircleSkyRegion(center, radius)
To convert it to a pixel region, call the :meth:`~regions.SkyRegion.to_pixel` method:

.. code-block:: python
>>> pix_reg = sky_reg.to_pixel(wcs)
>>> pix_reg.center
CirclePixelRegion
Center: PixCoord
x : 29.364794288785394
y : 3.10958313892697
Radius: 3.6932908082121654
TODO: show example using arrays.

.. _gs-contain:

Containment
===========

Let's continue with the ``sky_reg`` and ``pix_reg`` objects defined in the previous section:

.. code-block:: python
>>> print(sky_reg)
CircleSkyRegion
Center:<SkyCoord (ICRS): (ra, dec) in deg
(50.0, 10.0)>
Radius:30.0 deg
>>> print(pix_reg)
CirclePixelRegion
Center: PixCoord
x : 29.364794288785394
y : 3.10958313892697
Radius: 3.6932908082121654
To test if a given point is inside or outside the regions, the Python ``in`` operator
can be called, which calls the special ``__contains__`` method defined on the region classes:

.. code-block:: python
>>> from astropy.coordinates import SkyCoord
>>> from regions import PixCoord
>>> SkyCoord(50, 10, unit='deg') in sky_reg
True
>>> SkyCoord(50, 60, unit='deg') in sky_reg
False
>>> PixCoord(29, 3) in pix_reg
True
>>> PixCoord(29, 10) in pix_reg
False
The ``in`` operator only works for scalar coordinates (Python requires the return value
to be a scalar bool). If you have arrays of coordinates, use the
`regions.SkyRegion.contains` or `regions.PixelRegion.contains` methods:


.. code-block:: python
>>> skycoords = SkyCoord([50, 50], [10, 60], unit='deg')
>>> sky_reg.contains(skycoords)
array([ True, False], dtype=bool)
>>> pixcoords = skycoords.to_pixel(wcs)
>>> skycoords in sky_reg
ValueError: <SkyCoord (ICRS): (ra, dec) in deg
[(50.0, 10.0), (50.0, 60.0)]> must be scalar
>>> pix_reg.contains(PixCoord(29, 3))
True
>>> sky_reg.contains(SkyCoord([50, 50], [10, 60], unit='deg'))
array([ True, False], dtype=bool)
TODO: add pixel coordinate example


.. _gs-spatial:

Spatial filtering
=================

For aperture photometry, a common operation is to compute, for a given image and region,
a boolean mask or array of pixel indices defining which pixels (in the whole image or a
minimal rectangular bounding box) are inside and outside the region.

To a certain degree, such spatial filtering can be done using the methods described in the previous :ref:`gs-contain`
section. Apart from that, no high-level functionality for spatial filtering, bounding boxes or aperture photometry
is available yet.

For now, please use `photutils`_ or `pyregion`_.

(We plan to merge that functionality from ``photutils`` or ``pyregion`` into this ``regions`` package, or re-implement it.)

.. _gs-compound:

Compound regions
================

There's a few ways to combine any two `~regions.Region` objects into a compound region,
i.e. a `~regions.CompoundPixelRegion` or `~regions.CompoundSkyRegion` object.

* The ``&`` operator calls the ``__and__`` method which calls the :meth:`~regions.Region.intersection` method
to create an intersection compound region.
* The ``|`` operator calls the ``__or__`` method which calls the :meth:`~regions.Region.union` method
to create a union compound region.
* The ``^`` operator calls the ``__xor__`` method which calls the :meth:`~regions.Region.symmetric_difference` method
to create a symmetric difference compound region.


TODO:

* A code example
* Add image illustrating the compound regions

.. _gs-shapely:

Shapely
=======

The `shapely`_ Python package is a generic package for the manipulation and analysis of geometric objects in the
Cartesian plane. Concerning regions in the cartesian plane, it is more feature-complete, powerful and optimized
than this ``regions`` package. It doesn't do everything astronomers need though, e.g. no sky regions,
no use of Astropy classes like `~astropy.coordinates.SkyCoord` or `~astropy.coordinates.Angle`, and no
region serialisation with the formats astronomers use (such as e.g. ds9 regions).

`~regions.PixelRegion` classes provide a method :meth:`~regions.PixelRegion.to_shapely` that allows creation
of Shapely shape objects. At the moment there is no ``from_shapely`` method to convert Shapely objects
back to ``regions`` objects. The future of the use of Shapely in ``regions`` is currently unclear, some options are:

1. Add ``from_shapely`` and use it to implement e.g. `~regions.PolygonPixelRegion` operations
can "discretization" of other shapes to polygons.
This would make Shapely a required dependency to work with polygons.
2. Keep ``to_shapely`` for the (small?) fraction of users that want to do this,
but don't expand or use it inside the ``regions`` package to avoid the extra heavy dependency.
3. Remove the use of Shapely completely from the API unless good use cases demonstrating a need come up.

Here's an example how to create a Shapely object and do something that's not implemented in ``regions``,
namely to buffer a rectangle, resulting in a polygon.

.. code-block:: python
# TODO: RectanglePixelRegion isn't implemented yet, this doesn't work yet.
from regions import RectanglePixelRegion
region = RectanglePixelRegion(center=(3, 2), width=2, height=1)
shape = region.to_shapely()
# `shape` is a `shapely.geometry.polygon.Polygon` object
shape2 = shape.buffer(distance=3)
# `shape2` is a polygon that's buffered by 3 pixels compared to `shape`
.. _gs-ds9:

ds9 region strings
==================

TODO: add examples for `regions.write_ds9`, `regions.read_ds9`, `regions.objects_to_ds9_string`
and `regions.region_list_to_objects`.

.. code-block:: python
# Currently it doesn't work
>>> from regions import objects_to_ds9_string
>>> objects_to_ds9_string([sky_reg])
# TypeError: 'float' object is not subscriptable
>>> regions.write_ds9([sky_reg], filename='test.reg')
# TypeError: 'float' object is not subscriptable
What next?
==========

Congratulations, you have made it to the end of the tutorial getting started guide of the
``regions`` package.

For detailed information on some specific functionality, see the API documentation here: `regions`.
Be warned though that a lot of methods haven't been implemented yet.
If you try them, they will raise a ``NotImplementedError``.

TODO: do more things ...
If you have the skills and time, please head over to
https://github.com/astropy/regions
and help out with ``regions`` development.
Of course, feature requests are also welcome ... they help us prioritize development efforts.
20 changes: 16 additions & 4 deletions docs/index.rst
Original file line number Diff line number Diff line change
@@ -1,20 +1,32 @@
.. include:: references.txt

.. warning::
This ``regions`` package is in a very early stage of development.
It is not feature complete or API stable!
That said, please have a look and try to use it for your applications.
Feedback and contributions welcome!


#############################
Astropy Regions Documentation
#############################

This is an in-development package for region handling based on Astropy.

To get an overview of available features, see :ref:`gs`.

The goal is to merge the functionality from `pyregion`_ and `photutils`_ apertures
and then after some time propose this package for inclusion in the Astropy core.

* Code : `Github repository`_
* Docs : `Region documentation`_

* Contributors : https://github.com/astropy/regions/graphs/contributors
* Releases: https://pypi.python.org/pypi/regions

.. toctree::
:maxdepth: 1

getting_started.rst
api.rst
development.rst
getting_started
installation
api
development
51 changes: 51 additions & 0 deletions docs/installation.rst
Original file line number Diff line number Diff line change
@@ -0,0 +1,51 @@
.. _install:

************
Installation
************

* Python 2.7 and 3.4+ are supported.
* The only required dependency for ``regions`` is Astropy (version 1.2 or later).

The ``regions`` package works like most other Astropy affiliated packages.
Since it is planned to be merged into the Astropy core, we didn't put much
effort into writing up installation instructions for this separate package.

Stable version
==============

Install latest stable version from https://pypi.python.org/pypi/regions :

.. code-block:: bash
pip install regions
(conda package coming soon, not available yet.)

To check if your install is OK, run the tests:

.. code-block:: bash
python -c 'import regions; regions.test()'
Development version
===================

Install the latest development version:

.. code-block:: bash
git clone https://github.com/astropy/regions
cd regions
python setup.py install
python setup.py test
python setup.py build_sphinx
Optional dependencies
=====================

The following packages are optional dependencies, install if needed:

* Shapely for advanced pixel region operations
* matplotlib and wcsaxes for plotting regions
* maybe https://github.com/spacetelescope/sphere
14 changes: 7 additions & 7 deletions regions/core/compound.py
Original file line number Diff line number Diff line change
@@ -16,16 +16,16 @@ def __init__(self, region1, operator, region2):
self.operator = operator

def __contains__(self, pixcoord):
raise NotImplementedError("")
raise NotImplementedError

def to_mask(self, mode='center'):
raise NotImplementedError("")
raise NotImplementedError

def to_sky(self, wcs, mode='local', tolerance=None):
raise NotImplementedError("")
raise NotImplementedError

def as_patch(self, **kwargs):
raise NotImplementedError("")
raise NotImplementedError

def __repr__(self):
return "({0} {1} {2})".format(self.region1, self.operator, self.region2)
@@ -46,14 +46,14 @@ def contains(self, skycoord):
self.region2.contains(skycoord))

def to_pixel(self, wcs, mode='local', tolerance=None):
raise NotImplementedError("")
raise NotImplementedError

def as_patch(self, ax, **kwargs):
raise NotImplementedError("")
raise NotImplementedError

def __repr__(self):
return "({0}\n{1}\n{2})".format(self.region1, self.operator, self.region2)

@property
def area(self):
raise NotImplementedError("")
raise NotImplementedError
24 changes: 7 additions & 17 deletions regions/core/core.py
Original file line number Diff line number Diff line change
@@ -1,8 +1,8 @@
# Licensed under a 3-clause BSD style license - see LICENSE.rst
from __future__ import absolute_import, division, print_function, unicode_literals
import abc
from astropy.extern import six
import operator
from astropy.extern import six

__all__ = ['Region', 'PixelRegion', 'SkyRegion']

@@ -32,22 +32,22 @@ def intersection(self, other):
Returns a region representing the intersection of this region with
``other``.
"""
raise NotImplementedError("")
raise NotImplementedError

@abc.abstractmethod
def symmetric_difference(self, other):
"""
Returns the union of the two regions minus any areas contained in the
intersection of the two regions.
"""
raise NotImplementedError("")
raise NotImplementedError

@abc.abstractmethod
def union(self, other):
"""
Returns a region representing the union of this region with ``other``.
"""
raise NotImplementedError("")
raise NotImplementedError

def __and__(self, other):
return self.intersection(other)
@@ -100,18 +100,16 @@ def contains(self, pixcoord):
Parameters
----------
pixcoord : tuple
pixcoord : `~regions.PixCoord`
The position or positions to check, as a tuple of scalars or
arrays. In future this could also be a `PixCoord` instance.
"""
raise NotImplementedError("")

@abc.abstractproperty
def area(self):
"""
Returns the area of the region as a `~astropy.units.Quantity`.
"""
raise NotImplementedError("")

@abc.abstractmethod
def to_sky(self, wcs, mode='local', tolerance=None):
@@ -125,7 +123,7 @@ def to_sky(self, wcs, mode='local', tolerance=None):
The world coordinate system transformation to assume
mode : str
Convering to sky coordinates can be done with various degrees of
Converting to sky coordinates can be done with various degrees of
approximation, which can be set with this option. Possible values
are:
@@ -146,7 +144,6 @@ def to_sky(self, wcs, mode='local', tolerance=None):
tolerance : `~astropy.units.Quantity`
The tolerance for the ``'full'`` mode described above.
"""
raise NotImplementedError("")

@abc.abstractmethod
def to_mask(self, mode='center'):
@@ -174,14 +171,12 @@ def to_mask(self, mode='center'):
Slices for x and y which can be used on an array to extract the
same region as the mask.
"""
raise NotImplementedError("")

@abc.abstractmethod
def to_shapely(self):
"""
Convert this region to a Shapely object.
"""
raise NotImplementedError("")

@abc.abstractmethod
def as_patch(self, **kwargs):
@@ -192,7 +187,6 @@ def as_patch(self, **kwargs):
patch : `~matplotlib.patches.Patch`
Matplotlib patch
"""
raise NotImplementedError

def plot(self, ax=None, **kwargs):
"""
@@ -254,14 +248,12 @@ def contains(self, skycoord):
skycoord : `~astropy.coordinates.SkyCoord`
The position or positions to check
"""
raise NotImplementedError("")

@abc.abstractproperty
def area(self):
"""
Returns the area of the region as a `~astropy.units.Quantity`.
"""
raise NotImplementedError("")

@abc.abstractmethod
def to_pixel(self, wcs, mode='local', tolerance=None):
@@ -275,7 +267,7 @@ def to_pixel(self, wcs, mode='local', tolerance=None):
The world coordinate system transformation to assume
mode : str
Convering to pixel coordinates can be done with various degrees
Converting to pixel coordinates can be done with various degrees
of approximation, which can be set with this option. Possible
values are:
@@ -296,7 +288,6 @@ def to_pixel(self, wcs, mode='local', tolerance=None):
tolerance : `~astropy.units.Quantity`
The tolerance for the ``'full'`` mode described above.
"""
raise NotImplementedError("")

@abc.abstractmethod
def as_patch(self, ax, **kwargs):
@@ -312,7 +303,6 @@ def as_patch(self, ax, **kwargs):
patch : `~matplotlib.patches.Patch`
Matplotlib patch
"""
raise NotImplementedError

def plot(self, ax=None, **kwargs):
"""
22 changes: 22 additions & 0 deletions regions/core/pixcoord.py
Original file line number Diff line number Diff line change
@@ -139,3 +139,25 @@ def from_shapely(cls, point):
"""Create `PixCoord` from `shapely.geometry.Point` object.
"""
return cls(x=point.x, y=point.y)

def separation(self, other):
r"""Separation to another pixel coordinate.
This is the two-dimensional cartesian separation :math:`d` with
.. math::
d = \sqrt{(x_1 - x_2) ^ 2 + (y_1 - y_2) ^ 2}
Parameters
----------
other : `PixCoord`
Other pixel coordinate
Returns
-------
separation : `numpy.array`
Separation in pixels
"""
dx = other.x - self.x
dy = other.y - self.y
return np.hypot(dx, dy)
14 changes: 14 additions & 0 deletions regions/core/tests/test_pixcoord.py
Original file line number Diff line number Diff line change
@@ -107,6 +107,20 @@ def test_pixcoord_array_sky():
assert_allclose(p2.y, [8, 9])


def test_pixcoord_separation():
# check scalar
p1 = PixCoord(x=1, y=2)
p2 = PixCoord(x=4, y=6)
sep = p1.separation(p2)
assert_allclose(sep, 5)

# check array
p1 = PixCoord(x=[1, 1], y=[2, 2])
p2 = PixCoord(x=[4, 4], y=[6, 6])
sep = p1.separation(p2)
assert_allclose(sep, [5, 5])


@pytest.mark.skipif('not HAS_SHAPELY')
def test_pixcoord_shapely():
from shapely.geometry.point import Point
1 change: 0 additions & 1 deletion regions/io/read_ds9.py
Original file line number Diff line number Diff line change
@@ -361,7 +361,6 @@ def type_parser(string_rep, specification, coordsys):
# ruler(+175:07:14.900,+50:56:21.236,+175:06:52.643,+50:56:11.190) ruler=physical physical color=white font="helvetica 12 normal roman" text={Ruler}



def meta_parser(meta_str):
"""
Parse the metadata for a single ds9 region string. The metadata is
1 change: 1 addition & 0 deletions regions/io/setup_package.py
Original file line number Diff line number Diff line change
@@ -1,5 +1,6 @@
# Licensed under a 3-clause BSD style license - see LICENSE.rst


def get_package_data():
parser_test = ['data/*.reg']
return {'regions.io.tests': parser_test}
46 changes: 26 additions & 20 deletions regions/shapes/circle.py
Original file line number Diff line number Diff line change
@@ -1,9 +1,9 @@
# Licensed under a 3-clause BSD style license - see LICENSE.rst
from __future__ import absolute_import, division, print_function, unicode_literals
import math
import numpy as np
from astropy.coordinates import Angle
from astropy.wcs.utils import pixel_to_skycoord
from ..core import PixCoord, PixelRegion, SkyRegion
from ..core import PixelRegion, SkyRegion
from ..utils.wcs_helpers import skycoord_to_pixel_scale_angle

__all__ = ['CirclePixelRegion', 'CircleSkyRegion']
@@ -28,13 +28,19 @@ def __init__(self, center, radius, meta=None, visual=None):
self.meta = meta or {}
self.visual = visual or {}

def __repr__(self):
name = self.__class__.__name__
center = self.center
radius = self.radius
return '{name}\nCenter: {center}\nRadius: {radius}'.format(**locals())

@property
def area(self):
return math.pi * self.radius ** 2

def contains(self, pixcoord):
return np.hypot(pixcoord.x - self.center.x,
pixcoord.y - self.center.y) < self.radius
return self.center.separation(pixcoord) < self.radius


def to_shapely(self):
return self.center.to_shapely().buffer(self.radius)
@@ -45,11 +51,13 @@ def to_sky(self, wcs, mode='local', tolerance=None):
if tolerance is not None:
raise NotImplementedError

skypos = pixel_to_skycoord(self.center.x, self.center.y, wcs)
xc, yc, scale, angle = skycoord_to_pixel_scale_angle(skypos, wcs)
center = pixel_to_skycoord(self.center.x, self.center.y, wcs)
# TODO: this is just called to compute `scale`
# This is inefficient ... we should have that as a separate function.
_, scale, _ = skycoord_to_pixel_scale_angle(center, wcs)

radius_sky = self.radius / scale
return CircleSkyRegion(skypos, radius_sky)
radius = Angle(self.radius / scale, 'deg')
return CircleSkyRegion(center, radius)

def to_mask(self, mode='center'):
# TODO: needs to be implemented
@@ -68,9 +76,9 @@ class CircleSkyRegion(SkyRegion):
Parameters
----------
center : :class:`~astropy.coordinates.SkyCoord`
center : `~astropy.coordinates.SkyCoord`
The position of the center of the circle.
radius : :class:`~astropy.units.Quantity`
radius : `~astropy.units.Quantity`
The radius of the circle in angular units
"""

@@ -81,19 +89,19 @@ def __init__(self, center, radius, meta=None, visual=None):
self.meta = meta or {}
self.visual = visual or {}

def __repr__(self):
name = self.__class__.__name__
center = self.center
radius = self.radius
return '{name}\nCenter: {center}\nRadius: {radius}'.format(**locals())

@property
def area(self):
return math.pi * self.radius ** 2

def contains(self, skycoord):
return self.center.separation(skycoord) < self.radius

def __repr__(self):
clsnm = self.__class__.__name__
coord = self.center
rad = self.radius
return '{clsnm}\nCenter:{coord}\nRadius:{rad}'.format(**locals())

def to_pixel(self, wcs, mode='local', tolerance=None):
"""
Given a WCS, convert the circle to a best-approximation circle in pixel
@@ -118,10 +126,8 @@ def to_pixel(self, wcs, mode='local', tolerance=None):
if tolerance is not None:
raise NotImplementedError

xc, yc, scale, angle = skycoord_to_pixel_scale_angle(self.center, wcs)
# pixel_positions = np.array([xc, yc]).transpose()
radius = (self.radius * scale)
center = PixCoord(xc, yc)
center, scale, _ = skycoord_to_pixel_scale_angle(self.center, wcs)
radius = self.radius.to('deg').value * scale

return CirclePixelRegion(center, radius)

30 changes: 15 additions & 15 deletions regions/shapes/ellipse.py
Original file line number Diff line number Diff line change
@@ -13,13 +13,13 @@ class EllipsePixelRegion(PixelRegion):
Parameters
----------
center : :class:`~regions.core.pixcoord.PixCoord`
center : `~regions.PixCoord`
The position of the center of the ellipse.
minor : float
The minor radius of the ellipse
major : float
The major radius of the ellipse
angle : :class:`~astropy.units.Quantity`
angle : `~astropy.units.Quantity`
The rotation of the ellipse. If set to zero (the default), the major
axis is lined up with the x axis.
"""
@@ -40,23 +40,23 @@ def area(self):

def contains(self, pixcoord):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def to_shapely(self):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def to_sky(self, wcs, mode='local', tolerance=None):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def to_mask(self, mode='center'):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def as_patch(self, **kwargs):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError


class EllipseSkyRegion(SkyRegion):
@@ -65,13 +65,13 @@ class EllipseSkyRegion(SkyRegion):
Parameters
----------
center : :class:`~regions.core.pixcoord.PixCoord`
center : `~regions.PixCoord`
The position of the center of the ellipse.
minor : :class:`~astropy.units.Quantity`
minor : `~astropy.units.Quantity`
The minor radius of the ellipse
major : :class:`~astropy.units.Quantity`
major : `~astropy.units.Quantity`
The major radius of the ellipse
angle : :class:`~astropy.units.Quantity`
angle : `~astropy.units.Quantity`
The rotation of the ellipse. If set to zero (the default), the major
axis is lined up with the longitude axis of the celestial coordinates.
"""
@@ -88,16 +88,16 @@ def __init__(self, center, minor, major, angle=0. * u.deg, meta=None, visual=Non
@property
def area(self):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def contains(self, skycoord):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def to_pixel(self, wcs, mode='local', tolerance=None):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def as_patch(self, **kwargs):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError
14 changes: 7 additions & 7 deletions regions/shapes/point.py
Original file line number Diff line number Diff line change
@@ -11,7 +11,7 @@ class PointPixelRegion(PixelRegion):
Parameters
----------
center : :class:`~regions.core.pixcoord.PixCoord`
center : `~regions.PixCoord`
The position of the point
"""

@@ -33,15 +33,15 @@ def to_shapely(self):

def to_sky(self, wcs, mode='local', tolerance=None):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def to_mask(self, mode='center'):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def as_patch(self, **kwargs):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError


class PointSkyRegion(SkyRegion):
@@ -50,7 +50,7 @@ class PointSkyRegion(SkyRegion):
Parameters
----------
center : :class:`~astropy.coordinates.SkyCoord`
center : `~astropy.coordinates.SkyCoord`
The position of the point
"""

@@ -69,8 +69,8 @@ def contains(self, skycoord):

def to_pixel(self, wcs, mode='local', tolerance=None):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def as_patch(self, **kwargs):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError
24 changes: 12 additions & 12 deletions regions/shapes/polygon.py
Original file line number Diff line number Diff line change
@@ -11,7 +11,7 @@ class PolygonPixelRegion(PixelRegion):
Parameters
----------
vertices : :class:`~regions.core.pixcoord.PixCoord`
vertices : `~regions.PixCoord`
The vertices of the polygon
"""

@@ -24,27 +24,27 @@ def __init__(self, vertices, meta=None, visual=None):
@property
def area(self):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def contains(self, pixcoord):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def to_shapely(self):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def to_sky(self, wcs, mode='local', tolerance=None):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def to_mask(self, mode='center'):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def as_patch(self, **kwargs):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError


class PolygonSkyRegion(SkyRegion):
@@ -53,7 +53,7 @@ class PolygonSkyRegion(SkyRegion):
Parameters
----------
vertices : :class:`~regions.core.pixcoord.PixCoord`
vertices : `~regions.PixCoord`
The vertices of the polygon
"""

@@ -66,16 +66,16 @@ def __init__(self, vertices, meta=None, visual=None):
@property
def area(self):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def contains(self, skycoord):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def to_pixel(self, wcs, mode='local', tolerance=None):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def as_patch(self, **kwargs):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError
28 changes: 14 additions & 14 deletions regions/shapes/rectangle.py
Original file line number Diff line number Diff line change
@@ -12,13 +12,13 @@ class RectanglePixelRegion(PixelRegion):
Parameters
----------
center : :class:`~regions.core.pixcoord.PixCoord`
center : `~regions.PixCoord`
The position of the center of the rectangle.
height : float
The height of the rectangle
width : float
The width of the rectangle
angle : :class:`~astropy.units.Quantity`
angle : `~astropy.units.Quantity`
The rotation of the rectangle. If set to zero (the default), the width
is lined up with the x axis.
"""
@@ -38,23 +38,23 @@ def area(self):

def contains(self, pixcoord):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def to_shapely(self):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def to_sky(self, wcs, mode='local', tolerance=None):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def to_mask(self, mode='center'):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def as_patch(self, **kwargs):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError


class RectangleSkyRegion(SkyRegion):
@@ -63,13 +63,13 @@ class RectangleSkyRegion(SkyRegion):
Parameters
----------
center : :class:`~regions.core.pixcoord.PixCoord`
center : `~regions.PixCoord`
The position of the center of the rectangle.
height : :class:`~astropy.units.Quantity`
height : `~astropy.units.Quantity`
The height radius of the rectangle
width : :class:`~astropy.units.Quantity`
width : `~astropy.units.Quantity`
The width radius of the rectangle
angle : :class:`~astropy.units.Quantity`
angle : `~astropy.units.Quantity`
The rotation of the rectangle. If set to zero (the default), the width
is lined up with the longitude axis of the celestial coordinates.
"""
@@ -89,12 +89,12 @@ def area(self):

def contains(self, skycoord):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def to_pixel(self, wcs, mode='local', tolerance=None):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError

def as_patch(self, **kwargs):
# TODO: needs to be implemented
raise NotImplementedError("")
raise NotImplementedError
2 changes: 1 addition & 1 deletion regions/shapes/tests/test_api.py
Original file line number Diff line number Diff line change
@@ -49,7 +49,7 @@ def ids_func(arg):
@pytest.mark.parametrize('region', PIXEL_REGIONS, ids=ids_func)
def test_pix_in(region):
try:
PixCoord(1,1) in region
PixCoord(1, 1) in region
except NotImplementedError:
pytest.xfail()

11 changes: 8 additions & 3 deletions regions/shapes/tests/test_circle.py
Original file line number Diff line number Diff line change
@@ -3,7 +3,7 @@
from numpy.testing import assert_allclose
from astropy import units as u
from astropy.coordinates import SkyCoord
from astropy.tests.helper import pytest
from astropy.tests.helper import pytest, assert_quantity_allclose
from astropy.utils.data import get_pkg_data_filename
from astropy.io.fits import getheader
from astropy.wcs import WCS
@@ -25,7 +25,6 @@
HAS_WCSAXES = False



def test_init_pixel():
pixcoord = PixCoord(3, 4)
c = CirclePixelRegion(pixcoord, 2)
@@ -67,9 +66,15 @@ def test_transformation():
headerfile = get_pkg_data_filename('data/example_header.fits')
h = getheader(headerfile)
wcs = WCS(h)

pixcircle = skycircle.to_pixel(wcs)

assert_allclose(pixcircle.center.x, -50.5)
assert_allclose(pixcircle.center.y, 299.5)
assert_allclose(pixcircle.radius, 0.027777777777828305)

skycircle2 = pixcircle.to_sky(wcs)
assert_allclose(skycircle2.radius, skycircle.radius)

assert_quantity_allclose(skycircle.center.data.lon, skycircle2.center.data.lon)
assert_quantity_allclose(skycircle.center.data.lat, skycircle2.center.data.lat)
assert_quantity_allclose(skycircle2.radius, skycircle.radius)
29 changes: 15 additions & 14 deletions regions/utils/wcs_helpers.py
Original file line number Diff line number Diff line change
@@ -5,50 +5,52 @@
from astropy import units as u
from astropy.coordinates import UnitSphericalRepresentation
from astropy.wcs.utils import skycoord_to_pixel
from ..core.pixcoord import PixCoord

skycoord_to_pixel_mode = 'all'


def skycoord_to_pixel_scale_angle(coords, wcs, small_offset=1 * u.arcsec):
def skycoord_to_pixel_scale_angle(skycoord, wcs, small_offset=1 * u.arcsec):
"""
Convert a set of SkyCoord coordinates into pixel coordinates, pixel
scales, and position angles.
Parameters
----------
coords : `~astropy.coordinates.SkyCoord`
The coordinates to convert
skycoord : `~astropy.coordinates.SkyCoord`
Sky coordinates
wcs : `~astropy.wcs.WCS`
The WCS transformation to use
small_offset : `~astropy.units.Quantity`
A small offset to use to compute the angle
Returns
-------
x, y : `~numpy.ndarray`
The x and y pixel coordinates corresponding to the input coordinates
scale : `~astropy.units.Quantity`
pixcoord : `~regions.PixCoord`
Pixel coordinates
scale : float
The pixel scale at each location, in degrees/pixel
angle : `~astropy.units.Quantity`
The position angle of the celestial coordinate system in pixel space.
"""

# Convert to pixel coordinates
x, y = skycoord_to_pixel(coords, wcs, mode=skycoord_to_pixel_mode)
x, y = skycoord_to_pixel(skycoord, wcs, mode=skycoord_to_pixel_mode)
pixcoord = PixCoord(x=x, y=y)

# We take a point directly 'above' (in latitude) the position requested
# and convert it to pixel coordinates, then we use that to figure out the
# scale and position angle of the coordinate system at the location of
# the points.

# Find the coordinates as a representation object
r_old = coords.represent_as('unitspherical')
r_old = skycoord.represent_as('unitspherical')

# Add a a small perturbation in the latitude direction (since longitude
# is more difficult because it is not directly an angle).
dlat = small_offset
r_new = UnitSphericalRepresentation(r_old.lon, r_old.lat + dlat)
coords_offset = coords.realize_frame(r_new)
coords_offset = skycoord.realize_frame(r_new)

# Find pixel coordinates of offset coordinates
x_offset, y_offset = skycoord_to_pixel(coords_offset, wcs,
@@ -59,18 +61,17 @@ def skycoord_to_pixel_scale_angle(coords, wcs, small_offset=1 * u.arcsec):
dy = y_offset - y

# Find the length of the vector
scale = np.hypot(dx, dy) * u.pixel / dlat
scale = np.hypot(dx, dy) / dlat.to('degree').value

# Find the position angle
angle = np.arctan2(dy, dx) * u.radian

return x, y, scale, angle
return pixcoord, scale, angle


def assert_angle_or_pixel(name, q):
"""
Check that ``q`` is either an angular or a pixel
:class:`~astropy.units.Quantity`.
Check that ``q`` is either an angular or a pixel `~astropy.units.Quantity`.
"""
if isinstance(q, u.Quantity):
if q.unit.physical_type == 'angle' or q.unit is u.pixel:
@@ -84,7 +85,7 @@ def assert_angle_or_pixel(name, q):

def assert_angle(name, q):
"""
Check that ``q`` is an angular :class:`~astropy.units.Quantity`.
Check that ``q`` is an angular `~astropy.units.Quantity`.
"""
if isinstance(q, u.Quantity):
if q.unit.physical_type == 'angle':
4 changes: 3 additions & 1 deletion setup.cfg
Original file line number Diff line number Diff line change
@@ -10,7 +10,9 @@ show-response = 1
[pytest]
minversion = 2.2
norecursedirs = build docs/_build
doctest_plus = enabled
# TODO: re-activate doctests.
# Docs need to be marked up with skip directives to pass.
# doctest_plus = enabled

[ah_bootstrap]
auto_use = True