C&C++函式指標
阿新 • • 發佈:2019-02-04
今天在閱讀libcurl的原始碼的時候,發現裡邊定義函式指標的方法,與平時自己所用方式有所不同。詳細分析了一下。
libcurl的程式碼中,定義了一組傳送資料的函式指標。如下所示:
//程式碼目錄: lib/urldata.h
struct connectdata {
......
Curl_send *send[2];
......
};
其中,Curl_send定義如下://程式碼目錄: lib/urldata.h /* return the count of bytes sent, or -1 on error */ typedef ssize_t (Curl_send)(struct connectdata *conn, /* connection data */ int sockindex, /* socketindex */ const void *buf, /* data to write */ size_t len, /* max amount to write */ CURLcode *err); /* error to return */
感到疑惑的是,平時我們要使用typedef定義函式指標的話,一般都是寫成下面形式:
//定義一個函式指標,所指向函式接收一個整形引數,並返回整形值。
typedef int (*pFunc)(int);
但是,curl_send的定義中,並沒有帶上指標符號。在查閱一些資料後,發現這樣的定義方法也是可以的。
於是,寫了下面的程式驗證了一下。
如果將上面程式儲存為C程式檔案(.c),進行編譯,得到下面執行結果:#ifdef __cplusplus #include <iostream> #else #include <stdio.h> #endif int testFunc(int para) { #ifdef __cplusplus std::cout << "C++ parameter is: " << para << std::endl; #else printf("C parameter is: %d\n", para); #endif return 0; } int main() { typedef int (pTestFunc)(int); pTestFunc *pFunc = testFunc; //方式1:ok· pFunc(1111); //方式2:ok (*pFunc)(2222); //方式3:ok pTestFunc *pFunc2 = &testFunc; //方式4:ok pFunc2(3333); return 0; }
C parameter is: 1111
C parameter is: 2222
C parameter is: 3333
如果儲存為C++程式檔案(.cpp),得到執行結果:
C++ parameter is: 1111
C++ parameter is: 2222
C++ parameter is: 3333
從上面結果可以看到:
1.採用與curl_send相同的函式宣告方式,也是可以的。如上面的pTestFunc的定義。
2.對於函式指標pFunc的初始化,不管採用哪種方式都是可以的。參考上面的方式1與方式4。
3.而對於函式指標pFunc的呼叫,也可以採用不同的方式,參考方式2與方式3。
4.不管對於C還是C++,這些定義和使用函式指標的方式都是支援的。
當然,我們也可以採用傳統的函式指標宣告方式,如下程式所示:
int main()
{
typedef int (*pTestFunc)(int);
pTestFunc pFunc = testFunc; //方式5:ok
pFunc(1111); //方式6:ok
(*pFunc)(2222); //方式7:ok
pTestFunc pFunc2 = &testFunc; //方式8:ok
pFunc2(3333);
return 0;
}
執行結果與前面所述完全相同。