Help with Exceptions

When I run this code, I get the following complile-time error:
unreported exception java.lang.ClassNotFoundException must be caught or thrown
public static void main( String[] args) {
     ServerSocket sSock = null;
     try {
           sSock = new ServerSocket (9876);
     } catch(IOException e) {System.err.println(e); }
     while (true) {
           try {
                 Socket sock = sSock.accept();
                 ObjectInputStream os = new ObjectInputStream(
                                    sock.getInputStream() );
                 Map m;
                 m = (Map) os.readObject(); //Error at this line
                 Object[] array = m.keySet().toArray();
                 Arrays.sort(array);
                 for(int i=0; i < m.keySet().size(); i++)
                         System.out.println(m.get(array));
} catch(IOException e) {System.err.println(e); }
Since it is already in the try block, how to I catch this exception as well as the IOException?

public static void main( String[] args) {
ServerSocket sSock = null;
try {
sSock = new ServerSocket (9876);
} catch(IOException e) {System.err.println(e); }
while (true) {
try {
Socket sock = sSock.accept();
ObjectInputStream os = new ObjectInputStream(
sock.getInputStream() );
Map m;
m = (Map) os.readObject(); //Error at this line
Object[] array = m.keySet().toArray();
Arrays.sort(array);
for(int i=0; i < m.keySet().size(); i++)
System.out.println(m.get(array));
} catch(IOException e) {System.err.println(e); }
catch(ClassNotFoundException e) {System.err.println(e); }
or you could (not advisable) simply catch the super class Exception

Similar Messages

  • Help with "Exception in thread "Thread-4" java.lang.NullPointerException"

    I am new to Java and I am trying a simple bouncing ball example from Stanford. Here is their simple example that works.
    import acm.program.*;
    import acm.graphics.*;
    import java.awt.*;
    public class BouncingBallWorking extends GraphicsProgram {
    /** sets diameter */
    private static final int DIAM_BALL = 30;
    /** amount y velocity is increased each cycle */
    private static final double GRAVITY = 3;
    /** Animation delay or pause time between ball moves */
    private static final int DELAY = 50;
    /** Initial X and Y location ball*/
    private static final double X_START = DIAM_BALL / 2;
    private static final double Y_START = 100;
    private static final double X_VEL = 3;
    private static final double BOUNCE_REDUCE = 0.9;
    private double xVel = X_VEL;
    private double yVel = 0.0;
    private GOval BallA;
    public void run() {
    setup(X_START,Y_START);
    //         Simulation ends when ball goes off right hand
    //         end of screen
    while (BallA.getX() < getWidth()) {
    moveBall(BallA);
    checkForCollision(BallA);
    pause(DELAY);
    private void setup(double X_coor, double Y_coor) {
    BallA = new GOval(X_coor, Y_coor, DIAM_BALL, DIAM_BALL);
    add(BallA);
    private void moveBall(GOval BallObject) {
    yVel += GRAVITY;
    BallObject.move(xVel,yVel);
    private void checkForCollision(GOval BallObject) {
    if(BallObject.getY() > getHeight() - DIAM_BALL){
    yVel = - yVel * BOUNCE_REDUCE;
    double diff = BallObject.getY() - (getHeight() - DIAM_BALL);
    BallObject.move(0, -2 * diff);
    } Now I am trying to modify "setup" so it I can create several balls. I made a simple modification to "setup" and now I am getting an error.
    "Exception in thread "Thread-4" java.lang.NullPointerException
    at BouncingBallNotWorking.run(BouncingBallNotWorking.java:36)
    at acm.program.Program.runHook(Program.java:1592)
    at acm.program.Program.startRun(Program.java:1581)
    at acm.program.AppletStarter.run(Program.java:1939)
    at java.lang.Thread.run(Unknown Source)"
    Can you describe why I am getting an error? Thanks.
    Here is what I changed.
    Before:
         private void setup(double X_coor, double Y_coor) {
              BallA = new GOval(X_coor, Y_coor, DIAM_BALL, DIAM_BALL);
              add(BallA);
         }After:
         private void setup(double X_coor, double Y_coor, GOval BallObject) {
              BallObject = new GOval(X_coor, Y_coor, DIAM_BALL, DIAM_BALL);
              add(BallObject);
         }Here is the complete code.
    * File:BouncingBall.java
    * This program graphically simulates a bouncing ball
    import acm.program.*;
    import acm.graphics.*;
    import java.awt.*;
    public class BouncingBallNotWorking extends GraphicsProgram {
    /** sets diameter */
    private static final int DIAM_BALL = 30;
    /** amount y velocity is increased each cycle */
    private static final double GRAVITY = 3;
    /** Animation delay or pause time between ball moves */
    private static final int DELAY = 50;
    /** Initial X and Y location ball*/
    private static final double X_START = DIAM_BALL / 2;
    private static final double Y_START = 100;
    private static final double X_VEL = 3;
    private static final double BOUNCE_REDUCE = 0.9;
    private double xVel = X_VEL;
    private double yVel = 0.0;
    private GOval BallA;
    public void run() {
    setup(X_START,Y_START, BallA);
    //         Simulation ends when ball goes off right hand
    //         end of screen
    while (BallA.getX() < getWidth()) {
    moveBall(BallA);
    checkForCollision(BallA);
    pause(DELAY);
    private void setup(double X_coor, double Y_coor, GOval BallObject) {
    BallObject = new GOval(X_coor, Y_coor, DIAM_BALL, DIAM_BALL);
    add(BallObject);
    private void moveBall(GOval BallObject) {
    yVel += GRAVITY;
    BallObject.move(xVel,yVel);
    private void checkForCollision(GOval BallObject) {
    if(BallObject.getY() > getHeight() - DIAM_BALL){
    yVel = - yVel * BOUNCE_REDUCE;
    double diff = BallObject.getY() - (getHeight() - DIAM_BALL);
    BallObject.move(0, -2 * diff);
    } Edited by: TiredRyan on Mar 19, 2010 1:47 AM

    TiredRyan wrote:
    That is great! Thanks. I've got two question though.
    1.) Now I want to have 100 bouncing balls. Is the best way to achieve this is through an array of GOvals? I haven't gotten to the lecture on arrays on Stanford's ITunesU site yet so I am not sure what is possible with what I know now.An array would work, or a List. But it doesn't matter much in this case.
    2.) Are references being passed by value only applicable to Java or is that common to object-oriented programming? Also is there a way to force Java to pass in "BallA" instead of the value "null"?I can't say about all OO languages as a whole, but at least C++ can pass by reference.
    And no, there's no way to pass a reference to the BallA variable, so the method would initialize it and it wouldn't be null anymore.
    When you call the method with your BallA variable, the value of the variable is examined and it's passed to the method. So you can't pass the name of a variable where you'd want to store some object you created in the method.
    But you don't need to either, so there's no harm done.

  • Help with exception: A connection could not be obtained in the specified login time of 5 seconds

    Hi Kodo gurus,
    I run into following problem:
    Since I start to use JDOQL queries, the system I am developing start to
    throw Exception saying:
    javax.jdo.JDODataStoreException:
    com.solarmetric.kodo.impl.jdbc.sql.SQLExceptionWrapper:
    [SQL=SELECT t0.JDOIDX, t0.JDOCLASSX, t0.JDOLOCKX, t0.booldefaultval,
    t0.datatype, t0.name, t0.strdefaultval FROM PROPERTYDEFX t0 WHERE
    t0.name = 'learningMode1']
    [PRE=SELECT t0.JDOIDX, t0.JDOCLASSX, t0.JDOLOCKX, t0.booldefaultval,
    t0.datatype, t0.name, t0.strdefaultval FROM PROPERTYDEFX t0 WHERE
    t0.name = ?]
    A connection could not be obtained in the specified login time of 5
    seconds. [code=0;state=null]
    NestedThrowables:
    com.solarmetric.kodo.impl.jdbc.sql.SQLExceptionWrapper:
    [SQL=SELECT t0.JDOIDX, t0.JDOCLASSX, t0.JDOLOCKX, t0.booldefaultval,
    t0.datatype, t0.name, t0.strdefaultval FROM PROPERTYDEFX t0 WHERE
    t0.name = 'learningMode1']
    [PRE=SELECT t0.JDOIDX, t0.JDOCLASSX, t0.JDOLOCKX, t0.booldefaultval,
    t0.datatype, t0.name, t0.strdefaultval FROM PROPERTYDEFX t0 WHERE
    t0.name = ?]
    A connection could not be obtained in the specified login time of 5 seconds.
         at
    com.solarmetric.kodo.impl.jdbc.runtime.SQLExceptions.throwDataStore(SQLExceptions.java:23)
         at
    com.solarmetric.kodo.impl.jdbc.runtime.JDBCStoreManager.executeQuery(JDBCStoreManager.java:732)
         at
    com.solarmetric.kodo.impl.jdbc.runtime.JDBCQuery.executeQuery(JDBCQuery.java:93)
         at com.solarmetric.kodo.query.QueryImpl.executeWithMap(QueryImpl.java:792)
         at
    com.solarmetric.kodo.query.QueryImpl.executeWithArray(QueryImpl.java:668)
         at com.solarmetric.kodo.query.QueryImpl.execute(QueryImpl.java:609)
    It seems it always happens when we are doing a query. I had the
    "javax.jdo.option.MaxPool=20" and for postgresql I have "max_connections
    = 80", the action I am doing at that time is quite simple (and the
    system is just freshly started) and I would not expect it is using more
    than 2 connections since there is only one read and one write going on.
    Do you guys have any clue how could this happen? do I miss something
    obvious? and how are the connections managed for the query?
    thanks a lot!
    Tao

    Hi, Steve,
    Sorry I am late on the responding - was distracted by some other stuff -
    here is the stack trace I got:
    // STATCK TRACE
    //###############################################################javax.jdo.JDODataStoreException:
    com.solarmetric.kodo.impl.jdbc.sql.SQLExceptionWrapper:
    [SQL=SELECT t0.JDOIDX, t0.JDOCLASSX, t0.JDOLOCKX, t0.booldefaultval,
    t0.datatype, t0.name, t0.strdefaultval FROM PROPERTYDEFX t0 WHERE
    t0.name = 'learningMode3']
    [PRE=SELECT t0.JDOIDX, t0.JDOCLASSX, t0.JDOLOCKX, t0.booldefaultval,
    t0.datatype, t0.name, t0.strdefaultval FROM PROPERTYDEFX t0 WHERE
    t0.name = ?]
    A connection could not be obtained in the specified login time of 5
    seconds. [code=0;state=null]
    NestedThrowables:
    com.solarmetric.kodo.impl.jdbc.sql.SQLExceptionWrapper:
    [SQL=SELECT t0.JDOIDX, t0.JDOCLASSX, t0.JDOLOCKX, t0.booldefaultval,
    t0.datatype, t0.name, t0.strdefaultval FROM PROPERTYDEFX t0 WHERE
    t0.name = 'learningMode3']
    [PRE=SELECT t0.JDOIDX, t0.JDOCLASSX, t0.JDOLOCKX, t0.booldefaultval,
    t0.datatype, t0.name, t0.strdefaultval FROM PROPERTYDEFX t0 WHERE
    t0.name = ?]
    A connection could not be obtained in the specified login time of 5 seconds.
    at
    com.solarmetric.kodo.impl.jdbc.runtime.SQLExceptions.throwDataStore(SQLExceptions.java:23)
    at
    com.solarmetric.kodo.impl.jdbc.runtime.JDBCStoreManager.executeQuery(JDBCStoreManager.java:732)
    at
    com.solarmetric.kodo.impl.jdbc.runtime.JDBCQuery.executeQuery(JDBCQuery.java:93)
    at
    com.solarmetric.kodo.query.QueryImpl.executeWithMap(QueryImpl.java:792)
    at
    com.solarmetric.kodo.query.QueryImpl.executeWithArray(QueryImpl.java:668)
    at com.solarmetric.kodo.query.QueryImpl.execute(QueryImpl.java:609)
    at
    com.cloverworxs.impl.as.profile.PropertyHelperImpl.findPropertyDefByName(PropertyHelperImpl.java:37)
    at
    com.cloverworxs.impl.as.profile.ProfileBase.getStringProperty(ProfileBase.java:103)
    at
    com.cloverworxs.app.struts.handler.ProfileHelper.getLearningModes(ProfileHelper.java:177)
    at
    com.cloverworxs.app.struts.handler.KuarkHandler.handleTree(KuarkHandler.java:106)
    at
    com.cloverworxs.app.struts.handler.MovableKuarkHandler.handleTree(MovableKuarkHandler.java:89)
    at
    com.cloverworxs.app.struts.handler.RecorderKuarkHandler.handle(RecorderKuarkHandler.java:111)
    at
    com.cloverworxs.app.struts.action.RecorderController.detail(RecorderController.java:251)
    at
    com.cloverworxs.app.struts.action.AbstractModelAction.execute(AbstractModelAction.java:118)
    at
    org.apache.struts.action.RequestProcessor.processActionPerform(RequestProcessor.java:465)
    at
    org.apache.struts.action.RequestProcessor.process(RequestProcessor.java:274)
    at
    com.cloverworxs.app.struts.RequestProcessor.process(RequestProcessor.java:44)
    at
    org.apache.struts.action.ActionServlet.process(ActionServlet.java:1422)
    at
    org.apache.struts.action.ActionServlet.doGet(ActionServlet.java:505)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:740)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:853)
    at
    org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:247)
    at
    org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:193)
    at
    org.apache.catalina.core.StandardWrapperValve.invoke(StandardWrapperValve.java:260)
    at
    org.apache.catalina.core.StandardPipeline$StandardPipelineValveContext.invokeNext(StandardPipeline.java:643)
    at
    org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:480)
    at
    org.apache.catalina.core.ContainerBase.invoke(ContainerBase.java:995)
    at
    org.apache.catalina.core.StandardContextValve.invoke(StandardContextValve.java:191)
    at
    org.apache.catalina.core.StandardPipeline$StandardPipelineValveContext.invokeNext(StandardPipeline.java:643)
    at
    org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:480)
    at
    org.apache.catalina.core.ContainerBase.invoke(ContainerBase.java:995)
    at
    org.apache.catalina.core.StandardContext.invoke(StandardContext.java:2396)
    at
    org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:180)
    at
    org.apache.catalina.core.StandardPipeline$StandardPipelineValveContext.invokeNext(StandardPipeline.java:643)
    at
    org.apache.catalina.valves.ErrorDispatcherValve.invoke(ErrorDispatcherValve.java:170)
    at
    org.apache.catalina.core.StandardPipeline$StandardPipelineValveContext.invokeNext(StandardPipeline.java:641)
    at
    org.apache.catalina.valves.ErrorReportValve.invoke(ErrorReportValve.java:172)
    at
    org.apache.catalina.core.StandardPipeline$StandardPipelineValveContext.invokeNext(StandardPipeline.java:641)
    at
    org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:480)
    at
    org.apache.catalina.core.ContainerBase.invoke(ContainerBase.java:995)
    at
    org.apache.catalina.core.StandardEngineValve.invoke(StandardEngineValve.java:174)
    at
    org.apache.catalina.core.StandardPipeline$StandardPipelineValveContext.invokeNext(StandardPipeline.java:643)
    at
    org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:480)
    at
    org.apache.catalina.core.ContainerBase.invoke(ContainerBase.java:995)
    at
    org.apache.coyote.tomcat4.CoyoteAdapter.service(CoyoteAdapter.java:223)
    at
    org.apache.coyote.http11.Http11Processor.process(Http11Processor.java:405)
    at
    org.apache.coyote.http11.Http11Protocol$Http11ConnectionHandler.processConnection(Http11Protocol.java:380)
    at
    org.apache.tomcat.util.net.TcpWorkerThread.runIt(PoolTcpEndpoint.java:508)
    at
    org.apache.tomcat.util.threads.ThreadPool$ControlRunnable.run(ThreadPool.java:533)
    at java.lang.Thread.run(Thread.java:536)
    NestedThrowablesStackTrace:
    java.sql.SQLException: A connection could not be obtained in the
    specified login time of 5 seconds.
    at
    com.solarmetric.datasource.DataSourceImpl$AbstractPool.timeout(DataSourceImpl.java:615)
    at
    com.solarmetric.datasource.DataSourceImpl$AbstractPool.getConnection(DataSourceImpl.java:589)
    at
    com.solarmetric.datasource.DataSourceImpl.getConnection(DataSourceImpl.java:326)
    at
    com.solarmetric.datasource.DataSourceImpl.getConnection(DataSourceImpl.java:319)
    at
    com.solarmetric.kodo.impl.jdbc.runtime.DataSourceConnector.getConnection(DataSourceConnector.java:51)
    at
    com.solarmetric.kodo.impl.jdbc.SQLExecutionManagerImpl.getConnectionFromFactory(SQLExecutionManagerImpl.java:183)
    at
    com.solarmetric.kodo.impl.jdbc.SQLExecutionManagerImpl.getConnection(SQLExecutionManagerImpl.java:142)
    at
    com.solarmetric.kodo.impl.jdbc.SQLExecutionManagerImpl.prepareStatementInternal(SQLExecutionManagerImpl.java:807)
    at
    com.solarmetric.kodo.impl.jdbc.SQLExecutionManagerImpl.executePreparedQueryInternal(SQLExecutionManagerImpl.java:761)
    at
    com.solarmetric.kodo.impl.jdbc.SQLExecutionManagerImpl.executeQueryInternal(SQLExecutionManagerImpl.java:691)
    at
    com.solarmetric.kodo.impl.jdbc.SQLExecutionManagerImpl.executeQuery(SQLExecutionManagerImpl.java:372)
    at
    com.solarmetric.kodo.impl.jdbc.SQLExecutionManagerImpl.executeQuery(SQLExecutionManagerImpl.java:356)
    at
    com.solarmetric.kodo.impl.jdbc.ormapping.ClassMapping.selectPrimaryMappings(ClassMapping.java:1221)
    at
    com.solarmetric.kodo.impl.jdbc.runtime.JDBCStoreManager.executeQuery(JDBCStoreManager.java:707)
    at
    com.solarmetric.kodo.impl.jdbc.runtime.JDBCQuery.executeQuery(JDBCQuery.java:93)
    at
    com.solarmetric.kodo.query.QueryImpl.executeWithMap(QueryImpl.java:792)
    at
    com.solarmetric.kodo.query.QueryImpl.executeWithArray(QueryImpl.java:668)
    at com.solarmetric.kodo.query.QueryImpl.execute(QueryImpl.java:609)
    at
    com.cloverworxs.impl.as.profile.PropertyHelperImpl.findPropertyDefByName(PropertyHelperImpl.java:37)
    at
    com.cloverworxs.impl.as.profile.ProfileBase.getStringProperty(ProfileBase.java:103)
    at
    com.cloverworxs.app.struts.handler.ProfileHelper.getLearningModes(ProfileHelper.java:177)
    at
    com.cloverworxs.app.struts.handler.KuarkHandler.handleTree(KuarkHandler.java:106)
    at
    com.cloverworxs.app.struts.handler.MovableKuarkHandler.handleTree(MovableKuarkHandler.java:89)
    at
    com.cloverworxs.app.struts.handler.RecorderKuarkHandler.handle(RecorderKuarkHandler.java:111)
    at
    com.cloverworxs.app.struts.action.RecorderController.detail(RecorderController.java:251)
    at
    com.cloverworxs.app.struts.action.AbstractModelAction.execute(AbstractModelAction.java:118)
    at
    org.apache.struts.action.RequestProcessor.processActionPerform(RequestProcessor.java:465)
    at
    org.apache.struts.action.RequestProcessor.process(RequestProcessor.java:274)
    And following is the code of "findPropertyDefByName" method:
    // SOURCE CODE
    public PropertyDef findPropertyDefByName(String propertyName) {
    Extent propertyExtent = pm.getExtent(PropertyDef.class, true);
    String filter = "name == propertyName";
    Query q = pm.newQuery(propertyExtent, filter);
    q.declareParameters("java.lang.String propertyName");
    Collection c = (Collection) q.execute(propertyName);
    int size = c.size();
    if (size == 0) {
    return null;
    if (size > 1) {
    // bad exception type
    if (logger.isWarnEnabled()) {
    Iterator iter = c.iterator();
    while (iter.hasNext()) {
    Object obj = iter.next();
    logger.warn("result=" + obj);
    throw new RuntimeException(
    "Assertion of Uniqueness of propertyName failed");
    PropertyDef pdef = (PropertyDef) c.iterator().next();
    q.closeAll();
    propertyExtent.closeAll();
    return pdef;
    The transaction is started and committed outside of this call.
    Hope this helps you understanding my problem, and Thanks a lot!
    cheers,
    Tao
    Steve Kim wrote:
    Can you post or send me a test case or the applicable portion of the code?

  • Help with exception calling cmp entity bean from session bean

    Hi,
    I know someone else posted a very similar problem recently but I think the root of my problem may be different.
    This is the exception that I receive:
    javax.transaction.TransactionRolledbackException: CORBA TRANSACTION_ROLLEDBACK 9998 Maybe; nested exception is:
    org.omg.CORBA.TRANSACTION_ROLLEDBACK: vmcid: 0x2000 minor code: 1806 completed: Maybe
    at com.sun.corba.ee.internal.iiop.ShutdownUtilDelegate.mapSystemException(ShutdownUtilDelegate.java:114)
    at javax.rmi.CORBA.Util.mapSystemException(Util.java:65)
    at itsthes.security._SecurityManager_Stub.findUserRoles(Unknown Source)
    at itsthes.security._SecurityManager_Stub.findUserRoles(Unknown Source)
    at itsthes.security.servlets.SecurityUserListView.processRequest(SecurityUserListView.java:80)
    at itsthes.security.servlets.SecurityUserListView.doGet(SecurityUserListView.java:94)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:740)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:853)
    at org.apache.catalina.core.StandardWrapperValve.invokeServletService(StandardWrapperValve.java:720)
    at org.apache.catalina.core.StandardWrapperValve.access$000(StandardWrapperValve.java:118)
    at org.apache.catalina.core.StandardWrapperValve$1.run(StandardWrapperValve.java:278)
    at java.security.AccessController.doPrivileged(Native Method)
    at org.apache.catalina.core.StandardWrapperValve.invoke(StandardWrapperValve.java:274)
    at org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:505)
    at org.apache.catalina.core.StandardContextValve.invoke(StandardContextValve.java:212)
    at org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:505)
    at org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:203)
    at org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:505)
    at com.iplanet.ias.web.connector.nsapi.NSAPIProcessor.process(NSAPIProcessor.java:157)
    at com.iplanet.ias.web.WebContainer.service(WebContainer.java:598)
    Caused by: org.omg.CORBA.TRANSACTION_ROLLEDBACK: vmcid: 0x2000 minor code: 1806 completed: Maybe
    at sun.reflect.NativeConstructorAccessorImpl.newInstance0(Native Method)
    at sun.reflect.NativeConstructorAccessorImpl.newInstance(NativeConstructorAccessorImpl.java:39)
    at sun.reflect.DelegatingConstructorAccessorImpl.newInstance(DelegatingConstructorAccessorImpl.java:27)
    at java.lang.reflect.Constructor.newInstance(Constructor.java:274)
    at java.lang.Class.newInstance0(Class.java:306)
    at java.lang.Class.newInstance(Class.java:259)
    at com.sun.corba.ee.internal.iiop.messages.ReplyMessage_1_2.getSystemException(ReplyMessage_1_2.java:94)
    at com.sun.corba.ee.internal.iiop.LocalClientResponseImpl.getSystemException(LocalClientResponseImpl.java:120)
    at com.sun.corba.ee.internal.POA.GenericPOAClientSC.invoke(GenericPOAClientSC.java:133)
    at org.omg.CORBA.portable.ObjectImpl._invoke(ObjectImpl.java:457)
    at itsthes.security._SecurityManager_Stub.findUserRoles(Unknown Source)
    ... 17 more
    This is my primary key implementation:
    public final class SecurityUserKey implements java.io.Serializable {
    public java.lang.Integer userId;
    public java.lang.Integer roleId;
    public java.lang.String emailAddress;
         * Creates an empty key for Entity Bean: SecurityUser
         public SecurityUserKey() {
    * @see java.lang.Object#equals(java.lang.Object)
    public boolean equals(java.lang.Object otherOb) {
    if (this == otherOb) {
    return true;
    if (!(otherOb instanceof itsthes.security.entitybeans.SecurityUserKey)) {
    return false;
    itsthes.security.entitybeans.SecurityUserKey other = (itsthes.security.entitybeans.SecurityUserKey) otherOb;
    return (
    (userId==null?other.userId==null:userId.equals(other.userId))
    (roleId==null?other.roleId==null:roleId.equals(other.roleId))
    (emailAddress==null?other.emailAddress==null:emailAddress.equals(other.emailAddress))
    * @see java.lang.Object#hashCode()
    public int hashCode() {
    return (
    (userId==null?0:userId.hashCode())
    ^
    (roleId==null?0:roleId.hashCode())
    ^
    (emailAddress==null?0:emailAddress.hashCode())
    My entity method invocation is this:
    public Collection findUserRoles() {
    Vector userCollection=new Vector();
    try {
    Context jndiContext = new InitialContext();
    LocalSecurityUserHome home = (LocalSecurityUserHome) jndiContext.lookup(this.securityUserBean);
    Iterator i = home.findAll().iterator();
    while ( i.hasNext() ) {
    LocalSecurityUser securityUser = (LocalSecurityUser)i.next();
    SecurityUser sessionBean=mapLocalSecurityUser(securityUser);
    userCollection.add(sessionBean);
    } catch (javax.naming.NamingException e) {
    System.err.println(e);
    } catch (javax.ejb.FinderException e) {
    System.err.println(e);
    return userCollection;
    If anyone could point me in the right direction that would be great.
    thanks,
    William

    Hi,
    The Transaction Rollback exception may be due to the SystemException thrown in your findUserRoles() code which force the container to rollback the transaction. catch the generic exception in your findUserRoles() code and veriy what went wrong.
    i hope this helps.
    -ram

  • I am a noob to programing / i need help with exceptions

    HI
    I am a beginner at programming, and wondering if some one could help me out on this program. Its an address book program I got everything to work the only problem is that I haven�t been able to do this step.
    Handle all exceptions properly...
    If there is a null in an element in an array.
    If the user enters an incorrect data type in a dialog box
    (e.g. Enters a letter where a number was expected, or
    enters numbers where letters were expected.
    I am using the JOptionPane input boxes to receive the info.
    If some one could send me a code example on what I am to do that would help a lot.
    Also if some one can explain to me what exceptions are and how the code sample works that would be even better.
    thanx for all the help

    http://java.sun.com/docs/books/tutorial/essential/exceptions/

  • Help with Exception in thread "main" java.lang.NullPointerException

    I got this exception while running the code in Netbeans IDE 6.1. The code is compiling fine...Please tell me what the problem is
    Exception in thread "main" java.lang.NullPointerException
    at Softwareguide.chooseanswer(Softwareguide.java:32)
    at Driver.main(Driver.java:7)
    public class Driver
        public static void main(String[] args)
            Softwareguide swguide = new Softwareguide();
            swguide.chooseanswer();
    public class Softwareguide
        State test1;
        State test2;
        State test3;
        State test4;
        State test5;
        State subtest1;
        State subtest2;
        State subtest3;
        State subtest4;
        State subtest5;
        State state = test1;
        public Softwareguide()
            test1 = new Test1(this);
            test2 = new Test2(this);
            test3 = new Test3(this);
            test4 = new Test4(this);
            test5 = new Test5(this);
            subtest1 = new SubTest1(this);
            subtest2 = new SubTest2(this);
            subtest3 = new SubTest3(this);
            subtest4 = new SubTest4(this);
            subtest5 = new SubTest5(this);
        public void chooseanswer()
            state.chooseanswer();
       /* public void chooseyes()
            state.chooseyes();
        public void chooseno()
            state.chooseno();
        public State getState()
            return state;
        void setState(State state)
         this.state = state;
        public State getTest1State()
            return test1;
        public State getTest2State()
            return test2;
        public State getTest3State()
            return test3;
        public State getTest4State()
            return test4;
        public State getTest5State()
            return test5;
        public State getsubTest1State()
            return subtest1;
        public State getsubTest2State()
            return subtest2;
        public State getsubTest3State()
            return subtest3;
        public State getsubTest4State()
            return subtest4;
        public State getsubTest5State()
            return subtest5;
        public String toString()
            StringBuffer result = new StringBuffer();
            result.append("\n Starting Diagnostic Test...");
            return result.toString();
    }

    spiderjava wrote:
    the variable state is assigned to test1. This variable(test1) is not initialized anywhere.It is initialized in the c'tor. Which is invoked after the "global" object and attribute initialization. So it is there, but comes too late.
    You should definitly not write a technical Java blog and post it all over the place.

  • Help with Exception! Please!

    java.net.ConnectException: Connection refused: connect
    I do not know why I get this because I have done something very similer before.... I have made a connection with sockets to a machine other then localhost but this time it seems not to want to let me. Maybe I do not have the correct security permissions set. This happens when I connect to any computer then my own. Does anyone have any ideas?

    the host to which u are trying to connect to should not be using that port. If its not using that port for another process, then a server process should be listening for connections

  • Need help with Exception in thread "main" java.lang.NullPointerException

    here is the error
    Exception in thread "main" java.lang.NullPointerException
    at stream.createFrame(stream.java:153)
    at chat.createMessage(chat.java:14)
    this is where the error is in stream
    public void createFrame(int id) {
              *buffer[currentOffset++] = (byte)(id + packetEncryption.getNextKey());*
    and this is where it comes from in chat
    outStream.createFrame(85);                    
    i just cant see whats causeing the exception

    spiderjava wrote:
    the variable state is assigned to test1. This variable(test1) is not initialized anywhere.It is initialized in the c'tor. Which is invoked after the "global" object and attribute initialization. So it is there, but comes too late.
    You should definitly not write a technical Java blog and post it all over the place.

  • I need help with exception not handled bluescreen.

    I've been getting bluescreens for awhile now, and have been doing research to read minidump files to locate the problem and try fixing but they still persist.Crash Dump Analysis provided by OSR Open Systems Resources, Inc.
    Online Crash Dump Analysis Service
    See http://www.osronline.com for more information
    Windows Server 2008/Windows Vista Kernel Version 6002 (Service Pack 2) MP (4 procs) Free x64
    Product: WinNt, suite: TerminalServer SingleUserTS Personal
    Built by: 6002.18881.amd64fre.vistasp2_gdr.130707-1535
    Machine Name:
    Kernel base = 0xfffff800`01e18000 PsLoadedModuleList = 0xfffff800`01fdce30
    Debug session time: Sat Aug 30 11:37:14.252 2014 (UTC - 4:00)
    System Uptime: 0 days 0:40:21.125
    * Bugcheck Analysis *
    INTERRUPT_EXCEPTION_NOT_HANDLED (3d)
    Arguments:
    Arg1: 0000000000000000
    Arg2: 0000000000000000
    Arg3: 0000000000000000
    Arg4: fffffa6001385d1b
    Debugging Details:
    TRIAGER: Could not open triage file : e:\dump_analysis\program\triage\modclass.ini, error 2
    DEFAULT_BUCKET_ID: VISTA_DRIVER_FAULT
    BUGCHECK_STR: 0x3D
    PROCESS_NAME: Wow-64.exe
    CURRENT_IRQL: 2
    EXCEPTION_RECORD: fffffa60005fec28 -- (.exr 0xfffffa60005fec28)
    ExceptionAddress: fffffa6001385d1b (USBPORT!USBPORT_Core_UsbDoneDpc_Worker+0x0000000000000167)
    ExceptionCode: c000001d (Illegal instruction)
    ExceptionFlags: 00000000
    NumberParameters: 0
    TRAP_FRAME: fffffa60005fecd0 -- (.trap 0xfffffa60005fecd0)
    NOTE: The trap frame does not contain all registers.
    Some register values may be zeroed or incorrect.
    rax=00000000ffffffff rbx=0000000000000000 rcx=fffffa8009e161a0
    rdx=000000004f444648 rsi=0000000000000000 rdi=0000000000000000
    rip=fffffa6001385d1b rsp=fffffa60005fee60 rbp=fffffa8009e16d78
    r8=000000004f444648 r9=0000000000000002 r10=0000000000000000
    r11=000000000000000d r12=0000000000000000 r13=0000000000000000
    r14=0000000000000000 r15=0000000000000000
    iopl=0 nv up ei ng nz na po nc
    USBPORT!USBPORT_Core_UsbDoneDpc_Worker+0x167:
    fffffa60`01385d1b f00fc14310 lock xadd dword ptr [rbx+10h],eax ds:00000000`00000010=????????
    Resetting default scope
    LAST_CONTROL_TRANSFER: from fffff80001e6eeee to fffff80001e6f150
    STACK_TEXT:
    fffffa60`005fdc58 fffff800`01e6eeee : 00000000`0000003d 00000000`00000000 00000000`00000000 00000000`00000000 : nt!KeBugCheckEx
    fffffa60`005fdc60 fffff800`01e67648 : 00000000`0000040e fffff800`01ee48a9 fffffa80`08c43c20 fffffa60`0f3db000 : nt!KiBugCheckDispatch+0x6e
    fffffa60`005fdda0 fffff800`01e9aacd : 00000000`00000000 fffff800`01e18000 fffffa60`0f3e4000 fffff800`02019be8 : nt!KiInterruptHandler+0x28
    fffffa60`005fddd0 fffff800`01e9ad8f : fffffa60`00000001 00000000`00000001 fffff800`00000000 fffffa60`0f3e3c20 : nt!RtlpExecuteHandlerForException+0xd
    fffffa60`005fde00 fffff800`01ea8522 : fffffa60`005fec28 fffffa60`005fe600 fffffa60`00000000 0000057f`f5f508d8 : nt!RtlDispatchException+0x22f
    fffffa60`005fe4f0 fffff800`01e6efa9 : fffffa60`005fec28 fffffa80`09e161a0 fffffa60`005fecd0 fffffa80`09e16050 : nt!KiDispatchException+0xc2
    fffffa60`005feaf0 fffff800`01e6d4c3 : fffffa60`005fecd0 fffffa60`061db002 fffffa80`55706d00 fffffa60`00000000 : nt!KiExceptionDispatch+0xa9
    fffffa60`005fecd0 fffffa60`01385d1b : fffffa80`4b6f6d74 00000000`00025e3f fffffa80`09e161a0 fffffa80`09e16050 : nt!KiInvalidOpcodeFault+0xc3
    fffffa60`005fee60 fffffa60`013721a7 : fffffa80`31656e44 fffffa60`32656e44 fffffa80`09e16d78 fffffa80`33656e44 : USBPORT!USBPORT_Core_UsbDoneDpc_Worker+0x167
    fffffa60`005feef0 fffff800`01e73367 : fffffa80`09e16d90 fffffa60`34776478 fffffa60`0f3e3ca0 fffffa60`019db580 : USBPORT!USBPORT_Xdpc_Worker+0x26f
    fffffa60`005fef40 fffff800`01e71c35 : fffffa60`01371f38 fffffa60`019d8180 fffffa60`0f3e3ca0 fffffa80`07cfcc00 : nt!KiRetireDpcList+0x117
    fffffa60`005fefb0 fffff800`01e71a47 : fffffa80`07cfcc00 fffff800`020fe9d4 fffffa60`00000001 00000000`00000000 : nt!KyRetireDpcList+0x5
    fffffa60`0f3e3be0 fffff800`01eb7c33 : 00000000`00000000 fffff800`01e677c9 00000000`00000000 fffffa60`0f3e3ca0 : nt!KiDispatchInterruptContinue
    fffffa60`0f3e3c10 fffff800`01e677c9 : 00000000`00000000 fffffa60`0f3e3ca0 00000000`00da7a64 00000000`00000000 : nt!KiDpcInterruptBypass+0x13
    fffffa60`0f3e3c20 00000001`3f607849 : 00000000`00000000 00000000`00000000 00000000`00000000 00000000`00000000 : nt!KiChainedDispatch+0x179
    00000000`0021ecf0 00000000`00000000 : 00000000`00000000 00000000`00000000 00000000`00000000 00000000`00000000 : 0x1`3f607849
    STACK_COMMAND: kb
    FOLLOWUP_IP:
    USBPORT!USBPORT_Core_UsbDoneDpc_Worker+167
    fffffa60`01385d1b f00fc14310 lock xadd dword ptr [rbx+10h],eax
    SYMBOL_STACK_INDEX: 8
    SYMBOL_NAME: USBPORT!USBPORT_Core_UsbDoneDpc_Worker+167
    FOLLOWUP_NAME: MachineOwner
    MODULE_NAME: USBPORT
    IMAGE_NAME: USBPORT.SYS
    DEBUG_FLR_IMAGE_TIMESTAMP: 51ce4591
    FAILURE_BUCKET_ID: X64_0x3D_USBPORT!USBPORT_Core_UsbDoneDpc_Worker+167
    BUCKET_ID: X64_0x3D_USBPORT!USBPORT_Core_UsbDoneDpc_Worker+167
    Followup: MachineOwner
    Crash Code Links
    Loaded Module List
    start end module name
    fffff800`01e18000 fffff800`0232e000 nt ntkrnlmp.exe
    fffff800`0232e000 fffff800`02374000 hal hal.dll
    fffff960`00070000 fffff960`0032b000 win32k win32k.sys
    fffff960`004f0000 fffff960`004fa000 TSDDD TSDDD.dll
    fffff960`00620000 fffff960`00631000 cdd cdd.dll
    fffff960`00850000 fffff960`008b1000 ATMFD ATMFD.DLL
    fffffa60`0060e000 fffffa60`00618000 kdcom kdcom.dll
    fffffa60`00618000 fffffa60`0062c000 PSHED PSHED.dll
    fffffa60`0062c000 fffffa60`00689000 CLFS CLFS.SYS
    fffffa60`00689000 fffffa60`0073b000 CI CI.dll
    fffffa60`0073b000 fffffa60`007fd000 Wdf01000 Wdf01000.sys
    fffffa60`0080e000 fffffa60`0081e000 WDFLDR WDFLDR.SYS
    fffffa60`0081e000 fffffa60`00874000 acpi acpi.sys
    fffffa60`00874000 fffffa60`0087d000 WMILIB WMILIB.SYS
    fffffa60`0087d000 fffffa60`00887000 msisadrv msisadrv.sys
    fffffa60`00887000 fffffa60`008b7000 pci pci.sys
    fffffa60`008b7000 fffffa60`008cc000 partmgr partmgr.sys
    fffffa60`008cc000 fffffa60`008cf400 compbatt compbatt.sys
    fffffa60`008d0000 fffffa60`008dc000 BATTC BATTC.SYS
    fffffa60`008dc000 fffffa60`008f0000 volmgr volmgr.sys
    fffffa60`008f0000 fffffa60`00956000 volmgrx volmgrx.sys
    fffffa60`00956000 fffffa60`0095d000 pciide pciide.sys
    fffffa60`0095d000 fffffa60`0096d000 PCIIDEX PCIIDEX.SYS
    fffffa60`0096d000 fffffa60`00980000 mountmgr mountmgr.sys
    fffffa60`00980000 fffffa60`00988000 atapi atapi.sys
    fffffa60`00988000 fffffa60`009ac000 ataport ataport.SYS
    fffffa60`009ac000 fffffa60`009f3000 fltmgr fltmgr.sys
    fffffa60`00a0a000 fffffa60`00a1e000 fileinfo fileinfo.sys
    fffffa60`00a1e000 fffffa60`00a60000 MpFilter MpFilter.sys
    fffffa60`00a60000 fffffa60`00ae7000 ksecdd ksecdd.sys
    fffffa60`00ae7000 fffffa60`00b37000 msrpc msrpc.sys
    fffffa60`00b37000 fffffa60`00b90000 NETIO NETIO.SYS
    fffffa60`00b90000 fffffa60`00bde000 ahcix64s ahcix64s.sys
    fffffa60`00bde000 fffffa60`00bfb000 tdx tdx.sys
    fffffa60`00c0b000 fffffa60`00dce000 ndis ndis.sys
    fffffa60`00dce000 fffffa60`00dde000 umbus umbus.sys
    fffffa60`00dde000 fffffa60`00df6000 USBSTOR USBSTOR.SYS
    fffffa60`00e06000 fffffa60`00f79000 tcpip tcpip.sys
    fffffa60`00f79000 fffffa60`00fa5000 fwpkclnt fwpkclnt.sys
    fffffa60`00fa5000 fffffa60`00fd1000 ecache ecache.sys
    fffffa60`00fd1000 fffffa60`00ffd000 CLASSPNP CLASSPNP.SYS
    fffffa60`01000000 fffffa60`0100a000 crcdisk crcdisk.sys
    fffffa60`0100c000 fffffa60`0118c000 Ntfs Ntfs.sys
    fffffa60`0118c000 fffffa60`011d0000 volsnap volsnap.sys
    fffffa60`011d0000 fffffa60`011d8000 spldr spldr.sys
    fffffa60`011d8000 fffffa60`011ea000 mup mup.sys
    fffffa60`011ea000 fffffa60`011fe000 disk disk.sys
    fffffa60`01205000 fffffa60`01262000 storport storport.sys
    fffffa60`01262000 fffffa60`012ab000 mrxsmb10 mrxsmb10.sys
    fffffa60`012c8000 fffffa60`012d5000 tunnel tunnel.sys
    fffffa60`012d5000 fffffa60`012de000 tunmp tunmp.sys
    fffffa60`012de000 fffffa60`012f1000 processr processr.sys
    fffffa60`012f1000 fffffa60`0136f000 Rtlh64 Rtlh64.sys
    fffffa60`0136f000 fffffa60`013b5000 USBPORT USBPORT.SYS
    fffffa60`013b5000 fffffa60`013e9000 ks ks.sys
    fffffa60`013e9000 fffffa60`013f4000 mssmbios mssmbios.sys
    fffffa60`05400000 fffffa60`0540c000 mouclass mouclass.sys
    fffffa60`0540f000 fffffa60`0609d000 nvlddmkm nvlddmkm.sys
    fffffa60`0609d000 fffffa60`06180000 dxgkrnl dxgkrnl.sys
    fffffa60`06180000 fffffa60`06190000 watchdog watchdog.sys
    fffffa60`06190000 fffffa60`061a1b00 ohci1394 ohci1394.sys
    fffffa60`061a2000 fffffa60`061b1f00 1394BUS 1394BUS.SYS
    fffffa60`061b2000 fffffa60`061bc000 johci johci.sys
    fffffa60`061bc000 fffffa60`061d8000 cdrom cdrom.sys
    fffffa60`061d8000 fffffa60`061e3000 usbohci usbohci.sys
    fffffa60`061e3000 fffffa60`061ed000 usbfilter usbfilter.sys
    fffffa60`061ed000 fffffa60`061eed80 USBD USBD.SYS
    fffffa60`061ef000 fffffa60`06200000 usbehci usbehci.sys
    fffffa60`06204000 fffffa60`062f1000 HDAudBus HDAudBus.sys
    fffffa60`062f1000 fffffa60`0632a000 msiscsi msiscsi.sys
    fffffa60`0632a000 fffffa60`06337000 TDI TDI.SYS
    fffffa60`06337000 fffffa60`0635a000 rasl2tp rasl2tp.sys
    fffffa60`0635a000 fffffa60`06366000 ndistapi ndistapi.sys
    fffffa60`06366000 fffffa60`06397000 ndiswan ndiswan.sys
    fffffa60`06397000 fffffa60`063a7000 raspppoe raspppoe.sys
    fffffa60`063a7000 fffffa60`063c5000 raspptp raspptp.sys
    fffffa60`063c5000 fffffa60`063dd000 rassstp rassstp.sys
    fffffa60`063dd000 fffffa60`063f0000 termdd termdd.sys
    fffffa60`063f0000 fffffa60`063fe000 kbdclass kbdclass.sys
    fffffa60`063fe000 fffffa60`063ff480 swenum swenum.sys
    fffffa60`0720c000 fffffa60`07254000 usbhub usbhub.sys
    fffffa60`07254000 fffffa60`07268000 NDProxy NDProxy.SYS
    fffffa60`07268000 fffffa60`072b1000 HdAudio HdAudio.sys
    fffffa60`072b1000 fffffa60`072ec000 portcls portcls.sys
    fffffa60`072ec000 fffffa60`0730f000 drmk drmk.sys
    fffffa60`0730f000 fffffa60`07314180 ksthunk ksthunk.sys
    fffffa60`07315000 fffffa60`0731f000 Fs_Rec Fs_Rec.SYS
    fffffa60`0731f000 fffffa60`07328000 Null Null.SYS
    fffffa60`07333000 fffffa60`0733ab80 HIDPARSE HIDPARSE.SYS
    fffffa60`0733b000 fffffa60`07348000 rzmpos rzmpos.sys
    fffffa60`07351000 fffffa60`0735f000 vga vga.sys
    fffffa60`0735f000 fffffa60`07384000 VIDEOPRT VIDEOPRT.SYS
    fffffa60`07384000 fffffa60`073a0000 usbccgp usbccgp.sys
    fffffa60`073a0000 fffffa60`073a9000 hidusb hidusb.sys
    fffffa60`073a9000 fffffa60`073bb000 HIDCLASS HIDCLASS.SYS
    fffffa60`073bb000 fffffa60`073c4000 RDPCDD RDPCDD.sys
    fffffa60`073c4000 fffffa60`073cd000 rdpencdd rdpencdd.sys
    fffffa60`073cd000 fffffa60`073d8000 kbdhid kbdhid.sys
    fffffa60`073d8000 fffffa60`073e3000 Msfs Msfs.SYS
    fffffa60`073e3000 fffffa60`073f4000 Npfs Npfs.SYS
    fffffa60`073f4000 fffffa60`073fd000 rasacd rasacd.sys
    fffffa60`07a05000 fffffa60`07a20000 smb smb.sys
    fffffa60`07a20000 fffffa60`07a2e000 rzendpt rzendpt.sys
    fffffa60`07a2e000 fffffa60`07a99000 afd afd.sys
    fffffa60`07a99000 fffffa60`07add000 netbt netbt.sys
    fffffa60`07add000 fffffa60`07afb000 pacer pacer.sys
    fffffa60`07afb000 fffffa60`07b0a000 netbios netbios.sys
    fffffa60`07b0a000 fffffa60`07b25000 wanarp wanarp.sys
    fffffa60`07b25000 fffffa60`07b30000 mouhid mouhid.sys
    fffffa60`07b30000 fffffa60`07b40000 tcpipreg tcpipreg.sys
    fffffa60`07b46000 fffffa60`07b70000 rzudd rzudd.sys
    fffffa60`07b70000 fffffa60`07bbd000 rdbss rdbss.sys
    fffffa60`07bbd000 fffffa60`07bc9000 nsiproxy nsiproxy.sys
    fffffa60`07bc9000 fffffa60`07be6000 dfsc dfsc.sys
    fffffa60`07be6000 fffffa60`07bf1000 secdrv secdrv.SYS
    fffffa60`07e0a000 fffffa60`07eaa000 netr7364 netr7364.sys
    fffffa60`07eaa000 fffffa60`07eb5000 HidBatt HidBatt.sys
    fffffa60`07eb5000 fffffa60`07ed1000 cdfs cdfs.sys
    fffffa60`07ed1000 fffffa60`07edf000 crashdmp crashdmp.sys
    fffffa60`07edf000 fffffa60`07ee9000 dump_diskdump dump_diskdump.sys
    fffffa60`07ee9000 fffffa60`07f37000 dump_ahcix64s dump_ahcix64s.sys
    fffffa60`07f37000 fffffa60`07f43000 Dxapi Dxapi.sys
    fffffa60`07f43000 fffffa60`07f56000 monitor monitor.sys
    fffffa60`07f56000 fffffa60`07f78000 luafv luafv.sys
    fffffa60`07f78000 fffffa60`07f91000 WudfPf WudfPf.sys
    fffffa60`07f91000 fffffa60`07fab000 mpsdrv mpsdrv.sys
    fffffa60`07fab000 fffffa60`07fd2000 mrxdav mrxdav.sys
    fffffa60`07fd2000 fffffa60`07ffb000 mrxsmb mrxsmb.sys
    fffffa60`0c40a000 fffffa60`0c4a4000 spsys spsys.sys
    fffffa60`0c4a4000 fffffa60`0c4b8000 lltdio lltdio.sys
    fffffa60`0c4b8000 fffffa60`0c4ec000 nwifi nwifi.sys
    fffffa60`0c4ec000 fffffa60`0c4f7000 ndisuio ndisuio.sys
    fffffa60`0c4f7000 fffffa60`0c50f000 rspndr rspndr.sys
    fffffa60`0c50f000 fffffa60`0c5b2000 HTTP HTTP.sys
    fffffa60`0c5b2000 fffffa60`0c5db000 srvnet srvnet.sys
    fffffa60`0c5db000 fffffa60`0c5f9000 bowser bowser.sys
    fffffa60`0d009000 fffffa60`0d028000 mrxsmb20 mrxsmb20.sys
    fffffa60`0d028000 fffffa60`0d05a000 srv2 srv2.sys
    fffffa60`0d05a000 fffffa60`0d0ed000 srv srv.sys
    fffffa60`0d0ed000 fffffa60`0d11f000 AODDriver2 AODDriver2.sys
    fffffa60`0d11f000 fffffa60`0d140000 NisDrvWFP NisDrvWFP.sys
    fffffa60`0d140000 fffffa60`0d1f6000 peauth peauth.sys
    fffffa60`0da02000 fffffa60`0da38000 WUDFRd WUDFRd.sys
    fffffa60`0da38000 fffffa60`0da5d000 000 000.fcl
    Unloaded modules:
    fffffa60`01262000 fffffa60`01270000 crashdmp.sys
    fffffa60`01270000 fffffa60`0127a000 dump_storpor
    fffffa60`0127a000 fffffa60`012c8000 dump_ahcix64
    fffffa60`07b30000 fffffa60`07b46000 RzFilter.sys
    fffffa60`0733b000 fffffa60`07351000 i8042prt.sys
    fffffa60`07328000 fffffa60`07333000 kbdhid.sys
    Raw Stack Contents
    Dump Header Information
    ----- 64 bit Kernel Mini Dump Analysis
    DUMP_HEADER64:
    MajorVersion 0000000f
    MinorVersion 00001772
    KdSecondaryVersion 00000000
    DirectoryTableBase 00000001`500c1000
    PfnDataBase fffff800`0203f250
    PsLoadedModuleList fffff800`01fdce30
    PsActiveProcessHead fffff800`01fbc4a0
    MachineImageType 00008664
    NumberProcessors 00000004
    BugCheckCode 0000003d
    BugCheckParameter1 00000000`00000000
    BugCheckParameter2 00000000`00000000
    BugCheckParameter3 00000000`00000000
    BugCheckParameter4 fffffa60`01385d1b
    KdDebuggerDataBlock fffff800`01f89f20
    ProductType 00000001
    SuiteMask 00000310
    WriterStatus 00000000
    MiniDumpFields 00000cff
    TRIAGE_DUMP64:
    ServicePackBuild 00000200
    SizeOfDump 00040000
    ValidOffset 0003fffc
    ContextOffset 00000348
    ExceptionOffset 00000f00
    MmOffset 00002080
    UnloadedDriversOffset 000020d0
    PrcbOffset 00002228
    ProcessOffset 00005d48
    ThreadOffset 00006130
    CallStackOffset 00006580
    SizeOfCallStack 000023a8
    DriverListOffset 00008c58
    DriverCount 00000090
    StringPoolOffset 0000dd58
    StringPoolSize 000030a8
    BrokenDriverOffset 00000000
    TriageOptions ffffffff
    TopOfStack fffffa60`005fdc58
    BStoreOffset 00000000
    SizeOfBStore 00000000
    LimitOfBStore 00000000`00000000
    DebuggerDataOffset 00008928
    DebuggerDataSize 00000330
    DataBlocksOffset 00010e00
    DataBlocksCount 0000000c
    fffff800`01fdd780 - fffff800`01fdd7ff at offset 00010ec0
    fffff800`01fc18f8 - fffff800`01fc18fb at offset 00010f40
    fffff800`01fc18f4 - fffff800`01fc18f7 at offset 00010f44
    fffff800`0203f078 - fffff800`0203f07b at offset 00010f48
    fffff800`0203f09c - fffff800`0203f09f at offset 00010f4c
    fffffa80`06f5c218 - fffffa80`06f5e217 at offset 00010f50
    fffff800`01fa6970 - fffff800`01fa6977 at offset 00012f50
    fffff800`01fa6978 - fffff800`01fa697f at offset 00012f58
    fffffa60`0f3e3000 - fffffa60`0f3e3fff at offset 00012f60
    fffff800`01e67000 - fffff800`01e67fff at offset 00013f60
    fffff800`02019000 - fffff800`02019fff at offset 00014f60
    fffff800`01e6f000 - fffff800`01e6ffff at offset 00015f60
    Max offset 16f60, 306f8 from end of file
    Strings
    PAGEDU64
    PAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGE
    PAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGE
    PAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGE
    PAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGE
    PAGEXv
    PAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGE
    PAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGEPAGE
    crashdmp.sys
    dump_storpor
    dump_ahcix64
    RzFilter.sys
    i8042prt.sys
    kbdhid.sys
    AuthenticAMD
    Wow-64.exe
    Dne7decEDne8
    \SystemRoot\system32\ntoskrnl.exe
    \SystemRoot\system32\hal.dll
    \SystemRoot\system32\kdcom.dll
    \SystemRoot\system32\PSHED.dll
    \SystemRoot\system32\CLFS.SYS
    \SystemRoot\system32\CI.dll
    \SystemRoot\system32\drivers\Wdf01000.sys
    \SystemRoot\system32\drivers\WDFLDR.SYS
    \SystemRoot\system32\drivers\acpi.sys
    \SystemRoot\system32\drivers\WMILIB.SYS
    \SystemRoot\system32\drivers\msisadrv.sys
    \SystemRoot\system32\drivers\pci.sys
    \SystemRoot\System32\drivers\partmgr.sys
    \SystemRoot\system32\DRIVERS\compbatt.sys
    \SystemRoot\system32\DRIVERS\BATTC.SYS
    \SystemRoot\system32\drivers\volmgr.sys
    \SystemRoot\System32\drivers\volmgrx.sys
    \SystemRoot\system32\drivers\pciide.sys
    \SystemRoot\system32\drivers\PCIIDEX.SYS
    \SystemRoot\System32\drivers\mountmgr.sys
    \SystemRoot\system32\drivers\atapi.sys
    \SystemRoot\system32\drivers\ataport.SYS
    \SystemRoot\system32\drivers\fltmgr.sys
    \SystemRoot\system32\drivers\fileinfo.sys
    \SystemRoot\system32\DRIVERS\MpFilter.sys
    \SystemRoot\System32\Drivers\ksecdd.sys
    \SystemRoot\system32\drivers\ndis.sys
    \SystemRoot\system32\drivers\msrpc.sys
    \SystemRoot\system32\drivers\NETIO.SYS
    \SystemRoot\System32\drivers\tcpip.sys
    \SystemRoot\System32\drivers\fwpkclnt.sys
    \SystemRoot\System32\Drivers\Ntfs.sys
    \SystemRoot\system32\drivers\volsnap.sys
    \SystemRoot\System32\Drivers\spldr.sys
    \SystemRoot\System32\Drivers\mup.sys
    \SystemRoot\System32\drivers\ecache.sys
    \SystemRoot\system32\drivers\disk.sys
    \SystemRoot\system32\drivers\CLASSPNP.SYS
    \SystemRoot\system32\drivers\crcdisk.sys
    \SystemRoot\system32\drivers\ahcix64s.sys
    \SystemRoot\system32\drivers\storport.sys
    \SystemRoot\system32\DRIVERS\tunnel.sys
    \SystemRoot\system32\DRIVERS\tunmp.sys
    \SystemRoot\system32\DRIVERS\processr.sys
    \SystemRoot\system32\DRIVERS\nvlddmkm.sys
    \SystemRoot\System32\drivers\dxgkrnl.sys
    \SystemRoot\System32\drivers\watchdog.sys
    \SystemRoot\system32\DRIVERS\ohci1394.sys
    \SystemRoot\system32\DRIVERS\1394BUS.SYS
    \SystemRoot\system32\DRIVERS\johci.sys
    \SystemRoot\system32\DRIVERS\Rtlh64.sys
    \SystemRoot\system32\DRIVERS\cdrom.sys
    \SystemRoot\system32\DRIVERS\usbohci.sys
    \SystemRoot\system32\DRIVERS\USBPORT.SYS
    \SystemRoot\system32\DRIVERS\usbfilter.sys
    \SystemRoot\system32\DRIVERS\USBD.SYS
    \SystemRoot\system32\DRIVERS\usbehci.sys
    \SystemRoot\system32\DRIVERS\HDAudBus.sys
    \SystemRoot\system32\DRIVERS\msiscsi.sys
    \SystemRoot\system32\DRIVERS\TDI.SYS
    \SystemRoot\system32\DRIVERS\rasl2tp.sys
    \SystemRoot\system32\DRIVERS\ndistapi.sys
    \SystemRoot\system32\DRIVERS\ndiswan.sys
    \SystemRoot\system32\DRIVERS\raspppoe.sys
    \SystemRoot\system32\DRIVERS\raspptp.sys
    \SystemRoot\system32\DRIVERS\rassstp.sys
    \SystemRoot\system32\DRIVERS\termdd.sys
    \SystemRoot\system32\DRIVERS\kbdclass.sys
    \SystemRoot\system32\DRIVERS\mouclass.sys
    \SystemRoot\system32\DRIVERS\swenum.sys
    \SystemRoot\system32\DRIVERS\ks.sys
    \SystemRoot\system32\DRIVERS\mssmbios.sys
    \SystemRoot\system32\DRIVERS\umbus.sys
    \SystemRoot\system32\DRIVERS\usbhub.sys
    \SystemRoot\System32\Drivers\NDProxy.SYS
    \SystemRoot\system32\drivers\HdAudio.sys
    \SystemRoot\system32\drivers\portcls.sys
    \SystemRoot\system32\drivers\drmk.sys
    \SystemRoot\system32\drivers\ksthunk.sys
    \SystemRoot\System32\Drivers\Fs_Rec.SYS
    \SystemRoot\System32\Drivers\Null.SYS
    \SystemRoot\system32\DRIVERS\HIDPARSE.SYS
    \SystemRoot\System32\drivers\vga.sys
    \SystemRoot\System32\drivers\VIDEOPRT.SYS
    \SystemRoot\system32\DRIVERS\usbccgp.sys
    \SystemRoot\system32\DRIVERS\hidusb.sys
    \SystemRoot\system32\DRIVERS\HIDCLASS.SYS
    \SystemRoot\System32\DRIVERS\RDPCDD.sys
    \SystemRoot\system32\drivers\rdpencdd.sys
    \SystemRoot\system32\DRIVERS\kbdhid.sys
    \SystemRoot\System32\Drivers\Msfs.SYS
    \SystemRoot\System32\Drivers\Npfs.SYS
    \SystemRoot\system32\DRIVERS\USBSTOR.SYS
    \SystemRoot\System32\DRIVERS\rasacd.sys
    \SystemRoot\system32\DRIVERS\tdx.sys
    \SystemRoot\system32\DRIVERS\rzmpos.sys
    \SystemRoot\system32\DRIVERS\smb.sys
    \SystemRoot\system32\DRIVERS\rzendpt.sys
    \SystemRoot\system32\drivers\afd.sys
    \SystemRoot\System32\DRIVERS\netbt.sys
    \SystemRoot\system32\DRIVERS\pacer.sys
    \SystemRoot\system32\DRIVERS\netbios.sys
    \SystemRoot\system32\DRIVERS\wanarp.sys
    \SystemRoot\system32\DRIVERS\mouhid.sys
    \SystemRoot\system32\DRIVERS\rzudd.sys
    \SystemRoot\system32\DRIVERS\rdbss.sys
    \SystemRoot\system32\drivers\nsiproxy.sys
    \SystemRoot\System32\Drivers\dfsc.sys
    \SystemRoot\system32\DRIVERS\netr7364.sys
    \SystemRoot\system32\DRIVERS\HidBatt.sys
    \SystemRoot\system32\DRIVERS\cdfs.sys
    \SystemRoot\System32\Drivers\crashdmp.sys
    \SystemRoot\System32\Drivers\dump_diskdump.sys
    \SystemRoot\System32\Drivers\dump_ahcix64s.sys
    \SystemRoot\System32\win32k.sys
    \SystemRoot\System32\drivers\Dxapi.sys
    \SystemRoot\system32\DRIVERS\monitor.sys
    \SystemRoot\System32\TSDDD.dll
    \SystemRoot\System32\cdd.dll
    \SystemRoot\system32\drivers\luafv.sys
    \SystemRoot\system32\drivers\WudfPf.sys
    \SystemRoot\System32\ATMFD.DLL
    \SystemRoot\system32\drivers\spsys.sys
    \SystemRoot\system32\DRIVERS\lltdio.sys
    \SystemRoot\system32\DRIVERS\nwifi.sys
    \SystemRoot\system32\DRIVERS\ndisuio.sys
    \SystemRoot\system32\DRIVERS\rspndr.sys
    \SystemRoot\system32\drivers\HTTP.sys
    \SystemRoot\System32\DRIVERS\srvnet.sys
    \SystemRoot\system32\hoenix Technologies, LTD
    10/29/2008
    HP-Pavilion
    FQ563AA-ABA a6750f
    FQ563AA#ABA
    103C_53316J
    Hewlett-Packard
    Socket AM2
    AMD Phenom(tm) 9650 Quad-Core Processor
    Internal Cache
    External Cache
    External Cache
    Keyboard
    PS/2 Mouse
    PCIE x1 slot
    PCIE x16 slot
    PCIE x1 slot
    PCIE x1 slot
    Bank0/1
    CE00000000000000
    M3 78T5663QZ3-CF7
    Bank2/3
    CE00000000000000
    M3 78T5663QZ3-CF7
    Bank4/5
    CE00000000000000
    M3 78T5663QZ3-CF7
    Bank6/7
    CE00000000000000
    M3 78T5663QZ3-CF7
    PLIGPYVTQY
    RPLIRYVSSY
    bid=91NAv6PrA1;PROD_MSWORKS;SFCHK;DLED;IS.N60d;ACPwrFail=Off;Cha
    n=Retail;CPUFan=On;DVDRW;LegacyFloppy=No;TVout=NTSC;PCBRAND=Pavi
    lion;OS=MSV;KBDRV;LScribe;DVDP_STD;Vos.P;PROD_MSOFFHST;FPA=HM;C_
    VEN;MUV_B;CDS_D;SW_Main;.fQ;##HPCPC=00000000<9000000602000000042
    0000253514130040000010001000;5;:0665<;85>18>1<2=1:<55>?4;;=?=19:
    <8494;>:8011<=31953=?76?>378139;594701:=;34:;55;9128<7937==0<722
    <:<1:2489>:088=6:?1;2>8=8>12691>>286:9?;4454>3<3>89909>=738375;0
    2951<;>=??2?70>75;04<815:33<20846?312127;?24876>7488457<0;0?39>9
    ;?407;8;8;09>=;==>231>;?456:100000006;00000000002000840515?454=4
    35<49434=23405347594>444?475350200000000000000000000000000000000
    00000000?24?41954<8?4243:463542:9034;??09<31;8951=>:><6>3291=35:
    7;:7?<0;=973478<4:062629<>53103<<=4651<3499:7?769::98;357697=:34
    83>07=6;>1<1?<>7<817?5586>79?5:5?19<87:>=6507148017=835>552096;7
    14776===1=59:5:9;7?16>;910;64?;=21?;7975:6660><>729>:9<98<5<=
    991>7?7>
    Component Information
    Configuration Data
    Identifier
    AMD64 Family 16 Model 2 Stepping 3
    ProcessorNameString
    AMD Phenom(tm) 9650 Quad-Core Processor
    VendorIdentifier
    AuthenticAMD
    AuthcAMDenti
    AuthcAMDenti
    AuthcAMDenti
    AuthcAMDenti
    AMD Phenom(tm) 9AMD Phenom(tm) 9
    650 Quad-Core Pr650 Quad-Core Pr
    ocessor
    ocessor
    HPQOEMSLIC-CPCFACP
    VHPQOEMSLIC-CPCHPET8
    HPQOEMSLIC-CPCMCFG<
    HPQOEMSLIC-CPCSSDTD
    2HPQOEMSLIC-CPCSLICv
    HPQOEMSLIC-CPC
    340.52
    r340_00-144
    08@HPX
    Wdf01000
    w Established
    msisadrv
    Processor
    rzmpos
    rzendpt
    monitor
    PEAUTH

    COJ1996
    3 of 5 were related to USBPORT.SYS (part of the OS).  I would start by running a  system file check.  The directions in the wiki are designed for Win 7 & 8 but should work on Vista. 
    Please run a system file check (SFC)
    All instructions are in our Wiki article below...
    Should you have any questions please ask us.
    System file check (SFC) Scan and Repair System Files
    Microsoft (R) Windows Debugger Version 6.3.9600.17029 AMD64
    Copyright (c) Microsoft Corporation. All rights reserved.
    Loading Dump File [C:\Users\Ken\Desktop\New folder\Mini083014-02.dmp]
    Mini Kernel Dump File: Only registers and stack trace are available
    ************* Symbol Path validation summary **************
    Response Time (ms) Location
    Deferred srv*C:\Symbols*http://msdl.microsoft.com/download/symbols
    Symbol search path is: srv*C:\Symbols*http://msdl.microsoft.com/download/symbols
    Executable search path is:
    Windows Server 2008/Windows Vista Kernel Version 6002 (Service Pack 2) MP (4 procs) Free x64
    Product: WinNt, suite: TerminalServer SingleUserTS Personal
    Built by: 6002.18881.amd64fre.vistasp2_gdr.130707-1535
    Machine Name:
    Kernel base = 0xfffff800`01e02000 PsLoadedModuleList = 0xfffff800`01fc6e30
    Debug session time: Sat Aug 30 13:59:46.453 2014 (UTC - 4:00)
    System Uptime: 0 days 1:37:22.527
    Loading Kernel Symbols
    Loading User Symbols
    Loading unloaded module list
    * Bugcheck Analysis *
    Use !analyze -v to get detailed debugging information.
    BugCheck D1, {fffffa5ffbbb6b44, 2, 1, fffffa800a349f00}
    *** WARNING: Unable to verify timestamp for win32k.sys
    *** ERROR: Module load completed but symbols could not be loaded for win32k.sys
    Probably caused by : USBPORT.SYS ( USBPORT!USBPORT_Core_UsbMapDpc_Worker+1ce )
    Followup: MachineOwner
    2: kd> !analyze -v
    * Bugcheck Analysis *
    DRIVER_IRQL_NOT_LESS_OR_EQUAL (d1)
    An attempt was made to access a pageable (or completely invalid) address at an
    interrupt request level (IRQL) that is too high. This is usually
    caused by drivers using improper addresses.
    If kernel debugger is available get stack backtrace.
    Arguments:
    Arg1: fffffa5ffbbb6b44, memory referenced
    Arg2: 0000000000000002, IRQL
    Arg3: 0000000000000001, value 0 = read operation, 1 = write operation
    Arg4: fffffa800a349f00, address which referenced memory
    Debugging Details:
    WRITE_ADDRESS: GetPointerFromAddress: unable to read from fffff80002029080
    GetUlongFromAddress: unable to read from fffff80002029160
    fffffa5ffbbb6b44
    CURRENT_IRQL: 2
    FAULTING_IP:
    +d2bc49d3c0
    fffffa80`0a349f00 88a0340a80fa mov byte ptr [rax-57FF5CCh],ah
    CUSTOMER_CRASH_COUNT: 2
    DEFAULT_BUCKET_ID: VISTA_DRIVER_FAULT
    BUGCHECK_STR: 0xD1
    PROCESS_NAME: System
    ANALYSIS_VERSION: 6.3.9600.17029 (debuggers(dbg).140219-1702) amd64fre
    DPC_STACK_BASE: FFFFFA6001994FB0
    TRAP_FRAME: fffffa600198daa0 -- (.trap 0xfffffa600198daa0)
    NOTE: The trap frame does not contain all registers.
    Some register values may be zeroed or incorrect.
    rax=fffffa60013b6110 rbx=0000000000000000 rcx=fffffa800a3491a0
    rdx=000000004f444648 rsi=0000000000000000 rdi=0000000000000000
    rip=fffffa800a349f00 rsp=fffffa600198dc38 rbp=fffffa800a3491a0
    r8=000000004f444648 r9=00000000000003e8 r10=0000000000000000
    r11=fffffa600196fd40 r12=0000000000000000 r13=0000000000000000
    r14=0000000000000000 r15=0000000000000000
    iopl=0 nv up ei ng nz na po nc
    fffffa80`0a349f00 88a0340a80fa mov byte ptr [rax-57FF5CCh],ah ds:fffffa5f`fbbb6b44=??
    Resetting default scope
    LAST_CONTROL_TRANSFER: from fffff80001e58eee to fffff80001e59150
    STACK_TEXT:
    fffffa60`0198d958 fffff800`01e58eee : 00000000`0000000a fffffa5f`fbbb6b44 00000000`00000002 00000000`00000001 : nt!KeBugCheckEx
    fffffa60`0198d960 fffff800`01e57dcb : 00000000`00000001 fffffa80`0a349050 fffffa80`088c8320 fffffa80`0a3491a0 : nt!KiBugCheckDispatch+0x6e
    fffffa60`0198daa0 fffffa80`0a349f00 : fffffa80`0a7c5400 fffffa80`0a3491a0 fffffa60`0139041a fffffa60`33584e67 : nt!KiPageFault+0x20b
    fffffa60`0198dc38 fffffa80`0a7c5400 : fffffa80`0a3491a0 fffffa60`0139041a fffffa60`33584e67 00000000`0005b6f6 : 0xfffffa80`0a349f00
    fffffa60`0198dc40 fffffa80`0a3491a0 : fffffa60`0139041a fffffa60`33584e67 00000000`0005b6f6 fffffa80`0a349050 : 0xfffffa80`0a7c5400
    fffffa60`0198dc48 fffffa60`0139041a : fffffa60`33584e67 00000000`0005b6f6 fffffa80`0a349050 fffffa80`0a7c5b00 : 0xfffffa80`0a3491a0
    fffffa60`0198dc50 fffffa60`0137c1a7 : fffffa80`0a349f00 00000000`00000002 fffffa60`30745378 fffffa80`3070614d : USBPORT!USBPORT_Core_UsbMapDpc_Worker+0x1ce
    fffffa60`0198dcc0 fffff800`01e5d367 : fffffa80`0a349f18 00000000`34776478 00000000`00000000 fffffa60`00000683 : USBPORT!USBPORT_Xdpc_Worker+0x26f
    fffffa60`0198dd10 fffff800`01e5d5e2 : fffffa60`0137bf38 fffffa60`01966180 00000000`00000000 fffffa60`0196fd40 : nt!KiRetireDpcList+0x117
    fffffa60`0198dd80 fffff800`0202d860 : 00000000`00000000 00000000`00000000 00000000`00000000 00000000`00000000 : nt!KiIdleLoop+0x62
    fffffa60`0198ddb0 00000000`00000000 : 00000000`00000000 00000000`00000000 00000000`00000000 00000000`00000000 : nt!zzz_AsmCodeRange_End+0x4
    STACK_COMMAND: kb
    FOLLOWUP_IP:
    USBPORT!USBPORT_Core_UsbMapDpc_Worker+1ce
    fffffa60`0139041a 84c0 test al,al
    SYMBOL_STACK_INDEX: 6
    SYMBOL_NAME: USBPORT!USBPORT_Core_UsbMapDpc_Worker+1ce
    FOLLOWUP_NAME: MachineOwner
    MODULE_NAME: USBPORT
    IMAGE_NAME: USBPORT.SYS
    DEBUG_FLR_IMAGE_TIMESTAMP: 51ce4591
    IMAGE_VERSION: 6.0.6002.18875
    FAILURE_BUCKET_ID: X64_0xD1_USBPORT!USBPORT_Core_UsbMapDpc_Worker+1ce
    BUCKET_ID: X64_0xD1_USBPORT!USBPORT_Core_UsbMapDpc_Worker+1ce
    ANALYSIS_SOURCE: KM
    FAILURE_ID_HASH_STRING: km:x64_0xd1_usbport!usbport_core_usbmapdpc_worker+1ce
    FAILURE_ID_HASH: {1a5d1ed6-8cbb-8c24-4788-9f58003760d6}
    Followup: MachineOwner
    Wanikiya and Dyami--Team Zigzag

  • Help with exception

    Hello
    I'm getting The FileNotFoundException when i try to read an html file. Here is my code:
    * To change this template, choose Tools | Templates
    * and open the template in the editor.
    package query;
    import java.io.BufferedReader;
    import java.io.FileNotFoundException;
    import java.io.FileReader;
    import java.io.IOException;
    import java.util.logging.Level;
    import java.util.logging.Logger;
    * @author dionis matos
    public class Compara {
        public void readFile(){
            FileReader fr = null;
            BufferedReader b = new BufferedReader(fr);
            String line="";
            String[] id = null;
            int x = 0;
            try {
                fr = new FileReader("report.html");
            } catch (FileNotFoundException ex) {
                Logger.getLogger(Compara.class.getName()).log(Level.SEVERE, null, ex);
            try {
                while ((line = b.readLine()) != null) {
                    x = x + 1;
                    for (int i = 0; i < x; i++) {
                        id[i] = line;
                        System.out.println(id);
    } catch (IOException ex) {
    ex.printStackTrace();

    The FNFE is the least of your problems. There are many serious logical errors in your code.
    First this.
    FileReader fr = null;
    BufferedReader b = new BufferedReader(fr);
    fr = new FileReader("report.html");You can't pass null to BufferedReader's constructor and then later try to set fr to a non-null value.
    Java uses call by value so that will never work. You need to review the basics of parameter passing.
    Second this:
    String[] id = null;
    id[i] = line;That will never work. You never create an array. There's a basic problem here. Creating an array
    requires you supply a size, but you may not know the size of the input file. The standard solution
    is to use the collections framework: [http://java.sun.com/docs/books/tutorial/collections/index.html].
    Here's a demo that returns a list of the lines in a file:
    public List<String> readFile(File file) throws IOException {
        BufferedReader in = new BufferedReader(new FileReader(file));
        try {
            List<String> lines = new ArrayList<String>();
            for(String line; (line = in.readLine()) != null; ) {
                lines.add(line);
            return lines;
        } finally {
            in.close();
    }Third: don't forget to close your files!

  • Help with: oracle.toplink.essentials.exceptions.ValidationException

    hi guys,
    I really need ur help with this.
    I have a remote session bean that retrieves a list of books from the database using entity class and I call the session bean from a web service. The problem is that when i display the books in a jsp directly from the session bean everything works ok but the problem comes when I call the session bean via the web service than it throws this:
    Exception Description: An attempt was made to traverse a relationship using indirection that had a null Session. This often occurs when an entity with an uninstantiated LAZY relationship is serialized and that lazy relationship is traversed after serialization. To avoid this issue, instantiate the LAZY relationship prior to serialization.
    at oracle.toplink.essentials.exceptions.ValidationException.instantiatingValueholderWithNullSession(ValidationException.java:887)
    at oracle.toplink.essentials.internal.indirection.UnitOfWorkValueHolder.instantiate(UnitOfWorkValueHolder.java:233)
    at oracle.toplink.essentials.internal.indirection.DatabaseValueHolder.getValue(DatabaseValueHolder.java:105)
    at oracle.toplink.essentials.indirection.IndirectList.buildDelegate(IndirectList.java:208)
    at oracle.toplink.essentials.indirection.IndirectList.getDelegate(IndirectList.java:330)
    at oracle.toplink.essentials.indirection.IndirectList$1.<init>(IndirectList.java:425)
    at oracle.toplink.essentials.indirection.IndirectList.iterator(IndirectList.java:424)
    at com.sun.xml.bind.v2.runtime.reflect.Lister$CollectionLister.iterator(Lister.java:278)
    at com.sun.xml.bind.v2.runtime.reflect.Lister$CollectionLister.iterator(Lister.java:265)
    at com.sun.xml.bind.v2.runtime.property.ArrayElementProperty.serializeListBody(ArrayElementProperty.java:129)
    at com.sun.xml.bind.v2.runtime.property.ArrayERProperty.serializeBody(ArrayERProperty.java:152)
    at com.sun.xml.bind.v2.runtime.ClassBeanInfoImpl.serializeBody(ClassBeanInfoImpl.java:322)
    at com.sun.xml.bind.v2.runtime.XMLSerializer.childAsXsiType(XMLSerializer.java:681)
    at com.sun.xml.bind.v2.runtime.property.ArrayElementNodeProperty.serializeItem(ArrayElementNodeProperty.java:65)
    at com.sun.xml.bind.v2.runtime.property.ArrayElementProperty.serializeListBody(ArrayElementProperty.java:168)
    at com.sun.xml.bind.v2.runtime.property.ArrayERProperty.serializeBody(ArrayERProperty.java:152)
    at com.sun.xml.bind.v2.runtime.ClassBeanInfoImpl.serializeBody(ClassBeanInfoImpl.java:322)
    at com.sun.xml.bind.v2.runtime.XMLSerializer.childAsXsiType(XMLSerializer.java:681)
    at com.sun.xml.bind.v2.runtime.MarshallerImpl.write(MarshallerImpl.java:277)
    at com.sun.xml.bind.v2.runtime.BridgeImpl.marshal(BridgeImpl.java:100)
    at com.sun.xml.bind.api.Bridge.marshal(Bridge.java:141)
    at com.sun.xml.ws.message.jaxb.JAXBMessage.writePayloadTo(JAXBMessage.java:315)
    at com.sun.xml.ws.message.AbstractMessageImpl.writeTo(AbstractMessageImpl.java:142)
    at com.sun.xml.ws.encoding.StreamSOAPCodec.encode(StreamSOAPCodec.java:108)
    at com.sun.xml.ws.encoding.SOAPBindingCodec.encode(SOAPBindingCodec.java:258)
    at com.sun.xml.ws.transport.http.HttpAdapter.encodePacket(HttpAdapter.java:320)
    at com.sun.xml.ws.transport.http.HttpAdapter.access$100(HttpAdapter.java:93)
    at com.sun.xml.ws.transport.http.HttpAdapter$HttpToolkit.handle(HttpAdapter.java:454)
    at com.sun.xml.ws.transport.http.HttpAdapter.handle(HttpAdapter.java:244)
    at com.sun.xml.ws.transport.http.servlet.ServletAdapter.handle(ServletAdapter.java:135)
    at com.sun.enterprise.webservice.JAXWSServlet.doPost(JAXWSServlet.java:176)
    ... 29 more
    This happens when I test the web service using netbeans 6.5.
    here's my code:
    session bean:
    ArrayList bookList = null;
    public ArrayList retrieveBooks()
    try
    List list = em.createNamedQuery("Book.findAll").getResultList();
    bookList = new ArrayList(list);
    catch (Exception e)
    e.getCause();
    return bookList;
    web service:
    @WebMethod(operationName = "retrieveBooks")
    public Book[] retrieveBooks()
    ArrayList list = ejbUB.retrieveBooks();
    int size = list.size();
    Book[] bookList = new Book[size];
    Iterator it = list.iterator();
    int i = 0;
    while (it.hasNext())
    Book book = (Book) it.next();
    bookList[i] = book;
    i++;
    return bookList;
    Please help guys, it's very urgent

    Yes i have a relationship but i didnt want it to be directly. Maybe this is a design problem but in my case I dont expect any criminals to be involved in lawsuit. My tables are like that:
    CREATE TABLE IF NOT EXISTS Criminal(
         criminal_id INTEGER NOT NULL AUTO_INCREMENT,
         gender varchar(1),
         name varchar(25) NOT NULL,
         last_address varchar(100),
         birth_date date,
         hair_color varchar(10),
         eye_color varchar(10),
         weight INTEGER,
         height INTEGER,
         PRIMARY KEY (criminal_id)
    ENGINE=INNODB;
    CREATE TABLE IF NOT EXISTS Lawsuit(
         lawsuit_id INTEGER NOT NULL AUTO_INCREMENT,
         courtName varchar(25),
         PRIMARY KEY (lawsuit_id),
         FOREIGN KEY (courtName) REFERENCES Court_of_Law(courtName) ON DELETE NO ACTION
    ENGINE=INNODB;
    CREATE TABLE IF NOT EXISTS Rstands_trial(
         criminal_id INTEGER,
         lawsuit_id INTEGER,
         PRIMARY KEY (criminal_id, lawsuit_id),
         FOREIGN KEY (criminal_id) REFERENCES Criminal(criminal_id) ON DELETE NO ACTION,
         FOREIGN KEY (lawsuit_id) REFERENCES Lawsuit(lawsuit_id) ON DELETE CASCADE
    ENGINE=INNODB;So I couldnt get it.

  • Need help with error: XML parser failed: Error An exception occurred! Type:......

    <p>Need help with the following error.....what does it mean....</p><p>28943 3086739136 XML-240304 3/7/07 7:13:23 PM |SessionNew_Job1<br /><font color="#ff0000">28943 3086739136 XML-240304 3/7/07 7:13:23 PM XML parser failed: Error <An exception occurred! Type:UnexpectedEOFException, Message:The end of input was not expected> at</font><br />28943 3086739136 XML-240304 3/7/07 7:13:23 PM line <7>, char <8> in <<?xml version="1.0" encoding="WINDOWS-1252" ?><br />28943 3086739136 XML-240304 3/7/07 7:13:23 PM <DSConfigurations><br />28943 3086739136 XML-240304 3/7/07 7:13:23 PM <DSConfiguration default="true" name="Configuration1"><br />28943 3086739136 XML-240304 3/7/07 7:13:23 PM <case_sensitive>no</case_sensitive><br />28943 3086739136 XML-240304 3/7/07 7:13:23 PM <database_type>Oracle</database_type><br />28943 3086739136 XML-240304 3/7/07 7:13:23 PM <db_alias_name1>ODS_OWNER</db_alias_name1><br />28943 3086739136 XML-240304 3/7/07 7:13:23 PM <db_ali>, file <>.<br />28943 3086739136 XML-240307 3/7/07 7:13:23 PM |SessionNew_Job1<br />28943 3086739136 XML-240307 3/7/07 7:13:23 PM XML parser failed: See previously displayed error message.</p><p>Any help would be greatly appreciated.  It&#39;s something to do with my datasource and possibly the codepage but I&#39;m really not sure.</p><p>-m<br /></p>

    please export your datastore as ATL and send it to support. Somehow the internal language around configurations got corrupted - never seen before.

  • Help with HP Laser Printer 1200se

    HP Support Line,
    Really need your assistance.  I have tried both contacting HP by phone (told they no longer support our printer via phone help), the tech told me that I needed to contact HP by e-mail for assistance.   I then sent an e-mail for assistance and got that reply today, the reply is as follows  "Randall, unfortunately, HP does not offer support via e-mail for your product.  However many resources are available on the HP web site that may provide the answer to your inquiry.  Support is also available via telephone.  A list of technical support numbers can be round at the following URL........."  The phone numbers listed are the ones I called and the ones that told me I needed to contact the e-mail support for help.
    So here I am looking for your help with my issue.
    We just bought a new HP Pavillion Slimline Desk Top PC (as our 6 year old HP Pavillion PC died on us).  We have 2 HP printers, one (an all-in-one type printer, used maily for copying and printing color, when needed) is connected and it is working fine with the exception of the scanning option (not supported by Windows 7).  However we use our Laser Printer for all of our regular prining needs.  This is the HP LaserPrinter 1200se, which is about 6 years old but works really well.  For this printer we currently only have a parallel connection type cord and there is not a parallel port on the Slimline HP PC.  The printer also has the option to connedt a USB cable (we do not currently have this type of cable).
    We posed the following two questions:
    1.  Is the Laser Jet 1200se compatible with Windows 7?
    and if this is the case
    2.  Can we purchase either a) a USC connection cord (generic or do we need a printer specific cord)? or b) is there there a printer cable converter adapater to attach to our parallel cable to convert to a USB connection?
    We do not want to purchase the USB cable if Windows 7 will not accept the connection, or if doing this will harm the PC.
    We really would appreciate any assitance that you might give us.
    Thank you,
    Randy and Leslie Gibson

    Sorry, both cannot be enabled by design.  That said, devices on a network do not care how others are connected.  You can print from a wireless connection to a wired (Ethernet) printer and v/v.
    Say thanks by clicking "Kudos" "thumbs up" in the post that helped you.
    I am employed by HP

  • WRT310N: Help with DMZ/settings (firmware 1.0.09) for wired connection

    Hello. I have a WRT310N and have been having a somewhat difficult time with my xbox 360's connection. I have forwarded all the necessary ports (53, 80, 88, 3074) for it to run, and tried changing MTU and what-not.
    I don't know if I have DMZ setup incorrectly, or if it's my settings.
    Setup as follows:
    PCX2200 modem connected via ethernet to WRT310N. 
    The WRT310N has into ethernet port 1 a WAP54G, and then upstairs (so that my Mother's computer can get a strong signal) I have another WAP54G that I believe receives its signal from the downstairs 54G. 
    In the back of the WRT310N, I have my computer connected via ethernet port 3, and my Xbox 360 connected via ethernet port 4.
    Now, I first figured I just have so many connections tied to the router and that is the reason for being so slow. However, when I unplug all the other ethernet cords and nothing is connected wirelessly, except for my Xbox connected to ethernet port 4, it is still poor. Also, with everything connected (WAP54G and other devices wirelessly) I get on my PC and run a speedtest.  For the sake of advice, my speedtests I am running on my PC are (after 5 tests) averagely 8.5 Mbps download, and 1.00 Mbps upload, with a ping of  82ms.
    Here is an image of the results:
    http://www.speedtest.net][IMG]http://www.speedtest.net/result/721106714.png
    Let me add a little more detail of my (192.168.1.1) settings for WRT310N.
    For starters, my Father's IT guy at his workplace set up this WRT310N and WAP54G's. So some of these settings may be his doing. I just don't know which.
    "Setup" as Auto-configurations DHCP. I've added my Xbox's IP address to the DHCP reservation the IP of 192.168.1.104. This has (from what I've noticed) stayed the same for days.
    MTU: Auto, which stays at 1500 when I check under status.
    Advanced Routing: NAT routing enabled, Dynamic Routing disabled. 
    Security: Disabled SPI firewall, UNchecked these: Filter Anonymous Internet Requests, Multicast, and Internet NAT redirection.
    VPN passthrough: All 3 options are enabled (IPSec, PPTP, L2TP)
    Access Restrictions: None.
    Applications and Gaming: Single port forwarding has no entries. Port Range Forwarding I have the ports 53 UDP/TCP, 88 UDP, 3074 UDP/TCP, and 80 TCP forwarded to IP 192.168.1.104 enabled. (192.168.1.104 is the IP for my xbox connected via ethernet wired that is in DHCP reserved list)
    Port Range Triggering: It does not allow me to change anything in this page.
    DMZ: I have it Enabled. This is where I am a bit confused. It says "Source IP Address" and it has me select either "Any IP address" or to put entries to the XXX.XXX.XXX.XXX to XXX fields. I have selected use any IP address. Then the source IP area, it says "Destination:"  I can do either "IP address: 192.168.1.XXX" or "MAC address:" Also, under MAC Address, it says DHCP Client Table and I went there and saw my Xbox under the DHCP client list (It shows up only when the Xbox is on) and selected it.  
    Under QoS: WMM Enabled, No acknowledgement disabled.
    Internet Access Priority: Enabled. Upstream Bandwith I set it to Manual and put 6000 Kbps. I had it set on Auto before, but I changed it. I have no idea what to put there so I just put a higher number. 
    Then I added for Internet Access Priority a Medium Priority for Ethernet Port 4 (the port my xbox is plugged into).
    Administration: Management: Web utility access: I have checked HTTP, unchecked HTTPS.
    Web utility access via Wireless: Enabled. Remote Access: Disabled.
    UPnp: Enabled.
    Allow Users to Configure: Enabled.
    Allow users to Disable Internet Access: Enabled.
    Under Diagnostics, when I try and Ping test 192.168.1.104 (xbox when on and connected to LIVE), I get:
    PING 192.168.1.104 (192.168.1.104): 24 data bytes
    Request timed out.
    Request timed out.
    Request timed out.
    Request timed out.
    Request timed out.
    --- 192.168.1.104 data statistics ---
    5 Packets transmitted, 0 Packets received, 100% Packet loss
    Also, when I do Traceroute Test for my Xbox's IP, I just keep getting: 
    traceroute to 192.168.1.104 (192.168.1.104), 30 hops max, 40 byte packets
    1 * * * 192.168.1.1 Request timed out.
    2 * * * 192.168.1.1 Request timed out.
     As for the Wireless Settings, it is all on the default settings with Wi-Fi Protected setup Enabled.
    To add, I have tried connecting my modem directly to the Xbox and my connection is much improved. I have no difficulty getting the NAT open, for it seems my settings are working for that. Any help with these settings would be VERY much appreciated. 
    Message Edited by CroftBond on 02-18-2010 01:09 PM

    I own 2 of these routers (one is a spare) with the latest firmware and I have been having trouble with them for over a year.  In my case the connection speed goes to a crawl and the only way to get it back is to disable the SPI firewall.  Rebooting helps for a few minutes, but the problem returns.  All of the other fixes recommended on these forums did not help.  I found out the hard way that disabling the SPI Firewall also closes all open ports ignoring your port forwarding settings.  If you have SPI Firewall disabled, you will never be able to ping your IP from an external address.  Turn your SPI Firewall back on and test your Ping. 
    John

  • Help with if statement for a beginner.

    Hello, I’m new to the dev lark and wondered if someone could point me in the right direction.
    I have the following (working!) app that lets users press a few buttons instead of typing console commands (please do not be too critical of it, it’s my first work prog).
    //DBS File send and Receive app 1.0
    import java.awt.*;
    import java.awt.event.*;
    import java.io.*;
    import javax.swing.*;
    import java.awt.BorderLayout;
    import java.awt.FlowLayout;
    import java.awt.Font;
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    import javax.swing.JButton;
    import javax.swing.JCheckBox;
    import javax.swing.JFrame;
    import javax.swing.JPanel;
    import javax.swing.JTextArea;
    import java.applet.Applet;
    public class Buttons extends JFrame
         public Buttons()
              super("DBS 2");          
              JTextArea myText = new JTextArea   ("Welcome to the DBS application." +
                                                           "\n" +
                                                           "\n\n1. If you have received an email informing you that the DBS is ready to dowload please press the \"Receive DBS\" button." +
                                                           "\n" +
                                                           "\n1. Once this has been Received successfully please press the \"Prep File\" button." +
                                                           "\n\n2. Once the files have been moved to their appropriate locations, please do the \"Load\" into PAS." +
                                                           "\n\n3. Once the \"Load\" is complete, do the \"Extract\"." +
                                                           "\n\n4. When the \"Extract\" has taken place please press the \"File Shuffle\" button." +
                                                           "\n\n5. When the files have been shuffled, please press the \"Send DBS\" Button." +
                                                           "\n\nJob done." +
                                                           "\n", 20,50);
              JPanel holdAll = new JPanel();
              JPanel topPanel = new JPanel();
              JPanel bottomPanel = new JPanel();
              JPanel middle1 = new JPanel();
              JPanel middle2 = new JPanel();
              JPanel middle3 = new JPanel();
              topPanel.setLayout(new FlowLayout());
              middle1.setLayout(new FlowLayout());
              middle2.setLayout(new FlowLayout());
              middle3.setLayout(new FlowLayout());
              bottomPanel.setLayout(new FlowLayout());
              myText.setBackground(new java.awt.Color(0, 0, 0));     
              myText.setForeground(new java.awt.Color(255,255,255));
              myText.setFont(new java.awt.Font("Times",0, 16));
              myText.setLineWrap(true);
              myText.setWrapStyleWord(true);
              holdAll.setLayout(new BorderLayout());
              topPanel.setBackground(new java.awt.Color(153, 101, 52));
              bottomPanel.setForeground(new java.awt.Color(153, 0, 52));
              holdAll.add(topPanel, BorderLayout.CENTER);
              topPanel.add(myText, BorderLayout.NORTH);
              setSize(700, 600);
              setDefaultCloseOperation(EXIT_ON_CLOSE);
              getContentPane().add(holdAll, BorderLayout.CENTER);
              Container c = getContentPane();
              c.setLayout(new FlowLayout());
              final JButton receiveDBS = new JButton("Receive DBS"); //marked as final as it is called in an Inner Class later
              final JButton filePrep = new JButton("Prep File");
              final JButton fileShuffle = new JButton("File Shuffle");
              final JButton sendDBS = new JButton("Send DBS");
              JButton exitButton = new JButton("Exit");
    //          JLabel statusbar = new JLabel("Text here");
              receiveDBS.setFont(new java.awt.Font("Arial", 0, 25));
              filePrep.setFont(new java.awt.Font("Arial", 0, 25));
              fileShuffle.setFont(new java.awt.Font("Arial", 0, 25));
              sendDBS.setFont(new java.awt.Font("Arial", 0, 25));
              exitButton.setBorderPainted ( false );
              exitButton.setMargin( new Insets ( 10, 10, 10, 10 ));
              exitButton.setToolTipText( "EXIT Button" );
              exitButton.setFont(new java.awt.Font("Arial", 0, 20));
              exitButton.setEnabled(true);  //Set to (false) to disable
              exitButton.setForeground(new java.awt.Color(0, 0, 0));
              exitButton.setHorizontalTextPosition(SwingConstants.CENTER); //Don't know what this does
              exitButton.setBounds(10, 30, 90, 50); //Don't know what this does
              exitButton.setBackground(new java.awt.Color(153, 101, 52));     
              topPanel.add(receiveDBS);
              middle1.add(filePrep);
              middle2.add(exitButton);
              middle3.add(fileShuffle);
              bottomPanel.add(sendDBS);
              receiveDBS.addActionListener(new ActionListener()
                   public void actionPerformed(ActionEvent ae)
                        if (ae.getSource() == receiveDBS);
                        try
                             Runtime.getRuntime().exec("cmd.exe /c start c:\\DBS\\ReceiveDBSfile.bat");
                        catch(Exception e)
                             System.out.println(e.toString());
                             e.printStackTrace();
              filePrep.addActionListener(new ActionListener()
                   public void actionPerformed(ActionEvent ae)
                        if (ae.getSource() == filePrep);
                        try
                             Runtime.getRuntime().exec("cmd.exe /c start c:\\DBS\\filePrep.bat");
                        catch(Exception e)
                             System.out.println(e.toString());
                             e.printStackTrace();
              exitButton.addActionListener(new ActionListener()
                   public void actionPerformed(ActionEvent ae)
                        System.exit(0);
              fileShuffle.addActionListener(new ActionListener()
                   public void actionPerformed(ActionEvent ae)
                        if (ae.getSource() == fileShuffle);
                        try
                             Runtime.getRuntime().exec("cmd.exe /c start c:\\DBS\\fileShuffle.bat");
                        catch(Exception e)
                             System.out.println(e.toString());
                             e.printStackTrace();
              sendDBS.addActionListener(new ActionListener()
                   public void actionPerformed(ActionEvent ae)
                        if (ae.getSource() == sendDBS);
                        try
                             Runtime.getRuntime().exec("cmd.exe /c start c:\\DBS\\sendDBSFile.bat");
                        catch(Exception e)
                             System.out.println(e.toString());
                             e.printStackTrace();
              c.add(receiveDBS);
              c.add(filePrep);
              c.add(fileShuffle);
              c.add(sendDBS);
              c.add(exitButton);
    //          c.add(statusbar);
         public static void main(String args[])
              Buttons xyz = new Buttons();
              xyz.setVisible(true);
         }What I would like help with is the following…
    I would like output to either a JLabel or JTextArea to appear if a file appears on the network. Something along these lines…
    If file named nststrace*.* is in \\[network path] then output “Download successful, please proceed.”
    btw I have done my best to search this forum for something similar and had no luck, but I am looking forward to Encephalopathic’s answer as he/she has consistently made me laugh with posted responses (in a good way).
    Thanks in advance, Paul.

    Hospital_Apps_Monkey wrote:
    we're starting to get aquainted, but I think "best friend" could take a while as it is still as hard going as I recall, but I will persevere.Heh, it's not so bad! For example, if I had no idea how to test whether a file exists, I would just scan the big list of classes on the left for names that sound like they might include File operations. Hey look, File! Then I'd look at all of File's methods for something that tests whether it exists or not. Hey, exists! Then if I still couldn't figure out how to use it, I'd do a google search on that particular method.

Maybe you are looking for

  • Memory upgrade on HP HDX18t.

    Hello all, I recently bought 2x4GB memory modules for my HP HDX18T-1200 laptop.  I purchased DDR3-1066(PC3-8500) from Crucial.  When I installed this memory, I do not see anything on the screen.  I doubt BIOS is not recognizing this memory.  The memo

  • Iv tried setting icloud and it says maximum number of free accounts on this iphone

    iv tried setting icloud and it says maximum number of free accounts what do i need to do now to set up and icloud account

  • FM area effect and configuration

    Hi,   I want o know the effect of FM area, what is its effect , while creating the sales order we enter the fund center,  and fund center is created ref. to FM area,  but while creating Fund center in FMSA  there is no G/L account filed   the what is

  • Credit Limit by Product (Sales Area)

    Dear Experts, I have to maintain credit limit by Product. Thatu2019s why am maintaining credit controls for sales areas. Because every Product has different individual sales area. Please see below detail explanation. Our credit control area for custo

  • ADF 10g support for Internet Explorer 8

    hi Working with Oracle support (in SR 7732252.994) we first reached this conclusion ... "Microsoft Internet Explorer 8 is not a supported for the ADF Faces applications built using JDeveloper 10.1.3.5.0" When I subsequently asked ... "Will there be a