Internal Server Error (circular reference detected while serializing: ....

Hello Folks -
I am trying to implement both ManyToMany and OneToMany relationships in J2EE EJB3.0.
My application client has no problems, but when I expose my session bean methods as WebServices, I constantly run into this circular reference error.
My example tables are simple:
CREATE TABLE CLUB
ID NUMBER NOT NULL,
NAME VARCHAR2(100 BYTE) NOT NULL,
CITY VARCHAR2(100 BYTE) NOT NULL,
COUNTRY VARCHAR2(100 BYTE) NOT NULL
TABLESPACE USERS
PCTUSED 0
PCTFREE 10
INITRANS 1
MAXTRANS 255
STORAGE (
INITIAL 64K
MINEXTENTS 1
MAXEXTENTS 2147483645
PCTINCREASE 0
BUFFER_POOL DEFAULT
CREATE UNIQUE INDEX CLUB_PK ON CLUB
(ID)
TABLESPACE USERS
PCTFREE 10
INITRANS 2
MAXTRANS 255
STORAGE (
INITIAL 64K
MINEXTENTS 1
MAXEXTENTS 2147483645
PCTINCREASE 0
BUFFER_POOL DEFAULT
CREATE UNIQUE INDEX CLUB_UK1 ON CLUB
(NAME, COUNTRY)
TABLESPACE USERS
PCTFREE 10
INITRANS 2
MAXTRANS 255
STORAGE (
INITIAL 64K
MINEXTENTS 1
MAXEXTENTS 2147483645
PCTINCREASE 0
BUFFER_POOL DEFAULT
ALTER TABLE CLUB ADD (
CONSTRAINT CLUB_PK
PRIMARY KEY
(ID)
USING INDEX
TABLESPACE USERS
PCTFREE 10
INITRANS 2
MAXTRANS 255
STORAGE (
INITIAL 64K
MINEXTENTS 1
MAXEXTENTS 2147483645
PCTINCREASE 0
ALTER TABLE CLUB ADD (
CONSTRAINT CLUB_UK1
UNIQUE (NAME, COUNTRY)
USING INDEX
TABLESPACE USERS
PCTFREE 10
INITRANS 2
MAXTRANS 255
STORAGE (
INITIAL 64K
MINEXTENTS 1
MAXEXTENTS 2147483645
PCTINCREASE 0
CREATE TABLE CONTRACTPERIOD
ID NUMBER NOT NULL,
PYR_ID NUMBER NOT NULL,
CUB_ID NUMBER NOT NULL,
START_DATE DATE NOT NULL,
END_DATE DATE
TABLESPACE USERS
PCTUSED 0
PCTFREE 10
INITRANS 1
MAXTRANS 255
STORAGE (
INITIAL 64K
MINEXTENTS 1
MAXEXTENTS 2147483645
PCTINCREASE 0
BUFFER_POOL DEFAULT
CREATE UNIQUE INDEX CONTRACTPERIOD_PK ON CONTRACTPERIOD
(ID)
TABLESPACE USERS
PCTFREE 10
INITRANS 2
MAXTRANS 255
STORAGE (
INITIAL 64K
MINEXTENTS 1
MAXEXTENTS 2147483645
PCTINCREASE 0
BUFFER_POOL DEFAULT
ALTER TABLE CONTRACTPERIOD ADD (
CONSTRAINT CONTRACTPERIOD_PK
PRIMARY KEY
(ID)
USING INDEX
TABLESPACE USERS
PCTFREE 10
INITRANS 2
MAXTRANS 255
STORAGE (
INITIAL 64K
MINEXTENTS 1
MAXEXTENTS 2147483645
PCTINCREASE 0
ALTER TABLE CONTRACTPERIOD ADD (
CONSTRAINT CONTRACTPERIOD_FK
FOREIGN KEY (PYR_ID)
REFERENCES PLAYER (ID)
ON DELETE CASCADE);
ALTER TABLE CONTRACTPERIOD ADD (
CONSTRAINT CONTRACTPERIOD_FK2
FOREIGN KEY (CUB_ID)
REFERENCES CLUB (ID)
ON DELETE CASCADE);
CREATE TABLE PLAYER
ID NUMBER NOT NULL,
FIRSTNAME VARCHAR2(30 BYTE) NOT NULL,
LASTNAME VARCHAR2(30 BYTE) NOT NULL,
NATIONALITY VARCHAR2(30 BYTE) NOT NULL,
BIRTHDATE DATE NOT NULL
TABLESPACE USERS
PCTUSED 0
PCTFREE 10
INITRANS 1
MAXTRANS 255
STORAGE (
INITIAL 64K
MINEXTENTS 1
MAXEXTENTS 2147483645
PCTINCREASE 0
BUFFER_POOL DEFAULT
CREATE UNIQUE INDEX PLAYERS_PK ON PLAYER
(ID)
TABLESPACE USERS
PCTFREE 10
INITRANS 2
MAXTRANS 255
STORAGE (
INITIAL 64K
MINEXTENTS 1
MAXEXTENTS 2147483645
PCTINCREASE 0
BUFFER_POOL DEFAULT
ALTER TABLE PLAYER ADD (
CONSTRAINT PLAYERS_PK
PRIMARY KEY
(ID)
USING INDEX
TABLESPACE USERS
PCTFREE 10
INITRANS 2
MAXTRANS 255
STORAGE (
INITIAL 64K
MINEXTENTS 1
MAXEXTENTS 2147483645
PCTINCREASE 0
Also the Stateless session bean is simple:
package demo;
import java.util.Collection;
import java.util.List;
import javax.ejb.Stateless;
import javax.jws.WebService;
import javax.persistence.EntityManager;
import javax.persistence.EntityManagerFactory;
import javax.persistence.EntityTransaction;
import javax.persistence.Persistence;
import javax.persistence.Query;
@Stateless
@WebService
public class JavaServiceFacade {
private EntityManagerFactory emf = Persistence.createEntityManagerFactory("demo-1");
public JavaServiceFacade() {
public static void main(String [] args) {
final JavaServiceFacade javaServiceFacade = new JavaServiceFacade();
// TODO: Call methods on javaServiceFacade here...
Collection<Player> playerCollection = javaServiceFacade.queryPlayerFindAll();
for (Player player : playerCollection){
System.out.println(player.getFirstname()+" "+player.getLastname()+"\n");
Collection<Club> clubCollection = (Collection<Club>)javaServiceFacade.queryClubFindAll();
for (Club club : clubCollection){
System.out.println(club.getName()+"\n");
List<Contractperiod> contractperiodList= player.getContractperiodList();
for (Contractperiod contractperiod : contractperiodList){
System.out.println("contracts: "+ contractperiod.getClub().getName() + ": from: "
contractperiod.getStartDate()" to: " contractperiod.getEndDate() "\n");
private EntityManager getEntityManager() {
return emf.createEntityManager();
public Object mergeEntity(Object entity) {
final EntityManager em = getEntityManager();
try {
final EntityTransaction et = em.getTransaction();
try {
et.begin();
em.merge(entity);
et.commit();
} finally {
if (et != null && et.isActive()) {
entity = null;
et.rollback();
} finally {
if (em != null && em.isOpen()) {
em.close();
return entity;
public Object persistEntity(Object entity) {
final EntityManager em = getEntityManager();
try {
final EntityTransaction et = em.getTransaction();
try {
et.begin();
em.persist(entity);
et.commit();
} finally {
if (et != null && et.isActive()) {
entity = null;
et.rollback();
} finally {
if (em != null && em.isOpen()) {
em.close();
return entity;
/** <code>select o from Club o</code> */
public List<Club> queryClubFindAll() {
Query query = getEntityManager().createNamedQuery("Club.findAll");
return (List<Club>) query.getResultList();
public void removeClub(Club club) {
final EntityManager em = getEntityManager();
try {
final EntityTransaction et = em.getTransaction();
try {
et.begin();
club = em.find(Club.class, club.getId());
et.commit();
} finally {
if (et != null && et.isActive()) {
et.rollback();
} finally {
if (em != null && em.isOpen()) {
em.close();
/** <code>select o from Contractperiod o</code> */
public List<Contractperiod> queryContractperiodFindAll() {
Query query = getEntityManager().createNamedQuery("Contractperiod.findAll");
return (List<Contractperiod>) query.getResultList();
public void removeContractperiod(Contractperiod contractperiod) {
final EntityManager em = getEntityManager();
try {
final EntityTransaction et = em.getTransaction();
try {
et.begin();
contractperiod = em.find(Contractperiod.class, contractperiod.getId());
et.commit();
} finally {
if (et != null && et.isActive()) {
et.rollback();
} finally {
if (em != null && em.isOpen()) {
em.close();
/** <code>select o from Player o</code> */
public List<Player> queryPlayerFindAll() {
Query query = getEntityManager().createNamedQuery("Player.findAll");
return (List<Player>) query.getResultList();
public void removePlayer(Player player) {
final EntityManager em = getEntityManager();
try {
final EntityTransaction et = em.getTransaction();
try {
et.begin();
player = em.find(Player.class, player.getId());
et.commit();
} finally {
if (et != null && et.isActive()) {
et.rollback();
} finally {
if (em != null && em.isOpen()) {
em.close();
public void removeClub(Club player) {
final EntityManager em = getEntityManager();
try {
final EntityTransaction et = em.getTransaction();
try {
et.begin();
player = em.find(Player.class, player.getId());
et.commit();
} finally {
if (et != null && et.isActive()) {
et.rollback();
} finally {
if (em != null && em.isOpen()) {
em.close();
(A few commented lines, as I tried both OneToMany and ManyToMany...)
my Webservice result, after deploying to OC4J Standalone, is always the same:
Entity Beans:
package demo;
import java.io.Serializable;
import java.util.Collection;
import java.util.List;
import javax.persistence.CascadeType;
import javax.persistence.Column;
import javax.persistence.Entity;
import javax.persistence.Id;
import javax.persistence.ManyToMany;
import javax.persistence.NamedQuery;
import javax.persistence.OneToMany;
@Entity
@NamedQuery(name = "Club.findAll", query = "select o from Club o")
public class Club implements Serializable {
@Column(nullable = false)
private String city;
@Column(nullable = false)
private String country;
@Id
@Column(nullable = false)
private Long id;
@Column(nullable = false)
private String name;
@ManyToMany(mappedBy = "clubCollection",cascade={CascadeType.PERSIST})
private Collection<Player> playerCollection;
public Club() {
public String getCity() {
return city;
public void setCity(String city) {
this.city = city;
public String getCountry() {
return country;
public void setCountry(String country) {
this.country = country;
public Long getId() {
return id;
public void setId(Long id) {
this.id = id;
public String getName() {
return name;
public void setName(String name) {
this.name = name;
public Collection<Player> getPlayerCollection() {
return playerCollection;
public void setPlayerCollection(Collection<Player> playerCollection) {
this.playerCollection = playerCollection;
public Contractperiod addContractperiod(Contractperiod contractperiod) {
getContractperiodList().add(contractperiod);
contractperiod.setClub(this);
return contractperiod;
public Contractperiod removeContractperiod(Contractperiod contractperiod) {
getContractperiodList().remove(contractperiod);
contractperiod.setClub(null);
return contractperiod;
package demo;
import java.io.Serializable;
import java.sql.Timestamp;
import javax.persistence.Column;
import javax.persistence.Entity;
import javax.persistence.Id;
import javax.persistence.JoinColumn;
import javax.persistence.ManyToOne;
import javax.persistence.NamedQuery;
@Entity
@NamedQuery(name = "Contractperiod.findAll",
query = "select o from Contractperiod o")
public class Contractperiod implements Serializable {
@Column(name="END_DATE")
private Timestamp endDate;
@Id
@Column(nullable = false)
private Long id;
@Column(name="START_DATE", nullable = false)
private Timestamp startDate;
@ManyToOne
@JoinColumn(name = "PYR_ID", referencedColumnName = "ID")
private Player player;
@ManyToOne
@JoinColumn(name = "CUB_ID", referencedColumnName = "ID")
private Club club;
public Contractperiod() {
public Timestamp getEndDate() {
return endDate;
public void setEndDate(Timestamp endDate) {
this.endDate = endDate;
public Long getId() {
return id;
public void setId(Long id) {
this.id = id;
public Timestamp getStartDate() {
return startDate;
public void setStartDate(Timestamp startDate) {
this.startDate = startDate;
public Player getPlayer() {
return player;
public void setPlayer(Player player) {
this.player = player;
public Club getClub() {
return club;
public void setClub(Club club) {
this.club = club;
package demo;
import java.io.Serializable;
import java.sql.Timestamp;
import java.util.Collection;
import java.util.List;
import javax.persistence.CascadeType;
import javax.persistence.Column;
import javax.persistence.Entity;
import javax.persistence.Id;
import javax.persistence.JoinColumn;
import javax.persistence.JoinTable;
import javax.persistence.ManyToMany;
import javax.persistence.NamedQuery;
import javax.persistence.OneToMany;
@Entity
@NamedQuery(name = "Player.findAll", query = "select o from Player o")
public class Player implements Serializable {
@Column(nullable = false)
private Timestamp birthdate;
@Column(nullable = false)
private String firstname;
@Id
@Column(nullable = false)
private Long id;
@Column(nullable = false)
private String lastname;
@Column(nullable = false)
private String nationality;
@ManyToMany
@JoinTable(name="CONTRACTPERIOD",
joinColumns=@JoinColumn(name="PYR_ID"),
inverseJoinColumns=@JoinColumn(name="CUB_ID"))
private Collection<Club> clubCollection;
public Player() {
public Timestamp getBirthdate() {
return birthdate;
public void setBirthdate(Timestamp birthdate) {
this.birthdate = birthdate;
public String getFirstname() {
return firstname;
public void setFirstname(String firstname) {
this.firstname = firstname;
public Long getId() {
return id;
public void setId(Long id) {
this.id = id;
public String getLastname() {
return lastname;
public void setLastname(String lastname) {
this.lastname = lastname;
public String getNationality() {
return nationality;
public void setNationality(String nationality) {
this.nationality = nationality;
public Collection<Club> getClubCollection() {
return clubCollection;
public void setClubCollection(Collection<Club> clubCollection) {
this.clubCollection = clubCollection;
public Contractperiod addContractperiod(Contractperiod contractperiod) {
getContractperiodList().add(contractperiod);
contractperiod.setPlayer(this);
return contractperiod;
public Contractperiod removeContractperiod(Contractperiod contractperiod) {
getContractperiodList().remove(contractperiod);
contractperiod.setPlayer(null);
return contractperiod;
<env:Envelope
xmlns:env="http://schemas.xmlsoap.org/soap/envelope/"
xmlns:xsd="http://www.w3.org/2001/XMLSchema"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xmlns:ns0="http://demo/">
<env:Body>
<env:Fault>
<faultcode>env:Server</faultcode>
<faultstring>Internal Server Error (circular reference detected while serializing: demo.Contractperiod)</faultstring>
</env:Fault>
</env:Body>
</env:Envelope>
Anyone else run into this Troll?
All suggestions(almost all) received with thanks.
Regards,
Charles
Some strange error messages in Diagnostic Logs:
Log Message: September 18, 2006 3:58:02 PM CEST
     Component Name          OC4J          Component ID          j2ee
     Host Network Address          192.168.1.69          Message Level          1
     Module ID          home_ejb.transaction          User ID          Charles
     Execution Context ID          192.168.1.69:35920:1158587882221:405          Execution Context Sequence          0
     Host Name          vmware          Message ID          J2EE EJB-08006
     Thread ID          44          Message Type          Error
     J2EE Application Module          OraPorterAPIdeploy          J2EE Application          OraPorterAPIdeploy
     Web Service Port          JavaServiceFacade          Web Service Name          JavaServiceFacadeService
Message Text
[JavaServiceFacade:public java.util.List demo.JavaServiceFacade.queryClubFindAll()] exception occurred during method invocation: oracle.
Supplemental Text
oracle.oc4j.rmi.OracleRemoteException: java.lang.IllegalStateException: ClassLoader "OraPorterAPIdeploy.root:0.0.0" (from <application>
in /C:/Oracle/oc4j/j2ee/home/applications/OraPorterAPIdeploy/): This loader has been closed and should not be in use.
Nested exception is:
java.lang.IllegalStateException: ClassLoader "OraPorterAPIdeploy.root:0.0.0" (from <application> in /C:/Oracle/oc4j/j2ee/home/applications/OraPorterAPIdeploy/):
This loader has been closed and should not be in use.
........This loader has been
closed and should not be in use.; nested exception is:
java.lang.IllegalStateException: ClassLoader
Message was edited by:
promise
Message was edited by:
promise

Hei Guys -
I see that the ClassLoader exceptions are known, and are "to be ignored".
I left a reference to them, in case they play into our problems anyway.....
"java.lang.IllegalStateException: ClassLoader" - known harmless bug... ?
Best Regards,
Charles

Similar Messages

  • Server Error (circular reference detected while serializing: )

    Hi,
    I just installed OC4J and it looks great. I have a problem however ...
    I used JBuilder to generate entity beans from database. Then I generated a session bean with facade methods, and finally I created a session bean which injects the facade and is annotated with @WebService to publish a method (so that I could test the entity).
    However, when trying to run findAllEmployees() I get this error returned:
    <?xml version="1.0" encoding="UTF-8"?>
    <env:Envelope xmlns:env="http://schemas.xmlsoap.org/soap/envelope/" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:ns0="http://logic.porter.xait.no/" xmlns:ns1="http://www.oracle.com/webservices/internal/literal"><env:Body><env:Fault><faultcode>env:Server</faultcode><faultstring>Internal Server Error (circular reference detected while serializing: no.bie.persistence.Employee)</faultstring></env:Fault></env:Body></env:Envelope>
    I suspect this has something to do with the relationships between tables (@OneToMany etc.) -- but does anyone have more information on what would cause this problem and how to fix it?
    Thanks!

    Hei Guys -
    I see that the ClassLoader exceptions are known, and are "to be ignored".
    I left a reference to them, in case they play into our problems anyway.....
    "java.lang.IllegalStateException: ClassLoader" - known harmless bug... ?
    Best Regards,
    Charles

  • Circular reference detected while serializing

    I have been trying hard to get this resolved this, but haven't reached to any conclusion.
    Here is my situation.
    I have two entities called Parent and Child, where parent has a refernce to many child and child has one parent so inturn there is OneToMany(Bidirectional) relationship between them. When i expose this as a webservice I get the following exception :
    <faultstring>Internal Server Error (circular reference detected while serializing: com.thoughtclicks.Parent)</faultstring>
    This error occurs incase i expose the service as Document/Literal, incase i expose this service as RPC Encoded then this exception doesn�t occurs and everything is fine, but Axis2 doesn;t support client generation for RPC/Encoded so again a problem.
    Also, I have already tried putting @XMLTransient annotation on getChild() of the Parent class, but it doesn�t help and i continue getting the same error.
    Let me know if there is a work around for this solution.
    Any pointers are highly appreciated.
    Thanks,
    Rahul

    Hello,
    You might want to post this in the JDev/ADF forum, as it is not related to TopLink/JPA. The error seems to indicate that you are getting the problem because it is finding Location has a reference to an association that has a reference back to the same location, causing a problem when creating the copies for serialization. I am not familar with this problem, but there is likely a way to mark one of these references as transient to the serialization process so that it is no longer a loop - yet can still be used in your object model and in JPA. Something like @XmlTransient for JAXB.
    Best Regards,
    Chris

  • An internal server error has been detected. Please try your operation again. (EC )

    After I choose I do not want to enter payment information, it says
    An internal server error has been detected. Please try your operation again. (EC)
    So it looks I can't even download free apps.

    Hi vinisaac,
    Welcome to the BlackBerry Support Community.
    Could you please provide more information so I can assist you better? What version of BlackBerry App World do you have installed and what version of BlackBerry Device Software do you have?
    Thanks.
    -FS
    Come follow your BlackBerry Technical Team on Twitter! @BlackBerryHelp
    Be sure to click Kudos! for those who have helped you.
    Click Solution? for posts that have solved your issue(s)!

  • 500 SAP Internal Server Error, in WD report while launching SC in SRM 7.01

    Dear SAP WD Gurus,
    We have recently upgraded the SRM 7.0 to EHP1 after that we are getting ths below
    We have created Z WD application genarating report in SRM 7.0, we have provided a hytep link in row to display shopping cart in the report. on click of display we are getting error as below on Browser (Portal)
    500 SAP Internal Server Error
    ERROR: WebDynpro Exception: URLhttp//  XXXXXX  may contain fatal script (termination: RABAX_STATE)
    where the URL is properly working fine if we run through browser.
    and even getting dump as below
    What happened?
        The exception 'CX_WD_GENERAL' was raised, but it was not caught anywhere along
        the call hierarchy.
        Since exceptions represent error situations and this error was not
        adequately responded to, the running ABAP program
         'CX_WD_GENERAL=================CP' has to be
        terminated.
    Error analysis
        An exception occurred which is explained in detail below.
        The exception, which is assigned to class 'CX_WD_GENERAL', was not caught and
        therefore caused a runtime error.
        The reason for the exception is:
        WebDynpro Exception: URL
        http://isvsapeadev.ad.infosys.com:50200/irj/portal/infysrm?navigationtarget=rol
        ES%3A%2F%2Fportal_content%2Fcom.infy.nonsparsh%2Fcom.infy.srm%2Froles%2Fcom.inf
        y.requisitioning_urp_general%2Ffl_navi%2Fcom.sap.pct.srm.core.iv_shoppro
    Please help in resolving this
    Thanks in advance
    Vinod
    Edited by: Vinod Malagi on Jan 11, 2012 11:27 AM

    Hi Vindo,
    FYI this is the wrong forum. Even though the problem started taking place after an UPG/EHP, this is still a matter for the Portal team, not the ugprade one
    Anyhow I'll try to help you. This dump is mostly seen when you call the webdynpro from a non-supported browser. Please check PAM (http://service.sap.com/PAM) for the supported ones.
    Are you using a SM59 call to the WD? You can not connect to a Webdynpro
    application via SM59 as SM59 is not a supported. You can only use the browser visible in the PAM to access WD. /* e.G. IE 6.0, IE 7.0, Firefox */
    I hope this helps
    Best regards,
    Tomas Black

  • Internal server error while raising a claim request.

    Dear All,
    I am using claims and we have implemented badi for finding the approver and sending the request.
    Here after implementing the Badi, i am getting internal server error as this.
    While processing the current request, an exception occured which could not be handled by the application or the framework.
    If the information contained on this page doesn't help you to find and correct the cause of the problem, please contact your system administrator. To facilitate analysis of the problem, keep a copy of this error page. Hint: Most browsers allow to select all content, copy it and then paste it into an empty document (e.g. email or simple text file).
    Root Cause
    The initial exception that caused the request to fail, was:
       com.sap.tc.webdynpro.modelimpl.dynamicrfc.WDDynamicRFCExecuteException: Error in module RSQL of the database interface., error key: RFC_ERROR_SYSTEM_FAILURE
        at java.lang.Throwable.<init>(Throwable.java:179)
        at java.lang.Error.<init>(Error.java:37)
        at com.sap.pcuigp.xssfpm.java.FPMRuntimeException.<init>(FPMRuntimeException.java:46)
        at com.sap.pcuigp.xssfpm.java.MessageManager.raiseException(MessageManager.java:103)
        at com.sap.ess.in.claims.fc.FcPowerClaims.callRFC_Emp_Action(FcPowerClaims.java:421)
        ... 53 more
    See full exception chain for details.
    System Environment
    Client
    Web Dynpro Client Type HTML Client
    User agent Mozilla/4.0 (compatible; MSIE 7.0; Windows NT 5.1; GTB5; QS 4.2.2.3; .NET CLR 1.1.4322; .NET CLR 2.0.50727; .NET CLR 3.0.04506.30; .NET CLR 3.0.04506.648)
    Version null
    DOM version null
    Client Type msie7
    Client Type Profile ie6
    ActiveX enabled
    Cookies enabled
    Frames enabled
    Java Applets enabled
    JavaScript enabled
    Tables enabled
    VB Script enabled
    Server
    Web Dynpro Runtime Vendor: SAP, build ID: 7.0017.20080829103545.0000 (release=645_VAL_REL, buildtime=2008-09-17:13:14:54[UTC], changelist=499141, host=pwdfm101), build date: Fri Mar 13 11:09:42 IST 2009
    J2EE Engine 7.00 patchlevel 112614.44
    Java VM Classic VM, version:1.4, vendor: IBM Corporation
    Operating system OS/400, version: V6R1M0, architecture: PowerPC
    Session & Other
    Session Locale en_US
    Time of Failure Thu Apr 23 18:47:54 IST 2009 (Java Time: 1240492674705)
    Web Dynpro Code Generation Infos
    sap.com/pb
    SapDictionaryGenerationCore 7.0017.20061002105236.0000 (release=645_VAL_REL, buildtime=2008-09-17:13:01:31[UTC], changelist=419377, host=PWDFM101.wdf.sap.corp)
    SapDictionaryGenerationTemplates 7.0017.20061002105236.0000 (release=645_VAL_REL, buildtime=2008-09-17:13:01:37[UTC], changelist=419377, host=PWDFM101.wdf.sap.corp)
    SapGenerationFrameworkCore 7.0017.20060719095755.0000 (release=645_VAL_REL, buildtime=2008-09-17:12:48:53[UTC], changelist=411255, host=PWDFM101.wdf.sap.corp)
    SapIdeWebDynproCheckLayer 7.0017.20080801093115.0000 (release=645_VAL_REL, buildtime=2008-09-17:13:07:06[UTC], changelist=495367, host=PWDFM101.wdf.sap.corp)
    SapMetamodelCommon 7.0017.20061002105432.0000 (release=645_VAL_REL, buildtime=2008-09-17:12:49:40[UTC], changelist=419384, host=PWDFM101.wdf.sap.corp)
    SapMetamodelCore 7.0017.20061002105432.0000 (release=645_VAL_REL, buildtime=2008-09-17:12:49:34[UTC], changelist=419384, host=PWDFM101.wdf.sap.corp)
    SapMetamodelDictionary 7.0017.20060719095619.0000 (release=645_VAL_REL, buildtime=2008-09-17:12:58:48[UTC], changelist=411251, host=PWDFM101.wdf.sap.corp)
    SapMetamodelWebDynpro 7.0017.20080801093120.0000 (release=645_VAL_REL, buildtime=2008-09-17:13:03:59[UTC], changelist=495368, host=PWDFM101.wdf.sap.corp)
    SapWebDynproGenerationCTemplates 7.0017.20080829103545.0000 (release=645_VAL_REL, buildtime=2008-09-17:13:16:41[UTC], changelist=499141, host=pwdfm101)
    SapWebDynproGenerationCore 7.0017.20080801093115.0000 (release=645_VAL_REL, buildtime=2008-09-17:13:07:12[UTC], changelist=495367, host=PWDFM101.wdf.sap.corp)
    SapWebDynproGenerationTemplates 7.0017.20080829103545.0000 (release=645_VAL_REL, buildtime=2008-09-17:13:16:41[UTC], changelist=499141, host=pwdfm101)
    sap.com/tcwddispwda
    No information available null
    sap.com/pb_api
    SapDictionaryGenerationCore 7.0017.20061002105236.0000 (release=645_VAL_REL, buildtime=2008-09-17:13:01:31[UTC], changelist=419377, host=PWDFM101.wdf.sap.corp)
    SapDictionaryGenerationTemplates 7.0017.20061002105236.0000 (release=645_VAL_REL, buildtime=2008-09-17:13:01:37[UTC], changelist=419377, host=PWDFM101.wdf.sap.corp)
    SapGenerationFrameworkCore 7.0017.20060719095755.0000 (release=645_VAL_REL, buildtime=2008-09-17:12:48:53[UTC], changelist=411255, host=PWDFM101.wdf.sap.corp)
    SapIdeWebDynproCheckLayer 7.0017.20080801093115.0000 (release=645_VAL_REL, buildtime=2008-09-17:13:07:06[UTC], changelist=495367, host=PWDFM101.wdf.sap.corp)
    SapMetamodelCommon 7.0017.20061002105432.0000 (release=645_VAL_REL, buildtime=2008-09-17:12:49:40[UTC], changelist=419384, host=PWDFM101.wdf.sap.corp)
    SapMetamodelCore 7.0017.20061002105432.0000 (release=645_VAL_REL, buildtime=2008-09-17:12:49:34[UTC], changelist=419384, host=PWDFM101.wdf.sap.corp)
    SapMetamodelDictionary 7.0017.20060719095619.0000 (release=645_VAL_REL, buildtime=2008-09-17:12:58:48[UTC], changelist=411251, host=PWDFM101.wdf.sap.corp)
    SapMetamodelWebDynpro 7.0017.20080801093120.0000 (release=645_VAL_REL, buildtime=2008-09-17:13:03:59[UTC], changelist=495368, host=PWDFM101.wdf.sap.corp)
    SapWebDynproGenerationCTemplates 7.0017.20080829103545.0000 (release=645_VAL_REL, buildtime=2008-09-17:13:16:41[UTC], changelist=499141, host=pwdfm101)
    SapWebDynproGenerationCore 7.0017.20080801093115.0000 (release=645_VAL_REL, buildtime=2008-09-17:13:07:12[UTC], changelist=495367, host=PWDFM101.wdf.sap.corp)
    SapWebDynproGenerationTemplates 7.0017.20080829103545.0000 (release=645_VAL_REL, buildtime=2008-09-17:13:16:41[UTC], changelist=499141, host=pwdfm101)
    sap.com/tcwdcorecomp
    No information available null
    Detailed Error Information
    Detailed Exception Chain
    com.sap.tc.webdynpro.modelimpl.dynamicrfc.WDDynamicRFCExecuteException: Error in module RSQL of the database interface., error key: RFC_ERROR_SYSTEM_FAILURE
         at java.lang.Throwable.<init>(Throwable.java:179)
         at java.lang.Exception.<init>(Exception.java:29)
         at com.sap.exception.BaseException.<init>(BaseException.java:145)
         at com.sap.tc.cmi.exception.CMIException.<init>(CMIException.java:65)
         at com.sap.tc.webdynpro.progmodel.model.api.WDModelException.<init>(WDModelException.java:68)
         at com.sap.tc.webdynpro.modelimpl.rfcadapter.WDRFCException.<init>(WDRFCException.java:54)
         at com.sap.tc.webdynpro.modelimpl.rfcadapter.WDExecuteRFCException.<init>(WDExecuteRFCException.java:57)
         at com.sap.tc.webdynpro.modelimpl.dynamicrfc.WDDynamicRFCExecuteException.<init>(WDDynamicRFCExecuteException.java:71)
         at com.sap.tc.webdynpro.modelimpl.dynamicrfc.WDDynamicRFCExecuteException.<init>(WDDynamicRFCExecuteException.java:43)
         at com.sap.tc.webdynpro.modelimpl.dynamicrfc.DynamicRFCModelClassExecutable.execute(DynamicRFCModelClassExecutable.java:101)
         at com.sap.ess.in.claims.fc.FcPowerClaims.callRFC_Emp_Action(FcPowerClaims.java:392)
         at com.sap.ess.in.claims.fc.FcPowerClaims.performEmpAction(FcPowerClaims.java:1988)
         at com.sap.ess.in.claims.fc.wdp.InternalFcPowerClaims.performEmpAction(InternalFcPowerClaims.java:8022)
         at com.sap.ess.in.claims.fc.FcPowerClaimsInterface.performEmpOperation(FcPowerClaimsInterface.java:398)
         at com.sap.ess.in.claims.fc.wdp.InternalFcPowerClaimsInterface.performEmpOperation(InternalFcPowerClaimsInterface.java:3440)
         at com.sap.ess.in.claims.fc.wdp.InternalFcPowerClaimsInterface$External.performEmpOperation(InternalFcPowerClaimsInterface.java:3616)
         at com.sap.ess.in.claims.vc.powerrequestdetail.VcPowerRequestDetail.aH_Send(VcPowerRequestDetail.java:739)
         at com.sap.ess.in.claims.vc.powerrequestdetail.wdp.InternalVcPowerRequestDetail.aH_Send(InternalVcPowerRequestDetail.java:2947)
         at com.sap.ess.in.claims.vc.powerrequestdetail.VcPowerRequestDetailView.onActionSend(VcPowerRequestDetailView.java:1423)
         at com.sap.ess.in.claims.vc.powerrequestdetail.wdp.InternalVcPowerRequestDetailView.wdInvokeEventHandler(InternalVcPowerRequestDetailView.java:1650)
         at com.sap.tc.webdynpro.progmodel.generation.DelegatingView.invokeEventHandler(DelegatingView.java:87)
         at com.sap.tc.webdynpro.progmodel.controller.Action.fire(Action.java:67)
         at com.sap.tc.webdynpro.clientserver.window.WindowPhaseModel.doHandleActionEvent(WindowPhaseModel.java:420)
         at com.sap.tc.webdynpro.clientserver.window.WindowPhaseModel.processRequest(WindowPhaseModel.java:132)
         at com.sap.tc.webdynpro.clientserver.window.WebDynproWindow.processRequest(WebDynproWindow.java:335)
         at com.sap.tc.webdynpro.clientserver.cal.AbstractClient.executeTasks(AbstractClient.java:143)
         at com.sap.tc.webdynpro.clientserver.session.ApplicationSession.doProcessing(ApplicationSession.java:321)
         at com.sap.tc.webdynpro.clientserver.session.ClientSession.doApplicationProcessingPortal(ClientSession.java:733)
         at com.sap.tc.webdynpro.clientserver.session.ClientSession.doApplicationProcessing(ClientSession.java:668)
         at com.sap.tc.webdynpro.clientserver.session.ClientSession.doProcessing(ClientSession.java:250)
         at com.sap.tc.webdynpro.clientserver.session.RequestManager.doProcessing(RequestManager.java:149)
         at com.sap.tc.webdynpro.clientserver.session.core.ApplicationHandle.doProcessing(ApplicationHandle.java:73)
         at com.sap.tc.webdynpro.portal.pb.impl.AbstractApplicationProxy.sendDataAndProcessActionInternal(AbstractApplicationProxy.java:860)
         at com.sap.tc.webdynpro.portal.pb.impl.localwd.LocalApplicationProxy.sendDataAndProcessAction(LocalApplicationProxy.java:77)
         at com.sap.portal.pb.PageBuilder.updateApplications(PageBuilder.java:1299)
         at com.sap.portal.pb.PageBuilder.SendDataAndProcessAction(PageBuilder.java:326)
         at com.sap.portal.pb.PageBuilder$1.doPhase(PageBuilder.java:868)
         at com.sap.tc.webdynpro.clientserver.window.WindowPhaseModel.processPhaseListener(WindowPhaseModel.java:755)
         at com.sap.tc.webdynpro.clientserver.window.WindowPhaseModel.doPortalDispatch(WindowPhaseModel.java:717)
         at com.sap.tc.webdynpro.clientserver.window.WindowPhaseModel.processRequest(WindowPhaseModel.java:136)
         at com.sap.tc.webdynpro.clientserver.window.WebDynproWindow.processRequest(WebDynproWindow.java:335)
         at com.sap.tc.webdynpro.clientserver.cal.AbstractClient.executeTasks(AbstractClient.java:143)
         at com.sap.tc.webdynpro.clientserver.session.ApplicationSession.doProcessing(ApplicationSession.java:321)
         at com.sap.tc.webdynpro.clientserver.session.ClientSession.doApplicationProcessingStandalone(ClientSession.java:713)
         at com.sap.tc.webdynpro.clientserver.session.ClientSession.doApplicationProcessing(ClientSession.java:666)
         at com.sap.tc.webdynpro.clientserver.session.ClientSession.doProcessing(ClientSession.java:250)
         at com.sap.tc.webdynpro.clientserver.session.RequestManager.doProcessing(RequestManager.java:149)
         at com.sap.tc.webdynpro.serverimpl.defaultimpl.DispatcherServlet.doContent(DispatcherServlet.java:62)
         at com.sap.tc.webdynpro.serverimpl.defaultimpl.DispatcherServlet.doPost(DispatcherServlet.java:53)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:760)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:853)
         at com.sap.engine.services.servlets_jsp.server.HttpHandlerImpl.runServlet(HttpHandlerImpl.java:401)
         at com.sap.engine.services.servlets_jsp.server.HttpHandlerImpl.handleRequest(HttpHandlerImpl.java:266)
         at com.sap.engine.services.httpserver.server.RequestAnalizer.startServlet(RequestAnalizer.java:386)
         at com.sap.engine.services.httpserver.server.RequestAnalizer.startServlet(RequestAnalizer.java:364)
         at com.sap.engine.services.httpserver.server.RequestAnalizer.invokeWebContainer(RequestAnalizer.java:1039)
         at com.sap.engine.services.httpserver.server.RequestAnalizer.handle(RequestAnalizer.java:265)
         at com.sap.engine.services.httpserver.server.Client.handle(Client.java:95)
         at com.sap.engine.services.httpserver.server.Processor.request(Processor.java:175)
         at com.sap.engine.core.service630.context.cluster.session.ApplicationSessionMessageListener.process(ApplicationSessionMessageListener.java:33)
         at com.sap.engine.core.cluster.impl6.session.MessageRunner.run(MessageRunner.java:41)
         at com.sap.engine.core.thread.impl3.ActionObject.run(ActionObject.java:37)
         at com.sap.engine.core.thread.impl3.SingleThread.execute(SingleThread.java:101)
         at com.sap.engine.core.thread.impl3.SingleThread.run(SingleThread.java:172)
    Caused by: com.sap.aii.proxy.framework.core.BaseProxyException: Error in module RSQL of the database interface., error key: RFC_ERROR_SYSTEM_FAILURE
         at java.lang.Throwable.<init>(Throwable.java:179)
         at java.lang.Exception.<init>(Exception.java:29)
         at com.sap.aii.util.misc.api.BaseException.<init>(BaseException.java:96)
         at com.sap.aii.proxy.framework.core.FaultException.<init>(FaultException.java:34)
         at com.sap.aii.proxy.framework.core.SystemFaultException.<init>(SystemFaultException.java:29)
         at com.sap.aii.proxy.framework.core.BaseProxyException.<init>(BaseProxyException.java:39)
         at com.sap.aii.proxy.framework.core.AbstractProxy.send$(AbstractProxy.java:150)
         at com.sap.ess.in.claims.newmodel.HRXSS_IN_NEWCLMS_MODEL.hrxss_In_Cl_Emp_Action(HRXSS_IN_NEWCLMS_MODEL.java:475)
         at com.sap.ess.in.claims.newmodel.Hrxss_In_Cl_Emp_Action_Input.doExecute(Hrxss_In_Cl_Emp_Action_Input.java:137)
         at com.sap.tc.webdynpro.modelimpl.dynamicrfc.DynamicRFCModelClassExecutable.execute(DynamicRFCModelClassExecutable.java:92)
         ... 54 more
    Appreciate any quicker help on this.
    Regards,
    Rajasekar

    Hi,
    Can u give me full details ....
    What is the name of the BADI and ....coding tht you have written in method.
    Cheers
    Vivek

  • Internal Server Error when purchasing an app in Blackberry App World

    I have a Torch 9810. I have been trying to purchase the Baamboo Premium player. If I do it in the app world on my desktop, I get:
    Internal Server Error
    An internal server error has been detected. Please try your operation again. (EC )
    If I try from the app world on my phone, it keeps saying "Please wait" upon selecting purchase until I reboot - waited over 2 hours one day.
    So, it won't let me complete the purchase via my phone or desktop. How can we fix this?

    I think we have made some headway. Apparently, purchases billed to AT&T (my provider) go through Bango, which I did not accept the terms on my phone previously. When trying the purchase, it never prompted until the uninstall/reinstall of app world. Now that I told it I agreed with the terms, I found that it won't go through because I blocked a similar purchase type through my provider (for Facebook credits - apparently through Bango as well).
    So, once I tell it to bill through PayPal, it should work.
    My concern is that even when connecting my phone to my desktop and trying to purchase online, I would just get a cryptic "internal server error".
    Thanks for your help! This should solve it now - have to wait until payday.

  • Internal Server Error - MoneyMenttor

    Que tal, 
    Compré una app (MoneyMenttor Premium) y al descargarla me marca el siguiente error:
    Internal Server Error
    An internal server error has been detected. Please try your operation again. (EC )
    Al contactar al fabricante me indica que es un error de los servidores de BB, ya traté de instalarlo varios días desde la PC y me sigue apareciendo el error, si lo quiero instalar desde la BB me aparece la opción de comprarlo nuevamente. El cargo ya me lo hicieron a mi tarjeta de crédito.
    Espero me puedan ayudar.
    Saludos. 

    Hola y gracias por participar en el foro,
    Para tu comodidad, BlackBerry tiene su propio foro comunitario en español:
    http://foros.blackberry.com/t5/Foros-de-Soporte-General/ct-p/bscf_es
    Occam's Razor nearly always applies when troubleshooting technology issues!
    If anyone has been helpful to you, please show your appreciation by clicking the button inside of their post. Please click here and read, along with the threads to which it links, for helpful information to guide you as you proceed. I always recommend that you treat your BlackBerry like any other computing device, including using a regular backup schedule...click here for an article with instructions.
    Join our BBM Channels
    BSCF General Channel
    PIN: C0001B7B4   Display/Scan Bar Code
    Knowledge Base Updates
    PIN: C0005A9AA   Display/Scan Bar Code

  • 500 Internal server error while running sqlsrv_query in PHP

    Hello everyone I am having a problem with sqlsrv_query I will be grateful to you please provide some help.
    I am running a query through php:
    $ls_parcel_query = "select  * from  ParcelDetail order by ExtractDate";
    $result = sqlsrv_query($conn, $ls_parcel_query, array(), array("Scrollable"=>"keyset","QueryTimeout"=>300));
    $no_of_rows = sqlsrv_num_rows($result);
    echo "<br/>".$no_of_rows;
    It gives (After 30 seconds):
    500 - Internal server error.
    There is a problem with the resource you are looking for, and it cannot be displayed.
    I have php.ini settings like below:
    max_execution_time = 90
    memory_limit = 128M
    While running this query in SQL SERVER 2008 R2, it successfully gives result in some times in 1 minute and sometimes in 2 minutes.

    Hello,
    A 500 Error will be caused due to many reason.To troubleshooting this issue, you can try to check out the error log and get more information on what is causing the error.
    Reference :
    "500 Internal Server Error" while running PHP
    HTTP Error 500 Internal server for php pages and solution
    Regards,
    Fanny Liu
    Fanny Liu
    TechNet Community Support

  • Internal server error while creating callableobject in GP

    Hi  Experts,
    I've created two WebDnpro applications and by using CAF GP I’m trying to integrate them.
    Here while creating Callable object for webdynpro views  it ‘s showing some error like”
    500   Internal Server Error
    SAP NetWeaver Application Server 7.00/Java AS 7.00
    Failed to process request. Please contact your system administrator.
    Can anyone met the same situation, if so ...how did you sort it out? could anyone please suggest me ..what to do???
    Reply awaited......
    Regards,
    Sitara

    Have u added the cafeugp~api Library References in your Web Dynpro project (right click, properties, Web Dynpro References, Library References, Add)?
    Regards,

  • SAP B1iP detected an error: 500 -internal server error

    Hi expert,
    I have an error message when I add new network location with http://<server ip address>:8080/B1iXcellerator/exec/dummy.
    Error message is
    " The folder you entered does not appear to be valid. Please choose another"
    I have B18.8 PL15, B1iiSN 88 PL03 and windows 7 64 bits machine.
    Also I've got error message as below when I enterd http://<server ip address>:8080/B1iXcellerator/exec/dummy address to internet exploere.
    "SAP B1iP detected an error:
    Emitted HTTP-Code
    500 - Internal Server Error"
    I need to edit BizPackage and BIU docuemnts from xml editor.
    Thanks
    Joanne
    Edited by: Joanne Lee on Feb 15, 2011 10:46 PM
    Edited by: Joanne Lee on Feb 15, 2011 10:46 PM

    Hi,
    I also experiencing this error :
    when accessing : I'm using windows 7 profesional B1iSN 9.0, what's need to be configured ?
    http://127.0.0.1:8080/B1iXcellerator/exec/webdav/
    SAP B1iP detected an error:
    Emitted HTTP-Code:
    500 - Internal Server Error
    Internal Reason:
    while trying to invoke the method com.sap.b1i.bizprocessor.BizStoreURI.isUniqueURI() of an object loaded from local variable 'buri'
    Recommendation:
    Check for the correctness of your activity or environment or ask your system-administrator for further help.
    Full Internal Error Message:
    com.sap.b1i.xcellerator.XcelleratorException: XCE001 Nested exception: com.sap.b1i.bizprocessor.BizProcException: BPE001 Nested exception: java.lang.NullPointerException: while trying to invoke the method com.sap.b1i.bizprocessor.BizStoreURI.isUniqueURI() of an object loaded from local variable 'buri'
    Log-ID:
    LID150209170906235005790AD33703754E

  • Error 500--Internal Server Error while opening a taskflow  in inline popup

    Hi,
    I am getting "Error 500--Internal Server Error" while opening a bounded taskflow as a popup from another bounded taskflow containing page fragments. The popup taskflow contains jspx pages. I even removed the jspx pages from the popup taskflow to check if the error is resulting from the bindings on the pages but still I get the same error. The entire stack trace of the error in the popup dialog is :
    Error 500--Internal Server Error
    oracle.adf.controller.ControllerException: ADFC-04008: The BindingContext on the session is null.
         at oracle.adfinternal.controller.util.Utils.createAndLogControllerException(Utils.java:208)
         at oracle.adfinternal.controller.util.model.AdfmUtil.getBindingContext(AdfmUtil.java:47)
         at oracle.adfinternal.controller.util.model.DCFrameImpl.makeCurrent(DCFrameImpl.java:125)
         at oracle.adfinternal.controller.state.ViewPortContextImpl.makeCurrent(ViewPortContextImpl.java:1006)
         at oracle.adfinternal.controller.state.RequestState.setCurrentViewPortContext(RequestState.java:159)
         at oracle.adfinternal.controller.state.ControllerState.setRequestState(ControllerState.java:900)
         at oracle.adfinternal.controller.state.ControllerState.synchronizeStatePart1(ControllerState.java:355)
         at oracle.adfinternal.controller.application.SyncNavigationStateListener.beforePhase(SyncNavigationStateListener.java:105)
         at oracle.adfinternal.controller.lifecycle.ADFLifecycleImpl$PagePhaseListenerWrapper.beforePhase(ADFLifecycleImpl.java:551)
         at oracle.adfinternal.controller.lifecycle.LifecycleImpl.internalDispatchBeforeEvent(LifecycleImpl.java:100)
         at oracle.adfinternal.controller.lifecycle.LifecycleImpl.dispatchBeforePagePhaseEvent(LifecycleImpl.java:147)
         at oracle.adfinternal.controller.faces.lifecycle.ADFPhaseListener$PhaseInvokerImpl.dispatchBeforePagePhaseEvent(ADFPhaseListener.java:112)
         at oracle.adfinternal.controller.faces.lifecycle.ADFPhaseListener.beforePhase(ADFPhaseListener.java:59)
         at oracle.adfinternal.controller.faces.lifecycle.ADFLifecyclePhaseListener.beforePhase(ADFLifecyclePhaseListener.java:44)
         at oracle.adfinternal.view.faces.lifecycle.LifecycleImpl._executePhase(LifecycleImpl.java:258)
         at oracle.adfinternal.view.faces.lifecycle.LifecycleImpl.execute(LifecycleImpl.java:177)
         at javax.faces.webapp.FacesServlet.service(FacesServlet.java:265)
         at weblogic.servlet.internal.StubSecurityHelper$ServletServiceAction.run(StubSecurityHelper.java:227)
         at weblogic.servlet.internal.StubSecurityHelper.invokeServlet(StubSecurityHelper.java:125)
         at weblogic.servlet.internal.ServletStubImpl.execute(ServletStubImpl.java:300)
         at weblogic.servlet.internal.TailFilter.doFilter(TailFilter.java:26)
         at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
         at oracle.adfinternal.view.faces.webapp.rich.RegistrationFilter.doFilter(RegistrationFilter.java:97)
         at org.apache.myfaces.trinidadinternal.webapp.TrinidadFilterImpl$FilterListChain.doFilter(TrinidadFilterImpl.java:420)
         at oracle.adfinternal.view.faces.activedata.AdsFilter.doFilter(AdsFilter.java:60)
         at org.apache.myfaces.trinidadinternal.webapp.TrinidadFilterImpl$FilterListChain.doFilter(TrinidadFilterImpl.java:420)
         at org.apache.myfaces.trinidadinternal.webapp.TrinidadFilterImpl._doFilterImpl(TrinidadFilterImpl.java:247)
         at org.apache.myfaces.trinidadinternal.webapp.TrinidadFilterImpl.doFilter(TrinidadFilterImpl.java:157)
         at org.apache.myfaces.trinidad.webapp.TrinidadFilter.doFilter(TrinidadFilter.java:92)
         at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
         at oracle.adf.library.webapp.LibraryFilter.doFilter(LibraryFilter.java:159)
         at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
         at oracle.dms.wls.DMSServletFilter.doFilter(DMSServletFilter.java:330)
         at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
         at weblogic.servlet.internal.RequestEventsFilter.doFilter(RequestEventsFilter.java:27)
         at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
         at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.doIt(WebAppServletContext.java:3684)
         at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.run(WebAppServletContext.java:3650)
         at weblogic.security.acl.internal.AuthenticatedSubject.doAs(AuthenticatedSubject.java:321)
         at weblogic.security.service.SecurityManager.runAs(SecurityManager.java:121)
         at weblogic.servlet.internal.WebAppServletContext.securedExecute(WebAppServletContext.java:2268)
         at weblogic.servlet.internal.WebAppServletContext.execute(WebAppServletContext.java:2174)
         at weblogic.servlet.internal.ServletRequestImpl.run(ServletRequestImpl.java:1446)
         at weblogic.work.ExecuteThread.execute(ExecuteThread.java:201)
         at weblogic.work.ExecuteThread.run(ExecuteThread.java:173)
    Any help is greatly appreciated.
    Thanks,
    KK

    Hi Frank,
    Thanks for the reply. I am using it as an inline popup. I am trying to create command links dynamically in an iterator. When a link is clicked a popup window opens. The text of the link is passed to the popup window by creating a variable in the session scope ( I even tried request scope) by an action listener in the backing bean.
    I tried to create another simple application with a static command button which passes its text to popup window through a session scope variable. It worked fine. I am not sure why the same procedure is not working in my original application. Can you give me a hint what could possibly go wrong according the exception stack trace ?
    Thanks,
    KK

  • 500 internal server error while deploying a Web Dynpro application

    Hi
    I got the 500 internal server error while deploying the application to server.
    I tried to find the log file at usr --> SAP --> SID --> JC XX --> j2EE --> Cluster --> Server 0 --> log, but no log was there.
    There were structure changes in the RFC and also code change in my Web
    Dynpro code.
    I´m working on EP 7.
    NWDS version is 7.0.1
    Please help me as the production move is pending because of this.
    Regards
    Vineet Vikram

    Hi
    Restarting the server does not help in my case.
    I tried it several times.
    I'm getting following error message in NWA>
    Originated from: com.sapmarkets.bam.logcontroller.InvalidLogQuerySessionException: Invalid or expired log query session "1"
    at com.sapmarkets.bam.logcontroller.jmx.LogControllerFacade.closeLogQuerySession(LogControllerFacade.java:356)
    at sun.reflect.NativeMethodAccessorImpl.invoke0
    Can you pl help on this.
    Regards
    Vineet Vikram

  • 500 Internal Server Error while connecting JSP with Oracle

    Hello Friends,
    We Have installed Oracle Applications 11i in our orgaization which run on HP-UX 11.11 (HP Unix). I have created a JSP file in which I am trying to connect the database using OracleConnectionCacheImpl Class File in oracle.jdbc.pool directory. But it shows an error message as:
    Internal Server Error
    The server encountered an internal error or misconfiguration and was unable to complete your request.
    Please contact the server administrator, [email protected] and inform them of the time the error occurred, and anything you might have done that may have caused the error.
    More information about this error may be available in the server error log.
    I have also installed Oracle HTTP Server on my personal machine at which this code runs perfectly only the error comes when i try to connect oracle from Oracle HTTP Server installed on our HP Unix Server.
    the path for pool package is:
    /appltest/apps/prodora/iAS/oem_webstage/oracle/jdbc/pool
    the location of JSP file is:
    /appltest/apps/prodcomn/portal/TEST_test/test
    What I think is I have to play with the CLASSPATh entries, but dont know how. Please help me in solving this issue...
    For your reference the JSP code is:
    <%@ page import="java.sql.*, javax.sql.*, oracle.jdbc.pool.*" %>
    <jsp:useBean id="ods" class="oracle.jdbc.pool.OracleConnectionCacheImpl" scope="session" />
    <%
    try
    ods.setURL("jdbc:oracle:thin:@test:1546:test");
    ods.setUser("kpm_hr");
    ods.setPassword("kpm_hr");
    Connection conn = ods.getConnection();
    Statement stmt = conn.createStatement();
    Resultset rset = stmt.executeQuery("select first_name,last_name from kpm_hr.kpm_hr_emp_mst where empcode='P0580'");
    rset.next();
    out.println(rset.getString(1)+" "+rset.getString(2);
    catch(SQLException e)
    out.println(e);
    } Thanks in adavnce,
    Ankur

    Just to verify, which relevant log files have you found?
    catch(SQLException e) {
    out.println(e);
    } Have you search the console log file?
    A quick observation reveals that your jsp is just a standalone java program executed inside jsp. Suppose you just run it as a standalone program. Any error then?
    Another way going forward is to install oc4j standalone of the same version. It is very easy to install: just download the oc4j-extended.zip and unzip it and run "java -jar oc4j.jar". Put you jsp inside j2ee/home/default-web-app and run. You should see relevant log messages in j2ee/home/log/server.log and j2ee/home/application-deployments/yourApp/application.log.
    You should have Jdeveloper of some appropriate version installed. If you have not, install one. It might be not a little bit high learning curve at first, but the rewards are quick and amazing, especially since jdev 10.1.3. (I am speaking from my experience.) Try it with Jdeveloper.

  • Error while run OAF, HTTP 500 - Internal server error  Internet Explorer

    I have installed R12 on my laptop having windows 2003 Server, which running successfully.
    In Same machine i have installed Jdeveloper for OAF customization by following 416708.1.
    While running test OAF page from Jdev, following error accruing. I have Run autoconfig as well.
    There is a problem with the page you are trying to reach and it cannot be displayed.
    Please try the following:
    Open the r12.oracle.com:8988 home page, and then look for links to the information you want.
    Click the Refresh button, or try again later.
    Click Search to look for information on the Internet.
    You can also see a list of related sites.
    HTTP 500 - Internal server error
    Internet Explorer

    What is the JDev version?
    Check if the below fixes the issue.
    Go to Tools -> Embedded OC4J Server Preferences-> Global -> Startup. Select the option -> Default Local IP Address.
    Thanks
    Shree

Maybe you are looking for

  • East Coast Oracle Conference - April 25,26

    Conference: Atlantic OTC, April 25, 26 Location: Washington Convention Center, Washington DC Website: http://www.aotc-maop.org Early Registration: $300 (save $100) Catch top Oracle authors and presenters for a packed, 2-day agenda. Over 80 sessions w

  • Scheduling Agreement - Fixed Order Quantity

    Hi Experts! For a short time we work with scheduling agreements in our company. So far it work well, but know i have a question, maybe anyone of you can help me with my issue. We would order always the same fixed order quantitiy, i know that i can do

  • Background threading + batch file processing

    Hello, I have 2 issues in the same project. Issue 1: I have a project accessing the Object API. I've created a DLL assembly using VB.NET. This assembly is instatiated from a VB form and one of the functions is called using a background thread worker

  • Locking objects in iWeb

    I find it strange that iWeb does not have the "Lock" feature that Pages has.  I often like to look back at older blogs or pages on my site.  Sometimes I copy text, pictures or formats for a new page or blog.  I fear sometimes I might inadvertantly ch

  • TNS- problem

    Hi,I have Windows 2003(64 bit) server and I install oracle10g r2. I execute lsnrctl start then occur following error LSNRCTL> start Starting tnslsnr: please wait... TNS-12560: TNS:protocol adapter error TNS-00530: Protocol adapter error LSNRCTL> why?