/usr/lib/python2.7/dist-packages/ccdproc/ccddata.py is in python-ccdproc 0.3.3-2.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 | # Licensed under a 3-clause BSD style license - see LICENSE.rst
# This module implements the base CCDData class.
from __future__ import (absolute_import, division, print_function,
unicode_literals)
import copy
import numbers
import numpy as np
from astropy.nddata import NDDataArray
from astropy.nddata.nduncertainty import StdDevUncertainty, NDUncertainty
from astropy.io import fits, registry
from astropy import units as u
from astropy import log
from astropy.wcs import WCS
from .utils.collections import CaseInsensitiveOrderedDict
__all__ = ['CCDData']
class CCDData(NDDataArray):
"""A class describing basic CCD data
The CCDData class is based on the NDData object and includes a data array,
uncertainty frame, mask frame, meta data, units, and WCS information for a
single CCD image.
Parameters
-----------
data : `~numpy.ndarray` or :class:`~astropy.nddata.NDData`
The actual data contained in this `~astropy.nddata.NDData` object.
Note that this will always be copies by *reference* , so you should
make copy the `data` before passing it in if that's the desired
behavior.
uncertainty : `~astropy.nddata.StdDevUncertainty` or `~numpy.ndarray`,
optional Uncertainties on the data.
mask : `~numpy.ndarray`, optional
Mask for the data, given as a boolean Numpy array with a shape
matching that of the data. The values must be ``False`` where
the data is *valid* and ``True`` when it is not (like Numpy
masked arrays). If `data` is a numpy masked array, providing
`mask` here will causes the mask from the masked array to be
ignored.
flags : `~numpy.ndarray` or `~astropy.nddata.FlagCollection`, optional
Flags giving information about each pixel. These can be specified
either as a Numpy array of any type with a shape matching that of the
data, or as a `~astropy.nddata.FlagCollection` instance which has a
shape matching that of the data.
wcs : `~astropy.wcs.WCS` object, optional
WCS-object containing the world coordinate system for the data.
meta : `dict`-like object, optional
Metadata for this object. "Metadata" here means all information that
is included with this object but not part of any other attribute
of this particular object. e.g., creation date, unique identifier,
simulation parameters, exposure time, telescope name, etc.
unit : `~astropy.units.Unit` instance or str, optional
The units of the data.
Raises
------
ValueError
If the `uncertainty` or `.mask` inputs cannot be broadcast (e.g., match
shape) onto `data`.
Notes
-----
`NDData` objects can be easily converted to a regular Numpy array
using `numpy.asarray`
For example::
>>> from astropy.nddata import NDData
>>> import numpy as np
>>> x = NDData([1,2,3])
>>> np.asarray(x)
array([1, 2, 3])
If the `~astropy.nddata.NDData` object has a `mask`, `numpy.asarray` will
return a Numpy masked array.
This is useful, for example, when plotting a 2D image using
matplotlib::
>>> from astropy.nddata import NDData
>>> from matplotlib import pyplot as plt
>>> x = NDData([[1,2,3], [4,5,6]])
>>> plt.imshow(x)
"""
def __init__(self, *args, **kwd):
if 'meta' not in kwd:
kwd['meta'] = kwd.pop('header', None)
if 'header' in kwd:
raise ValueError("Can't have both header and meta")
super(CCDData, self).__init__(*args, **kwd)
if self.unit is None:
raise ValueError("Unit for CCDData must be specified")
@property
def data(self):
return self._data
@data.setter
def data(self, value):
self._data = value
@property
def unit(self):
return self._unit
@unit.setter
def unit(self, value):
if value is not None:
self._unit = u.Unit(value)
else:
self._unit = None
@property
def shape(self):
return self.data.shape
@property
def size(self):
return self.data.size
@property
def dtype(self):
return self.data.dtype
@property
def header(self):
return self._meta
@header.setter
def header(self, value):
self.meta = value
@property
def meta(self):
return self._meta
@meta.setter
def meta(self, value):
if value is None:
self._meta = {}
else:
if hasattr(value, 'keys'):
self._meta = value
else:
raise TypeError('NDData meta attribute must be dict-like')
@property
def uncertainty(self):
return self._uncertainty
@uncertainty.setter
def uncertainty(self, value):
if value is not None:
if isinstance(value, NDUncertainty):
self._uncertainty = value
elif isinstance(value, np.ndarray):
if value.shape != self.shape:
raise ValueError("Uncertainty must have same shape as "
"data")
self._uncertainty = StdDevUncertainty(value)
log.info("Array provided for uncertainty; assuming it is a "
"StdDevUncertainty.")
else:
raise TypeError("Uncertainty must be an instance of a "
"NDUncertainty object or a numpy array.")
self._uncertainty._parent_nddata = self
else:
self._uncertainty = value
def to_hdu(self):
"""Creates an HDUList object from a CCDData object.
Raises
-------
ValueError
Multi-Exenstion FITS files are not supported
Returns
-------
hdulist : astropy.io.fits.HDUList object
"""
if isinstance(self.header, fits.Header):
# Copy here so that we can modify the HDU header by adding WCS
# information without changing the header of the CCDData object.
header = self.header.copy()
else:
# Because _insert_in_metadata_fits_safe is written as a method
# we need to create a dummy CCDData instance to hold the FITS
# header we are constructing. This probably indicates that
# _insert_in_metadata_fits_safe should be rewritten in a more
# sensible way...
dummy_ccd = CCDData([1], meta=fits.Header(), unit="adu")
for k, v in self.header.items():
dummy_ccd._insert_in_metadata_fits_safe(k, v)
header = dummy_ccd.header
if self.unit is not u.dimensionless_unscaled:
header['bunit'] = self.unit.to_string()
if self.wcs:
# Simply extending the FITS header with the WCS can lead to
# duplicates of the WCS keywords; iterating over the WCS
# header should be safer.
#
# Turns out if I had read the io.fits.Header.extend docs more
# carefully, I would have realized that the keywords exist to
# avoid duplicates and preserve, as much as possible, the
# structure of the commentary cards.
#
# Note that until astropy/astropy#3967 is closed, the extend
# will fail if there are comment cards in the WCS header but
# not header.
wcs_header = self.wcs.to_header()
header.extend(wcs_header, useblanks=False, update=True)
hdu = fits.PrimaryHDU(self.data, header)
hdulist = fits.HDUList([hdu])
return hdulist
def copy(self):
"""
Return a copy of the CCDData object.
"""
return copy.deepcopy(self)
def _ccddata_arithmetic(self, other, operation, scale_uncertainty=False):
"""
Perform the common parts of arithmetic operations on CCDData objects
This should only be called when `other` is a Quantity or a number
"""
# THE "1 *" IS NECESSARY to get the right result, at least in
# astropy-0.4dev. Using the np.multiply, etc, methods with a Unit
# and a Quantity is currently broken, but it works with two Quantity
# arguments.
if isinstance(other, u.Quantity):
other_value = other.value
elif isinstance(other, numbers.Number):
other_value = other
else:
raise TypeError("Cannot do arithmetic with type '{0}' "
"and 'CCDData'".format(type(other)))
result_unit = operation(1 * self.unit, other).unit
result_data = operation(self.data, other_value)
if self.uncertainty:
result_uncertainty = self.uncertainty.array
if scale_uncertainty:
result_uncertainty = operation(result_uncertainty, other_value)
result_uncertainty = StdDevUncertainty(result_uncertainty)
else:
result_uncertainty = None
result = CCDData(result_data, unit=result_unit,
uncertainty=result_uncertainty,
meta=self.meta)
return result
def multiply(self, other):
if isinstance(other, CCDData):
return super(CCDData, self).multiply(other)
return self._ccddata_arithmetic(other, np.multiply,
scale_uncertainty=True)
def divide(self, other):
if isinstance(other, CCDData):
return super(CCDData, self).divide(other)
return self._ccddata_arithmetic(other, np.divide,
scale_uncertainty=True)
def add(self, other):
if isinstance(other, CCDData):
return super(CCDData, self).add(other)
return self._ccddata_arithmetic(other, np.add,
scale_uncertainty=False)
def subtract(self, other):
if isinstance(other, CCDData):
return super(CCDData, self).subtract(other)
return self._ccddata_arithmetic(other, np.subtract,
scale_uncertainty=False)
def _insert_in_metadata_fits_safe(self, key, value):
"""
Insert key/value pair into metadata in a way that FITS can serialize.
Parameters
----------
key : str
Key to be inserted in dictionary.
value : str or None
Value to be inserted.
Notes
-----
This addresses a shortcoming of the FITS standard. There are length
restrictions on both the ``key`` (8 characters) and ``value`` (72
characters) in the FITS standard. There is a convention for handline
long keywords and a convention for handling long values, but the
two conventions cannot be used at the same time.
Autologging in `ccdproc` frequently creates keywords/values with this
combination. The workaround is to use a shortened name for the keyword.
"""
from .core import _short_names
if key in _short_names and isinstance(self.meta, fits.Header):
# This keyword was (hopefully) added by autologging but the
# combination of it and its value not FITS-compliant in two
# ways: the keyword name may be more than 8 characters and
# the value may be too long. FITS cannot handle both of
# those problems at once, so this fixes one of those
# problems...
# Shorten, sort of...
short_name = _short_names[key]
self.meta[key] = (short_name, "Shortened name for ccdproc command")
self.meta[short_name] = value
else:
self.meta[key] = value
def fits_ccddata_reader(filename, hdu=0, unit=None, **kwd):
"""
Generate a CCDData object from a FITS file.
Parameters
----------
filename : str
Name of fits file.
hdu : int, optional
FITS extension from which CCDData should be initialized. If zero and
and no data in the primary extention, it will search for the first
extension with data.
unit : astropy.units.Unit, optional
Units of the image data. If this argument is provided and there is a
unit for the image in the FITS header (the keyword ``BUNIT`` is used
as the unit, if present), this argument is used for the unit.
kwd :
Any additional keyword parameters are passed through to the FITS reader
in :mod:`astropy.io.fits`; see Notes for additional discussion.
Notes
-----
FITS files that contained scaled data (e.g. unsigned integer images) will
be scaled and the keywords used to manage scaled data in
:mod:`astropy.io.fits` are disabled.
"""
unsupport_open_keywords = {
'do_not_scale_image_data': ('Image data must be scaled to perform '
'ccdproc operations.'),
'scale_back': 'Scale information is not preserved.'
}
for key, msg in unsupport_open_keywords.items():
if key in kwd:
prefix = 'Unsupported keyword: {0}.'.format(key)
raise TypeError(' '.join([prefix, msg]))
hdus = fits.open(filename, **kwd)
hdr = hdus[hdu].header
# search for the first instance with data if the primary header is empty
if hdu == 0 and hdus[hdu].data is None:
for i in range(len(hdus)):
if hdus.fileinfo(i)['datSpan'] > 0:
hdu = i
log.info("First HDU with data is exention {0}".format(hdu))
break
try:
fits_unit_string = hdr['bunit']
# patch to handle FITS files using ADU for the unit instead of the
# standard version of 'adu'
if fits_unit_string.strip().lower() == 'adu':
fits_unit_string = fits_unit_string.lower()
except KeyError:
fits_unit_string = None
if unit is not None and fits_unit_string:
log.info("Using the unit {0} passed to the FITS reader instead of "
"the unit {1} in the FITS file.".format(unit,
fits_unit_string))
use_unit = unit or fits_unit_string
# Try constructing a WCS object. This may generate a warning, but never
# an error.
wcs = WCS(hdr)
# Test for success by checking to see if the wcs ctype has a non-empty
# value.
wcs = wcs if wcs.wcs.ctype[0] else None
ccd_data = CCDData(hdus[hdu].data, meta=hdus[hdu].header, unit=use_unit,
wcs=wcs)
hdus.close()
return ccd_data
def fits_ccddata_writer(ccd_data, filename, **kwd):
"""
Write CCDData object to FITS file.
Parameters
----------
filename : str
Name of file
kwd :
All additional keywords are passed to :py:mod:`astropy.io.fits`
"""
hdu = ccd_data.to_hdu()
hdu.writeto(filename, **kwd)
registry.register_reader('fits', CCDData, fits_ccddata_reader)
registry.register_writer('fits', CCDData, fits_ccddata_writer)
registry.register_identifier('fits', CCDData, fits.connect.is_fits)
|