The array input[max] is created on your program's stack inside the function. When the function returns the function's memory is released, the array is destroyed and the variable ptr used in main is no longer valid. It's about "Scope"... basically anything you do after { is only valid until }
Here's a little example of why you should never try to return an array from a function... (the same rule applies for char, int, whatever)
#include <stdio.h>
int* MyFunction(int a, int b, int c)
{ static int array[3];
array[0] = a;
array[1] = b;
array[2] = c;
return array; } // return a pointer.
int main (void)
{ int *a1, *a2; // int pointers
printf("calling a1 = MyFunction(10,20,30);\t");
a1 = MyFunction(10,20,30);
printf("a1 has %d %d %d\n",a1[0],a1[1],a1[2]);
printf("calling a2 = MyFunction(100,200,300);\t");
a2 = MyFunction(100,200,300);
printf("a2 has %d %d %d\n",a2[0],a2[1],a2[2]);
printf("\nLooks good, except...\t");
printf("a1 now has %d %d %d\n",a1[0],a1[1],a1[2]);
getchar();
return 0; }
Type this up and try it both with and without the static keyword for the array...