4.6 使用第三方庫 以上介紹了Visual C++對對象賦值、轉換及字符編碼轉換的方法,實際上還有一些好用的第三方類庫用以輔助C++程序員完成對象處理,比較著名的就是boost。本節簡單介紹boost庫中與數值相關的boost::any、boost::lexical_cast,以及有理數類boost::rational。 4.6.1 萬能類型boost::any boost庫提供了any類,boost::any是一個能保存任意類型值的類,這一點有點像variant類型,不過variant由於采用了一個巨大的union,效率非常低。而boost利用模板,保存的時候並不改變值的類型,只是在需要的時候才提供方法讓用戶進行類型判斷及取值。 boost::any幾乎可以用來存儲任何數據類型:
需要的時候,我們又可以使用any_cast將原來的數據還原:
- boost::any ai, as;
- ai = 100;
- as = string("hello");
當這種轉換發生類型不匹配時,會有異常bad_any_cast發生:
- int i = boost::any_cast<int>(ai);
- string s = boost::any_cast<string>(as);
在傳統的C++程序中,為了支持各種數據類型,我們不得不使用萬能指針"void *",但是很遺憾的是,基於萬能指針的轉換是不安全的,"void*"缺少類型檢查。所以,我們建議大家盡量使用any類。 現在動手 編寫如下程序,體驗如何使用boost::any來完成對象類型轉換。 程序 4-10】使用boost::any完成對象類型轉換
- try
- {
- int i = boost::any_cast<int>(as);
- }
- catch(boost::bad_any_cast & e)
- {
- }
結果輸出如圖4-18所示。
- 01 #include "stdafx.h"
- 02 #include "boost/any.hpp"
- 03 #include <string>
- 04
- 05 using namespace std;
- 06 using namespace boost;
- 07
- 08 class Cat
- 09 {
- 10 };
- 11
- 12 void print(any it)
- 13 {
- 14 if(it.empty())
- 15 {
- 16 printf("nothing!\r\n");
- 17 return;
- 18 }
- 19
- 20 if(it.type() == typeid(int))
- 21 {
- 22 printf("integer: %d\r\n", any_cast<int>(it));
- 23 return;
- 24 }
- 25
- 26 if(it.type() == typeid(string))
- 27 {
- 28 printf("string: %s\r\n", any_cast<string>(it).c_str());
- 29 return;
- 30 }
- 31
- 32 if(it.type() == typeid(CString))
- 33 {
- 34 _tprintf(_T("CString: %s\r\n"), any_cast<CString>(it));
- 35 return;
- 36 }
- 37
- 38 if(it.type() == typeid(Cat))
- 39 {
- 40 _tprintf(_T("oops! a cat!\r\n"));
- 41 return;
- 42 }
- 43 }
- 44
- 45 int main()
- 46 {
- 47 print(100);
- 48
- 49 any as[] = {any(), 100, string("hello"), CString("world"), Cat()};
- 50 for(int i = 0; i < sizeof(as) / sizeof(as[0]); i++)
- 51 {
- 52 print(as[i]);
- 53 }
- 54
- 55 return 0;56 }
本文出自 “白喬博客” 博客,請務必保留此出處http://bluejoe.blog.51cto.com/807902/192762