Skip to content

Commit

Permalink
update_dq improvement in findsat_mrt (#201)
Browse files Browse the repository at this point in the history
* update_dq routine can now rescale input mask dimensions

* added warning about odd image dimensions when rebinning

* formatting fixes

* minor formatting fixes

* minor fixes to findsat_mrt and utils_findsat_mrt

* added binsize>=1 requirement to binsize setter

* extra checks/errors added to update_dq for cases where mask is larger than dq array

* reworked the step to enlarge mask to match dq array

* flake8 fixes for utils_findsat_mrt

* formatting fixes, rewrote mask/dq aspect ratio error
  • Loading branch information
dvstark authored Mar 14, 2024
1 parent 5cc72fe commit d58bbf8
Show file tree
Hide file tree
Showing 2 changed files with 90 additions and 8 deletions.
12 changes: 9 additions & 3 deletions acstools/findsat_mrt.py
Original file line number Diff line number Diff line change
Expand Up @@ -1290,8 +1290,8 @@ def binsize(self):

@binsize.setter
def binsize(self, value):
if value is not None and not isinstance(value, int):
raise ValueError(f"binsize must be None or int but got: {value}")
if value is not None and not (isinstance(value, int) and value >= 1):
raise ValueError(f"binsize must be None or int >= 1 but got: {value}") # noqa
self._binsize = value

@property
Expand Down Expand Up @@ -1360,6 +1360,12 @@ def rebin(self):

LOG.info('Rebinning the data by {}'.format(self.binsize))

# trigger a warning if the image dimensions are not even
if (((self.image.shape[0] % self.binsize != 0)) |
((self.image.shape[1] % self.binsize != 0))):
LOG.warning('Image dimensions do not evenly divide by bin size.'
'\nExtra rows/columns will be trimmed first.')

# setting a warning filter for the nansum calculations. These
# warnings are inconsequential and already accounted for in the code
with warnings.catch_warnings():
Expand Down Expand Up @@ -1406,4 +1412,4 @@ def update_dq(self, dqval=16384, verbose=True):
raise ValueError(f'DQ array can only be updated for FLC/FLT images, not {self.image_type}') # noqa

update_dq(self.image_file, self.extension + 2, self.mask, dqval=dqval,
verbose=verbose)
verbose=verbose, expand_mask=True)
86 changes: 81 additions & 5 deletions acstools/utils_findsat_mrt.py
Original file line number Diff line number Diff line change
Expand Up @@ -10,7 +10,7 @@
from astropy.convolution import convolve, Gaussian2DKernel
from astropy.io import fits
from astropy.modeling import models, fitting
from astropy.nddata import Cutout2D
from astropy.nddata import Cutout2D, block_replicate
from astropy.stats import sigma_clip
from astropy.table import Table, vstack
from astropy.utils.exceptions import AstropyUserWarning
Expand All @@ -21,7 +21,7 @@
from skimage.transform._warps import warp
from skimage._shared.utils import convert_to_float
except ImportError as e:
warnings.warn(f'skimage not installed. MRT calculation will not work: {repr(e)}')
warnings.warn(f'skimage not installed. MRT calculation will not work: {repr(e)}') # noqa

# check for scipy
try:
Expand Down Expand Up @@ -108,8 +108,8 @@ def merge_tables(tbls, theta_sep=10, rho_sep=10):
drho = np.abs(t['ycentroid'] - s['ycentroid'])
sel = (dtheta < theta_sep) & (drho < rho_sep)
keep[sel] = False
# Silence MergeConflictWarning for "date" metadata because
# the tables were created with different timestamps. The last entry is kept.
# Silence MergeConflictWarning for "date" metadata because the tables
# were created with different timestamps. The last entry is kept.
src = vstack([src, t[keep]], metadata_conflicts="silent")
return src

Expand Down Expand Up @@ -1179,7 +1179,8 @@ def radon(image, theta=None, circle=False, *, preserve_range=False,
return radon_image


def update_dq(filename, ext, mask, dqval=16384, verbose=True):
def update_dq(filename, ext, mask, dqval=16384, verbose=True,
expand_mask=False):
"""Update the given image and DQ extension with the given
satellite trails mask and flag.
Expand All @@ -1199,10 +1200,85 @@ def update_dq(filename, ext, mask, dqval=16384, verbose=True):
tailored for ACS/WFC.
verbose : bool, optional
Print extra information to the terminal.
expand_mask : bool, optional
Allows the mask to be expanded to match the size of the original mask.
This is relevant for masks that were generated used binned versions of
the original image.
"""
with fits.open(filename, mode='update') as pf:
dqarr = pf[ext].data

# check that the old mask and new mask are the same size
same_size = mask.shape == dqarr.shape
mask_larger = np.any([mask.shape[i] > dqarr.shape[i]
for i in range(mask.ndim)])

# provide informative error messages depending on mask/dqarr size
if not same_size:
LOG.info('Inconsistent mask sizes: \n'
'Input mask: {} \n'
'DQ array: {}'.format(mask.shape, dqarr.shape))

if mask_larger:
LOG.error('Mask is larger than the DQ array in one or more '
'dimensions.\nThis routine cannot currently rescale '
'masks that are larger than the origin input image')
return

elif not mask_larger and not expand_mask:
LOG.error('Cannot proceed due to size mismatch.\n'
'Set expand_mask=True if the mask was generated '
'with binned data and needs to be enlarged to the '
'original size.')
return
else:
LOG.info('Enlarging mask to original size.')

# Determine factor by which to scale-up image. Scales should
# be the same for the x and y dimensions, after we round down
# to the nearest integer in case there are extra rows/columns
# that do not divide evenly. These extra rows/columns will be
# added back at the end. This approach is the reverse of
# astropy.nddata.block_reduce, which trims extra rows/cols
# first.

factor_x = np.floor(dqarr.shape[1]/mask.shape[1]).astype(int)
factor_y = np.floor(dqarr.shape[0]/mask.shape[0]).astype(int)
if factor_x != factor_y:

mask_aspect = mask.shape[1]/mask.shape[0]
dq_aspect = dqarr.shape[1]/dqarr.shape[0]

raise ValueError('Mask and DQ array axis aspect ratios are'
' too different\n'
'Mask dimensions (x,y) = {}\n'
'Mask aspect ratio (x/y) = {}\n'
'DQ array dimensions (y,x) = {}\n'
'DQ array aspect ratio (x/y) = {}'
.format(mask.shape, mask_aspect,
dqarr.shape, dq_aspect))

else:
factor = factor_x

# assess whether there will be extra rows/columns after scaling
extra_cols = dqarr.shape[1] - mask.shape[1]*factor
extra_rows = dqarr.shape[0] - mask.shape[0]*factor

mask = block_replicate(mask, factor,
conserve_sum=False)

if extra_rows > 0:
LOG.info('Duplicating end rows to match orig size')
while mask.shape[0] != dqarr.shape[0]:
mask = np.vstack([mask, mask[-1, :]])

if extra_cols > 0:
LOG.info('Duplicating end columns to match orig size')
while mask.shape[1] != dqarr.shape[1]:
mask = np.hstack([mask, mask[:, -1].reshape(mask.shape[0], 1)]) # noqa

old_mask = (dqval & dqarr) != 0 # Existing flagged trails
new_mask = mask & ~old_mask # Only flag previously unflagged trails
npix_updated = np.count_nonzero(new_mask)
Expand Down

0 comments on commit d58bbf8

Please sign in to comment.