xref: /aosp_15_r20/external/cronet/base/bit_cast.h (revision 6777b5387eb2ff775bb5750e3f5d96f37fb7352b)
1 // Copyright 2016 The Chromium Authors
2 // Use of this source code is governed by a BSD-style license that can be
3 // found in the LICENSE file.
4 
5 #ifndef BASE_BIT_CAST_H_
6 #define BASE_BIT_CAST_H_
7 
8 #include <type_traits>
9 
10 namespace base {
11 
12 // This is an equivalent to C++20's std::bit_cast<>(), but with additional
13 // warnings. It morally does what `*reinterpret_cast<Dest*>(&source)` does, but
14 // the cast/deref pair is undefined behavior, while bit_cast<>() isn't.
15 //
16 // This is not a magic "get out of UB free" card. This must only be used on
17 // values, not on references or pointers. For pointers, use
18 // reinterpret_cast<>(), and then look at https://eel.is/c++draft/basic.lval#11
19 // as that's probably UB also.
20 
21 template <class Dest, class Source>
bit_cast(const Source & source)22 constexpr Dest bit_cast(const Source& source) {
23   static_assert(!std::is_pointer_v<Source>,
24                 "bit_cast must not be used on pointer types");
25   static_assert(!std::is_pointer_v<Dest>,
26                 "bit_cast must not be used on pointer types");
27   static_assert(!std::is_reference_v<Source>,
28                 "bit_cast must not be used on reference types");
29   static_assert(!std::is_reference_v<Dest>,
30                 "bit_cast must not be used on reference types");
31   static_assert(
32       sizeof(Dest) == sizeof(Source),
33       "bit_cast requires source and destination types to be the same size");
34   static_assert(std::is_trivially_copyable_v<Source>,
35                 "bit_cast requires the source type to be trivially copyable");
36   static_assert(
37       std::is_trivially_copyable_v<Dest>,
38       "bit_cast requires the destination type to be trivially copyable");
39 
40   return __builtin_bit_cast(Dest, source);
41 }
42 
43 }  // namespace base
44 
45 #endif  // BASE_BIT_CAST_H_
46