socket API 調用後的錯誤判斷 perror errno 調用完socket API後,需要判斷調用是否成功與失敗。如果失敗,會自動設置errno(是個整數), 並且用perror可以列印出具體的錯誤信息。 註意點: 1,如果有多個socket API調用失敗,errno存放的是最後一個失敗 ...
socket API 調用後的錯誤判斷 perror errno
調用完socket API後,需要判斷調用是否成功與失敗。如果失敗,會自動設置errno(是個整數), 並且用perror可以列印出具體的錯誤信息。
註意點:
1,如果有多個socket API調用失敗,errno存放的是最後一個失敗的API
#include <iostream>
#include <sys/types.h>
#include <sys/socket.h>
#include <unistd.h>//write
using namespace std;
int main(){
int sock;
sock = socket(AF_INET, 4000, 2000);// -------->①
write(-1, "aaa", 4);// ------->②
if(sock < 0){
perror("create socket");
cout << errno << endl;
}
因為①和②的system call都失敗了,所以errno裡面保存的是②出失敗的返回值。。
2,printf不可以在perror前面調用,因為printf裡面也有system call,如果裡面的system call失敗了的話,也會寫入errno。同理perror前面不能有別的system call。
#include <iostream>
#include <sys/types.h>
#include <sys/socket.h>
#include <unistd.h>//write
using namespace std;
int main(){
int sock;
sock = socket(AF_INET, 4000, 2000);
if(sock < 0){
close(fileno(stdout));//因為關閉了標準輸出,所以下麵的printf就會出錯,會覆蓋掉errno
printf("%d\n", errno);
perror("create socket");
cout << errno << endl;
}
}