How to inspect variables? Specifically ~U DateTime

I recently discovered the wonderful ~U sigil that can be used to create DateTime variables. However, what’s confusing to me is that you’d never know from looking at the result that you were in fact dealing with a %DateTime{} struct. For example:

iex> dt = ~U[2019-12-13 21:53:19.919561Z]
iex)> Map.keys(dt)
[:__struct__, :calendar, :day, :hour, :microsecond, :minute, :month, :second,
 :std_offset, :time_zone, :utc_offset, :year, :zone_abbr]

The only way I’ve found to peer into a variable like this is using IEX.Info.info/1

iex> dt = ~U[2019-12-13 21:53:19.919561Z]
iex> IEx.Info.info(dt)
[
  {"Data type", "DateTime"},
  {"Description", "This is a struct. Structs are maps with a __struct__ key."},
  {"Reference modules", "DateTime, Map"}
]

Can someone explain this? Are all sigils stored in this opaque way?

1 Like
  • Sigils are an input only construction that are executed at compile time.
  • Structs commonly support the Inspect protocol.
  • And its a common convention that structs that can be built with a sigil also use a sigil string as their inspect output. Because then when you copy/paste the inspected output into iex it will just work.

When you put the three points together you get the situation you describe. But there’s no magic going on. Just the output of the inspect protocol matching the sigil format.

You can force a different output in iex with the :structs option:

iex> ~U[2019-01-01 12:45:00.0Z] |> IO.inspect(structs: false)
%{
  __struct__: DateTime,
  calendar: Calendar.ISO,
  day: 1,
  hour: 12,
  microsecond: {0, 1},
  minute: 45,
  month: 1,
  second: 0,
  std_offset: 0,
  time_zone: "Etc/UTC",
  utc_offset: 0,
  year: 2019,
  zone_abbr: "UTC"
}
4 Likes

I typically convert the struct into a map so that I can see all the key/value pairs. Luckily elixir has a nice built in function Map.from_struct/1 which will do exactly what you think it will. The result for the datetime that you’ve referenced would look something like

iex(1)> Map.from_struct(~U[2019-12-13 21:53:19.919561Z])
%{
  calendar: Calendar.ISO,
  day: 13,
  hour: 21,
  microsecond: {919561, 6},
  minute: 53,
  month: 12,
  second: 19,
  std_offset: 0,
  time_zone: "Etc/UTC",
  utc_offset: 0,
  year: 2019,
  zone_abbr: "UTC"
}

This really helps demystify structs that are created by sigils IMO.

3 Likes