/usr/lib/python3/dist-packages/astroplan/utils.py is in python3-astroplan 0.4-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 | # Licensed under a 3-clause BSD style license - see LICENSE.rst
from __future__ import (absolute_import, division, print_function,
unicode_literals)
# Standard library
import warnings
# Third-party
import numpy as np
from astropy.utils.data import download_file, clear_download_cache
from astropy.utils import iers
from astropy.time import Time
import astropy.units as u
from astropy.utils.data import _get_download_cache_locs, CacheMissingWarning
from astropy.coordinates import EarthLocation
# Package
from .exceptions import OldEarthOrientationDataWarning
__all__ = ["get_IERS_A_or_workaround", "download_IERS_A",
"time_grid_from_range", "_set_mpl_style_sheet",
"stride_array"]
IERS_A_WARNING = ("For best precision (on the order of arcseconds), you must "
"download an up-to-date IERS Bulletin A table. To do so, run:"
"\n\n"
">>> from astroplan import download_IERS_A\n"
">>> download_IERS_A()\n")
BACKUP_Time_get_delta_ut1_utc = Time._get_delta_ut1_utc
def _low_precision_utc_to_ut1(self, jd1, jd2):
"""
When no IERS Bulletin A is available (no internet connection), use low
precision time conversion by assuming UT1-UTC=0 always.
This method mimics `~astropy.coordinates.builtin_frames.utils.get_dut1utc`
"""
try:
if self.mjd*u.day not in iers.IERS_Auto.open()['MJD']:
warnings.warn(IERS_A_WARNING, OldEarthOrientationDataWarning)
return self.delta_ut1_utc
except (AttributeError, ValueError):
warnings.warn(IERS_A_WARNING, OldEarthOrientationDataWarning)
return np.zeros(self.shape)
def get_IERS_A_or_workaround():
"""
Get the cached IERS Bulletin A table if one exists. If one does not exist,
monkey patch `~astropy.time.Time._get_delta_ut1_utc` so that
`~astropy.time.Time` objects don't raise errors by computing UT1-UTC off
the end of the IERS table.
"""
if IERS_A_in_cache():
iers.IERS.iers_table = _get_IERS_A_table()
else:
Time._get_delta_ut1_utc = _low_precision_utc_to_ut1
def IERS_A_in_cache():
"""
Check if the IERS Bulletin A table is locally cached.
"""
url_key = iers.IERS_A_URL
# The below code which accesses ``urlmapfn`` is stolen from
# astropy.utils.data.download_file()
try:
dldir, urlmapfn = _get_download_cache_locs()
except (IOError, OSError) as e:
msg = 'Remote data cache could not be accessed due to '
estr = '' if len(e.args) < 1 else (': ' + str(e))
warnings.warn(CacheMissingWarning(msg + e.__class__.__name__ + estr))
return False
with _open_shelve(urlmapfn, True) as url2hash:
# TODO: try to figure out how to test this in the unicode case
if str(url_key) in url2hash:
return True
return False
def _get_IERS_A_table(warn_update=14*u.day):
"""
Grab the locally cached copy of the IERS Bulletin A table. Check to see
if it's up to date, and warn the user if it is not.
This will fail and raise OSError if the file is not in the cache.
"""
if IERS_A_in_cache():
table = iers.IERS_Auto.open()
# Use polar motion flag to identify last observation before predictions
index_of_last_observation = ''.join(table['PolPMFlag_A']).index('IP')
time_of_last_observation = Time(table['MJD'][index_of_last_observation],
format='mjd')
time_since_last_update = Time.now() - time_of_last_observation
# If the IERS bulletin is more than `warn_update` days old, warn user
if warn_update < time_since_last_update:
warnmsg = ("Your version of the IERS Bulletin A is {:.1f} days "
"old. ".format(time_since_last_update.to(u.day).value) +
IERS_A_WARNING)
warnings.warn(warnmsg, OldEarthOrientationDataWarning)
return table
else:
raise OSError("No IERS A table has been downloaded.")
def download_IERS_A(show_progress=True):
"""
Download and cache the IERS Bulletin A table.
If one is already cached, download a new one and overwrite the old. Store
table in the astropy cache, and undo the monkey patching done by
`~astroplan.get_IERS_A_or_workaround`.
Parameters
----------
show_progress : bool
`True` shows a progress bar during the download.
"""
if IERS_A_in_cache():
clear_download_cache(iers.IERS_A_URL)
local_iers_a_path = download_file(iers.IERS_A_URL, cache=True,
show_progress=show_progress)
# Undo monkey patch set up by get_IERS_A_or_workaround
iers.IERS.iers_table = iers.IERS_A.open(local_iers_a_path)
Time._get_delta_ut1_utc = BACKUP_Time_get_delta_ut1_utc
@u.quantity_input(time_resolution=u.hour)
def time_grid_from_range(time_range, time_resolution=0.5*u.hour):
"""
Get linearly-spaced sequence of times.
Parameters
----------
time_range : `~astropy.time.Time` (length = 2)
Lower and upper bounds on time sequence.
time_resolution : `~astropy.units.quantity` (optional)
Time-grid spacing
Returns
-------
times : `~astropy.time.Time`
Linearly-spaced sequence of times
"""
try:
start_time, end_time = time_range
except ValueError:
raise ValueError("time_range should have a length of 2: lower and "
"upper bounds on the time sequence.")
return Time(np.arange(start_time.jd, end_time.jd,
time_resolution.to(u.day).value), format='jd')
def _mock_remote_data():
"""
Apply mocks (i.e. monkey-patches) to avoid the need for internet access
for certain things.
This is currently called in `astroplan/conftest.py` when the tests are run
and the `--remote-data` option isn't used.
The way this setup works is that for functionality that usually requires
internet access, but has mocks in place, it is possible to write the test
without adding a `@remote_data` decorator, and `py.test` will do the right
thing when running the tests:
1. Access the internet and use the normal code if `--remote-data` is used
2. Not access the internet and use the mock code if `--remote-data` is not used
Both of these cases are tested on travis-ci.
"""
from .target import FixedTarget
from astropy.coordinates import EarthLocation
if not hasattr(FixedTarget, '_real_from_name'):
FixedTarget._real_from_name = FixedTarget.from_name
FixedTarget.from_name = FixedTarget._from_name_mock
if not hasattr(EarthLocation, '_real_of_site'):
EarthLocation._real_of_site = EarthLocation.of_site
EarthLocation.of_site = EarthLocation_mock.of_site_mock
# otherwise already mocked
def _unmock_remote_data():
"""
undo _mock_remote_data
currently unused
"""
from .target import FixedTarget
if hasattr(FixedTarget, '_real_from_name'):
FixedTarget.from_name = FixedTarget._real_from_name
del FixedTarget._real_from_name
if hasattr(EarthLocation, '_real_of_site'):
EarthLocation.of_site = EarthLocation._real_of_site
del EarthLocation._real_of_site
# otherwise assume it's already correct
def _set_mpl_style_sheet(style_sheet):
"""
Import matplotlib, set the style sheet to ``style_sheet`` using
the most backward compatible import pattern.
"""
import matplotlib
matplotlib.rcdefaults()
matplotlib.rcParams.update(style_sheet)
def stride_array(arr, window_width):
"""
Computes all possible sequential subarrays of arr with length = window_width
Parameters
----------
arr : array-like (length = n)
Linearly-spaced sequence
window_width : int
Number of elements in each new sub-array
Returns
-------
strided_arr : array (shape = (n-window_width, window_width))
Linearly-spaced sequence of times
"""
as_strided = np.lib.stride_tricks.as_strided
new_shape = (len(arr) - window_width + 1, window_width)
strided_arr = as_strided(arr, new_shape, (arr.strides[0], arr.strides[0]))
return strided_arr
class EarthLocation_mock(EarthLocation):
"""
Mock the EarthLocation class if no remote data for locations commonly
used in the tests.
"""
@classmethod
def of_site_mock(cls, string):
subaru = EarthLocation.from_geodetic(-155.4761111111111*u.deg,
19.825555555555564*u.deg,
4139*u.m)
lco = EarthLocation.from_geodetic(-70.70166666666665*u.deg,
-29.003333333333327*u.deg,
2282*u.m)
aao = EarthLocation.from_geodetic(149.06608611111113*u.deg,
-31.277038888888896*u.deg,
1164*u.m)
vbo = EarthLocation.from_geodetic(78.8266*u.deg,
12.576659999999999*u.deg,
725*u.m)
apo = EarthLocation.from_geodetic(-105.82*u.deg,
32.78*u.deg,
2798*u.m)
keck = EarthLocation.from_geodetic(-155.47833333333332*u.deg,
19.828333333333326*u.deg,
4160*u.m)
kpno = EarthLocation.from_geodetic(-111.6*u.deg,
31.963333333333342*u.deg,
2120*u.m)
lapalma = EarthLocation.from_geodetic(-17.879999*u.deg,
28.758333*u.deg,
2327*u.m)
observatories = dict(lco=lco, subaru=subaru, aao=aao, vbo=vbo, apo=apo,
keck=keck, kpno=kpno, lapalma=lapalma)
return observatories[string.lower()]
def _open_shelve(shelffn, withclosing=False):
"""
Opens a shelf file. If ``withclosing`` is True, it will be opened with
closing, allowing use like:
with _open_shelve('somefile',True) as s:
...
This workaround can be removed in favour of using shelve.open() directly
once support for Python <3.4 is dropped.
"""
import shelve
import contextlib
shelf = shelve.open(shelffn, protocol=2)
if withclosing:
return contextlib.closing(shelf)
else:
return shelf
|