इस लेख में हम C++ STL में काम करने, वाक्य रचना और std::is_polymorphic टेम्पलेट के उदाहरणों पर चर्चा करेंगे।
is_polymorphic एक टेम्प्लेट है जो C++ में
बहुरूपी वर्ग क्या है?
एक वर्ग जो वर्चुअल फ़ंक्शन को एक अमूर्त वर्ग से घोषित करता है जहां वर्चुअल फ़ंक्शन घोषित किया जाता है। इस वर्ग में अन्य वर्ग में घोषित वर्चुअल फ़ंक्शन की घोषणा है।
सिंटैक्स
template <class T> is_polymorphic;
पैरामीटर
टेम्प्लेट में केवल T प्रकार का पैरामीटर हो सकता है, और जांच सकता है कि दिया गया प्रकार एक बहुरूपी वर्ग है या नहीं।
रिटर्न वैल्यू
यह एक बूलियन मान देता है, यदि दिया गया प्रकार एक बहुरूपी वर्ग है, तो सत्य है, और यदि दिया गया प्रकार एक बहुरूपी वर्ग नहीं है, तो यह गलत है।
उदाहरण
Input: class B { virtual void fn(){} }; class C : B {}; is_polymorphic<B>::value; Output: True Input: class A {}; is_polymorphic<A>::value; Output: False
उदाहरण
#include <iostream> #include <type_traits> using namespace std; struct TP { virtual void display(); }; struct TP_2 : TP { }; class TP_3 { virtual void display() = 0; }; struct TP_4 : TP_3 { }; int main() { cout << boolalpha; cout << "Checking for is_polymorphic: "; cout << "\n structure TP with one virtual function : "<<is_polymorphic<TP>::value; cout << "\n structure TP_2 inherited from TP: "<<is_polymorphic<TP_2>::value; cout << "\n class TP_3 with one virtual function: "<<is_polymorphic<TP_3>::value; cout << "\n class TP_4 inherited from TP_3: "<< is_polymorphic<TP_4>::value; return 0; }
आउटपुट
यदि हम उपरोक्त कोड चलाते हैं तो यह निम्न आउटपुट उत्पन्न करेगा -
Checking for is_polymorphic: structure TP with one virtual function : true structure TP_2 inherited from TP: true class TP_3 with one virtual function: true class TP_4 inherited from TP_3: true
उदाहरण
#include <iostream> #include <type_traits> using namespace std; struct TP { int var; }; struct TP_2 { virtual void display(); }; class TP_3: TP_2 { }; int main() { cout << boolalpha; cout << "Checking for is_polymorphic: "; cout << "\n structure TP with one variable : "<<is_polymorphic<TP>::value; cout << "\n structure TP_2 with one virtual function : "<<is_polymorphic<TP_2>::value; cout << "\n class TP_3 inherited from structure TP_2: "<<is_polymorphic<TP_3>::value; return 0; }
आउटपुट
यदि हम उपरोक्त कोड चलाते हैं तो यह निम्न आउटपुट उत्पन्न करेगा -
Checking for is_polymorphic: structure TP with one variable : false structure TP_2 with one virtual function : true class TP_3 inherited from structure TP_2 : true