템플릿: 상속된 클래스에서 부모 클래스 멤버 변수의 가시성
C 템플릿에서 부모 클래스의 멤버 변수는 다음에서 보이지 않을 수 있습니다. 기본적으로 상속된 클래스. 이로 인해 이러한 변수에 액세스할 때 컴파일 오류가 발생할 수 있습니다.
다음 예를 고려하십시오.
<code class="cpp">template <class elemType> class arrayListType { protected: elemType *list; int length; }; template <class elemType> class unorderedArrayListType: public arrayListType<elemType> { void insertAt(int, const elemType&); // Function that uses 'list' and 'length' };</code>
상속된 클래스 unorderedArrayListType에서 보호된 변수 목록 및 길이에 직접 액세스하면 다음과 같은 오류가 발생합니다. "'길이'는 이 범위에서 선언되지 않았습니다." 이 문제를 해결하려면 파생 클래스 내에서 이러한 변수를 명시적으로 선언해야 합니다.
이를 수행하는 두 가지 주요 접근 방식이 있습니다.
"this"를 사용하세요. ->" 접두사:
각 멤버 변수 앞에 this->를 붙입니다. 예:
<code class="cpp">void insertAt(int location, const elemType& insertItem) { for (int i = this->length; i > location; i--) this->list[i] = this->list[i - 1]; this->list[location] = insertItem; this->length++; }</code>
선언 사용:
파생 클래스의 비공개 섹션에 멤버 변수에 대한 선언을 포함합니다. 예:
<code class="cpp">class unorderedArrayListType: public arrayListType<elemType> { private: using arrayListType<elemType>::length; // Declare 'length' explicitly using arrayListType<elemType>::list; // Declare 'list' explicitly public: void insertAt(int, const elemType&); };</code>
위 내용은 C 템플릿의 상속된 클래스에서 보호된 멤버 변수에 액세스하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!