菜鸟笔记
提升您的技术认知

不定参数宏展开与-ag真人游戏

引入

json for modern c 中为方便序列化和反序列化定义了两宏,如下

nlohmann_define_type_non_intrusive(name, member1, member2, ...) 将在要为其创建代码的类/结构的命名空间内定义。

nlohmann_define_type_intrusive(name, member1, member2, ...) 将在要为其创建代码的类/结构中定义。 该宏还可以访问私有成员。

进一步查看代码,json.hpp文件 https://github.com/lichangke/demos/blob/master/jsondemo/macrosforserialization/json.hpp

/*!
@brief macro
@def nlohmann_define_type_intrusive
@since version 3.9.0
*/
#define nlohmann_define_type_intrusive(type, ...)  \
    friend void to_json(nlohmann::json& nlohmann_json_j, const type& nlohmann_json_t) { nlohmann_json_expand(nlohmann_json_paste(nlohmann_json_to, __va_args__)) } \
    friend void from_json(const nlohmann::json& nlohmann_json_j, type& nlohmann_json_t) { nlohmann_json_expand(nlohmann_json_paste(nlohmann_json_from, __va_args__)) }
/*!
@brief macro
@def nlohmann_define_type_non_intrusive
@since version 3.9.0
*/
#define nlohmann_define_type_non_intrusive(type, ...)  \
    inline void to_json(nlohmann::json& nlohmann_json_j, const type& nlohmann_json_t) { nlohmann_json_expand(nlohmann_json_paste(nlohmann_json_to, __va_args__)) } \
    inline void from_json(const nlohmann::json& nlohmann_json_j, type& nlohmann_json_t) { nlohmann_json_expand(nlohmann_json_paste(nlohmann_json_from, __va_args__)) }

这里用到了 可变参数宏的展开 与 __va_args__ 相关

可变参数宏_va_args_

__va_args__可以将宏中的参数…展开

#include 
#define f(...) f(__va_args__)
int f(int a,int b,int c){
  
    return a b c;
}
int f(int a,int b){
  
    return a-b;
}
int main() {
  
    std::cout << "hello, world!" << std::endl;
    std::cout<< f(1,2,3) <

输出:

hello, world!
6
-1
process finished with exit code 0

宏函数的重载

代码variableparammacro

头文件

#include 
#define get_macro(_1, _2, _3, name, ...) name
#define print(...) get_macro(__va_args__,  output3, output2, output1, ...) (__va_args__)
#define output1(v1)  std::cout << v1 << std::endl;
#define output2(v1, v2) output1(v1) output1(v2)
#define output3(v1, v2, v3) output1(v1) output2(v2,v3)
#include 
#include "macrodemo.h"
int main() {
  
    std::cout << "hello, world!" << std::endl;
    print(1)
    std::cout << "==========" << std::endl;
    print(1, 2)
    std::cout << "==========" << std::endl;
    print(1, 2, 3)
    //print(1, 2, 3, 4) // 超过宏定义中参数个数
    return 0;
}

输出

hello, world!
1
==========
1
2
==========
1
2
3
process finished with exit code 0

展开步骤:

对于 print(1) :

  • 1、print(1) -> get_macro(1, output3, output2, output1, …) (1)

  • 2、get_macro(1, output3, output2, output1, …) -> get_macro(_1, _2, _3, name, …) name -> 得到 name 为 output1

  • 3、回到 1 得到 print(1) ->output1(1)

对于print(1,2,3) :

  • 1、print(1,2,3) -> get_macro(1,2,3, output3, output2, output1, …) (1,2,3)
  • 2、get_macro(1,2,3, output3, output2, output1, …) -> get_macro(_1, _2, _3, name, …) name -> 得到 name 为 output3
  • 3、回到 1 得到 print(1) ->output3(1,2,3)

相对于这里json for modern c 中的处理还在外面套了一层,封装了 func

希望我的文章对于大家有帮助,由于个人能力的局限性,文中可能存在一些问题,欢迎指正、补充!

网站地图