Add txt files to a runnable JAR file

I'm trying to make a runnable jar file and I'm having problems with my .txt files.

My program also have images, but fortunately I've figured out how to manage them. I'm using something like this with them and it works just fine both Eclipse and the jar:

logoLabel.setIcon(new ImageIcon(getClass().getResource("/logo.png")));

My problem is when I've something like this in one of my classes:

try {
    employeeList =  (TreeSet<Employee>) ListManager.readFile("list/employeeList.txt");
} catch (ClassNotFoundException i) {
    i.printStackTrace();
} catch (IOException i) {
    i.printStackTrace();
}

And this in the class ListManager that I use to read my lists serialized in the .txt files:

public static Object readFile(String file) throws IOException, ClassNotFoundException {
    ObjectInputStream is = new ObjectInputStream(new FileInputStream(file));
    Object o = is.readObject();
    is.close();
    return o;
}

I also have a similar method to write in the files.

I've tried several combinations that I've found here:

How to include text files with Executable Jar

Creating Runnable Jar with external files included

Including a text file inside a jar file and reading it

I've also tried with slash, without slash, using openStream, not using openStream... But or I get a NullPointerException or it doesn't compile at all...

Maybe is something silly or maybe is a concept error that I've of how URL class works, I'm new to programming...

Thank you very much in advance for your advice!

EDIT:

It's me again... The answer Raniz gave was just what I needed and it worked perfect, but now my problem is with the method that I use to write in the files...

public static void writeFile(Object o, String file) throws IOException {
    ObjectOutputStream os = new ObjectOutputStream(new FileOutputStream(file));
    os.writeObject(o);
    os.close();
}

try {
   ListManager.writeFile(employeeList.getEmployeeList(), "lists/employeeList.txt");
} catch (IOException i) {
   i.printStackTrace();
}

Could you help me please? I don't know what I should use to replace FileOutputStream, because I think there is the problem again, am I right?

Thank you very much!

Jon Skeet
people
quotationmark

Yes, if you want to read resources from inside a jar file, you shouldn't use FileInputStream. Perhaps you should add a readResource method:

public static Object readResource(Class clazz, String resource)
    throws IOException, ClassNotFoundException {
  try (ObjectInputStream is =
           new ObjectInputStream(clazz.getResourceAsStream(resource))) {
     return is.readObject();
  }
}

(I'd also suggest updating your readFile method to use a try-with-resources block - currently if there's an exception you won't close the stream...)

Note that when you say "I also have a similar method to write in the files" - you won't be able to easily write to a resource in the jar file.

people

See more on this question at Stackoverflow