Skip to content
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
97 changes: 74 additions & 23 deletions astropy/io/fits/card.py
Original file line number Diff line number Diff line change
@@ -1,5 +1,6 @@
# Licensed under a 3-clause BSD style license - see PYFITS.rst

import math
import re
import warnings

Expand Down Expand Up @@ -1298,34 +1299,84 @@ def _format_value(value):


def _format_float(value):
"""Format a floating number to make sure it gets the decimal point."""
value_str = f"{value:.16G}"
if "." not in value_str and "E" not in value_str:
value_str += ".0"
elif "E" in value_str:
# On some Windows builds of Python (and possibly other platforms?) the
# exponent is zero-padded out to, it seems, three digits. Normalize
# the format to pad only to two digits.
significand, exponent = value_str.split("E")
if exponent[0] in ("+", "-"):
sign = exponent[0]
exponent = exponent[1:]
else:
sign = ""
value_str = f"{significand}E{sign}{int(exponent):02d}"
"""Format a floating number ensuring the result fits 20 characters."""

# Limit the value string to at most 20 characters.
str_len = len(value_str)
def _normalize(token):
if not token:
return None

if str_len > 20:
idx = value_str.find("E")
token = token.strip()
lower = token.lower()
if lower in {"nan", "inf", "+inf", "-inf"}:
return lower.upper()

if idx < 0:
value_str = value_str[:20]
if "e" in token or "E" in token:
significand, exponent = re.split("[eE]", token, maxsplit=1)
if "." not in significand:
significand = f"{significand}.0"
sign = ""
digits = exponent
if digits and digits[0] in "+-":
sign = digits[0]
digits = digits[1:]
digits = digits.lstrip("0") or "0"
if len(digits) < 2:
digits = digits.rjust(2, "0")
token = f"{significand}E{sign}{digits}"
else:
value_str = value_str[: 20 - (str_len - idx)] + value_str[idx:]
if "." not in token:
token = f"{token}.0"

return token

def _prepare(token):
normalized = _normalize(token)
if not normalized:
return None
if " " in normalized:
return None
if len(normalized) > 20 and "E" in normalized:
idx = normalized.find("E")
extra = len(normalized) - 20
if extra < idx:
significand = normalized[: idx - extra]
if significand.endswith("."):
significand = f"{significand}0"
normalized = f"{significand}{normalized[idx:]}"
if len(normalized) > 20:
return None
return normalized

return value_str
def _round_trips(token):
try:
parsed = float(token)
except (OverflowError, ValueError):
return False

if math.isnan(value):
return math.isnan(parsed)

return parsed == value

candidate = _prepare(str(value))
if candidate is not None and _round_trips(candidate):
return candidate

for precision in range(17, 0, -1):
candidate = _prepare(format(value, f".{precision}G"))
if candidate is None:
continue
if _round_trips(candidate):
return candidate

fallback = _prepare(f"{value:.16G}")
if fallback is not None and _round_trips(fallback):
return fallback

raise ValueError(
"Cannot represent float value within 20 characters for FITS card: "
f"{value!r}"
)


def _pad(input):
Expand Down
62 changes: 62 additions & 0 deletions astropy/io/fits/tests/test_card_float_format.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,62 @@
import sys

import pytest

from astropy.io.fits import Card
from astropy.io.fits.card import _format_float


def _extract_card_value(card):
line = str(card)
after_equals = line.split("=", 1)[1]
return after_equals.split("/", 1)[0].strip()


def test_format_float_regression_value_preserved():
card = Card("FOO", 0.009125, "Gaussian width")
value_field = _extract_card_value(card)
assert value_field == "0.009125"
assert "Gaussian width" in str(card)


def test_format_float_stays_within_20_characters():
value = 0.9999999999999999
token = _format_float(value)
assert len(token) <= 20
assert float(token) == value

card_value = _extract_card_value(Card("EDGE", value))
assert card_value == token


def test_format_float_exponent_normalization():
assert _format_float(1e-6) == "1.0E-06"


def test_format_float_adds_decimal_for_non_exponent():
assert _format_float(42.0).endswith(".0")


def test_complex_numbers_use_updated_formatter():
complex_value = complex(1.234567890123456e10, 0.009125)
card = Card("CMPLX", complex_value)
text = str(card)
assert _format_float(complex_value.real) in text
assert _format_float(complex_value.imag) in text


@pytest.mark.parametrize(
"value",
[
(1 - 2 ** -53) * (2 ** 60),
(1 - 2 ** -53) * (2 ** -60),
sys.float_info.max,
],
)
def test_format_float_raises_when_unrepresentable(value):
with pytest.raises(ValueError, match="Cannot represent float value"):
_format_float(value)

card = Card("BIG", value)
with pytest.raises(ValueError, match="Cannot represent float value"):
str(card)
14 changes: 4 additions & 10 deletions astropy/io/fits/tests/test_header.py
Original file line number Diff line number Diff line change
Expand Up @@ -131,21 +131,15 @@ def test_floating_point_value_card(self):
"""Test Card constructor with floating point value"""

c = fits.Card("floatnum", -467374636747637647347374734737437.0)

if str(c) != _pad("FLOATNUM= -4.6737463674763E+32") and str(c) != _pad(
"FLOATNUM= -4.6737463674763E+032"
):
assert str(c) == _pad("FLOATNUM= -4.6737463674763E+32")
with pytest.raises(ValueError, match="Cannot represent float value"):
str(c)

def test_complex_value_card(self):
"""Test Card constructor with complex value"""

c = fits.Card("abc", (1.2345377437887837487e88 + 6324767364763746367e-33j))
f1 = _pad("ABC = (1.23453774378878E+88, 6.32476736476374E-15)")
f2 = _pad("ABC = (1.2345377437887E+088, 6.3247673647637E-015)")
f3 = _pad("ABC = (1.23453774378878E+88, 6.32476736476374E-15)")
if str(c) != f1 and str(c) != f2:
assert str(c) == f3
with pytest.raises(ValueError, match="Cannot represent float value"):
str(c)

def test_card_image_constructed_too_long(self):
"""Test that over-long cards truncate the comment"""
Expand Down