I am encountering a different behavior between OS X and Android:
- There is a weak function
foo
in my shared library, - I want to override it with strong function defined in my executable.
- I expect the the overridden also affect the calling inside the library
Result: I got expected result on OS X, but failed on Android.
Here is my test project:
File: shared.h
void library_call_foo();
void __attribute__((weak)) foo();
File: shared.c
#include "shared.h"
#include <stdio.h>
void library_call_foo()
{
printf("shared library call foo -> ");
foo();
}
void foo()
{
printf("weak foo in library\n");
}
File: main.c
#include <stdio.h>
#include <shared.h>
void foo()
{
printf("strong foo in main\n");
}
int main()
{
library_call_foo();
printf("main call foo -> ");
foo();
return 0;
}
I compile & run it in OS X use commands:
clang -shared -fPIC -o libshared.so shared.c
clang -I. -L. -lshared -o test main.c
./test
which return results as I expected:
shared library call foo -> strong foo in main
main call foo -> strong foo in main
But when I compile it for Android with NDK toolchains use same commands:
arm-linux-androideabi-clang -shared -fPIC -o libshared.so shared.c
arm-linux-androideabi-clang -I. -L. -lshared -o test main.c
and run it on device, I got different results:
shared library call foo -> weak foo in library
main call foo -> strong foo in main
Why is the behaviors are different, and how could I fix it?
__GXX_WEAK__
in the preprocessor. Also see Does Android support weak symbols?. – Is