If statement inconsistency?

Yay! Another post from me!
I've got an if statement in a bean that seems to be processing fine when I create a test java class, but doesn't work fine when the bean is invoked by a jsp.
My code, let me shows you it:
First, the test class:
package com.serco.inquire;
import java.util.*;
import java.text.*;
public class TestCollection {
     public static void main(String[] args) {
          IrCollection myCollection = new IrCollection();
          myCollection.setSort("none");
          myCollection.setMgrid("none");
          int endpoint = myCollection.getSize();
          for (int i=0;i<endpoint;i++) {
               InquireRecord curRec = myCollection.getCurRecords(i);
               Long milis = new Long(curRec.getSubmitDate());
               Date theDate = new Date(milis);
               Format formatter = new SimpleDateFormat("dd MMM yyyy");
               String s = formatter.format(theDate);
               System.out.println("ID: " + curRec.getID() + " | Subject: " + curRec.getSubject());
}a snippit from the IrCollection class it calls:
private void processSort(String datum) {
          int LastChar = datum.length()-1;
          String colName = datum.substring(0, LastChar);
          if (datum=="none") {
               this.fullSort  = " ORDER BY lastUpdated DESC";
          } else {
               if (datum.endsWith("2")) {
                    this.fullSort = " ORDER BY " + colName + " ASC";
               } else {
                    this.fullSort = " ORDER BY " + colName + " DESC";
     }There's more code in another method that calls this particular method using: this.processSort(this.sort);But the problem is that if (datum=="none") portion in the second code sample. Given that line 10 of the first class sets the member variable sort to "none", that processSort() method should set the member variable fullSort to " ORDER BY lastUpdated DESC"
And if I use the class in the first sample, it does that.
HOWEVER
I have this custom tag:
<%@ tag body-content="scriptless" import="com.serco.inquire.*" %>
<%@ taglib prefix="c" uri="http://java.sun.com/jsp/jstl/core" %>
<%@ attribute name="mgr" required="true" %>
<%@ attribute name="mkind" required="false" %>
<%@ attribute name="sort" required="false" %>
<c:if test="${empty mkind}">
  <c:set var="mkind" value="manager" />
</c:if>
<c:if test="${empty sort}">
  <c:set var="sort" value="none" />
</c:if>
<jsp:useBean id="irc" scope="page" class="com.serco.inquire.IrCollection">
  <jsp:setProperty name="irc" property="mgrtype" value="${mkind}" />
  <jsp:setProperty name="irc" property="sort" value="${sort}" />
  <jsp:setProperty name="irc" property="mgrid" value="${mgr}" />
</jsp:useBean>
${irc.fullsort}Which the .jsp file invokes with this:
<c:set var="user" value="none" />   
<c:set var="sort" value="none" />
<inq:displayCollection>
  <jsp:attribute name="mgr">${user}</jsp:attribute>
  <jsp:attribute name="mkind">cotr</jsp:attribute>
  <jsp:attribute name="sort">${sort}</jsp:attribute>
</inq:displayCollection>In other words, the exact same data is fed to the IrCollection bean. so I should get the same data, right?
Except I get this: WHERE cotr = 'none' ORDER BY non DESC so when Java calls it, it thinks "none" == "none"
but when jsp calls it, it thinks "none" != "none"

To compare objects' states, including Strings' contents, use equals(), not ==. The == operator tests whether 2 references have the same value, that is, whether both point to the same object (or are both null). The equals() method does whatever that class's implementor tells it to do, but its purpose--and what it does in reasonable implementations--is to compare objects' states. In the case of String, it tests whether both String objects contain equal character sequences.
If == happened to return true in your test case, its because interning led to both references pointing to the same String object in the constant pool.

Similar Messages

  • Implemented hidden nodes, Expanded state inconsistent?!

    Hi Guys, I have a rather complex JTree problem.
    I have implemented my own custom tree and nodes, with a custom model that allows hidden nodes. My nodes have an isVisible() method that is used in the model to see whether to return this node (in the getChildCount and getChild methods). This works great, and means that I can apply a filter to the tree, and it will immediately filter out a certain type of node (without having to add/remove nodes).
    I have a bit of a problem when some nodes are expanded however. If I expand a node, then change the filters so that node is invisible, the node that takes it's place becomes expanded. This would be fine, but the expansion of the node does not fire an event (and in my program this causes problems!).
    I've written the code below to give a very simple example. Just run the code, expand the 'Red' node you can see, then press 'Toggle Red'. The red node then disappears, but the blue node that takes it's place is then expanded (this is what I need to stop, or at least make that expansion of the blue node fire an event).
    import java.awt.BorderLayout;
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    import java.util.Enumeration;
    import javax.swing.JButton;
    import javax.swing.JFrame;
    import javax.swing.JScrollPane;
    import javax.swing.JTree;
    import javax.swing.event.TreeExpansionEvent;
    import javax.swing.event.TreeExpansionListener;
    import javax.swing.tree.DefaultMutableTreeNode;
    import javax.swing.tree.DefaultTreeModel;
    import javax.swing.tree.TreeNode;
    import com.talgentra.tallyman.util.properties.ApplicationProperties;
    import com.talgentra.tallyman.util.properties.VersionProperties;
    public class TreeTest extends JFrame {
         private boolean showRed = true;
         private boolean showBlue = true;
         private int expansionEvents = 0;
         private JTree tree = new JTree();
         public static void main(String[] args) throws Exception {
              VersionProperties.create(null);
              ApplicationProperties.createConfigurationInstance();
              new TreeTest();
         public TreeTest() throws Exception {
              this.setSize(200,200);
              this.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
              this.getContentPane().setLayout(new BorderLayout());
              // set up toggle button
              JButton toggle = new JButton("Toggle Red");
              toggle.addActionListener(new ActionListener() {
                   public void actionPerformed(ActionEvent e) {
                        showRed = !showRed;
                        tree.updateUI();
              // set up tree
              ColorNode root = new BlueNode();
              ColorNode r1 = new RedNode();
              ColorNode r11 = new RedNode();
              ColorNode r21 = new RedNode();
              ColorNode b2 = new BlueNode();
              ColorNode b12 = new BlueNode();
              ColorNode b22 = new BlueNode();
              root.add(r1);
              root.add(b2);
              r1.add(r11);
              r1.add(b12);
              b2.add(r21);
              b2.add(b22);
              tree.setModel(new MyTreeModel(root));
              tree.addTreeExpansionListener( new TreeExpansionListener() {
                   public void treeExpanded(TreeExpansionEvent event) {
                        System.out.println("TreeExpansionEvents fired: " + expansionEvents);
                   public void treeCollapsed(TreeExpansionEvent event) {}
              this.getContentPane().add(toggle, BorderLayout.NORTH);
              this.getContentPane().add(new JScrollPane(tree), BorderLayout.CENTER);
              this.show();
         abstract class ColorNode extends DefaultMutableTreeNode {
              public ColorNode(Object o) {
                   super(o);
              public abstract boolean isVisible();
         class RedNode extends ColorNode {
              public RedNode() {
                   super("Red");
              public boolean isVisible() {
                   return showRed;
         class BlueNode extends ColorNode {
              public BlueNode() {
                   super("Blue");
              public boolean isVisible() {
                   return showBlue;
         class MyTreeModel extends DefaultTreeModel {
              public MyTreeModel(TreeNode root) {
                   super(root);
              public int getChildCount(Object parent) {
                   int childCount = 0;
                   for ( Enumeration e = ((TreeNode)parent).children(); e.hasMoreElements();) {
                        Object o = (Object) e.nextElement();
                        if (o instanceof ColorNode) {
                             ColorNode node = (ColorNode) o;
                             if ( node.isVisible() ) {
                                  childCount++;
                        } else {
                             childCount++;
                   return childCount;
              public Object getChild(Object parent, int index) {
                   DefaultMutableTreeNode node = (DefaultMutableTreeNode) parent;
                   DefaultMutableTreeNode child = null;
                   int count = 0;
                   for (int i=0; i<node.getChildCount(); i++) {
                        // if this is not a ColorNode, or is a VISIBLE ColorNode then include it
                        if (!(node.getChildAt(i) instanceof ColorNode) || ((ColorNode) node.getChildAt(i)).isVisible()) {
                                  if ( count == index ) {
                                       child = (DefaultMutableTreeNode) node.getChildAt(i);
                                       break;
                                  } else {
                                       count++;
                   return child;
    }

    As always :) , I agree with Denis.
    This is what I've been doing in the mean time. The problem is that I get the opposite behavior. Re-added nodes are collapsed by default.import javax.swing.*;
    import javax.swing.tree.*;
    import java.awt.*;
    import java.awt.event.ActionEvent;
    import java.util.*;
    public class TreeTest extends JPanel {
         private static class Property {
              public static final Property PROPERTY_RED = new Property("red");
              public static final Property PROPERTY_BLUE = new Property("blue");
              private String theText;
              private boolean theState;
              private Property(String aText) {
                   theText = aText;
                   theState = true;
              public String toString() {
                   return theText;
              public void toggleState() {
                   theState = !theState;
              public boolean getState() {
                   return theState;
         private class ColorNode implements TreeNode {
              private ColorNode theParent;
              private Property theProperty;
              private Vector theChildren;
              private int[] theIndices;
              public ColorNode(Property aProperty) {
                   theParent = null;
                   theProperty = aProperty;
                   theChildren = new Vector();
                   theIndices = new int[]{};
              public void add(ColorNode aChild) {
                   theChildren.add(aChild);
                   aChild.theParent = this;
                   update();
              public String toString() {
                   return theProperty.toString();
              private boolean isVisible() {
                   return theProperty.getState();
              public int getChildCount() {
                   return theIndices.length;
              public boolean getAllowsChildren() {
                   return true;
              public boolean isLeaf() {
                   return theIndices.length == 0;
              public Enumeration children() {
                   Vector vector = new Vector();
                   for (int i = 0; i < theIndices.length; i++) {
                        vector.add(theChildren.elementAt(theIndices));
                   return vector.elements();
              public TreeNode getParent() {
                   return theParent;
              public TreeNode getChildAt(int childIndex) {
                   return (TreeNode)theChildren.elementAt(theIndices[childIndex]);
              public int getIndex(TreeNode node) {
                   for (int i = 0; i < theIndices.length; i++) {
                        if (theChildren.elementAt(theIndices[i]) == node) return theIndices[i];
                   return -1;
              private int getChange(Property aChangedProperty) {
                   if (theProperty != aChangedProperty) return 0;
                   if (theProperty.getState()) {
                        return 1;
                   } else {
                        return -1;
              public void update(Property aChangedProperty) {
                   Vector removedIndices = new Vector();
                   Vector removedObjects = new Vector();
                   for (int i = 0; i < theIndices.length; i++) {
                        ColorNode colorNode = (ColorNode)theChildren.elementAt(theIndices[i]);
                        if (colorNode.getChange(aChangedProperty) == -1) {
                             removedIndices.add(new Integer(theIndices[i]));
                             removedObjects.add(colorNode);
                   theTreeModel.nodesWereRemoved(this,
                                                      getIndexArray(removedIndices),
                                                      (Object[])removedObjects.toArray(new Object[removedObjects.size()]));
                   Vector vect = new Vector();
                   Vector added = new Vector();
                   for (int i = 0; i < theChildren.size(); i++) {
                        ColorNode colorNode = (ColorNode)theChildren.elementAt(i);
                        if (colorNode.isVisible()) {
                             vect.add(new Integer(i));
                             if (colorNode.getChange(aChangedProperty) == 1) {
                                  added.add(new Integer(i));
                             colorNode.update(aChangedProperty);
                   theIndices = getIndexArray(vect);
                   theTreeModel.nodesWereInserted(this, getIndexArray(added));
              private int[] getIndexArray(Vector someIndices) {
                   int[] indexArray = new int[someIndices.size()];
                   for (int i = 0; i < someIndices.size(); i++) {
                        indexArray[i] = ((Integer)someIndices.elementAt(i)).intValue();
                   return indexArray;
              public void update() {
                   Vector vect = new Vector();
                   for (int i = 0; i < theChildren.size(); i++) {
                        ColorNode colorNode = (ColorNode)theChildren.elementAt(i);
                        if (colorNode.isVisible()) {
                             vect.add(new Integer(i));
                   theIndices = getIndexArray(vect);
         private class ToggleStateAction extends AbstractAction {
              private Property theProperty;
              public ToggleStateAction(Property aProperty) {
                   super("Toggle " + aProperty.toString());
                   theProperty = aProperty;
              public void actionPerformed(ActionEvent e) {
                   theProperty.toggleState();
                   ((ColorNode)theTreeModel.getRoot()).update(theProperty);
         private DefaultTreeModel theTreeModel;
         private JTree theTree;
         public TreeTest() throws Exception {
              super(new BorderLayout());
              ColorNode root = new ColorNode(Property.PROPERTY_BLUE);
              ColorNode r1 = new ColorNode(Property.PROPERTY_RED);
              ColorNode r11 = new ColorNode(Property.PROPERTY_RED);
              ColorNode r21 = new ColorNode(Property.PROPERTY_RED);
              ColorNode b2 = new ColorNode(Property.PROPERTY_BLUE);
              ColorNode b12 = new ColorNode(Property.PROPERTY_BLUE);
              ColorNode b22 = new ColorNode(Property.PROPERTY_BLUE);
              root.add(r1);
              root.add(b2);
              r1.add(r11);
              r1.add(b12);
              b2.add(r21);
              b2.add(b22);
              root.update();
              theTreeModel = new DefaultTreeModel(root);
              theTree = new JTree(theTreeModel);
              add(new JScrollPane(theTree), BorderLayout.CENTER);
              JToolBar toolBar = new JToolBar();
              toolBar.setFloatable(false);
              toolBar.add(new ToggleStateAction(Property.PROPERTY_RED));
              toolBar.add(new ToggleStateAction(Property.PROPERTY_BLUE));
              add(toolBar, BorderLayout.NORTH);
         public static void main(String[] args) throws Exception {
              final JFrame frame = new JFrame("Test Tree");
              frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
              frame.setContentPane(new TreeTest());
              SwingUtilities.invokeLater(new Runnable() {
                   public void run() {
                        frame.setSize(200, 200);
                        frame.show();

  • The object has been corrupted, and it's in an inconsistent state. The following validation errors happened:

    Dear Friend
    I have got below error message in the exchagne server 2013 while i tried to open the console of delegation mailbox . It was comes once i was deploy lync server 2013 in the same forest.
    warning
    The object has been corrupted, and it's in an inconsistent state. The following validation errors happened:
    The access control entry defines the ObjectType 'd819615a-3b9b-4738-b47e-f1bd8ee3aea4' that can't be resolved..
    The access control entry defines the ObjectType 'e2d6986b-2c7f-4cda-9851-d5b5f3fb6706' that can't be resolved..
    If you feel to ask to more clarification, please let  me know.
    Regards, Md Ehteshamuddin Khan All the opinions expressed here is mine. This posting is provided "AS IS" with no warranties or guarantees and confers no rights.

    Hi,
    Based on the description, you got warnings when you tried to click the mailbox delegation option of mailbox properties in EAC. Is it right?
    Did this issue affected only one user mailbox or all of them?
    From the error message, it seems that this issue is related to the corrupt permissions. Please use the
    Get-MailboxPermission cmdlet to retrieve permissions on a mailbox to check result.
    Best regards,
    Belinda Ma
    TechNet Community Support

  • Exchange 2013 SP1 Object is corrupted and inconsistent state after Lync 2013 Installation

    Hi Fellows,
    I am facing an issue with Exchange 2013 SP1 (5.0.847.32)
    environment. I recently installed Lync 2013 (version: 5.0.8308.0) a week ago and just recently start getting the below error when configuring delegation or modifying the users/groups from Exchange Control Panel:
    "The Object <object DN> has been corrupted, and it's in an inconsistent state. The following validation errors happened:
    The access control defines the ObjectType <object guid> that can't be resolved.."
    I can see some forum threads with same issue (links given below) but unable to find if this is a known issue and how to get it resolved. Need assistance if anyone has faced same and could help me out to figure it.
    http://social.technet.microsoft.com/Forums/exchange/en-US/72310530-d1de-4b39-a0fb-1592247df03f/access-control-entry-issue-after-installing-lync-2013-into-the-forest?forum=exchangesvrdeploy
     http://www.networksteve.com/exchange/topic.php/Issue_with_exchange_2013_lync_2013_intergration/?TopicId=37192&Posts=2
    J.A

    Hi
    Usually the affected SID objects are referring to deleted objects.
    Use the PsGetSid tool to try to resolve them.

  • [8i] Case statement generates ORA-00932: inconsistent datatypes

    Note: I am working with an 8i database (yes, it is quite old), and in this situation, I have to deal with the datatypes (i.e. CHAR), I am given to work with.
    I am attempting to calculate the amount of time product waits between manufacturing steps. As I've discovered though, sometimes I get a negative value when subtracting the date the previous step completes from the date the current step starts. As it is generally impossible to start a later step before an earlier step (imagine trying to screw a cap onto a bottle that doesn't have threads cut yet--it just can't happen), what I've found is that sometimes two steps are started on the same day and finished on the same day (though not necessarily the day they started). This situation CAN happen when one person did both steps and logged on to both steps at the same time, rather than logging on to one, then the other. So, what I need to do in these situations is replace the negative number with a zero (I'll treat the later step as having no wait time).
    Here is some sample data:
    (Note: the real data set is the result of a query, and has around 200K rows and more columns, but this should be representative enough to find a solution that works on my actual application.)
    CREATE TABLE     steps
    (     item_id          CHAR(25)
    ,     ord_nbr          CHAR(10)
    ,     sub_nbr          CHAR(3)
    ,     step_nbr     CHAR(4)
    ,     start_date     DATE
    ,     finish_date     DATE
    INSERT INTO steps
    VALUES ('A','0000000001','001','0010',TO_DATE('01/01/2011','mm/dd/yyyy'),TO_DATE('01/02/2011','mm/dd/yyyy'));
    INSERT INTO steps
    VALUES ('A','0000000001','001','0020',TO_DATE('01/01/2011','mm/dd/yyyy'),TO_DATE('01/02/2011','mm/dd/yyyy'));
    INSERT INTO steps
    VALUES ('A','0000000001','001','0030',TO_DATE('01/05/2011','mm/dd/yyyy'),TO_DATE('01/06/2011','mm/dd/yyyy'));
    INSERT INTO steps
    VALUES ('A','0000000001','002','0010',TO_DATE('01/01/2011','mm/dd/yyyy'),TO_DATE('01/02/2011','mm/dd/yyyy'));
    INSERT INTO steps
    VALUES ('A','0000000001','002','0020',TO_DATE('01/04/2011','mm/dd/yyyy'),TO_DATE('01/04/2011','mm/dd/yyyy'));
    INSERT INTO steps
    VALUES ('A','0000000001','002','0030',TO_DATE('01/06/2011','mm/dd/yyyy'),TO_DATE('01/07/2011','mm/dd/yyyy'));
    INSERT INTO steps
    VALUES ('B','0000000002','001','0005',TO_DATE('01/10/2011','mm/dd/yyyy'),TO_DATE('01/12/2011','mm/dd/yyyy'));
    INSERT INTO steps
    VALUES ('B','0000000002','001','0025',TO_DATE('01/10/2011','mm/dd/yyyy'),TO_DATE('01/12/2011','mm/dd/yyyy'));Here is the query I use that returns negative values sometimes:
    SELECT     item_id
    ,     ord_nbr
    ,     sub_nbr
    ,     step_nbr
    ,     start_date - last_step_finished
    FROM     (
         SELECT     s.*
         ,     LAG (s.finish_date)     OVER     (
                                  PARTITION BY     s.item_id
                                  ,          s.ord_nbr
                                  ,          s.sub_nbr
                                  ORDER BY     s.step_nbr
                                  )     AS last_step_finished
         FROM     steps s
    Returns:
    ITEM_ID                   ORD_NBR    SUB STEP START_DATE-LAST_STEP_FINISHED
    A                         0000000001 001 0010
    A                         0000000001 001 0020                        -1.000
    A                         0000000001 001 0030                         3.000
    A                         0000000001 002 0010
    A                         0000000001 002 0020                         2.000
    A                         0000000001 002 0030                         2.000
    B                         0000000002 001 0005
    B                         0000000002 001 0025                        -2.000These are the results I want to see:
    ITEM_ID                   ORD_NBR    SUB STEP START_DATE-LAST_STEP_FINISHED
    A                         0000000001 001 0010
    A                         0000000001 001 0020                         0.000
    A                         0000000001 001 0030                         3.000
    A                         0000000001 002 0010
    A                         0000000001 002 0020                         2.000
    A                         0000000001 002 0030                         2.000
    B                         0000000002 001 0005
    B                         0000000002 001 0025                         0.000And this is what I tried to do to get those results (comment notes what line generated the error):
    SELECT     item_id
    ,     ord_nbr
    ,     sub_nbr
    ,     step_nbr
    ,     CASE
              WHEN     start_dt - last_step_finished     < 0
              THEN     0
              ELSE     start_dt - last_step_finished  -- THIS LINE GENERATES THE ORA-00932 ERROR
         END                         AS days_in_queue
    FROM     (
         SELECT     s.*
         ,     LAG (s.finish_date)     OVER     ( PARTITION BY  s.item_id
                                    ,          s.ord_nbr
                                    ,          s.sub_nbr
                                    ORDER BY     s.step_nbr
                                  )     AS last_step_finished
         FROM     steps s
         );I know I've had inconsistent datatype errors before with case statements in this particular 8i database, but I can't seem to figure out why I'm getting one this time. I think it has something to do with the NULL values that can occur for last_step_finished. Also, if I change the case statement to:
    ,     CASE
              WHEN     start_dt - last_step_finished     < 0
              THEN     NULL
              ELSE     start_dt - last_step_finished  -- THIS LINE GENERATES THE ORA-00932 ERROR
         END     the query runs just fine. But, I don't want NULL, I want 0. In the next level of this query, I will be taking averages by item_id/step_nbr, and I want the 0's to be included in the average. (NULL values, as far as I can tell, would be excluded. AVG(NULL, 1, 2) =AVG (1,2) = 1.5 NOT AVG(0,1,2) = 1).
    Thanks in advance!

    Thanks, TO_NUMBER did the trick. Since you didn't state in your post where to use TO_NUMBER, here is my final solution, in case anyone in the future looks through this thread to find an answer to their question:
    SELECT     item_id
    ,     ord_nbr
    ,     sub_nbr
    ,     step_nbr
    ,     CASE
              WHEN     start_dt - last_step_finished     < 0
              THEN     0
              ELSE     TO_NUMBER(start_dt - last_step_finished)
         END                         AS days_in_queue
    FROM     (
         SELECT     s.*
         ,     LAG (s.finish_date)     OVER     ( PARTITION BY  s.item_id
                                    ,          s.ord_nbr
                                    ,          s.sub_nbr
                                    ORDER BY     s.step_nbr
                                  )     AS last_step_finished
         FROM     steps s
         );Edited by: user11033437 on Jun 27, 2011 11:17 AM
    I see you edited your post to add TO_NUMBER to it.

  • Deplayment Error: No local string defined -- inconsistent Module State

    I'm using Netbeans 4.1 and when I tried to deploy and run the project I get the
    No local string defined -- inconsistent module state error
    This error showed up after I added a Stateless Session Bean using a Timer Service. Unfortunately, even after I got rid of the Stateless SB the error remained.
    Does anyone know what this error mean and/or how to get rid of it?
    Thanks in advance,
    eac004

    Thanks,
    I looked at the log file and what I noticed is that when the server is comming up it generates a couple warnings like:
    default-locale attribute of locale-charset-info element has been deprecated and is being ignored. Use default-charset attribute of parameter-encoding element instead
    I don't see any warnings when the apllication is being deployed except the Severe error mesaage No local string defined -- inconsistent Module State
    Any ideas how I can clear the warning?

  • No local string defined -- Inconsistent Module State

    I am trying to deploy an Enterprise Application and during compilation I get the following error.
    Any idea?
    I am using Sun Java System Application Server 8.1 and jdk1.5.0_08,
    javax.enterprise.system.tools.deployment|_ThreadID=14;|Se produjo una excepci�n en la fase de J2EEC
    com.sun.enterprise.deployment.backend.IASDeploymentException: No local string defined -- Inconsistent Module State
         at com.sun.enterprise.security.SecurityUtil.linkPolicyFile(SecurityUtil.java:321)
         at com.sun.enterprise.deployment.backend.AppDeployerBase.generatePolicy(AppDeployerBase.java:377)
         at com.sun.enterprise.deployment.backend.AppDeployer.doRequestFinish(AppDeployer.java:108)
         at com.sun.enterprise.deployment.phasing.J2EECPhase.runPhase(J2EECPhase.java:146)
         at com.sun.enterprise.deployment.phasing.DeploymentPhase.executePhase(DeploymentPhase.java:71)
         at com.sun.enterprise.deployment.phasing.PEDeploymentService.executePhases(PEDeploymentService.java:633)
         at com.sun.enterprise.deployment.phasing.PEDeploymentService.deploy(PEDeploymentService.java:188)
         at com.sun.enterprise.deployment.phasing.PEDeploymentService.deploy(PEDeploymentService.java:520)
         at com.sun.enterprise.management.deploy.DeployThread.deploy(DeployThread.java:143)
         at com.sun.enterprise.management.deploy.DeployThread.run(DeployThread.java:172)

    solved.
    1. do a search for everything under domain1 with the given app name
    2. delete those files
    3. bounce the application server

  • Exception Message=Unable to connect to the VMM database because the database is in an inconsistent state.

    Hello,
    I have a problem with SCVMM 2012 R2, it always gives error when tries to "Run the dynamic optimizer" process. The process starts automatically every 30mins. When I analyzed report.txt file I found error message:Exception Message=Unable
    to connect to the VMM database because the database is in an inconsistent state.Contact an experienced SQL administrator whenever this error occurs. In some cases, it may be necessary to restore the VMM database. If the problem persists, contact
    Microsoft Help and Support.
    NOTE: If I start the process manually, it completes without any errors.
    Any help would be appreciated

    I'm led to believe this is a bug in UR5 and I think it was a bug in VMM 2012 SP1 RTM.
    Our TAM says this will be fixed in UR6. We had to turn off Dynamic optimizer or we could have rolled back to UR4 but there were other bugs in UR4 which hurt us more.

  • Oall8 is in an inconsistent state in JDeveloper

    Hi,
    I am using JDeveloper 10.1.3.3.0.3.
    While creating View Object in OAF it is not taking SQL Queries and throws error
    SQl Query Error Message: oall8 is in an inconsistent state
    and / or
    SQl Query Error Message: Protocol Violation.
    Please let me know how to fix this. Appreciate your help.
    Thanks and Regards,
    Abhi

    As I looks like you use OAF you better ask this here {forum:id=210}
    Timo

  • "Project "name of project" is in an inconsistent state. Please wait...

    I seem to be encountering a slight issue with Aperture, where it 'hangs' a dialog comes up (this has happened twice on 2 seperate occassions) where the dialog explains :
    "Project "name of project" is in an inconsistent state. Please wait while the inconsistencies are resolved."
    there is a cancel button, but it is greyed out. the progress bar is turning, but no progress is indicated. it stays like this and has done for a while. the only thing to do is force the app to quit and restart.
    has anyone else had this happen or does anyone know why it is doing this?
    I look forward to some replies.
    Paul.

    I had something similar happen and the easiset way for me to fix it was to go into the aperture library (right click, select show contents), locate the project in question and trash it.
    One thing you need to make sure is that Aperture isn't running. When it starts up it may notice an inconsistancy with the database and rebuild it. Once done (takes only a few seconds) you're all set.
    just in case, backup the file, either by copying it to another drive or folder.
    Mike

  • How to resolve the java.sql.SQLException: OALL8 is in an inconsistent state

    Hi All,
    I am getting the SQLException "java.sql.SQLException: OALL8 is in an inconsistent state." and in finally block while I am trying to execute another operation on the same database getting another exception "java.sql.SQLException: Io exception: Broken pipe".
    I am using a connection from the connection pool configured in Oracle Application server. I am using the Oracle App server 10.1.3.4 and my database is Oracle Database 11g Enterprise Edition Release 11.1.0.7.0.
    Any help in resolving this issue would really be appreciated.
    Thank you.

    Hi,
    What version of the driver are you using? The "OALL8 is in an inconsistent state" exception usually indicates a problem in the protocol. When this exception occurs the protocol is broken and the connection can't be used anymore. I would suggest that you try using the 11.2.0.1 JDBC driver that you can download from:
    http://www.oracle.com/technology/software/tech/java/sqlj_jdbc/index.html
    Regards,
    Jean

  • DPM 2012 SP1: Unable to connect to the DPM DB, because the DB is inconsistent state.

    We are getting the following error when we try to recover from a specific server ( Recovery Tab | Domain | File Server )
    Unable to connect to the DPM Database because the database is in an inconsistent state. (ID943)
    => There are no double entries for the specific server in the database. Verified by the following query:
    select servername, domainname from dbo.tbl_AM_Server order by servername
    => DBCC Check DPMDB results in no errors. 
    => Yesterday we used the following script to remove a ghost tape from our reports. The tape belongs to the PG where the File Server is member of.
    http://social.technet.microsoft.com/Forums/en-US/a654c323-7b48-4ab5-8812-850115d9e430/dpm-2012-ghost-tapes-in-weekly-report?forum=dpmtapebackuprecovery
    Is there a relation between our error and the removal of the ghost tape? Any idea how to fix this? 

    Hi,
    I have not heard of that script causing any problems in the past, so may or may not be related.  What are the details of the msdpm service crash found in the msdpmcurr.errlog after the error ?
    Please remember to click “Mark as Answer” on the post that helps you, and to click “Unmark as Answer” if a marked post does not actually answer your question. This can be beneficial to other community members reading the thread. Regards, Mike J. [MSFT]
    This posting is provided "AS IS" with no warranties, and confers no rights.

  • Extending a OAF Page - Errors OALL8 is in an inconsistent state.

    Hi,
    I am trying to extend Item Creation page in PLM. The page is in OAFramework. Brought the page, to the client and trying to run it in client, JDeveloper throughs the following error. Any help is greatly appreciated. The applications version is 12.1.1 and the JDeveloper version is 10.1.3.3.0.3. The page that is under discussion is /oracle/apps/ego/item/eu/webui/EGOENTERITEMDESCPGL.
    oracle.apps.fnd.framework.OAException: oracle.jbo.SQLStmtException: JBO-27122: SQL error during statement preparation. Statement: SELECT PE.PROJ_ELEMENT_ID AS SEARCH_VALUE,
    PE.NAME AS DISPLAY_TEXT,
    OBJECT_CLASSIFICATION_CODE AS CATALOG_GROUP_ID
    FROM EGO_OBJ_TYPE_LIFECYCLES OLC,
    PA_EGO_LIFECYCLES_V PE,
    FND_OBJECTS O
    WHERE PE.PROJ_ELEMENT_ID = OLC.LIFECYCLE_ID
    AND O.OBJ_NAME =:1
    AND OLC.OBJECT_ID = O.OBJECT_ID
    AND OLC.OBJECT_CLASSIFICATION_CODE in
    SELECT TO_CHAR(IC.ITEM_CATALOG_GROUP_ID)
    FROM MTL_ITEM_CATALOG_GROUPS_B IC
    CONNECT BY PRIOR PARENT_CATALOG_GROUP_ID = ITEM_CATALOG_GROUP_ID
    START WITH ITEM_CATALOG_GROUP_ID = :2
         at oracle.apps.fnd.framework.OAException.wrapperException(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAPageErrorHandler.prepareException(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAPageBean.renderDocument(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAPageBean.renderDocument(Unknown Source)
         at OA.jspService(_OA.java:87)
         at com.orionserver.http.OrionHttpJspPage.service(OrionHttpJspPage.java:59)
         at oracle.jsp.runtimev2.JspPageTable.service(JspPageTable.java:462)
         at oracle.jsp.runtimev2.JspServlet.internalService(JspServlet.java:594)
         at oracle.jsp.runtimev2.JspServlet.service(JspServlet.java:518)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:856)
         at com.evermind.server.http.ServletRequestDispatcher.invoke(ServletRequestDispatcher.java:713)
         at com.evermind.server.http.ServletRequestDispatcher.forwardInternal(ServletRequestDispatcher.java:370)
         at com.evermind.server.http.HttpRequestHandler.doProcessRequest(HttpRequestHandler.java:871)
         at com.evermind.server.http.HttpRequestHandler.processRequest(HttpRequestHandler.java:453)
         at com.evermind.server.http.HttpRequestHandler.serveOneRequest(HttpRequestHandler.java:221)
         at com.evermind.server.http.HttpRequestHandler.run(HttpRequestHandler.java:122)
         at com.evermind.server.http.HttpRequestHandler.run(HttpRequestHandler.java:111)
         at oracle.oc4j.network.ServerSocketReadHandler$SafeRunnable.run(ServerSocketReadHandler.java:260)
         at oracle.oc4j.network.ServerSocketAcceptHandler.procClientSocket(ServerSocketAcceptHandler.java:239)
         at oracle.oc4j.network.ServerSocketAcceptHandler.access$700(ServerSocketAcceptHandler.java:34)
         at oracle.oc4j.network.ServerSocketAcceptHandler$AcceptHandlerHorse.run(ServerSocketAcceptHandler.java:880)
         at com.evermind.util.ReleasableResourcePooledExecutor$MyWorker.run(ReleasableResourcePooledExecutor.java:303)
         at java.lang.Thread.run(Thread.java:595)
    continued....

    cotinued the exception...
    ## Detail 0 ##
    java.sql.SQLException: OALL8 is in an inconsistent state.
         at oracle.jdbc.driver.DatabaseError.throwSqlException(DatabaseError.java:138)
         at oracle.jdbc.driver.T4C8Oall.init(T4C8Oall.java:325)
         at oracle.jdbc.driver.T4CPreparedStatement.doOall8(T4CPreparedStatement.java:170)
         at oracle.jdbc.driver.T4CPreparedStatement.execute_for_rows(T4CPreparedStatement.java:633)
         at oracle.jdbc.driver.OracleStatement.execute_maybe_describe(OracleStatement.java:1048)
         at oracle.jdbc.driver.T4CPreparedStatement.execute_maybe_describe(T4CPreparedStatement.java:535)
         at oracle.jdbc.driver.OracleStatement.doExecuteWithTimeout(OracleStatement.java:1126)
         at oracle.jdbc.driver.OraclePreparedStatement.executeInternal(OraclePreparedStatement.java:3001)
         at oracle.jdbc.driver.OraclePreparedStatement.executeQuery(OraclePreparedStatement.java:3043)
         at oracle.jbo.server.QueryCollection.buildResultSet(QueryCollection.java:857)
         at oracle.jbo.server.QueryCollection.executeQuery(QueryCollection.java:666)
         at oracle.jbo.server.ViewObjectImpl.executeQueryForCollection(ViewObjectImpl.java:3655)
         at oracle.jbo.server.OAJboViewObjectImpl.executeQueryForCollection(Unknown Source)
         at oracle.apps.fnd.framework.server.OAViewObjectImpl.executeQueryForCollection(Unknown Source)
         at oracle.jbo.server.ViewRowSetImpl.execute(ViewRowSetImpl.java:742)
         at oracle.jbo.server.ViewRowSetImpl.executeQueryForMasters(ViewRowSetImpl.java:891)
         at oracle.jbo.server.ViewRowSetImpl.executeQueryForMode(ViewRowSetImpl.java:805)
         at oracle.jbo.server.ViewRowSetImpl.executeQuery(ViewRowSetImpl.java:799)
         at oracle.jbo.server.ViewObjectImpl.executeQuery(ViewObjectImpl.java:3575)
         at oracle.apps.fnd.framework.server.OAViewObjectImpl.executeQuery(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAWebBeanPickListHelper.createListDataObject(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAWebBeanPickListHelper.getListDataObject(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAWebBeanPickListHelper.getList(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAWebBeanPickListHelper.getList(Unknown Source)
         at oracle.apps.fnd.framework.webui.beans.message.OAMessageChoiceBean.getList(Unknown Source)
         at oracle.apps.fnd.framework.webui.OADataBoundValuePickListData.getValue(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAWebBeanHelper.getAttributeValueImpl(Unknown Source)
         at oracle.apps.fnd.framework.webui.beans.message.OAMessageChoiceBean.getAttributeValueImpl(Unknown Source)
         at oracle.cabo.ui.BaseUINode.getAttributeValue(Unknown Source)
         at oracle.apps.fnd.framework.webui.OADataBoundValuePickListSelectionIndex.getValue(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAWebBeanHelper.getAttributeValueImpl(Unknown Source)
         at oracle.apps.fnd.framework.webui.beans.message.OAMessageChoiceBean.getAttributeValueImpl(Unknown Source)
         at oracle.cabo.ui.BaseUINode.getAttributeValue(Unknown Source)
         at oracle.cabo.ui.collection.UINodeAttributeMap.getAttribute(Unknown Source)
         at oracle.cabo.ui.collection.AttributeMapProxy.getAttribute(Unknown Source)
         at oracle.cabo.ui.BaseUINode.getAttributeValueImpl(Unknown Source)
         at oracle.cabo.ui.BaseUINode.getAttributeValue(Unknown Source)
         at oracle.cabo.ui.collection.UINodeAttributeMap.getAttribute(Unknown Source)
         at oracle.cabo.ui.BaseUINode.getAttributeValueImpl(Unknown Source)
         at oracle.cabo.ui.BaseUINode.getAttributeValue(Unknown Source)
         at oracle.cabo.ui.laf.base.BaseLafUtils.getLocalAttribute(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.OptionContainerRenderer.getSelectedIndex(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.OptionContainerRenderer.populateOptionInfo(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.OptionContainerRenderer.createOptionInfo(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.OptionContainerRenderer.prerender(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.ChoiceRenderer.prerender(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.render(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.XhtmlLafRenderer.render(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.FormElementRenderer.render(Unknown Source)
         at oracle.apps.fnd.framework.webui.OARendererProxy.render(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAWebBeanPickListRendererProxy.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderNamedChild(Unknown Source)
         at oracle.cabo.ui.laf.base.SwitcherRenderer._renderCase(Unknown Source)
         at oracle.cabo.ui.laf.base.SwitcherRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.composite.UINodeRenderer.renderWithNode(Unknown Source)
         at oracle.cabo.ui.composite.UINodeRenderer.render(Unknown Source)
         at oracle.apps.fnd.framework.webui.OARendererProxy.render(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAWebBeanPickListRendererProxy.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.render(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.XhtmlLafRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.composite.UINodeRenderer.renderWithNode(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.InlineMessageRenderer.render(Unknown Source)
         at oracle.apps.fnd.framework.webui.OARendererProxy.render(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAWebBeanPickListRendererProxy.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.LabeledFieldLayoutRenderer.renderLabel(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.LabeledFieldLayoutRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.render(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.XhtmlLafRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.laf.swan.desktop.HeaderRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.laf.oracle.desktop.HeaderRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.laf.swan.desktop.HeaderRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.render(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.XhtmlLafRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.render(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.XhtmlLafRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.render(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.XhtmlLafRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.render(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.XhtmlLafRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.composite.ContextPoppingUINode$ContextPoppingRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.render(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.XhtmlLafRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.laf.swan.desktop.HeaderRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.laf.oracle.desktop.HeaderRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.laf.swan.desktop.HeaderRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.render(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.XhtmlLafRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.BorderLayoutRenderer.renderIndexedChildren(Unknown Source)
         at oracle.cabo.ui.laf.swan.desktop.ContentRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.render(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.XhtmlLafRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.render(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.XhtmlLafRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.composite.UINodeRenderer.renderWithNode(Unknown Source)
         at oracle.cabo.ui.composite.UINodeRenderer.render(Unknown Source)
         at oracle.cabo.ui.laf.oracle.desktop.PageLayoutRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.render(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.XhtmlLafRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.BodyRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.apps.fnd.framework.webui.beans.OABodyBean.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderIndexedChild(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.DocumentRenderer.renderContent(Unknown Source)
         at oracle.cabo.ui.BaseRenderer.render(Unknown Source)
         at oracle.cabo.ui.laf.base.xhtml.DocumentRenderer.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.BaseUINode.render(Unknown Source)
         at oracle.cabo.ui.partial.PartialPageUtils.renderPartialPage(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAPageBean.render(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAPageBean.renderDocument(Unknown Source)
         at oracle.apps.fnd.framework.webui.OAPageBean.renderDocument(Unknown Source)
         at OA.jspService(_OA.java:87)
         at com.orionserver.http.OrionHttpJspPage.service(OrionHttpJspPage.java:59)
         at oracle.jsp.runtimev2.JspPageTable.service(JspPageTable.java:462)
         at oracle.jsp.runtimev2.JspServlet.internalService(JspServlet.java:594)
         at oracle.jsp.runtimev2.JspServlet.service(JspServlet.java:518)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:856)
         at com.evermind.server.http.ServletRequestDispatcher.invoke(ServletRequestDispatcher.java:713)
         at com.evermind.server.http.ServletRequestDispatcher.forwardInternal(ServletRequestDispatcher.java:370)
         at com.evermind.server.http.HttpRequestHandler.doProcessRequest(HttpRequestHandler.java:871)
         at com.evermind.server.http.HttpRequestHandler.processRequest(HttpRequestHandler.java:453)
         at com.evermind.server.http.HttpRequestHandler.serveOneRequest(HttpRequestHandler.java:221)
         at com.evermind.server.http.HttpRequestHandler.run(HttpRequestHandler.java:122)
         at com.evermind.server.http.HttpRequestHandler.run(HttpRequestHandler.java:111)
         at oracle.oc4j.network.ServerSocketReadHandler$SafeRunnable.run(ServerSocketReadHandler.java:260)
         at oracle.oc4j.network.ServerSocketAcceptHandler.procClientSocket(ServerSocketAcceptHandler.java:239)
         at oracle.oc4j.network.ServerSocketAcceptHandler.access$700(ServerSocketAcceptHandler.java:34)
         at oracle.oc4j.network.ServerSocketAcceptHandler$AcceptHandlerHorse.run(ServerSocketAcceptHandler.java:880)
         at com.evermind.util.ReleasableResourcePooledExecutor$MyWorker.run(ReleasableResourcePooledExecutor.java:303)
         at java.lang.Thread.run(Thread.java:595)
    java.sql.SQLException: OALL8 is in an inconsistent state.
    continued...

  • How to fix managed server inconsistent state

    Hi,
    My weblogic domain contains 2 managed servers (not in a cluster) and one Admin Server.
    One of my managed servers has previously encounted a problem to start. The problem is solved for this managed server : now, I can start it with the startManagedServer.sh script but I can't start it from the admin console because when it is stopped, its status is "starting" and not "shutdown".
    When it is started, its status under the admin console is "running" and I can stop it normally but it is not possible to restart it later with the admin console.
    The Admin Server seems to stored the status of this managed server somewhere. How can I re-initialize the managed Server state to manage it from the Admin Console?
    Thanks.
    Regards,
    Hal

    These sort of issues usually occur when your domain is spread across more than one physical servers and you use localhost as listen address for your Admin Server.
    Make sure that you give fully qualified domain name as listen address for all the Weblogic instances inside the domain.
    I have seen these sort of problems in the past where Admin server doesn't recognize the status of Managed servers when there is inconsistency in listen addresses.
    Hope this helps
    - - Tarun

  • Jclient error: java.sql.SQLException: OALL8 is in an inconsistent state

    Dear all,
    who can help us about java.sql.SQLException: OALL8 is in an inconsistent state.
    Our application system is build for Jdeveloper 10.1.2 with JClient+BC4J
    and be deploy on 2-tier application architecture(through Web Start) , and the database is oracle 9.2.0.1
    In sometime the application running, our user will got these error response message that is like following , please kindly give us a direction to solve this problem .
    oracle.jbo.DMLException: JBO-26044: ¨ú±oµøÆ[ªíª«¥ó ReportPhraseBasicView1, ±Ôz¥y SELECT count(1) FROM (SELECT ReportPhraseBasic.HOSPITALCODE,         ReportPhraseBasic.USERCODE,          ReportPhraseBasic.PHRASECODE,         ReportPhraseBasic.PHRASECONTEXT,          ReportPhraseBasic.CREATED_BY,         ReportPhraseBasic.CREATION_DATE,          ReportPhraseBasic.LAST_UPDATED_BY,         ReportPhraseBasic.LAST_UPDATE_DATE,          ReportPhraseBasic.MARK FROM REPORT_PHRASE_BASIC ReportPhraseBasic WHERE (USERCODE = '006583') AND ( ( (ReportPhraseBasic.PHRASECODE LIKE '%') ) ))  ªº¦ôp¸ê®Æ¦Cp¼Æ®Éµo¥Í¿ù»~.
         at oracle.jbo.server.ViewObjectImpl.getQueryHitCount(ViewObjectImpl.java:2101)
         at oracle.jbo.server.ViewObjectImpl.getQueryHitCount(ViewObjectImpl.java:2043)
         at oracle.jbo.server.QueryCollection.getEstimatedRowCount(QueryCollection.java:2170)
         at oracle.jbo.server.ViewRowSetImpl.getEstimatedRowCount(ViewRowSetImpl.java:1824)
         at oracle.jbo.server.ViewObjectImpl.getEstimatedRowCount(ViewObjectImpl.java:5624)
         at oracle.adf.model.bc4j.DCJboDataControl.getEstimatedRowCount(DCJboDataControl.java:925)
         at oracle.adf.model.binding.DCIteratorBinding.getEstimatedRowCount(DCIteratorBinding.java:2526)
         at oracle.jbo.uicli.binding.JUCtrlRangeBinding.getEstimatedRowCount(JUCtrlRangeBinding.java:101)
         at oracle.jbo.uicli.jui.JUTableBinding$JUTableModel.getRowCount(JUTableBinding.java:1099)
         at oracle.jbo.uicli.jui.JUTableBinding.getRowCount(JUTableBinding.java:618)
         at oracle.jbo.uicli.jui.JUTableSortModel.getRowCount(JUTableSortModel.java:560)
         at javax.swing.JTable.getRowCount(Unknown Source)
         at javax.swing.JTable.valueChanged(Unknown Source)
         at javax.swing.DefaultListSelectionModel.fireValueChanged(Unknown Source)
         at javax.swing.DefaultListSelectionModel.fireValueChanged(Unknown Source)
         at javax.swing.DefaultListSelectionModel.fireValueChanged(Unknown Source)
         at javax.swing.DefaultListSelectionModel.changeSelection(Unknown Source)
         at javax.swing.DefaultListSelectionModel.changeSelection(Unknown Source)
         at javax.swing.DefaultListSelectionModel.removeSelectionInterval(Unknown Source)
         at javax.swing.DefaultListSelectionModel.clearSelection(Unknown Source)
         at oracle.jbo.uicli.jui.SortedListSelectionModel.clearSelection(JUTableSortModel.java:747)
         at javax.swing.JTable.clearSelection(Unknown Source)
         at javax.swing.JTable.tableChanged(Unknown Source)
         at javax.swing.table.AbstractTableModel.fireTableChanged(Unknown Source)
         at oracle.jbo.uicli.jui.JUTableSortModel.tableChanged(JUTableSortModel.java:177)
         at javax.swing.table.AbstractTableModel.fireTableChanged(Unknown Source)
         at javax.swing.table.AbstractTableModel.fireTableDataChanged(Unknown Source)
         at oracle.jbo.uicli.jui.JUTableBinding$JUTableModel.fireTableDataChangedRestoreSelection(JUTableBinding.java:763)
         at oracle.jbo.uicli.jui.JUTableBinding$JUTableModel._refreshLater(JUTableBinding.java:989)
         at oracle.jbo.uicli.jui.JUTableBinding$JUTableModel.access$7000971(JUTableBinding.java:700)
         at oracle.jbo.uicli.jui.JUTableBinding$1.run(JUTableBinding.java:940)
         at java.awt.event.InvocationEvent.dispatch(Unknown Source)
         at java.awt.EventQueue.dispatchEvent(Unknown Source)
         at java.awt.EventDispatchThread.pumpOneEventForHierarchy(Unknown Source)
         at java.awt.EventDispatchThread.pumpEventsForHierarchy(Unknown Source)
         at java.awt.EventDispatchThread.pumpEvents(Unknown Source)
         at java.awt.EventDispatchThread.pumpEvents(Unknown Source)
         at java.awt.EventDispatchThread.run(Unknown Source)
    ## Detail 0 ##
    java.sql.SQLException: OALL8 is in an inconsistent state.
         at oracle.jdbc.driver.DatabaseError.throwSqlException(DatabaseError.java:124)
         at oracle.jdbc.driver.T4C8Oall.init(T4C8Oall.java:308)
         at oracle.jdbc.driver.T4CPreparedStatement.doOall8(T4CPreparedStatement.java:166)
         at oracle.jdbc.driver.T4CPreparedStatement.execute_for_describe(T4CPreparedStatement.java:661)
         at oracle.jdbc.driver.OracleStatement.execute_maybe_describe(OracleStatement.java:893)
         at oracle.jdbc.driver.T4CPreparedStatement.execute_maybe_describe(T4CPreparedStatement.java:693)
         at oracle.jdbc.driver.OracleStatement.doExecuteWithTimeout(OracleStatement.java:988)
         at oracle.jdbc.driver.OraclePreparedStatement.executeInternal(OraclePreparedStatement.java:2884)
         at oracle.jdbc.driver.OraclePreparedStatement.executeQuery(OraclePreparedStatement.java:2925)
         at oracle.jbo.server.ViewObjectImpl.getQueryHitCount(ViewObjectImpl.java:2083)
         at oracle.jbo.server.ViewObjectImpl.getQueryHitCount(ViewObjectImpl.java:2043)
         at oracle.jbo.server.QueryCollection.getEstimatedRowCount(QueryCollection.java:2170)
         at oracle.jbo.server.ViewRowSetImpl.getEstimatedRowCount(ViewRowSetImpl.java:1824)
         at oracle.jbo.server.ViewObjectImpl.getEstimatedRowCount(ViewObjectImpl.java:5624)
         at oracle.adf.model.bc4j.DCJboDataControl.getEstimatedRowCount(DCJboDataControl.java:925)
         at oracle.adf.model.binding.DCIteratorBinding.getEstimatedRowCount(DCIteratorBinding.java:2526)
         at oracle.jbo.uicli.binding.JUCtrlRangeBinding.getEstimatedRowCount(JUCtrlRangeBinding.java:101)
         at oracle.jbo.uicli.jui.JUTableBinding$JUTableModel.getRowCount(JUTableBinding.java:1099)
         at oracle.jbo.uicli.jui.JUTableBinding.getRowCount(JUTableBinding.java:618)
         at oracle.jbo.uicli.jui.JUTableSortModel.getRowCount(JUTableSortModel.java:560)
         at javax.swing.JTable.getRowCount(Unknown Source)
         at javax.swing.JTable.valueChanged(Unknown Source)
         at javax.swing.DefaultListSelectionModel.fireValueChanged(Unknown Source)
         at javax.swing.DefaultListSelectionModel.fireValueChanged(Unknown Source)
         at javax.swing.DefaultListSelectionModel.fireValueChanged(Unknown Source)
         at javax.swing.DefaultListSelectionModel.changeSelection(Unknown Source)
         at javax.swing.DefaultListSelectionModel.changeSelection(Unknown Source)
         at javax.swing.DefaultListSelectionModel.removeSelectionInterval(Unknown Source)
         at javax.swing.DefaultListSelectionModel.clearSelection(Unknown Source)
         at oracle.jbo.uicli.jui.SortedListSelectionModel.clearSelection(JUTableSortModel.java:747)
         at javax.swing.JTable.clearSelection(Unknown Source)
         at javax.swing.JTable.tableChanged(Unknown Source)
         at javax.swing.table.AbstractTableModel.fireTableChanged(Unknown Source)
         at oracle.jbo.uicli.jui.JUTableSortModel.tableChanged(JUTableSortModel.java:177)
         at javax.swing.table.AbstractTableModel.fireTableChanged(Unknown Source)
         at javax.swing.table.AbstractTableModel.fireTableDataChanged(Unknown Source)
         at oracle.jbo.uicli.jui.JUTableBinding$JUTableModel.fireTableDataChangedRestoreSelection(JUTableBinding.java:763)
         at oracle.jbo.uicli.jui.JUTableBinding$JUTableModel._refreshLater(JUTableBinding.java:989)
         at oracle.jbo.uicli.jui.JUTableBinding$JUTableModel.access$7000971(JUTableBinding.java:700)
         at oracle.jbo.uicli.jui.JUTableBinding$1.run(JUTableBinding.java:940)
         at java.awt.event.InvocationEvent.dispatch(Unknown Source)
         at java.awt.EventQueue.dispatchEvent(Unknown Source)
         at java.awt.EventDispatchThread.pumpOneEventForHierarchy(Unknown Source)
         at java.awt.EventDispatchThread.pumpEventsForHierarchy(Unknown Source)
         at java.awt.EventDispatchThread.pumpEvents(Unknown Source)
         at java.awt.EventDispatchThread.pumpEvents(Unknown Source)
         at java.awt.EventDispatchThread.run(Unknown Source)
    ==============
    oracle.jbo.SQLStmtException: JBO-27122: Protocol Violation: SELECT Reportbasic.HOSPITALCODE,         Reportbasic.REPORTSEQNO,          Reportbasic.VERSION,         Reportbasic.EXAM,          Reportbasic.IMPRESSION,         Reportbasic.DICTATE_SEQ,          Reportbasic.DICTATEDATE,         Reportbasic.DICTATOR,          Reportbasic.DICTATORNAME,         Reportbasic.REPORTDATE,          Reportbasic.REPORTDR_VS,         Reportbasic.REPORTNAME_VS,          Reportbasic.REPORTDR_RESIDENT,         Reportbasic.REPORTNAME_RESIDENT,          Reportbasic.REPORTDR_CONSIDER,         Reportbasic.REPORTNAME_CONSIDER,          Reportbasic.APPROVEDATE,         Reportbasic.APPROVEDR,          Reportbasic.APPROVENAME,         Reportbasic.FINISH_FLAG,          Reportbasic.OFFICIALFLAG,         Reportbasic.EXAMTEXT,          Reportbasic.IMPRESSIONTEXT,         Reportbasic.STATUS,          Reportbasic.TRANSMIT_NEEDED,         Reportbasic.REMARK,          Reportbasic.CREATED_BY,         Reportbasic.CREATION_DATE,          Reportbasic.LAST_UPDATED_BY,         Reportbasic.LAST_UPDATE_DATE,          Reportbasic.EDUCATIONTYPE,         Reportbasic.EDUCATIONCODE,          Reportbasic.CODINGOPER,         Reportbasic.CODINGDATE,          Reportbasic.ACCESSNO FROM REPORTBASIC Reportbasic WHERE Reportbasic.REPORTSEQNO = :1
         at oracle.jbo.server.QueryCollection.buildResultSet(QueryCollection.java:774)
         at oracle.jbo.server.QueryCollection.executeQuery(QueryCollection.java:547)
         at oracle.jbo.server.ViewObjectImpl.executeQueryForCollection(ViewObjectImpl.java:3422)
         at oracle.jbo.server.ViewRowSetImpl.execute(ViewRowSetImpl.java:663)
         at oracle.jbo.server.ViewRowSetImpl.execute(ViewRowSetImpl.java:617)
         at oracle.jbo.server.ViewRowSetIteratorImpl.ensureRefreshed(ViewRowSetIteratorImpl.java:2593)
         at oracle.jbo.server.ViewRowSetIteratorImpl.refresh(ViewRowSetIteratorImpl.java:2850)
         at oracle.jbo.server.ViewRowSetImpl.notifyRefresh(ViewRowSetImpl.java:1941)
         at oracle.jbo.server.ViewRowSetImpl.refreshRowSet(ViewRowSetImpl.java:4094)
         at oracle.jbo.server.ViewRowSetIteratorImpl.notifyDetailRowSets(ViewRowSetIteratorImpl.java:3300)
         at oracle.jbo.server.ViewRowSetIteratorImpl.notifyNavigation(ViewRowSetIteratorImpl.java:3418)
         at oracle.jbo.server.ViewRowSetIteratorImpl.internalSetCurrentRow(ViewRowSetIteratorImpl.java:3192)
         at oracle.jbo.server.ViewRowSetIteratorImpl.setCurrentRowAtRangeIndex(ViewRowSetIteratorImpl.java:998)
         at oracle.jbo.server.ViewRowSetImpl.setCurrentRowAtRangeIndex(ViewRowSetImpl.java:2569)
         at oracle.jbo.server.ViewObjectImpl.setCurrentRowAtRangeIndex(ViewObjectImpl.java:6186)
         at oracle.jbo.uicli.jui.JUTableBinding$JUTableModel.valueChanged(JUTableBinding.java:1274)
         at javax.swing.DefaultListSelectionModel.fireValueChanged(Unknown Source)
         at javax.swing.DefaultListSelectionModel.fireValueChanged(Unknown Source)
         at javax.swing.DefaultListSelectionModel.setValueIsAdjusting(Unknown Source)
         at oracle.jbo.uicli.jui.SortedListSelectionModel.setValueIsAdjusting(JUTableSortModel.java:777)
         at javax.swing.plaf.basic.BasicTableUI$MouseInputHandler.setValueIsAdjusting(Unknown Source)
         at javax.swing.plaf.basic.BasicTableUI$MouseInputHandler.mouseReleased(Unknown Source)
         at java.awt.AWTEventMulticaster.mouseReleased(Unknown Source)
         at java.awt.AWTEventMulticaster.mouseReleased(Unknown Source)
         at java.awt.AWTEventMulticaster.mouseReleased(Unknown Source)
         at java.awt.AWTEventMulticaster.mouseReleased(Unknown Source)
         at java.awt.Component.processMouseEvent(Unknown Source)
         at java.awt.Component.processEvent(Unknown Source)
         at java.awt.Container.processEvent(Unknown Source)
         at java.awt.Component.dispatchEventImpl(Unknown Source)
         at java.awt.Container.dispatchEventImpl(Unknown Source)
         at java.awt.Component.dispatchEvent(Unknown Source)
         at java.awt.LightweightDispatcher.retargetMouseEvent(Unknown Source)
         at java.awt.LightweightDispatcher.processMouseEvent(Unknown Source)
         at java.awt.LightweightDispatcher.dispatchEvent(Unknown Source)
         at java.awt.Container.dispatchEventImpl(Unknown Source)
         at java.awt.Window.dispatchEventImpl(Unknown Source)
         at java.awt.Component.dispatchEvent(Unknown Source)
         at java.awt.EventQueue.dispatchEvent(Unknown Source)
         at java.awt.EventDispatchThread.pumpOneEventForHierarchy(Unknown Source)
         at java.awt.EventDispatchThread.pumpEventsForHierarchy(Unknown Source)
         at java.awt.EventDispatchThread.pumpEvents(Unknown Source)
         at java.awt.EventDispatchThread.pumpEvents(Unknown Source)
         at java.awt.EventDispatchThread.run(Unknown Source)
    ## Detail 0 ##
    java.sql.SQLException: ¹H¤Ï¨ó©w
         at oracle.jdbc.driver.DatabaseError.throwSqlException(DatabaseError.java:124)
         at oracle.jdbc.driver.DatabaseError.throwSqlException(DatabaseError.java:161)
         at oracle.jdbc.driver.DatabaseError.check_error(DatabaseError.java:884)
         at oracle.jdbc.driver.T4C8Oall.receive(T4C8Oall.java:642)
         at oracle.jdbc.driver.T4CPreparedStatement.doOall8(T4CPreparedStatement.java:181)
         at oracle.jdbc.driver.T4CPreparedStatement.execute_for_rows(T4CPreparedStatement.java:791)
         at oracle.jdbc.driver.OracleStatement.execute_maybe_describe(OracleStatement.java:912)
         at oracle.jdbc.driver.T4CPreparedStatement.execute_maybe_describe(T4CPreparedStatement.java:693)
         at oracle.jdbc.driver.OracleStatement.doExecuteWithTimeout(OracleStatement.java:988)
         at oracle.jdbc.driver.OraclePreparedStatement.executeInternal(OraclePreparedStatement.java:2884)
         at oracle.jdbc.driver.OraclePreparedStatement.executeQuery(OraclePreparedStatement.java:2925)
         at oracle.jbo.server.QueryCollection.buildResultSet(QueryCollection.java:691)
         at oracle.jbo.server.QueryCollection.executeQuery(QueryCollection.java:547)
         at oracle.jbo.server.ViewObjectImpl.executeQueryForCollection(ViewObjectImpl.java:3422)
         at oracle.jbo.server.ViewRowSetImpl.execute(ViewRowSetImpl.java:663)
         at oracle.jbo.server.ViewRowSetImpl.execute(ViewRowSetImpl.java:617)
         at oracle.jbo.server.ViewRowSetIteratorImpl.ensureRefreshed(ViewRowSetIteratorImpl.java:2593)
         at oracle.jbo.server.ViewRowSetIteratorImpl.refresh(ViewRowSetIteratorImpl.java:2850)
         at oracle.jbo.server.ViewRowSetImpl.notifyRefresh(ViewRowSetImpl.java:1941)
         at oracle.jbo.server.ViewRowSetImpl.refreshRowSet(ViewRowSetImpl.java:4094)
         at oracle.jbo.server.ViewRowSetIteratorImpl.notifyDetailRowSets(ViewRowSetIteratorImpl.java:3300)
         at oracle.jbo.server.ViewRowSetIteratorImpl.notifyNavigation(ViewRowSetIteratorImpl.java:3418)
         at oracle.jbo.server.ViewRowSetIteratorImpl.internalSetCurrentRow(ViewRowSetIteratorImpl.java:3192)
         at oracle.jbo.server.ViewRowSetIteratorImpl.setCurrentRowAtRangeIndex(ViewRowSetIteratorImpl.java:998)
         at oracle.jbo.server.ViewRowSetImpl.setCurrentRowAtRangeIndex(ViewRowSetImpl.java:2569)
         at oracle.jbo.server.ViewObjectImpl.setCurrentRowAtRangeIndex(ViewObjectImpl.java:6186)
         at oracle.jbo.uicli.jui.JUTableBinding$JUTableModel.valueChanged(JUTableBinding.java:1274)
         at javax.swing.DefaultListSelectionModel.fireValueChanged(Unknown Source)
         at javax.swing.DefaultListSelectionModel.fireValueChanged(Unknown Source)
         at javax.swing.DefaultListSelectionModel.setValueIsAdjusting(Unknown Source)
         at oracle.jbo.uicli.jui.SortedListSelectionModel.setValueIsAdjusting(JUTableSortModel.java:777)
         at javax.swing.plaf.basic.BasicTableUI$MouseInputHandler.setValueIsAdjusting(Unknown Source)
         at javax.swing.plaf.basic.BasicTableUI$MouseInputHandler.mouseReleased(Unknown Source)
         at java.awt.AWTEventMulticaster.mouseReleased(Unknown Source)
         at java.awt.AWTEventMulticaster.mouseReleased(Unknown Source)
         at java.awt.AWTEventMulticaster.mouseReleased(Unknown Source)
         at java.awt.AWTEventMulticaster.mouseReleased(Unknown Source)
         at java.awt.Component.processMouseEvent(Unknown Source)
         at java.awt.Component.processEvent(Unknown Source)
         at java.awt.Container.processEvent(Unknown Source)
         at java.awt.Component.dispatchEventImpl(Unknown Source)
         at java.awt.Container.dispatchEventImpl(Unknown Source)
         at java.awt.Component.dispatchEvent(Unknown Source)
         at java.awt.LightweightDispatcher.retargetMouseEvent(Unknown Source)
         at java.awt.LightweightDispatcher.processMouseEvent(Unknown Source)
         at java.awt.LightweightDispatcher.dispatchEvent(Unknown Source)
         at java.awt.Container.dispatchEventImpl(Unknown Source)
         at java.awt.Window.dispatchEventImpl(Unknown Source)
         at java.awt.Component.dispatchEvent(Unknown Source)
         at java.awt.EventQueue.dispatchEvent(Unknown Source)
         at java.awt.EventDispatchThread.pumpOneEventForHierarchy(Unknown Source)
         at java.awt.EventDispatchThread.pumpEventsForHierarchy(Unknown Source)
         at java.awt.EventDispatchThread.pumpEvents(Unknown Source)
         at java.awt.EventDispatchThread.pumpEvents(Unknown Source)
         at java.awt.EventDispatchThread.run(Unknown Source)                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               

    Seems its problem with the version of Oracle you are using ..See the following link,it provides you some additional info.
    java.sql.SQLException: OALL8 is in an inconsistent state

Maybe you are looking for

  • How to insert image into table and to in Oracle 9i intermedia?

    Mr Lawrence, I want to ask something: I use Oracle 9i intermedia If i use this script: CREATE TABLE images ( file_name VARCHAR2(100) NOT NULL, image ORDSYS.OrdImage then CREATE OR REPLACE DIRECTORY imgdir AS 'd:/data'; then INSERT INTO images (file_n

  • I've just installed OS 10.6.8. Now I can't get my HP LaserJet 2200 printer to work.

    I've just installed OS 10.6.8. Now I can't get my HP LaserJet 2200 printer to work.

  • Error in Save Query in BI NW04s

    Dear all, I'm able to execute query in new BI 04s environment, but when I save query (new query or modified existing query) I got error message "Program error in class SAPMSSY1 method UNCAUGHT_EXCEPTION". Could you help me for this ? I tried to searc

  • Spits out DVD-R instead of opening iDVD per system pref

    I have tried DVD-R and DVD+R, 8x and 4x... spits them out after 10 seconds of confused contemplation. Pre-made/homemade CD's and DVD's play fine. When I want to burn a disc with iDVD or burn folders... nada under me user AND test user. Arrrrgh!

  • Applications crash when I try to print

    Everything was running perfectly for several months - then - for no rhyme or reason - every time I try to print anything from any application - the application from which I am printing crashes. I don't think it is the printer because when I uninstall