使用VC獲取字符串的長度

4.5.8  字符串的長度
字符串的長度通常是指字符串中包含字符的數目,但有的時候人們需要的是字符串所佔字節的數目。常見的獲取字符串長度的方法包括如下幾種。
1.使用sizeof獲取字符串長度
sizeof的含義很明確,它用以獲取字符數組的字節數(當然包括結束符0)。對於ANSI字符串和UNICODE字符串,形式如下:
  1. sizeof(cs)/sizeof(char)  
  2. sizeof(ws)/sizeof(wchar_t
可以採用類似的方式,獲取到其字符的數目。如果遇到MBCS,如"中文ABC",很顯然,這種辦法就無法奏效了,因爲sizeof()並不知道哪個char是半個字符。
2.使用strlen()獲取字符串長度
strlen()及wcslen()是標準C++定義的函數,它們分別獲取ASCII字符串及寬字符串的長度,如:
  1. size_t strlen( const char *string );  
  2. size_t wcslen( const wchar_t *string ); 
strlen()與wcslen()採取0作爲字符串的結束符,並返回不包括0在內的字符數目。
3.使用CString::GetLength()獲取字符串長度
CStringT繼承於CSimpleStringT類,該類具有函數:
  1. int GetLength( ) const throw( ); 
GetLength()返回字符而非字節的數目。比如:CStringW中,"中文ABC"的GetLength()會返回5,而非10。那麼對於MBCS呢?同樣,它也只能將一個字節當做一個字符,CStringA表示的"中文ABC"的GetLength()則會返回7。
4.使用std::string::size()獲取字符串長度
basic_string同樣具有獲取大小的函數:
  1. size_type length( ) const;  
  2. size_type size( ) const
length()和size()的功能完全一樣,它們僅僅返回字符而非字節的個數。如果遇到MCBS,它的表現和CStringA::GetLength()一樣。
5.使用_bstr_t::length()獲取字符串長度
_bstr_t類的length()方法也許是獲取字符數目的最佳方案,嚴格意義來講,_bstr_t還稱不上一個完善的字符串類,它主要提供了對BSTR類型的封裝,基本上沒幾個字符串操作的函數。不過,_bstr_t 提供了length()函數:
  1. unsigned int length ( ) const throw( );  
該函數返回字符的數目。值得稱道的是,對於MBCS字符串,它會返回真正的字符數目。
現在動手
編寫如下程序,體驗獲取字符串長度的各種方法。
【程序 4-8】各種獲取字符串長度的方法
  1. 01  #include "stdafx.h" 
  2. 02  #include "string" 
  3. 03  #include "comutil.h" 
  4. 04  #pragma comment( lib, "comsuppw.lib" )  
  5. 05    
  6. 06  using namespace std;  
  7. 07    
  8. 08  int main()  
  9. 09  {  
  10. 10      char s1[] = "中文ABC";  
  11. 11      wchar_t s2[] = L"中文ABC";  
  12. 12    
  13. 13      //使用sizeof獲取字符串長度  
  14. 14      printf("sizeof s1: %d\r\n"sizeof(s1));  
  15. 15      printf("sizeof s2: %d\r\n"sizeof(s2));  
  16. 16    
  17. 17      //使用strlen獲取字符串長度  
  18. 18      printf("strlen(s1): %d\r\n", strlen(s1));  
  19. 19      printf("wcslen(s2): %d\r\n", wcslen(s2));  
  20. 20    
  21. 21      //使用CString::GetLength()獲取字符串長度  
  22. 22      CStringA sa = s1;  
  23. 23      CStringW sw = s2;  
  24. 24    
  25. 25      printf("sa.GetLength(): %d\r\n", sa.GetLength());  
  26. 26      printf("sw.GetLength(): %d\r\n", sw.GetLength());  
  27. 27    
  28. 28      //使用string::size()獲取字符串長度  
  29. 29      string ss1 = s1;  
  30. 30      wstring ss2 = s2;  
  31. 31    
  32. 32      printf("ss1.size(): %d\r\n", ss1.size());  
  33. 33      printf("ss2.size(): %d\r\n", ss2.size());  
  34. 34    
  35. 35      //使用_bstr_t::length()獲取字符串長度  
  36. 36      _bstr_t bs1(s1);  
  37. 37      _bstr_t bs2(s2);  
  38. 38    
  39. 39      printf("bs1.length(): %d\r\n", bs1.length());  
  40. 40      printf("bs2.length(): %d\r\n", bs2.length());  
  41. 41    
  42. 42      return 0;43 } 
輸出結果如圖4-16所示。


===========================================
以上摘自《把脈VC++》第4.5.8 小節的內容 ,轉載請註明出處。
發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章