Recently I came across a situation where I had to find the OS architecture and the JRE architecture i.e. I had to determine if my Windows had a 32 or 64 bit architecture and if my JRE was 32 or 64 bit from a JAVA program.
Soon I realised that "os.arch" system property will only give you the architecture of the JRE, not of the underlying OS. It means, if you install a 32 bit JRE on a 64 bit system, System.getProperty("os.arch") will return x86.
So I had to find another way to get the OS architecture. I came up with a simple JAVA program that uses the command line string "wmic OS get OSArchitecture" to get the underlying OS Architecture.
The following program will retrieve all the required parameters:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import java.io.*; | |
public class User { | |
public static void main(String[] args) throws Exception { | |
System.out.println("OS --> "+System.getProperty("os.name")); //OS Name such as Windows/Linux | |
System.out.println("JRE Architecture --> "+System.getProperty("sun.arch.data.model")+" bit."); // JRE architecture i.e 64 bit or 32 bit JRE | |
ProcessBuilder builder = new ProcessBuilder( | |
"cmd.exe", "/c","wmic OS get OSArchitecture"); | |
builder.redirectErrorStream(true); | |
Process p = builder.start(); | |
String result = getStringFromInputStream(p.getInputStream()); | |
if(result.contains("64")) | |
System.out.println("OS Architecture --> is 64 bit"); //The OS Architecture | |
else | |
System.out.println("OS Architecture --> is 32 bit"); | |
} | |
private static String getStringFromInputStream(InputStream is) { | |
BufferedReader br = null; | |
StringBuilder sb = new StringBuilder(); | |
String line; | |
try { | |
br = new BufferedReader(new InputStreamReader(is)); | |
while ((line = br.readLine()) != null) { | |
sb.append(line); | |
} | |
} catch (IOException e) { | |
e.printStackTrace(); | |
} finally { | |
if (br != null) { | |
try { | |
br.close(); | |
} catch (IOException e) { | |
e.printStackTrace(); | |
} | |
} | |
} | |
return sb.toString(); | |
} | |
} |