This guide is specifically for using SuperNOVAS primarily as a C++11 library. There is a separate guide for using the C99 API. The links below let you jump to the relevant sections:
SuperNOVAS is a C99 library at its core. If you are looking for maximum speed, or want to use SuperNOVAS on older platforms, the C99 API is there for you. However, if you want a more modern, more intuitive, higher-level, and more elegant way of using SuperNOVAS then the C++ API gives you that comfort.
The following links provide further useful documentation resources for you:
- C++ API documentation
- SuperNOVAS pages on github.io
Building your application with SuperNOVAS (C++)
There are a number of ways you can build your application with SuperNOVAS. See which of the options suits your needs best:
Using a GNU Makefile
Using CMake
C++ Fundamentals
Before we dive into specific examples for using the SuperNOVAS C++ API, you should know of the generic features and design principles that underly the C++ implementation.
Namespace
To allow using simple class names, while being cognizant of potential namespace conflicts, the SuperNOVAS classes
all live under the supernovas namespace. Thus, the class Angle, for example, has a full name supernovas::Angle
that can be used in any context. But, when convenient you can make one of more namespaces default in your source
code, e.g.:
#include <supernovas.h>
using namespace supernovas;
void my_func() {
Angle a(...);
...
}
is equivalent to:
#include <supernovas.h>
void my_func() {
supernovas::Angle a(...);
...
}
Validation
C++ does not have runtime exceptions the same way as Python or Java, which can be caught. While C++17 introduced
std::optional types that can be used to return with or without valid data, SuperNOVAS does not use these,
because (a) the optionals are not supported on Apple and Windows (in 2026), and (b) they don’t do anything for
constructors.
Instead all SuperNOVAS classes are based on a supernovas::Validating base class, providing an is_valid()
method. All subclasses (that is all SuperNOVAS classes) sanity check their data as part of their constructor. And,
mutable classes sanity check every time they are modified as well. The checks typically include flagging NaNs and
infinite values (unless they are explicitly allowed), enum values outside of their normal range (yes the compiler
checks for these, but those checks can be easily bypassed), and whatever else is necessary to ensure that the objects
contain fully usable data.
It is generally a good idea to check for validity whenever getting sane numerical data (i.e., not NaNs) is critical, or if you are not entirely sure. For example:
Observer obs = ...; // Define an observer location
if(!obs.is_valid()) {
// Oops, something isn't right...
return;
}
or, equivalently the objects themselves can be evaluated as boolean types, the same as calling is_valid(), i.e.:
Observer obs = ...; // Define an observer location
if(!obs) {
// Oops, something isn't right...
return;
}
And if in doubt as to why your object is invalid, you can always turn on debugging with novas_debug(NOVAS_DEBUG_ON),
at least in the relevant section of your code. SuperNOVAS will provide error descriptions and call traces every
time an invalid class instance is created, and when methods create invalid objects themselves.
Thread safety
It is easy to use the C++ API safely in a multi-threaded environment, even without explicit mutexing. The best
practice is to always declare your shared (among threads) class variables as const so they will never get
accidentally modified by one thread while another thread accesses them concurrently. While most SuperNOVAS classes
do not have explicitly declared methods that can modify them, their contents can nevertheless get overwritten easily
with the implicit copy-assignment operator – but not when the variable was declared as const. For example:
// Declaring 'frame' as const will make it safe to use in threads.
const Frame frame = ...;
To further support thread safety, the SuperNOVAS classes are designed never to store references to external objects internally. Instead, they always store copies of the parameters that were supplied by their constructors or update methods. While the copying may result in a small overhead, it guarantess that the internal data cannot vanish or change unexpectedly.
Operator overloading
Several SuperNOVAS classes override arithmetic operators (often + and -, and sometimes * and /), but only
when this is physically meaningful. For example, you can add and difference position or velocity vectors: for
supernovas::Position, a and b, a + b is the two positions superimposed, a - b is the
difference vector of the same type. For supernovas::Velocity, the addition and subtraction follows the relativistic
formulae, e.g. for velocity vectors v1 and v2:
Velocity dv = v2 - v1; // Relativistic difference of two velocity vectors.
You can also add or subtract intervals around supernovas::Time instances, such as:
Time t = ...; // An astrometric time instance
Time t1 = t + 1.1 * Unit::min; // offset time (in a terrestrial timescale)
This works for small intervals so long as the Earth Orientation Parameters (leap seconds and UT1 - UTC time
difference) remain the same, and the offset is in a terrestrial timescale (UTC, TT, TAI, or GPS). The above is the
same as t + Interval(1.1 * Unit::min) or t.shifted(1.1 * Unit::min) or t.shifted(Interval(1.1 * Unit::min)).
You can also multiply a supernovas::Velocity or supernovas::ScalarVelocity (rv) with a time interval on either
side to get distance travelled, e.g.:
Coordinate dr = rv * Interval(5.0 * Unit::s); // distance travelled
is the same as Interval(5.0 * Unit::s) * rv, and is the same as v.travel(5.0 * Unit::s) or
v.travel(Interval(5.0 * Unit::s)).
Conversely, you can define (scalar and vector) velocities by dividing the traveled coordinate or position vector with a time interval:
ScalarVelocity v = Coordinate(120.0 * Unit::km) / Interval(14.3 * Unit::s);
Or, using a bunch of the arithmetic operators already discussed, you can calculate a velocity from two positions measured at two different time instances:
Position p0, p1; // Postions measured at two different times
Time t0, t1; // the times of the measurements
// Calculate an average velocity from the above...
Velocity v = (p1 - p0) / (t1 - t0);
Celestial coordinates, which can be expressed in different reference systems, can be transformed to another system
with the >> operator, which is just a shorthand for the .to_system() method. E.g., if you have
supernovas::Equatorial coordinates eq in some reference system, and want it to be converted to ICRS, you might
write:
Equatorial icrs = eq >> Equinox::icrs(); // ICRS coordinates
which is the same as eq.to_system(Equinox::icrs()) or eq.to_icrs().
Many classes also define == and != to check for equality. This is the same as calling their .equals() method
with the default precision, or it’s negated form, respectively.
supernovas::Time and supernovas::CalendarDate also have comparison operators defined: <, >, <=, and >=.
The < and > always evaluate at the full precision, whereas <= and >= follow the default precision of ==.
This makes <= fully consistent with < or ==, and >= with > or ==. So for two times instances t1 and
t2, you could check, e.g.:
if(t1 >= t2)
std::cout << "t1 is approximately the same or after t2.\n";
else if(t1 < t2)
std::cout << "t1 is before t2.\n";
else
std::cout << "either t1 or t2 is undefined / invalid.\n";
Last, but not least, all SuperNOVAS classes can be evaluated as boolean types, to check validity (same as the
.is_valid() method), as described a little further above.
It is up to you whether your coding style prefers using the overloaded operators or the equivalent methods. Do what works best for you.
Example C++ usage
- Calculating positions for a sidereal source
- Calculating positions for a Solar-system source
- Going in reverse…
- Calculate rise, set, and transit times
- Coordinate and velocity transforms (change of coordinate system)
Calculating positions for a sidereal source
A sidereal source may be anything beyond the Solar system with ‘fixed’ catalog coordinates. It may be a star, or a galactic molecular cloud, or a distant quasar.
- Specify the object of interest
- Specify the observer location
- Specify the time of observation
- Set up the observing frame
- Calculate an apparent place on sky
- Calculate azimuth and elevation angles at the observing location
Specify the object of interest
First, you must provide the astrometric parameters (coordinates, and optionally radial velocity or redshift, proper motion, and/or parallax or distance also). Let’s assume we pick a star for which we have B1950 (i.e. FK4) coordinates. We begin with the assigned name and the R.A. / Dec coordinates, and then populate any other astrometric parameters we may have:
// Let's assume we have B1950 (FK4) coordinates
CatalogEntry entry = CatalogEntry("Antares", "16h26m20.1918s", "-26d19m23.138s", Equinox::b1950())
.proper_motion(-12.11 * Unit::mas / Unit::yr, -23.30 * Unit::mas / Unit:yr)
.parallax(5.89 * Unit::mas)
.radial_velocity(5.89 * Unit::km / Unit::s);
Above, the coordinates were specified as strings. but they could have been floating-point values (e.g. 16.43894213 *
Unit::hour_angle, -26.323094 * Unit::deg), or supernovas::Angle / supernovas::TimeAngle objects instead. We
also specified an equinox (B1950), but you can skip that if you use ICRS coordinates. After that, we used a builder
pattern to add additional detail, such as proper motion, parallax, and an (SSB-based) radial velocity. We could have
also set distance() instead of parallax(), or v_lsr() or redshift() instead of radial_velocity(). Use what
fits your needs best. Note the use of physical units along with the numerical data.
Next, we we create a Source type object from this catalog entry:
auto source = entry.to_source();
The supernovas::Source class can represent different astronomical objects, and accordingly has different subclasses.
Specifically, entry.to_source() above returns a supernovas::CatalogSource, but thanks to the auto keyword, we
don’t really need to know what subclass of Source is actually being created here.
Specify the observer location
A. Earth-based observer location
Next, we define the location where we observe from. Let’s assume we have a GPS location, such as 50.7374 deg N, 7.0982 deg E, 60m elevation:
// Specify the location we are observing from, e.g. a GPS / WGS84 location
Site site = Site::from_GPS(7.0982 * Unit::deg, 50.7374 * Unit::deg, 60.0 * Unit::m);
[!TIP] You might use one of the
supernovas::Site()constructors directly if the location is defined on the GRS80 reference ellipsoid, or if you have geocentric Cartesian coordinates.
Again you could have specified the coordinates as DMS strings, or as supernovas::Angle objects also, e.g.:
Site site = Site::from_GPS("7.0982 deg E", "50.7374N", Coordinate(60.0 * Unit::m));
Next, you will want to create an supernovas::Observer instance for that location with the appropriate Earth
Orientation Parameters (EOP), such as obtained from the
IERS Bulletins or data service. These are leap
seconds, the UT1-UTC time difference capturing variations in Earth’s rotation, and the xp,
yp polar offsets, which measure small wanders of Earth’s rotational pole w.r.t. the crust:
// Let's assume 37 leap seconds, 0.6447s UT1-UTC difference, and some polar offsets:
EOP eop(37, 0.6447 * Unit::s, 103.2 * Unit::mas, 211.3 * Unit::mas);
// Now create an observer for that site
auto obs = site::to_observer(eop);
Again, supernovas::Observer has many subclasses of specific flavors, so here we use the auto keyword again if we
are lazy (otherwise we could have specified supernovas::GeodeticObserver, which is what site.to_observer()
returns).
B. other observer locations
Alternatively, you can also specify airborne observers, or observers in Earth orbit, in heliocentric orbit, at the
geocenter, or at the Solar-system barycenter. See the static methods of the supernovas::Observer class. E.g.:
auto obs = Observer::at_geocenter();
Specify the time of observation
Then we can set the time of observation, for example, using the current UNIX time:
// Set the time of observation to the precise UTC-based UNIX time
Time obs_time = Time::now(eop);
Once again, EOP is needed for the leap seconds and UT1-UTC time difference.
Alternatively, you may set the time as a Julian date in the time measure of choice (UTC, UT1, TT, TDB, GPS, TAI, TCG, or TCB):
double jd_tai = ... // TAI-based Julian Date
Time obs_time(jd_tai, eop, NOVAS_TAI)
or, for the best precision we may do the same with an integer / fractional split:
long ijd_tai = ... // Integer part of the TAI-based Julian Date
double fjd_tai = ... // Fractional part of the TAI-based Julian Date
Time obs_time(ijd_tai, fjd_tai, eop, NOVAS_TAI);
Or, you might use string dates, such as an ISO timestamp:
Time obs_time = Time("2025-01-26T22:05:14.234+0200", eop);
Set up the observing frame
Next, we set up an observing frame, which is defined for a unique combination of the observer location and the time of observation:
// Initialize the observing frame for the observer at the time of observation.
Frame frame = obs.frame_at(obs_time);
// It's a good idea to confirm that the frame is actually valid
if(!frame) {
// Oops, not a valid frame, perhaps because we don't have an ephemeris provider configured.
...
}
Or, you can use obs.reduced_accuracy_frame_at(time) to construct a frame with mas-level accuracy only.
[!IMPORTANT] Without a proper ephemeris provider for the major planets, you are invariably restricted to working with reduced accuracy frames, providing milliarcsecond precision at most. Attempting to construct high-accuracy frames without an appropriate high-precision ephemeris provider will result in an error from the requisite
ephemeris()calls.
[!TIP] Full accuracy (μas-level) frames require a high-precision ephemeris provider for the major planets, e.g. to account for the gravitational deflections. Without it, μas accuracy cannot be ensured, in general. See section on Incorporating Solar-system ephemeris data or services further below.
Calculate an apparent place on sky
Now we can calculate the apparent R.A. and declination for our source, which includes proper motion (for sidereal sources) or light-time correction (for Solar-system bodies), and also aberration corrections for the moving observer and gravitational deflection around the major Solar System bodies (in full accuracy mode). You can calculate an apparent location in the:
// Precise apparent positions and spectroscopic velocities (in TOD).
Apparent app = source.apparent_in(frame);
You cat get true-of-date (TOD) equatorial coordinates (.equatorial()), or in CIRS (.cirs()). And you can convert
these to any other coordinate system of choice (ICRS/GCRS, J2000, or MOD), e.g.:
// true-of-date apparent coordinates
Equatorial tod = app.equatorial();
// the same converted to ICRS
Equatorial icrs = tod.to_icrs();
You can also obtain ecliptic (TOD) and galactic coordinates the same way, and convert ecliptic coordinates to other equinoxes just like we did for the equatorial:
// apparent ecliptic coordinates in J2000
Ecliptic ecl = app.ecliptic() >> NOVAS_J2000;
// apparent Galactic coordinates
Galactic gal = app.galactic();
Above the >> operator is used as a shorthand for the .to_system() method. It’s the same as writing
.to_system(NOVAS_J2000) or .to_j2000(). For spectroscopic applications, you can get a spectroscopic radial
velocity or redshift (including gravitational effects) as:
ScalarVelocity rv = app.radial_velocity();
double z = app.redshift();
And, you can also get a distance:
Coordinate d = app.distance();
[!NOTE] If you want geometric positions and/or velocities instead, without aberration and gravitational deflection, you might use
supernovas::Source::geometric_in(Frame&)instead ofsupernovas::Source::apparent_in(Frame&).
Calculate azimuth and elevation angles at the observing location
If your ultimate goal is to calculate the azimuth and elevation angles of the source at the specified observing
location, you can proceed from the Apparent positions you obtained above, provided they are calculated for an
Earth based observer (otherwise, you’ll get an invalid result):
// Convert the apparent position to unrefracted horizontal coordinates
Horizontal hor = app.to_horizontal()
// ... or apply atmospheric refraction with the model and weather of choice
// Lets define the weather parameters explicitly as 12.0C, 895 mbar, and 47% humidity:
Weather weather = Weather(Temperature::celsius(12.0), Pressure::mbar(895.0), 47.0);
// Obrtain refraction cofrrected horizontal coordinates
hor = hor.to_refracted(novas_optical_refraction, weather);
Calculating positions for a Solar-system source
- Planets and/or ephemeris type objects
- Solar-system objects with Keplerian orbital parameters
- Approximate planet orbitals
- Moon’s position and phase
Solar-system sources work similarly to the above with a few important differences at the start.
Planets and/or ephemeris type objects
Historically, NOVAS divided Solar-system objects into two categories: (1) major planets (including also the Sun, the
Moon, and the Solar-system Barycenter); and (2) ‘ephemeris’ type objects, which are all other Solar-system objects.
The main difference is the numbering convention. NOVAS major planets have definitive ID numbers (see
enum novas_planet), whereas ‘ephemeris’ objects have user-defined IDs. They are also handled by two separate adapter
functions (although SuperNOVAS has the option of using the same ephemeris provider for both types of objects
also).
Thus, you define your Source as a supernovas::Planet or supernovas::EphemerisSource type object with the name or
ID number that is used by the ephemeris service you provided. For major planets you might want to use Planet, if
they use a novas_planet_provider function to access ephemeris data with their NOVAS IDs, or else
supernovas::EphemerisSource for more generic ephemeris handling via a user-provided novas_ephem_provider. E.g.:
// Planet types are handled by the planet provider function.
auto mars = Planet::mars();
// Ceres will be handled by the generic ephemeris provider function, which let's say
// uses the NAIF ID of 2000001 _or_ the name 'Ceres' (depending on the implementation)
auto ceres = EphemerisSource("Ceres", 2000001);
[!IMPORTANT] Before you can handle all major planets and other ephemeris objects this way, you will have to provide one or more functions to obtain the barycentric ICRS positions for your Solar-system source(s) of interest for the specific Barycentric Dynamical Time (TDB) of observation. See section on Incorporating Solar-system ephemeris data or services.
And then, it’s the same spiel as before, e.g.:
Apparent app = mars.apparent_in(frame);
or to get geometric (unaberrated, undeflected) positions and velocities of when the light left the Solar-system body:
// Obtain geometric positions / velocities for when light
Geometric geom = ceres.geometric_in(frame);
// The 3D geometric position of Ceres at the time the observed light originated
Position pos = geom.position();
// 3D geometric velocity of Ceres, antedated for when observed light originated
Velocity vel = geom.velocity();
Solar-system objects with Keplerian orbital parameters
You can also define solar system sources with Keplerian orbital elements (such as the most up-to-date ones provided by the Minor Planet Center for asteroids, comets, etc.):
// e.g. a Near-Earth Asteroid in
Time ref_time = ... // reference time for which orbital parameters are defined
// Define the orbital parameters in the given orbital system:
Orbital orb = OrbitalSystem::equatorial(Planet::earth())
.orbit(ref_time, 3452.0 * Unit::km, 192.3 * Unit::deg 3.55 * Unit::h) // t0, M0, T
.eccentricity(0.049, 44.1 * Unit::deg) // e, omega
.inclination(11.3 * Unit::deg, -112.1 * Unit::deg) // i, Omega
.apsis_period(14.5 * Unit::yr)
.node_period(29.0 * Unit::yr);
// Make an OrbitalSource with the designated name
auto nea = orb.to_source("name-this-NEA");
[!NOTE] Even with orbital elements, you will, in general, still require an ephemeris provider also, to obtain precise positions for the Sun, an Earth-based observer, or the planet, around which the orbit is defined.
You don’t have to fill all the parameters, and instead of setting inclination and the argument of the rising node,
you could also set the location of the orbital pole (via pole()). And, instead of orbital period, you might use
a mean motion parameter to instantiate the orbit with supernovas::Orbital::from_mean_motion().
And then, it’s once again the same spiel as before, e.g.:
Apparent app = nea.apparent_in(frame);
or
Geometric geom = nea.geometric_in(frame);
Approximate planet orbitals
Finally, you might generate approximate (arcmin-level) orbitals for the major planets (but not Earth!), the Moon, and the Earth-Moon Barycenter (EMB) also. E.g.:
// The current Keplerian orbital of Venus...
Orbital orb = Planet::venus().orbit(Time::now());
Or, you can use such orbitals (implicitly) to calculate approximate positions and velocities for the planets, e.g.:
// Approximate, orbital model based, apparent positions for Mars...
Apparent app = Planet::mars().approx_apparent_in(frame);
// Approximate, orbital model based, geometric positions and velocities for Neptune...
Geometric geom = Planet::neptune().approx_geometric_in(frame);
Keep in mind that the planet and Moon orbitals are not suitable for precision applications.
Moon’s position and phase
SuperNOVAS can calculate positions and velocities for the Moon to arcsecond (or km) level, or better, accuracy using the ELP2000 / MPP02 semi-analytical model by Chapront & Francou (2003). This means that you can calculate astrometric quantities for the Moon with reasonable accuracy even without an ephemeris provider configured.
For example, you can calculate the apparent place of the Moon in an observing frame as:
Frame frame = ...; // Observer location and time of observation
// Apparent position of the Moon on observer's sky.
Apparent app = frame.apparent_moon_elp2000();
Alternatively, you can obtain geometric positions and velocities of the Moon, relative to the
observer using supernovas::Frame::geometric_moon_elp2000() instead.
You can also obtain the current phase of the Moon, for the time of observation:
Time t_obs = ...; // Astrometric time of observation
// Moon's phase at the specified time (0 is new moon).
Angle phase = t_obs.moon_phase();
or, calculate when the Moon will reach a particular phase next:
Time t_obs = ...; // Astrometric time of observation
// Astrometric time of next full moon (phase = 180 deg).
Time t_full = t_obs.next_moon_phase(Angle(180.0 * Unit::deg));
Going in reverse…
Of course, SuperNOVAS allows you to go in reverse, for example from an observed Az/El position all the way to proper ICRS R.A./Dec coordinates, or a geometric place.
E.g., let’s assume you start with horizontal coorinates that measured at your observing location:
Horizontal hor = ...; // observer azimuth and elevation angles
If needed correct for atmospheric refraction.
Weather weather(...); // define local weather parameters for the refraction (if needed)
hor = hor.to_unrefracted(novas_optical_refraction, weather);
Noew you can calculate an apparent place on the celestial sphere given your observing frame (precise location and time of observation).
Apparent app = hor.to_apparent(frame);
or,
Apparent app = hor.to_apparent(frame, ScalarVelocity(-14.2 * Unit::km / Unit::s), Distance(43.6 * Unit::pc);
Note, that when radial velocity and/or distance is not explicitly defined, they are assumed as 0 (km/s) and 1 Gpc, respectively. Next, you can convert the apparent place to a geometric position, referenced to the time when the observed light originated from the source (at the distance defined or assumed):
AstrometricPosition pos = app.astrometric_position();
Or, calculate the geometric position relative to the SSB instead…
AstrometricPosition ssb_pos = app.astrometric_position().referenced_to_ssb();
And finally, you can calculate nominal SSB-based ICRS coordinates as:
Equatorial icrs = ssb_pos.as_equatorial().to_icrs();
Calculate rise, set, and transit times
You may be interested to know when sources rise above or set below some specific elevation angle, or at what time they appear to transit at the observer location. SuperNOVAS has routines to help you with that too.
Given that rise, set, or transit times are dependent on the day of observation, and observer location, they are effectively tied to an observer frame. Let’s assume you have defined a source and an observing frame:
Frame frame = ...; // Earth-based observer location and lower-bound time of interest.
Source source = ...; // Source of interest
Let’s calculate the time when source rises above 30 degrees of elevation next after the observing time of the frame, given the NOVAS optical refraction model.
Weather weather = ...; // Define local weather parameters...
Time t_rise = source.rises_above(30.0 * Unit::deg, frame, novas_optical_refraction, weather);
Or, calculate the time the source transits after the frame’s time of observation:
Time t_transit = source.transits_in(frame);
Or, calculate the next time when source sets below 30 degrees of elevation, not accounting for refraction.
Time t_set = source.sets_below(30.0 * Unit::deg, frame);
Note, that in the current implementation these calls are not well suited sources that are at or within the geostationary orbit, such as such as Low Earth Orbit satellites (LEOs), geostationary satellites (which never really rise, set, or transit), or some Near Earth Objects (NEOs), which will rise set multiple times per day. For the latter, the above calls may still return a valid time, only without the guarantee that it is the time of the first such event after the specified frame instant. A future implementation may address near-Earth orbits better, so stay tuned for updates.
Coordinate and velocity transforms (change of coordinate system)
Equatorial coordinates are inherently linked to a choice of equator orientation (w.r.t. distant quasars), and the
location of the equinox, the intersection of the equator of choice with the and ecliptic of date. The choice of equator
is commonly referred as the coordinate reference system (e.g. ICRS, CIRS, TOD, J200, B1950). A such, equatorial
coordinates (supernovas::Equatorial class) and ecliptic coordinates (supernovas::Ecliptic class) are always
defined w.r.t. an equator and equinox, a.k.a. a reference system, of choice (supernovas::Equinox class).
However, after such coordinates are instantiated for one choice of reference system, you can easily convert them to another, even if the other system is defined for a different date:
// Suppose you have ICRS equatorial coordinates
Equatorial eq = ...;
// convert them to say CIRS coordinates now...
Equatorial cirs_now = eq >> Equinox::cirs(Time::now(eop));
// or convert to B1950 coordinates
Equatorial b1950 = icrs.to_b1950();
The astrometric time definition for ‘now’ needs Earth Orientation Parameters (EOP), which are defined by the
supernovas::EOP class. The operator >> is a shorthand for .to_system(), and we could have used .to_cirs(Time&)
as well. Similarly, the .to_b1950() is a shorthand for .to_system(Equinox::b1950()). These methods and
operators can be used interchangeably.
The same goes for ecliptic coordinates:
// define ecliptic coordinates in some reference system
Ecliptic ec = ...;
// convert to ICRS
Ecliptic ec_icrs = ec.to_icrs();
// convert to J2000
Ecliptic ec_j2000 = ec >> Equinox::j2000();
You can also easily convert between equatorial, ecliptic, and galactic coordinates (supernovas::Galactic class),
e.g.:
// say you start with equatorial
Equatorial eq = ...;
// convert to J2000 Ecliptic coordinates
Ecliptic ec2000 = eq.to_ecliptic().to_j2000();
// convert to Galactic coordinates
Galactic gal = eq.to_galactic();
// Let's convert back and check
if (eq != gal.equatorial())
std::cerr << "Oops, that was unexpected.\n";
Similarly, geometric (equatorial) positions and velocities (supernovas::Geometric class), defined for an observing
frame, are also defined w.r.t. an equator and equinox. They can be converted to another reference system type for the
same date, or else ICRS or J2000:
// Define some geometric positions and velocities in an observing frame
Geometric geom = ...;
// convert to ICRS positions / velocities
Geometric geom_icrs = geom.to_icrs();
// convert to J2000 position / velocities
Geometric geom_j2000 = geom.to_system(NOVAS_J2000);
// convert to pseudo Earth rotating TIRS positions / velocities
Geometric geom_tirs = geom >> NOVAS_TIRS;
Once again, the >> operator is just a shorthand for the .to_system() method, and there are system-specific
convenience methods (like .to_icrs(), or to_mod()) defined also. Note, that geometric coordinates can be defined
not only for celestial equatorial systems, but also for the Earth-rotating reference systems TIRS and ITRS.
Copyright (C) 2026 Attila Kovács