So I wrote this C++ Class for storing an Array:
#include<bits/stdc++.h>
using namespace std;
class Array
{
    private:
        int size;
        int *A = new int[size];
        int length;
    public:
        Array(int arr[],int sz = 10)
        {
            length = sz;
            size = 10;
            for(int i=0;i<length;i++)
                A[i] = arr[i];
        }
        ~Array()
        {
            delete []A;
        }
    void Display();
    void Insert(int index, int x);
};
void Array::Display()
{//code}
void Array::Insert(int index, int x)
{//code}
int main()
{
    int a[3] = {1,2,3};
    Array arr(a, 3);
    arr.Display();
    arr.Insert(1,4);
    arr.Display();
}   
This works fine. But in the main() function:
int main()
{
    int a[3] = {1,2,3};
    Array arr(a, 3);
    arr.Display();
} 
I am passing the pointer to the array a in the Class constructor. Is there a way to pass the array like this?
Array arr({1,2,3}, 3);
 
    