函数名作为C中main的参数

前端之家收集整理的这篇文章主要介绍了函数名作为C中main的参数前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我有一个主要功能如下:
  1. #include <stdio.h>
  2.  
  3. int main(int argc,char *argv[])
  4. {
  5. int i,sum = 0;
  6. char *func_user = argv[1];
  7.  
  8. // execute func_user function
  9.  
  10. return 0;
  11. }
  12.  
  13. void foo1(void)
  14. {
  15. printf("I'm foo1.");
  16. }
  17.  
  18. void foo2(void)
  19. {
  20. printf("I'm foo2.");
  21. }
  22.  
  23. void foo3(void)
  24. {
  25. printf("I'm foo3.");
  26. }

我希望用户将他的函数名称作为main的参数,我希望我的程序执行这个给定的函数.有没有办法做这个(比如使用反射)而不使用switch / case方法

解决方法

你不能直接这样做,因为C既不具有 introspection也不具有 reflection.你必须自己将名称(字符串)映射到(指向a)函数.

一种不常见的创建这种映射的方法是使用具有该信息的结构,然后对所有函数使用这些结构的数组.然后迭代数组以查找名称及其函数指针.

也许是这样的

  1. struct name_function_map_struct
  2. {
  3. char *name; // Name of the function
  4. void (*function)(void); // Pointer to the function
  5. };
  6.  
  7. // Declare function prototypes
  8. void foo1(void);
  9. void foo2(void);
  10. void foo3(void);
  11.  
  12. // Array mapping names to functions
  13. const struct name_function_map_struct name_function_map[] = {
  14. { "foo1",&foo1 },{ "foo2",&foo2 },{ "foo3",&foo3 }
  15. };
  16.  
  17. int main(int argc,char *argv[])
  18. {
  19. // Some error checking
  20. if (argc < 2)
  21. {
  22. // Missing argument
  23. return 1;
  24. }
  25.  
  26. // Calculate the number of elements in the array
  27. const size_t number_functions = sizeof name_function_map / sizeof name_function_map[0]
  28.  
  29. // Find the function pointer
  30. for (size_t i = 0; i < number_functions; ++i)
  31. {
  32. if (strcmp(argv[1],name_function_map[i].name) == 0)
  33. {
  34. // Found the function,call it
  35. name_function_map[i].function();
  36.  
  37. // No need to search any more,unless there are duplicates?
  38. break;
  39. }
  40. }
  41. }
  42.  
  43. // The definitions (implementations) of the functions,as before...
  44. ...

猜你在找的C&C++相关文章