C ++
 Computer >> コンピューター >  >> プログラミング >> C ++

C++のnewおよびdelete演算子


新しい演算子

新しい演算子は、ヒープ内のメモリ割り当てを要求します。十分なメモリが利用可能な場合、メモリをポインタ変数に初期化し、そのアドレスを返します。

これがC++言語の新しい演算子の構文です

pointer_variable = new datatype;

メモリを初期化するための構文は次のとおりです

pointer_variable = new datatype(value);

これがメモリのブロックを割り当てるための構文です

pointer_variable = new datatype[size];

これがC++言語の新しい演算子の例です

#include <iostream>
using namespace std;
int main () {
   int *ptr1 = NULL;
   ptr1 = new int;
   float *ptr2 = new float(223.324);
   int *ptr3 = new int[28];
   *ptr1 = 28;
   cout << "Value of pointer variable 1 : " << *ptr1 << endl;
   cout << "Value of pointer variable 2 : " << *ptr2 << endl;
   if (!ptr3)
   cout << "Allocation of memory failed\n";
   else {
      for (int i = 10; i < 15; i++)
      ptr3[i] = i+1;
      cout << "Value of store in block of memory: ";
      for (int i = 10; i < 15; i++)
      cout << ptr3[i] << " ";
   }
   return 0;
}

出力

Value of pointer variable 1 : 28
Value of pointer variable 2 : 223.324
Value of store in block of memory: 11 12 13 14 15

削除演算子

削除演算子は、メモリの割り当てを解除するために使用されます。ユーザーには、この削除演算子によって作成されたポインター変数の割り当てを解除する権限があります。

C++言語での削除演算子の構文は次のとおりです

delete pointer_variable;

割り当てられたメモリのブロックを削除する構文は次のとおりです。

delete[ ] pointer_variable;

これは、C++言語での削除演算子の例です

#include <iostream>
using namespace std;
int main () {
   int *ptr1 = NULL;
   ptr1 = new int;
   float *ptr2 = new float(299.121);
   int *ptr3 = new int[28];
   *ptr1 = 28;
   cout << "Value of pointer variable 1 : " << *ptr1 << endl;
   cout << "Value of pointer variable 2 : " << *ptr2 << endl;
   if (!ptr3)
   cout << "Allocation of memory failed\n";
   else {
      for (int i = 10; i < 15; i++)
      ptr3[i] = i+1;
      cout << "Value of store in block of memory: ";
      for (int i = 10; i < 15; i++)
      cout << ptr3[i] << " ";
   }
   delete ptr1;
   delete ptr2;
   delete[] ptr3;
   return 0;
}

出力

Value of pointer variable 1 : 28
Value of pointer variable 2 : 299.121
Value of store in block of memory: 11 12 13 14 15

  1. インクリメント++とデクリメント-C++での演算子のオーバーロード

    インクリメント(++)およびデクリメント(-)演算子は、C++で使用可能なユニット2の必要な単項演算子です。次の例では、プレフィックスとポストフィックスの使用のためにインクリメント(++)演算子をオーバーロードする方法を説明します。同様に、演算子(-)をオーバーロードできます。 例 #include <iostream> using namespace std; class Time {    private:    int hours;    int minutes;    public: &nb

  2. C ++で新しい演算子を使用してメモリを初期化する方法は?

    C ++の新しい演算子は、メモリを割り当て、初期化しないように定義されています。新しい演算子を使用してint型の配列を割り当て、それらすべてをデフォルト値(つまり、intの場合は0)に初期化する場合は、次の構文を使用できます- 構文 new int[10](); 空の括弧を使用する必要があることに注意してください。たとえば、(0)やその他の式を使用することはできません。そのため、これはデフォルトの初期化にのみ役立ちます。 fill_n、memsetなどを使用して同じメモリを初期化する他の方法があり、これらを使用してオブジェクトをデフォルト以外の値に初期化できます。 例 #include&