Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Get path to directory from Spring bean?

I have what seems like a simple problem. I have a Spring web app, deployed in Tomcat. In a service class I want to be able to write a new file to a directory called graphs just under my application root:

/
   /WEB-INF
   /graphs/
   /css/
   /javascript/

My service class is a Spring bean, but I don't have direct access to ServletContext through the HttpServlet machinery. I've also tried implementing ResourceLoaderAware but still can't seem to grab a handle to what I need.

How do I use Spring to get a handle to a directory within my application so that I can write a file to it? Thanks.

like image 792
D.C. Avatar asked Dec 05 '22 03:12

D.C.


2 Answers

@All

The problem with these answers are they get stale or the information for doing things in multiple ways was not readily apparent at the time. Like that old Atari computer you may be using (grin), things may have changed!

You can simply @Autowired the ServletContext into your bean:

@Service
class public MyBean {
    @Autowired ServletContext servletContext=null;

    // Somewhere in the code
    ...
    String filePathToGraphsDir = servletContext.getRealPath("/graphs");

}
like image 164
Frank C. Avatar answered Dec 07 '22 17:12

Frank C.


If your bean is managed by the webapp's spring context, then you can implement ServletContextAware, and Spring will inject the ServletContext into your bean. You can then ask the ServletContext for the real, filesystem path of a given resource, e.g.

String filePathToGraphsDir = servletContext.getRealPath("/graphs");

If your bean is not inside a webapp context, then it gets rather ugly, something like may work:

ServletRequestAttributes requestAttributes = (ServletRequestAttributes) RequestContextHolder.currentRequestAttributes();
String pathToGraphsDir = requestAttributes.getRequest().getRealPath("/graphs");

This uses the deprecated ServletRequest.getRealPath method, but it should still work, although RequestContextHolder only works if executed by the request thread.

like image 29
skaffman Avatar answered Dec 07 '22 16:12

skaffman