21
votes

I'm using g++ under Fedora to compile an openGL project, which has the line:

textureImage = (GLubyte**)malloc(sizeof(GLubyte*)*RESOURCE_LENGTH);

When compiling, g++ error says:

error: ‘malloc’ was not declared in this scope

Adding #include <cstdlib> doesn't fix the error.

My g++ version is: g++ (GCC) 4.4.5 20101112 (Red Hat 4.4.5-2)

3
Are you using namespaces? Is you malloc code in a namespace?Patrick B.
Are you sure the project should be compiled with g++?Austin Mullins

3 Answers

32
votes

You should use new in C++ code rather than malloc so it becomes new GLubyte*[RESOURCE_LENGTH] instead. When you #include <cstdlib> it will load malloc into namespace std, so refer to std::malloc (or #include <stdlib.h> instead).

18
votes

You need an additional include. Add <stdlib.h> to your list of includes.

6
votes

Reproduce this error in g++ on Fedora:

How to reproduce this error as simply as possible:

Put this code in main.c:

#include <stdio.h>
int main(){
    int *foo;
    foo = (int *) std::malloc(sizeof(int));
    *foo = 50;
    printf("%d", *foo);
}

Compile it, it returns a compile time error:

el@apollo:~$ g++ -o s main.c
main.c: In functionint main()’:
main.c:5:37: error: ‘mallocwas not declared in this scope
     foo = (int *) malloc(sizeof(int));
                                     ^  

Fix it like this:

#include <stdio.h>
#include <cstdlib>
int main(){
    int *foo;
    foo = (int *) std::malloc(sizeof(int));
    *foo = 50;
    printf("%d", *foo);
    free(foo);
}

Then it compiles and runs correctly:

el@apollo:~$ g++ -o s main.c

el@apollo:~$ ./s
50