KEMBAR78
Java - ms32m - mx128m For Resizing The JVM Heap Space | PDF | Enterprise Java Beans | Class (Computer Programming)
0% found this document useful (0 votes)
223 views99 pages

Java - ms32m - mx128m For Resizing The JVM Heap Space

EJB stands for enterprise JavaBean and is a widely-adopted server side component architecture for J2EE. It enables rapid development of mission-critical application that are versatile, reusable and portable across middleware. There are three kinds of enterprise beans: 1. Session beans, 2. Entity beans, and 3. Message-driven beans.

Uploaded by

Tapas Nayak
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOC, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
223 views99 pages

Java - ms32m - mx128m For Resizing The JVM Heap Space

EJB stands for enterprise JavaBean and is a widely-adopted server side component architecture for J2EE. It enables rapid development of mission-critical application that are versatile, reusable and portable across middleware. There are three kinds of enterprise beans: 1. Session beans, 2. Entity beans, and 3. Message-driven beans.

Uploaded by

Tapas Nayak
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOC, PDF, TXT or read online on Scribd
You are on page 1/ 99

java -ms32m -mx128m for resizing the JVM heap space.

1. What is EJB

EJB stands for Enterprise JavaBean and is a widely-adopted server side


component architecture for J2EE. It enables rapid development of mission-critical
application that are versatile, reusable and portable across middleware while
protecting IT investment and preventing vendor lock-in.

2. What is session Facade?

Session Facade is a design pattern to access the Entity bean through local
interface than accessing directly. It increases the performance over the network.
In this case we call session bean which on turn call entity bean.

3. What is EJB role in J2EE?

EJB technology is the core of J2EE. It enables developers to write reusable and
portable server-side business logic for the J2EE platform.

4. What is the difference between EJB and Java beans?

EJB is a specification for J2EE server, not a product; Java beans may be a
graphical component in IDE.

5. What are the key features of the EJB technology?

1. EJB components are server-side components written entirely in the Java


programming language
2. EJB components contain business logic only - no system-level programming &
services, such as transactions, security, life-cycle, threading, persistence, etc. are
automatically managed for the EJB component by the EJB server.
3. EJB architecture is inherently transactional, distributed, portable multi-tier,
scalable and secure.
4. EJB components are fully portable across any EJB server and any OS.
5. EJB architecture is wire-protocol neutral–any protocol can be utilized like
IIOP,JRMP, HTTP, DCOM,etc.

6. What are the key benefits of the EJB technology?

1. Rapid application development


2. Broad industry adoption
3. Application portability
4. Protection of IT investment

7. How many enterprise beans?

There are three kinds of enterprise beans:


1. session beans,
2. entity beans, and
3. message-driven beans.
8. What is message-driven bean?

A message-driven bean combines features of a session bean and a Java Message


Service (JMS) message listener, allowing a business component to receive JMS. A
message-driven bean enables asynchronous clients to access the business logic in
the EJB tier.

9. What is Entity Bean and Session Bean ?

Entity Bean is a Java class which implements an Enterprise Bean interface and
provides the implementation of the business methods. There are two types:
Container Managed Persistence(CMP) and Bean-Managed Persistence(BMP).
Session Bean is used to represent a workflow on behalf of a client. There are two
types: Stateless and Stateful. Stateless bean is the simplest bean. It doesn’t
maintain any conversational state with clients between method invocations.
Stateful bean maintains state between invocations.

10. How EJB Invocation happens?

Retrieve Home Object reference from Naming Service via JNDI. Return Home
Object reference to the client. Create me a new EJB Object through Home Object
interface. Create EJB Object from the Ejb Object. Return EJB Object reference to
the client. Invoke business method using EJB Object reference. Delegate request
to Bean (Enterprise Bean).

11. Is it possible to share an HttpSession between a JSP and EJB? What happens
when I change a value in the HttpSession from inside an EJB?

You can pass the HttpSession as parameter to an EJB method, only if all objects
in session are serializable.This has to be consider as passed-by-value, that means
that it’s read-only in the EJB. If anything is altered from inside the EJB, it won’t
be reflected back to the HttpSession of the Servlet Container.The pass-by-
reference can be used between EJBs Remote Interfaces, as they are remote
references. While it is possible to pass an HttpSession as a parameter to an EJB
object, it is considered to be bad practice in terms of object-oriented design. This
is because you are creating an unnecessary coupling between back-end objects
(EJBs) and front-end objects (HttpSession). Create a higher-level of abstraction
for your EJBs API. Rather than passing the whole, fat, HttpSession (which carries
with it a bunch of http semantics), create a class that acts as a value object (or
structure) that holds all the data you need to pass back and forth between front-
end/back-end. Consider the case where your EJB needs to support a non HTTP-
based client. This higher level of abstraction will be flexible enough to support it.

12. The EJB container implements the EJBHome and EJBObject classes. For every
request from a unique client, does the container create a separate instance of the
generated EJBHome and EJBObject classes?

The EJB container maintains an instance pool. The container uses these instances
for the EJB Home reference irrespective of the client request. while refering the
EJB Object classes the container creates a separate instance for each client
request. The instance pool maintenance is up to the implementation of the
container. If the container provides one, it is available otherwise it is not
mandatory for the provider to implement it. Having said that, yes most of the
container providers implement the pooling functionality to increase the
performance of the application server. The way it is implemented is, again, up to
the implementer.
13. Can the primary key in the entity bean be a Java primitive type such as int?

The primary key can’t be a primitive type. Use the primitive wrapper classes,
instead. For example, you can use java.lang.Integer as the primary key class, but
not int (it has to be a class, not a primitive).

14. Can you control when passivation occurs?

The developer, according to the specification, cannot directly control when


passivation occurs. Although for Stateful Session Beans, the container cannot
passivate an instance that is inside a transaction. So using transactions can be a
a strategy to control passivation. The ejbPassivate() method is called during
passivation, so the developer has control over what to do during this exercise and
can implement the require optimized logic. Some EJB containers, such as BEA
WebLogic, provide the ability to tune the container to minimize passivation calls.
Taken from the WebLogic 6.0 DTD -The passivation-strategy can be either default
or transaction. With the default setting the container will attempt to keep a
working set of beans in the cache. With the transaction setting, the container will
passivate the bean after every transaction (or method call for a non-transactional
invocation).

15. What is the advantage of using Entity bean for database operations, over
directly using JDBC API to do database operations? When would I use one over
the other?

Entity Beans actually represents the data in a database. It is not that Entity
Beans replaces JDBC API. There are two types of Entity Beans Container Managed
and Bean Mananged. In Container Managed Entity Bean - Whenever the instance
of the bean is created the container automatically retrieves the data from the
DB/Persistance storage and assigns to the object variables in bean for user to
manipulate or use them. For this the developer needs to map the fields in the
database to the variables in deployment descriptor files (which varies for each
vendor). In the Bean Managed Entity Bean - The developer has to specifically
make connection, retrive values, assign them to the objects in the ejbLoad()
which will be called by the container when it instatiates a bean object. Similarly in
the ejbStore() the container saves the object values back the the persistance
storage. ejbLoad and ejbStore are callback methods and can be only invoked by
the container. Apart from this, when you use Entity beans you dont need to worry
about database transaction handling, database connection pooling etc. which are
taken care by the ejb container.

16. What is EJB QL?

EJB QL is a Query Language provided for navigation across a network of


enterprise beans and dependent objects defined by means of container managed
persistence. EJB QL is introduced in the EJB 2.0 specification. The EJB QL query
language defines finder methods for entity beans with container managed
persistenceand is portable across containers and persistence managers. EJB QL is
used for queries of two types of finder methods: Finder methods that are defined
in the home interface of an entity bean and which return entity objects. Select
methods, which are not exposed to the client, but which are used by the Bean
Provider to select persistent values that are maintained by the Persistence
Manager or to select entity objects that are related to the entity bean on which
the query is defined.

17. Brief description about local interfaces?


EEJB was originally designed around remote invocation using the Java Remote
Method Invocation (RMI) mechanism, and later extended to support to standard
CORBA transport for these calls using RMI/IIOP. This design allowed for
maximum flexibility in developing applications without consideration for the
deployment scenario, and was a strong feature in support of a goal of component
reuse in J2EE. Many developers are using EJBs locally, that is, some or all of their
EJB calls are between beans in a single container. With this feedback in mind, the
EJB 2.0 expert group has created a local interface mechanism. The local interface
may be defined for a bean during development, to allow streamlined calls to the
bean if a caller is in the same container. This does not involve the overhead
involved with RMI like marshalling etc. This facility will thus improve the
performance of applications in which co-location is planned. Local interfaces also
provide the foundation for container-managed relationships among entity beans
with container-managed persistence.

18. What are the special design care that must be taken when you work with local
interfaces?

It is important to understand that the calling semantics of local interfaces are


different from those of remote interfaces. For example, remote interfaces pass
parameters using call-by-value semantics, while local interfaces use call-by-
reference. This means that in order to use local interfaces safely, application
developers need to carefully consider potential deployment scenarios up front,
then decide which interfaces can be local and which remote, and finally, develop
the application code with these choices in mind. While EJB 2.0 local interfaces are
extremely useful in some situations, the long-term costs of these choices,
especially when changing requirements and component reuse are taken into
account, need to be factored into the design decision.

19. What happens if remove( ) is never invoked on a session bean?

In case of a stateless session bean it may not matter if we call or not as in both
cases nothing is done. The number of beans in cache is managed by the
container. In case of stateful session bean, the bean may be kept in cache till
either the session times out, in which case the bean is removed or when there is
a requirement for memory in which case the data is cached and the bean is sent
to free pool.

20. What is the difference between Message Driven Beans and Stateless Session
beans?

In several ways, the dynamic creation and allocation of message-driven bean


instances mimics the behavior of stateless session EJB instances, which exist only
for the duration of a particular method call. However, message-driven beans are
different from stateless session EJBs (and other types of EJBs) in several
significant ways: Message-driven beans process multiple JMS messages
asynchronously, rather than processing a serialized sequence of method calls.
Message-driven beans have no home or remote interface, and therefore cannot
be directly accessed by internal or external clients. Clients interact with message-
driven beans only indirectly, by sending a message to a JMS Queue or Topic. Only
the container directly interacts with a message-driven bean by creating bean
instances and passing JMS messages to those instances as necessary. The
Container maintains the entire lifecycle of a message-driven bean; instances
cannot be created or removed as a result of client requests or other API calls.

22. How can I call one EJB from inside of another EJB?
EJBs can be clients of other EJBs. It just works. Use JNDI to locate the Home
Interface of the other bean, then acquire an instance reference, and so forth.

23. What is an EJB Context?

EJBContext is an interface that is implemented by the container, and it is also a


part of the bean-container contract. Entity beans use a subclass of EJBContext
called EntityContext. Session beans use a subclass called SessionContext. These
EJBContext objects provide the bean class with information about its container,
the client using the bean and the bean itself. They also provide other functions.
See the API docs and the spec for more details.

24. Is is possible for an EJB client to marshal an object of class java.lang.Class to


an EJB?

Technically yes, spec. compliant NO! - The enterprise bean must not attempt to
query a class to obtain information about the declared members that are not
otherwise accessible to the enterprise bean because of the security rules of the
Java language

25. Is it legal to have static initializer blocks in EJB?

Although technically it is legal, static initializer blocks are used to execute some
piece of code before executing any constructor or method while instantiating a
class. Static initializer blocks are also typically used to initialize static fields -
which may be illegal in EJB if they are read/write - In EJB this can be achieved by
including the code in either the ejbCreate(), setSessionContext() or
setEntityContext() methods.

26. Is it possible to stop the execution of a method before completion in a


SessionBean?

Stopping the execution of a method inside a Session Bean is not possible without
writing code inside the Session Bean. This is because you are not allowed to
access Threads inside an EJB.

27. What is the default transaction attribute for an EJB?

There is no default transaction attribute for an EJB. Section 11.5 of EJB v1.1 spec
says that the deployer must specify a value for the transaction attribute for those
methods having container managed transaction. In WebLogic, the default
transaction attribute for EJB is SUPPORTS.

28. What is the difference between session and entity beans? When should I use
one or the other?

An entity bean represents persistent global data from the database; a session
bean represents transient user-specific data that will die when the user
disconnects (ends his session). Generally, the session beans implement business
methods (e.g. Bank.transferFunds) that call entity beans (e.g. Account.deposit,
Account.withdraw)

29. Is there any default cache management system with Entity beans ?
In other words whether a cache of the data in database will be maintained in
EJB ? - Caching data from a database inside the AAApplication Server are what
Entity EJB’s are used for.The ejbLoad() and ejbStore() methods are used to
synchronize the Entity Bean state with the persistent storage(database).
Transactions also play an important role in this scenario. If data is removed from
the database, via an external application - your Entity Bean can still be alive the
EJB container. When the transaction commits, ejbStore() is called and the row
will not be found, and the transaction rolled back.

30. Why is ejbFindByPrimaryKey mandatory?

An Entity Bean represents persistent data that is stored outside of the EJB
Container/Server. The ejbFindByPrimaryKey is a method used to locate and load
an Entity Bean into the container, similar to a SELECT statement in SQL. By
making this method mandatory, the client programmer can be assured that if
they have the primary key of the Entity Bean, then they can retrieve the bean
without having to create a new bean each time - which would mean creating
duplications of persistent data and break the integrity of EJB.

31. Why do we have a remove method in both EJBHome and EJBObject?

With the EJBHome version of the remove, you are able to delete an entity bean
without first instantiating it (you can provide a PrimaryKey object as a parameter
to the remove method). The home version only works for entity beans. On the
other hand, the Remote interface version works on an entity bean that you have
already instantiated. In addition, the remote version also works on session beans
(stateless and stateful) to inform the container of your loss of interest in this
bean.

32. How can I call one EJB from inside of another EJB?

EJBs can be clients of other EJBs. It just works. Use JNDI to locate the Home
Interface of the other bean, then acquire an instance reference, and so forth.

33. What is the difference between a Server, a Container, and a Connector?

An EJB server is an application, usually a product such as BEA WebLogic, that


provides (or should provide) for concurrent client connections and manages
system resources such as threads, processes, memory, database connections,
network connections, etc. An EJB container runs inside (or within) an EJB server,
and provides deployed EJB beans with transaction and security management, etc.
The EJB container insulates an EJB bean from the specifics of an underlying EJB
server by providing a simple, standard API between the EJB bean and its
container. A Connector provides the ability for any Enterprise Information System
(EIS) to plug into any EJB server which supports the Connector architecture. See
Sun’s J2EE Connectors for more in-depth information on Connectors.

34. How is persistence implemented in enterprise beans?

Persistence in EJB is taken care of in two ways, depending on how you implement
your beans: container managed persistence (CMP) or bean managed persistence
(BMP) For CMP, the EJB container which your beans run under takes care of the
persistence of the fields you have declared to be persisted with the database -
this declaration is in the deployment descriptor. So, anytime you modify a field in
a CMP bean, as soon as the method you have executed is finished, the new data
is persisted to the database by the container. For BMP, the EJB bean developer is
responsible for defining the persistence routines in the proper places in the bean,
for instance, the ejbCreate(), ejbStore(), ejbRemove() methods would be
developed by the bean developer to make calls to the database. The container is
responsible, in BMP, to call the appropriate method on the bean. So, if the bean is
being looked up, when the create() method is called on the Home interface, then
the container is responsible for calling the ejbCreate() method in the bean, which
should have functionality inside for going to the database and looking up the
data.

35. What is an EJB Context?

EJBContext is an interface that is implemented by the container, and it is also a


part of the bean-container contract. Entity beans use a subclass of EJBContext
called EntityContext. Session beans use a subclass called SessionContext. These
EJBContext objects provide the bean class with information about its container,
the client using the bean and the bean itself. They also provide other functions.
See the API docs and the spec for more details.

36. Is method overloading allowed in EJB?

Yes you can overload methods Should synchronization primitives be used on bean
methods? - No. The EJB specification specifically states that the enterprise bean is
not allowed to use thread primitives. The container is responsible for managing
concurrent access to beans at runtime.

37. Are we allowed to change the transaction isolation property in middle of a


transaction?

No. You cannot change the transaction isolation level in the middle of transaction.

38. For Entity Beans, What happens to an instance field not mapped to any
persistent storage, when the bean is passivated?

The specification infers that the container never serializes an instance of an Entity
bean (unlike stateful session beans). Thus passivation simply involves moving the
bean from the ready to the pooled bin. So what happens to the contents of an
instance variable is controlled by the programmer. Remember that when an
entity bean is passivated the instance gets logically disassociated from it’s remote
object. Be careful here, as the functionality of passivation/activation for Stateless
Session, Stateful Session and Entity beans is completely different. For entity
beans the ejbPassivate method notifies the entity bean that it is being
disassociated with a particular entity prior to reuse or for dereference.

39. What is a Message Driven Bean, what functions does a message driven bean
have and how do they work in collaboration with JMS?

Message driven beans are the latest addition to the family of component bean
types defined by the EJB specification. The original bean types include session
beans, which contain business logic and maintain a state associated with client
sessions, and entity beans, which map objects to persistent data. Message driven
beans will provide asynchrony to EJB based applications by acting as JMS
message consumers. A message bean is associated with a JMS topic or queue and
receives JMS messages sent by EJB clients or other beans. Unlike entity beans
and session beans, message beans do not have home or remote interfaces.
Instead, message driven beans are instantiated by the container as required. Like
stateless session beans, message beans maintain no client-specific state, allowing
the container to optimally manage a pool of message-bean instances. Clients
send JMS messages to message beans in exactly the same manner as they would
send messages to any other JMS destination. This similarity is a fundamental
design goal of the JMS capabilities of the new specification. To receive JMS
messages, message driven beans implement the javax.jms.MessageListener
interface, which defines a single onMessage() method. When a message arrives,
the container ensures that a message bean corresponding to the message
topic/queue exists (instantiating it if necessary), and calls its onMessage method
passing the client’s message as the single argument. The message bean’s
implementation of this method contains the business logic required to process the
message. Note that session beans and entity beans are not allowed to function as
message beans.

40. Does RMI-IIOP support code downloading for Java objects sent by value
across an IIOP connection in the same way as RMI does across a JRMP
connection?

Yes. The JDK 1.2 support the dynamic class loading. The EJB container
implements the EJBHome and EJBObject classes. For every request from a unique
client,

41. Does the container create a separate instance of the generated EJBHome and
EJBObject classes?

The EJB container maintains an instance pool. The container uses these instances
for the EJB Home reference irrespective of the client request. while refering the
EJB Object classes the container creates a separate instance for each client
request. The instance pool maintainence is up to the implementation of the
container. If the container provides one, it is available otherwise it is not
mandatory for the provider to implement it. Having said that, yes most of the
container providers implement the pooling functionality to increase the
performance of the application server. The way it is implemented is again up to
the implementer.

42. What is the advantage of putting an Entity Bean instance from the Ready
State to Pooled state

The idea of the Pooled State is to allow a container to maintain a pool of entity
beans that has been created, but has not been yet synchronized or assigned to
an EJBObject. This mean that the instances do represent entity beans, but they
can be used only for serving Home methods (create or findBy), since those
methods do not relay on the specific values of the bean. All these instances are,
in fact, exactly the same, so, they do not have meaningful state. Jon
Thorarinsson has also added: It can be looked at it this way: If no client is using
an entity bean of a particular type there is no need for cachig it (the data is
persisted in the database). Therefore, in such cases, the container will, after
some time, move the entity bean from the Ready State to the Pooled state to
save memory. Then, to save additional memory, the container may begin moving
entity beans from the Pooled State to the Does Not Exist State, because even
though the bean’s cache has been cleared, the bean still takes up some memory
just being in the Pooled State.

Popularity: 40% [?]


Share This

Java System Design & Analysis Patterns Interview Questions »

By Admin on Nov 4, 2007 in Java System Design & Analysis Patterns Interview
Qu | 0 Comments

1. What is an analysis pattern?


2. What are the differences between analysis patterns and design patterns?
3. How does “Extreme Programming” (XP) fit with patterns?
4. What is the disadvantage of using the Singleton pattern? It is enticing to use
this pattern for all the classes as it makes it easy to get the reference of the
singleton object.
5. How do you write a Thread-Safe Singleton?
6. What is the Reactor pattern?
7. What are Process Patterns?
8. How and where did the concept of design patterns get started?
9. Where can I find good examples of the Prototype pattern?
10. What are Anti-Patterns?
11. What is a software design pattern?
12. Why is the study of patterns important?
13. How do I document a design pattern?
14. Where can I learn more about design patterns?
15. What is an example of a design pattern?
16. Calendar is an abstract class. The getInstance() method tries to instantiate
GregorianCalendar() i.e., parent instantiating a derived class. This looks Non-OO?
Ex: Calendar a=Calendar.getInstance(); Can somebody explain why is it so?
17. What major patterns do the Java APIs utilize?
18. How can I make sure at most one instance of my class is ever created?
19. When would I use the delegation pattern instead of inheritance to extend a
class’s behavior?
20. Which patterns were used by Sun in designing the Enterprise JavaBeans
model?
21. What patterns are particularly useful in building networked applications?
22. Are there any good Java-specific patterns books available?
23. What are Collaboration Patterns?
24. Is it correct from a design point of view to make an object both an Observer
and Observable at the same time?
25. How can I maintain a single instance of an object in an applet?
26. What is the best way to generate a universally unique object ID? Do I need to
use an external resource like a file or database, or can I do it all in memory?
27. Is there some kind of Design pattern which would make it possible to use the
Same code base in EJB and non EJB context?
28. What is session facade?
29. How is JDO different from VO ?
30. How can I implement the MVC design pattern using JSP?

Popularity: 62% [?]

Share This

Struts Interview questions »

By Admin on Oct 2, 2007 in Struts Interview questions | 0 Comments

Is Struts threadsafe?
Yes

1. Response is handled by light-weight Action object; rather than individual


servlet.
2. Servlet instantiates Action class once and allows other requests to be threaded
through the original object.
3. This conserves resources and provides best throughput.

What are the various Struts Tag libraries?

Struts provide many tag libraries to ease the development of web applications.
These tag libraries are:

* Bean tag library - Tags for accessing JavaBeans and their properties.
* HTML tag library - Tags to output standard HTML, including forms, text boxes,
checkboxes, radio buttons etc..
* Logic tag library - Tags for generating conditional output, iteration capabilities
and flow management
* Tiles or Template tag library - For the application using tiles
* Nested tag library - For using the nested beans in the application

What is ActionMapping?

1. Associates an action name with an action.


2. It can contain reference to a form bean that the action can use.
3. Defines a list of local forwards that are visible only to this action.

Multiple configuration files in Struts:

Struts can use multiple configuration files. For example:

banking
org.apache.struts.action.ActionServlet

< init-param >

config /WEB-INF/struts-config.xml,
/WEB-INF/struts-authentication.xml,
/WEB-INF/struts-help.xml

1
< / servlet >

Popularity: 100% [?]

Share This

Websphere Interview Questions »

By Admin on Oct 2, 2007 in Websphere Interview Questions | 0 Comments

How to choose websphere over other application servers?


Selecting application server is part of architechtural process when infrastructure
is defined. It depends on several facots:

1. External systems your application will be interacting


2. Type of application you have
3. Target availability of system.
4. Corporate standards
5. Budget.

What are deployment descriptors? How many types of Deployment descriptors


are available? What are they?

Deployment descriptor is an XML file that describes how to deploy a module or


application by specifying configuration and container options. For example, an
EJB deployment descriptor passes information to an EJB container about how to
manage and control an enterprise bean. There are two types of deployment
descriptor in websphere: Web application deployment descriptor and portlet
deployemnt descriptor

Portlets are packaged as WAR files with a web application deployment descriptor
(web.xml). This defines each portlet as a servlet within the web application,
including unique identifiers for each portlet, the portlet class, and initialization
parameters.

How many ways can you deploy applications in websphere?

1. Directly copy files to deployedapplication folder in websphere- hot deployment.


2. use websphere specific ant tasks and building automated scripts for deploying
application.
3. through administration console.

What is the difference between web server and application server?

ApplicationServer: takes care of Security, Transaction, Multithreading, Resource


pooling, load balancing, clustering, performence, highly availability, scalability,
etc. Exposes business logic to client applications through various protocols,
possibly including HTTP. Supports deployment of .war and .ear filesApplication
server = webserver + EJB container.

Webserver: handles HTTP protocol. Receives HTTP request, it responds with an


HTTP response.

How to import jaxp package in IBM WSAD?

1. open WSAD
2. go to project
3. click properties
4. select javaBuildPath
5. add any jar file like jaxp select add external jars.

How to implement JDBC-ODBC bridge driver (Type 1) in Websphere?

If you use JDBC type (I) driver you dont need to add any driver in websphere.
you simply created DSN and use it locally, same we use java class, if you use
Type(2) and Type(4) so first go to admin console then go to connection, then add
driver there fill other info like conn. size, uname pass, max conn. and connect it
to you applications.

Is there any difference between weblogic and websphere?

Webpshere tends to focus more on integration, connectivity and web services. it


has rich implementation of J2EE, better performance, more extensive integration
and transaction management. In terms of trnsaction weblogic is having default
transaction attribute as ’supports’, but websphere does not have any default
transaction attribute.

JSP Interview Questions »

By Admin on Oct 2, 2007 | In JSP Interview Questions | No Comments »

JSP Action:

* JSP actions are XML tags that direct the server to use existing components or
control the behavior of the JSP engine.
* Consist of typical (XML-base) prefix of ‘jsp’ followed by a colon, followed by the
action name followed by one or more attribute parameters. For example: There
are six JSP Actions: , , , , ,

What is the difference between and


forwards request to dbaccessError.jsp pge if an uncaught exception is
encountered during request processing. Within “dbaccessError.jsp”, you must
indicate that it is an error processing page, via the directive: .

How can you enable session tracking for JSP pages if the browser has disabled
cookies: We can enable session tracking using URL rewriting. URL rewriting
includes the sessionID within the link itself as a name/value pair. However, for
this to be effective, you need to append the session Id for each and every link
that is part of your servlet response. adding sessionId to a link is greatly
simplified by means of a couple of methods: response.ecnodeURL() associates a
session ID with a giver UIRl, and if you are using redirection,
response.encodeRedirectURL() can be used by giving the redirected URL as input.
Both encodeURL() and encodeRedirectURL() first determine whether cookies are
supported by the browser; is so, the input URL is returned unchanged since the
session ID wil lbe persisted as cookie.

Which is better fro threadsafe servlets and JSPs? SingleThreadModel Interface or


Synchronization? Although the SingleThreadModel technique is easy to use, and
works well for low volume sites, it does not scale well. JSps can be made thread
safe by having them implement the SingleThreadModel interface. This is done by
adding the directive withi n your JSP page. With this, instead of a single instance
of the servlet generated for your JSP page loaded in memory, you will have N
instance of the servlet loaded and initialized, with the service method of each
instance effectively synchronized.

How do I prevent the output of my JSP or servlet pages from being caches by the
browser?

Set the appropriate HTTP header attributes to prevent the dynamic content
output by the JSP page from being cached by the browser. Execute the following
scriptlet at the beginning of JSP pages to prevent them from being caches at the
browser.

Popularity: 70% [?]

Share This

UML interview questions »

By Admin on Oct 2, 2007 | In UML interview questions | 1 Comment »

What is UML?

Graphical language for visualizing, specifying, constructing and documenting the


artifacts of the system. allows to create blueprints of all the aspects of the
system, before physically implementing the system.

What is modeling? What are the advantages of creating a model?

Well-accepted engineering technique which helps build a model. Model is the


simplification of reality; blueprint of the system that needs to be built. Model
helps you visualize the system. helps to specify the structural and behaviour of
the sytem. helps make templates for constructing the system. helps document
the sytem.

What are the different views considered when building an object-oriented


software system? there aer 5 veiws:

1. Use case view: exposes requirements of a system.


2. Design view: capturing the vocabulary
3. process view: modeling the distribution of the sytems processes and threads.
4. implementation veiw: addressing the physical implementation of the system.
5. deployement view: focus on the modeling of components required for
deploying the system.

What are the major three types of modeling used?

They are 9: Use case diagram, class diagram, object diagram, sequence diagram,
statechart diagram, collaboration diagram, activity diagram, component diagram,
deployment diagram.

SDLC: Software development life cycle. SDLC of a system includes processes that
are Use case driven, architecture centric and iterative and incremental. Life cycle
is divided into phases. Phase is a time span between two milestones. The
milestones are Inception, Elaboration, construction, and transition. Process
workflows that evolve through these phase are Business Modelling, Requirement
gathering, Analysis and Design, Implementation, Testing, Deployment.
Supporting workflows are configuration and change management, Project
management.

What are relationships?

1. Dependencies: relationship between two entities such that a change in


specification of one thing may affect the other. used to show that one class uses
another class as an argument in the signature of the operation.
2. Generalization: relationships specified in the class subclass scenario, it is
shown when one entity inherits from other.
3. Associations: structural relationships. ‘A room has walls’, ‘Person works for a
company’.
4. Aggregation: type of association where there is-a, has-a relationship.

* Static Diagrams (Structural diagrams): Class diagram, Object diagram,


component diagram, deployment diagram.
* Dynamic diagram(Behavioral diagrams): Use case diagram, sequence diagram,
collaboration diagram, activity diagram, statechart diagram.

Messages: Specification of a communication, when a message is passed that


results in action that is in turn an executable statement.

Use Case: specifies the behavior of a system or a part of a system. Involves the
interaction of actors and system.

Aggregation: One class owns but shares a reference to objects of another class.
Child refrerence exists even if parent oject rereference is set to null. Symbol:
empty diamond arrow.

Composition: one class contains objects of another class. child reference does not
exists independently. Symbol: filled diamond arrow.

Stereotype: Extension to existing UML vocabulary. It is used to create new model


elements or derive from existing ones having specific properties pertaining to
problem domain. EG: you can create steriotype, <> derived from existing one,
<>.

Popularity: 53% [?]

Share This

Servlet Interview Questions »

By Admin on Oct 2, 2007 | In Servlet interview questions | No Comments »

The java.servlet.Servlet interface defines 3 methos known as life-cycle method.

1. public void init(ServletConfig config) throws ServletException: servlet is


constructe, then initialized with the init() method.
2. public void service(ServletRequest req, ServletResponse res) throws
ServletException, IOException: any request from client are handled initially by
the service() method before delegating to the doXxx() methods in the case of
HttpServlet.
3. public void destroy(): Servlet is removed from service, destroyed with the
destroy() method, then garbage collected and finalized.

What is the difference between doGet() and doPost()?

doGet() mthod is limited with 2k of data to be sent, and doPost() mehtod doesn’t
have this limitation. A request string for doGet() looks like the following:
http://www.google.com/svt1?p1=v1&p2=v2&…&pN=vN. doPost() method call
doesntneed a long texttail after a servlet name in a request. All parameters are
stored in a request itself, not in a request string, and its impossible to guess the
data transmitted to a servlet only looking at the request string.

HttpServlet and GenericServlet: GenericServlet has a service() method aimed to


handle requests. HttpServlet extends GenericServlet and addes support for
doGet(), doHead() methods (HTTP 1.0) plus doPut(), doOptions(), doDelete(),
doTrace() methods. Both these classes are abstract.

ServletContext and ServletConfig: ServletContext defines a set of methods that a


servlet uses to communicate with its servlet container, for example, to get the
MIME type of a file, dispatch requests, or write to a log file. The ServletContext
object is contained within the ServletConfig object, which the web server provides
the servlet when the servlet is initialized.

ServletConfig: the object created after a servlet is instantiated and its default
constructor is read. It is created to pass initialization infomation to the servlet.

Popularity: 26% [?]

Share This

Sample Java Interview Questions »

By Admin on Oct 2, 2007 | In Sample Java Interview Questions | No Comments »

Inheritance:

Process by which one object acquires the properties of another object.


Inheritance allows well-tested procedures to be reused and enables changes to
make once and have effect in all relevant places.

Implicit Casting:

Process of simply assigning one entity to another without any transformation


guidance to the compiler.

Native method: method that is not implemented in java.

Polymorphism: one name many forms. enables one entity to be used as general
category for different types of actions.

Encapsulation: process of binding or wrapping the data and the codes that
operates on the data into single entity. This keeps data safe from outside
interface and misuse. objects allow procedures to be encapsulated with their data
to reduce potential interference. one way to think about encapsulation is as a
protective wrapper that prevents code and data from being arbitrarily accessed
by other code defined outside the wrapper.

Procedural programs: programming logic follows certain procedures and the


instructions are executed one after the another. In OOP program, unit of program
is object, which is combination of data and code. In procedural program, data is
exposed to the whole program whereas in OOPs program, it is accessible with in
the object and which in trun assures the security of the code.

What is OOPs?
Object oriented programming organizes a program around its data, ie., objets
and a set of welll defined intervaces to that data.

Transient modifier applies to variables only and it is not stored as part or its
objects persistent state. Transient variables are not serialized. Volatile modifier
applies to variables only and it tells the compiler that the variable modified by
volatile can be changed unexpectedly by other parts of the program.

Inner class: classes defined in other classes, including those defined in methods
are called inner classes. An inner class can have nay accessibility including
private. Anonymous class: class defined inside a mthod without name and is
instantiated and declared in the same place and cannot have explicit
constructors.

Abstract class: class designed with implementation gaps for subclasses to fill in
and is deliberately incomplete. Interface: similar to a class which may contain
method’s signature only but no body and it is a formal set of methods and
contsant declarations that must be defined by the class that implements it.
interfaces are usefull for: declaring methods that one or more classes are
expected to implement, capturing similarities between unrelated classes without
forcing a class relationship.

Jakarta struts interview questions »

By Admin on Oct 1, 2007 | In Jakarta struts interview questions | No Comments


»

1. What is Jakarta Struts Framework?

Jakarta Struts is open source implementation of MVC (Model-View-Controller)


pattern for the development of web based applications. Jakarta Struts is robust
architecture and can be used for the development of application of any size.
Struts framework makes it much easier to design scalable, reliable Web
applications with Java.

2. What is ActionServlet?

The class org.apache.struts.action.ActionServlet is the called the ActionServlet. In


the the Jakarta Struts Framework this class plays the role of controller. All the
requests to the server goes through the controller. Controller is responsible for
handling all the requests.

3. How you will make available any Message Resources Definitions file to the
Struts Framework Environment?

Message Resources Definitions file are simple .properties files and these files
contains the messages that can be used in the struts project. Message Resources
Definitions files can be added to the struts-config.xml file through tag.

Example:
generates the client side java script for the form “logonForm” as defined in the
validation.xml file. The when added in the jsp file generates the client site
validation script.

Popularity: 26% [?]


Share This

Java Interview Questions Part 1 »

By Admin on Oct 1, 2007 | In Java Interview Questions Part 1 | No Comments »

1. Can there be an abstract class with no abstract methods in it?

Yes

2. Can an Interface be final?

No

3. Can an Interface have an inner class?

Yes.
public interface abc
{
static int i=0; void dd();
class a1
{
a1()
{
int j;
System.out.println(”inside”);
};
public static void main(String a1[])
{
System.out.println(”in interfia”);
}
}
}

4. Can we define private and protected modifiers for variables in interfaces?

No

5. What is Externalizable?

Externalizable is an Interface that extends Serializable Interface. And sends data


into Streams in Compressed Format. It has two methods,
writeExternal(ObjectOuput out) and readExternal(ObjectInput in)

6. What modifiers are allowed for methods in an Interface?

Only public and abstract modifiers are allowed for methods in interfaces.

7. What is a local, member and a class variable?

Variables declared within a method are “local” variables. Variables declared within
the class i.e not within any methods are “member” variables (global variables).
Variables declared within the class i.e not within any methods and are defined as
“static” are class variables
8. What are the different identifier states of a Thread?

The different identifiers of a Thread are: R - Running or runnable thread, S -


Suspended thread, CW - Thread waiting on a condition variable, MW - Thread
waiting on a monitor lock, MS - Thread suspended waiting on a monitor lock

9. What are some alternatives to inheritance?

Delegation is an alternative to inheritance. Delegation means that you include an


instance of another class as an instance variable, and forward messages to the
instance. It is often safer than inheritance because it forces you to think about
each message you forward, because the instance is of a known class, rather than
a new class, and because it doesn’t force you to accept all the methods of the
super class: you can provide only the methods that really make sense. On the
other hand, it makes you write more code, and it is harder to re-use (because it
is not a subclass).

10. Why isn’t there operator overloading?

Because C++ has proven by example that operator overloading makes code
almost impossible to maintain. In fact there very nearly wasn’t even method
overloading in Java, but it was thought that this was too useful for some very
basic methods like print(). Note that some of the classes like DataOutputStream
have unoverloaded methods like writeInt() and writeByte().

11. What does it mean that a method or field is “static”?

Static variables and methods are instantiated only once per class. In other words
they are class variables, not instance variables. If you change the value of a
static variable in a particular object, the value of that variable changes for all
instances of that class. Static methods can be referenced with the name of the
class rather than the name of a particular object of the class (though that works
too). That’s how library methods like System.out.println() work. out is a static
field in the java.lang.System class.

12. How do I convert a numeric IP address like 192.18.97.39 into a hostname like
java.sun.com?

13. String hostname = InetAddress.getByName(”192.18.97.39″).getHostName();

14. Difference between JRE/JVM/JDK?

15. Why do threads block on I/O?

Threads block on i/o (that is enters the waiting state) so that other threads may
execute while the I/O operation is performed.

16. What is synchronization and why is it important?

With respect to multithreading, synchronization is the capability to control the


access of multiple threads to shared resources. Without synchronization, it is
possible for one thread to modify a shared object while another thread is in the
process of using or updating that object’s value. This often leads to significant
errors.
17. Is null a keyword?

The null value is not a keyword.

18. Which characters may be used as the second character of an identifier,but not
as the first character of an identifier?

The digits 0 through 9 may not be used as the first character of an identifier but
they may be used after the first character of an identifier.

19. What modifiers may be used with an inner class that is a member of an outer
class?

A (non-local) inner class may be declared as public, protected, private, static,


final, or abstract.

20. How many bits are used to represent Unicode, ASCII, UTF-16, and UTF-8
characters?

Unicode requires 16 bits and ASCII require 7 bits. Although the ASCII character
set uses only 7 bits, it is usually represented as 8 bits. UTF-8 represents
characters using 8, 16, and 18 bit patterns. UTF-16 uses 16-bit and larger bit
patterns.

21. What are wrapped classes?

Wrapped classes are classes that allow primitive types to be accessed as objects.

22. What restrictions are placed on the location of a package statement within a
source code file?

A package statement must appear as the first line in a source code file (excluding
blank lines and comments).

23. What is the difference between preemptive scheduling and time slicing?

Under preemptive scheduling, the highest priority task executes until it enters the
waiting or dead states or a higher priority task comes into existence. Under time
slicing, a task executes for a predefined slice of time and then reenters the pool
of ready tasks. The scheduler then determines which task should execute next,
based on priority and other factors.

24. What is a native method?

A native method is a method that is implemented in a language other than Java.

25. What are order of precedence and associativity, and how are they used?

Order of precedence determines the order in which operators are evaluated in


expressions. Associatity determines whether an expression is evaluated left-to-
right or right-to-left

26. What is the catch or declare rule for method declarations?


If a checked exception may be thrown within the body of a method, the method
must either catch the exception or declare it in its throws clause.

27. Can an anonymous class be declared as implementing an interface and


extending a class?

An anonymous class may implement an interface or extend a superclass, but may


not be declared to do both.

28. What is the range of the char type?

The range of the char type is 0 to 2^16 - 1.

Popularity: 27% [?]

Share This

EJB Interview Questions »

By Admin on Oct 1, 2007 | In EJB Interview Questions | No Comments »

2. What is session Facade?

Session Facade is a design pattern to access the Entity bean through local
interface than accessing directly. It increases the performance over the network.
In this case we call session bean which on turn call entity bean.

3. What is EJB role in J2EE?

EJB technology is the core of J2EE. It enables developers to write reusable and
portable server-side business logic for the J2EE platform.

4. What is the difference between EJB and Java beans?

EJB is a specification for J2EE server, not a product; Java beans may be a
graphical component in IDE.

5. What are the key features of the EJB technology?

1. EJB components are server-side components written entirely in the Java


programming language
2. EJB components contain business logic only - no system-level programming &
services, such as transactions, security, life-cycle, threading, persistence, etc. are
automatically managed for the EJB component by the EJB server.
3. EJB architecture is inherently transactional, distributed, portable multi-tier,
scalable and secure.
4. EJB components are fully portable across any EJB server and any OS.
5. EJB architecture is wire-protocol neutral–any protocol can be utilized like
IIOP,JRMP, HTTP, DCOM,etc.

6. What are the key benefits of the EJB technology?

1. Rapid application development


2. Broad industry adoption
3. Application portability
4. Protection of IT investment
7. How many enterprise beans?

There are three kinds of enterprise beans:


1. session beans,
2. entity beans, and
3. message-driven beans.

8. What is message-driven bean?


A message-driven bean combines features of a session bean and a Java Message
Service (JMS) message listener, allowing a business component to receive JMS. A
message-driven bean enables asynchronous clients to access the business logic in
the EJB tier.

9. What is Entity Bean and Session Bean ?

Entity Bean is a Java class which implements an Enterprise Bean interface and
provides the implementation of the business methods. There are two types:
Container Managed Persistence(CMP) and Bean-Managed Persistence(BMP).
Session Bean is used to represent a workflow on behalf of a client. There are two
types: Stateless and Stateful. Stateless bean is the simplest bean. It doesn’t
maintain any conversational state with clients between method invocations.
Stateful bean maintains state between invocations.

10. How EJB Invocation happens?

Retrieve Home Object reference from Naming Service via JNDI. Return Home
Object reference to the client. Create me a new EJB Object through Home Object
interface. Create EJB Object from the Ejb Object. Return EJB Object reference to
the client. Invoke business method using EJB Object reference. Delegate request
to Bean (Enterprise Bean).

11. Is it possible to share an HttpSession between a JSP and EJB? What happens
when I change a value in the HttpSession from inside an EJB?

You can pass the HttpSession as parameter to an EJB method, only if all objects
in session are serializable.This has to be consider as passed-by-value, that means
that it?s read-only in the EJB. If anything is altered from inside the EJB, it won?t
be reflected back to the HttpSession of the Servlet Container.The pass-by-
reference can be used between EJBs Remote Interfaces, as they are remote
references. While it is possible to pass an HttpSession as a parameter to an EJB
object, it is considered to be bad practice in terms of object-oriented design. This
is because you are creating an unnecessary coupling between back-end objects
(EJBs) and front-end objects (HttpSession). Create a higher-level of abstraction
for your EJBs API. Rather than passing the whole, fat, HttpSession (which carries
with it a bunch of http semantics), create a class that acts as a value object (or
structure) that holds all the data you need to pass back and forth between front-
end/back-end. Consider the case where your EJB needs to support a non HTTP-
based client. This higher level of abstraction will be flexible enough to support it.

12. The EJB container implements the EJBHome and EJBObject classes. For every
request from a unique client, does the container create a separate instance of the
generated EJBHome and EJBObject classes?
The EJB container maintains an instance pool. The container uses these instances
for the EJB Home reference irrespective of the client request. while refering the
EJB Object classes the container creates a separate instance for each client
request. The instance pool maintenance is up to the implementation of the
container. If the container provides one, it is available otherwise it is not
mandatory for the provider to implement it. Having said that, yes most of the
container providers implement the pooling functionality to increase the
performance of the application server. The way it is implemented is, again, up to
the implementer.
13. Can the primary key in the entity bean be a Java primitive type such as int?

The primary key can?t be a primitive type. Use the primitive wrapper classes,
instead. For example, you can use java.lang.Integer as the primary key class, but
not int (it has to be a class, not a primitive).

14. Can you control when passivation occurs?

The developer, according to the specification, cannot directly control when


passivation occurs. Although for Stateful Session Beans, the container cannot
passivate an instance that is inside a transaction. So using transactions can be a
a strategy to control passivation. The ejbPassivate() method is called during
passivation, so the developer has control over what to do during this exercise and
can implement the require optimized logic. Some EJB containers, such as BEA
WebLogic, provide the ability to tune the container to minimize passivation calls.
Taken from the WebLogic 6.0 DTD -The passivation-strategy can be either default
or transaction. With the default setting the container will attempt to keep a
working set of beans in the cache. With the transaction setting, the container will
passivate the bean after every transaction (or method call for a non-transactional
invocation).

15. What is the advantage of using Entity bean for database operations, over
directly using JDBC API to do database operations? When would I use one over
the other?

Entity Beans actually represents the data in a database. It is not that Entity
Beans replaces JDBC API. There are two types of Entity Beans Container Managed
and Bean Mananged. In Container Managed Entity Bean - Whenever the instance
of the bean is created the container automatically retrieves the data from the
DB/Persistance storage and assigns to the object variables in bean for user to
manipulate or use them. For this the developer needs to map the fields in the
database to the variables in deployment descriptor files (which varies for each
vendor). In the Bean Managed Entity Bean - The developer has to specifically
make connection, retrive values, assign them to the objects in the ejbLoad()
which will be called by the container when it instatiates a bean object. Similarly in
the ejbStore() the container saves the object values back the the persistance
storage. ejbLoad and ejbStore are callback methods and can be only invoked by
the container. Apart from this, when you use Entity beans you dont need to worry
about database transaction handling, database connection pooling etc. which are
taken care by the ejb container.

16. What is EJB QL?

EJB QL is a Query Language provided for navigation across a network of


enterprise beans and dependent objects defined by means of container managed
persistence. EJB QL is introduced in the EJB 2.0 specification. The EJB QL query
language defines finder methods for entity beans with container managed
persistenceand is portable across containers and persistence managers. EJB QL is
used for queries of two types of finder methods: Finder methods that are defined
in the home interface of an entity bean and which return entity objects. Select
methods, which are not exposed to the client, but which are used by the Bean
Provider to select persistent values that are maintained by the Persistence
Manager or to select entity objects that are related to the entity bean on which
the query is defined.

17. Brief description about local interfaces?

EEJB was originally designed around remote invocation using the Java Remote
Method Invocation (RMI) mechanism, and later extended to support to standard
CORBA transport for these calls using RMI/IIOP. This design allowed for
maximum flexibility in developing applications without consideration for the
deployment scenario, and was a strong feature in support of a goal of component
reuse in J2EE. Many developers are using EJBs locally, that is, some or all of their
EJB calls are between beans in a single container. With this feedback in mind, the
EJB 2.0 expert group has created a local interface mechanism. The local interface
may be defined for a bean during development, to allow streamlined calls to the
bean if a caller is in the same container. This does not involve the overhead
involved with RMI like marshalling etc. This facility will thus improve the
performance of applications in which co-location is planned. Local interfaces also
provide the foundation for container-managed relationships among entity beans
with container-managed persistence.

18. What are the special design care that must be taken when you work with local
interfaces?

It is important to understand that the calling semantics of local interfaces are


different from those of remote interfaces. For example, remote interfaces pass
parameters using call-by-value semantics, while local interfaces use call-by-
reference. This means that in order to use local interfaces safely, application
developers need to carefully consider potential deployment scenarios up front,
then decide which interfaces can be local and which remote, and finally, develop
the application code with these choices in mind. While EJB 2.0 local interfaces are
extremely useful in some situations, the long-term costs of these choices,
especially when changing requirements and component reuse are taken into
account, need to be factored into the design decision.
19. What happens if remove( ) is never invoked on a session bean?

In case of a stateless session bean it may not matter if we call or not as in both
cases nothing is done. The number of beans in cache is managed by the
container. In case of stateful session bean, the bean may be kept in cache till
either the session times out, in which case the bean is removed or when there is
a requirement for memory in which case the data is cached and the bean is sent
to free pool.

20. What is the difference between Message Driven Beans and Stateless Session
beans?

In several ways, the dynamic creation and allocation of message-driven bean


instances mimics the behavior of stateless session EJB instances, which exist only
for the duration of a particular method call. However, message-driven beans are
different from stateless session EJBs (and other types of EJBs) in several
significant ways: Message-driven beans process multiple JMS messages
asynchronously, rather than processing a serialized sequence of method calls.
Message-driven beans have no home or remote interface, and therefore cannot
be directly accessed by internal or external clients. Clients interact with message-
driven beans only indirectly, by sending a message to a JMS Queue or Topic. Only
the container directly interacts with a message-driven bean by creating bean
instances and passing JMS messages to those instances as necessary. The
Container maintains the entire lifecycle of a message-driven bean; instances
cannot be created or removed as a result of client requests or other API calls.

22. How can I call one EJB from inside of another EJB?

EJBs can be clients of other EJBs. It just works. Use JNDI to locate the Home
Interface of the other bean, then acquire an instance reference, and so forth.

23. What is an EJB Context?

EJBContext is an interface that is implemented by the container, and it is also a


part of the bean-container contract. Entity beans use a subclass of EJBContext
called EntityContext. Session beans use a subclass called SessionContext. These
EJBContext objects provide the bean class with information about its container,
the client using the bean and the bean itself. They also provide other functions.
See the API docs and the spec for more details.

24. Is is possible for an EJB client to marshal an object of class java.lang.Class to


an EJB?

Technically yes, spec. compliant NO! - The enterprise bean must not attempt to
query a class to obtain information about the declared members that are not
otherwise accessible to the enterprise bean because of the security rules of the
Java language.
25. Is it legal to have static initializer blocks in EJB?

Although technically it is legal, static initializer blocks are used to execute some
piece of code before executing any constructor or method while instantiating a
class. Static initializer blocks are also typically used to initialize static fields -
which may be illegal in EJB if they are read/write - In EJB this can be achieved by
including the code in either the ejbCreate(), setSessionContext() or
setEntityContext() methods.

26. Is it possible to stop the execution of a method before completion in a


SessionBean?

Stopping the execution of a method inside a Session Bean is not possible without
writing code inside the Session Bean. This is because you are not allowed to
access Threads inside an EJB.

27. What is the default transaction attribute for an EJB?

There is no default transaction attribute for an EJB. Section 11.5 of EJB v1.1 spec
says that the deployer must specify a value for the transaction attribute for those
methods having container managed transaction. In WebLogic, the default
transaction attribute for EJB is SUPPORTS.

28. What is the difference between session and entity beans? When should I use
one or the other?
An entity bean represents persistent global data from the database; a session
bean represents transient user-specific data that will die when the user
disconnects (ends his session). Generally, the session beans implement business
methods (e.g. Bank.transferFunds) that call entity beans (e.g. Account.deposit,
Account.withdraw)

29. Is there any default cache management system with Entity beans ?

In other words whether a cache of the data in database will be maintained in


EJB ? - Caching data from a database inside the AApplication Server are what
Entity EJB?s are used for.The ejbLoad() and ejbStore() methods are used to
synchronize the Entity Bean state with the persistent storage(database).
Transactions also play an important role in this scenario. If data is removed from
the database, via an external application - your Entity Bean can still be alive the
EJB container. When the transaction commits, ejbStore() is called and the row
will not be found, and the transaction rolled back.

30. Why is ejbFindByPrimaryKey mandatory?

An Entity Bean represents persistent data that is stored outside of the EJB
Container/Server. The ejbFindByPrimaryKey is a method used to locate and load
an Entity Bean into the container, similar to a SELECT statement in SQL. By
making this method mandatory, the client programmer can be assured that if
they have the primary key of the Entity Bean, then they can retrieve the bean
without having to create a new bean each time - which would mean creating
duplications of persistent data and break the integrity of EJB.
31. Why do we have a remove method in both EJBHome and EJBObject?

With the EJBHome version of the remove, you are able to delete an entity bean
without first instantiating it (you can provide a PrimaryKey object as a parameter
to the remove method). The home version only works for entity beans. On the
other hand, the Remote interface version works on an entity bean that you have
already instantiated. In addition, the remote version also works on session beans
(stateless and stateful) to inform the container of your loss of interest in this
bean.

32. How can I call one EJB from inside of another EJB?

EJBs can be clients of other EJBs. It just works. Use JNDI to locate the Home
Interface of the other bean, then acquire an instance reference, and so forth.

33. What is the difference between a Server, a Container, and a Connector?

An EJB server is an application, usually a product such as BEA WebLogic, that


provides (or should provide) for concurrent client connections and manages
system resources such as threads, processes, memory, database connections,
network connections, etc. An EJB container runs inside (or within) an EJB server,
and provides deployed EJB beans with transaction and security management, etc.
The EJB container insulates an EJB bean from the specifics of an underlying EJB
server by providing a simple, standard API between the EJB bean and its
container. A Connector provides the ability for any Enterprise Information System
(EIS) to plug into any EJB server which supports the Connector architecture. See
Sun?s J2EE Connectors for more in-depth information on Connectors.

34. How is persistence implemented in enterprise beans?


Persistence in EJB is taken care of in two ways, depending on how you implement
your beans: container managed persistence (CMP) or bean managed persistence
(BMP) For CMP, the EJB container which your beans run under takes care of the
persistence of the fields you have declared to be persisted with the database -
this declaration is in the deployment descriptor. So, anytime you modify a field in
a CMP bean, as soon as the method you have executed is finished, the new data
is persisted to the database by the container. For BMP, the EJB bean developer is
responsible for defining the persistence routines in the proper places in the bean,
for instance, the ejbCreate(), ejbStore(), ejbRemove() methods would be
developed by the bean developer to make calls to the database. The container is
responsible, in BMP, to call the appropriate method on the bean. So, if the bean is
being looked up, when the create () method is called on the Home interface, then
the container is responsible for calling the ejbCreate() method in the bean, which
should have functionality inside for going to the database and looking up the
data.

35. What is an EJB Context?

EJBContext is an interface that is implemented by the container, and it is also a


part of the bean-container contract. Entity beans use a subclass of EJBContext
called EntityContext. Session beans use a subclass called SessionContext. These
EJBContext objects provide the bean class with information about its container,
the client using the bean and the bean itself. They also provide other functions.
See the API docs and the spec for more details.

36. Is method overloading allowed in EJB?

Yes you can overload methods should synchronization primitives be used on bean
methods? - No. The EJB specification specifically states that the enterprise bean is
not allowed to use thread primitives. The container is responsible for managing
concurrent access to beans at runtime.
37. Are we allowed to change the transaction isolation property in middle of a
transaction?

No. You cannot change the transaction isolation level in the middle of transaction.

38. For Entity Beans, What happens to an instance field not mapped to any
persistent storage, when the bean is passivated?

The specification infers that the container never serializes an instance of an Entity
bean (unlike stateful session beans). Thus passivation simply involves moving the
bean from the ready to the pooled bin. So what happens to the contents of an
instance variable is controlled by the programmer. Remember that when an
entity bean is passivated the instance gets logically disassociated from its remote
object. Be careful here, as the functionality of passivation/activation for Stateless
Session, Stateful Session and Entity beans is completely different. For entity
beans the ejbPassivate method notifies the entity bean that it is being
disassociated with a particular entity prior to reuse or for dereference.

39. What is a Message Driven Bean, what functions does a message driven bean
have and how do they work in collaboration with JMS?

Message driven beans are the latest addition to the family of component bean
types defined by the EJB specification. The original bean types include session
beans, which contain business logic and maintain a state associated with client
sessions, and entity beans, which map objects to persistent data. Message driven
beans will provide asynchrony to EJB based applications by acting as JMS
message consumers. A message bean is associated with a JMS topic or queue and
receives JMS messages sent by EJB clients or other beans. Unlike entity beans
and session beans, message beans do not have home or remote interfaces.
Instead, message driven beans are instantiated by the container as required. Like
stateless session beans, message beans maintain no client-specific state, allowing
the container to optimally manage a pool of message-bean instances. Clients
send JMS messages to message beans in exactly the same manner as they would
send messages to any other JMS destination. This similarity is a fundamental
design goal of the JMS capabilities of the new specification. To receive JMS
messages, message driven beans implement the javax.jms.MessageListener
interface, which defines a single onMessage () method. When a message arrives,
the container ensures that a message bean corresponding to the message
topic/queue exists (instantiating it if necessary), and calls its onMessage method
passing the client?s message as the single argument. The message bean?s
implementation of this method contains the business logic required to process the
message. Note that session beans and entity beans are not allowed to function as
message beans.

40. Does RMI-IIOP support code downloading for Java objects sent by value
across an IIOP connection in the same way as RMI does across a JRMP
connection?

Yes. The JDK 1.2 supports the dynamic class loading. The EJB container
implements the EJBHome and EJBObject classes. For every request from a unique
client,

41. Does the container create a separate instance of the generated EJBHome and
EJBObject classes?

The EJB container maintains an instance pool. The container uses these instances
for the EJB Home reference irrespective of the client request. while referring the
EJB Object classes the container creates a separate instance for each client
request. The instance pool maintenance is up to the implementation of the
container. If the container provides one, it is available otherwise it is not
mandatory for the provider to implement it. Having said that, yes most of the
container providers implement the pooling functionality to increase the
performance of the application server. The way it is implemented is again up to
the implementer.

42. What is the advantage of putting an Entity Bean instance from the Ready
State to Pooled state

The idea of the Pooled State is to allow a container to maintain a pool of entity
beans that has been created, but has not been yet synchronized or assigned to
an EJBObject. This mean that the instances do represent entity beans, but they
can be used only for serving Home methods (create or findBy), since those
methods do not relay on the specific values of the bean. All these instances are,
in fact, exactly the same, so, they do not have meaningful state. Jon
Thorarinsson has also added: It can be looked at it this way: If no client is using
an entity bean of a particular type there is no need for caching it (the data is
persisted in the database). Therefore, in such cases, the container will, after
some time, move the entity bean from the Ready State to the Pooled state to
save memory. Then, to save additional memory, the container may begin moving
entity beans from the Pooled State to the Does Not Exist State, because even
though the bean?s cache has been cleared, the bean still takes up some memory
just being in the Pooled State.

Latest Java interview questions »

By Admin on Sep 17, 2007 | In Latest Java interview questions | No Comments »

1. When we declare a Private Constructor?

Ans. If we dont want the constructor to be visible to the extend classes then we
can declare a constructor to be private and also if we want a class to made as a
singleton class then we have to declare it has private

2. What is the difference between redirect and forward in the sense.


we want to go forward from one page then come backward then what is the
difference between send redirect and forward ?

Ans: If you want to redirect your page which is residing on a different application
then you’ll be using response.sendRedirect(), here the request will be forwarded
to another application i,e your request will be redirected to another resoure on
different application/server
response.sendRedirect(”http://www.somesite.com”);
If you want to forward your request to another page on the same application then
you’ll be using the requestdispatcher.
RequestDispatcher rd = ct.getRequestDispatcher(”/servlet/AccountServlet”);
rd.forward(req, res);

3. Design Patterns?

In simple words,usually design pattern is an abstraction of a solution at a very


high level.There are types of design patterns,like creational ,behavorial and
structural design patterns,all the design patterns are classified into these three
specified patterns

we have so many patterns like intercepting filter, DAOs , Session Facade,


SingleTon, Front Controller, View Helper, Service To Worker, Value Object,
Service Locator, Service Activator etc etc, i cant remember all those things, refer
to the OODesign book by Grady Booch and James Rumbough i think

4.What happens when any request comes from a client (Whole scenario)?

–For this question I’ll answer when i have time—

5. How we can compare the equility of two objects not variables?

Ans: using the equals() Method we can compare the two objects

Web Servers vs. App Servers »

By Admin on May 19, 2007 | In Home | No Comments »

These are two quite different pieces of software.There are few Web servers in
common use: Apache takes the lion’s share, while Microsoft Internet Information
Server (IIS) and iPlanet Web Server are among the others. Application servers
jumped into the limelight only about two years ago and there is a proliferation of
products from companies such as BEA, iPlanet, Oracle, SilverStream, HP
(Bluestone), and IBM.

Speaking of functionality, in differentiating the two servers we have to say “in


general” because there are customized versions of both Web and application
servers that have crossover functionality. The Web server, in general, sends Web
pages to browsers as its primary function. Most Web servers also process input
from users, format data, provide security, and perform other tasks. The majority
of a Web server’s work is to execute HTML or scripting such as Perl, JavaScript, or
VBScript.

In general, an application server prepares material for the Web server — for
example, gathering data from databases, applying business rules, processing
security clearances, or storing the state of a user’s session. In some respects the
term application server is misleading since the functionality isn’t limited to
applications. Its role is more as an aggregator and manager for data and
processes used by anything running on a Web server.

Popularity: 2% [?]

Share This

Where and how can you use a private constructor? »

By Admin on May 19, 2007 | In Home | No Comments »

Private constructor is used if you do not want other classes to instantiate the
object. The instantiation is done by a public static method within the same class.
1. Used in the singleton pattern. (Refer Q45 in Java section).
2. Used in the factory method pattern (Refer Q46 in Java section).
3. Used in utility classes e.g. StringUtils etc.

Why there are some interfaces with no defined methods (i.e. marker
interfaces) in Java?

The interfaces with no defined methods act like markers. They just tell the
compiler that the objects of the classes implementing the interfaces with no
defined methods need to be treated differently. Example Serializable, Cloneable
etc

The code in a finally clause will never fail to execute, right?


Well, hardly ever. But here’s an example where the finally code will not execute,
regardless of the value of the boolean choice:

try {
if (choice)
{
while (true) ;
} else
{
System.exit(1);
}
} finally
{code.to.cleanup();
}
Popularity: 2% [?]

Share This

When to join threads »

By Admin on May 18, 2007 | In Home | No Comments »

Let’s say I need to spawn multiple threads to do the work, and continue to the
next step only after all of them complete. I will need to tell the main thread to
wait. The key point is to use Thread.join() method. For example,
package foo;
import java.util.Vector;

public class ThreadTest {


private Vector threadNames = new Vector();

public static void main(String[] args) {

Popularity: 2% [?]

1. What are the implicit objects? - Implicit objects are objects that are
created by the web container and contain information related to a
particular request, page, or application. They are: request, response,
pageContext, session, application, out, config, page, exception.
2. Is JSP technology extensible? - Yes. JSP technology is extensible
through the development of custom actions, or tags, which are
encapsulated in tag libraries.
3. How can I implement a thread-safe JSP page? What are the
advantages and Disadvantages of using it? - You can make your JSPs
thread-safe by having them implement the SingleThreadModel interface.
This is done by adding the directive <%@ page isThreadSafe="false" %>
within your JSP page. With this, instead of a single instance of the servlet
generated for your JSP page loaded in memory, you will have N instances
of the servlet loaded and initialized, with the service method of each
instance effectively synchronized. You can typically control the number of
instances (N) that are instantiated for all servlets implementing
SingleThreadModel through the admin screen for your JSP engine. More
importantly, avoid using the tag for variables. If you do use this tag, then
you should set isThreadSafe to true, as mentioned above. Otherwise, all
requests to that page will access those variables, causing a nasty race
condition. SingleThreadModel is not recommended for normal use. There
are many pitfalls, including the example above of not being able to use <
%! %>. You should try really hard to make them thread-safe the old
fashioned way: by making them thread-safe
4. How does JSP handle run-time exceptions? - You can use the
errorPage attribute of the page directive to have uncaught run-time
exceptions automatically forwarded to an error processing page. For
example: <%@ page errorPage="error.jsp" %>
redirects the browser to the JSP page error.jsp if an uncaught exception is
encountered during request processing. Within error.jsp, if you indicate
that it is an error-processing page, via the directive: <%@ page
isErrorPage="true" %> Throwable object describing the exception may be
accessed within the error page via the exception implicit object. Note: You
must always use a relative URL as the value for the errorPage attribute.
5. How do I prevent the output of my JSP or Servlet pages from being
cached by the browser? - You will need to set the appropriate HTTP
header attributes to prevent the dynamic content output by the JSP page
from being cached by the browser. Just execute the following scriptlet at
the beginning of your JSP pages to prevent them from being cached at the
browser. You need both the statements to take care of some of the older
browser versions.

<%
response.setHeader("Cache-Control","no-store"); //HTTP 1.1
response.setHeader("Pragma","no-cache"); //HTTP 1.0
response.setDateHeader ("Expires", 0); //prevents caching at the proxy
server
%>

6. How do I use comments within a JSP page? - You can use “JSP-style”
comments to selectively block out code while debugging or simply to
comment your scriptlets. JSP comments are not visible at the client. For
example:
7. <%-- the scriptlet is now commented out
8. <%
9. out.println("Hello World");
10. %>
11. --%>

You can also use HTML-style comments anywhere within your JSP page.
These comments are visible at the client. For example:

<!-- (c) 2004 -->

Of course, you can also use comments supported by your JSP scripting
language within your scriptlets. For example, assuming Java is the
scripting language, you can have:

<%
//some comment
/**
yet another comment
**/
%>

12. Response has already been commited error. What does it mean? -
This error show only when you try to redirect a page after you already
have written something in your page. This happens because HTTP
specification force the header to be set up before the lay out of the page
can be shown (to make sure of how it should be displayed, content-
type=”text/html” or “text/xml” or “plain-text” or “image/jpg”, etc.) When
you try to send a redirect status (Number is line_status_402), your HTTP
server cannot send it right now if it hasn’t finished to set up the header. If
not starter to set up the header, there are no problems, but if it ’s already
begin to set up the header, then your HTTP server expects these headers
to be finished setting up and it cannot be the case if the stream of the
page is not over… In this last case it’s like you have a file started with
<HTML Tag><Some Headers><Body>some output (like testing your
variables.) Before you indicate that the file is over (and before the size of
the page can be setted up in the header), you try to send a redirect
status. It s simply impossible due to the specification of HTTP 1.0 and 1.1
13. How do I use a scriptlet to initialize a newly instantiated bean? - A
jsp:useBean action may optionally have a body. If the body is specified, its
contents will be automatically invoked when the specified bean is
instantiated. Typically, the body will contain scriptlets or jsp:setProperty
tags to initialize the newly instantiated bean, although you are not
restricted to using those alone.
The following example shows the “today” property of the Foo bean
initialized to the current date when it is instantiated. Note that here, we
make use of a JSP expression within the jsp:setProperty action.
14. <jsp:useBean id="foo" class="com.Bar.Foo" >
15. <jsp:setProperty name="foo" property="today"
16. value="<%=java.text.DateFormat.getDateInstance().format(new
java.util.Date()) %>"/ >
17. <%-- scriptlets calling bean setter methods go here --%>
18. </jsp:useBean >
19. How can I enable session tracking for JSP pages if the browser has
disabled cookies? - We know that session tracking uses cookies by
default to associate a session identifier with a unique user. If the browser
does not support cookies, or if cookies are disabled, you can still enable
session tracking using URL rewriting. URL rewriting essentially includes the
session ID within the link itself as a name/value pair. However, for this to
be effective, you need to append the session ID for each and every link
that is part of your servlet response. Adding the session ID to a link is
greatly simplified by means of of a couple of methods:
response.encodeURL() associates a session ID with a given URL, and if
you are using redirection, response.encodeRedirectURL() can be used by
giving the redirected URL as input. Both encodeURL() and
encodeRedirectedURL() first determine whether cookies are supported by
the browser; if so, the input URL is returned unchanged since the session
ID will be persisted as a cookie. Consider the following example, in which
two JSP files, say hello1.jsp and hello2.jsp, interact with each other.
Basically, we create a new session within hello1.jsp and place an object
within this session. The user can then traverse to hello2.jsp by clicking on
the link present within the page.Within hello2.jsp, we simply extract the
object that was earlier placed in the session and display its contents.
Notice that we invoke the encodeURL() within hello1.jsp on the link used
to invoke hello2.jsp; if cookies are disabled, the session ID is
automatically appended to the URL, allowing hello2.jsp to still retrieve the
session object. Try this example first with cookies enabled. Then disable
cookie support, restart the brower, and try again. Each time you should
see the maintenance of the session across pages. Do note that to get this
example to work with cookies disabled at the browser, your JSP engine
has to support URL rewriting.
20. hello1.jsp
21. <%@ page session="true" %>
22. <%
23. Integer num = new Integer(100);
24. session.putValue("num",num);
25. String url =response.encodeURL("hello2.jsp");
26. %>
27. <a href='<%=url%>'>hello2.jsp</a>
28. hello2.jsp
29. <%@ page session="true" %>
30. <%
31. Integer i= (Integer )session.getValue("num");
32. out.println("Num value in session is "+i.intValue());
33. How can I declare methods within my JSP page? - You can declare
methods for use within your JSP page as declarations. The methods can
then be invoked within any other methods you declare, or within JSP
scriptlets and expressions. Do note that you do not have direct access to
any of the JSP implicit objects like request, response, session and so forth
from within JSP methods. However, you should be able to pass any of the
implicit JSP variables as parameters to the methods you declare. For
example:
34. <%!
35. public String whereFrom(HttpServletRequest req) {
36. HttpSession ses = req.getSession();
37. ...
38. return req.getRemoteHost();
39. }
40. %>
41. <%
42. out.print("Hi there, I see that you are coming in from ");
43. %>
44. <%= whereFrom(request) %>
45. Another Example
46. file1.jsp:
47. <%@page contentType="text/html"%>
48. <%!
49. public void test(JspWriter writer) throws IOException{
50. writer.println("Hello!");
51. }
52. %>
53. file2.jsp
54. <%@include file="file1.jsp"%>
55. <html>
56. <body>
57. <%test(out);% >
58. </body>
59. </html>
60. Is there a way I can set the inactivity lease period on a per-session basis?
- Typically, a default inactivity lease period for all sessions is set within
your JSP engine admin screen or associated properties file. However, if
your JSP engine supports the Servlet 2.1 API, you can manage the
inactivity lease period on a per-session basis. This is done by invoking the
HttpSession.setMaxInactiveInterval() method, right after the session has
been created. For example:
61. <%
62. session.setMaxInactiveInterval(300);
63. %>

would reset the inactivity period for this session to 5 minutes. The
inactivity interval is set in seconds.

64. How can I set a cookie and delete a cookie from within a JSP page?
- A cookie, mycookie, can be deleted using the following scriptlet:
65. <%
66. //creating a cookie
67. Cookie mycookie = new Cookie("aName","aValue");
68. response.addCookie(mycookie);
69. //delete a cookie
70. Cookie killMyCookie = new Cookie("mycookie", null);
71. killMyCookie.setMaxAge(0);
72. killMyCookie.setPath("/");
73. response.addCookie(killMyCookie);
74. %>
75. How does a servlet communicate with a JSP page? - The following
code snippet shows how a servlet instantiates a bean and initializes it with
FORM data posted by a browser. The bean is then placed into the request,
and the call is then forwarded to the JSP page, Bean1.jsp, by means of a
request dispatcher for downstream processing.
76. public void doPost (HttpServletRequest request, HttpServletResponse
response) {
77. try {
78. govi.FormBean f = new govi.FormBean();
79. String id = request.getParameter("id");
80. f.setName(request.getParameter("name"));
81. f.setAddr(request.getParameter("addr"));
82. f.setAge(request.getParameter("age"));
83. //use the id to compute
84. //additional bean properties like info
85. //maybe perform a db query, etc.
86. // . . .
87. f.setPersonalizationInfo(info);
88. request.setAttribute("fBean",f);
89. getServletConfig().getServletContext().getRequestDispatcher
90. ("/jsp/Bean1.jsp").forward(request, response);
91. } catch (Exception ex) {
92. . . .
93. }
94. }

The JSP page Bean1.jsp can then process fBean, after first extracting it
from the default request scope via the useBean action.

jsp:useBean id="fBean" class="govi.FormBean" scope="request"


/ jsp:getProperty name="fBean" property="name"
/ jsp:getProperty name="fBean" property="addr"
/ jsp:getProperty name="fBean" property="age"
/ jsp:getProperty name="fBean" property="personalizationInfo" /

95. How do I have the JSP-generated servlet subclass my own custom


servlet class, instead of the default? - One should be very careful
when having JSP pages extend custom servlet classes as opposed to the
default one generated by the JSP engine. In doing so, you may lose out on
any advanced optimization that may be provided by the JSP engine. In
any case, your new superclass has to fulfill the contract with the JSP
engine by:
Implementing the HttpJspPage interface, if the protocol used is HTTP, or
implementing JspPage otherwise Ensuring that all the methods in the
Servlet interface are declared final Additionally, your servlet superclass
also needs to do the following:
o The service() method has to invoke the _jspService() method
o The init() method has to invoke the jspInit() method
o The destroy() method has to invoke jspDestroy()
If any of the above conditions are not satisfied, the JSP engine may throw
a translation error.
Once the superclass has been developed, you can have your JSP extend it
as follows:

<%@ page extends="packageName.ServletName" %>

96. How can I prevent the word "null" from appearing in my HTML
input text fields when I populate them with a resultset that has
null values? - You could make a simple wrapper function, like
97. <%!
98. String blanknull(String s) {
99. return (s == null) ? "" : s;
100. }
101. %>
102. then use it inside your JSP form, like
103. <input type="text" name="shoesize" value="<
%=blanknull(shoesize)% >" >
104. How can I get to print the stacktrace for an exception
occuring within my JSP page? - By printing out the exception’s stack
trace, you can usually diagonse a problem better when debugging JSP
pages. By looking at a stack trace, a programmer should be able to
discern which method threw the exception and which method called that
method. However, you cannot print the stacktrace using the JSP out
implicit variable, which is of type JspWriter. You will have to use a
PrintWriter object instead. The following snippet demonstrates how you
can print a stacktrace from within a JSP error page:
105. <%@ page isErrorPage="true" %>
106. <%
107. out.println(" ");
108. PrintWriter pw = response.getWriter();
109. exception.printStackTrace(pw);
110. out.println(" ");
111. %>
112. How do you pass an InitParameter to a JSP? - The JspPage
interface defines the jspInit() and jspDestroy() method which the page
writer can use in their pages and are invoked in much the same manner as
the init() and destory() methods of a servlet. The example page below
enumerates through all the parameters and prints them to the console.
113. <%@ page import="java.util.*" %>
114. <%!
115. ServletConfig cfg =null;
116. public void jspInit(){
117. ServletConfig cfg=getServletConfig();
118. for (Enumeration e=cfg.getInitParameterNames();
e.hasMoreElements();) {
119. String name=(String)e.nextElement();
120. String value = cfg.getInitParameter(name);
121. System.out.println(name+"="+value);
122. }
123. }
124. %>
125. How can my JSP page communicate with an EJB Session
Bean? - The following is a code snippet that demonstrates how a JSP page
can interact with an EJB session bean:
126. <%@ page import="javax.naming.*,
javax.rmi.PortableRemoteObject, foo.AccountHome, foo.Account" %>
127. <%!
128. //declare a "global" reference to an instance of the home
interface of the session bean
129. AccountHome accHome=null;
130. public void jspInit() {
131. //obtain an instance of the home interface
132. InitialContext cntxt = new InitialContext( );
133. Object ref= cntxt.lookup("java:comp/env/ejb/AccountEJB");
134. accHome =
(AccountHome)PortableRemoteObject.narrow(ref,AccountHome.class);
135. }
136. %>
137. <%
138. //instantiate the session bean
139. Account acct = accHome.create();
140. //invoke the remote methods
141. acct.doWhatever(...);
142. // etc etc...
143. %>

Categories: Networking, Java

There are six JSP Actions:

<jsp:include/>

<jsp:forward/>

<jsp:plugin/>

<jsp:usebean/>

<jsp:setProperty/>

<jsp:getProperty/>

Question: What is the difference between <jsp:include page = ... > and
<%@ include file = ... >?.
Answer: Both the tag includes the information from one page in another. The
differences are as follows:
<jsp:include page = ... >: This is like a function call from one jsp to another
jsp. It is executed ( the included page is executed and the generated html
content is included in the content of calling jsp) each time the client page is
accessed by the client. This approach is useful to for modularizing the web
application. If the included file changed then the new content will be included in
the output.

<%@ include file = ... >: In this case the content of the included file is
textually embedded in the page that have <%@ include file=".."> directive. In
this case in the included file changes, the changed content will not included in the
output. This approach is used when the code from one jsp file required to include
in multiple jsp files.

Question: What is the difference between <jsp:forward page = ... > and
response.sendRedirect(url),?.
Answer: The <jsp:forward> element forwards the request object containing the
client request information from one JSP file to another file. The target file can be
an HTML file, another JSP file, or a servlet, as long as it is in the same application
context as the forwarding JSP file.
sendRedirect sends HTTP temporary redirect response to the browser, and
browser creates a new request to go the redirected page. The
response.sendRedirect kills the session variables.

Question: Identify the advantages of JSP over Servlet.

a) Embedding of Java code in HTML pages


b) Platform independence
c) Creation of database-driven Web applications
d) Server-side programming capabilities

Answer :- Embedding of Java code in HTML pages

Write the following code for a JSP page:


<%@ page language = "java" %>

<HTML>
<HEAD><TITLE>RESULT PAGE</TITLE></HEAD>
<BODY>
<%

PrintWriter print = request.getWriter();


print.println("Welcome");

%>
</BODY>
</HTML>
Suppose you access this JSP file, Find out your answer.
a) A blank page will be displayed.
b) A page with the text Welcome is displayed
c) An exception will be thrown because the implicit out object is not used
d) An exception will be thrown because PrintWriter can be used in servlets only

Answer :- A page with the text Welcome is displayed

Question: What are implicit Objects available to the JSP Page?


Answer: Implicit objects are the objects available to the JSP page. These objects
are created by Web container and contain information related to a particular
request, page, or application. The JSP implicit objects are:

Variable Class Description


The context for the JSP page's servlet and any Web
application javax.servlet.ServletContext
components contained in the same application.
config javax.servlet.ServletConfig Initialization information for the JSP page's servlet.
exception java.lang.Throwable Accessible only from an error page.
out javax.servlet.jsp.JspWriter The output stream.
The instance of the JSP page's servlet processing the
page java.lang.Object current request. Not typically used by JSP page
authors.
The context for the JSP page. Provides a single API to
pageContext javax.servlet.jsp.PageContext
manage the various scoped attributes.
Subtype of
request The request triggering the execution of the JSP page.
javax.servlet.ServletRequest
Subtype of The response to be returned to the client. Not
response
javax.servlet.ServletResponse typically used by JSP page authors.
session javax.servlet.http.HttpSession The session object for the client.

Question: What are all the different scope values for the <jsp:useBean> tag?
Answer:<jsp:useBean> tag is used to use any java object in the jsp page. Here
are the scope values for <jsp:useBean> tag:
a) page
b) request
c) session and
d) application

Question: What is JSP Output Comments?


Answer: JSP Output Comments are the comments that can be viewed in the
HTML source file.
Example:
<!-- This file displays the user login screen -->
and
<!-- This page was loaded on
<%= (new java.util.Date()).toLocaleString() %> -->

Question: What is expression in JSP?


Answer: Expression tag is used to insert Java values directly into the output.
Syntax for the Expression tag is:
<%= expression %>
An expression tag contains a scripting language expression that is evaluated,
converted to a String, and inserted where the expression appears in the JSP file.
The following expression tag displays time on the output:
<%=new java.util.Date()%>

Question: What types of comments are available in the JSP?


Answer: There are two types of comments are allowed in the JSP. These are
hidden and output comments. A hidden comments does not appear in the
generated output in the html, while output comments appear in the generated
output.
Example of hidden comment:
<%-- This is hidden comment --%>
Example of output comment:
<!-- This is output comment -->

Question: What is JSP declaration?


Answer: JSP Decleratives are the JSP tag used to declare variables. Declaratives
are enclosed in the <%! %> tag and ends in semi-colon. You declare variables
and functions in the declaration tag and can use anywhere in the JSP. Here is the
example of declaratives:

<%@page contentType="text/html" %>

<html>

<body>

<%!
int cnt=0;
private int getCount(){
//increment cnt and return the value
cnt++;
return cnt;
}
%>

<p>Values of Cnt are:</p>

<p><%=getCount()%></p>

</body>

</html>

Question: What is JSP Scriptlet?


Answer: JSP Scriptlet is jsp tag which is used to enclose java code in the JSP
pages. Scriptlets begins with <% tag and ends with %> tag. Java code written
inside scriptlet executes every time the JSP is invoked.
Example:
<%
//java codes
String userName=null;
userName=request.getParameter("userName");
%>

Question: What are the life-cycle methods of JSP?


Answer: Life-cycle methods of the JSP are:
a) jspInit(): The container calls the jspInit() to initialize the servlet instance. It
is called before any other method, and is called only once for a servlet instance.
b)_jspService(): The container calls the _jspservice() for each request and it
passes the request and the response objects. _jspService() method cann't be
overridden.
c) jspDestroy(): The container calls this when its instance is about to destroyed.
The jspInit() and jspDestroy() methods can be overridden within a JSP page.
Question: What do you understand by context initialization parameters?
Answer: The context-param element contains the declaration of a web
application's servlet context initialization parameters.
<context-param>
<param-name>name</param-name>
<param-value>value</param-value>
</context-param>

The Context Parameters page lets you manage parameters that are accessed
through the ServletContext.getInitParameterNames and
ServletContext.getInitParameter methods.

Question: Can you extend JSP technology?


Answer: JSP technology lets the programmer to extend the jsp to make the
programming more easier. JSP can be extended and custom actions and tag
libraries can be developed.

Question: What do you understand by JSP translation?


Answer: JSP translators generate standard Java code for a JSP page
implementation class. This class is essentially a servlet class wrapped with
features for JSP functionality.

Question: What you can stop the browser to cash your page?
Answer: Instead of deleting a cache, you can force the browser not to catch the
page.
<%
response.setHeader("pragma","no-cache");//HTTP 1.1
response.setHeader("Cache-Control","no-cache");
response.setHeader("Cache-Control","no-store");
response.addDateHeader("Expires", -1);
response.setDateHeader("max-age", 0);
//response.setIntHeader ("Expires", -1); //prevents caching at the proxy server
response.addHeader("cache-Control", "private");

%>
put the above code in your page.

Question: What you will handle the runtime exception in your jsp page?
Answer: The errorPage attribute of the page directive can be used to catch run-
time exceptions automatically and then forwarded to an error processing page.

For example:
<%@ page errorPage="customerror.jsp" %>
above code forwards the request to "customerror.jsp" page if an uncaught
exception is encountered during request processing. Within "customerror.jsp",
you must indicate that it is an error-processing page, via the directive: <%@
page isErrorPage="true" %>.

21) How do you share session objects between servlets and JSP?

Sharing sessions between a servlet and a JSP page is straight


forward. JSP makes it a little easy by creating a session object and
making it availabe already. In a servlet you would have to do it
yourself. This is how:
//create a session if one is not created already now
HttpSession session = request.getSession(true);
//assign the session variable to a value.
session.putValue("variable","value");

in the jsp page this is how you get the session value:

<%
session.getValue("varible");
%>

22) What is a servlet?

A servlet is a way of extending your web server with a Java program to perform
tasks previously dealt with by CGI scripts or proprietary server extension
frameworks.

23) Is there any method to unload a servlet from Web Server memory
without restarting the server?

There is no standard method/mechanism to unload a servlet from


memory. Some servers, like JWS, provide the means to load and
unload servlets from their administration module. Others, like
Tomcat, require you to just replace the WAR file.

24) What distinguishes a JavaBean from a Servlet?

JavaBeans are a set of rules to follow to create reusable software


components, or beans. This contains properties and events. At the
end you have a component which could be examined by a program
(like an IDE) to allow the user of your JavaBean component to
configure it and to run in its Java programs.
Servlets are Java classes running in a Servlet engine implementing
a particular interface: Servlet, forcing you to implement some
methods (service()). The servlet is an extension of your web server
where this servlet is running on and only lets you know when a
user requests a GET or POST calls from a web page to your servlet.
So, both have nothing in common except Java.

25) How much data we can store in a session object?

Any amount of data can be stored there because the session is kept
on the server side.

The only limitation is sessionId length, which shouldn't exceed


~4000 bytes - this limitation is implied by HTTP header length
limitation to 4Kb since sessionId may be stored in the cookie or
encoded in URL (using "URL rewriting") and the cookie
specification says the size of cookie as well as HTTP request (e.g.
GET /document.html\n) cannot be longer then 4kb.

26) What is the difference between the doGet and doPost methods?

doGet is called in response to an HTTP GET request. This happens


when users click on a link, or enter a URL into the browser's
address bar. It also happens with some HTML FORMs (those with
METHOD="GET" specified in the FORM tag).

doPost is called in response to an HTTP POST request. This happens


with some HTML FORMs (those with METHOD="POST" specified in
the FORM tag).
Both methods are called by the default (superclass) implementation
of service in the HttpServlet base class. You should override one or
both to perform your servlet's actions. You probably shouldn't
override service().

27) What is the difference between encodeRedirectUrl and encodeURL?

encodeURL and encodeRedirectURL are methods of the


HttpResponse object. Both rewrite a raw URL to include session
data if necessary. (If cookies are on, both are no-ops.)

encodeURL is for normal links inside your HTML pages.


encodeRedirectURL is for a link you're passing to
response.sendRedirect(). It has slightly different syntax
requirements too gory to get into here.

28) Can I use System.exit() in servlets?

Gack! No no no no no...

At best, you'll get a security exception. At worst, you'll make the


servlet engine, or maybe the entire web server, quit. You don't
really want to do that, huh? :-)

29) I am opening a single JDBC connection in my init() method. Do I


need to synchronize on the Connection or the Statement object?

You shouldn't have to. If your JDBC driver supports multiple


connections, then the various createStatement methods will give
you a thread-safe, reentrant, independent Statement that should
work OK, even if other requests/threads are also accessing other
Statements on the same Connection.
Of course, crossing your fingers never hurts... Many early JDBC
drivers were not re-entrant. The modern versions of JDBC drivers
should work OK, but there are never any guarantees.
Using connection pooling will avoid the whole issue, plus will lead to
improved performance. See this FAQ for more information.

30) How can I determine the name and version number of the servlet or
JSP engine that I am using?

From within a servlet, you can invoke the


ServletContext.getServerInfo() method as follows:

String thisServer=
getServletConfig().getServletContext().getServerInfo();
If you are using JSP, you can use this expression:
<%= application.getServerInfo() %>

) Is it the "servlets" directory or the "servlet" directory?

For Java Web Server:

 on the file system, it's "servlets"


c:\JavaWebServer1.1\servlets\DateServlet.class

 in a URL path, it's "servlet"


http://www.stinky.com/servlet/DateServlet

2) How do I support both GET and POST protocol from the same Servlet?

The easy way is, just support POST, then have your doGet method
call your doPost method:

public void doGet(HttpServletRequest req, HttpServletResponse


res)
throws ServletException, IOException
{
doPost(req, res);
}

3) How do I ensure that my servlet is thread-safe?


]

This is actually a very complex issue. A few guidelines:

1. The init() method is guaranteed to be called once per


servlet instance, when the servlet is loaded. You don't have
to worry about thread safety inside this method, since it is
only called by a single thread, and the web server will wait
until that thread exits before sending any more threads into
your service() method.
2. Every new client request generates (or allocates) a new
thread; that thread calls the service() method of your
servlet (which may in turn call doPost(), doGet() and so
forth).

3. Under most circumstances, there is only one instance of


your servlet, no matter how many client requests are in
process. That means that at any given moment, there may
be many threads running inside the service() method of
your solo instance, all sharing the same instance data and
potentially stepping on each other's toes. This means that
you should be careful to synchronize access to shared data
(instance variables) using the synchronized keyword.

(Note that the server will also allocate a new instance if you
register the servlet with a new name and, e.g., new init
parameters.)

4. Note that you need not (and should not) synchronize on


local data or parameters. And especially you shouldn't
synchronize the service() method! (Or doPost(), doGet() et
al.)

5. A simple solution to synchronizing is to always


synchronize on the servlet instance itself using
&amp;quot;synchronized (this) { ... }&amp;quot;.
However, this can lead to performance bottlenecks; you're
usually better off synchronizing on the data objects
themselves.

6. If you absolutely can't deal with synchronizing, you can


declare that your servlet &amp;quot;implements
SingleThreadModel&amp;quot;. This empty interface tells
the web server to only send one client request at a time into
your servlet. From the JavaDoc: &amp;quot;If the target
servlet is flagged with this interface, the servlet
programmer is guaranteed that no two threads will execute
concurrently the service method of that servlet. This
guarantee is ensured by maintaining a pool of servlet
instances for each such servlet, and dispatching each
service call to a free servlet. In essence, if the servlet
implements this interface, the servlet will be thread
safe.&amp;quot; Note that this is not an ideal solution,
since performance may suffer (depending on the size of the
instance pool), plus it's more difficult to share data across
instances than within a single instance.

See also What's a better approach for enabling thread-safe


servlets and JSPs? SingleThreadModel Interface or
Synchronization?

7. To share data across successive or concurrent requests,


you can use either instance variables or class-static
variables, or use Session Tracking.
8. The destroy() method is not necessarily as clean as the
init() method. The server calls destroy either after all
service calls have been completed, or after a certain
number of seconds have passed, whichever comes first. This
means that other threads might be running service requests
at the same time as your destroy() method is called! So be
sure to synchronize, and/or wait for the other requests to
quit. Sun's Servlet Tutorial has an example of how to do this
with reference counting.

9. destroy() can not throw an exception, so if something bad


happens, call log() with a helpful message (like the
exception). See the &amp;quot;closing a JDBC
connection&amp;quot; example in Sun's Tutorial.

4) What is the difference between URL encoding, URL rewriting, HTML


escaping, and entity encoding?

URL Encoding is a process of transforming user input to a CGI


form so it is fit for travel across the network -- basically, stripping
spaces and punctuation and replacing with escape characters. URL
Decoding is the reverse process. To perform these operations, call
java.net.URLEncoder.encode() and java.net.URLDecoder.decode()
(the latter was (finally!) added to JDK 1.2, aka Java 2).
Example: changing "We're #1!" into "We%27re+%231%21"
URL Rewriting is a technique for saving state information on the
user's browser between page hits. It's sort of like cookies, only the
information gets stored inside the URL, as an additional parameter.
The HttpSession API, which is part of the Servlet API, sometimes
uses URL Rewriting when cookies are unavailable.
Example: changing <A HREF="nextpage.html"> into
<A HREF="nextpage.html;$sessionid$=DSJFSDKFSLDFEEKOE">
(or whatever the actual syntax is; I forget offhand)
(Unfortunately, the method in the Servlet API for doing URL
rewriting for session management is called encodeURL(). Sigh...)
There's also a feature of the Apache web server called URL
Rewriting; it is enabled by the mod_rewrite module. It rewrites
URLs on their way in to the server, allowing you to do things like
automatically add a trailing slash to a directory name, or to map
old file names to new file names. This has nothing to do with
servlets. For more information, see the Apache FAQ
(http://www.apache.org/docs/misc/FAQ.html#rewrite-more-config)
.

5) How do I upload a file to my servlet or JSP?

On the client side, the client's browser must support form-based


upload. Most modern browsers do, but there's no guarantee. For
example,
<FORM ENCTYPE='multipart/form-data'
method='POST' action='/myservlet'>
<INPUT TYPE='file' NAME='mptest'>
<INPUT TYPE='submit' VALUE='upload'>
</FORM>

The input type &amp;quot;file&amp;quot; brings up a button for a


file select box on the browser together with a text field that takes
the file name once selected. The servlet can use the GET method
parameters to decide what to do with the upload while the POST
body of the request contains the file data to parse.

When the user clicks the "Upload" button, the client browser
locates the local file and sends it using HTTP POST, encoded using
the MIME-type multipart/form-data. When it reaches your servlet,
your servlet must process the POST data in order to extract the
encoded file. You can learn all about this format in RFC 1867.
Unfortunately, there is no method in the Servlet API to do this.
Fortunately, there are a number of libraries available that do. Some
of these assume that you will be writing the file to disk; others
return the data as an InputStream.

 Jason Hunter's MultipartRequest (available from


http://www.servlets.com/)

 Apache Jakarta Commons Upload (package


org.apache.commons.upload) "makes it easy to add robust,
high-performance, file upload capability to your servlets and
web applications"

 CParseRFC1867 (available from


http://www.servletcentral.com/).

 HttpMultiPartParser by Anil Hemrajani, at the isavvix


Code Exchange

 There is a multipart/form parser availailable from


Anders Kristensen (http://www-
uk.hpl.hp.com/people/ak/java/, ak@hplb.hpl.hp.com) at
http://www-uk.hpl.hp.com/people/ak/java/#utils.

 JavaMail also has MIME-parsing routines (see the


Purple Servlet References).

 Jun Inamori has written a class called


org.apache.tomcat.request.ParseMime which is available in
the Tomcat CVS tree.

 JSPSmart has a free set of JSP for doing file upload and
download.

 UploadBean by JavaZoom claims to handle most of the


hassle of uploading for you, including writing to disk or
memory.

 There's an Upload Tag in dotJ


Once you process the form-data stream into the uploaded file, you
can then either write it to disk, write it to a database, or process it
as an InputStream, depending on your needs. See How can I
access or create a file or folder in the current directory from inside
a servlet? and other questions in the Servlets:Files Topic for
information on writing files from a Servlet.
Please note that you can't access a file on the client system
directly from a servlet; that would be a huge security hole. You
have to ask the user for permission, and currently form-based
upload is the only way to do that.

6) How does a servlet communicate with a JSP page?

The following code snippet shows how a servlet instantiates a bean


and initializes it with FORM data posted by a browser. The bean is
then placed into the request, and the call is then forwarded to the
JSP page, Bean1.jsp, by means of a request dispatcher for
downstream processing.

public void doPost (HttpServletRequest request,


HttpServletResponse response) {

try {
govi.FormBean f = new govi.FormBean();
String id = request.getParameter("id");
f.setName(request.getParameter("name"));
f.setAddr(request.getParameter("addr"));
f.setAge(request.getParameter("age"));
//use the id to compute
//additional bean properties like info
//maybe perform a db query, etc.
// . . .
f.setPersonalizationInfo(info);
request.setAttribute("fBean",f);
getServletConfig().getServletContext().getRequestDispatcher
("/jsp/Bean1.jsp").forward(request, response);
} catch (Exception ex) {
...
}
}
The JSP page Bean1.jsp can then process fBean, after first
extracting it from the default request scope via the useBean action.
<jsp:useBean id="fBean" class="govi.FormBean"
scope="request"/>
<jsp:getProperty name="fBean" property="name" />
<jsp:getProperty name="fBean" property="addr" />
<jsp:getProperty name="fBean" property="age" />

<jsp:getProperty name="fBean" property="personalizationInfo" />


7) What's a better approach for enabling thread-safe servlets and JSPs?
SingleThreadModel Interface or Synchronization?

Although the SingleThreadModel technique is easy to use, and


works well for low volume sites, it does not scale well. If you
anticipate your users to increase in the future, you may be better
off implementing explicit synchronization for your shared data. The
key however, is to effectively minimize the amount of code that is
synchronzied so that you take maximum advantage of
multithreading.

Also, note that SingleThreadModel is pretty resource intensive from


the server's perspective. The most serious issue however is when
the number of concurrent requests exhaust the servlet instance
pool. In that case, all the unserviced requests are queued until
something becomes free - which results in poor performance. Since
the usage is non-deterministic, it may not help much even if you
did add more memory and increased the size of the instance pool.

8) Can a servlet maintain a JTA UserTransaction object across multiple


servlet invocations?

No. A JTA transaction must start and finish within a single


invocation (of the service() method). Note that this question does
not address servlets that maintain and manipulate JDBC
connections, including a connection's transaction handling.

9) How does the performance of JSP pages compare with that of


servlets? How does it compare with Perl scripts?

The performance of JSP pages is very close to that of servlets.


However, users may experience a perceptible delay when a JSP
page is accessed for the very first time. This is because the JSP
page undergoes a "translation phase" wherein it is converted into a
servlet by the JSP engine. Once this servlet is dynamically compiled
and loaded into memory, it follows the servlet life cycle for request
processing. Here, the jspInit() method is automatically invoked by
the JSP engine upon loading the servlet, followed by the
_jspService() method, which is responsible for request processing
and replying to the client. Do note that the lifetime of this servlet is
non-deterministic - it may be removed from memory at any time
by the JSP engine for resource-related reasons. When this happens,
the JSP engine automatically invokes the jspDestroy() method
allowing the servlet to free any previously allocated resources.

Subsequent client requests to the JSP page do not result in a


repeat of the translation phase as long as the servlet is cached in
memory, and are directly handled by the servlet's service() method
in a concurrent fashion (i.e. the service() method handles each
client request within a seperate thread concurrently.)
There have been some recent studies contrasting the performance of servlets
with Perl scripts running in a "real-life" environment. The results are favorable to
servlets, especially when they are running in a clustered environment.

10) How do I call one servlet from another servlet?

[ Short answer: there are several ways to do this, including

 use a RequestDispatcher

 use a URLConnection or HTTPClient

 send a redirect

 call getServletContext().getServlet(name) (deprecated,


doesn't work in 2.1+)

- Alex ]

It depends on what you mean by "call" and what it is you seek to


do and why you seek to do it.
If the end result needed is to invoke the methods then the simplest
mechanism would be to treat the servlet like any java object ,
create an instance and call the mehods.
If the idea is to call the service method from the service method of
another servlet, AKA forwarding the request, you could use the
RequestDispatcher object.
If, however, you want to gain access to the instance of the servlet
that has been loaded into memory by the servlet engine, you have
to know the alias of the servlet. (How it is defined depends on the
engine.) For example, to invoke a servlet in JSDK a servlet can be
named by the property
myname.code=com.sameer.servlets.MyServlet

The code below shows how this named servlet can be accessed in
the service method of another servlet

public void service (HttpServletRequest request,


HttpServletResponse response)
throws ServletException, IOException {
...
MyServlet ms=(MyServlet)
getServletConfig().getServletContext().getServlet("myname");
...
}
That said, This whole apporach of accessing servlets in another
servlets has been deprecated in the 2.1 version of the servlet API
due to the security issues. The cleaner and better apporach is to
just avoid accessing other servlets directly and use the
RequestDispatcher instead.
11) What are all the different kinds of servers? (Such as Web Servers,
Application Servers, etc)

The servers involved in handling and processing a user's request


break down into a few basic types, each of which may have one or
more tasks it solves. This flexibility gives developers a great deal of
power over how applications will be created and deployed, but also
leads to confusion over what server is able to, or should, perform a
specific task.
Starting at the basic level, a user is typically submitting a request
to a system through a web browser. (We are conveniently ignoring
all other types of clients (RMI, CORBA, COM/DCOM, Custom, etc..)
for the time being for purposes of clarity.) The web request must
be received by a Web Server (otherwise known as an HTTP
Server) of some sort. This web server must handle standard HTTP
requests and responses, typically returning HTML to the calling
user. Code that executes within the server environment may be
CGI driven, Servlets, ASP, or some other server-side programming
language, but the end result is that the web server will pass back
HTML to the user.
The web server may need to execute an application in response to
the users request. It may be generating a list of news items, or
handling a form submission to a guest book. If the server
application is written as a Java Servlet, it will need a place to
execute, and this place is typically called a Servlet Engine.
Depending on the web server, this engine may be internal,
external, or a completely different product. This engine is
continually running, unlike a traditional CGI environment where a
CGI script is started upon each request to the server. This
persistance gives a servlet connection and thread pooling, as well
as an easy way to maintain state between each HTTP request. JSP
pages are usually tied in with the servlet engine, and would
execute within the same space/application as the servlets.
There are many products that handle the web serving and the
servlet engine in different manners. Netscape/iPlanet Enterprise
Server builds the servlet engine directly into the web server and
runs within the same process space. Apache requires that a servlet
engine run in an external process, and will communicate to the
engine via TCP/IP sockets. Other servers, such as MS IIS don't
officially support servlets, and require add-on products to add that
capability.
When you move on to Enterprise JavaBeans (and other J2EE
components like JMS and CORBA) you move into the application
server space. An Application Server is any server that supplies
additional functionality related to enterprise computing -- for
instance, load balancing, database access classes, transaction
processing, messaging, and so on.
EJB Application Servers provide an EJB container, which is the
environment that beans will execute in, and this container will
manage transactions, thread pools, and other issues as necessary.
These application servers are usually stand-alone products, and
developers would tie their servlets/JSP pages to the EJB
components via remote object access APIs. Depending on the
application server, programmers may use CORBA or RMI to talk to
their beans, but the baseline standard is to use JNDI to locate and
create EJB references as necessary.
Now, one thing that confuses the issue is that many application
server providers include some or all of these components in their
product. If you look at WebLogic (http://www.beasys.com/) you
will find that WebLogic contains a web server, servlet engine, JSP
processor, JMS facility, as well as an EJB container. Theoretically a
product like this could be used to handle all aspects of site
development. In practice, you would most likely use this type of
product to manage/serve EJB instances, while dedicated web
servers handle the specific HTTP requests.

12) Should I override the service() method?

No. It provides a fair bit of housekeeping that you'd just have to do


yourself. If you need to do something regardless of whether the
request is e.g., a POST or a GET, create a helper method and call
that at the beginning of e.g., doPost() and doGet().

13) How can my application get to know when a HttpSession is removed


(when it time-outs)?

Define a class, say SessionTimeoutNotifier, that implements


javax.servlet.http.HttpSessionBindingListener. Create a
SessionTimeoutNotifier object and add it to the user session. When
the session is removed, SessionTimeoutNotifier.valueUnbound() will
be called by the servlet engine. You can implement valueUnbound()
to do whatever you want.

14) Why use JSP when we can do the same thing with servlets?

[Original question: Why should I use JSP when there is already


servlet technology available for serving dynamic content?]

While JSP may be great for serving up dynamic Web content and
separating content from presentation, some may still wonder why
servlets should be cast aside for JSP. The utility of servlets is not in
question. They are excellent for server-side processing, and, with
their significant installed base, are here to stay. In fact,
architecturally speaking, you can view JSP as a high-level
abstraction of servlets that is implemented as an extension of the
Servlet 2.1 API. Still, you shouldn't use servlets indiscriminately;
they may not be appropriate for everyone. For instance, while page
designers can easily write a JSP page using conventional HTML or
XML tools, servlets are more suited for back-end developers
because they are often written using an IDE -- a process that
generally requires a higher level of programming expertise.
When deploying servlets, even developers have to be careful and
ensure that there is no tight coupling between presentation and
content. You can usually do this by adding a third-party HTML
wrapper package like htmlKona to the mix. But even this approach,
though providing some flexibility with simple screen changes, still
does not shield you from a change in the presentation format itself.
For example, if your presentation changed from HTML to DHTML,
you would still need to ensure that wrapper packages were
compliant with the new format. In a worst-case scenario, if a
wrapper package is not available, you may end up hardcoding the
presentation within the dynamic content. So, what is the solution?
One approach would be to use both JSP and servlet technologies
for building application systems.

15) How do I send information and data back and forth between applet
and servlet using the HTTP protocol?

Use the standard java.net.URL class, or "roll your own" using


java.net.Socket. See the HTTP spec at W3C for more detail.

Note: The servlet cannot initiate this connection! If the servlet


needs to asynchronously send a message to the applet, then you
must open up a persistent socket using java.net.Socket (on the
applet side), and java.net.ServerSocket and Threads (on the server
side).

16) Can I get the path of the current servlet where it lives on the file
system (not its URL)?

Try using:

request.getRealPath(request.getServletPath())

An example may be:

out.println(request.getRealPath(request.getServletPath()));

17) How can I daisy chain servlets together such that the output of one
servlet serves as the input to the next?

There are two common methods for chaining the output of one
servlet to another servlet :

ï‚· the first method is the aliasing which describes a series of


servlets to be executed

ï‚· the second one is to define a new MIME-Type and associate a


servlet as handlers As I don't really use the second one, I'll focus
on the aliasing.

To chain servlets together, you have to specify a sequential list of


servlets and associate it to an alias. When a request is made to this
alias, the first servlet in the list is invoked, processed its task and
sent the ouptut to the next servlet in the list as the request object.
The output can be sent again to another servlets.
To accomplish this method, you need to configure your servlet
engine (JRun, JavaWeb server, JServ ...).
For example to configure JRun for servlet chaining, you select the
JSE service (JRun servlet engine) to access to the JSE Service
Config panel. You have just to define a new mapping rule where
you define your chaining servlet.
Let say /servlets/chainServlet for the virtual path and a comma
separated list of servlets as srvA,srvB.
So when you invoke a request like
http://localhost/servlets/chainServlet, internally the servlet srvA
will be invoked first and its results will be piped into the servlet
srvB.
The srvA servlet code should look like :
public class srvA extends HttpServlet {
...
public void doGet (...) {
PrintWriter out =res.getWriter();
rest.setContentType("text/html");
...
out.println("Hello Chaining servlet");
}
}

All the servlet srvB has to do is to open an input stream to the


request object and read the data into a BufferedReader object as
for example :

BufferedReader b = new BufferedReader( new


InputStreamReader(req.getInputStream() ) );
String data = b.readLine();
b.close();

After that you can format your output with the data.

It should work straigthforward with Java Web Server or Jserv too.


Just look at in their documentation to define an alias name. Hope
that it'll help.

18) Why there are no constructors in servlets?

A servlet is just like an applet in the respect that it has an init()


method that acts as a constrcutor. Since the servlet environment
takes care of instantiating the servlet, an explicit constructor is not
needed. Any initialization code you need to run should be placed in
the init() method since it gets called when the servlet is first loaded
by the servlet container.

19) How to handle multiple concurrent database requests/updates when


using JDBC with servlets?

All the dbms provide the facility of locks whenever the data is being
modified. There can be two scenarios:
1. Multiple database updates on different rows, if you are using
servlets the servlets will open multiple connections for different users. In
this case there is no need to do additional programming.
2. If database updates are on the same row then the rows are locked
automatically by the dbms, hence we have to send requests to the dbms
repeatatively until the lock is released by dbms.

This issue is dealt with in the JDBC documentation; look up


"Transactions" and "auto-commit". It can get pretty confusing.

20) What is the difference between GenericServlet and HttpServlet?

GenericServlet is for servlets that might not use HTTP, like for
instance FTP servlets. Of course, it turns out that there's no such
thing as FTP servlets, but they were trying to plan for future growth
when they designed the spec. Maybe some day there will be
another subclass, but for now, always use HttpServlet.

31) How can I get the absolute URL of a servlet/JSP page at runtime ?

You can get all the necessary information to determine the URL
from the request object. To reconstruct the absolute URL from the
scheme, server name, port, URI and query string you can use the
URL class from java.net. The following code fragment will
determine your page's absolute URL:

String file = request.getRequestURI();


if (request.getQueryString() != null) {
file += '?' + request.getQueryString();
}
URL reconstructedURL = new URL(request.getScheme(),
request.getServerName(),
request.getServerPort(),
file);
out.println(URL.toString());

32) Why do GenericServlet and HttpServlet implement the Serializable


interface?

GenericServlet and HttpServlet implement the Serializable interface


so that servlet engines can "hybernate" the servlet state when the
servlet is not in use and reinstance it when needed or to duplicate
servlet instances for better load balancing. I don't know if or how
current servlet engines do this, and it could have serious
implications, like breaking references to objects gotten in the init()
method without the programmer knowing it. Programmers should
be aware of this pitfall and implement servlets which are stateless
as possible, delegating data store to Session objects or to the
ServletContext. In general stateless servlets are better because
they scale much better and are cleaner code.
33) How does one choose between overriding the doGet(), doPost(), and
service() methods?

The differences between the doGet() and doPost() methods are


that they are called in the HttpServlet that your servlet extends by
its service() method when it recieves a GET or a POST request from
a HTTP protocol request.

A GET request is a request to get a resource from the server. This


is the case of a browser requesting a web page. It is also possible
to specify parameters in the request, but the length of the
parameters on the whole is limited. This is the case of a form in a
web page declared this way in html: <form method="GET"> or
<form>.
A POST request is a request to post (to send) form data to a
resource on the server. This is the case of of a form in a web page
declared this way in html: <form method="POST">. In this case
the size of the parameters can be much greater.
The GenericServlet has a service() method that gets called when a
client request is made. This means that it gets called by both
incoming requests and the HTTP requests are given to the servlet
as they are (you must do the parsing yourself).
The HttpServlet instead has doGet() and doPost() methods that get
called when a client request is GET or POST. This means that the
parsing of the request is done by the servlet: you have the
appropriate method called and have convenience methods to read
the request parameters.
NOTE: the doGet() and doPost() methods (as well as other
HttpServlet methods) are called by the service() method.
Concluding, if you must respond to GET or POST requests made by
a HTTP protocol client (usually a browser) don't hesitate to extend
HttpServlet and use its convenience methods.
If you must respond to requests made by a client that is not using
the HTTP protocol, you must use service().

34) How do servlets differ from RMI? What are the advantages and
disadvantages of each technology?

Servlets extend the server-side functionality of a website. Servlets


communicate with other application(s) on that server (or any other
server) and perform tasks above and beyond the "normal" static
HTML document. A servlet can receive a request to get some
information through EJB from one or more databases, then convert
this data into a static HTML/WML page for the client to see, for
example. Even if the servlet talks to many other applications all
over the world to get this information, it still looks like it happened
at that website.

RMI (Remote Method Invocation) is just that - a way to invoke


methods on remote machines. It is way for an application to talk to
another remote machine and execute different methods, all the
while appearing as if the action was being performed on the local
machine.
Servlets (or JSP) are mainly used for any web-related activity such
as online banking, online grocery stores, stock trading, etc. With
servlets, you need only to know the web address and the pages
displayed to you take care of calling the different servlets (or
actions within a servlet) for you. Using RMI, you must bind the RMI
server to an IP and port, and the client who wishes to talk to the
remote server must know this IP and port, unless of course you
used some kind of in-between lookup utility, which you could do
with (of all things) servlets.

35) How can we use a servlet as a proxy for communications between


two applets?

One way to accomplish this is to have the applets communicate via


TCP/IP sockets to the servlet. The servlet would then use a custom
protocol to receive and push information between applets.
However, this solution does have firewall problems if the system is
to be used over and Internet verses an Intranet.

36) How can I design my servlet/JSP so that query results get displayed
on several pages, like the results of a search engine? Each page should
display, say, 10 records each and when the next link is clicked, I should
see the next/previous 10 records and so on.

Use a Java Bean to store the entire result of the search that you have
found. The servlet will then set a pointer to the first line to be displayed in
the page and the number of lines to display, and force a display of the
page. The Action in the form would point back to the servlet in the JSP
page which would determine whether a next or previous button has been
pressed and reset the pointer to previous pointer + number of lines and
redisplay the page. The JSP page would have a scriplet to display data
from the Java Bean from the start pointer set to the maximum number of
lines with buttons to allow previous or next pages to be selected. These
buttons would be displayed based on the page number (i.e. if first then
don't display previous button).

37) How do I deal with multi-valued parameters in a servlet?

Instead of using getParameter() with the ServletRequest, as you


would with single-valued parameters, use the
getParameterValues() method. This returns a String array (or null)
containing all the values of the parameter requested.

38) How can I pass data retrieved from a database by a servlet to a JSP
page?

One of the better approaches for passing data retrieved from a


servlet to a JSP is to use the Model 2 architecture as shown below:
Basically, you need to first design a bean which can act as a
wrapper for storing the resultset returned by the database query
within the servlet. Once the bean has been instantiated and
initialized by invoking its setter methods by the servlet, it can be
placed within the request object and forwarded to a display JSP
page as follows:
com.foo.dbBean bean = new com.foo.dbBean();
//call setters to initialize bean
req.setAttribute("dbBean", bean);
url="..."; //relative url for display jsp page
ServletContext sc = getServletContext();
RequestDispatcher rd = sc.getRequestDispatcher(url);
rd.forward(req, res);
The bean can then be accessed within the JSP page via the
useBean tag as:
<jsp:useBean id="dbBean" class="com.foo.dbBean"
scope="request"/>
...
<%
//iterate through the rows within dbBean and
//access the values using a scriptlet
%>
Also, it is best to design your application such that you avoid
placing beans into the session unless absolutely necessary. Placing
large objects within the session imposes a heavy burden on the
performance of the servlet engine. Of course, there may be
additional design considerations to take care of - especially if your
servlets are running under a clustered or fault-tolerant
architecture.

39) How can I use a servlet to generate a site using frames?

In general, look at each frame as a unique document capable of sending its own
requests and receiving its own responses. You can create a top servlet (say,
FrameServlet) that upon invocation creates the frame layout you desire and sets
the SRC parameters for the frame tags to be another servlet, a static page or any
other legal value for SRC.

---------------------- SAMPLE ----------------------

public void doGet(HttpServletRequest request,


HttpServletResponse response) throws
ServletException, IOException
{
response.setContentType("text/html");

PrintWriter out = new PrintWriter


(response.getWriter());

out.println("<html>");
out.println("<head>Your Title</head>");
// definingthe three rows of Frames for the main
page
// top : frm_1
// middle : frm_2
// bottom : frm_3

out.println("<frameset rows=12%,70%,*
cols=*>");
out.println("<frame
src=/servlets/MenuServlet
name=frm_1>");
out.println("<frame src=/servlets/DummyServlet?
mode=full name=frm_2>");
out.println("<frame src=/servlets/DummyServlet?
mode=small name=frm_3>");
out.println("</frameset>");

out.println("<body>");
out.println("</body></html>");
out.close();
-------------------------- END
------------------------------------------

Where MenuServlet and DummyServlet provide content and


behavior for the frames generated by FrameServlet.

40) What is HTTP tunneling, in the general sense?

HTTP tunneling is a general technique whereby arbitrary data may


be sent via an HTTP connection to and from CGI scripts or Java
Servlets on a Web server. This is done by serializing the data to be
transmitted into a stream of bytes, and sending an HTTP message
with content type "application/octet-stream".

HTTP tunneling is also referred to as Firewall tunneling.

41) How do I handle FORMs with multiple form elements (e.g. radio
buttons) using the same name?

For radio buttons, the HTML spec assumes that a given group of
buttons will have the same NAME and different VALUEs; the
browser makes sure that only one button per group name will be
selected (at most). So you can just call
request.getParameter("groupname").

<input type="radio" name="topping" value="cheese"


checked>Cheese

<input type="radio" name="topping"


value="pepperoni">Pepperoni
<input type="radio" name="topping"
value="anchovies">Anchovies

If the user selects "Pepperoni" then


request.getParameter("topping") will return the string "pepperoni".

For lists using the <select multiple> FORM tag, multiple values can
be returned for the same parameter name. When that can happen,
use request.getParameterValues("param") which returns a String[]
you can iterate through.
It's bad form (so to speak), but you can also duplicate other
element types, like
Name 1: <input type="text" name="name"
value="Dick">

Name 2: <input type="text" name="name"


value="Jane">

These also get returned in an array by


request.getParameterValues().

42) How do I separate presentation (HTML) from business logic (Java)


when using servlets?

Almost anybody who has ever written a servlet can identify with
this one. We all know it's bad for to embed HTML code in our java
source; it's lame to have to recompile and re-deploy every time
you want an HTML element to look a bit different. But what are our
choices here? There are two basic options;

1. Use JSP: Java Server Pages allows you to embed Java code or
the results of a servlet into your HTML. You could, for instance,
define a servlet that gives a stock quote, then use the <servlet>
tag in a JSP page to embed the output. But then, this brings up the
same problem; without discipline, your content/presentation and
program logic are again meshed. I think the ideal here is to
completely separate the two.

2. Use a templating/parsing system: Hmm...I know you're


about to rant about re-inventing the wheel, but it's not that bad
(see below). Plus, it really does pay to take this approach; you can
have a group of programmers working on the Java code, and a
group of HTML producers maintaining the interface. So now you
probably want to know how to do it...so read on.

Use SSI!
Remember SSI? It hasn't gotten much attention in recent years
because of embeddable scripting languages like ASP and JSP, but it
still remains a viable option. To leverage it in the servlet world, I
believe the best way is to use an API called SSI for Java from
Areane. This API will let you emulate SSI commands from a
templating system, and much more. It will let you execute any
command on any system, including executing java classes! It also
comes with several utility classes for creating stateful HTML form
elements, tables for use with iteration, and much more. It's also
open source, so it's free and you can tweak it to your heart's
content! You can read the SSI for Java documentation for detailed
info, but the following is an example of its use.
Here's the servlet:

import javax.servlet.*;
import javax.servlet.http.*;
import java.io.*;
import java.util.*;
import com.areane.www.ssi.*;

public class SSITemplatingServlet extends HttpServlet {


private String templateFilesDirectory =
"d:\\projects\\idemo\\templates\\"; //Holds path to template files

/**Handles GET requests; defers every request to the POST


processor*/
public void doGet(HttpServletRequest req, HttpServletResponse
res)
throws ServletException, IOException,
FileNotFoundException {doPost(req, res);}

/**Handles all requests. Processes the request,


*saves the values, parses the file, then feeds the file to the out
stream*/
public void doPost(HttpServletRequest req, HttpServletResponse
res)
throws ServletException, IOException,
FileNotFoundException {
HttpSession ses =
req.getSession(true);

Properties context = null;


if((context =
(Properties)ses.getValue("user.context")) == null) { //if properties
doesn't already exist, create it.
context = new Properties();
}

//Write parameters to Properties object


Enumeration paramNames =
req.getParameterNames();
String curName, curVal;
while(paramNames.hasMoreElements()) {
curName =
(String)paramNames.nextElement();
curVal = req.getParameter(curName);
context.setProperty(curName, curVal);
}

//Save the values to the session


ses.putValue("user.context", context);

//Parse the page and stream to the client


String templateName =
req.getParameter("template"); // Get the file name of the template
to use
res.setContentType("text/html");
SsiPage page =
SsiParser.parse(this.templateFilesDirectory + templateName);
//Parsing occurs here
page.write(res.getWriter(), context); //Stream to the
client

page = null; //clean up


}
}

Now, just create a template file, pass the servlet the template file
name, and have at it!

43) For an HTML FORM with multiple SUBMIT buttons, how can a servlet
ond differently for each button?

The servlet will respond differently for each button based on the
html that you have placed in the HTML page. Let's explain.
For a submit button the HTML looks like <input type=submit
name="Left" value="left">. A servlet could extract the value of this
submit by using the getParameter("Left") from the HttpRequest
object. It follows then that if you have HTML within a FORM that
appears as:
<input type=submit name="Direction" value="left"><br>
<input type=submit name="Direction" value="right"><br>
<input type=submit name="Direction" value="up"><br>
<input type=submit name="Direction" value="down"><br>
Then the getParameter("Direction") from the HttpRequest
would extract the value pressed by the user, either "left", "right",
"up" or "down". A simple comparision in the servlet with the these
values could occur and processing based on the submit button
would be performed.
Similiarly,for submit buttons with different names on a page, each
of these values could be extracted using the getParameter() call
and acted on. However, in a situation where there are multiple
buttons, common practice would be to use one name and multiple
values to identify the button pressed.

44) What is meant by the term "business logic"?

"Business logic" is just a fancy way of saying "code." :-)

More precisely, in a three-tier architecture, business logic is any


code that is not specifically related to storing and retrieving data
(that's "data storage code"), or to formatting data for display to the
user (that's "presentation logic"). It makes sense, for many
reasons, to store this business logic in separate objects; the middle
tier comprises these objects. However, the divisions between the
three layers are often blurry, and business logic is more of an ideal
than a reality in most programs. The main point of the term is, you
want somewhere to store the logic and "business rules" (another
buzzword) of your application, while keeping the division between
tiers clear and clean.

45) How can I explicitly unload a servlet or call the destroy method?

In general, you can't. The Servlet API does not specify when a
servlet is unloaded or how the destroy method is called. Your
servlet engine (ie the implementation of the interfaces in the JSDK)
might provide a way to do this, probably through its administration
interface/tool (like Webshpere or JWS). Most servlet engines will
also destroy and reload your servlet if they see that the class file(s)
have been modified.

46) What is a servlet bean?

A servlet bean is a serializable servlet that follows the JavaBeans


component architecture, basically offering getter/setter methods.

As long as you subclass GenericServlet/HttpServlet, you are


automatically Serializable.
If your web server supports them, when you install the servlet in
the web server, you can configure it through a property sheet-like
interface.

47) Why do we need to call super.init(config) in the init method of a


servlet?

Just do as you're told and you won't get hurt! :-)

Because if you don't, then the config object will get lost. Just
extend HttpServlet, use init() (no parameters) and it'll all work ok.
From the Javadoc: init() - A convenience method which can be
overridden so that there's no need to call super.init(config).

48) What is a servlet engine?

A "servlet engine" is a program that plugs in to a web server and


runs servlets. The term is obsolete; the preferred term now is
"servlet container" since that applies both to plug-in engines and to
stand-alone web servers that support the Servlet API.

49) Which is the most efficient (i.e. processing speed) way to create a
server application that accesses a database: A Servlet using JDBC; a JSP
page using a JavaBean to carry out the db access; or JSP combined with
a Servlet? Are these my only choices?

Your question really should be broken in two.

1-What is the most efficient way of serving pages from a Java


object?. There you have a clear winner in the Servlet. Althought if
you are going to change the static content of the page often is
going to be a pain because you'll have to change Java code. The
second place in speed is for JSP pages. But, depending on your
application, the difference in speed between JSP pages and raw
servlets can be so small that is not worth the extra work of servlet
programming.
2-What is the most efficient way of accessing a database from
Java?. If JDBC is the way you want to go the I'd suggest to pick as
many drivers as you can (II,III,IV or wathever) and benchmark
them. Type I uses a JDBC/ODBC bridge and usually has lousy
performance. Again, go for the simplest (usually type IV driver)
solution if that meets you performance needs.
For database applications, the performance bottleneck is usually
the database, not the web server/engine. In this case, the use of a
package that access JDBC with connection pooling at the
application level used from JSP pages (with or withouth beans as
middleware) is the usual choice. Of course, your applications
requirements may vary.

50) How can I change the port of my Java Web Server from 8080
to something else?

It is very simple. JAVA WEB SERVER comes with remote Web


administration tool. You can access this with a web browser.

Administration tool is located on port 9090 on your web server. To


change port address for web server:
1. Access tool (http://hostname:9090)
2. Enter User Id/Password (by default it is admin/admin)
3. Select service (Web service)
4. Click on "manage" button. You will get a popup screen with all
settings.
5. Click on network tree node, On right hand side you will get text
box for entering port no.
6. Change port number with desire one.
7. click on restart button.

51) Can I send multiple responses for a single request?

No. That doesn't even make sense :-)

You can, however, send a "redirect", which tells the user's browser
to send another request, possibly to the same servlet with different
parameters. Search this FAQ on "redirect" to learn more.

52) What is FORM based login and how do I use it? Also, what servlet
containers support it?

Form based login is one of the four known web based login
mechanisms. For completeness I list all of them with a description
of their nature:

1. HTTP Basic Authentication

An authentication protocol defined within the HTTP protocol


(and based on headers). It indicates the HTTP realm for
which access is being negotiated and sends passwords with
base64 encoding, therefore it is not very secure. (See
RFC2068 for more information.)

2. HTTP Digest Authentication

Like HTTP Basic Authentication, but with the password


transmitted in an encrypted form. It is more secure than
Basic, but less then HTTPS Authentication which uses
private keys. Yet it is not currently in widespread use.

3. HTTPS Authentication (SSL Mutual Authentication)

This security mechanism provides end user authentication


using HTTPS (HTTP over SSL). It performs mutual (client &
server) certificate based authentication with a set of
different cipher suites.

4. Form Based Login

A standard HTML form (static, Servlet/JSP or script


generated) for logging in. It can be associated with
protection or user domains, and is used to authenticate
previously unauthenticated users.
The major advantage is that the look and feel of the login
screen can be controlled (in comparison to the HTTP
browsers' built in mechanisms).
To support 1., 3., and 4. of these authentication mechanisms is a
requirement of the J2EE Specification (as of v1.2, 3.4.1.3 Required
Login Mechanisms). (HTTP Digest Authentication is not a
requirement, but containers are encouraged to support it.)
You can also see section 3.3.11.1 of the J2EE Specs. (User
Authentication, Web Client) for more detailed descriptions of the
mechanisms.
Thus any Servlet container that conforms to the J2EE Platform
specification should support form based login.
To be more specific, the Servlet 2.2 Specification
describes/specifies the same mechanisms in 11.5 including form
based login in 11.5.3.
This section (11.5.3) describes in depth the nature, the
requirements and the naming conventions of form based login
and I suggest to take a look at it.
Here is a sample of a conforming HTML login form:
<form method="POST" action="j_security_check">
<input type="text" name="j_username">
<input type="password" name="j_password">
</form>
Known Servlet containers that support FORM-based login are:

• iPlanet Application Server


• Tomcat (the reference implementation of the Java Servlet API)

53) How do I capture a request and dispatch the exact request (with all
the parameters received) to another URL?

As far as i know it depends on the location of the next target url.

• If the next servlet url is in the same host, then you can use the
forward method.
Here is an example code about using forward:

 RequestDispatcher rd = null;
 String targetURL = "target_servlet_name";
 ServletContext ctx = this.getServletContext();
 rd = ctx.getRequestDispatcher(targetURL);
 rd.forward(request, response);

54) How can the data within an HTML form be refreshed automatically
whenever there is a change in the database?

JSP is intended for dynamically generating pages. The generated


pages can include wml, html, dhtml or whatever you want...

When you have a generated page, JSP has already made its work.
From this moment you have a page.
If you want automatic refreshing, then this should be acomplished
by the technology included in the generated page (JSP will tell only
what to include in the page).

The browser can not be loaded by extern factors. The browser is


the one who fetches url's since the http protocol is request-
response based. If a server can reload a browser without its allow,
it implies that we could be receiving pages which we haven't asked
for from servers.

May you could use applets and a ServerSocket for receiving


incoming signals from the server for changed data in the DB. This
way you can load new information inside the applet or try to force a
page reload.

[That's a nice idea -- it could use the showDocument() call to


reload the current page. It could also use HTTP polling instead of
maintaining an expensive socket connection. -Alex]

Perhaps (if possible), could be simpler using an automatic


JavaScript refreshing function that force page reload after a
specified time interval.

55) What is a web application (or "webapp")?

A web application is a collection of servlets, html pages, classes, and other


resources that can be bundled and run on multiple containers from
multiple vendors. A web application is rooted at a specific path within a
web server. For example, a catalog application could be located at http://
www.mycorp.com/catalog. All requests that start with this prefix will be
routed to the ServletContext which represents the catalog application.

56) How can I call a servlet from a JSP page? How can I pass variables
from the JSP that the servlet can access?

You can use <jsp:forward page="/relativepath/YourServlet" /> or


response.sendRedirect("http://path/YourServlet").

Variables can be sent as:


<jsp:forward page=/relativepath/YourServlet>
<jsp:param name="name1" value="value1" />
<jsp:param name="name2" value="value2" />
</jsp:forward>
You may also pass parameters to your servlet by specifying
response.sendRedirect("http://path/YourServlet?param1=val1").

57) Can there be more than one instance of a servlet at one time ?
It is important to note that there can be more than one instance of
a given Servlet class in the servlet container. For example, this can
occur where there was more than one servlet definition that
utilized a specific servlet class with different initialization
parameters. This can also occur when a servlet implements the
SingleThreadModel interface and the container creates a pool of
servlet instances to use.

58) How can I measure the file downloading time using servlets?

ServletOutputStream out = response.getOutputStream();


String filename =
getServletContext().getRealPath(request.getQueryString());
FileInputStream fin = new FileInputStream(filename);
long start = System.currentTimeMillis();
byte data[] = new byte[1024];
int len = 0;
while ((len = fin.read(data)) > 0) {
out.write(data, 0, len);
}
out.flush();
long stop = System.currentTimeMills();
log("took " + (stop - start) + "ms to download " + filename);

59) What is inter-servlet communication?

As the name says it, it is communication between servlets. Servlets


talking to each other. [There are many ways to communicate
between servlets, including

 Request Dispatching

 HTTP Redirect

 Servlet Chaining

 HTTP request (using sockets or the URLConnection


class)

 Shared session, request, or application objects (beans)

 Direct method invocation (deprecated)

 Shared static or instance variables (deprecated)

Search the FAQ, especially topic Message Passing (including


Request Dispatching) for information on each of these techniques.
-Alex]

Basically interServlet communication is acheived through servlet


chaining. Which is a process in which you pass the output of one
servlet as the input to other. These servlets should be running in
the same server.
e.g. ServletContext.getRequestDispatcher(HttpRequest,
HttpResponse).forward("NextServlet") ; You can pass in the current
request and response object from the latest form submission to the
next servlet/JSP. You can modify these objects and pass them so
that the next servlet/JSP can use the results of this servlet.
There are some Servlet engine specific configurations for servlet
chaining.
Servlets can also call public functions of other servlets running in
the same server. This can be done by obtaining a handle to the
desired servlet through the ServletContext Object by passing it the
servlet name ( this object can return any servlets running in the
server). And then calling the function on the returned Servlet
object.
e.g. TestServlet test=
(TestServlet)getServletConfig().getServletContext().getServlet("Ot
herServlet"); otherServletDetails= Test.getServletDetails();
You must be careful when you call another servlet's methods. If the
servlet that you want to call implements the SingleThreadModel
interface, your call could conflict with the servlet's single threaded
nature. (The server cannot intervene and make sure your call
happens when the servlet is not interacting with another client.) In
this case, your servlet should make an HTTP request to the other
servlet instead of direct calls.
Servlets could also invoke other servlets programmatically by
sending an HTTP request. This could be done by opening a URL
connection to the desired Servlet.

60) How do I make servlet aliasing work with Apache+Tomcat?

When you use Tomcat standalone as your web server, you can
modify the web.xml in $TOMCAT_HOME/webapps/myApp/WEB-INF
to add a url-pattern:
<web-app>
<servlet>
<servlet-name>
myServlet
</servlet-name>
<servlet-class>
myServlet
</servlet-class>
</servlet>
<servlet-mapping>
<servlet-name>
myServlet
</servlet-name>
<url-pattern>
/jsp-bin/*
</url-pattern>
</servlet-mapping>
</web-app>
This will let you use: http://webserver:8080/myApp/jsp-
bin/stuff.html instead of:
http://webserver:8080/myApp/servlet/myServlet/stuff.html But it
won't work on port 80 if you've integrated Tomcat with Apache.
Graeme Wallace provided this trick to remedy the situation. Add
the following to your tomcat-apache.conf (or to a static version of
it, since tomcat re-generates the conf file every time it starts):

<LocationMatch /myApp/jsp-bin/* >


SetHandler jserv-servlet
</LocationMatch>
This lets Apache turn over handling of the url pattern to your
servlet.

61) Is there any way to determine the number of concurrent connections


my servlet engine can handle?

Depends on whether or not your servlet container uses thread


pooling. If you do not use a thread pool, the number of concurrent
connections accepted by Tomcat 3.1, for example, is 10. This you
can see for yourself by testing a servlet with the Apache JMeter
tool.

However, if your servlet container uses a thread pool, you can


specify the number of concurrent connections to be accepted by the
container. For Tomcat 3.1, the information on how to do so is
supplied with the documentation in the TOMCAT_HOME/doc/uguide
directory.

62) What is a request dispatcher and how does it work?

A RequestDispatcher object can forward a client's request to a


resource or include the resource itself in the response back to the
client. A resource can be another servlet, or an HTML file, or a JSP
file, etc.

You can also think of a RequestDispatcher object as a wrapper for


the resource located at a given path that is supplied as an
argument to the getRequestDispatcher method.
For constructing a RequestDispatcher object, you can use either the
ServletRequest.getRequestDispatcher() method or the
ServletContext.getRequestDispatcher() method. They both do the
same thing, but impose slightly different constraints on the
argument path. For the former, it looks for the resource in the
same webapp to which the invoking servlet belongs and the
pathname specified can be relative to invoking servlet. For the
latter, the pathname must begin with '/' and is interpreted relative
to the root of the webapp.
To illustrate, suppose you want Servlet_A to invoke Servlet_B. If
they are both in the same directory, you could accomplish this by
incorporating the following code fragment in either the service
method or the doGet method of Servlet_A:
RequestDispatcher dispatcher =
getRequestDispatcher("Servlet_B");
dispatcher.forward( request, response );

where request, of type HttpServletRequest, is the first parameter of


the enclosing service method (or the doGet method) and response,
of type HttpServletResponse, the second. You could accomplish the
same by

RequestDispatcher
dispatcher=getServletContext().getRequestDispatcher( "/servlet/Se
rvlet_B" );
dispatcher.forward( request, response );

63) What is a Servlet Context?

A Servlet Context is a grouping under which related servlets (and


JSPs and other web resources) run. They can share data, URL
namespace, and other resources. There can be multiple contexts in
a single servlet container.

The ServletContext object is used by an individual servlet to "call


back" and obtain services from the container (such as a request
dispatcher). Read the JavaDoc for javax.servlet.ServletContext for
more information.
You can maintain "application global" variables by using Servlet
Context Attributes.

64) Does the RequestDispatcher expect a relative URL to be relative to


the originally-called servlet or to the current servlet (if different)?

Since the RequestDispatcher will be passing the control (request


object and response object) from the current Servlet, the relative
URL must be relative to the current servlet.

The originally called servlet has passed the control to the current
servlet, and now current servlet is acting as controller to other
resourses.

65) What is the difference between in-process and out-of-process servlet


containers?

The in-process Servlet containers are the containers which work inside the JVM of
Web server, these provides good performance but poor in scalibility.

The out-of-process containers are the containers which work in the JVM outside
the web server. poor in performance but better in scalibility
In the case of out-of-process containers, web server and container talks with
each other by using the some standard mechanism like IPC.

In addition to these types of containers, there is 3rd type which is stand-alone


servlet containers. These are an integral part of the web server.
66) How is SingleThreadModel implemented in Tomcat? In other
containers? [I would assume that Tomcat uses its connection thread
pool, and creates a new instance of the servlet for each connection
thread, instead of sharing one instance among all threads. Is that true?]

The question mixes together two rather independent aspects of a


servlet container: "concurrency control" and "thread pooling".

Concurrency control, such as achieved by having a servlet


implement the SingleThreadModel interface, addresses the issue of
thread safety. A servlet will be thread-safe or thread-unsafe
regardless of whether the servlet container used a thread pool.
Thread pooling merely eliminates the overhead associated with the
creation and destruction of threads as a servlet container tries to
respond to multiple requests received simultaneously. It is for this
reason that the specification document for Servlet 2.2 API is silent
on the subject of thread pooling -- as it is merely an
implementation detail. However, the document does indeed
address the issue of thread safety and how and when to use
SingleThreadModel servlets.
Section 3.3.3.1 of the Servlet 2.2 API Specification document says
that if a servlet implements the SingleThreadModel it is guaranteed
"that only one request thread at time will be allowed in the service
method." It says further that "a servlet container may satisfy this
guarantee by serializing requests on a servlet or by maintaining a
pool of servlet instances."
Obviously, for superior performance you'd want the servlet
container to create multiple instances of a SingleThreadModel type
servlet should there be many requests received in quick succession.
Whether or not a servlet container does that depends completely
on the implementation. My experiments show that Tomcat 3.1 does
indeed create multiple instances of a SingleThreadModel servlet,
but only for the first batch of requests received concurrently. For
subsequent batches of concurrent requests, it seems to use only
one of those instances.

67) Which servlet containers have persistent session support?


Specifically, does Tomcat 3.1?

All servlet containers that implement the Servlet 2.2 API must provide for session
tracking through either the use of cookies or through URL rewriting. All Tomcat
servlet containers support session tracking.

68) Can I use JAAS as the authentication technology for servlets ?


Yes, JAAS can be used as authentication technology for servlets.
One important feature of JAAS is pure Java implementation. The
JAAS infrastructure is divided into two main components: an
authentication component and an authorization component. The
JAAS authentication component provides the ability to reliably and
securely determine who is currently executing Java code,
regardless of whether the code is running as an application, an
applet, a bean, or a servlet.

69) How can I set a servlet to load on startup of the container, rather
than on the first request?

The Servlet 2.2 spec defines a load-on-startup element for just this
purpose. Put it in the <servlet> section of your web.xml
deployment descriptor. It is either empty (<load-on-startup/>) or
contains "a positive integer indicating the order in which the servlet
should be loaded. Lower integers are loaded before higher integers.
If no value is specified, or if the value specified is not a positive
integer, the container is free to load it at any time in the startup
sequence."

For example,
<servlet>
<servlet-name>foo</servlet-name>
<servlet-class>com.foo.servlets.Foo</servlet-class>
<load-on-startup>5</load-on-startup>
</servlet>
Some servlet containers also have their own techniques for
configuring this; please submit feedback with information on these.

70) Is it possible to write a servlet that acts as a FTP server?

Yes. It would spawn a thread that opens a ServerSocket, then listens for
incoming connections and speaks the FTP protocol.

71) Is there a way to disable a user's ability to double-click a submit


image/button (and therefore submitting duplicate data -- multiple
submits)? Is there a way to do this with Javascript?

Give the submit image (or button) an onClick() handler. Have the
handler check if a flag is set and if not set the flag and submit the
form and then clear the form.

72) What are the main differences between Servlets and ISAPI?
The first difference is obviously that Servlets is the technology from
Sun Microsystems and ISAPI is from Microsoft.

Other Differences are:

ï‚· Servlet is a simple .class file and ISAPI is a DLL

ï‚· Servlets run in the Servlet containers and may be in-process or


out of process. ISAs run in the same address space as the HTTP
server

ï‚· Servlet container preprocesses and postprocesses the data


communication between the client and server. ISAPI Filters provide
the capability of pre-processing and post-processing of all data sent
between the client and the server

ï‚· Java is the only choice for writing Servlets, VC++/MFC is used
to write ISAPI code

ï‚· Servlets works on most of the Web servers plus third party
containers can be integrated with other web servers to provide
servlets on them. ISAPI works on only ISAPI-compliant Web server
(for example, Microsoft Internet Information Server)

ï‚· Servlets can connect to the Databases through JDBC as well as


jdbc-odbc bridges. ISAPI can connect to Databases through only
ODBC

ï‚· Servlets have access to many server-side technologies like EJB


and etc. ISAPI is limited in scope

ï‚· Multiple commands can be implemented in a servlet by using


pathinfo. ISAPI allows multiple commands in one DLL,
implemented as member functions of the CHttpServer object in
the DLL.

ï‚· Content generation and content presentation can be done seperately


in Servlets with the help of JSP. ISAPI code has to generate HTML code
itself.

73) Can I associate a servlet with a particular mime-type, so if the client


requests a file of that type, my servlet will be executed?

In web.xml you can use a mime-mapping to map the type with a


certain extension and then map the servlet to that extension.

e.g.
<mime-mapping>
<extension>
zzz
</extension>
<mime-type>
text/plain
</mime-type>
</mime-mapping>

<servlet-mapping>
<url>
*.zzz
</url>
<servlet-name>
MyServlet
</servlet-name>
</servlet-mapping>

So, when a file for type zzz is requested, the servlet gets called.

74) What are the different cases for using sendRedirect() vs.
getRequestDispatcher()?

When you want to preserve the current request/response objects


and transfer them to another resource WITHIN the context, you
must use getRequestDispatcher or getNamedDispatcher.

If you want to dispatch to resources OUTSIDE the context, then


you must use sendRedirect. In this case you won't be sending the
original request/response objects, but you will be sending a header
asking to the browser to issue a request to the new URL.
If you don't need to preserve the request/response objects, you
can use either.

75) How do I access the value of a cookie using JavaScript?

You can manipulate cookies in JavaScript with the document.cookie


property. You can set a cookie by assigning this property, and
retrieve one by reading its current value.

The following statement, for example, sets a new cookie with a


minimum number of attributes:

document.cookie = "cookieName=cookieValue";

And the following statement displays the property's value:

alert(document.cookie);

The value of document.cookie is a string containing a list of all


cookies that are associated
with a web page. It consists, that is, of name=value pairs for each
cookie that matches the
current domain, path, and date. The value of the document.cookie
property, for instance,
might be the following string:
cookieName1=cookieValue1; cookieName2=cookieValue2;

76) How do I write to a log file using JSP under Tomcat? Can I make use
of the log() method for this?

Yes, you can use the Servlet API's log method in Tomcat from
within JSPs or servlets. These messages are stored in the server's
log directory in a file called servlet.log.

77) How can I use a servlet to print a file on a printer attached to the
client?

The security in a browser is designed to restrict you from


automating things like this. However, you can use JavaScript in the
HTML your servlet returns to print a frame. The browser will still
confirm the print job with the user, so you can't completely
automate this. Also, you'll be printing whatever the browser is
displaying (it will not reliably print plug-ins or applets), so normally
you are restricted to HTML and images.

[The JavaScript source code for doing this is:

<input type="button" onClick="window.print(0)" value="Print This


Page">

78) How do you do servlet aliasing with Apache and Tomcat?

Servlet aliasing is a two part process with Apache and Tomcat.


First, you must map the request in Apache to Tomcat with the
ApJServMount directive, e.g.,
ApJServMount /myservlet /ROOT
Second, you must map that url pattern to a servlet name and then
to a servlet class in your web.xml configuration file. Here is a
sample exerpt:
<servlet>
<servlet-name>myservlet</servlet-name>
<servlet-class>com.mypackage.MyServlet</servlet-class>
</servlet>
<servlet-mapping>
<servlet-name>myservlet</servlet-name>
<url-pattern>/myservlet</url-pattern>
</servlet-mapping>
79 ) I want my servlet page to redirect to a login page if the session has
timed out. How can I know if my session has timed out?

If the servlet engine does the time-out, following code should help
you:

//assume you have a HttpServletRequest request


if(request.getSession(false)==null) {
//no valid session (timeouted=invalid)

//code to redirect to login page


}

80) Can Tomcat be configured to interpret all, or selected, .html files


within a given context as JSP? Or, do JSP files have to end with a .jsp
extension?

yes you can do that by modifying the web.xml file. You will have to invoke the
org.apache.jasper.runtime.JspServlet for all the requests having extension
.html. You can do that by changing the Servlet mapping code:
<servlet-mapping>
<servlet-name>
jsp
</servlet-name>
<url>*.html</url>

</servlet-mapping>

And comment out the following block

<mime-mapping>
<extension>
html
</extension>
<mime-type>
text/html
</mime-type>
</mime-mapping>

81) What is the difference between request attributes, session


attributes, and ServletContext attributes?

A ServletContext attribute is an object bound into a context


through ServletContext.setAttribute() method and which is
available to ALL servlets (thus JSP) in that context, or to other
contexts via the getContext() method. By definition a context
attribute exists locally in the VM where they were defined. So,
they're unavailable on distributed applications.
Session attributes are bound to a session, as a mean to provide
state to a set of related HTTP requests. Session attributes are
available ONLY to those servlets which join the session. They're
also unavailable to different JVMs in distributed scenarios. Objects
can be notified when they're bound/unbound to the session
implementing the HttpSessionBindingListener interface.
Request attributes are bound to a specific request object, and they
last as far as the request is resolved or while it keep dispatched
from servlet to servlet. They're used more as comunication channel
between Servlets via the RequestDispatcher Interface (since you
can't add Parameters...) and by the container. Request attributes
are very useful in web apps when you must provide setup
information between information providers and the information
presentation layer (a JSP) that is bound to a specific request and
need not be available any longer, which usually happens with
sessions without a rigorous control strategy.
Thus we can say that context attributes are meant for infra-
structure such as shared connection pools, session attributes to
contextual information such as user identification, and request
attributes are meant to specific request info such as query results.

82) Are singleton/static objects shared between servlet contexts?

[Question continues: For example if I have two contexts on a single


web server, and each context uses a login servlet and the login
servlet connects to a DB. The DB connection is managed by a
singleton object. Do both contexts have their own instance of the
DB singleton or does one instance get shared between the two?]

It depends on from where the class is loaded.


The classes loaded from context's WEB-INF directory are not
shared by other contexts, whereas classes loaded from CLASSPATH
are shared. So if you have exactly the same DBConnection class in
WEB-INF/classes directory of two different contexts, each context
gets its own copy of the singleton (static) object.

83) When building web applications, what are some areas where
synchronization problems arrise?

In general, you will run into synchronization issues when you try to
access any shared resource. By shared resource, I mean anything
which might be used by more than one request.

Typical examples include:

 Connections to external servers, especially if you have


any sort of pooling.

 Anything which you include in a HttpSession. (Your user


could open many browser windows and make many
simultaneous requests within the one session.)
 Log destinations, if you do your own logging from your
servlets.

84) What is the difference between apache webserver, java webserver


and tomcat server?

Apache is an HTTP server written in C that can be compiled and run


on many platforms.

Java WebServer is an HTTP server from Sun written in Java that


also supports Servlets and JSP.
Tomcat is an open-source HTTP server from the Apache
Foundation, written in Java, that supports Servlets and JSP. It can
also be used as a "plug-in" to native-code HTTP servers, such as
Apache Web Server and IIS, to provide support for Servlets (while
still serving normal HTTP requests from the primary, native-code
web server).

85) How can you embed a JavaScript within servlets / JSP pages?

You don't have to do anything special to include JavaScript in


servlets or JSP pages. Just have the servlet/JSP page generate the
necessary JavaScript code, just like you would include it in a raw
HTML page.

The key thing to remember is it won't run in the server. It will run
back on the client when the browser loads the generate HTML, with
the included JavaScript.

86) How can I make a POST request through response.sendRedirect() or


response.setStatus() and response.setHeader() methods?

You can't. It's a fundamental limitation of the HTTP protocol. You'll


have to figure out some other way to pass the data, such as

 Use GET instead

 Make the POST from your servlet, not from the client

 Store data in cookies instead of passing it via


GET/POST

87) How do I pass a request object of one servlet as a request object to


another servlet?

Use a Request Dispatcher.


88) I call a servlet as the action in a form, from a jsp. How can I redirect
the response from the servlet, back to the JSP?
(RequestDispatcher.forward will not help in this case, as I do not know
which resource has made the request. request.getRequestURI will return
the uri as contained in the action tag of the form, which is not what is
needed.)

You'll have to pass the JSP's URI in to the servlet, and have the
servlet call sendRedirect to go back to the JSP. For example:

<FORM ACTION="/foo/myservlet">
<INPUT TYPE="HIDDEN" NAME="redirect"
VALUE="/foo/thisjsp.jsp">
Shoe size: <INPUT NAME="shoesize">
<INPUT TYPE="SUBMIT">
</FORM>

Then in the servlet...

response.sendRedirect(request.getParameter("redirect"));

89) What is the ServletConfig object, and why is it useful?

The ServletConfig object is an interface. It contains the methods

getInitParameter
getInitParameterNames
getServletContext
getServletName

You can use the methods to determine the Servlet's initialization


parameters, the name of the servlets instance, and a reference to
the Servlet Context the servlet is running in.

getServletContext is the most valuable method, as it allows you to


share information accross an application (context).

90) I have a global variable in a servlet class. What will happen to this
global variable if two requests hit on the same time?

What will happen is an unforeseeable event.


The best way to establish a default occurrence (the servlet handles a request at a
time) is to synchronize the access to the global variable or alternatively to
create a servlet that implements the SingleThreadModel interface.
91) Suppose I have 2 servers, server1 and server2. How can I take data
in a cookie from server1, and send it to server2?

You'll have to create a (new) similar cookie on server 2.


Have a ReadCookieServlet running on server1 that

 Reads the cookie, using request.getCookies()

 Redirects to WriteCookieServlet running on server2,


passing the cookie name, value and expiration date as
request parameters, using response.sendRedirect().

Have a WriteCookieServlet running on server2 that

 Reads the cookie name, value and expiration date


request parameters, using request.getParameter().

 Creates a similar cookie, using


response.addCookie().

92) How can I pass data from a servlet running in one context (webapp)
to a servlet running in another context?

There are three ways I can think of off the top of my head:

1. Store the information you want to share in a persistant


format, such as in a file system or database. That way, any
servlet that is running in a JVM that can "see" these
resources can get to this information.

2. If persisting this information is not an option, you can


bind this information to a context that is accessible to all
servlet contexts, such as the application server's context.
This way, you can keep the data you want to share in
memory.

3. Use the old fashion way of passing information to a


servlet - HTTP. One servlet could foward a request to
another servlet and include the data that needs to be shared
as parameters in the request.

93) How can I write an "error page" -- that is, a servlet or JSP to report
errors of other servlets?

The Servlet 2.2 specification allows you to specify an error page (a


servlet or a JSP) for different kinds of HTTP errors or
ServletExceptions. You can specify this in deployment descriptor of
the web application as:
<error-page>
<exception-type>FooException</exception-type>
<location>/error.jsp</location>
</error-page>
where FooException is a subclass of ServletException.
The web container invokes this servlet in case of errors, and you
can access the following information from the request object of
error servlet/JSP: error code, exception type, and a message.

94) What is the difference between ServletContext and ServletConfig?

A ServletContext represents the context in a servlet container of a


servlet instance operates. A servlet container can have several
contexts (or web applications) at one time. Each servlet instance is
running in one of these contexts. All servlets instances running in
the same context are part of the same web application and,
therefore, share common resources. A servlet accesses these
shared resource (such as a RequestDispatcher and application
properties) through the ServletContext object.

This notion of a web application became very significant upon the


Servlet 2.1 API, where you could deploy an entire web application
in a WAR file. Notice that I always said "servlet instance", not
servlet. That is because the same servlet can be used in several
web applications at one time. In fact, this may be common if there
is a generic controller servlet that can be configured at run time for
a specific application. Then, you would have several instances of
the same servlet running, each possibly having different
configurations.
This is where the ServletConfig comes in. This object defines how a
servlet is to be configured is passed to a servlet in its init method.
Most servlet containers provide a way to configure a servlet at run-
time (usually through flat file) and set up its initial parameters. The
container, in turn, passes these parameters to the servlet via the
ServetConfig.

95) Under what circumstances will a servlet be reloaded?

That depends on the Servlet container.

Most of the Servlet containers reload the servlet only it detects the
code change in the Servlet, not in the referenced classes.
In Tomcat's server.xml deployment descriptor, if you have
mentioned

<Context path="/myApp"
docBase="D:/myApp/webDev"
crossContext="true"
debug="0"
reloadable="true"
trusted="false" >
</Context>

The reloadable = true makes the magic. Every time the Servlet
container detects that the Servlet code is changed, it will call the
destroy on the currently loaded Servlet and reload the new code.

But if the class that is referenced by the Servlet changes, then the
Servlet will not get loaded. You will have to change the timestamp
of the servlet or stop-start the server to have the new class in the
container memory.

96) What is a Servlet Filter?

A filter is basically a component that is invoked whenever a resource is invoked


for which the filter is mapped. The resource can be something like a servlet, or a
URL pattern. A filter normally works on the request, response, or header
attributes, and does not itself send a response to the client.

97) I am using the RequestDispatcher's forward() method to redirect to


a JSP. The problem is that the jsp's url is now relative to the servlet's url
and all my url's in the jsp such as <img src="pic.gif"> will be corrupt.
How do I solve this problem?

You can use absolute urls like:

<BODY>
<% String base = request.getContextPath(); %>
<IMG src="<%=base%>/img/pic.gif">
</BODY>

or write out a BASE tag like:

<% String base = request.getContextPath(); %>


<HEAD>
<BASE HREF="<%=base%>">
</HEAD>

<BODY>
<IMG src="img/pic.gif">
</BODY>

That should take care of the problem.

98) How can I return a readily available (static) HTML page to the user
instead of generating it in the servlet?
To solve your problem, you can either send a "Redirect" back to the
client or use a RequestDispatcher and forward your request to
another page:

1. Redirect:
A redirection is made using the HttpServletResponse object:

2. if(condition) {
3. response.sendRedirect("page1.html");
4. } else {
5. response.sendRedirect("page2.html");
6. }

7. RequestDispatcher:
A request dispatcher can be obtained through the
ServletContext. It can be used to include another page or to
forward to it.

8. if(condition) {
9. this.getServletContext()
10.
.getRequestDispatcher("page1.html").forward();
11. } else {
12. this.getServletContext()
13.
.getRequestDispatcher("page2.html").forward();
14. }
Both solutions require, that the pages are available in you
document root. If they are located somewhere else on your
filesystem, you have to open the file manually and copy their
content to the output writer.
If your application server is set up in combination with a normal
web server like Apache, you should use solution (1), because the
the web server usually serves static files much faster than the
application server.

99) What is the difference between static variables and instance


variables in a servlet?

According to the Java Language definition, a static variable is


shared among all instances of a class, where a non-static variable
-- also called an instance variable -- is specific to a single instance
of that class.

According to the Servlet specification, a servlet that does not


declare SingleThreadModel usually has one and only one instance,
shared among all concurrent requests hitting that servlet.
That means that, in servlets (and other multithreaded
applications), an instance variable behaves very much like a static
variable, since it is shared among all threads. You have to be very
careful about synchronizing access to shared data.
The big difference between instance variables and static variables
comes when you have configured your servlet engine to instantiate
two instances of the same servlet class, but with different init
parameters. In this case, there will be two instances of the same
servlet class, which means two sets of instance variables, but only
one set of static variables.
Remember that you can store data in lots of different places in a
servlet. To wit:

 Local variables - for loop iterators, result sets, and so


forth

 Request attributes - for data that must be passed to


other servlets invoked with the RequestDispatcher

 Session attributes - persists for all future requests


from the current user only

 Instance variables - for data that persists for the life


of the servlet, shared with all concurrent users

 Static variables - for data that persists for the life of


the application, shared with all concurrent users -- including
any other servlet instances that were instantiated with
different init parameters

 Context attributes - for data that must persist for the


life of the application, and be shared with all other servlets

100) How can I share data between two different web applications?

Different servlets may share data within one application via


ServletContext. If you have a compelling to put the servlets in
different applications, you may wanna consider using EJBs.

Struts Interview Questions and FAQs - 1

Q: What is Struts?
A: The core of the Struts framework is a flexible control layer based on
standard technologies like Java Servlets, JavaBeans, ResourceBundles, and XML,
as well as various Jakarta Commons packages. Struts encourages application
architectures based on the Model 2 approach, a variation of the classic Model-
View-Controller (MVC) design paradigm.

Struts provides its own Controller component and integrates with other
technologies to provide the Model and the View. For the Model, Struts can interact
with standard data access technologies, like JDBC and EJB, as well as most any
third-party packages, like Hibernate, iBATIS, or Object Relational Bridge. For the
View, Struts works well with JavaServer Pages, including JSTL and JSF, as well as
Velocity Templates, XSLT, and other presentation systems.
The Struts framework provides the invisible underpinnings every professional web
application needs to survive. Struts helps you create an extensible development
environment for your application, based on published standards and proven
design patterns.

Q: What is Jakarta Struts Framework?


A: Jakarta Struts is open source implementation of MVC (Model-View-
Controller) pattern for the development of web based applications. Jakarta Struts
is robust architecture and can be used for the development of application of any
size. Struts framework makes it much easier to design scalable, reliable Web
applications with Java.

Q: What is ActionServlet?
A: The class org.apache.struts.action.ActionServlet is the called the
ActionServlet. In the the Jakarta Struts Framework this class plays the role of
controller. All the requests to the server goes through the controller. Controller is
responsible for handling all the requests.

Q: How you will make available any Message Resources Definitions file to the
Struts Framework Environment?
A: T Message Resources Definitions file are simple .properties files and these
files contains the messages that can be used in the struts project. Message
Resources Definitions files can be added to the struts-config.xml file through
<message-resources /> tag.

Example:

<message-resources parameter=\"MessageResources\" />.

Q: What is Action Class?


A: The Action Class is part of the Model and is a wrapper around the business
logic. The purpose of Action Class is to translate the HttpServletRequest to the
business logic. To use the Action, we need to Subclass and overwrite the
execute() method. In the Action Class all the database/business processing are
done. It is advisable to perform all the database related stuffs in the Action Class.
The ActionServlet (commad) passes the parameterized class to Action Form using
the execute() method. The return type of the execute method is ActionForward
which is used by the Struts Framework to forward the request to the file as per
the value of the returned ActionForward object.

Q: What is ActionForm?
A: An ActionForm is a JavaBean that extends
org.apache.struts.action.ActionForm. ActionForm maintains the session state for
web application and the ActionForm object is automatically populated on the
server side with data entered from a form on the client side.

Q: What is Struts Validator Framework?


A: Struts Framework provides the functionality to validate the form data. It can
be use to validate the data on the users browser as well as on the server side.
Struts Framework emits the java scripts and it can be used validate the form data
on the client browser. Server side validation of form can be accomplished by sub
classing your From Bean with DynaValidatorForm class.

The Validator framework was developed by David Winterfeldt as third-party add-


on to Struts. Now the Validator framework is a part of Jakarta Commons project
and it can be used with or without Struts. The Validator framework comes
integrated with the Struts Framework and can be used without doing any extra
settings.

Q: Give the Details of XML files used in Validator Framework?


A: The Validator Framework uses two XML configuration files validator-
rules.xml and validation.xml. The validator-rules.xml defines the standard
validation routines, these are reusable and used in validation.xml. to define the
form specific validations. The validation.xml defines the validations applied to a
form bean.

Q: How you will display validation fail errors on jsp page?


A: Following tag displays all the errors:

<html:errors/>

Q: How you will enable front-end validation based on the xml in


validation.xml?
A: The <html:javascript> tag to allow front-end validation based on the xml in
validation.xml. For example the code: <html:javascript formName=\"logonForm\"
dynamicJavascript=\"true\" staticJavascript=\"true\" /> generates the client side
java script for the form \"logonForm\" as defined in the validation.xml file. The
<html:javascript> when added in the jsp file generates the client site validation
script.

Q: How to get data from the velocity page in a action class?


A: We can get the values in the action classes by using
data.getParameter(\"variable name defined in the velocity page\");

21) Will a call to PreparedStatement.executeQuery() always close the


ResultSet from the previous executeQuery()?

A ResultSet is automatically closed by the Statement that generated it


when that Statement is closed, re-executed, or is used to retrieve the next
result from a sequence of multiple results.

22) How do I upload SQL3 BLOB & CLOB data to a database?

Although one may simply extract BLOB & CLOB data from the
database using the methods of the java.sql.CLOB and
java.sql.BLOB, one must upload the data as normal java datatypes.
The example below inserts a BLOB in the form of a byte[] and a
CLOB in the form of a String into the database

Inserting SQL3 type data [BLOB & CLOB]


private void runInsert() {
try {
// Log
this.log("Inserting values ... ");

// Open a new Statement


PreparedStatement stmnt = conn.prepareStatement(
"insert Lobtest (image, name) values (?, ?)");

// Create a timestamp to measure the insert time


Date before = new java.util.Date();

for(int i = 0; i < 500; i++) {


// Set parameters
stmnt.setBytes(1, blobData);
stmnt.setString(2, "i: " + i + ";" + clobData);

// Perform insert
int rowsAffected = stmnt.executeUpdate();
}

// Get another timestamp to complete the time measurement


Date after = new java.util.Date();
this.log(" ... Done!");
log("Total run time: " + (
after.getTime() - before.getTime()));

// Close database resources


stmnt.close();
} catch(SQLException ex) {
this.log("Hmm... " + ex);
}
}

23) What is the difference between client and server database cursors?

What you see on the client side is the current row of the cursor which called a
Result (ODBC) or ResultSet (JDBC). The cursor is a server-side entity only and
remains on the server side.

24) Are prepared statements faster because they are compiled? if so,
where and when are they compiled?

Prepared Statements aren't actually compiled, but they are bound


by the JDBC driver. Depending on the driver, Prepared Statements
can be a lot faster - if you re-use them. Some drivers bind the
columns you request in the SQL statement. When you execute
Connection.prepareStatement(), all the columns bindings take
place, so the binding overhead does not occur each time you run
the Prepared Statement. For additional information on Prepared
Statement performance and binding see JDBC Performance Tips on
IBM's website.

25) Is it possible to connect to multiple databases simultaneously? Can


one extract/update data from multiple databases with a single
statement?

In general, subject, as usual, to the capabilities of the specific


driver implementation, one can connect to multiple databases at
the same time. At least one driver ( and probably others ) will also
handle commits across multiple connections. Obviously one should
check the driver documentation rather than assuming these
capabilities.

As to the second part of the question, one needs special


middleware to deal with multiple databases in a single statement or
to effectively treat them as one database. DRDA ( Distributed
Relational Database Architecture -- I, at least, make it rhyme with
"Gerta" ) is probably most commonly used to accomplish this.
Oracle has a product called Oracle Transparent Gateway for IBM
DRDA and IBM has a product called DataJoiner that make multiple
databases appear as one to your application. No doubt there are
other products available. XOpen also has papers available
regarding DRDA.

26) Why do I get an UnsupportedOperationException?

JDBC 2.0, introduced with the 1.2 version of Java, added several
capabilities to JDBC. Instead of completely invalidating all the older
JDBC 1.x drivers, when you try to perform a 2.0 task with a 1.x
driver, an UnsupportedOperationException will be thrown. You need
to update your driver if you wish to use the new capabilities.

27) What advantage is there to using prepared statements if I am using


connection pooling or closing the connection frequently to avoid
resource/connection/cursor limitations?

The ability to choose the 'best' efficiency ( or evaluate tradeoffs, if


you prefer, ) is, at times, the most important piece of a mature
developer's skillset. This is YAA ( Yet Another Area, ) where that
maxim applies. Apparently there is an effort to allow prepared
statements to work 'better' with connection pools in JDBC 3.0, but
for now, one loses most of the original benefit of prepared
statements when the connection is closed. A prepared statement
obviously fits best when a statement differing only in variable
criteria is executed over and over without closing the statement.

However, depending on the DB engine, the SQL may be cached and


reused even for a different prepared statement and most of the
work is done by the DB engine rather than the driver. In addition,
prepared statements deal with data conversions that can be error
prone in straight ahead, built on the fly SQL; handling quotes and
dates in a manner transparent to the developer, for example.

28) What is JDBC, anyhow?

JDBC is Java's means of dynamically accessing tabular data, and primarily


data in relational databases, in a generic manner, normally using standard
SQL statements.

29) Can I reuse a Statement or must I create a new one for each query?
When using a JDBC compliant driver, you can use the same Statement for any
number of queries. However, some older drivers did not always "respect the
spec." Also note that a Statement SHOULD automatically close the current
ResultSet before executing a new query, so be sure you are done with it before
re-querying using the same Statement.

30) What is a three-tier architecture?

A three-tier architecture is any system which enforces a general


separation between the following three parts:

1. Client Tier or user interface


2. Middle Tier or business logic
3. Data Storage Tier

Applied to web applications and distributed programming, the three


logical tiers usually correspond to the physical separation between
three types of devices or hosts:

11) I have the choice of manipulating database data using a byte[] or a


java.sql.Blob. Which has best performance?

java.sql.Blob, since it does not extract any data from the database
until you explicitly ask it to. The Java platform 2 type Blob wraps a
database locator (which is essentially a pointer to byte). That
pointer is a rather large number (between 32 and 256 bits in size) -
but the effort to extract it from the database is insignificant next to
extracting the full blob content. For insertion into the database, you
should use a byte[] since data has not been uploaded to the
database yet. Thus, use the Blob class only for extraction.
Conclusion: use the java.sql.Blob class for extraction whenever
you can.

12) I have the choice of manipulating database data using a String or a


java.sql.Clob. Which has best performance?

java.sql.Clob, since it does not extract any data from the database
until you explicitly ask it to. The Java platform 2 type Clob wraps a
database locator (which is essentially a pointer to char). That
pointer is a rather large number (between 32 and 256 bits in size) -
but the effort to extract it from the database is insignificant next to
extracting the full Clob content. For insertion into the database, you
should use a String since data need not been downloaded from the
database. Thus, use the Clob class only for extraction.
Conclusion: Unless you always intend to extract the full textual
data stored in the particular table cell, use the java.sql.Clob class
for extraction whenever you can.

13) Do I need to commit after an INSERT call in JDBC or does JDBC do it


automatically in the DB?
If your autoCommit flag (managed by the
Connection.setAutoCommit method) is false, you are required to
call the commit() method - and vice versa.

14) How can I retrieve only the first n rows, second n rows of a database
using a particular WHERE clause ? For example, if a SELECT typically
returns a 1000 rows, how do first retrieve the 100 rows, then go back
and retrieve the next 100 rows and so on ?

Use the Statement.setFetchSize method to indicate the size of each


database fetch. Note that this method is only available in the Java
2 platform. For Jdk 1.1.X and Jdk 1.0.X, no standardized way of
setting the fetch size exists. Please consult the Db driver manual.

15) What does ResultSet actually contain? Is it the actual data of the
result or some links to databases? If it is the actual data then why can't
we access it after connection is closed?

A ResultSet is an interface. Its implementation depends on the


driver and hence ,what it "contains" depends partially on the driver
and what the query returns.
For example with the Odbc bridge what the underlying
implementation layer contains is an ODBC result set. A Type 4
driver executing a stored procedure that returns a cursor - on an
oracle database it actually returns a cursor in the database. The
oracle cursor can however be processed like a ResultSet would be
from the client.

Closing a connection closes all interaction with the database and


releases any locks that might have been obtained in the process.

16) What are SQL3 data types?

The next version of the ANSI/ISO SQL standard defines some new
datatypes, commonly referred to as the SQL3 types. The primary
SQL3 types are:

STRUCT: This is the default mapping for any SQL structured type,
and is manifest by the java.sql.Struct type.
REF: Serves as a reference to SQL data within the database. Can
be passed as a parameter to a SQL statement. Mapped to the
java.sql.Ref type.
BLOB: Holds binary large objects. Mapped to the java.sql.Blob
type.
CLOB: Contains character large objects. Mapped to the
java.sql.Clob type.
ARRAY: Can store values of a specified type. Mapped to the
java.sql.Array type.
You can retrieve, store and update SQL3 types using the
corresponding getXXX(), setXXX(), and updateXXX() methods
defined in ResultSet interface

17) How can I manage special characters (for example: " _ '
% ) when I execute an INSERT query? If I don't filter the
quoting marks or the apostrophe, for example, the SQL
string will cause an error.

The characters "%" and "_" have special meaning in SQL LIKE
clauses (to match zero or more characters, or exactly one
character, respectively). In order to interpret them literally, they
can be preceded with a special escape character in strings, e.g. "\".
In order to specify the escape character used to quote these
characters, include the following syntax on the end of the query:

{escape 'escape-character'}

For example, the query

SELECT NAME FROM IDENTIFIERS WHERE ID LIKE


'\_%' {escape '\'}

finds identifier names that begin with an underbar.

18) What is SQLJ and why would I want to use it instead of JDBC?

SQL/J is a technology, originally developed by Oracle Corporation,


that enables you to embed SQL statements in Java. The purpose of
the SQLJ API is to simplify the development requirements of the
JDBC API while doing the same thing. Some major databases
(Oracle, Sybase) support SQLJ, but others do not. Currently, SQLJ
has not been accepted as a standard, so if you have to learn one of
the two technologies, I recommend JDBC.

19) How do I insert an image file (or other raw data) into a database?

All raw data types (including binary documents or images) should


be read and uploaded to the database as an array of bytes, byte[].
Originating from a binary file,

1. Read all data from the file using a FileInputStream.


2. Create a byte array from the read data.
3. Use method setBytes(int index, byte[] data); of
java.sql.PreparedStatement to upload the data.

20) How can I pool my database connections so I don't have to keep


reconnecting to the database?

• you gets a reference to the pool


• you gets a free connection from the pool
• you performs your different tasks
• you frees the connection to the pool

Since your application retrieves a pooled connection, you don't consume your
time to connect / disconnect from your data source.

31) What separates one tier from another in the context of n-tiered
architecture?

It depends on the application.

In a web application, for example, where tier 1 is a web-server, it


may communicate with a tier 2 Application Server using RMI over
IIOP, and subsequently tier 2 may communicate with tier 3 (data
storage) using JDBC, etc.
Each of these tiers may be on separate physical machines or they
may share the same box.
The important thing is the functionality at each tier.

• Tier 1 - Presentation - should be concerned mainly with display of


user interfaces and/or data to the client browser or client system.
• Tier 2 - Application - should be concerned with business logic

Tier 3+ - Storage/Enterprise Systems - should be focused on data persistence


and/or communication with other Enterprise Systems.

32) What areas should I focus on for the best performance in a JDBC
application?

These are few points to consider:

• Use a connection pool mechanism whenever possible.


• Use prepared statements. These can be beneficial, for example with
DB specific escaping, even when used only once.
• Use stored procedures when they can be created in a standard
manner. Do watch out for DB specific SP definitions that can cause
migration headaches.
• Even though the jdbc promotes portability, true portability comes
from NOT depending on any database specific data types, functions and so
on.
• Select only required columns rather than using select * from
Tablexyz.
• Always close Statement and ResultSet objects as soon as possible.
• Write modular classes to handle database interaction specifics.
• Work with DatabaseMetaData to get information about database
functionality.
• Softcode database specific parameters with, for example,
properties files.
• Always catch AND handle database warnings and exceptions. Be
sure to check for additional pending exceptions.
• Test your code with debug statements to determine the time it
takes to execute your query and so on to help in tuning your code. Also
use query plan functionality if available.
• Use proper ( and a single standard if possible ) formats, especially
for dates.
• Use proper data types for specific kind of data. For example, store
birthdate as a date type rather than, say, varchar.

33) How can I insert multiple rows into a database in a single


transaction?

//turn off the implicit commit

Connection.setAutoCommit(false);
//..your insert/update/delete goes here
Connection.Commit();
a new transaction is implicitly started.

34) How do I convert a java.sql.Timestamp to a java.util.Date?

While Timesteamp extends Date, it stores the fractional part of the


time within itself instead of within the Date superclass. If you need
the partial seconds, you have to add them back in.

Date date = new Date(ts.getTime() + (ts.getNanos() / 1000000 ));

35) What is SQL?

SQL is a standardized language used to create, manipulate, examine, and


manage relational databases.

36) Is Class.forName(Drivername) the only way to load a driver? Can I


instantiate the Driver and use the object of the driver?

Yes, you can use the driver directly. Create an instance of the
driver and use the connect method from the Driver interface. Note
that there may actually be two instances created, due to the
expected standard behavior of drivers when the class is loaded.

37) What's new in JDBC 3.0?

Probably the new features of most interest are:


• Savepoint support
• Reuse of prepared statements by connection pools
• Retrieval of auto-generated keys
• Ability to have multiple open ResultSet objects
• Ability to make internal updates to the data in Blob and Clob
objects
• Ability to Update columns containing BLOB, CLOB, ARRAY and REF
types
• Both java.sql and javax.sql ( JDBC 2.0 Optional Package ) are
expected to be included with J2SE 1.4.

38) Why do I get the message "No Suitable Driver"?

Often the answer is given that the correct driver is not loaded. This
may be the case, but more typically, the JDBC database URL
passed is not properly constructed. When a Connection request is
issued, the DriverManager asks each loaded driver if it understands
the URL sent. If no driver responds that it understands the URL,
then the "No Suitable Driver" message is returned.

39) When I create multiple Statements on my Connection, only the


current Statement appears to be executed. What's the problem?

All JDBC objects are required to be threadsafe. Some drivers,


unfortunately, implement this requirement by processing
Statements serially. This means that additional Statements are not
executed until the preceding Statement is completed.

40) Can a single thread open up mutliple connections simultaneously for


the same database and for same table?

The general answer to this is yes. If that were not true, connection
pools, for example, would not be possible. As always, however, this
is completely dependent on the JDBC driver.

You can find out the theoretical maximum number of active Connections that your
driver can obtain via the DatabaseMetaData.getMaxConnections method.

41) Can I ensure that my app has the latest data?

Typically an application retrieves multiple rows of data, providing a


snapshot at an instant of time. Before a particular row is operated
upon, the actual data may have been modified by another
program. When it is essential that the most recent data is provided,
a JDBC 2.0 driver provides the ResultSet.refreshRow method.

42) What does normalization mean for java.sql.Date and java.sql.Time?

These classes are thin wrappers extending java.util.Date, which has


both date and time components. java.sql.Date should carry only
date information and a normalized instance has the time
information set to zeros. java.sql.Time should carry only time
information and a normalized instance has the date set to the Java
epoch ( January 1, 1970 ) and the milliseconds portion set to zero.

43) What's the best way, in terms of performance, to do multiple


insert/update statements, a PreparedStatement or Batch Updates?

Because PreparedStatement objects are precompiled, their


execution can be faster than that of Statement objects.
Consequently, an SQL statement that is executed many times is
often created as a PreparedStatement object to increase efficiency.

A CallableStatement object provides a way to call stored


procedures in a standard manner for all DBMSes. Their execution
can be faster than that of PreparedStatement object.
Batch updates are used when you want to execute multiple
statements together. Actually, there is no conflict here. While it
depends on the driver/DBMS engine as to whether or not you will
get an actual performance benefit from batch updates, Statement,
PreparedStatement, and CallableStatement can all execute the
addBatch() method.

44) What is JDO?

JDO provides for the transparent persistence of data in a data store


agnostic manner, supporting object, hierarchical, as well as
relational stores.

45) What is the difference between setMaxRows(int) and


SetFetchSize(int)? Can either reduce processing time?

setFetchSize(int) defines the number of rows that will be read from


the database when the ResultSet needs more rows. The method in
the java.sql.Statement interface will set the 'default' value for all
the ResultSet derived from that Statement; the method in the
java.sql.ResultSet interface will override that value for a specific
ResultSet. Since database fetches can be expensive in a networked
environment, fetch size has an impact on performance.

setMaxRows(int) sets the limit of the maximum nuber of rows in a


ResultSet object. If this limit is exceeded, the excess rows are
"silently dropped". That's all the API says, so the setMaxRows
method may not help performance at all other than to decrease
memory usage. A value of 0 (default) means no limit.

46) What is DML?

DML is an abbreviation for Data Manipulation Language. This


portion of the SQL standard is concerned with manipulating the
data in a database as opposed to the structure of a database. The
core verbs for DML are SELECT, INSERT, DELETE, UPDATE,
COMMIT and ROLLBACK.

47) What is DDL?

DDL is an abbreviation for Data Definition Language. This portion of the SQL
standard is concerned with the creation, deletion and modification of database
objects like tables, indexes and views. The core verbs for DDL are CREATE, ALTER
and DROP. While most DBMS engines allow DDL to be used dynamically ( and
available to JDBC ), it is often not supported in transactions.

48) How can I get information about foreign keys used in a table?

DatabaseMetaData.getImportedKeys() returns a ResultSet with data about


foreign key columns, tables, sequence and update and delete rules.

49) How do I disallow NULL values in a table?

Null capability is a column integrity constraint, normally aplied at


table creation time. Note that some databases won't allow the
constraint to be applied after table creation. Most databases allow a
default value for the column as well. The following SQL statement
displays the NOT NULL constraint:

CREATE TABLE CoffeeTable (


Type VARCHAR(25) NOT NULL,
Pounds INTEGER NOT NULL,
Price NUMERIC(5, 2) NOT NULL
)

50) What isolation level is used by the DBMS when inserting, updating
and selecting rows from a database?

The answer depends on both your code and the DBMS. If the program does not
explicitly set the isolation level, the DBMS default is used. You can determine the
default using DatabaseMetaData.getDefaultTransactionIsolation() and the level
for the current Connection with Connection.getTransactionIsolation(). If the
default is not appropriate for your transaction, change it with
Connection.setTransactionIsolation(int level).

Establishing a Connection
First, you need to establish a connection with the DBMS you want to use. Typically, a
JDBC™ application connects to a target data source using one of two mechanisms:
• DriverManager: This fully implemented class requires an application to load
a specific driver, using a hardcoded URL. As part of its initialization, the
DriverManager class attempts to load the driver classes referenced in the
jdbc.drivers system property. This allows you to customize the JDBC
Drivers used by your applications.
• DataSource: This interface is preferred over DriverManager because it
allows details about the underlying data source to be transparent to your
application. A DataSource object's properties are set so that it represents a
particular data source.

Establishing a connection involves two steps: Loading the driver, and making the
connection.

Loading the Driver

Loading the driver you want to use is very simple. It involves just one line of code in
your program. To use the Java DB driver, add the following line of code:

Class.forName("org.apache.derby.jdbc.EmbeddedDriver");

Your driver documentation provides the class name to use. In the example above,
EmbeddedDriver is one of the drivers for Java DB.

Calling the Class.forName automatically creates an instance of a driver and registers


it with the DriverManager, so you don't need to create an instance of the class. If you
were to create your own instance, you would be creating an unnecessary duplicate,
but it would do no harm.

After you have loaded a driver, it can make a connection with a DBMS.

Making the Connection

The second step in establishing a connection is to have the appropriate driver connect
to the DBMS.

Using the DriverManager Class

The DriverManager class works with the Driver interface to manage the set of
drivers available to a JDBC client. When the client requests a connection and provides
a URL, the DriverManager is responsible for finding a driver that recognizes the
URL and for using it to connect to the corresponding data source. Connection URLs
have the following form:

jdbc:derby:<dbName>[propertyList]

The dbName portion of the URL identifies a specific database. A database can be in
one of many locations: in the current working directory, on the classpath, in a JAR
file, in a specific Java DB database home directory, or in an absolute location on your
file system.
If you are using a vendor-specific driver, such as Oracle, the documentation will tell
you what subprotocol to use, that is, what to put after jdbc: in the JDBC URL. For
example, if the driver developer has registered the name OracleDriver as the
subprotocol, the first and second parts of the JDBC URL will be
jdbc.driver.OracleDriver . The driver documentation will also give you
guidelines for the rest of the JDBC URL. This last part of the JDBC URL supplies
information for identifying the data source.

The getConnection method establishes a connection:

Connection conn = DriverManager.getConnection("jdbc:derby:COFFEES");

In place of " myLogin " you insert the name you use to log in to the DBMS; in place
of " myPassword " you insert your password for the DBMS. So, if you log in to your
DBMS with a login name of " Fernanda " and a password of " J8, " just these two
lines of code will establish a connection:

String url = "jdbc:derby:Fred";


Connection con = DriverManager.getConnection(url, "Fernanda", "J8");

If one of the drivers you loaded recognizes the JDBC URL supplied to the method
DriverManager.getConnection, that driver establishes a connection to the DBMS
specified in the JDBC URL. The DriverManager class, true to its name, manages all
of the details of establishing the connection for you behind the scenes. Unless you are
writing a driver, you probably won't use any of the methods in the interface Driver,
and the only DriverManager method you really need to know is
DriverManager.getConnection

The connection returned by the method DriverManager.getConnection is an open


connection you can use to create JDBC statements that pass your SQL statements to
the DBMS. In the previous example, con is an open connection, and you use it in the
examples that follow.

Using a DataSource Object for a connection


Using a DataSource object increases application portability by making it possible for
an application to use a logical name for a data source instead of having to supply
information specific to a particular driver. The following example shows how to use a
DataSource to establish a connection:

You can configure a DataSource using a tool or manually. For example, Here is an
example of a DataSource lookup:

InitialContext ic = new InitialContext()

DataSource ds = ic.lookup("java:comp/env/jdbc/myDB");
Connection con = ds.getConnection();
DataSource ds = (DataSource)
org.apache.derby.jdbc.ClientDataSource()
ds.setPort(1527);
ds.setHost("localhost");
ds.setUser("APP")
ds.setPassword("APP");
Connection con = ds.getConnection();

DataSource implementations must provide getter and setter methods for each
property they support. These properties typically are initialized when the DataSource
object is deployed.

VendorDataSource vds = new VendorDataSource();


vds.setServerName("my_database_server");
String name = vds.getServerName();

JDBC-ODBC Bridge Driver

For normal use, you should obtain a commercial JDBC driver from a vendor such as
your database vendor or your database middleware vendor. The JDBC-ODBC Bridge
driver provided with JDBC is recommended only for development and testing, or
when no other alternative is available.

You might also like