`
qtlkw
  • 浏览: 309648 次
  • 性别: Icon_minigender_1
  • 来自: 杭州
社区版块
存档分类
最新评论

Running JBoss on Port 80 or 443 on Linux

阅读更多
转载自http://community.jboss.org/wiki/RunningJBossonPort80or443

So, you've noticed that JBoss runs on port 8080 and to access it you need to go to http://<host>:8080 or https://<host>:8443.  Instead, you'd like to have JBoss run on port 80 (http) or 443 (https) so that you can access it via http://<host> or https://<host>.

The reason JBoss runs by default on these higher ports is that on some operating systems (linux, unix, etc.), only priviledged users can bind to low ports (below 1024).  Typically, people do not want their web or application servers running as priviledged users because of the security implications.

There are at least three ways to effectively let clients access JBoss over standard HTTP ports (80 / 443).

1.)  Use a Load Balancer
Most production environments use this approach as it allows for load balancing and failover to the back end server instances.  Also, this allows running multiple JBoss servers on the same machine, but all proxied through the standard ports (80 / 443).  In some cases though, this is overkill or not an option.
2.)  Use TCP Port Forwarding
In this approach, you can basically forward traffic from one port to another.  In this way, JBoss will be running on a higher port like 8080, but all traffic coming into port 80 will be automatically redirected to 8080.  In this way it will appear to clients that JBoss is runing on port 80.
There is more discussion of this approach here:  http://alek.xspaces.org/2004/12/07/tomcat-port-redirect
If you go this route, make sure that you setup the connector proxy port in $JBOSS_HOME/server/$CONFIG/deploy/jboss-web.deployer/server.xml so that any generated URLs will have the proxy port instead of the actual port.  Should look something like this below, as mentioned here:  http://tomcat.apache.org/tomcat-5.5-doc/proxy-howto.html

<Connector port="8080" ...
   proxyName="www.mycompany.com"
   proxyPort="80"/>

Here are the linux commands required to setup port forwarding:

iptables -F
iptables -X
iptables -t nat -A OUTPUT -d localhost -p tcp --dport 80 -j REDIRECT  --to-ports 8080
iptables -t nat -A OUTPUT -d <network IP address> -p tcp --dport 80 -j REDIRECT  --to-ports 8080
iptables -t nat -A PREROUTING -d <nework IP address> -p tcp --dport 80 -j  REDIRECT --to-ports 8080
/etc/init.d/iptables save
/etc/init.d/iptables restart

3.)  Run JBoss as a Priviledged User (root) Temporarily Such That It Can Bind to Lower Ports (80/443)

Running JBoss as the root user is very simple to do.  The problem is that if we just run the application server as root, it can be considered a security vulnerability.  So, what we're going to show below is one way in which the JBoss server can be started as root (in order to bind to desired ports) and then changed to be running as a different user after the ports have been bound.

It's actually more complex that one might think to accomplish this.  First, we'll walk through exactly what you need to do to make this work for you once everything has been built.  Second, we'll walk through an overview of how the pieces work together to make this happen.  Third, we'll walk through all the gory details of building the pieces necessary to make this work.  If you are running a 32 bit JVM on Linux, this third step is just FYI as the pieces have already been created for you and are attached to this wiki.

What do we need to do to get this working?

   1. Set the HTTP ports to 80 / 443 as desired in:  $JBOSS_HOME/server/$CONFIG/deploy/jboss-web.deployer/server.xml
   2. Copy the attached libsetuid.so to your LD_LIBRARY_PATH (probably /usr/lib)
   3. Copy the attached setuid.jar to your $JBOSS_HOME/server/$CONFIG/lib directory
   4. Copy the attached setuid.sar to your $JBOSS_HOME/server/$CONFIG/deploy directory
   5. Expand the sar and edit jboss-server.xml to have the correct username you want to run the server as
   6. Login as the user you want to run the server as
   7. su to root, keeping the other user's environment:
            su -m root
   8. Set the default group for this root shell to the group your other user is in:
            newgrp <group>"
          * This is so that directories and files created by root while the server is starting will be accessible by the user that the server ends up running as
   9. Set the umask for the current shell to have user/group priviledges:  "umask 0006"
  10. Delete any temp files if the server has already been started in the past:
            rm -rf $JBOSS_HOME/server/$CONFIG/tmp
            rm -rf $JBOSS_HOME/server/$CONFIG/workrm -rf $JBOSS_HOME/server/$CONFIG/log
  11. Start the server
          * You'll notice (via "top" or "ps") that the server is initially running as root, but switches to the user you configured in #5 before the server finishes starting.  You'll also see something like this in the server log:
          *
            19:52:28,569 WARN  [SetUidService] Changing UID of process to: apestel
            19:52:28,571 WARN  [SetUidService] Changed process UID to: apestel --> Successfully set uid/gi

That's it!  You've bound the server to priviledged ports, but it's now running as an unpriviledged user!

Ok, now let's get a little overview to see how this all works...

Changing the uid and gid of a running process (JVM in this case) requires executing a C API (setuid and setgid) from within the JVM via JNI.  So for this example, we have created:

   1. a Java class containing a native method that we compile into a standalone JAR file (setuid.jar)
   2. a shared object library (libsetuid.so) based off the native method in "A" that invokes the C setuid() api
   3. an MxBean that will start after the JBoss Web container has started and will use the Java Library in "A" to change the user of the running application server to a non-root user

Now, let's look at these three pieces in more detail.

Creating the Java Class with a Native Method

The Java class with the native method is attached (SetUid.java) and shown below.

package org.jboss.community;

public class SetUid {

   static {
      System.loadLibrary("setuid");
   }

   public native Status setUid(String username);

   public static class Status {

      private boolean success;
      private String message;

      public Status(boolean success, String message) {
         this.success = success;
         this.message = message;
      }

      public boolean getSuccess() {
         return success;
      }

      public String getMessage() {
         return message;
      }
   }
}

To create the C header for this setuid() native method, you simply need to execute this command:

javah -jni org.jboss.community.SetUid

This will create a file called org_jboss_community_SetUid.h that you can just rename from .h to .c, add the C method implementation, and build it into a shared object library which will be discussed in the next step.  The last thing we need to do for this step is compile our Java class and add it to a JAR as shown below:

javac -classpath $JBOSS_HOME/lib/log4j-boot.jar -d ./jarBuild SetUid.java
jar -cvf $JBOSS_HOME/server/default/lib/setuid.jar -C jarBuild org

Creating the Shared Object Library for the JNI Class

The shared object library (libsetuid.so) is attached.  This shared object library was built for 32 bit Linux (specifically built on Fedora 9), but you can build it for whatever your environment happens to be.  It needs to be put somewhere in the LD_LIBRARY_PATH so that the JBoss server will be able to find it and load it.  For my testing, I put it in /usr/lib.

Building this shared object library (if you need it for a different platform) is actually not that difficult.  Here is the code that needs built (attached as org_jboss_community_SetUid.c):

#include <jni.h>
#include <pwd.h>

#ifndef _Included_org_jboss_community_SetUid
#define _Included_org_jboss_community_SetUid
#ifdef __cplusplus
extern "C" {
#endif

jobject getStatus(JNIEnv *env, int successCode, const char * message) {

   jstring message_str = (*env)->NewStringUTF(env, message);
   jboolean success = successCode;
   jclass cls = (*env)->FindClass(env, "Lorg/jboss/community/SetUid$Status;");
   jmethodID constructor = (*env)->GetMethodID(env, cls, "<init>", "(ZLjava/lang/String;)V");
   return (*env)->NewObject(env, cls, constructor, success, message_str);
}

JNIEXPORT jobject JNICALL Java_org_jboss_community_SetUid_setUid
  (JNIEnv *env, jobject obj, jstring username) {
 
      const char *user_str = (*env)->GetStringUTFChars(env, username, NULL);

      struct passwd *pwd = (struct passwd *)getpwnam(user_str);
      if(pwd == 0) {
         return (jobject)getStatus(env, 0, "Error getting uid/gid information for user.");
      }

      int uid = pwd->pw_uid;
      int gid = pwd->pw_gid;

      if(setgid(gid)) {
         return (jobject)getStatus(env, 0, "Error setting gid for user, current user may not have permission.");
      }

      if(setuid(uid)) {
         return (jobject)getStatus(env, 0, "Error setting uid for user, current user may not have permission.");
      }

      return (jobject)getStatus(env, 1, "Successfully set uid/gid.");
}

#ifdef __cplusplus
}
#endif
#endif

To build this into an executable, just execute the following command:

gcc -o libsetuid.so -shared -I/usr/java/jdk1.6.0_11/include -I/usr/java/jdk1.6.0_11/include/linux org_jboss_community_SetUid.c

That's it, now you've built the only platform specific piece of this solution.

Creating the MXBean SAR to Set the Server's UserID

There are three pieces to creating the MXBean SAR.

First, we need to create the ServiceMBean interface (attached as SetUidServiceMBean.java) as shown below:

package org.jboss.community;

public interface SetUidServiceMBean
{
   void setUsername(String username);
   String getUsername();
   void start();
   void stop();
}

Second, we need to create the implementation of this MxBean (attached as SetUidService) as shown below:

package org.jboss.community;
import org.apache.log4j.Logger;

public class SetUidService implements SetUidServiceMBean
{
   private Logger log = Logger.getLogger(this.getClass());
   private String username;

   public void setUsername(String username) {
      this.username = username;
   }

   public String getUsername() {
      return username;
   }

   public void start() {
      log.warn("Changing UID of process to: " + getUsername());
      SetUid.Status status = new SetUid().setUid(username);
      if(!status.getSuccess()) {
         log.error("Unable to change process UID to: " + getUsername()
           + " --> " + status.getMessage());
      } else {
         log.warn("Changed process UID to: " + getUsername()
           + " --> " + status.getMessage());
      }
   }
               
   public void stop() {
      log.info("Stopping SetUidService.");
   }          
}

Third, we need to create the jboss-service.xml file for this SAR (attached as jboss-service.xml) as shown below (note that this is where you'll need to set the real username that you want the process to run as):

<?xml version="1.0" encoding="UTF-8"?>
<server>
    <mbean code="org.jboss.community.SetUidService"
           name="SetUid:service=SetUid">
        <attribute name="Username">apestel</attribute>
        <depends>jboss.web:service=WebServer</depends>
    </mbean>
</server>

Lastly, we need to build these files into a SAR as shown below:

javac -classpath $JBOSS_HOME/lib/log4j-boot.jar:jarBuild -d ./sarBuild SetUidService.java SetUidServiceMBean.java

jar -cvf $JBOSS_HOME/server/default/deploy/setuid.sar META-INF -C sarBuild org -C sarBuild META-INF

That's it!  Now you should be able to do all this from scratch if desired.  The first time I did this, instead of creating an MxBean SAR to set the new userid for the process, I created a JSP to do it.  That actually works fine and I'll past the code in below, but probably more folks will want the userid to be set automatically at startup, which is why I created the MxBean example shown above.  Here's a JSP if you want to set the userid that way:

<%@ page language="java" contentType="text/html; charset=UTF-8"
    pageEncoding="UTF-8" import="org.jboss.community.SetUid"%>
<%
String username = request.getParameter("username");
String group = request.getParameter("group");
String message = null;


if(username != null) {
    message = new SetUid().setUid(username).getMessage();
}

%>
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
   <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
</head>
<body>
   <%
      if(message != null) {
         out.println("<h2>"+message+"</h2>\n");
      } 
   %>
   <form>
      <table bgcolor="#ccccff" cellspacing="1" border="1">
         <tr><td colspan="2">Specify a new user for this server to run as:</td></tr>
         <tr><td width="50%">Username:</td><td align="right" width="50%"><input type="text" name="username"></input></td></tr>
         <tr><td colspan="2" align="right"><input type="submit" value="Change Process Owner"></input></td></tr>
      </table>
   </form>
</body>
</html>

Closing Comments

1.)  One might ask why have a separate JAR for the file that loads the shared object library.  It turns out that you only want that Class file (with the System.loadLibrary() code) loaded by one class loader.  If you were to put it in the SAR archive (which I used to do), it works fine the first time.  But the next time you tried to republish the SAR without restarting the server, it would complain that that the shared object library is already loaded.  But since it's loaded from a different class loader, it needs to be reloaded again or you'll get UnsatisifedLinkErrors.  I don't fully understand all that (there are some related bugs on the Sun website), but figured it was safer to put it in a lib dir where it would only get loaded once by a single classloader.
分享到:
评论

相关推荐

    Linux下JBOSS部署手册

    Linux下JBOSS部署手册

    jboss7.1 linux版本

    JBoss AS 7.1.0.Final是在Linux环境下运行的一款开源Java应用服务器,由Red Hat公司维护。这个版本发布于2012年,它引入了许多改进和新特性,旨在提供更快的启动速度、更高的性能以及更好的模块化。在这个环境中,...

    linux 下 配置JBoss6.0+JDK7.0

    在Linux环境下配置JBoss6.0与JDK7.0是一项关键的任务,因为这两个组件是许多企业级Java应用的基础。JBoss是一个流行的开源应用服务器,它支持Java EE规范,而JDK则是运行Java应用程序和应用服务器所必需的开发工具包...

    Linux下安装jboss

    在Linux环境下安装JBoss,是一项涉及多个步骤的复杂任务,主要涵盖了系统准备、软件环境搭建、中间件安装以及后续的测试验证。以下是对这一过程的详细解析,旨在为初次尝试在Linux系统上部署JBoss的用户提供全面指导...

    linux下jboss安装与配置

    Linux 下 JBoss 安装与配置 一、简介 JBoss 是一个运行 EJB 的 J2EE 应用服务器,是开放源代码的项目,遵循最新的 J2EE 规范。它提供了一个优秀的平台,用于学习和应用 J2EE 规范的最新技术。 二、系统环境 在 ...

    JBoss服务设置开机自启(Linux)

    ### JBoss服务设置开机自启(Linux) #### 知识点概述 在Linux环境中,确保JBoss服务能够随系统启动而自动启动对于提高系统的稳定性和可用性至关重要。本篇文章将详细介绍如何在CentOS 7环境下配置JBoss服务,使其...

    jboss在linux上的安装

    ### jBoss 在 Linux 上的安装及配置 #### 一、前言 随着企业级应用的发展,jBoss 作为一款开放源代码的应用服务器,在 Linux 平台上有着广泛的应用场景。本篇指南将详细介绍如何在 Linux 系统上安装并配置 jBoss ...

    linux启动jboss

    Linux 启动 JBoss 服务器详解 Linux 作为一种流行的开源操作系统,在企业应用中广泛应用,其中 JBoss 服务器作为 Java EE 企业级应用服务器,在 Linux 平台上运行非常常见。因此,本篇文章将详细介绍如何在 Linux ...

    Jboss7.1.1Linux64位安装包

    下面将详细介绍JBoss AS 7.1.1在Linux 64位环境下的安装过程以及相关的Java Web应用程序部署。 **1. 安装前准备** 在开始安装前,确保你的Linux系统是64位的,并且已经安装了Java Development Kit (JDK) 1.6或更高...

    Linux下jboss7.1.1安装帮助

    在Linux环境下安装配置JBoss 7.1.1是一个涉及多步骤的过程,下面将详细讲解这些步骤。 首先,我们需要确认Linux系统的版本。通过运行`uname -a`命令,我们可以检查系统是32位还是64位。如果输出中有"x86_64",则...

    jboss在linux下的发布配置文档

    在Linux环境下配置JBoss,需要遵循一系列步骤以确保安全性和稳定性。本配置文档将详细解释如何在Linux操作系统下发布并配置JBoss。 首先,发布JBoss或Tomcat程序的第一步是将程序复制到目标服务器。通常,这可以...

    linux下定时重启jboss

    echo "JBoss is not running." fi sleep 5 # 确保服务器完全关闭 echo "Starting JBoss..." # 启动JBoss /path/to/jboss/bin/standalone.sh -c standalone.xml & # 使用您的实际JBOSS_HOME路径替换以下路径 ``` ...

    jboss部署成为linux服务

    这篇博客“JBoss部署成为Linux服务”显然会介绍如何在Linux操作系统上将JBoss配置为一个系统服务,以便它可以随系统的启动和关闭自动启动和停止,确保应用程序的稳定运行。下面我们将深入探讨这个主题。 1. **JBoss...

    linux 下jdk ,jboss的安装和jboss的自启动.txt

    ### Linux下JDK与JBoss的安装及JBoss自启动设置 #### JDK的安装步骤 在Linux环境下安装JDK是部署Java应用的基础。本部分将详细介绍如何在Linux系统上安装JDK。 1. **下载JDK安装包**: - 通常推荐从Oracle官网...

    linux-jboss-eap 集群搭建

    在Linux环境下,搭建JBoss Enterprise Application Platform (EAP)的集群能够提高应用程序的可用性和可扩展性。JBoss EAP 6.4.0提供了两种运行模式:standalone(独立运行模式)和domain(域模式)。standalone模式...

    LINUX下JBOSS的安装及配置[归纳].pdf

    LINUX下JBOSS的安装及配置[归纳].pdf

    Jboss7.1安装配置(linux环境)

    Jboss7.1安装配置(linux环境)

    \Linux下配置JBoss自动启动(JBoss V4.0)

    ### Linux下配置JBoss自动启动(JBoss V4.0) #### 概述 在Linux环境中,JBoss作为一款广泛使用的应用服务器,在企业级开发中扮演着重要角色。为了提高系统的稳定性和可用性,通常会将JBoss配置为开机自启动服务。...

    linux定时重启jboss脚本

    实现定时对Linux操作系统下的jboss应用进行定时重启,重启规则中包含了动态杀死进程服务和重新启动jboss应用

    Linux JBoss EAP集群

    ### Linux JBoss EAP集群构建详解 #### 一、引言 JBoss EAP (Enterprise Application Platform) 是一款由 Red Hat 提供的企业级 Java 应用服务器,它基于开源项目 WildFly 构建而成,提供了丰富的功能和服务,适用...

Global site tag (gtag.js) - Google Analytics