Obtaining a context path in a non-servlet class

2.2k Views Asked by At

In my webapp I am using Quartz to call a method defined in some class at some interval, that method as one of the arguments takes a path to a css file in my WebContent directory. My question is how can I obtain the path to that css file from a non-servlet class.

One thing that I did try was I made the class that calls the method extend the HttpServlet so that I can make a call to

String contextPath = getServletContext().getRealPath("");

but that did not work and my application just hangs on that line. I do not want to hardcode the path as this seem to be unprofessional :)

3

There are 3 best solutions below

2
On BEST ANSWER

You cannot access the servlet context from the Quartz job as the job is not invoked as a part of the request handling pipeline.

Why not just make the CSS file path an argument to the job, so that it can be passed by the servlet/web-code scheduling/invoking the Quartz job? See the Quartz documentation for an example.

2
On

If you put a file in the WEB-INF/classes directory of your web app, you can access it using getResourceAsStream(). This will work with a WAR file; getRealPath() will not.

Why does Quartz need to know about a .css file? That should be purely view.

0
On

No, we can access servlet context from Quartz job.

@Override
public void contextInitialized(ServletContextEvent sce) {
    try {
        //Create & start the scheduler.
        StdSchedulerFactory factory = new StdSchedulerFactory();
        factory.initialize(sce.getServletContext().getResourceAsStream("/WEB-INF/my_quartz.properties"));
        scheduler = factory.getScheduler();
        //pass the servlet context to the job
        JobDataMap jobDataMap = new JobDataMap();
        jobDataMap.put("servletContext", sce.getServletContext());
        // define the job and tie it to our job's class
        JobDetail job = newJob(ImageCheckJob.class).withIdentity("job1", "group1").usingJobData(jobDataMap).build();
        // Trigger the job to run now, and then repeat every 3 seconds
        Trigger trigger = newTrigger().withIdentity("trigger1", "group1").startNow()
              .withSchedule(simpleSchedule().withIntervalInMilliseconds(3000L).repeatForever()).build();
        // Tell quartz to schedule the job using our trigger
        scheduler.scheduleJob(job, trigger);
        // and start it off
        scheduler.start();
    } catch (SchedulerException ex) {
        log.error(null, ex);
    }
}

In Quartz job we ca get servlet context as below.

@Override
public void execute(JobExecutionContext context) throws JobExecutionException {
    ServletContext servletContext = (ServletContext) context.getMergedJobDataMap().get("servletContext");
    //...
}