Is there a way to run a method/class only on Tomcat/Wildfly/Glassfish startup?

JavaTomcatJakarta EeWeb ApplicationsStartup

Java Problem Overview


I need to remove temp files on Tomcat startup, the pass to a folder which contains temp files is in applicationContext.xml.

Is there a way to run a method/class only on Tomcat startup?

Java Solutions


Solution 1 - Java

You could write a ServletContextListener which calls your method from the contextInitialized() method. You attach the listener to your webapp in web.xml, e.g.

<listener>
   <listener-class>my.Listener</listener-class>
</listener>

and

package my;

public class Listener implements javax.servlet.ServletContextListener {

   public void contextInitialized(ServletContext context) {
      MyOtherClass.callMe();
   }
}

Strictly speaking, this is only run once on webapp startup, rather than Tomcat startup, but that may amount to the same thing.

Solution 2 - Java

You can also use (starting Servlet v3) an annotated aproach (no need to add anything to web.xml):

   @WebListener
    public class InitializeListner implements ServletContextListener {
    
        @Override
        public final void contextInitialized(final ServletContextEvent sce) {
    
        }
    
        @Override
        public final void contextDestroyed(final ServletContextEvent sce) {
    
        }
    }

Solution 3 - Java

I'm sure there must be a better way to do it as part of the container's lifecycle (edit: Hank has the answer - I was wondering why he was suggesting a SessonListener before I answered), but you could create a Servlet which has no other purpose than to perform one-time actions when the server is started:

<servlet>
  <description>Does stuff on container startup</description>
  <display-name>StartupServlet</display-name>
  <servlet-name>StartupServlet</servlet-name>
  <servlet-class>com.foo.bar.servlets.StartupServlet</servlet-class>
  <load-on-startup>1</load-on-startup>
</servlet> 

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
Questiondcave555View Question on Stackoverflow
Solution 1 - JavaskaffmanView Answer on Stackoverflow
Solution 2 - JavaAlexander DrobyshevskyView Answer on Stackoverflow
Solution 3 - JavaJonny BuchananView Answer on Stackoverflow