I am a newbie with C++. I am trying to make a program that can find the average, max, min, and median. I am not sure what I did wrong in my code, I am getting an error with double scores[n];:
#include <iostream>
#include<iomanip>
#include "ArrayFunction.h"
using namespace std;
int main() 
{
    int n;
    double scores[n];
    cout << "Enter the number of your scores: ";
    cin >> n;
    // creat the input array
     
    // read the elements into the array 
    for (int i = 0; i < n; i++)
    {
        cout << "Enter " << n << " scores: ";
        cin >> scores[i];
    }
    
    // call the functions and display for the result
    cout << "Average of Score is: " << calcAverage(scores, n) << endl;
    cout << "Min     : " << calcMin(scores, n) << endl;
    cout << "Max     : " << calcMax(scores, n) << endl;
    cout << "Median  : " << calcMedian(scores, n) << endl;
}
ArrayFunction.h
template <typename T>
long double calcAverage(T* arr, int size) {
    long double total = 0;
    //Compute the sum
    for (int i = 0; i < size; i++)
        total = total + *(arr + i);
    //return the average 
    return total / size;
}
template <typename T>
T calcMax(T* arr, int size) {
    //Initilize the max
    T max = arr[0];
    //Find the max out of the remaining elements
    for (int i = 1; i < size; i++)
        if (max < arr[i])
            max = arr[i];
    //Return the max element
    return max;
}
template <typename T>
T calcMin(T* arr, int size) {
    //Initilize the min element     
    T min = arr[0];
    //Find the min out of the remaining elements
    for (int i = 1; i < size; i++)
        if (min > arr[i])
            min = arr[i];
    //Return the max element
    return min;
}
template <typename T>
long double calcMedian(T* arr, int size) {
    T temp;
    //Create a temp array
    T arr2[size];
    //Copy the array
    for (int i = 0;i < size;i++)
        arr2[i] = arr[i];
    //Sort the array
    for (int i = 0;i < size - 1;i++) {
        for (int j = i + 1;j < size;j++) {
            if (arr2[i] > arr2[j]) {
                temp = arr2[i];
                arr2[i] = arr[j];
                arr2[j] = temp;
            }
        }
    }
    //IF the size of array is even then we add the mid and min+1 elements
    //compute the average
    if (size % 2 == 0) {
        return (arr2[size / 2] + arr2[size / 2 + 1]) / 2.0;
    }
    //If the size is odd the we return the middle element
    return arr2[size / 2];
}
I tried to put a number instead and got a different error:
array type T size is not assignable
I've searched and C++ does not support variable-length arrays, and that I should use std::vector instead.
 
     
    