C++ code can be compiled with run-time type information disabled, which disables dynamic_cast
. But, virtual (polymorphic) methods still need to be dispatched based on the run-time type of the target. Doesn't that imply the type information is present anyway, and dynamic_cast
should be able to always work?
Disabling RTTI kills dynamic_cast
and typeid
but has no impact on virtual functions. Virtual functions are dispatched via the "vtable" of classes which have any virtual functions; if you want to avoid having a vtable you can simply not have virtual functions.
Lots of C++ code in the wild can work without dynamic_cast
and almost all of it can work without typeid
, but relatively few C++ applications would survive without any virtual functions (or more to the point, functions they expected to be virtual becoming non-virtual).
A virtual table (vtable) is just a per-instance pointer to a per-type lookup table for all virtual functions. You only pay for what you use (Bjarne loves this philosophy, and initially resisted RTTI). With full RTTI on the other hand, you end up with your libraries and executables having quite a lot of elaborate strings and other information baked in to describe the name of each type and perhaps other things like the hierarchical relations between types.
I have seen production systems where disabling RTTI shrunk the size of executables by 50%. Most of this was due to the massive string names that end up in some C++ programs which use templates heavily.
dynamic_cast
needs more information. But it sounds like typeid
could still work, at least for types that have a vtable anyway. Can the vtable pointer be manually accessed from C++ code? –
Ketty typeid
cannot work because one of its main purposes is to provide a name for each type, and those names (the actual null-terminated strings) are simply not emitted into object files without RTTI. And no, the vtable cannot be manually accessed in a portable way in C++. There may be platform-specific ways, but even that is rare IMO. –
Nonesuch typeid
returns some kind of oblique integer/pointer. Makes sense that it doesn't work if it's a string (edit: actually class type_info
). –
Ketty © 2022 - 2024 — McMap. All rights reserved.
dynamic_cast<>
where it is actually needed without resorting to RTTI: Just define a downcast virtual function for the base that returnsnullptr
, and override it in the derived class with a version that returnsthis
. – Infraction