JBoss jsessionid Query Parameter Removal

Instead of just using the Apache mod_rewrite rules from my post on “Hiding jsessionid parameters from Google“, which uses redirects, wouldn’t it be better to simply not output the jsessionid parameter into the URLs?

First, what are those jsessionid params, and why are they there?

For a web application to have state, i.e. remember things from one page request to the next (such as that you’re logged in, who you are, what is in your shopping cart, etc…), most web applications have something called a session. The session starts when you hit the website at first, sticks with you while you are on the site, and expires after you have either logged out or have been idle (i.e. not clicked on anything) for a set period of time (perhaps 30 minutes).

In general the actual session data is held on the server, things like your shopping cart, your user profile, all of that. However, in order to associate requests from your web browser with the correct session, your browser needs to pass something for the web application to recognize which session is yours. This is traditionally done in two ways:

firstly and primarily using a session-life browser cookie (or two) which hold a session identifier and optionally some additional security token(s). The browser receives this cookie from the web application, and then sends the cookie back to the web application with each page request. The web application looks at the cookie, and figures out which session is yours, and handles your page request appropriately.

secondly, and usually only as a fall-back for browsers which do not support cookies or whose cookie support has been turned off, is to rewrite every link in the web application which points to another page in the same web application with a special session id added to the URI of the link. This is usually done as a path parameter (following a ‘;’), but sometimes is also done as a query parameter (following a ‘?’).

Since on the first request to a web application, the browser is not sending a session cookie, the web application has no way of knowing if the browser actually supports cookies or not. So for the first page, the web application will usually send back the session cookie AND rewrite all of the links on the page with the jsessionid just in case the cookie is not returned.

So what’s the problem?

Search engine spiders, like Google’s GoogleBot, usually do not support cookies. This means that they see the site with the jsessionid parameter in every link and every requested URL. So this leads to three related problems. First, the links that show up in a Google search include an ugly ‘jsessionid=xxxxxx’ which looks ugly. Second, Google doesn’t recognize that the jsessionid parameter doesn’t change the page content, and as such each time the GoogleBot hits the site, and gets a different jsessionid, it indexes all of the pages again. This leads to getting multiple result listings for the same page in search results. For instance you might see the same page listed 7 times in a row. Third, by having multiple instances of the same page with the same content, the Google PageRank of the actual page is severely diluted and perhaps even penalized due to the multiple presentations.

Because of these problems, we do not want the GoogleBot to see the jsessionid URI parameters.

In my earlier post, linked to above, I used Apache mod_rewrite to look for requests from GoogleBot, and send a redirect back to GoogleBot, redirecting it to the same URI it had initially requested, just stripped of the jsessionid parameter.

This time I’m going to use a Servlet Filter to prevent the jsessionid parameter from being inserted into the URL links on the page for GoogleBot requests. This is more elegant since there are no redirects.

First, I want to link to the web page which provided the starting point for the solution I used: JSESSIONID considered harmful

I took that approach and modified the filter code to only do this for GoogleBot requests, which will allow users who don’t support or allow cookies to still use the site.

I have one Java class: DisableUrlSessionFilter.java

[fusion_builder_container hundred_percent=”yes” overflow=”visible”][fusion_builder_row][fusion_builder_column type=”1_1″ background_position=”left top” background_color=”” border_size=”” border_color=”” border_style=”solid” spacing=”yes” background_image=”” background_repeat=”no-repeat” padding=”” margin_top=”0px” margin_bottom=”0px” class=”” id=”” animation_type=”” animation_speed=”0.3″ animation_direction=”left” hide_on_mobile=”no” center_content=”no” min_height=”none”][java]
package com.digitalsanctuary.util;

import java.io.IOException;

import javax.servlet.Filter;
import javax.servlet.FilterChain;
import javax.servlet.FilterConfig;
import javax.servlet.ServletException;
import javax.servlet.ServletRequest;
import javax.servlet.ServletResponse;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import javax.servlet.http.HttpServletResponseWrapper;

/**
* Servlet filter which disables URL-encoded session identifiers.
*
*
* Copyright (c) 2006, Craig Condit. All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are met:
*
* * Redistributions of source code must retain the above copyright notice,
* this list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation
* and/or other materials provided with the distribution.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
* AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE
* LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
* CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
* SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
* INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
* CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
*
* Modified by Devon Hillard ([email protected]) to only filter for GoogleBot,
* not for users without cookies enabled.
*
*/
@SuppressWarnings(“deprecation”)
public class DisableUrlSessionFilter implements Filter {

/**
* The string to look for in the User-Agent header to identify the GoogleBot.
*/
private static final String GOOGLEBOT_AGENT_STRING = “googlebot”;

/**
* The request header with the User-Agent information in it.
*/
private static final String USER_AGENT_HEADER_NAME = “User-Agent”;

/**
* Filters requests to disable URL-based session identifiers.
*
* @param pRequest
* the request
* @param pResponse
* the response
* @param pChain
* the chain
*
* @throws IOException
* Signals that an I/O exception has occurred.
* @throws ServletException
* the servlet exception
*/
public void doFilter(final ServletRequest pRequest, final ServletResponse pResponse, final FilterChain pChain)
throws IOException, ServletException {
// skip non-http requests
if (!(pRequest instanceof HttpServletRequest)) {
pChain.doFilter(pRequest, pResponse);
return;
}

HttpServletRequest httpRequest = (HttpServletRequest) pRequest;
HttpServletResponse httpResponse = (HttpServletResponse) pResponse;

boolean isGoogleBot = false;

if (httpRequest != null) {
String userAgent = httpRequest.getHeader(USER_AGENT_HEADER_NAME);
if (StringUtils.isNotBlank(userAgent)) {
if (userAgent.toLowerCase().indexOf(GOOGLEBOT_AGENT_STRING) > -1) {
isGoogleBot = true;
}
}
}

if (isGoogleBot) {
// wrap response to remove URL encoding
HttpServletResponseWrapper wrappedResponse = new HttpServletResponseWrapper(httpResponse) {
@Override
public String encodeRedirectUrl(final String url) {
return url;
}

@Override
public String encodeRedirectURL(final String url) {
return url;
}

@Override
public String encodeUrl(final String url) {
return url;
}

@Override
public String encodeURL(final String url) {
return url;
}
};

// process next request in chain
pChain.doFilter(pRequest, wrappedResponse);
} else {
pChain.doFilter(pRequest, pResponse);
}
}

/**
* Unused.
*
* @param pConfig
* the config
*
* @throws ServletException
* the servlet exception
*/
public void init(final FilterConfig pConfig) throws ServletException {
}

/**
* Unused.
*/
public void destroy() {
}
}
[/java]

and the servlet filter configuration in my web.xml file:

[/fusion_builder_column][fusion_builder_column type=”1_1″ background_position=”left top” background_color=”” border_size=”” border_color=”” border_style=”solid” spacing=”yes” background_image=”” background_repeat=”no-repeat” padding=”” margin_top=”0px” margin_bottom=”0px” class=”” id=”” animation_type=”” animation_speed=”0.3″ animation_direction=”left” hide_on_mobile=”no” center_content=”no” min_height=”none”][xml]

DisableUrlSessionFilter

com.digitalsantuary.util.DisableUrlSessionFilter

….


DisableUrlSessionFilter
/*

[/xml]

So far, it seems to be working beautifully. It only impacts the GoogleBot, and it successfully strips the jsessionid parameter from the links on the site.

Enjoy![/fusion_builder_column][/fusion_builder_row][/fusion_builder_container]


Posted

in

,

by

Comments

6 responses to “JBoss jsessionid Query Parameter Removal”

  1. Muhammad Zaheer Ahmad Avatar
    Muhammad Zaheer Ahmad

    Many thanks for your bright idea, i was trying things with “http://randomcoder.com/articles/jsessionid-considered-harmful” but as my session get lost with the removal of id from url, i also get lost.
    During search i get your implementation and its working i have not yet tested it with googlebot but i hope it will work and i will configure it with other bots too.
    Many thanks for Such a bright and Simple idea.

  2. Nes Yarug Avatar
    Nes Yarug

    Won’t this create a new session for each request? Seems to me there must be a way to turn off the creation of a new session (and subsequent no URL encoded session id) with JBoss. I must admit that I don’t know how to do that yet…

  3. Devon Avatar

    @Nes:

    Yes it does create a new session for each Google Bot request. These shouldn’t be of a volume or frequency to cause you any trouble. So I really wouldn’t worry about it.

    Even if you could disable session creation for Google Bot requests, that would probably break your Seam application, since the Servlet Session is where most of the Seam components are stored.

  4. brett cave Avatar

    A new session will be created if it doesn’t exist at the client. You could also enable this for all user agents, and let the client use a cookie to store the session. This way, sessions can be preserved while never needing a jsessionid.

    There is alternative way to implement URL rewrites, which I will post about.

  5. 8088 Avatar
    8088

    Hi!

    How I can test this on my computer, without uploading the code to production?

    I disabled the cookies in the browser but I see no url JSESSIIONID in, should not appear?

    Thanks and regards.

    1. Devon Avatar

      Hmm with cookies disabled you should see JSESSIONID appended to the URL. With or without this code (unless you have your brower’s user agent set to GoogleBot.

Leave a Reply to Muhammad Zaheer Ahmad Cancel reply

Your email address will not be published. Required fields are marked *

PHP Code Snippets Powered By : XYZScripts.com