IODA
02-Attributes.cpp
Go to the documentation of this file.
1 /*
2  * (C) Copyright 2020-2021 UCAR
3  *
4  * This software is licensed under the terms of the Apache Licence Version 2.0
5  * which can be obtained at http://www.apache.org/licenses/LICENSE-2.0.
6  */
7 /*! \addtogroup ioda_cxx_ex
8  *
9  * @{
10  *
11  * \defgroup ioda_cxx_ex_2 Ex 2: Attribute manipulation
12  * \brief Shows how to manipulate Attributes and an introduction to
13  * the type system.
14  * \see 02-Attributes.cpp for comments and the walkthrough.
15  *
16  * @{
17  *
18  * \file 02-Attributes.cpp
19  * \brief Shows how to manipulate Attributes and an introduction to
20  * the type system.
21  *
22  * Attributes are metadata that help describe a Group or a Variable.
23  * Good examples of attributes include descriptive labels about
24  * the source of your data, a description or long name of a variable,
25  * and it's valid range (which is the interval where the data are valid).
26  *
27  * ioda's attributes are flexible. They can be single points, or they can
28  * be 1-D arrays. They may be integers, or floats, or doubles, strings,
29  * complex numbers, or really any type that you can think of. We will go
30  * through the attribute creation, listing, opening, reading and writing
31  * functions in this example.
32  *
33  * This example creates an HDF5 file, "Example-02.hdf5" using the HDF5 backend.
34  * This file may be viewed with the "h5dump" of "ncdump" commands. You can
35  * also use "hdfview" if you want a gui.
36  *
37  * Note also: This example introduces Attributes. Variables are very similar to
38  * this but have more features. Variables are the focus of the next few tutorials.
39  *
40  * \author Ryan Honeyager (honeyage@ucar.edu)
41  **/
42 
43 #include <array> // Arrays are fixed-length vectors.
44 #include <iostream> // We want I/O.
45 #include <string> // We want strings
46 #include <valarray> // Like a vector, but can also do basic element-wise math.
47 #include <vector> // We want vectors
48 
49 #include "ioda/Engines/Factory.h" // Used to kickstart the Group engine.
50 #include "ioda/Exception.h" // Exceptions and debugging
51 #include "ioda/Group.h" // Groups have attributes.
52 
53 int main(int argc, char** argv) {
54  using namespace ioda; // All of the ioda functions are here.
55  using std::cerr;
56  using std::endl;
57  using std::string;
58  using std::vector;
59  try {
60  // We want to open a new file, usually backed by HDF5.
61  // We open this file as a root-level Group.
62  Group g = Engines::constructFromCmdLine(argc, argv, "Example-02.hdf5");
63 
64  // All of the attribute information for a Group or a Variable (see later
65  // tutorials) may be accessed by the ".atts" member object.
66  // i.e. g.atts;
67 
68  // ".atts" is an instance of the "Has_Attributes" class.
69  // This tutorial shows you how to *use* this object.
70  // If you want to *understand* how it is implemented, read the next paragraph.
71  // If not, then skip.
72 
73  // You can find Has_Attributes's definition
74  // in "include/ioda/Attributes/Has_Attributes.h". The class definition is not trivial.
75  // Has_Attributes is a derived class that inherits from detail::Has_Attributes_Base,
76  // which is a *template* class. If that's confusing, then just think that everything
77  // in Has_Attributes_Base is also available in Has_Attributes.
78  // We use this really weird pattern in writing the code because we share class
79  // structures between the frontend that you use (Has_Attributes) and the backends
80  // that implement the functionality (which all derive from Has_Attributes_Backend).
81  // When reading any of the ioda-engines header files, try to keep this in mind.
82 
83  // Since we just created a new, empty file, we don't have any attributes yet.
84  // Let's create some.
85 
86  // The fundamental creation function is .create<Type>(name, {dimensions})
87  // What this does is is creates a new attribute, called "int-att-1".
88  // This attribute holds a single ({1}) integer (<int>).
89  // The function returns the new attribute. No data is yet written to this attribute.
90  ioda::Attribute intatt1 = g.atts.create<int>("int-att-1", {1});
91  // Write a single integer
92  intatt1.write<int>(5);
93 
94  // Let's create and write an attribute that stores two integers.
95  ioda::Attribute intatt2 = g.atts.create<int>("int-att-2", {2});
96  intatt2.write<int>({1, 2});
97  // The {} notation is used to define a C++ initializer list. Dimensions ( { 2 } )
98  // are specified using initializer lists. These lists can be multi-dimensional,
99  // but support for this depends on the backend.
100  // We just wrote the data {1,2} using an initializer list also.
101 
102  // For convenience, Has_Attributes also provides a .add function that combines
103  // .create and .write.
104 
105  // This creates an int attribute that holds 3 elements, and assigns the values 1,2,3.
106  g.atts.add<int>("int-att-3", {1, 2, 3}, {3});
107 
108  // You might wonder about creating multi-dimensional attributes.
109  // Something like:
110  // g.atts.add<int>("int-att-3a", { 1,2,3,-1,-2,-3 }, { 3,2 });
111  // This does work, but not all backends support it for now.
112  // NetCDF4 does not support this yet, so "ncdump" will not understand a file with
113  // a multi-dimensional attribute. Multi-dimensional variables, though, are okay.
114 
115  // One last case:
116  // If you want to make an attribute that stores only a single element,
117  // yo do not need to specify its dimensions.
118  g.atts.add<int>("int-att-4", 42);
119 
120  // Let's write some more complicated data using a gsl::span container.
121  // The gsl stands for the Guideline Support Library, which contains a set of
122  // templated recommended by the
123  // [C++ Core Guidelines](https://isocpp.github.io/CppCoreGuidelines/CppCoreGuidelines).
124  // The gsl::span class is accepted into C++20, and ioda will be switched to using
125  // std::span once it is widely available.
126  //
127  // gsl::span is a replacement for (pointer, length) pairs to refer to a sequence
128  // of contiguous objects. It can be thought of as a pointer to an array, but unlike
129  // a pointer, it knows its bounds.
130  //
131  // For example, a span<int, 7> refers to a sequence of seven contiguous integers.
132  // A span *does not own* the elements it points to. It is not a container like an
133  // array or a vector, it is a *view* into the contents of such a container.
134  //
135  // See https://github.com/isocpp/CppCoreGuidelines/blob/master/docs/gsl-intro.md
136  // for details of why we want to prefer it over regular pointers.
137 
138  // We can make a span from std::vector, std::array, std::valarray quite trivially.
139  // We can also make a span from a C-style array, or from std::begin, std::end,
140  // or from iterators.
141  std::vector<int> v_data_5{1, 2, 3, 4, 5, 6, 7, 8, 9}; // A vector of data.
142  std::array<int, 6> a_data_6{1, 2, 3, 4, 5, 6}; // A fixed-length array of data.
143  std::valarray<int> va_data_7{1, 2, 3, 4}; // A basic math-supporting vector.
144  const size_t sz_ca_data_8 = 7;
145  const int ca_data_8[sz_ca_data_8]
146  = {1, 2, 3, 4, 5, 6, 7}; // NOLINT: (Humans should ignore this comment.)
147 
148  g.atts.add<int>("int-att-5", gsl::make_span(v_data_5));
149  g.atts.add<int>("int-att-6", gsl::make_span(a_data_6));
150  g.atts.add<int>("int-att-7", gsl::make_span(std::begin(va_data_7), std::end(va_data_7)));
151  g.atts.add<int>("int-att-8", gsl::make_span(ca_data_8, sz_ca_data_8));
152 
153  // Expanations for the above lines:
154  //
155  // For all: gsl::make_span encodes the size of the data, so
156  // you do not have to specify the attribute's dimensions. It gets passed through
157  // to the .create function transparently.
158  //
159  // int-att-5 was made from a vector. To convert a vector to a span, just
160  // use gsl::make_span(your_vector_here).
161  // int-att-6 was made from a std::array. Same treatment as a std::vector.
162  // int-att-7 is slightly harder. std::valarray does not provide .begin and .end functions,
163  // so we use std::begin and std::end when constructing the span.
164  // int-att-8's data comes from a C-stype array. To make the span, we provide the
165  // pointer to the start of the data, and the length.
166 
167  // DATA TYPES
168 
169  // By now, I assume that you are bored with just writing integers.
170  // Writing doubles, floats, strings, and so on are easy.
171  g.atts.add<float>("float-1", {3.1159f, 2.78f}, {2});
172  g.atts.add<double>("double-1", {1.1, 2.2, 3.3, 4.4}, {4});
173  // Write a single, variable-length string:
174  g.atts.add<std::string>("str-1", std::string("This is a test."));
175  // You need the std::string() wrapper because otherwise the C++
176  // compiler may assume that you want to do this:
177  // g.atts.add<char>("char-1", {"This is a test"}, {15});
178  // This is a fixed-length set of characters, which is _completely_ different.
179 
180  // Notes on the type system:
181  //
182  // C++11 defines many different *fundamental* types, which are:
183  // bool, short int, unsigned short int, int, unsigned int,
184  // long int, unsigned long int, long long int, unsigned long long int,
185  // signed char, unsigned char, char, wchar_t, char16_t, char32_t,
186  // float, double and long double.
187  // These fundamental types are _distinct_ _types_ in the language. We support them all.
188  //
189  // We also support variable-length and fixed-length array types, usually
190  // to implement strings but sometimes also to implement more complex data storage.
191  // Perhaps you might want to store complex numbers or tuples or a datetime object.
192  // That's under development, but the real takeaway is that the "type" of an
193  // attribute and its "dimensions" are separate things.
194 
195  // Listing, opening and querying attributes
196 
197  // Listing
198  // This is easy. We return a vector instead of a set because one day we might care
199  // about ordering.
200  std::vector<std::string> attList = g.atts.list();
201  if (attList.size() != 11)
202  throw ioda::Exception("Unexpected attribute count.")
203  .add("Expected", 11)
204  .add("Actual", attList.size());
205 
206  // Opening
207  // Also easy. We can use the .open() function, or use square brackets.
208  ioda::Attribute f1 = g.atts["float-1"];
209  ioda::Attribute d1 = g.atts.open("double-1");
210 
211  // Get dimensions
212  // Returns a ioda::Dimensions structure. This structure is shared with Variables.
213  ioda::Dimensions f1_dims = f1.getDimensions();
214  // Dimensionality refers to the number of dimensions the attribute has.
215  Expects(f1_dims.dimensionality == 1);
216  // dimsCur is the current dimensions of the attribute. For Attributes, these
217  // are fixed at creation time and always agree with dimsMax. (Variables are different.)
218  // Attributes are not expandable and have no unlimited dimensions.
219  // dimsCur and dimsMax are vectors with "dimensionality" elements.
220  Expects(f1_dims.dimsCur[0] == 2);
221  Expects(f1_dims.dimsMax[0] == 2);
222  // numElements is the product of all of the dimsCur elements.
223  Expects(f1_dims.numElements == 2);
224 
225  // Check type
226  // With the frontend / backend pattern, it is really hard to "get" the type into any
227  // form that C++ can intrinsically understand.
228  // It's much better to check if the Attribute's type matches a type in C++.
229  Expects(g.atts["int-att-1"].isA<int>() == true);
230 
231  // Reading attributes
232 
233  // Opening and then reading an attribute with a single element.
234  int int1val = g.atts["int-att-1"].read<int>();
235  Expects(int1val == 5);
236  // This can instead be written using a convenience function to do both at once.
237  Expects(g.atts.read<int>("int-att-1") == 5);
238 
239  // Read into any type of span.
240  // For the general case, we need to make sure that the span's size matches the
241  // number of elements in the attribute. An error will be thrown otherwise.
242  std::array<float, 2> check_float_1; // NOLINT: (Humans should ignore this comment.)
243  g.atts.read<float>("float-1", gsl::make_span(check_float_1));
244 
245  // Reading into a vector is special. A vector is resizable, and an overload of
246  // the read function does this for us.
247  std::vector<double> check_double_1;
248  g.atts.read<double>("double-1", check_double_1); // no gsl::span for the vector read.
249 
250  // A valarray is like a vector. We can resize it automatically, and thus also specialize it.
251  std::valarray<double> check_double_1_valarray;
252  g.atts.read<double>("double-1", check_double_1_valarray);
253 
254  } catch (const std::exception& e) {
256  return 1;
257  }
258  return 0;
259 }
260 
261 /// @}
262 /// @}
IODA's error system.
Definitions for setting up backends with file and memory I/O.
Interfaces for ioda::Group and related classes.
This class represents attributes, which may be attached to both Variables and Groups.
Definition: Attribute.h:493
The ioda exception class.
Definition: Exception.h:54
Exception & add(const std::string &key, const T value)
Add a key-value pair to the error message.
Definition: Exception.h:75
Groups are a new implementation of ObsSpaces.
Definition: Group.h:159
IODA_DL Group constructFromCmdLine(int argc, char **argv, const std::string &defaultFilename)
This is a wrapper function around the constructBackend function for creating a backend based on comma...
Definition: Factory.cpp:21
int main(int argc, char **argv)
IODA_DL void unwind_exception_stack(const std::exception &e, std::ostream &out=std::cerr, int level=0)
Convenience function for unwinding an exception stack.
Definition: Exception.cpp:48
Describes the dimensions of an Attribute or Variable.
Definition: Dimensions.h:22