No client notification if EJB store fails

We are using Oracle EJB's with bean managed persistence. The client app ends a transaction using the usertransaction.commit and doesn't get any exception if a update failed.
How can we make shure that the client gets an exception if an update fails ?
Thanks in advance

Thanks for taking out the time... really appreciate it.
The problem is as follows:
Entity EJB:
Bean managed Persistence:
Transaction Attribute: Required
Home Interface:------------------------------
import java.rmi.*;
import javax.ejb.*;
import com.derigen.common.*;
public interface DerigenFuturesBean extends EJBObject {
public FuturesBean getDbObject() throws EJBException;
public void setDbObject(FuturesBean newDbObject) throws EJBException;
Remote Interface:----------------------------
import java.rmi.*;
import javax.ejb.*;
import com.derigen.common.*;
public interface DerigenFuturesBeanHome extends EJBHome {
public DerigenFuturesBean create(FuturesBean newDbObject) throws RemoteException, CreateException;
public DerigenFuturesBean findByPrimaryKey(DerigenPK primaryKey) throws RemoteException, FinderException;
Bean Class:----------------------------------
import javax.ejb.*;
import java.sql.*;
import com.derigen.common.*;
public class DerigenFuturesBeanBean implements EntityBean{
EntityContext ctx;
FuturesBean dbObject;
Connection conn;
String iString = "insert into future_deals (ID,TRADE_DATE,BUY_SELL_FLAG,CONTRACTS,CMD_ID,FM_MTH_ID,TO_MTH_ID,PRICE,BROKER_CP_ID,BROKER_RATE,CHA_CP_ID,CHACCT_ID,CHA_RATE,BOOK_ID,SPECULATIVE_HEDGE_FLAG) values (?,?,?,?,?,?,?,?,?,?,?,?,?,?,?)";
String uString = "update future_deals set TRADE_DATE = ?,BUY_SELL_FLAG = ?,CONTRACTS = ?,CMD_ID = ?,FM_MTH_ID = ?,TO_MTH_ID = ?,PRICE = ?,BROKER_CP_ID = ?,BROKER_RATE = ?,CHA_CP_ID = ?,CHACCT_ID = ?,CHA_RATE = ?,BOOK_ID = ?,SPECULATIVE_HEDGE_FLAG = ? where ID = ?";
String dString = "delete future_deals where ID = ?";
String sString = "SELECT FD.ID,to_char(FD.TRADE_DATE,\'DD-MON-YY\'),FD.BUY_SELL_FLAG,FD.CONTRACTS,FD.CMD_ID,CMD.CODE,FD.FM_MTH_ID,FMMTH.CODE,FD.TO_MTH_ID,TOMTH.CODE,FD.PRICE,FD.BROKER_CP_ID,BRKCP.CODE,FD.B ROKER_RATE,FD.CHA_CP_ID,CHACP.CODE,FD.CHACCT_ID,CHACCT.CODE,FD.CHA_RATE,FD.BOOK_ID,BOOK.CODE,FD.SPECULATIVE_HEDGE_FLAG FROM FUTURE_DEALS FD, COMMODITIES CMD, MONTHS FMMTH, MONTHS TOMTH, COUNTERPARTIES BRKCP, COUNTERPARTIES CHACP, CLEARINGHOUSE_ACCOUNTS CHACCT, TRADING_BOOKS BOOK WHERE FD.ID = ? AND FD.CMD_ID = CMD.ID AND FD.FM_MTH_ID = FMMTH.ID AND FD.TO_MTH_ID = TOMTH.ID AND FD.BROKER_CP_ID = BRKCP.ID AND FD.CHA_CP_ID = CHACP.ID AND FD.CHACCT_ID = CHACCT.ACCOUNT_ID AND FD.CHA_CP_ID = CHACCT.CP_ID AND FD.BOOK_ID = BOOK.ID";
String idString = "select id from future_deals where id = ?";
String sqString = "select fd_seq.nextval from dual";
PreparedStatement iStmt;
PreparedStatement idStmt;
PreparedStatement uStmt;
PreparedStatement dStmt;
PreparedStatement sStmt;
public DerigenFuturesBeanBean() {
public DerigenPK ejbCreate(FuturesBean newDbObject) throws CreateException {
dbObject = newDbObject;
try {
dbObject.setPrimaryKey(new FuturesPK(getIdFromSequence()));
if (((FuturesPK) dbObject.getPrimaryKey()).getId().equals("0"))
throw new CreateException("ID could not be retrieved from sequence.");
getConn();
iStmt = conn.prepareStatement(iString);
iStmt.setString(1, ((FuturesPK) dbObject.getPrimaryKey()).getId());
iStmt.setString(2, dbObject.getTradedate());
iStmt.setString(3, dbObject.getBuysellflag());
iStmt.setString(4, dbObject.getContracts());
iStmt.setString(5, dbObject.getCmdid());
iStmt.setString(6, dbObject.getFmmthid());
iStmt.setString(7, dbObject.getTomthid());
iStmt.setString(8, dbObject.getPrice());
iStmt.setString(9, dbObject.getBrokercpid());
iStmt.setString(10, dbObject.getBrokerrate());
iStmt.setString(11, dbObject.getChacpid());
iStmt.setString(12, dbObject.getChacctid());
iStmt.setString(13, dbObject.getCharate());
iStmt.setString(14, dbObject.getBookid());
iStmt.setString(15, dbObject.getSpechedgeflag());
int a = iStmt.executeUpdate();
iStmt.close();
return dbObject.getPrimaryKey();
} catch (SQLException se) {
throw new CreateException(se.getMessage());
public void ejbPostCreate(FuturesBean newDbObject) {
public DerigenPK ejbFindByPrimaryKey(DerigenPK primaryKey) throws FinderException {
FuturesPK pk = (FuturesPK) primaryKey;
try {
getConn();
idStmt = conn.prepareStatement(idString);
idStmt.setString(1, pk.getId());
ResultSet rs = idStmt.executeQuery();
if (!rs.next())
throw new FinderException("Record does not exist.");
rs.close();
idStmt.close();
return pk;
} catch (SQLException se) {
throw new FinderException(se.getMessage());
public void ejbActivate() {
public void ejbLoad() throws EJBException {
FuturesPK pk = (FuturesPK) ctx.getPrimaryKey();
dbObject = new FuturesBean();
dbObject.setPrimaryKey(pk);
try {
getConn();
sStmt = conn.prepareStatement(sString);
sStmt.setString(1, pk.getId());
ResultSet rs = sStmt.executeQuery();
if (rs.next()) {
dbObject.setTradedate(rs.getString(2));
dbObject.setBuysellflag(rs.getString(3));
dbObject.setContracts(rs.getString(4));
dbObject.setCmdid(rs.getString(5));
dbObject.setCmd(rs.getString(6));
dbObject.setFmmthid(rs.getString(7));
dbObject.setFmmonth(rs.getString(8));
dbObject.setTomthid(rs.getString(9));
dbObject.setTomonth(rs.getString(10));
dbObject.setPrice(rs.getString(11));
dbObject.setBrokercpid(rs.getString(12));
dbObject.setBroker(rs.getString(13));
dbObject.setBrokerrate(rs.getString(14));
dbObject.setChacpid(rs.getString(15));
dbObject.setClearinghouse(rs.getString(16));
dbObject.setChacctid(rs.getString(17));
dbObject.setClearinghouseaccount(rs.getString(18));
dbObject.setCharate(rs.getString(19));
dbObject.setBookid(rs.getString(20));
dbObject.setBook(rs.getString(21));
dbObject.setSpechedgeflag(rs.getString(22));
dbObject.setOlds();
rs.close();
sStmt.close();
} catch (SQLException se) {
throw new EJBException(se.getMessage());
public void ejbPassivate() {
public void ejbRemove() throws EJBException {
FuturesPK pk = (FuturesPK) ctx.getPrimaryKey();
try {
getConn();
dStmt = conn.prepareStatement(dString);
dStmt.setString(1, pk.getId());
int a = dStmt.executeUpdate();
dStmt.close();
} catch (SQLException se) {
throw new EJBException(se.getMessage());
public void ejbStore() throws EJBException {
try {
getConn();
uStmt = conn.prepareStatement(uString);
uStmt.setString(1, dbObject.getTradedate());
uStmt.setString(2, dbObject.getBuysellflag());
uStmt.setString(3, dbObject.getContracts());
uStmt.setString(4, dbObject.getCmdid());
uStmt.setString(5, dbObject.getFmmthid());
uStmt.setString(6, dbObject.getTomthid());
uStmt.setString(7, dbObject.getPrice());
uStmt.setString(8, dbObject.getBrokercpid());
uStmt.setString(9, dbObject.getBrokerrate());
uStmt.setString(10, dbObject.getChacpid());
uStmt.setString(11, dbObject.getChacctid());
uStmt.setString(12, dbObject.getCharate());
uStmt.setString(13, dbObject.getBookid());
uStmt.setString(14, dbObject.getSpechedgeflag());
uStmt.setString(15, ((FuturesPK) dbObject.getPrimaryKey()).getId());
int a = uStmt.executeUpdate();
uStmt.close();
} catch (SQLException se) {
throw new EJBException(se.getMessage());
public void setEntityContext(EntityContext ctx) {
this.ctx = ctx;
public void unsetEntityContext() {
this.ctx = null;
private String getIdFromSequence() throws SQLException {
getConn();
String idFromSeq = "0";
Statement stmt = conn.createStatement();
ResultSet rs = stmt.executeQuery(sqString);
if (rs.next())
idFromSeq = rs.getString(1);
return idFromSeq;
public FuturesBean getDbObject() {
return dbObject;
public void setDbObject(FuturesBean newDbObject) {
dbObject = newDbObject;
public void getConn() throws SQLException {
if (conn == null)
conn = new oracle.jdbc.driver.OracleDriver().defaultConnection();
XML Deployment Descriptor:-------------------
<?xml version = '1.0' encoding = 'UTF-8'?>
<!DOCTYPE ejb-jar PUBLIC "-//Sun Microsystems, Inc.//DTD Enterprise JavaBeans 1.1//EN" "ejb-jar.dtd">
<ejb-jar>
<enterprise-beans>
<entity>
<description>Entity Bean (Bean-managed Persis tence)</description>
<display-name>DerigenFuturesBean</display-name>
<ejb-name>DerigenFuturesBean</ejb-name>
<home>distributed.DerigenFuturesBeanHome</home>
<remote>distributed.DerigenFuturesBean</remote>
<ejb-class>distributedserver.DerigenFuturesBeanBean</ejb-class>
<persistence-type>Bean</persistence-type>
<prim-key-class>com.derigen.common.DerigenPK</prim-key-class>
<reentrant>False</reentrant>
</entity>
</enterprise-beans>
<assembly-descriptor>
<security-role>
<description>no description</description>
<role-name>PUBLIC</role-name>
</security-role>
<method-permission>
<description>no description</description>
<role-name>PUBLIC</role-name>
<method>
<ejb-name>DerigenFuturesBean</ejb-name>
<method-name>*</method-name>
</method>
</method-permission>
<container-transaction>
<description>no description</description>
<method>
<ejb-name>DerigenFuturesBean</ejb-name>
<method-name>*</method-name>
</method>
<trans-attribute>Required</trans-attribute>
</container-transaction>
</assembly-descriptor>
</ejb-jar>
Oracle Specific Deployment Descriptor:-------
<?xml version = '1.0' encoding = 'UTF-8'?>
<!DOCTYPE oracle-descriptor PUBLIC "-//Sun Microsystems, Inc.//DTD Enterprise JavaBeans 1.1//EN" "oracle-ejb-jar.dtd">
<oracle-descriptor>
<mappings>
<ejb-mapping>
<ejb-name>DerigenFuturesBean</ejb-name>
<jndi-name>test/DerigenFuturesBean</jndi-name>
</ejb-mapping>
</mappings>
</oracle-descriptor>
I have left out code for the generic/primary key classes, if you need that code too, please let me know.
As you can see ejbStore does an update and supposing it fails because the value being updated is too large or the tablespace fills up etc. I would expect to recieve an exception at the client side, but that doesn't happen.
Again I appreciate all the help.
Ashish.
null

Similar Messages

  • JMS JDBC store failed to open after switched to a different database machine

              Hi,
              I'm running WebLogic 6.1 sp3/Oracle 8.1.6 and I configure the JMS JDBC store for
              persistent messaging. I was working fine until I switched to use a different database
              machine which has the same software configuration as the old one. It was giving
              me "failed to create tables" error at start up time. But I checked the database
              and found out the two tables (<prefix>JMSSTORE and <prefix>JMSSTATE) were both
              created and I was able to query although they don't contain any data. By the way,
              I'm using thin client.
              Anyone can help? Thanks a lot!
              Here's the exception:
              <Jul 23, 2003 4:33:10 PM PDT> <Alert> <JMS> <JMSServer "notifyServer", store failed
              to open, java.io.IOException: JMS JDBC store, connection pool = <jmsPool>, prefix
              = <qa.JMS_SERVER_>: failed to create tables.
              java.io.IOException: JMS JDBC store, connection pool = <jmsPool>, prefix = <qa.JMS_SERVER_>:
              failed to create tables
              at weblogic.jms.store.JDBCIOStream.throwIOException(JDBCIOStream.java:311)
              at weblogic.jms.store.JDBCIOStream.rebuildTables(JDBCIOStream.java:1400)
              at weblogic.jms.store.JDBCIOStream.open(JDBCIOStream.java:376)
              at weblogic.jms.store.JMSStore.open(JMSStore.java:110)
              at weblogic.jms.backend.BEStore.open(BEStore.java:180)
              at weblogic.jms.backend.BackEnd.initialize(BackEnd.java:390)
              at weblogic.jms.JMSService.createBackEnd(JMSService.java:906)
              at weblogic.jms.JMSService.addJMSServer(JMSService.java:1273)
              at weblogic.jms.JMSService.addDeployment(JMSService.java:1169)
              at weblogic.management.mbeans.custom.DeploymentTarget.addDeployment(DeploymentTarget.java:360)
              at weblogic.management.mbeans.custom.DeploymentTarget.addDeployments(DeploymentTarget.java:285)
              at weblogic.management.mbeans.custom.DeploymentTarget.updateServerDeployments(DeploymentTarget.java:239)
              at weblogic.management.mbeans.custom.DeploymentTarget.updateDeployments(DeploymentTarget.java:199)
              at java.lang.reflect.Method.invoke(Native Method)
              at weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java:636)
              at weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java:621)
              at weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
              at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
              at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
              at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:468)
              at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:209)
              at $Proxy39.updateDeployments(Unknown Source)
              at weblogic.management.configuration.ServerMBean_CachingStub.updateDeployments(ServerMBean_CachingStub.java:2977)
              at weblogic.management.mbeans.custom.ApplicationManager.startConfigManager(ApplicationManager.java:372)
              at weblogic.management.mbeans.custom.ApplicationManager.start(ApplicationManager.java:160)
              at java.lang.reflect.Method.invoke(Native Method)
              at weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java:636)
              at weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java:621)
              at weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
              at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
              at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
              at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:468)
              at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:209)
              at $Proxy58.start(Unknown Source)
              at weblogic.management.configuration.ApplicationManagerMBean_CachingStub.start(ApplicationManagerMBean_CachingStub.java:480)
              at weblogic.management.Admin.startApplicationManager(Admin.java:1234)
              at weblogic.management.Admin.finish(Admin.java:644)
              at weblogic.t3.srvr.T3Srvr.start(T3Srvr.java:524)
              at weblogic.t3.srvr.T3Srvr.run(T3Srvr.java:207)
              at weblogic.Server.main(Server.java:35)
              >
              <Jul 23, 2003 4:33:10 PM PDT> <Error> <JMS> <Failed to deploy JMS Server "notifyServer"
              due to weblogic.jms.common.ConfigurationException: JMS can not open store.
              weblogic.jms.common.ConfigurationException: JMS can not open store
              at weblogic.jms.backend.BackEnd.initialize(BackEnd.java:395)
              at weblogic.jms.JMSService.createBackEnd(JMSService.java:906)
              at weblogic.jms.JMSService.addJMSServer(JMSService.java:1273)
              at weblogic.jms.JMSService.addDeployment(JMSService.java:1169)
              at weblogic.management.mbeans.custom.DeploymentTarget.addDeployment(DeploymentTarget.java:360)
              at weblogic.management.mbeans.custom.DeploymentTarget.addDeployments(DeploymentTarget.java:285)
              at weblogic.management.mbeans.custom.DeploymentTarget.updateServerDeployments(DeploymentTarget.java:239)
              at weblogic.management.mbeans.custom.DeploymentTarget.updateDeployments(DeploymentTarget.java:199)
              at java.lang.reflect.Method.invoke(Native Method)
              at weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java:636)
              at weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java:621)
              at weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
              at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
              at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
              at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:468)
              at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:209)
              at $Proxy39.updateDeployments(Unknown Source)
              at weblogic.management.configuration.ServerMBean_CachingStub.updateDeployments(ServerMBean_CachingStub.java:2977)
              at weblogic.management.mbeans.custom.ApplicationManager.startConfigManager(ApplicationManager.java:372)
              at weblogic.management.mbeans.custom.ApplicationManager.start(ApplicationManager.java:160)
              at java.lang.reflect.Method.invoke(Native Method)
              at weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java:636)
              at weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java:621)
              at weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
              at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
              at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
              at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:468)
              at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:209)
              at $Proxy58.start(Unknown Source)
              at weblogic.management.configuration.ApplicationManagerMBean_CachingStub.start(ApplicationManagerMBean_CachingStub.java:480)
              at weblogic.management.Admin.startApplicationManager(Admin.java:1234)
              at weblogic.management.Admin.finish(Admin.java:644)
              at weblogic.t3.srvr.T3Srvr.start(T3Srvr.java:524)
              at weblogic.t3.srvr.T3Srvr.run(T3Srvr.java:207)
              at weblogic.Server.main(Server.java:35)
              ----------- Linked Exception -----------
              java.io.IOException: JMS JDBC store, connection pool = <jmsPool>, prefix = <qa.JMS_SERVER_>:
              failed to create tables
              at weblogic.jms.store.JDBCIOStream.throwIOException(JDBCIOStream.java:311)
              at weblogic.jms.store.JDBCIOStream.rebuildTables(JDBCIOStream.java:1400)
              at weblogic.jms.store.JDBCIOStream.open(JDBCIOStream.java:376)
              at weblogic.jms.store.JMSStore.open(JMSStore.java:110)
              at weblogic.jms.backend.BEStore.open(BEStore.java:180)
              at weblogic.jms.backend.BackEnd.initialize(BackEnd.java:390)
              at weblogic.jms.JMSService.createBackEnd(JMSService.java:906)
              at weblogic.jms.JMSService.addJMSServer(JMSService.java:1273)
              at weblogic.jms.JMSService.addDeployment(JMSService.java:1169)
              at weblogic.management.mbeans.custom.DeploymentTarget.addDeployment(DeploymentTarget.java:360)
              at weblogic.management.mbeans.custom.DeploymentTarget.addDeployments(DeploymentTarget.java:285)
              at weblogic.management.mbeans.custom.DeploymentTarget.updateServerDeployments(DeploymentTarget.java:239)
              at weblogic.management.mbeans.custom.DeploymentTarget.updateDeployments(DeploymentTarget.java:199)
              at java.lang.reflect.Method.invoke(Native Method)
              at weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java:636)
              at weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java:621)
              at weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
              at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
              at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
              at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:468)
              at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:209)
              at $Proxy39.updateDeployments(Unknown Source)
              at weblogic.management.configuration.ServerMBean_CachingStub.updateDeployments(ServerMBean_CachingStub.java:2977)
              at weblogic.management.mbeans.custom.ApplicationManager.startConfigManager(ApplicationManager.java:372)
              at weblogic.management.mbeans.custom.ApplicationManager.start(ApplicationManager.java:160)
              at java.lang.reflect.Method.invoke(Native Method)
              at weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java:636)
              at weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java:621)
              at weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
              at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
              at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
              at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:468)
              at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:209)
              at $Proxy58.start(Unknown Source)
              at weblogic.management.configuration.ApplicationManagerMBean_CachingStub.start(ApplicationManagerMBean_CachingStub.java:480)
              at weblogic.management.Admin.startApplicationManager(Admin.java:1234)
              at weblogic.management.Admin.finish(Admin.java:644)
              at weblogic.t3.srvr.T3Srvr.start(T3Srvr.java:524)
              at weblogic.t3.srvr.T3Srvr.run(T3Srvr.java:207)
              at weblogic.Server.main(Server.java:35)
              >
              

    Hi Michelle,
              I suspect a permission problem where the new tables are created
              using the JDBC driver's default schema, but the prefix
              specifies another schema "qa". So the tables are getting
              created, but aren't found.
              Work-around one:
              manually extract, edit, and run the ddl that creates
              the tables to specify the schema. Prepend
              "qa.JMS_SERVER_" to all table names
              (This is fairly simple to do.)
              http://edocs.bea.com/wls/docs61/jms/appb.html#999286
              Work-around two:
              Don't include "qa." in the prefix.
              (i'm not sure if this will work)
              Work-around three:
              Change the username of the JDBC pool to "qa".
              (i'm not sure if this will work)
              Work-around four:
              Change the schema for the tables that were created
              under the JDBC driver's default schema to "qa".
              (I'm not sure how this is done, or even
              if it is possible. Database specific.)
              Tom
              Michelle Lian wrote:
              > Hi,
              >
              > I'm running WebLogic 6.1 sp3/Oracle 8.1.6 and I configure the JMS JDBC store for
              > persistent messaging. I was working fine until I switched to use a different database
              > machine which has the same software configuration as the old one. It was giving
              > me "failed to create tables" error at start up time. But I checked the database
              > and found out the two tables (<prefix>JMSSTORE and <prefix>JMSSTATE) were both
              > created and I was able to query although they don't contain any data. By the way,
              > I'm using thin client.
              >
              > Anyone can help? Thanks a lot!
              >
              > Here's the exception:
              >
              > <Jul 23, 2003 4:33:10 PM PDT> <Alert> <JMS> <JMSServer "notifyServer", store failed
              > to open, java.io.IOException: JMS JDBC store, connection pool = <jmsPool>, prefix
              > = <qa.JMS_SERVER_>: failed to create tables.
              > java.io.IOException: JMS JDBC store, connection pool = <jmsPool>, prefix = <qa.JMS_SERVER_>:
              > failed to create tables
              > at weblogic.jms.store.JDBCIOStream.throwIOException(JDBCIOStream.java:311)
              > at weblogic.jms.store.JDBCIOStream.rebuildTables(JDBCIOStream.java:1400)
              > at weblogic.jms.store.JDBCIOStream.open(JDBCIOStream.java:376)
              > at weblogic.jms.store.JMSStore.open(JMSStore.java:110)
              > at weblogic.jms.backend.BEStore.open(BEStore.java:180)
              > at weblogic.jms.backend.BackEnd.initialize(BackEnd.java:390)
              > at weblogic.jms.JMSService.createBackEnd(JMSService.java:906)
              > at weblogic.jms.JMSService.addJMSServer(JMSService.java:1273)
              > at weblogic.jms.JMSService.addDeployment(JMSService.java:1169)
              > at weblogic.management.mbeans.custom.DeploymentTarget.addDeployment(DeploymentTarget.java:360)
              > at weblogic.management.mbeans.custom.DeploymentTarget.addDeployments(DeploymentTarget.java:285)
              > at weblogic.management.mbeans.custom.DeploymentTarget.updateServerDeployments(DeploymentTarget.java:239)
              > at weblogic.management.mbeans.custom.DeploymentTarget.updateDeployments(DeploymentTarget.java:199)
              > at java.lang.reflect.Method.invoke(Native Method)
              > at weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java:636)
              > at weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java:621)
              > at weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
              > at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
              > at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
              > at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:468)
              > at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:209)
              > at $Proxy39.updateDeployments(Unknown Source)
              > at weblogic.management.configuration.ServerMBean_CachingStub.updateDeployments(ServerMBean_CachingStub.java:2977)
              > at weblogic.management.mbeans.custom.ApplicationManager.startConfigManager(ApplicationManager.java:372)
              > at weblogic.management.mbeans.custom.ApplicationManager.start(ApplicationManager.java:160)
              > at java.lang.reflect.Method.invoke(Native Method)
              > at weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java:636)
              > at weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java:621)
              > at weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
              > at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
              > at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
              > at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:468)
              > at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:209)
              > at $Proxy58.start(Unknown Source)
              > at weblogic.management.configuration.ApplicationManagerMBean_CachingStub.start(ApplicationManagerMBean_CachingStub.java:480)
              > at weblogic.management.Admin.startApplicationManager(Admin.java:1234)
              > at weblogic.management.Admin.finish(Admin.java:644)
              > at weblogic.t3.srvr.T3Srvr.start(T3Srvr.java:524)
              > at weblogic.t3.srvr.T3Srvr.run(T3Srvr.java:207)
              > at weblogic.Server.main(Server.java:35)
              >
              > <Jul 23, 2003 4:33:10 PM PDT> <Error> <JMS> <Failed to deploy JMS Server "notifyServer"
              > due to weblogic.jms.common.ConfigurationException: JMS can not open store.
              > weblogic.jms.common.ConfigurationException: JMS can not open store
              > at weblogic.jms.backend.BackEnd.initialize(BackEnd.java:395)
              > at weblogic.jms.JMSService.createBackEnd(JMSService.java:906)
              > at weblogic.jms.JMSService.addJMSServer(JMSService.java:1273)
              > at weblogic.jms.JMSService.addDeployment(JMSService.java:1169)
              > at weblogic.management.mbeans.custom.DeploymentTarget.addDeployment(DeploymentTarget.java:360)
              > at weblogic.management.mbeans.custom.DeploymentTarget.addDeployments(DeploymentTarget.java:285)
              > at weblogic.management.mbeans.custom.DeploymentTarget.updateServerDeployments(DeploymentTarget.java:239)
              > at weblogic.management.mbeans.custom.DeploymentTarget.updateDeployments(DeploymentTarget.java:199)
              > at java.lang.reflect.Method.invoke(Native Method)
              > at weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java:636)
              > at weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java:621)
              > at weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
              > at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
              > at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
              > at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:468)
              > at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:209)
              > at $Proxy39.updateDeployments(Unknown Source)
              > at weblogic.management.configuration.ServerMBean_CachingStub.updateDeployments(ServerMBean_CachingStub.java:2977)
              > at weblogic.management.mbeans.custom.ApplicationManager.startConfigManager(ApplicationManager.java:372)
              > at weblogic.management.mbeans.custom.ApplicationManager.start(ApplicationManager.java:160)
              > at java.lang.reflect.Method.invoke(Native Method)
              > at weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java:636)
              > at weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java:621)
              > at weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
              > at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
              > at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
              > at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:468)
              > at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:209)
              > at $Proxy58.start(Unknown Source)
              > at weblogic.management.configuration.ApplicationManagerMBean_CachingStub.start(ApplicationManagerMBean_CachingStub.java:480)
              > at weblogic.management.Admin.startApplicationManager(Admin.java:1234)
              > at weblogic.management.Admin.finish(Admin.java:644)
              > at weblogic.t3.srvr.T3Srvr.start(T3Srvr.java:524)
              > at weblogic.t3.srvr.T3Srvr.run(T3Srvr.java:207)
              > at weblogic.Server.main(Server.java:35)
              > ----------- Linked Exception -----------
              > java.io.IOException: JMS JDBC store, connection pool = <jmsPool>, prefix = <qa.JMS_SERVER_>:
              > failed to create tables
              > at weblogic.jms.store.JDBCIOStream.throwIOException(JDBCIOStream.java:311)
              > at weblogic.jms.store.JDBCIOStream.rebuildTables(JDBCIOStream.java:1400)
              > at weblogic.jms.store.JDBCIOStream.open(JDBCIOStream.java:376)
              > at weblogic.jms.store.JMSStore.open(JMSStore.java:110)
              > at weblogic.jms.backend.BEStore.open(BEStore.java:180)
              > at weblogic.jms.backend.BackEnd.initialize(BackEnd.java:390)
              > at weblogic.jms.JMSService.createBackEnd(JMSService.java:906)
              > at weblogic.jms.JMSService.addJMSServer(JMSService.java:1273)
              > at weblogic.jms.JMSService.addDeployment(JMSService.java:1169)
              > at weblogic.management.mbeans.custom.DeploymentTarget.addDeployment(DeploymentTarget.java:360)
              > at weblogic.management.mbeans.custom.DeploymentTarget.addDeployments(DeploymentTarget.java:285)
              > at weblogic.management.mbeans.custom.DeploymentTarget.updateServerDeployments(DeploymentTarget.java:239)
              > at weblogic.management.mbeans.custom.DeploymentTarget.updateDeployments(DeploymentTarget.java:199)
              > at java.lang.reflect.Method.invoke(Native Method)
              > at weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java:636)
              > at weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java:621)
              > at weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
              > at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
              > at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
              > at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:468)
              > at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:209)
              > at $Proxy39.updateDeployments(Unknown Source)
              > at weblogic.management.configuration.ServerMBean_CachingStub.updateDeployments(ServerMBean_CachingStub.java:2977)
              > at weblogic.management.mbeans.custom.ApplicationManager.startConfigManager(ApplicationManager.java:372)
              > at weblogic.management.mbeans.custom.ApplicationManager.start(ApplicationManager.java:160)
              > at java.lang.reflect.Method.invoke(Native Method)
              > at weblogic.management.internal.DynamicMBeanImpl.invokeLocally(DynamicMBeanImpl.java:636)
              > at weblogic.management.internal.DynamicMBeanImpl.invoke(DynamicMBeanImpl.java:621)
              > at weblogic.management.internal.ConfigurationMBeanImpl.invoke(ConfigurationMBeanImpl.java:360)
              > at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1557)
              > at com.sun.management.jmx.MBeanServerImpl.invoke(MBeanServerImpl.java:1525)
              > at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:468)
              > at weblogic.management.internal.MBeanProxy.invoke(MBeanProxy.java:209)
              > at $Proxy58.start(Unknown Source)
              > at weblogic.management.configuration.ApplicationManagerMBean_CachingStub.start(ApplicationManagerMBean_CachingStub.java:480)
              > at weblogic.management.Admin.startApplicationManager(Admin.java:1234)
              > at weblogic.management.Admin.finish(Admin.java:644)
              > at weblogic.t3.srvr.T3Srvr.start(T3Srvr.java:524)
              > at weblogic.t3.srvr.T3Srvr.run(T3Srvr.java:207)
              > at weblogic.Server.main(Server.java:35)
              >
              

  • Client Notification Issue

    Hoping someone can point me in the right direction here.
    Infrastructure:
    SCCM 2012 R2 CU1:
    Single Primary Site Server (Server 2012 R2 Update), With MP Role
    Remote SQL 2012 Server (Server 2012 R2 Update)
    Second Standalone MP (Server 2012 R2 Update)
    HTTPS with PKI Certificate deployed for DP and MP roles
    We have been testing client rollout to pilot machine over the past couple of weeks and everything (appears) to be working fine.  OSD, Application deployments, etc. all working as expected.
    The default ports for Client communication are select (80/443 and 10123)
    Client Notification is not working however.  I can go through the motions to create a "Download Machine Policy" notification, but the policy doesn't make it to the machine and all status messages for the notification stay at "unknown".
    *Side note, the online tests to keep the client active appears to be working fine.
    The BGBSetup logs show successful installation for both servers.
    I get lots of messages similar to this in the BGBServer.log (on both MP's):
    ERROR: Client ID is not 41 length. 8478e00c-d07b-4d93-b0f4-e01f4c78cc3b
    SMS_NOTIFICATION_SERVER 6/27/2014 1:50:02 PM
    4000 (0x0FA0)
    ERROR: Client ID is not 41 length. 8478e00c-d07b-4d93-b0f4-e01f4c78cc3b
    SMS_NOTIFICATION_SERVER 6/27/2014 1:50:02 PM
    4000 (0x0FA0)
    ERROR: Client ID is not 41 length. 8478e00c-d07b-4d93-b0f4-e01f4c78cc3b
    SMS_NOTIFICATION_SERVER 6/27/2014 1:50:02 PM
    4000 (0x0FA0)
    ERROR: The message body is invalid. <BgbSignInMessage TimeStamp="2014-06-27T18:50:02Z"><ClientType>SCCM</ClientType><ClientVersion>5.00.7958.1203</ClientVersion><ClientID>8478e00c-d07b-4d93-b0f4-e01f4c78cc3b</ClientID></BgbSignInMessage>
    SMS_NOTIFICATION_SERVER 6/27/2014 1:50:02 PM
    4000 (0x0FA0)
    ERROR: The message body is invalid. <BgbSignInMessage TimeStamp="2014-06-27T18:50:02Z"><ClientType>SCCM</ClientType><ClientVersion>5.00.7958.1203</ClientVersion><ClientID>8478e00c-d07b-4d93-b0f4-e01f4c78cc3b</ClientID></BgbSignInMessage>
    SMS_NOTIFICATION_SERVER 6/27/2014 1:50:02 PM
    4000 (0x0FA0)
    ERROR: The message body is invalid. <BgbSignInMessage TimeStamp="2014-06-27T18:50:02Z"><ClientType>SCCM</ClientType><ClientVersion>5.00.7958.1203</ClientVersion><ClientID>8478e00c-d07b-4d93-b0f4-e01f4c78cc3b</ClientID></BgbSignInMessage>
    SMS_NOTIFICATION_SERVER 6/27/2014 1:50:02 PM
    4000 (0x0FA0)
    Failed to process SignIn message from client [::ffff:10.100.122.71]:56195.
    SMS_NOTIFICATION_SERVER 6/27/2014 1:50:02 PM
    4000 (0x0FA0)
    Failed to process SignIn message from client [::ffff:10.100.122.71]:56195.
    SMS_NOTIFICATION_SERVER 6/27/2014 1:50:02 PM
    4000 (0x0FA0)
    Failed to process SignIn message from client [::ffff:10.100.122.71]:56195.
    SMS_NOTIFICATION_SERVER 6/27/2014 1:50:02 PM
    4000 (0x0FA0)
    BGBmgr.log shows no errors:
    Begin to handle file Bgbi1v41.BOS SMS_NOTIFICATION_MANAGER
    6/27/2014 2:00:26 PM 6892 (0x1AEC)
    Begin to process file C:\Program Files\Microsoft Configuration Manager\inboxes\bgb.box\Bgbi1v41.BOS
    SMS_NOTIFICATION_MANAGER 6/27/2014 2:00:26 PM
    6892 (0x1AEC)
    Server Name: MP.DOMAIN.COM, Version: 704
    SMS_NOTIFICATION_MANAGER 6/27/2014 2:00:26 PM
    6892 (0x1AEC)
    No records need to be BCPed SMS_NOTIFICATION_MANAGER
    6/27/2014 2:00:26 PM 6892 (0x1AEC)
    Successfully processed file C:\Program Files\Microsoft Configuration Manager\inboxes\bgb.box\Bgbi1v41.BOS
    SMS_NOTIFICATION_MANAGER 6/27/2014 2:00:26 PM
    6892 (0x1AEC)
    Successfully processed file Bgbi1v41.BOS, clean it.
    SMS_NOTIFICATION_MANAGER 6/27/2014 2:00:26 PM
    6892 (0x1AEC)
    BgbManager is waiting for file and registry change notification or timeout after 60 seconds
    SMS_NOTIFICATION_MANAGER 6/27/2014 2:00:26 PM
    6892 (0x1AEC)
    CcmNotificationAgent.log on a client:
    Access point is MP.DOMAIN.COM. (SSLEnabled = 0)
    BgbAgent 6/27/2014 12:52:29 PM
    5544 (0x15A8)
    CRL Checking is Enabled. BgbAgent
    6/27/2014 12:52:29 PM 5544 (0x15A8)
    Both TCP and http are enabled, let's try TCP connection first.
    BgbAgent 6/27/2014 12:52:29 PM
    5544 (0x15A8)
    Connecting to server with IP: 10.32.8.135 Port: 10123 
    BgbAgent
    6/27/2014 12:52:29 PM 5544 (0x15A8)
    Handshake was successful
    BgbAgent
    6/27/2014 12:52:29 PM 5544 (0x15A8)
    Pass verification on server certificate.
    BgbAgent 6/27/2014 12:52:29 PM
    5544 (0x15A8)
    Update the timeout to 900 second(s)
    BgbAgent 6/27/2014 12:52:29 PM
    5544 (0x15A8)
    Receive signin confirmation message from server, client is signed in.
    BgbAgent 6/27/2014 12:52:31 PM
    5544 (0x15A8)
    Successfully sent keep-alive message.
    BgbAgent 6/27/2014 1:07:32 PM
    5544 (0x15A8)
    Successfully sent keep-alive message.
    BgbAgent 6/27/2014 1:22:33 PM
    5544 (0x15A8)
    IIS log shows 200's across the board. 
    Any ideas on where to look next?

    You can check to see if Firewall is the issue.
    You can also use the following log files to help you  troubleshoot client notification problems. 
    Component
    Log
    Notification Manager
    <smssiteserver setup dir>\logs\bgbmgr.log
    Notification Server
    <mp setup dir>\logs\BGBServer.log
    <sms_ccm dir or client setup dir>\logs\BgbHttpProxy.log
    For installation issues:
    <mp setup dir>\logs\BgbSetup.log
    <mp setup dir>\logs\bgbisapiMSI.log
    Notification Agent
    <client setup dir>\logs\CcmNotificationAgent.log
    Refer to the blog posted by Yvette...
    http://blogs.technet.com/b/configmgrteam/archive/2012/09/27/fast-channel-for-system-management.aspx
    Krishna Santosh Maadasu Please remember to click “Mark as Answer” on the post that helps you, and click “Unmark as Answer” if a marked post does not actually answer your question. This can be beneficial to other community members reading the thread.

  • Request User State Store Fails with error code 0x00004005

    I am trying to get a machine refresh working in SCCM and am running into a road block with the user state migration. The Task sequence hits Request user state store and then fails. In the logs on the machine it shows it downloads the cert from the SMP but it fails to verify the cert. The thing is that this was working and then stopped for no apparent reason. I have added a second SMP and it has the same issue so its got to be something environmental causing this. I have found no references to the errors I am recieving that relate to the issue so I am stumped. We have a SCCM 2007 site in mixed mode. The error log is:
    The task sequence execution engine failed executing the action (Request User State Storage) in the group (Capture User Files and Settings) with the error code 16389 Action output: ployment\osdsmpclient\smpclient.cpp,1743) Request to SMP 'ATXFREPSMS01.NA.atxglobal.com' failed with error (Code 0x80090006). Trying next SMP. FALSE, HRESULT=80004005 (e:\nts_sms_fre\sms\client\osdeployment\osdsmpclient\smpclient.cpp,1698) pClientRequestToSMP->Execute(migInfoFromMP.saSMPs), HRESULT=80004005 (e:\nts_sms_fre\sms\client\osdeployment\osdsmpclient\smpclient.cpp,2713) ExecuteCaptureRequestToSMP(migInfoFromMP), HRESULT=80004005 (e:\nts_sms_fre\sms\client\osdeployment\osdsmpclient\smpclient.cpp,2755) ExecuteCaptureRequest(), HRESULT=80004005 (e:\nts_sms_fre\sms\client\osdeployment\osdsmpclient\main.cpp,72) OSDSMPClient finished: 0x00004005 Failed to verify certificate signature for 'ATXFREPSMS01.NA.atxglobal.com' (0x80090006) ClientKeyRequestToSMP failed (0x80090006). ClientRequestToSMP:oRequest failed. error = (0x80090006). Failed to find an SMP that can serve request after trying 4 attempts. ExecuteCaptureRequestSMP failed (0x80004005). ExecuteCaptureRequest failed (0x80004005).. The operating system reported error 16389:

    Hi
    I am getting the same issue.
    More info:
    The same task works ok for one client - an xp machine that was upgraded to vista sp1 using sccm but without usmt.
    If I send this machine a task which includes usmt and os deploy it works.
    On 2 other machines ( so far) , the request store fails with the same error  - 0x80090006. (one of them existing vista and the other xp)
    I have tried removing and adding the client from the domain but it did not help.
    Any idea?
    David

  • Client Notification Agent error

    hello,
    I've been using client notification to update computer policy for a certain device collection but it is failing to do, the status of the client shows as "offline" when I check the status of the policy update in "Client
    Operations" even though the client is online, and has the sccm client installed and active, and I get the following error when I look at CCMNotificationAgent.log file on the client:
    <![LOG[Both TCP and http are enabled, let's try TCP connection first.]LOG]!><time="12:59:27.915+420" date="11-01-2014" component="BgbAgent" context="" type="1" thread="3488" file="bgbcontroller.cpp:792">
    <![LOG[Connecting to server with IP: 192.168.137.131 Port: 10123
    ]LOG]!><time="12:59:27.915+420" date="11-01-2014" component="BgbAgent" context="" type="1" thread="3488" file="bgbtcpclient.cpp:699">
    <![LOG[Failed to connect to server with IP v4 address with error 10060. Try next IP...
    ]LOG]!><time="12:59:48.947+420" date="11-01-2014" component="BgbAgent" context="" type="1" thread="3488" file="bgbtcpclient.cpp:703">
    <![LOG[Failed to signin bgb client with error = 80004005.]LOG]!><time="12:59:48.947+420" date="11-01-2014" component="BgbAgent" context="" type="3" thread="3488" file="bgbcontroller.cpp:635">
    <![LOG[Connecting to server with IP: 192.168.137.131 Port: 10123
    ]LOG]!><time="13:00:48.951+420" date="11-01-2014" component="BgbAgent" context="" type="1" thread="3488" file="bgbtcpclient.cpp:699">
    <![LOG[Failed to connect to server with IP v4 address with error 10060. Try next IP...
    ]LOG]!><time="13:01:09.979+420" date="11-01-2014" component="BgbAgent" context="" type="1" thread="3488" file="bgbtcpclient.cpp:703">
    <![LOG[Failed to signin bgb client with error = 80004005.]LOG]!><time="13:01:09.979+420" date="11-01-2014" component="BgbAgent" context="" type="3" thread="3488" file="bgbcontroller.cpp:635">
    <![LOG[Fallback to HTTP connection.]LOG]!><time="13:01:09.979+420" date="11-01-2014" component="BgbAgent" context="" type="1" thread="3488" file="bgbcontroller.cpp:828">
    <![LOG[Raising event:
    instance of CCM_CcmHttp_Status
     ClientID = "GUID:8C18125B-D340-45F9-86AF-C05EA762DDD3";
     DateTime = "20141101200109.995000+000";
     HostName = "cm01.viamonstra.local";
     HRESULT = "0x00000000";
     ProcessID = 3728;
     StatusCode = 0;
     ThreadID = 3488;
    ]LOG]!><time="13:01:09.995+420" date="11-01-2014" component="BgbAgent" context="" type="1" thread="3488" file="event.cpp:715">
    <![LOG[Raising event:
    instance of CCM_CcmHttp_Status
     ClientID = "GUID:8C18125B-D340-45F9-86AF-C05EA762DDD3";
     DateTime = "20141101200111.167000+000";
     HostName = "cm01.viamonstra.local";
     HRESULT = "0x00000000";
     ProcessID = 3728;
     StatusCode = 0;
     ThreadID = 3488;
    ]LOG]!><time="13:01:11.167+420" date="11-01-2014" component="BgbAgent" context="" type="1" thread="3488" file="event.cpp:715">
    <![LOG[Message validation failure with error = 87d00309.]LOG]!><time="13:01:11.182+420" date="11-01-2014" component="BgbAgent" context="" type="3" thread="3488" file="bgbconnector.cpp:371">
    <![LOG[Failed to signin bgb client with error = 87d00309.]LOG]!><time="13:01:11.182+420" date="11-01-2014" component="BgbAgent" context="" type="3" thread="3488" file="bgbcontroller.cpp:635">
    I'm using SCCM 2012 R2 CU3, and other clients in other device collections are not having this issue, so I'm assuming it's this one client. I tried to disable firewall completely on the client and even restarted it a couple of times, no luck. Any thoughts?
    Thanks,

    That's really strange if there's only a single client that's not able to connect to the BGB server on the MP. The 10060 error means that:
    A connection attempt failed because the connected party did not properly respond after a period of time, or established connection failed because connected host has failed to respond.
    Have you verified that the client can actually establish a connection on port 10123? Like with telnet, or a custom PowerShell script?
    Here's some more information regarding the error message:
    Message : A TCPIP socket error has occurred (10052): The connection has been broken due to the keep-alive activity detecting a failure while the operation was in progress.
    Reason : The server closed the client connection.
    Have a look at the Troubleshooting section in this blog post:
    http://blogs.technet.com/b/configmgrteam/archive/2012/10/11/3522960.aspx
    Regards,
    Nickolaj Andersen | www.scconfigmgr.com | @Nickolaja

  • Hi all! I was updating the software on i pad to ios6, update was interrupted(apple update server is unavailable...). iTunes Diagnostics shows that "secure link to I tunes store failed". I use Windows 7 Home Premium 64 bit. Can anybody help please?

    Hi all! I was updating the software on i pad to ios6, update was interrupted(apple update server is unavailable...). iTunes Diagnostics shows that "secure link to I tunes store failed". I use Windows 7 Home Premium 64 bit. Can anybody help please?
    The following was done so far:
    1. Windows Firewall - new rule created for itunes.
    2. iTunes - latest version installed.
    3. LAN setting : automatic detection of proxy is enabled;
    4. iTunes diagnostics shows:
    Microsoft Windows 7 x64 Home Premium Edition (Build 7600)
    TOSHIBA Satellite L655
    iTunes 11.0.2.26
    QuickTime 7.7.3
    FairPlay 2.3.31
    Apple Application Support 2.3.3
    iPod Updater Library 10.0d2
    CD Driver 2.2.3.0
    CD Driver DLL 2.1.3.1
    Apple Mobile Device 6.1.0.13
    Apple Mobile Device Driver 1.64.0.0
    Bonjour 3.0.0.10 (333.10)
    Gracenote SDK 1.9.6.502
    Gracenote MusicID 1.9.6.115
    Gracenote Submit 1.9.6.143
    Gracenote DSP 1.9.6.45
    iTunes Serial Number 003FB880034B7720
    Current user is not an administrator.
    The current local date and time is 2013-04-23 11:01:14.
    iTunes is not running in safe mode.
    WebKit accelerated compositing is enabled.
    HDCP is supported.
    Core Media is supported.
    Video Display Information
    Intel Corporation, Intel(R) HD Graphics
    **** External Plug-ins Information ****
    No external plug-ins installed.
    iPodService 11.0.2.26 (x64) is currently running.
    iTunesHelper 11.0.2.26 is currently running.
    Apple Mobile Device service 3.3.0.0 is currently running.
    **** Network Connectivity Tests ****
    Network Adapter Information
    Adapter Name:          {1CB5BBC2-8124-4664-899A-CE0A4683E3B4}
    Description:          Realtek RTL8188CE Wireless LAN 802.11n PCI-E NIC
    IP Address:          0.0.0.0
    Subnet Mask:          0.0.0.0
    Default Gateway:          0.0.0.0
    DHCP Enabled:          Yes
    DHCP Server:
    Lease Obtained:          Thu Jan 01 08:00:00 1970
    Lease Expires:          Thu Jan 01 08:00:00 1970
    DNS Servers:
    Adapter Name:          {8140112A-43D0-41D6-8B36-BE146C811173}
    Description:          Atheros AR8152/8158 PCI-E Fast Ethernet Controller (NDIS 6.20)
    IP Address:          10.5.7.196
    Subnet Mask:          255.255.0.0
    Default Gateway:          10.5.0.1
    DHCP Enabled:          Yes
    DHCP Server:          172.18.255.2
    Lease Obtained:          Tue Apr 23 10:14:40 2013
    Lease Expires:          Tue Apr 23 22:14:40 2013
    DNS Servers:          121.97.59.7
                        121.97.59.2
                        121.97.59.3
    Active Connection:          LAN Connection
    Connected:          Yes
    Online:                    Yes
    Using Modem:          No
    Using LAN:          Yes
    Using Proxy:          No
    Firewall Information
    Windows Firewall is on.
    iTunes is NOT enabled in Windows Firewall.
    Connection attempt to Apple web site was successful.
    Connection attempt to browsing iTunes Store was unsuccessful.
    The network connection timed out.
    Connection attempt to purchasing from iTunes Store was successful.
    Connection attempt to iPhone activation server was successful.
    Connection attempt to firmware update server was unsuccessful.
    The network connection timed out.
    Connection attempt to Gracenote server was successful.
    The network connection timed out.
    Last successful iTunes Store access was 2013-03-22 10:05:31.
    @@@. iTunes IS ENABLED THROUGH THE FIREWALL , even though diagnostics says "NOT enabled"

    hours after the first post i somehow got this to work. dont know how, but i do tried the dns clear cache, the clear host file, oh and i did the check automatically detech dns AND THEN se-check it again before i got this to work.

  • I cannot connect to I tunes store using I tune 11.1 I get the error 0x80092013 "secure link to I tunes store failed" does anyone know what this is?

    I cannot connect to the I tunes store after recently downloading I tunes 11.1 I just get the error code 0x80092013 so not sure what to do. I have tried deleting and then reinstalling I tunes with no luck. I tried to flush my DNS but that did not work, I tried the diagnostics in I tunes and it told me my connections were fine but said the "secure link to I tunes store failed" Looking for an answer thanks!

    Okay I was able to connect back to the I tunes store in I tunes 11.1 taking care of the error 0x80092013. I did this in XP going to the firewall controls, selecting the exception tab. I tunes was already in the exceptions tab but I deleted it anyway, then I added I tunes back using the Add Program button then browsing to the I tunes.exe location in the C drive then selected that as the program. I tunes showed back up in the exceptions once again. I then shut down the computer and restarted it and I then had a connection with I tunes. So the I tunes in the exceptions tab in the firewall was not working I just replaced it with a fresh one.

  • Safari and app store fail to work after installing Maverick, what can I do?

    Safari and app store fail to work after installing Maverick, what can I do?

    Disk Utility (Applications - Utilities - Disk Utility) Repair Disk Permissions 2x. Then restart in Safe Mode and try both apps. Restart normally and post results.

  • 3194 error while updating, Secure Link to iTunes Store Failed, No Audio CD Found

    Microsoft Windows 7 Ultimate Edition (Build 7600)
    LENOVO 20060
    iTunes 10.7.0.21
    QuickTime not available
    FairPlay 2.2.19
    Apple Application Support 2.2.2
    iPod Updater Library 10.0d2
    CD Driver 2.2.3.0
    CD Driver DLL 2.1.3.1
    Apple Mobile Device 6.0.0.59
    Apple Mobile Device Driver 1.62.0.0
    Bonjour 3.0.0.10 (333.10)
    Gracenote SDK 1.9.6.502
    Gracenote MusicID 1.9.6.115
    Gracenote Submit 1.9.6.143
    Gracenote DSP 1.9.6.45
    iTunes Serial Number 0021AD5C0CB4E590
    Current user is an administrator.
    The current local date and time is 2012-10-21 19:54:53.
    iTunes is not running in safe mode.
    WebKit accelerated compositing is enabled.
    HDCP is supported.
    Core Media is supported.
    Video Display Information
    Intel Corporation, Intel(R) HD Graphics
    **** External Plug-ins Information ****
    No external plug-ins installed.
    **** Network Connectivity Tests ****
    Network Adapter Information
    Adapter Name:    {1AD46418-B495-4CAD-9306-A2618C2232F1}
    Description:    MBlaze USB Modem
    IP Address:    116.202.189.231
    Subnet Mask:    255.255.255.255
    Default Gateway:    0.0.0.0
    DHCP Enabled:    No
    DHCP Server:   
    Lease Obtained:    Thu Jan 01 05:30:00 1970
    Lease Expires:    Thu Jan 01 05:30:00 1970
    DNS Servers:    10.228.65.114
            116.202.225.32
    Adapter Name:    {B07E2D28-A979-4D44-B2C6-99976836038C}
    Description:    Microsoft Virtual WiFi Miniport Adapter
    IP Address:    0.0.0.0
    Subnet Mask:    0.0.0.0
    Default Gateway:    0.0.0.0
    DHCP Enabled:    Yes
    DHCP Server:   
    Lease Obtained:    Thu Jan 01 05:30:00 1970
    Lease Expires:    Thu Jan 01 05:30:00 1970
    DNS Servers:   
    Adapter Name:    {DDBDA14A-F067-44FA-B614-75C87B94AC17}
    Description:    Atheros AR9285 Wireless Network Adapter
    IP Address:    0.0.0.0
    Subnet Mask:    0.0.0.0
    Default Gateway:    0.0.0.0
    DHCP Enabled:    Yes
    DHCP Server:   
    Lease Obtained:    Thu Jan 01 05:30:00 1970
    Lease Expires:    Thu Jan 01 05:30:00 1970
    DNS Servers:   
    Adapter Name:    {9AD087AB-E670-48E2-8A24-A53AE3FC7E2A}
    Description:    Realtek RTL8102E/RTL8103E Family PCI-E Fast Ethernet NIC (NDIS 6.20)
    IP Address:    0.0.0.0
    Subnet Mask:    0.0.0.0
    Default Gateway:    0.0.0.0
    DHCP Enabled:    Yes
    DHCP Server:   
    Lease Obtained:    Thu Jan 01 05:30:00 1970
    Lease Expires:    Thu Jan 01 05:30:00 1970
    DNS Servers:   
    Active Connection:    MBlaze USB Modem
    Connected:    Yes
    Online:        Yes
    Using Modem:    Yes
    Using LAN:    No
    Using Proxy:    No
    Firewall Information
    Windows Firewall is off.
    Connection attempt to Apple web site was successful.
    Connection attempt to browsing iTunes Store was successful.
    Connection attempt to purchasing from iTunes Store was successful.
    Connection attempt to iPhone activation server was successful.
    Connection attempt to firmware update server was unsuccessful.
    The network connection timed out.
    Connection attempt to Gracenote server was successful.
    Last successful iTunes Store access was 2012-10-21 19:52:12.
    **** CD/DVD Drive Tests ****
    No drivers in LowerFilters.
    UpperFilters: InCDPass (4.3.12.0), incdrm (4.3.12.0), GEARAspiWDM (2.2.3.0),
    F: HL-DT-ST DVDRAM GT30N, Rev LC01
    Drive is empty.
    **** Device Connectivity Tests ****
    iPodService 10.7.0.21 is currently running.
    iTunesHelper 10.7.0.21 is currently running.
    Apple Mobile Device service 3.3.0.0 is currently running.
    Universal Serial Bus Controllers:
    Intel(R) 5 Series/3400 Series Chipset Family USB Enhanced Host Controller - 3B34.  Device is working properly.
    Intel(R) 5 Series/3400 Series Chipset Family USB Enhanced Host Controller - 3B3C.  Device is working properly.
    No FireWire (IEEE 1394) Host Controller found.
    Connected Device Information:
    LenovoZ560’s iPhone, iPhone 3GS running firmware version 5.1.1
    Serial Number:    86923ZSC3NP
    Most Recent Devices Not Currently Connected:
    iPod nano (3rd Generation) running firmware version 1.0
    Serial Number:    5U735K0XYXX
    **** Device Sync Tests ****
    Sync tests completed successfully.
    Please help me, what to do?
    Message was edited by: dilip_b

    I think its weird that I experienced both the 3194 error code and "secure link to the itunes store failed" diagnostics error on three computers running on different OS (XP, vista and 7), itunes version and connectivity types (wireless and cabled). Could it be possible that there is a problem on Apple's server?
    Are you still there, shintenhouji?
    Perhaps try the following document:
    Apple software on Windows: May see performance issues and blank iTunes Store
    (I've seen a few cases in recent times of this sort of thing being associated with LSP issues.)

  • Secure link to iTunes Store failed: HELP!

    I'm new to iTunes and purchased my first iPod yesterday night. The first time I plugged in my iPod to sync it, I wasn't able to. At first I had version 10 then it updated. On the previous version I was able to access the iTunes store but wasn't able to sync my iPod. I had downloaded the most recent version of iTunes (10.1) and then this problem occured.
    "iTunes could not connect to the iTunes store. The network connection timed out. Please make sure that the network settings are correct and that your netowrk is connected, then try again."
    I've read several different manuals and emailed Apple about it. I've tried a lot of different things to fix it.
    +-change firewall settings+
    +-redownloaded iTunes+
    +-contacted Apple Tech Support+
    +-changed proxy settings+
    +-changed permissions+
    +-disabled firewall+
    +-restarting iTunes+
    +-restarting router+
    And several others. Nothing seems to work. I ran a diagnostic review and this is what came up.
    *Network interfaces verified*
    *Internet connection verified*
    *Secure link to iTunes Store failed*
    I'm not sure how to fix it now. These are what I copied from the diagnostic review.
    *Microsoft Windows 7 x64 Home Premium Edition (Build 7600)*
    *TOSHIBA Satellite L455*
    *iTunes 10.1.2.17*
    *QuickTime 7.6.9*
    *FairPlay 1.10.24*
    *Apple Application Support 1.4.1*
    *iPod Updater Library 10.0d2*
    *CD Driver 2.2.0.1*
    *CD Driver DLL 2.1.1.1*
    *Apple Mobile Device 3.3.1.3*
    *Apple Mobile Device Driver 1.52.0.0*
    *Bonjour 2.0.4.0 (214.3)*
    *Gracenote SDK 1.8.2.457*
    *Gracenote MusicID 1.8.2.89*
    *Gracenote Submit 1.8.2.123*
    *Gracenote DSP 1.8.2.34*
    *iTunes Serial Number 2DA3F8EB5C804A33*
    *Current user is an administrator.*
    *The current local date and time is 2011-02-19 15:44:30.*
    *iTunes is not running in safe mode.*
    *WebKit accelerated compositing is enabled.*
    *HDCP is supported.*
    *Core Media is supported.*
    *Video Display Information*
    *Intel Corporation, Mobile Intel(R) 4 Series Express Chipset Family*
    *Intel Corporation, Mobile Intel(R) 4 Series Express Chipset Family*
    *** External Plug-ins Information ***
    *No external plug-ins installed.*
    *iPodService 10.1.2.17 (x64) is currently running.*
    *iTunesHelper 10.1.2.17 is currently running.*
    *Apple Mobile Device service 3.3.0.0 is currently running.*
    *** Network Connectivity Tests ***
    *Network Adapter Information*
    *Adapter Name: {DB1EBC99-C940-4565-9470-D6F601478C5D}*
    *Description: Microsoft Virtual WiFi Miniport Adapter*
    *IP Address: 0.0.0.0*
    *Subnet Mask: 0.0.0.0*
    *Default Gateway: 0.0.0.0*
    *DHCP Enabled: No*
    *DHCP Server: *
    *Lease Obtained: Wed Dec 31 18:00:00 1969*
    *Lease Expires: Wed Dec 31 18:00:00 1969*
    *DNS Servers: *
    *Adapter Name: {B689CFFB-FDFA-4886-A510-FEA274EFCF14}*
    *Description: Realtek RTL8187B Wireless 802.11b/g 54Mbps USB 2.0 Network Adapter*
    *IP Address: 192.168.1.2*
    *Subnet Mask: 255.255.255.0*
    *Default Gateway: 192.168.1.1*
    *DHCP Enabled: Yes*
    *DHCP Server: 192.168.1.1*
    *Lease Obtained: Sat Feb 19 11:57:55 2011*
    *Lease Expires: Sun Feb 20 11:57:55 2011*
    *DNS Servers: 192.168.1.1*
    *Adapter Name: {4AAC1865-70C9-4D56-A74C-C1609AA0102E}*
    *Description: Realtek PCIe FE Family Controller*
    *IP Address: 0.0.0.0*
    *Subnet Mask: 0.0.0.0*
    *Default Gateway: 0.0.0.0*
    *DHCP Enabled: Yes*
    *DHCP Server: *
    *Lease Obtained: Wed Dec 31 18:00:00 1969*
    *Lease Expires: Wed Dec 31 18:00:00 1969*
    *DNS Servers: *
    *Active Connection: LAN Connection*
    *Connected: Yes*
    *Online: Yes*
    *Using Modem: No*
    *Using LAN: Yes*
    *Using Proxy: No*
    *SSL 3.0 Support: Enabled*
    *TLS 1.0 Support: Enabled*
    *Firewall Information*
    *Windows Firewall is on.*
    *iTunes is enabled in Windows Firewall.*
    *Connection attempt to Apple web site was unsuccessful.*
    *The network connection timed out.*
    *Basic connection to the store failed.*
    *The network connection timed out.*
    *Connection attempt to Gracenote server was successful.*
    *The network connection timed out.*
    *Last successful iTunes Store access was 2011-02-18 22:19:01.*
    What do I do? Any information and suggestions would be very helpful.

    i found a solution that worked in my case..i found it in this thread: https://discussions.apple.com/thread/2284692?start=0&tstart=0 in texlark's post..i copied and pasted it here:
    The Fix (& It's NOT Your Firewall)
    A. Symptoms
    When you try to connect to the iTunes Store you may receive the alert message "We could not complete your iTunes Store request. An unknown error occured (-9808). There was an error in the iTunes Store. Please try again later."
    B. Resolution
    Check your computer's date, time, and time zone. Set the correct date, time, and time zone if needed. If your computer's date, time, and time zone are all correct and you still see this alert message, this issue can be resolved by modifying certain settings in the Internet Options control panel:
    1) Go to the Start menu and choose Control Panel.
    2) Select Internet Options.
    Note: If you are using Windows Vista you may need to select Classic View on the left before you can see Internet Options.
    Note: If you are using WIndows 7 you may need to change "View by" to either Large icons or Small icons before you can see Internet Options.
    3) Click the Advanced tab.
    4) In the Settings box, scroll down to the Security section.
    5) Deselect the option to "Check for server certificate revocation (requires restart)."
    6) Select the options for "SSL 3.0" and "TLS 1.0."
    7) Apply the changes and restart your computer.
    Disclaimers
    Important: Information about products not manufactured by Apple is provided for information purposes only and does not constitute Apple’s recommendation or endorsement. Please contact the vendor for additional information.
    Article source: http://support.apple.com/kb/TS2753
    thanks a lot texlark!

  • Secure link to iTunes store failed.. how do i fix this problem?

    I tried to updates my Ipod touch 4g to IOS 5.0.1 but it said i can't connect to the serve and when I Run Diagnostics on Itune everything is fine except A Secure link to iTunes store failed.... anyone know how to fixed it?

    I need help with this, been trying everything

  • Secure Link to itunes store failed issue

    I cannot access the itunes store or even authorize my computer.  I have been working on this for months.  Done everything that Apple support emailed me and I am ready to go crazy.  My diagnostic shows secure link to itunes store failed.  Can anyone help?

    Many thanks.
    With those symptoms, I'd try the following document:
    Apple software on Windows: May see performance issues and blank iTunes Store
    (If there's a SpeedBit LSP showing up in Autoruns, it's usually best to just uninstall your SpeedBit Video Accelerator.)

  • Secure link to iTunes store failed and Connection attempt to firmware update server was unsuccessful

    Hello everyone, Im facing error with my iTunes. When I run diagnostics i can see "Secure link to iTunes store failed" - please see the image below
    Please note: as it is showing secure link to itunes is failed but still i can see iTunes store, but the above error shows when I run diagnostics.
    After that when I go through the next and I found the diagnostics report as below, within report i have marked a line with RED colored "Connection attempt to firmware update server unsuccessful". I need HELP!!!!!
    Microsoft Windows XP Professional Service Pack 3 (Build 2600)
    Gigabyte Technology Co., Ltd. G31M-ES2C
    iTunes 11.3.0.54
    QuickTime not available
    FairPlay 2.6.12
    Apple Application Support 3.0.5
    iPod Updater Library 11.1f5
    CD Driver 2.2.3.0
    CD Driver DLL 2.1.3.1
    Apple Mobile Device 7.1.2.6
    Apple Mobile Device Driver 1.64.0.0
    Bonjour 3.0.0.10 (333.10)
    Gracenote SDK 1.9.6.502
    Gracenote MusicID 1.9.6.115
    Gracenote Submit 1.9.6.143
    Gracenote DSP 1.9.6.45
    iTunes Serial Number 0012B9F0069DE9C0
    Current user is an administrator.
    The current local date and time is 2014-08-05 01:48:05.
    iTunes is not running in safe mode.
    WebKit accelerated compositing is enabled.
    HDCP is not supported.
    Core Media is supported.
    Video Display Information
    NVIDIA GeForce 8400 GS 
    **** External Plug-ins Information ****
    No external plug-ins installed.
    The drive G: ZTE USB SCSI CD-ROM Rev 2.31 is a USB 2 device.
    **** Network Connectivity Tests ****
    Network Adapter Information
    Adapter Name:    {14DCBC2B-34CB-431B-8625-1E62D7310533}
    Description:    WAN (PPP/SLIP) Interface
    IP Address:    10.128.133.101
    Subnet Mask:    255.255.255.255
    Default Gateway:    10.128.133.101
    DHCP Enabled:    No
    DHCP Server:  
    Lease Obtained:    Thu Jan 01 06:00:00 1970
    Lease Expires:    Thu Jan 01 06:00:00 1970
    DNS Servers:    8.8.8.8
            156.154.70.1
    Active Connection:    Teletalk
    Connected:    Yes
    Online:        Yes
    Using Modem:    Yes
    Using LAN:    No
    Using Proxy:    No
    Firewall Information
    Windows Firewall is on.
    iTunes is enabled in Windows Firewall.
    Connection attempt to Apple web site was successful.
    Connection attempt to browsing iTunes Store was successful.
    Connection attempt to purchasing from iTunes Store was successful.
    Connection attempt to iPhone activation server was successful.
    Connection attempt to firmware update server was unsuccessful.
    The network connection timed out.
    Connection attempt to Gracenote server was successful.
    Last successful iTunes Store access was 2014-08-04 03:23:27.
    **** Device Connectivity Tests ****
    iPodService 11.3.0.54 is currently running.
    iTunesHelper 11.3.0.54 is currently running.
    Apple Mobile Device service 3.3.0.0 is currently running.
    Universal Serial Bus Controllers:
    Intel(R) 82801G (ICH7 Family) USB Universal Host Controller - 27C8.  Device is working properly.
    Intel(R) 82801G (ICH7 Family) USB Universal Host Controller - 27C9.  Device is working properly.
    Intel(R) 82801G (ICH7 Family) USB Universal Host Controller - 27CA.  Device is working properly.
    Intel(R) 82801G (ICH7 Family) USB Universal Host Controller - 27CB.  Device is working properly.
    Intel(R) 82801G (ICH7 Family) USB2 Enhanced Host Controller - 27CC.  Device is working properly.
    No FireWire (IEEE 1394) Host Controller found.
    **** Device Sync Tests ****
    No iPod, iPhone, or iPad found.

    Hi msahed,
    Welcome to Apple Support Communities.
    It sounds like there is an issue with your PC establishing a secure connection to the iTunes Store and the firmware update server. Try following along with the articles below, as they should resolve the issues that you described.
    iTunes: About the "A secure network connection could not be established" alert
    http://support.apple.com/kb/ts1470
    iTunes for Windows: iTunes can't contact the iPhone, iPad, or iPod software update server
    http://support.apple.com/kb/TS1814
    I hope this helps.
    -Jason

  • Secure link to iTunes Store Failed using XPSP3

    I cannot log into the iTunes store. When I run diagnostics it indicates Secure  Link to iTunes Store Failed. It does not appear to be my related to McAfee security software as the issue remains when the file wall is disabled. I have following the trouble shooting steps from the website and have also tried disabling all start up programs except qttask and iTunes Helper.
    Any other suggestions on how to restore the secure link and enable connection?

    Close your iTunes,
    Go to command Prompt -
    (Win 7/Vista) - START>PROGRAMS>ACCESSORIES, right mouse click "Command Prompt", choose "Run as Administrator".
    (Win XP SP2 n above) - START>PROGRAMS>ACCESSORIES>Command Prompt
    In the "Command Prompt" screen, type in
    netsh winsock reset
    Hit "ENTER" key
    Restart your computer.
    If you do get a prompt after restart windows to remap LSP, just click NO.
    Now launch your iTunes and see if it is working now.
    If you are still having these type of problems after trying the winsock reset, refer to this article to identify which software in your system is inserting LSP:
    Apple software on Windows: May see performance issues and blank iTunes Store
    http://support.apple.com/kb/TS4123?viewlocale=en_US

  • Secure link to iTunes Store failed ... cannot update iphone 3gs?

    So i havent been able to update my iphone, I get a 3194 error after loading the ipsw file.
    When i run a diagnostic i get a Secure link to iTunes Store failed error, which i think causes the problem
    I have tried the netsh winsock reset fix, and still no results, as well as looking for LSP conflict.
    Any help on this matter would be appreciated very much!
    Microsoft Windows 7 x64 Home Premium Edition Service Pack 1 (Build 7601)
    TOSHIBA Satellite C660
    iTunes 10.6.1.7
    QuickTime 7.7.2
    FairPlay 1.14.37
    Apple Application Support 2.1.7
    iPod Updater Library 10.0d2
    CD Driver 2.2.0.1
    CD Driver DLL 2.1.1.1
    Apple Mobile Device 5.1.1.4
    Apple Mobile Device Driver 1.59.0.0
    Bonjour 3.0.0.10 (333.10)
    Gracenote SDK 1.9.5.502
    Gracenote MusicID 1.9.5.115
    Gracenote Submit 1.9.5.143
    Gracenote DSP 1.9.5.45
    iTunes Serial Number 0031AE040346F710
    Current user is an administrator.
    The current local date and time is 2012-05-22 16:58:12.
    iTunes is not running in safe mode.
    WebKit accelerated compositing is enabled.
    HDCP is supported.
    Core Media is supported.
    Video Display Information
    ATI Technologies Inc., ATI Mobility Radeon HD 5470    
    **** External Plug-ins Information ****
    No external plug-ins installed.
    iPodService 10.6.1.7 (x64) is currently running.
    iTunesHelper is currently not running.
    Apple Mobile Device service 3.3.0.0 is currently running.
    **** Network Connectivity Tests ****
    Network Adapter Information
    Adapter Name:    {19ACA961-E7BA-4C75-8760-714769F5E5B1}
    Description:    Bluetooth Personal Area Network
    IP Address:    0.0.0.0
    Subnet Mask:    0.0.0.0
    Default Gateway:    0.0.0.0
    DHCP Enabled:    Yes
    DHCP Server:   
    Lease Obtained:    Thu Jan 01 02:00:00 1970
    Lease Expires:    Thu Jan 01 02:00:00 1970
    DNS Servers:   
    Adapter Name:    {93853149-BB5E-42F6-95B2-147BCEA64CCD}
    Description:    Atheros AR9002WB-1NG Wireless Network Adapter
    IP Address:    192.168.0.63
    Subnet Mask:    255.255.255.0
    Default Gateway:    192.168.0.4
    DHCP Enabled:    Yes
    DHCP Server:    192.168.0.4
    Lease Obtained:    Tue May 22 16:31:02 2012
    Lease Expires:    Fri May 25 16:31:02 2012
    DNS Servers:    10.1.168.1
    Adapter Name:    {9E013B8A-BE41-43B6-BEB6-85C6104005FD}
    Description:    Realtek PCIe FE Family Controller
    IP Address:    0.0.0.0
    Subnet Mask:    0.0.0.0
    Default Gateway:    0.0.0.0
    DHCP Enabled:    Yes
    DHCP Server:   
    Lease Obtained:    Thu Jan 01 02:00:00 1970
    Lease Expires:    Thu Jan 01 02:00:00 1970
    DNS Servers:   
    Active Connection:    LAN Connection
    Connected:    Yes
    Online:        Yes
    Using Modem:    No
    Using LAN:    Yes
    Using Proxy:    No
    Firewall Information
    Windows Firewall is off.
    Connection attempt to Apple web site was successful.
    Connection attempt to browsing iTunes Store was successful.
    Connection attempt to purchasing from iTunes Store was successful.
    Connection attempt to iPhone activation server was successful.
    Connection attempt to firmware update server was unsuccessful.
    The network connection timed out.
    Connection attempt to Gracenote server was successful.
    The network connection could not be established.
    Last successful iTunes Store access was 2012-05-22 16:54:25.

    Sorry, wrong section

Maybe you are looking for