为什么这个type_traits代码给我一个整数到指针转换警告?

时间:2016-10-03 09:32:11

标签: c++ c++11 g++ variadic-templates variadic-functions

在没有详细介绍的情况下,我创建了一个可变参数模板函数,它根据模板参数的类型执行不同的操作。我将实现简化为一个非常简单的控制台打印示例:

#include <cstdint>
#include <cstddef>
#include <cstdio>
#include <cstring>
#include <type_traits>

void print(const char *chars) {
    printf("%s", chars);
}

template<typename FirstType, typename ... OtherTypes>
inline void print(FirstType first, OtherTypes... others);

template<typename ... OtherTypes>
inline void print(const char *chars, OtherTypes... others) {
    print(chars);
    print(" ");

    if (sizeof...(others) == 0) {
        print("\r\n");
    }
    else {
        print(others...);
    }
}

template<typename FirstType, typename ... OtherTypes>
inline void print(FirstType first, OtherTypes... others) {
    char buffer[10];
    const char *format = nullptr;

    if (std::is_same<int, FirstType>::value) {
        format = "%d";
    }
    else if (std::is_same<char, FirstType>::value) {
        format = "%c";
    }
    else if (std::is_pointer<FirstType>::value && (std::is_same<char*, FirstType>::value || std::is_same<const char*, FirstType>::value)) {
        print((const char *) first, others...);
        return;
    }

    if (format != nullptr) {
        snprintf(buffer, 10, format, first);
    }

    print((const char *) buffer, others...);
}

int main() {
    print("this is an example:", 'X');

    return 0;
}

在上面的代码中,我使用const char*char调用可变参数函数。它工作正常,但问题是编译器给了我一个警告:

[Timur@Timur-Zenbook tm]$ g++ tm.cpp -Wall -Wextra -o tm
tm.cpp: In instantiation of ‘void print(FirstType, OtherTypes ...) [with FirstType = char; OtherTypes = {}]’:
tm.cpp:24:14:   required from ‘void print(const char*, OtherTypes ...) [with OtherTypes = {char}]’
tm.cpp:52:37:   required from here
tm.cpp:40:15: warning: cast to pointer from integer of different size [-Wint-to-pointer-cast]
         print((const char *) first, others...);
               ^~~~~~~~~~~~~~~~~~~~

警告来自char参数,好像该函数错误地确定char的类型与const char*相同,因此const char*的代码路径被触发了。

为什么我收到此警告以及如何解决? 提前感谢您的回答!

1 个答案:

答案 0 :(得分:1)

  

为什么我收到此警告

FirstTypechar时,该分支中的代码仍然是实例化,即使该分支永远不会被执行。

  

我该如何解决?

将只对某些类型有意义的代码移到过载或专用特征上,这样就不会为非匹配类型首先编译它。

最简单的更改是完全删除else if(std::is_pointer...分支,并添加此重载,这具有相同的效果:

template<typename ... OtherTypes>
inline void print(char *chars, OtherTypes... others) {
    print((const char *)chars, others...);
}