Is a pointer to the return-value of the typeid operator always valid in C++?

110 Views Asked by At

I assume it is the case, because e.g. &typeid(int) should be known already at compile-time, i.e. the pointer should never be invalidated when running out of any scope.

Example: If my assumption is correct, then the following code should not lead to any undefined behavior (at least it works on my PC).

int main() {
    const std::type_info* pType = nullptr; 
    {
        pType = &typeid(int);
    }
    std::cout << pType->name() << std::endl;
}

My goal: Let's say I have a class called MyTest defined as follows.

struct MyTest {
    const std::type_info* pType;
    MyTest(const std::type_info& type) : pType(&type) {}
    void printType() { std::cout << pType->name() << std::endl; }
};

Then the following code should hopefully lead to no undefined behavior, even when the argument in the constructor of MyTest is just "local".

int main() {
    MyTest myTest(typeid(double));
    myTest.printType();
}

I know there is another thread about whether you can compare two types by comparing the pointers to the return value of typeid, but that is not my problem here.

3

There are 3 best solutions below

0
On BEST ANSWER

According to the current draft of the Standard, that's safe. Two key points found in [expr.typeid]:

  • The result of a typeid expression is an lvalue .
  • The lifetime of the object referred to by the lvalue extends to the end of the program

https://eel.is/c++draft/expr.typeid#1

1
On

This is safe. From cppreference:

The typeid expression is an lvalue expression which refers to an object with static storage duration, of const-qualified version of the polymorphic type std::type_info or some type derived from it.

Since the object has static storage duration is is guaranteed to live until the end of main

2
On

Despite the quoted language from the standard in the other answers I suspect there are some cases where other actions would make this invalid.

Say that you have: polymorphic_type * some_function(); in a dynamically-loaded library, you load the library and call the function polymorphic_type * pPoly { some_function() }; (getting a valid polymorphic_type *) but then unload the library without invalidating the pointer. You then do a &typeid(pPoly). Your code will likely try getting type information from invalid memory.

This is, of course, highly contrived, but AFAIK the standard doesn't actually say anything about how object files are formatted or how executables are actually run.