Reputation: 3160
I am trying to compile the simple C example from this tutorial on Ubuntu using GCC. What do I have to use as arguments for GCC to include the needed libraries for #include <libappindicator/app-indicator.h>
?
Upvotes: 29
Views: 120920
Reputation: 19
The default path for all c++ include files like library files and header files in ubuntu/linux are found in /usr/include/c++/11
Upvotes: 0
Reputation: 323
Use:
gcc example.c -o example `pkg-config --cflags --libs appindicator-0.1`
pkg-config will fetch the required include and library flags for libappindicator
and its dependencies. This assumes libappindictaor-dev
package is already installed.
Upvotes: 7
Reputation: 2437
You are trying to make a GTK app, and the previous solutions are as applicable anywhere like using the -l option and -I option,
However, for GTK applications, you may also use pkg-config which makes it easier as your paths can be predefined.
An interesting example can be found in http://developer.gnome.org/gtk/2.24/gtk-compiling.html
Upvotes: 1
Reputation: 3269
-I<search path to include files>
-L<search path to the lib file>
-l<libname>
Upvotes: 100
Reputation: 13946
If you used apt-get
, Synaptic Package Manager
, etc. to get the appindicator
library (vs. building it from source), did you only install the libappindicator1
package or did you also install libappindicator-dev
to get the libappindicator
header files? Linux packages very often have split the runtime libraries from the compile-time headers. That way people who only need the libraries to satisfy a dynamic link don't have to install unneeded headers. But since you're doing development you need those headers and therefore need the libappindicator-dev
package as well.
Upvotes: 6
Reputation: 27174
Use the -l
command line option. You can specify the library search path with the -L
option. E.g:
gcc -o myprogram -lfoo -L/home/me/foo/lib myprogram.c
This will link myprogram
with the static library libfoo.a
in the folder /home/me/foo/lib
.
Upvotes: 21