다음을 통해 공유


컴파일러 오류 C2660

'function': 함수는 숫자 매개 변수를 사용하지 않습니다.

함수는 잘못된 수의 매개 변수를 사용하여 호출됩니다.

같은 이름의 MFC 멤버 함수가 아닌 Windows API 함수를 실수로 호출하는 경우 C2660이 발생할 수 있습니다. 이 문제를 해결하려면 다음을 수행합니다.

  • 멤버 함수 호출의 형식을 준수하도록 함수 호출을 조정합니다.

  • 범위 확인 연산자(::)를 사용하여 전역 이름 공간에서 함수 이름을 검색하도록 컴파일러에 지시합니다.

예제

다음 샘플에서는 C2660을 생성합니다.

// C2660.cpp
void func( int, int ) {}

int main() {
   func( 1 );   // C2660 func( int ) not declared
   func( 1, 0 );   // OK
}

관리되는 형식의 Dispose 메서드를 직접 호출하려는 경우에도 C2660이 발생할 수 있습니다. 자세한 내용은 소멸자 및 종료자를 참조 하세요. 다음 샘플에서는 C2660을 생성합니다.

// C2660_a.cpp
// compile with: /clr
using namespace System;
using namespace System::Threading;

void CheckStatus( Object^ stateInfo ) {}

int main() {
   ManualResetEvent^ event = gcnew ManualResetEvent( false );
   TimerCallback^ timerDelegate = gcnew TimerCallback( &CheckStatus );
   Timer^ stateTimer = gcnew Timer( timerDelegate, event, 1000, 250 );

   stateTimer->Dispose();   // C2660
   stateTimer->~Timer();   // OK
}

파생 클래스가 함수를 숨기는 경우 C2660이 발생합니다.

// C2660b.cpp
// C2660 expected
#include <stdio.h>

class f {
public:
   void bar() {
      printf_s("in f::bar\n");
    }
};

class f2 : public f {
public:
   void bar(int i){printf("in f2::bar\n");}
   // Uncomment the following line to resolve.
   // using f::bar;   // - using declaration added
   // or
   // void bar(){__super::bar();}
};

int main() {
   f2 fObject;
   fObject.bar();
}

인덱싱된 속성을 잘못 호출하면 C2660이 발생할 수 있습니다.

// C2660c.cpp
// compile with: /clr
ref class X {
   double d;
public:
   X() : d(1.9) {}
   property double MyProp[] {
      double get(int i) {
         return d;
      }
   }   // end MyProp definition
};

int main() {
   X ^ MyX = gcnew X();
   System::Console::WriteLine(MyX->MyProp(1));   // C2660
   System::Console::WriteLine(MyX->MyProp[1]);   // OK
}

인덱싱된 속성을 잘못 호출하면 C2660이 발생할 수 있습니다.

// C2660d.cpp
// compile with: /clr
ref class A{
public:
   property int default[int,int] {
      int get(int a, int b) {
         return a + b;
      }
   }
};

int main() {
   A^ a = gcnew A;
   int x = a[3][5];   // C2660
   int x2 = a[3,5];   // OK
}

템플릿 클래스에서 새 연산자를 정의하는 경우 C2660이 발생할 수 있지만 여기서 새 연산자는 바깥쪽 형식이 아닌 다른 형식의 개체를 만듭니다.

// C2660e.cpp
// compile with: /c
#include <malloc.h>

template <class T> class CA {
private:
    static T** line;
   void* operator new (size_t, int i) {
      return 0;
   }
   void operator delete(void* pMem, int i) {
      free(pMem);
   }

public:
   CA () { new (1) T(); }   // C2660
   // try the following line instead
   // CA () { new (1) CA<int>(); }
};

typedef CA <int> int_CA;

void AAA() {
   int_CA  list;
}