#include <iostream>
#include <string>
using namespace std;
#define MAX(T) \
T max_##T (T x, T y) {\
return x > y ? x : y; \
}
//在預處理的時候生成下面3個具體 類型的函數
MAX(int) // int max_int (int x, int y){return x > y ? x : y;}
MAX(double)
MAX(string)
#define mymax(T) max_##T //函數名用 宏函數代替
int main()
{
cout << mymax(int)(100, 200) << endl;// max_int(100,200)
cout << mymax(double)(1.23, 4.56) << endl;
cout << mymax(string)("hello", "world") << endl;
return 0;
}
#include <iostream>
#include <string>
using namespace std;
//函數模板
template<typename T>
T mymax(T x, T y)
{
return x > y ? x : y;
}
int main()
{
cout << mymax<int>(100, 200) << endl;
cout << mymax<double>(1.23, 4.56) << endl;
cout << mymax<string>("hello", "world") << endl;
return 0;
}