FileOutputStreamObjectOutputStreamSerializable
How to Write an Object to File in Java
On this tutorial we are going to see how you can store an object to a File in your File system in Java. Basically to perform basic IO operations on object, the class of the object has to implement the Serializable
interface. This gives the basic interface to work with IO mechanisms in Java.
In short, in order to write an object to a file one should follow these steps:
- Create a class that implements the
Serializable
interface. - Open or create a new file using
FileOutputStream
. - Create an
ObjectOutputStream
giving the aboveFileOutputStream
as an argument to the constructor. - Use
ObjectOutputStream.writeObject
method to write the object you want to the file.
Let’s take a look at the code snippets that follow:
Student.java:
package com.javacodegeeks.java.core; import java.io.Serializable; public class Student implements Serializable { //default serialVersion id private static final long serialVersionUID = 1L; private String first_name; private String last_name; private int age; public Student(String fname, String lname, int age){ this.first_name = fname; this.last_name = lname; this.age = age; } public void setFirstName(String fname) { this.first_name = fname; } public String getFirstName() { return this.first_name; } public void setLastName(String lname) { this.first_name = lname; } public String getLastName() { return this.last_name; } public void setAge(int age) { this.age = age; } public int getAge() { return this.age; } @Override public String toString() { return new StringBuffer(" First Name: ").append(this.first_name) .append(" Last Name : ").append(this.last_name).append(" Age : ").append(this.age).toString(); } }
ObjectIOExample.java:
package com.javacodegeeks.java.core; import java.io.FileOutputStream; import java.io.ObjectOutputStream; public class ObjectIOExample { private static final String filepath="C:\\Users\\nikos7\\Desktop\\obj"; public static void main(String args[]) { ObjectIOExample objectIO = new ObjectIOExample(); Student student = new Student("John","Frost",22); objectIO.WriteObjectToFile(student); } public void WriteObjectToFile(Object serObj) { try { FileOutputStream fileOut = new FileOutputStream(filepath); ObjectOutputStream objectOut = new ObjectOutputStream(fileOut); objectOut.writeObject(serObj); objectOut.close(); System.out.println("The Object was succesfully written to a file"); } catch (Exception ex) { ex.printStackTrace(); } } }
Output:
The Object was succesfully written to a file
This was an example on how to write an Object to a File in Java.