Search code examples
javaandroidc++binarybin

Write int to binary buffer (Android) and read with C++


I want to write an integer in a binary file with Java (Android) and then read it with a C++ code. My code in Java is:

byte [] mybuffer = ByteBuffer.allocateDirect(4).putInt(1000).array;
out.write(mybuffer, 0, 4); // out is FileOutputStream

The reader in C++

std::ifstream fileToRead;
fileToRead.open("myFile", std::ios::binary);
if (!fileToRead.is_open()){
    std::cout << "[ERROR] Can't open file" << std::endl;
    exit(-1);
}
int  * myInt = new int;
fileToRead.read((char*)&myInt[0], 4);
std::cout << " The integer is " << myInt[0] <<  std::endl;

But I get values which doesnt make sense.

Thanks

output Java:

buffer[0] = 0
buffer[1] = 0
buffer[2] = 3
buffer[3] = -24

output c++:

The integer is -402456576

Solution

  • You may encounter a byte-order problem:

    #include <cstdint>
    #include <fstream>
    #include <iostream>
    // For ntohl with Linux (Windows has similar):
    #include <arpa/inet.h>
    
    int main()
    {
        // You can use the constructor to open the file:
        std::ifstream fileToRead("myFile", std::ios::binary);
        // Just check the general state of the stream:
        if(!fileToRead){
            std::cout << "[ERROR] Can't open file" << std::endl;
            // Please do not use exit to terminate a program:
            return -1;
        }
        // No need to allocate an integer. Also be specific about the size:
        int32_t myInt;
        // There might be byte order issues, here (Java is big-endian):
        fileToRead.read((char*)&myInt, sizeof(int32_t));
        // To fix it convert the integer from network byte order to host byte order:
        myInt = ntohl(myInt);
        std::cout << " The integer is " << myInt <<  std::endl;
    }