Facing problem in distributed queries over Oracle linked server

Hi,
I have a SQL Server 2005 x64 Standard Edition SP3 instance. On the instance, we had distributed (4 part) queries over an Oracle linked server running fine just a few hours back but now they have starting taking too long. They seem to work fine when OPENQUERY
is used. Now I have a huge number of queries using the same mechanism and is not feasible for me to convert all queries to OPENQUERY, please help in getting this resolved.
Thanks in advance.

Hi Ashutosh,
According to your description, you face performance issues with distributed queries and
it is not feasible for you to convert all queries to
OPENQUERY. To improve the performance, you could follow the solutions below:
1. Make sure that you have a high-speed network between the local server and the linked server.
2. Use driving_site hint. The driving site hint forces query execution to be done at a different site than the initiating instance. 
This is done when the remote table is much larger than the local table and you want the work (join, sorting) done remotely to save the back-and-forth network traffic. In the following example, we use the driving_site hint to force the "work"
to be done on the site where the huge table resides:
select /*+DRIVING_SITE(h)*/
ename
from
tiny_table t,
huge_table@remote h
where
t.deptno = h.deptno;
3. Use views. For instance, you could create a view on the remote site referencing the tables and call the remote view via the local view as the following example.
create view local_cust as select * from cust@remote;
4. Use procedural code. In some rare occasions it can be more efficient to replace a distributed query by procedural code, such as a PL/SQL procedure or a precompiler program.
For more information about the process, please refer to the article:
http://www.dba-oracle.com/t_sql_dblink_performance.htm
Regards,
Michelle Li

Similar Messages

  • What is oracle Linked Server

    What is Oracle Linked server? is it a part of oracle database administration?please give some brief introduction of Oracle Linked server.
    Edited by: 933618 on 18/05/2012 01:51

    SQL Server Linked Servers feature lets you access Oracle data and data from other OLE DB/ODBc compatible data sources from SQL Server. Here are the basic steps for setting up an Oracle linked server.
    1. Install and Configure the Oracle Client Software
    Oracle client software provides the network libraries required to establish connectivity to an Oracle database system.Download the software from http://www.oracle.com/technology/software/products/database/oracle10g/index.html. Install the software on your SQL Server system and configure it by using Oracle Net Configuration Assistant.
    2. Create the Linked Server
    Create a linked server by using the T-SQL command
    EXEC sp_addlinkedserver
    'OracleLinkedServer', 'Oracle',
    'MSDAORA', 'OracleServer'
    The name of the linked server is Oracle-LinkedServer.The second parameter, product name (Oracle),is optional.The third parameter specifies the OLE DB provider. MSDAORA is the name of the Microsoft OLE DB Provider for Oracle.The final required parameter is the data source name, Oracle Server.
    3. Add Logins for the Linked Server
    Next, provide the SQL Server system with an Oracle login to access the Oracle database by using the sp_addlinkedsrvlogin command
    EXEC sp_addlinkedsrvlogin '
    OracleLinkedServer ', false,
    'SQLuser', 'OracleUser',
    'OraclePwd'

  • Linked Server and Distributed Queries  in Oracle

    In MSSQL, Linked Server and Distributed Queries provide SQL Server with access data from remote data sources. How about in Oracle ?
    I have a table A at Server A and table B at Server B, i wanna join these two table together. How can i do this in Oracle ?

    Use a database link: http://www.stanford.edu/dept/itss/docs/oracle/10g/server.101/b10759/statements_5005.htm
    For instance, if you have created on database A a link to database B with name 'database_b'
    you can use
    select * from table@database_b

  • Performance problem: 1.000 queries over a 1.000.000 rows table

    Hi everybody!
    I have a difficult performance problem: I use JDBC over an ORACLE database. I need to build a map using data from a table with around 1.000.000 rows. My query is very simple (see the code) and takes an average of 900 milliseconds, but I must perform around 1.000 queries with different parameters. The final result is that user must wait several minutes (plus the time needed to draw the map and send it to the client)
    The code, very simplified, is the following:
    String sSQLCreateView =
    "CREATE VIEW " + sViewName + " AS " +
    "SELECT RIGHT_ASCENSION, DECLINATION " +
    "FROM T_EXO_TARGETS " +
    "WHERE (RIGHT_ASCENSION BETWEEN " + dRaMin + " AND " + dRaMax + ") " +
    "AND (DECLINATION BETWEEN " + dDecMin + " AND " + dDecMax + ")";
    String sSQLSentence =
    "SELECT COUNT(*) FROM " + sViewName +
    " WHERE (RIGHT_ASCENSION BETWEEN ? AND ?) " +
    "AND (DECLINATION BETWEEN ? AND ?)";
    PreparedStatement pstmt = in_oDbConnection.prepareStatement(sSQLSentence);
    for (int i = 0; i < 1000; i++)
    pstmt.setDouble(1, a);
    pstmt.setDouble(2, b);
    pstmt.setDouble(3, c);
    pstmt.setDouble(4, d);
    ResultSet rset = pstmt.executeQuery();
    X = rset.getInt(1);
    I have yet created index with RIGHT_ASCENSION and DECLINATION fields (trying different combinations).
    I have tried yet multi-threads, with very bad results
    Has anybody a suggestion ?
    Thank you very much!

    How many total rows are there likely to be in the View you create?
    Perhaps just do a select instead of a view, and loop thru the resultset totalling the ranges in java instead of trying to have 1000 queries do the job. Something like:
    int     iMaxRanges = 1000;
    int     iCount[] = new int[iMaxRanges];
    class Range implements Comparable
         float fAMIN;
         float fAMAX;
         float fDMIN;
         float fDMAX;
         float fDelta;
         public Range(float fASC_MIN, float fASC_MAX, float fDEC_MIN, float fDEC_MAX)
              fAMIN = fASC_MIN;
              fAMAX = fASC_MAX;
              fDMIN = fDEC_MIN;
              fDMAX = fDEC_MAX;
         public int compareTo(Object range)
              Range     comp = (Range)range;
              if (fAMIN < comp.fAMIN)
                   return -1;
              if (fAMAX > comp.fAMAX)
                   return 1;
              if (fDMIN < comp.fDMIN)
                   return -1;
              if (fDMAX > comp.fDMAX)
                   return 1;
              return 0;
    List     listRanges = new ArrayList(iMaxRanges);
    listRanges.add(new Range(1.05, 1.10, 120.5, 121.5));
    //...etc.
    String sSQL =
    "SELECT RIGHT_ASCENSION, DECLINATION FROM T_EXO_TARGETS " +
    "WHERE (RIGHT_ASCENSION BETWEEN " + dRaMin + " AND " + dRaMax + ") " +
    "AND (DECLINATION BETWEEN " + dDecMin + " AND " + dDecMax + ")";
    Statement stmt = in_oDbConnection.createStatement();
    ResultSet rset = stmt.executeQuery(sSQL);
    while (rset.next())
         float fASC = rset.getFloat("RIGHT_ASCENSION");
         flaot fDEC = rset.getFloat("DECLINATION");
         int iRange = Collections.binarySearch(listRanges, new Range(fASC, fASC, fDEC, fDEC));
         if (iRange >= 0)
              ++iCount[iRange];

  • Oracle Linked Server problem in SQL Server

    I'm using the MS OLE DB Provider for Oracle in my SQL Server linking an Oracle 9i server to the SQL Server 2000 server. I get the following error when I try to execute a query thru the SQL Server Query Analyzer:
    [OLE/DB Provider 'MSDAORA' IOpenRowset::OpenRowset returned 0x80004005:   ]
    I can however define an ODBC connection and use DTS to get to the Oracle database just fine from the SQL Server machine. I need the linked server query to work though since I'll need it for a new application.
    Any help is very much appreciated.
    Thanks.
    Anja

    I guess I'll answer my own question. I found that the setting SQL Query Analyzer was set to "Implicit Transactions" in the current connection properties. When I turned that off the query ran fine

  • SQL to Oracle Linked Server

    I am trying to create a linked server from SQL2000 to Oracle9i.
    i have done followings:
    Install Oracle9i client on sql server machine.
    Create a tnsname entry for my oracle database.
    Created a linked server using following query:
    exec sp_addlinkedserver 'ORA_HIPPOCRT',
    'Oracle', 'MSDAORA', 'HIPPOCRT'
    exec sp_addlinkedsrvlogin 'ORA_HIPPOCRT',
    false, NULL, 'HR', 'password'
    But when I query the data as follows:
    SELECT * FROM ORA_HIPPOCRT..HR.EMPLOYEES
    I get following errors:
    Server: Msg 7399, Level 16, State 1, Line 1
    OLE DB provider 'MSDAORA' reported an error.
    [OLE/DB provider returned message: Oracle client and networking components were not found. These components are supplied by Oracle Corporation and are part of the Oracle Version 7.3.3 or later client software installation.
    Provider is unable to function until these components are installed.]
    OLE DB error trace [OLE/DB Provider 'MSDAORA' IDBInitialize::Initialize returned 0x80004005:   ].
    What I am doing wrong?

    I can get this to work using OPENQUERY() i.e.
    select * from OPENQUERY(andyh, 'select * from TRAINDB.LINKEDSERVERDATATYPETEST')
    To me though this has bodge written all over it.
    Anyone out there with advise for me?
    thanks.

  • Problem "The OLE DB provider for linked server reported an error. The provider reported an unexpected catastrophic failure Cannot fetch a row from OLE DB provider for linked server"

    hi
      i'd like to ask question about linked server.
      my linked server used to work but now when i try to select from linked server i was told "The OLE DB provider for linked server reported an error. The provider reported an unexpected catastrophic failure Cannot fetch a row from OLE DB provider
    for linked server"
      but in fact for test connection i was told "the test connection to the linked server succeeded".
      could  anyone help me? thank u very much
    best regards
    martin

    Hi, 
    In addition to Tracy's post we have to know those answers as well:
    * what provider are you using for the connection
    * what do you connect to
    for example, if someone try to connect to oracle using sql server provider then several simple queries are going to work probably OK, but once you are trying to use T-SQL or any complex SQL query then the errors are starting.
    please post the connection string (without the password!) + the query that you are trying to use.
    [Personal Site] [Blog] [Facebook]

  • TSQL to retrieve Oracle linked server records

    We're porting an Oracle system to SQL server and it's not going well...
    Our system is a data warehouse that extracts data from an Oracle operational system. In the Oracle version we use database links to access Oracle. On SQL Server we've created a linked server. All OK so far.
    When we try to access the linked server in TSQL we have problems:
    - select on a four part name does not pass filters to Oracle and our tables are huge
    - OPENQUERY works fine but won't let us pass parameters
    We therefore seem to be stuck when we want to update SQL server using a single keyed access to Oracle (SQL retrieves the whole table and then filters; we're processing 20,000 records and this is not acceptable!)
    I would appreciate any help you can give; I've spent most of the day searching the web for examples where people have this working, but got nowhere... help!
    Thanks in advance

    tnsping search for an alias in tnsnames.ora. under alias definition it takes HOST and PORT values from ADDRESS.
    I'm almost sure the problem is with an alias. Your config means that in your clients' network there is and oracle cluster with at least 2 nodes (127.1.2.3 and 127.1.2.4) configured to balance workload or smth.
    Do you have network communications set up only to one node or to both? I think the following steps works in both cases, but it won't balance workload nor failover if you have access to both nodes.
    Copy your tnsnames.ora somewhere for backup, then clear its content, copy-paste there a template
    YourAlias =
      (DESCRIPTION =
        (ADDRESS =
          (PROTOCOL = TCP)
          (HOST = 172.1.2.3)
          (PORT = 1545)
        (CONNECT_DATA =
          (SERVICE_NAME = ServiceNameHere)
    and fill it with your alias name, IP address and port (already checked via telnet) and SERVICE_NAME parameter.
    If two nodes have different service names, and you don't know each node you connect, try first one, then the second one.
    To connect to failover environment you surely need network access to both nodes, but I don't know if its enough - i haven't seen configurations like that.
    I did as you instructed and still get TNS-03505: Failed to resolve name.  Does it matter that my TNS Ping is version 12.1.0.1.0, and they are on Oracle 11?  I wouldn't think so but figured I should ask.  Also, is there a way that they could have
    disabled tnsping?  They are extremely secure, and lock everything down so maybe that's the problem here.
    André

  • Problem while configuring webutil on oracle application server 10g(9.0.4)

    hi,
    I have configured webutil with oracle application server 10g(9.0.4).JInitiator 1.3.1.17 is installed.
    I did everything according to webutil manual.Then i developed a form using developer suit 10g (9.0.4).
    and successfully compiled and attached webutil library.then i subclass
    webutil object group from webutil.olb into my form,that is also
    subclassed successfully.Form has also been compiled and saved
    successfully.
    also configured my formsweb.cfg,forms90.conf,default.env according to webutil documentation.
    {color:#993366}Now when i run this form from client, it does not show form in the
    browser and shows a message on the client browser console as follows{color}.
    {color:#0000ff}*Applet oracle.forms.webutil.common.RegisterWebUtil*
    {color} {color:#993366}After this message,It does nothing and if i refresh browser,it shows following message in the browser' Console.{color}
    {color:#0000ff}*Applet oracle.forms.engine.Main notinited.*{color}
    Note:In the browser ,loading java applet is also visible.
    how should i resolve this problem?
    any suggestion?
    Its urgent.
    Regards,
    abbasyazdani

    Refer this metalink note,
    566628.1 How To Install Webutil on 10g Oracle AS
    [email protected]

  • Problems deploying EJB on a oracle 8i server

    We are trying to deploy a EJB on a oracle 8i server. We crossposted this question in BI Beans forum also.
    For doing so we are using the following command:
    "deployejb -republish -temp temp -u sys -p sys -s sess_iiop://NLWS122:2481:
    LOKAAL -descriptor AQServerReceive.ejb AQServerReceive.jar"
    It seems that everything goes allright (we can trace the classes in the database) but we get this message:
    Reading Deployment Descriptor...done
    Verifying Deployment Descriptor...done
    Gathering users...done
    Generating Comm Stubs.............................................done
    Compiling Stubs...done
    Generating Jar File...done
    Loading EJB Jar file and Comm Stubs Jar file...Exception in thread "main" org.om
    g.CORBA.COMM_FAILURE: java.io.IOException: Peer disconnected socket minor code:
    0 completed: No
    at com.visigenic.vbroker.orb.TcpConnection.read(TcpConnection.java, Compiled Code)
    at com.visigenic.vbroker.orb.GiopConnectionImpl.receive_message(GiopConnectionImpl.java:436)
    at com.visigenic.vbroker.orb.GiopConnectionImpl.receive_reply(GiopConnectionImpl.java, Compiled Code)
    at com.visigenic.vbroker.orb.GiopStubDelegate.invoke(GiopStubDelegate.java:562)
    at com.visigenic.vbroker.orb.GiopStubDelegate.invoke(GiopStubDelegate.java:503)
    at com.inprise.vbroker.CORBA.portable.ObjectImpl._invoke(ObjectImpl.java:60)
    at oracle.aurora.AuroraServices._st_JISLoadJava.add(_st_JISLoadJava.java, Compiled Code)
    at oracle.aurora.server.tools.sess_iiop.Loadjava.add(Loadjava.java:137)
    at oracle.aurora.server.tools.sess_iiop.Loadjar.loadAndCreate(Loadjar.java, Compiled Code)
    at oracle.aurora.server.tools.sess_iiop.Loadjar.invoke(Loadjar.java, Compiled Code)
    at oracle.aurora.server.tools.sess_iiop.Loadjava.<init>(Loadjava.java, Compiled Code)
    at oracle.aurora.server.tools.sess_iiop.Loadjar.<init>(Loadjar.java:52)
    at oracle.aurora.ejb.deployment.GenerateEjb.invoke(GenerateEjb.java:560)
    at oracle.aurora.server.tools.sess_iiop.ToolImpl.invoke(ToolImpl.java:143)
    at oracle.aurora.ejb.deployment.GenerateEjb.main(GenerateEjb.java:575)
    What could be the problem?
    More info:
    We are trying to get the example in the white paper 275199.pdf (Building Internet Applications with Oracle Forms 6i and Oracle8i) working.
    Thx for helping.

    Hi Ralph,
    I don't know if you are aware of this, but Oracle has replaced
    the database embedded EJB container (a.k.a. "aurora") with an
    external EJB container named OC4J (Oracle Containers for J2EE).
    OC4J is available in both stand-alone version and as part of Oracle's
    application server product: 9iAS. Although the database embedded
    EJB container still exists in the latest database versions (as
    far as I know), Oracle has -- for a long time, now -- been discouraging
    its use in favour of OC4J.
    More information on OC4J is available from:
    http://technet.oracle.com/tech/java/oc4j/content.html
    Good Luck,
    Avi.

  • Problems with the deployment to Oracle Application Server 9.0.2

    I am having a problem to deploy a simple JSC application to Oracle Application Server 9.0.2.
    I am getting an error:
    500 Internal Server Error
    java.lang.NullPointerException
         at javax.faces.webapp.FacesServlet.init(FacesServlet.java:144)
         at com.evermind[Oracle9iAS (9.0.2.0.0) Containers for J2EE].server.http.HttpApplication.loadServlet(HttpApplication.java:1687)
         at com.evermind[Oracle9iAS (9.0.2.0.0) Containers for J2EE].server.http.HttpApplication.findServlet(HttpApplication.java:4020)
         at com.evermind[Oracle9iAS (9.0.2.0.0) Containers for J2EE].server.http.HttpApplication.getRequestDispatcher(HttpApplication.java:2218)
         at com.evermind[Oracle9iAS (9.0.2.0.0) Containers for J2EE].server.http.HttpRequestHandler.processRequest(HttpRequestHandler.java:585)
         at com.evermind[Oracle9iAS (9.0.2.0.0) Containers for J2EE].server.http.AJPRequestHandler.run(AJPRequestHandler.java:151)
         at com.evermind[Oracle9iAS (9.0.2.0.0) Containers for J2EE].util.ThreadPoolThread.run(ThreadPoolThread.java:64)
    However i don't have any problems to deploy my applications to new release of Oracle AS 10g (9.0.4).
    Unfortunately we still work with the old version (9.0.2)of the Oracle AS.
    Any help will be greatly appriciated
    Thanks
    Yuriy

    I try it but cant deploy in less than 10g.
    AFAIR is an JRE version issue.
    I lost at least 2 days trying.
    Regards.

  • Facing problem in installing WebLogic 10.3.1 server

    Hi,
    I want to install WebLogic Server 10.3.1, To install this I am using Oracle WebLogic Server 11g Rel 1 (10.3.1) Net Installer setup.
    After running the setup, it is asking “to specify the location where the installer will place any downloaded archives”
    I have specified the location for storage Directory, but after clicking next button its giving me an error as: “Failed to contact server”.
    In the WebLogic Server 9.2 installation, it is not asking for this Storage location..directly the wizard will ask for the type of installation i.e whether ‘Complete’ or ‘Custom’ installation.
    Can anyone tell me How to skip this step I don’t want to download the archive files or how to resolve this error.
    Thanks

    Your question should have been posted in the weblogic server forum not to the weblogic portal one.
    The net installer is a small initial download, which then connects to oracle servers to download the further required files when you do the actual selection of components and install it.
    Instead of downloading the net installer, if you download the complete software then you will get the behaviour similar to your earlier installation experience with 9.2.
    Thanks
    Sridhar S

  • Problem fetching Chinese Characters over DB Link

    Hi,
    I'm currently fetching data from SQL Server 2005 through a DB Link I created in my Oracle XE 11g. Some of these data are in Chinese Characters.
    When doing a SELECT statement from the table using SQL Developer, it shows me ?????. When doing the same SELECT directly to the SQL Server using MS SQL Server Management Studio, it shows the correct character in Chinese.
    Is there a setting so that I can properly fetch the data in my Oracle Database?
    EDIT: Sorry forgot to provide NLS settings.
    SQL> col parameter format a30
    SQL> col value format a40
    SQL> select * from nls_session_parameters;
    PARAMETER                      VALUE
    NLS_LANGUAGE                   SIMPLIFIED CHINESE
    NLS_TERRITORY                  CHINA
    NLS_CURRENCY                   úñ
    NLS_ISO_CURRENCY               CHINA
    NLS_NUMERIC_CHARACTERS         .,
    NLS_CALENDAR                   GREGORIAN
    NLS_DATE_FORMAT                DD-MON-RR
    NLS_DATE_LANGUAGE              SIMPLIFIED CHINESE
    NLS_SORT                       BINARY
    NLS_TIME_FORMAT                HH.MI.SSXFF AM
    NLS_TIMESTAMP_FORMAT           DD-MON-RR HH.MI.SSXFF AM
    NLS_TIME_TZ_FORMAT             HH.MI.SSXFF AM TZR
    NLS_TIMESTAMP_TZ_FORMAT        DD-MON-RR HH.MI.SSXFF AM TZR
    NLS_DUAL_CURRENCY              úñ
    NLS_COMP                       BINARY
    NLS_LENGTH_SEMANTICS           BYTE
    NLS_NCHAR_CONV_EXCP            FALSE
    17 rows selected.
    SQL>Thanks,
    Allen

    Allen Sandiego wrote:
    sb92075 wrote:
    Allen Sandiego wrote:
    Hi,
    I'm currently fetching data from SQL Server 2005 through a DB Link I created in my Oracle XE 11g. Some of these data are in Chinese Characters.
    When doing a SELECT statement from the table using SQL Developer, it shows me ?????. When doing the same SELECT directly to the SQL Server using MS SQL Server Management Studio, it shows the correct character in Chinese.
    It appears that you have a data display problem & I am not convinced that it has anything to do with XE;
    just SQL Developer.
    When was the last time SQL Developer properly displayed Chinese characters?Hi,
    I've never had any chance to view Chinese characters before in SQL Developer. This is my first attempt.
    EDIT: I tried the following SELECT statement in SQL Developer and it seems to display the Chinese character just fine.
    select unistr('\8349') from dual;So I'm guessing the problem was while I was trying to fetch the data from the SQL Server DB.The data is good in the SQLServer DB & SQL Developer can display when it gets them.
    so problem is with the ODBC between the two systems.

  • Problem establishing SNA session over DLSw link

    We are experiencing sporadic problems establishing an SNA session over a DLSw tunnel. The session is between a Tandem host and a CICS region on OS/390. A Cisco 7500 router performs one end of the DLSw link; that same router is channel-attached to the OS/390 mainframe using CIP and uses CSNA for SNA traffic.
    The connection is initiated by the SNA software on the Tandem box, but it rarely works on the first attempt. The session goes into a pending state and has to be cancelled and re-tried. This has to be repeated until such time it is successful. Once the session is started it works without problem.
    At the point of attempting to start the session all the components are in the 'correct' state, i.e.
    -DLSw tunnel is connected
    -Host PU is in 'connectable' (CONCT) state
    -Host XCA defining CIP SNA and virtual lines are active
    No action needs to be taken on the OS/390 end of the link (or anywhere else for that matter) between start attempts on Tandem.
    From device traces on OS/390 my suspicion is that the session requests are not actually getting to VTAM on OS/390 for some reason. DLSw traces on 7500 appear the same in both case of success or fail of session start.
    Has anyone experienced this, or know of problems in this area that may explain what we are seeing?
    Thanks.
    Keith

    Mary,
    thanks for the extra information.
    I would advice at this point the following:
    Open a case with the Tac. Provide the information you have at that point and agree on a action plan, i.e. what to look at what trace to take, when you are able to recreate the problem.
    What i can see from the documents you attaches is the following:
    I only see sna circuits in the dlsw circuit history.
    In you show dlsw reach there are quite some netbios names aswell and a large number of mac addresses learned from the remote peer.
    You may want to discuss some filter options with the tac to make sure we cut down on the size of the reach cache and to make sure we advertise only those mac addresses which are really needed.
    From the show version, 12.1(17) should be fine for dlsw in the way you described it.
    From the show dlsw circuit history detail we have a couple of times that circuits are disconnecting.
    Most of the time these circuits are up for a long time and they get the following sequence before terminating:
    Index local addr(lsap) remote addr(dsap) remote peer
    1157627904 4000.0410.0001(08) 0800.8e00.9708(08) 10.19.2.124
    Created at : 12:02:55.115 GMT Mon Nov 29 2004
    Connected at : 12:02:55.447 GMT Mon Nov 29 2004
    Destroyed at : 22:04:01.158 GMT Wed Dec 1 2004
    Local Corr : 1157627904 Remote Corr: 3321888773
    Bytes: 140092/145133 Info-frames: 1748/2327
    XID-frames: 1/2 UInfo-frames: 0/0
    Flags: Remote created, Local connected
    Last events:
    Current State Event Add. Info Next State
    CONNECTED DLC DataInd 0x0 CONNECTED
    CONNECTED WAN infoframe 0x0 CONNECTED
    CONNECTED DLC DataInd 0x0 CONNECTED
    CONNECTED WAN infoframe 0x0 CONNECTED
    CONNECTED WAN infoframe 0x0 CONNECTED
    CONNECTED DLC DataInd 0x0 CONNECTED
    CONNECTED WAN infoframe 0x0 CONNECTED
    CONNECTED DLC DataInd 0x0 CONNECTED
    CONNECTED WAN infoframe 0x0 CONNECTED
    CONNECTED DLC DataInd 0x0 CONNECTED
    CONNECTED WAN infoframe 0x0 CONNECTED
    CONNECTED WAN infoframe 0x0 CONNECTED
    CONNECTED DLC DataInd 0x0 CONNECTED
    CONNECTED ADM WanFailure 0x0 HALT_NOACK_PEND
    HALT_NOACK_PEND DLC DiscCnf 0x0 CLOSE_PEND
    CLOSE_PEND DLC CloseStnCnf 0x0 DISCONNECTED
    this circuit was up for more than a month and the reason for disconnection was ADM WAN failure which means the dlsw peer went away at some point.
    Some other circuits get these sequence:
    CONNECTED WAN infoframe 0x0 CONNECTED
    CONNECTED WAN halt-dl 0x0 HALT_PENDING
    WAN halt-dl means the other end tells us to disconnect. No information on this end why. Most of the time it is a legitimate disconnect. but you would need to look at the dlsw peer to get information who terminated the session.
    I dont see anything specific in a sense that a circuit did not go to connect at all. In the information you supplied.
    Again my advice open a case with the tac and then you can work the issue to completion.
    thanks...
    Matthias

  • Facing Problems in Streaming Video over internet using FMS 3.5

    I,am using FMS 3.5 to stream video over internet.This video will be a part of a website www.mywebsite.com . I have the webserver in my company. This webserver has the local LAN IP : 192.168.10.19 which is binded with a public internet ip 212.77.xx.xx .This website is hosted using IIS 6.0 on OS windows 2003 server with SP2
    I created a swf name sample.swf from sample.flv file and gave it the rtmp address as follows:
    rtmp://192.168.10.19/vod/_StreamingVideo_/sample.flv   (where _StreamingVideo_  is the instance on the server, and 192.168.10.19 is the LAN IP of server) ,and it worked fine and every one within the local company network could see the streaming video. Now i tried to replace this local address with the public address and the address became as follows:
    rtmp://212.77.xx.xx/vod/_StreamingVideo_/sample.flv
    After giving this public IP in the rtmp address i,am getting a message "Failed to load Flv from the address rtmp://212.77.xx.xx/vod/_StreamingVideo_/sample.flv" and as as result the video is not streamed and it only shows the progress bar on the link
    www.mywebsite.com/VideoStreaming/Sample.html without loading the video. I have also checked the ports 80,1935,1111 on the server and they are open. Is there any problem with my rtmp address with public IP or any other reason ??. Please help me out in this regard because im realy stuck here.

    Adding to my previous post this is the XML output i get when i try to access the fms admin console from local ip address i.e http://192.168.10.19:1111/fms_adminConsole.htm
    <?xml version="1.0" encoding="utf-8" ?>
    - <result>
    <level>error</level>
    <code>NetConnection.Connect.Rejected</code>
    <description>Admin user requires valid username and password.</description>
    <timestamp>2/3/2010 8:26:08 AM</timestamp>
    </result>
    but when i try to access fms admin console through public ip (http://212.77.xx.xx:1111/fms_adminConsole.htm) then it gives me the following :
    Internet Explorer cannot display the webpage.
    Any more suggestions Jay (because really ur the only one helping me out in this so far) ??

Maybe you are looking for

  • Windows 7 pro 64 bit can't see 3210xi all in one wired to router

    for years I have been printing wirelessly to my 3210xi.  My old computer is a lenovo t60 with windows xp.  My 3210xi printer is wired by ethernet wire to my verizon fios router.  Using the software that came with the printer, I installed it as a wire

  • How to expose a file in XI 3.0?

    Hi friends, I have the requeriment to expose a wsdl file in SAP XI 3.0 SP 24. As everyone know this version hasn't a service registry. Also the client needs in the URL the clausule wsdl? . I was thinking to create a SICF service in order to response

  • Where shoule I put TrustedPrincipal.conf?

    Hi, we have two servers to deploy BOE. one is BOE server, the other is WebLogic Server. Then we configured trusted authentication in CMC on BOE server, and created a trustedprincipal.conf in <INSTALLDIR>\BusinessObjects Enterprise 12.0\win32_x86 on B

  • PR creation with Material text

    Hi Everyone,                       I am trying to create a PR with account assignment category "P" with material text. But it is showing error as       " enter the material number". Please let me know the reason behind this error.And also give your s

  • Lost Apple web link on dock.

    Would anyone happen to know how I can restore the Apple-Mac OS X icon which looks like a Spring next to the Trash. I was resizing a window next to the dock when, poof, the icon disappeared. Where in the world do you find the Spring looking thing for