Database Query Failed

I got this error message instead of weekly report.
Anybody ever experienced this? How to fix it?
The Warning message is:
Report Query Failed
query_id: mga_overview_incoming_mail_over_time
data_source: CounterReportDataSource
error: <type 'type'> ('command_manager/command_client.py call|242', "<class 'reporting.query.exceptions.DatabaseQueryFailure'>", '', '[database/ReportCatalog.py run_report_queries|234] [reportdatasource/CounterReportDataSource.py query|131] [reportdatasource/CounterReportDataSource.py _parse_api_results|216] [reportdatasource/CounterReportDataSource.py _parse_interval_result_set|251] [reportdatasource/CounterReportDataSource.py _parse_interval_result|317] [reportdatasource/CounterReportDataSource.py _parse_standard_interval_result|326] [query/result.py next|239] [query/client.py _call|212] [command_manager/command_client.py call|242]')
Version: 5.5.1-011

Yes, I did. Instead of a graph, I got this error message:
Error while receiving data.
There may have been an intermittent timeout during the database query.
Have you tried going onto the GUI interface and going to "Monitor > Incoming Mail", switching the Time range to display a Week and then clicking on the Printable button on the right hand corner.
I got this error message instead of weekly report.
Anybody ever experienced this? How to fix it?
The Warning message is:
Report Query Failed
query_id: mga_overview_incoming_mail_over_time
data_source: CounterReportDataSource
error: ('command_manager/command_client.py call|242', "", '', '[database/ReportCatalog.py run_report_queries|234] [reportdatasource/CounterReportDataSource.py query|131] [reportdatasource/CounterReportDataSource.py _parse_api_results|216] [reportdatasource/CounterReportDataSource.py _parse_interval_result_set|251] [reportdatasource/CounterReportDataSource.py _parse_interval_result|317] [reportdatasource/CounterReportDataSource.py _parse_standard_interval_result|326] [query/result.py next|239] [query/client.py _call|212] [command_manager/command_client.py call|242]')
Version: 5.5.1-011

Similar Messages

  • Database query failing...no idea why...please help?

    Hello all,
    This is an addendum to the post I placed here yesterday.
    Here are the nuts and bolts:
    I have created two successful prototype test pages for my photo gallery. Ine displays thumbnails, one displays the full-size image and has navigation. works flawlessly. The query is sent to my test database which has only one table, 'images'.
    Now that I'm working to fully complete this gallery in order to do remote testing, I have taken the exact code from my prototype files and have integrated it into my new pages. I also created a new database which has 7 tables. As I perform my local testing, I am only using one table (for the moment), 'photos1'.
    I have updated the code in my query file and in the main page code to use the proper user account information, database name and table name. Yet, when I test locally, I get, 'Sorry, database unavailable'
    When I created my new, larger database, I added the query and admin user accounts to the new database. Still, I can't get in. I know it has got to be something simple, as the prototype works fine.
    Does the query care how many tables are in a database?
    Thanks in advance!
    Sincerely,
    wordman

    Wordman-GL wrote:
    Does the query care how many tables are in a database?
    No.
    Did you develop your database on Windows and transfer it to a remote server running on Linux? Windows is case-insensitive, but Linux isn't. Because of this the Windows version of MySQL converts identifiers to lowercase. I can't remember off the top of my head whether it applies to database, table, and column names, or to just some of them. Anyway, I use lowercase for all of them to prevent any problems.

  • Xcelsius - Database logon failed. (LO 26603)

    Hi Expert,
    I have a error when run .swf file.
    The first, I create new query from SAP toolbar integration in Crystal Report 2008. The Crystal Query is called from a BW Query . The query have not variables, the data get directly from BW Query.
    I saved Crystal Report file into BOE (File -->Save -->Enterprise, not save on BW).
    In Infoview, I setup schedule for this .rpt file with information database logon below (default as inform in Set Database Location of Crystal Report):
    - Database server: xxx.xxx.xxx.xxx (BW server)
    - User name: User in BW
    - Password: Password in BW
    In Xcelsius, I use Live Office to get data from crystal on BOE to Excel sheet on Xcelsius.
    In data-->Connection, I changed <server:8080> by <IP BOE System:8080>.
    When I preview or export to swf file, a message box appear require input user name and password of BW server (Database logon). After I input correct password, a message box User Identification appear, I input System, User name, Password on BOE server and chose Authentication Enterprise. And final, I get error message "  Database logon failed. (LO 26603)".
    I try opening Crystal Report file on Infoview and Refresh data, I also input database logon by BW User, the data refresh correctly.
    Why do crystal report file update data from BW correct, while .swf file is not and return error Database Logon failed.
    Please explain for me what step I missed to get data through Live Office.
    Thanks

    Hi Priya,
    Thanks for your support.
    I have set the default credentials in database configuration.
    But my dashboard still can't work. When I preview dashboard, A prompt for database logon information appear, I can logon sucess and refresh data. But after I logon username and password on BOE for BOE User Identification with Authentication Enterprise, I still get error " Database logon failed".
    Who can explain for me what steps I miss.
    Thanks

  • Database query from Java

    I'm writing a Java program that needs to query a Microsoft Access database. I'm not sure how to do this. Someone said to use ODBC drivers but I don't know what these are. Any clarification/ideas would be appreciated.

    There are a few easy step to set up a connection to your database in your java program.
    1. establish an odbc data source in windows control panel (may be under Administrative tools).
    2. you need to import the java.sql package.
    3. you need a connection, so type the following into your database class:
    try
    Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
    connection = DriverManager.getConnection("jdbc:odbc:/*your data source name goes here*/");
    catch (ClassNotFoundException exception)
    System.err.println("Failed to load JDBC/ODBC driver");
    exception.printStackTrace();
    System.exit(1);
    catch (SQLException exception)
    System.err.println("Unable to connect");
    exception.printStackTrace();
    System.exit(1);
    }4. Find an SQL tutorial on the web.
    5. For each query/update etc create a Statement object using the following code:
    try
    Statement statement = connection.createStatement();
    /* now use the remainder of this try block to execute your query. Each database query returns a ResultSet object */
    ResultSet resultSet = statement.executeQuery("/*your query string goes here*/");
    /* the next() method in ResultSet returns true if there are any more records, like an iterator. Therefore, you know if there are any results or not*/
    if (resultSet.next())
    /* If your query was a 'SELECT * FROM ...etc' then you will get a whole row from the table(s) within the database. if you need to extract a number from that record and you know the column number, then use the following */
    int id = resultSet.getInt(1);
    /* where 1 corresponds to the first column in the table, and so on. Ifyou want to extract a String, the use the getString() method*/
    catch (SQLException exception)
    }That's basically the easiest way to go about it (I think). Best to consult a book for a more in-depth look. Try Java - How to Program, by Deitel and Deitel (available at www.deitel.com). I found this very useful.

  • WSA - Report Query Failed

    Hi all,
    Recently, I'm receiving these two alerts from one WSA S370:
    Report Query Failed
          query_id: wsa_monitor_overview_web_proxy_summary
          data_source: WSASimpleTotalRDS
          error: <type 'type'> ('egg/command_client.py send_message|555', "<class 'Commandment.DaemonUnresponsiveError'>", 'S370B.NAME.net: The daemon is not responding.', '[database/ReportCatalog.py run_report_queries|332] [reportdatasource/CounterReportDataSource.py query|265] [reportdatasource/CounterReportDataSource.py _parse_overall_interval|581] [query/merged_result.py range|85] [query/client.py _call|235] [egg/command_client.py call|233] [egg/command_client.py send_message|555]')
    AND
    Report Query Failed
          query_id: wsa_monitor_overview_clients_by_blocked_transactions
          data_source: WSACommonRDS
          error: <type 'type'> ('egg/command_client.py call|238', "<class 'reporting.query.exceptions.DatabaseQueryFailure'>", '', '[database/ReportCatalog.py run_report_queries|332] [reportdatasource/CounterReportDataSource.py query|251] [reportdatasource/CounterReportDataSource.py _run_api_query|482] [query/client.py time_merge_query|454] [query/client.py _call|235] [egg/command_client.py call|238]')
    The code I'm using is 7.1.1-038
    I started receiving the alerts only after upgrading to this code. Have you noticed something similar?
    Thanks a lot for your help!!!
    Fernando

    Hello Everyone,
    I am in Australia (Melbourne) and i am using ironport s160 web security appliance version: 7.1.2-80. Reecently i have started receiving the following warning from ironport proxy.
    The Warning message is:
    Report Query Failed
                    query_id: wsa_monitor_overview_malware_categories
                    data_source: WSACommonRDS
                    error: ('egg/command_client.py send_message|555', "", 'proxymel3.sportsbet.com.au: The daemon is not responding.', '[database/ReportCatalog.py run_report_queries|332] [reportdatasource/CounterReportDataSource.py query|265] [reportdatasource/CounterReportDataSource.py _parse_overall_interval|581] [query/merged_result.py range|85] [query/client.py _call|235] [egg/command_client.py call|233] [egg/command_client.py send_message|555]')
    Report Query Failed
                    query_id: wsa_monitor_overview_suspect_transactions_detected
                    data_source: CounterReportDataSource
                    error: ('egg/command_client.py send_message|555', "", 'proxymel3.sportsbet.com.au: The daemon is not responding.', '[database/ReportCatalog.py run_report_queries|332] [reportdatasource/CounterReportDataSource.py query|272] [reportdatasource/CounterReportDataSource.py _parse_api_results|506] [reportdatasource/CounterReportDataSource.py _parse_interval_result_set|525] [query/result.py next|112] [query/client.py _call|235] [egg/command_client.py call|233] [egg/command_client.py send_message|555]')
    Report Query Failed
                    query_id: wsa_monitor_overview_suspect_transactions_summary
                    data_source: WSASimpleTotalRDS
                    error: ('egg/command_client.py send_message|555', "", 'proxymel3.sportsbet.com.au: The daemon is not responding.', '[database/ReportCatalog.py run_report_queries|332] [reportdatasource/CounterReportDataSource.py query|265] [reportdatasource/CounterReportDataSource.py _parse_overall_interval|581] [query/merged_result.py range|85] [query/client.py _call|235] [egg/command_client.py call|233] [egg/command_client.py send_message|555]')
    Report Query Failed
                    query_id: wsa_monitor_overview_top_application_types
                    data_source: CounterReportDataSource
                    error: ('egg/command_client.py send_message|555', "", 'proxymel3.sportsbet.com.au: The daemon is not responding.', '[database/ReportCatalog.py run_report_queries|332] [reportdatasource/CounterReportDataSource.py query|265] [reportdatasource/CounterReportDataSource.py _parse_overall_interval|581] [query/merged_result.py range|85] [query/client.py _call|235] [egg/command_client.py call|233] [egg/command_client.py send_message|555]')
    Report Query Failed
                    query_id: wsa_monitor_overview_top_url_categories
                    data_source: CounterReportDataSource
                    error: ('egg/command_client.py send_message|555', "", 'proxymel3.sportsbet.com.au: The daemon is not responding.', '[database/ReportCatalog.py run_report_queries|332] [reportdatasource/CounterReportDataSource.py query|265] [reportdatasource/CounterReportDataSource.py _parse_overall_interval|581] [query/merged_result.py range|85] [query/client.py _call|235] [egg/command_client.py call|233] [egg/command_client.py send_message|555]')
    Product: IronPort S160 Web Security Appliance
    Model: S160
    Version: 7.1.2-080
    Serial Number: 0025643CFD42-4GQYHL1
    Timestamp: 14 Jun 2012 14:00:21 +1000
    Thank you for your help.
    Lovedeep

  • 451 4.4.0 DNS query failed - NonExistentDomain

    I am in the process of migrating from Exch 2007 to 2013 for a small company. It is a very simple setup of just a single domain which has
    1 server, 1 organization and 1 database. Here is what I have done so far: 
    1. Installed a physical server EX13 for Exchange 2013 with SP1. All updates have been applied. 
    2. Added a new Receive Connector of EX13 in addition to existing EX07. 
    3. Changed SMTP port forwarding on the firewall from EX07 to EX13. 
    4. Migrated a few mailboxes to the EX13. 
    Accounts on both servers have no issues with exchanging email both ways on the Internet. However, when accounts on the old server email to
    migrated users, the new server does not always receive the messages promptly. There is a delay as much as 30 minutes that happens sporadically.
    I checked the message header on the delayed messages and found that they had been stuck in EX07 for a long time before forwarding to EX13.
    From Ex07 queue viewer, I found the following error: 
    451 4.4.0 DNS query failed. The error was: SMTPSEND.DNS.NonExistentDomain; nonexistent domain 
    Net Hop Domain: hub version 15 
    Delivery type: SMTP Relay in Active Directory 
    Message Source Name: FromLocal 
    Last Error: 451 4.4.0 DNS query failed. The error was: SMTPSEND.dns.NonExistentDomain;nonexistentdomain 
    The status showed "retry" and eventually the message would be delivered. Once it went through, I sent another one again from an EX07
    account to EX13 account, the message was received instantly. 
    So far I have tried the following: 
    1. Added a host entry to point EX13.my_external_domain.com to the internal address of EX13 
    2. Added an 'A' record on the internal DNS server with the same entry. 
    3. Verified that EX13.my_external_domain.com was accessible from EX07 using this FQDN. 
    4. Removed EX07 and leaving only EX13 on the Receive Connector list 
    5. Removed EX13 and leaving only EX07 on the Receive Connector list 
    6. Put both connectors back 
    There is no change of status. Every morning our users are saying that they could not email users on the new server. Then after 30 minutes,
    the problem disappeared but it will come back later in the day. On the other hand, users on the new server do not notice any delay when sending messages to the those on the new box. At this point, I don't feel comfortable migrating more users. Can someone
    please shed some lights?

    As suggested by Cara, I queried the message logs of both servers to track the delayed message.  This time, it took an hour for a message to be delivered.
    ========================================
    Message Log on Sending Server EXCH07
    ========================================
    [PS] C:\Windows\system32>get-messagetrackinglog -messagesubject "exch07-user1 to
     exch13-user1" | fl
    Timestamp               : 3/28/14 2:18:00 PM
    ClientIp                : fe80::a5d8:d604:af26:37a9
    ClientHostname          : EXCH07.contoso.local
    ServerIp                : fe80::a5d8:d604:af26:37a9%10
    ServerHostname          : EXCH07
    SourceContext           :
    ConnectorId             :
    Source                  : STOREDRIVER
    EventId                 : RECEIVE
    InternalMessageId       : 4106
    MessageId               : <CC47D79927E02645940E84883BD0D909F58F56E607@TO-EXCHAN
                              GE.contoso.local>
    Recipients              : {[email protected]}
    RecipientStatus         : {}
    TotalBytes              : 3897
    RecipientCount          : 1
    RelatedRecipientAddress :
    Reference               :
    MessageSubject          : EXCH07-USER1 to EXCH13-USER1
    Sender                  : [email protected]
    ReturnPath              : [email protected]
    MessageInfo             : 04I:
    Timestamp               : 3/28/14 3:12:02 PM
    ClientIp                : 2002:960a:116::960a:116
    ClientHostname          : EXCH07
    ServerIp                : 2002:960a:125::960a:125
    ServerHostname          : EXCH13.contoso.local
    SourceContext           : 08D1189FA5E0283C
    ConnectorId             : Intra-Organization SMTP Send Connector
    Source                  : SMTP
    EventId                 : SEND
    InternalMessageId       : 4106
    MessageId               : <CC47D79927E02645940E84883BD0D909F58F56E607@TO-EXCHAN
                              GE.contoso.local>
    Recipients              : {[email protected]}
    RecipientStatus         : {250 2.1.5 Recipient OK}
    TotalBytes              : 4337
    RecipientCount          : 1
    RelatedRecipientAddress :
    Reference               :
    MessageSubject          : EXCH07-USER1 to EXCH13-USER1
    Sender                  : [email protected]
    ReturnPath              : [email protected]
    MessageInfo             : 3/28/14 2:18:00 PM
    Timestamp               : 3/28/14 3:40:22 PM
    ClientIp                : fe80::a5d8:d604:af26:37a9
    ClientHostname          : EXCH07.contoso.local
    ServerIp                : fe80::a5d8:d604:af26:37a9%10
    ServerHostname          : EXCH07
    SourceContext           :
    ConnectorId             :
    Source                  : STOREDRIVER
    EventId                 : RECEIVE
    InternalMessageId       : 4685
    MessageId               : <CC47D79927E02645940E84883BD0D909F58F56E608@TO-EXCHAN
                              GE.contoso.local>
    Recipients              : {[email protected]}
    RecipientStatus         : {}
    TotalBytes              : 3905
    RecipientCount          : 1
    RelatedRecipientAddress :
    Reference               :
    MessageSubject          : EXCH07-USER1 to EXCH13-USER1-1
    Sender                  : [email protected]
    ReturnPath              : [email protected]
    MessageInfo             : 04I:
    Timestamp               : 3/28/14 4:34:27 PM
    ClientIp                : 2002:960a:116::960a:116
    ClientHostname          : EXCH07
    ServerIp                : 2002:960a:125::960a:125
    ServerHostname          : EXCH13.contoso.local
    SourceContext           : 08D1189FA5E0295D
    ConnectorId             : Intra-Organization SMTP Send Connector
    Source                  : SMTP
    EventId                 : SEND
    InternalMessageId       : 4685
    MessageId               : <CC47D79927E02645940E84883BD0D909F58F56E608@TO-EXCHAN
                              GE.contoso.local>
    Recipients              : {[email protected]}
    RecipientStatus         : {250 2.1.5 Recipient OK}
    TotalBytes              : 4345
    RecipientCount          : 1
    RelatedRecipientAddress :
    Reference               :
    MessageSubject          : EXCH07-USER1 to EXCH13-USER1-1
    Sender                  : [email protected]
    ReturnPath              : [email protected]
    MessageInfo             : 3/28/14 3:40:22 PM
    Timestamp               : 3/28/14 2:18:00 PM
    ClientIp                : fe80::a5d8:d604:af26:37a9%10
    ClientHostname          : EXCH07
    ServerIp                :
    ServerHostname          : EXCH07
    SourceContext           : MDB:caef6319-6c43-4f5e-8b42-34b112a9f6a4, Mailbox:589
                              783a4-b411-45d8-b359-23095d3cd24d, Event:114759020, M
                              essageClass:IPM.Note, CreationTime:2014-03-28T18:17:5
                              9.653Z, ClientType:OWA
    ConnectorId             :
    Source                  : STOREDRIVER
    EventId                 : SUBMIT
    InternalMessageId       :
    MessageId               : <CC47D79927E02645940E84883BD0D909F58F56E607@TO-EXCHAN
                              GE.contoso.local>
    Recipients              : {}
    RecipientStatus         : {}
    TotalBytes              :
    RecipientCount          :
    RelatedRecipientAddress :
    Reference               :
    MessageSubject          : EXCH07-USER1 to EXCH13-USER1
    Sender                  : [email protected]
    ReturnPath              :
    MessageInfo             :
    Timestamp               : 3/28/14 3:40:22 PM
    ClientIp                : fe80::a5d8:d604:af26:37a9%10
    ClientHostname          : EXCH07
    ServerIp                :
    ServerHostname          : EXCH07
    SourceContext           : MDB:caef6319-6c43-4f5e-8b42-34b112a9f6a4, Mailbox:589
                              783a4-b411-45d8-b359-23095d3cd24d, Event:114778671, M
                              essageClass:IPM.Note, CreationTime:2014-03-28T19:40:2
                              1.777Z, ClientType:OWA
    ConnectorId             :
    Source                  : STOREDRIVER
    EventId                 : SUBMIT
    InternalMessageId       :
    MessageId               : <CC47D79927E02645940E84883BD0D909F58F56E608@TO-EXCHAN
                              GE.contoso.local>
    Recipients              : {}
    RecipientStatus         : {}
    TotalBytes              :
    RecipientCount          :
    RelatedRecipientAddress :
    Reference               :
    MessageSubject          : EXCH07-USER1 to EXCH13-USER1-1
    Sender                  : [email protected]
    ReturnPath              :
    MessageInfo             :
    ========================================
    Message Log on Sending Server EXCH07
    ========================================
    [PS] C:\Users\administrator.contoso\Desktop>get-messagetrackinglog -messagesubject "exch07-user1 to exch13-user1" | fl
    RunspaceId              : 4ec43dbc-f727-4ac4-850e-ecac5e5e23ab
    Timestamp               : 3/28/2014 3:12:01 PM
    ClientIp                :
    ClientHostname          :
    ServerIp                :
    ServerHostname          : EXCH13
    SourceContext           : No suitable shadow servers
    ConnectorId             :
    Source                  : SMTP
    EventId                 : HAREDIRECTFAIL
    InternalMessageId       : 1236950581391
    MessageId               : <[email protected]>
    Recipients              : {[email protected]}
    RecipientStatus         : {}
    TotalBytes              : 5337
    RecipientCount          : 1
    RelatedRecipientAddress :
    Reference               :
    MessageSubject          : EXCH07-USER1 to EXCH13-USER1
    Sender                  : [email protected]
    ReturnPath              : [email protected]
    Directionality          : Originating
    TenantId                :
    OriginalClientIp        :
    MessageInfo             :
    MessageLatency          :
    MessageLatencyType      : None
    EventData               : {[DeliveryPriority, Normal]}
    RunspaceId              : 4ec43dbc-f727-4ac4-850e-ecac5e5e23ab
    Timestamp               : 3/28/2014 3:12:02 PM
    ClientIp                : 2002:960a:125::960a:125
    ClientHostname          : EXCH13.contoso.local
    ServerIp                : 2002:960a:125::960a:125
    ServerHostname          : EXCH13
    SourceContext           : 08D1189F8F482FF4;2014-03-28T19:09:18.823Z;0
    ConnectorId             : EXCH13\Default EXCH13
    Source                  : SMTP
    EventId                 : RECEIVE
    InternalMessageId       : 1236950581391
    MessageId               : <[email protected]>
    Recipients              : {[email protected]}
    RecipientStatus         : {}
    TotalBytes              : 5337
    RecipientCount          : 1
    RelatedRecipientAddress :
    Reference               :
    MessageSubject          : EXCH07-USER1 to EXCH13-USER1
    Sender                  : [email protected]
    ReturnPath              : [email protected]
    Directionality          : Originating
    TenantId                :
    OriginalClientIp        : 2002:960a:116::960a:116
    MessageInfo             : 0cI:
    MessageLatency          :
    MessageLatencyType      : None
    EventData               : {[FirstForestHop, EXCH13.contoso.local], [ProxiedClientIPAddress, 65.114.181.16],
                              [ProxiedClientHostname, qw01016.businesswatchnetwork.com], [ProxyHop1,
                              EXCH13.contoso.local(2002:960a:125::960a:125)], [DeliveryPriority, Normal]}
    RunspaceId              : 4ec43dbc-f727-4ac4-850e-ecac5e5e23ab
    Timestamp               : 3/28/2014 3:12:02 PM
    ClientIp                :
    ClientHostname          : EXCH13
    ServerIp                :
    ServerHostname          :
    SourceContext           :
    ConnectorId             :
    Source                  : AGENT
    EventId                 : AGENTINFO
    InternalMessageId       : 1236950581391
    MessageId               : <[email protected]>
    Recipients              : {[email protected]}
    RecipientStatus         : {}
    TotalBytes              : 5337
    RecipientCount          : 1
    RelatedRecipientAddress :
    Reference               :
    MessageSubject          : EXCH07-USER1 to EXCH13-USER1
    Sender                  : [email protected]
    ReturnPath              : [email protected]
    Directionality          : Originating
    TenantId                :
    OriginalClientIp        : 2002:960a:116::960a:116
    MessageInfo             :
    MessageLatency          :
    MessageLatencyType      : None
    EventData               : {[CompCost, |ETR=0], [DeliveryPriority, Normal]}
    RunspaceId              : 4ec43dbc-f727-4ac4-850e-ecac5e5e23ab
    Timestamp               : 3/28/2014 3:12:38 PM
    ClientIp                : 2002:960a:125::960a:125
    ClientHostname          : EXCH13
    ServerIp                : 2002:960a:125::960a:125
    ServerHostname          : EXCH13.contoso.local
    SourceContext           : 08D1189F8F482FFC;250 2.0.0 OK;ClientSubmitTime:2014-03-28T18:17:59.590Z
    ConnectorId             : Intra-Organization SMTP Send Connector
    Source                  : SMTP
    EventId                 : SEND
    InternalMessageId       : 1236950581391
    MessageId               : <[email protected]>
    Recipients              : {[email protected]}
    RecipientStatus         : {250 2.1.5 Recipient OK}
    TotalBytes              : 6130
    RecipientCount          : 1
    RelatedRecipientAddress :
    Reference               :
    MessageSubject          : EXCH07-USER1 to EXCH13-USER1
    Sender                  : [email protected]
    ReturnPath              : [email protected]
    Directionality          : Originating
    TenantId                :
    OriginalClientIp        :
    MessageInfo             : 2014-03-28T18:18:00.077Z;LSRV=EXCH13.contoso.local:TOTAL=36|QDM=35
    MessageLatency          : 00:54:38.1220000
    MessageLatencyType      : LocalServer
    EventData               : {[E2ELatency, 3278], [Microsoft.Exchange.Transport.MailRecipient.RequiredTlsAuthLevel,
                              Opportunistic], [DeliveryPriority, Normal]}
    RunspaceId              : 4ec43dbc-f727-4ac4-850e-ecac5e5e23ab
    Timestamp               : 3/28/2014 3:12:38 PM
    ClientIp                :
    ClientHostname          : EXCH13.contoso.local
    ServerIp                :
    ServerHostname          : EXCH13
    SourceContext           : 08D1189F97D8A52F;2014-03-28T19:12:38.090Z;ClientSubmitTime:2014-03-28T18:17:59.590Z
    ConnectorId             :
    Source                  : STOREDRIVER
    EventId                 : DELIVER
    InternalMessageId       : 1236950581391
    MessageId               : <[email protected]>
    Recipients              : {[email protected]}
    RecipientStatus         : {}
    TotalBytes              : 6130
    RecipientCount          : 1
    RelatedRecipientAddress :
    Reference               :
    MessageSubject          : EXCH07-USER1 to EXCH13-USER1
    Sender                  : [email protected]
    ReturnPath              : [email protected]
    Directionality          : Originating
    TenantId                :
    OriginalClientIp        : 2002:960a:116::960a:116
    MessageInfo             : 2014-03-28T18:18:00.077Z;SRV=EXCH13.contoso.local:TOTAL=0;SRV=EXCH13.contoso.lo
                              cal:TOTAL=35|QDM=35;SRV=EXCH13.contoso.local:TOTAL=0
    MessageLatency          : 00:54:38.1220000
    MessageLatencyType      : EndToEnd
    EventData               : {[MailboxDatabaseName, Mailbox Database 1497118588], [Mailboxes,
                              43a77dd2-c8bb-4b4c-804c-e761b15da654], [E2ELatency, 3278], [DeliveryPriority, Normal]}

  • Database verify failed

    hi guys,
    I have one more query.
    I get an error log "database verify failed" during the report execution but my report appears fine. is this an error with the JRC ?
    Also when i pass 'NULL' for the outputstream object in the processRequest() i get response already commited error but when i pass the pageContext.out to that method i am not gettin that error. i have set the Isownpage and isownform as true.
    Thanks,
    Prem

    I'd need more info concerning the context within which the database verify error is displayed.
    Are you possibly changing the database location in code?  This would trigger a database verify step, to ensure the design schema is compatible to the runtime schema.
    Since this is intermittent - not every time - I'm wondering if this is load-related.
    As for the output stream exception - the viewer works by postback, where it writes HTML output to the response Writer interface, and binaries (export formats) to the response OutputStream interface.  The last argument of the processHttpResquest is used to specify the Writer object.  If it's null, then it retrieves the getWriter from the HTTPServletResponse argument.
    The exception arises because of this - when you pass in null, then it writes to the Writer, and something else on the page is writing to the OutputStream and colliding, since you can't write to both the response.getWriter() and response.getOutputStream() within the same request.
    Sincerely,
    Ted Ueda

  • LMS 2.6 Self Test database.pl fail

    Hi,
    We had a server crash and when I brought it back up, LMS is having some issues. I imagine this is due to the database not being shut down cleanly. I did a self test and got the message below. I've tried restarting dmgtd but no dice. LMS 2.6 is running on a Solaris 9. Any assistance with this is greatly appreciated. Thanks!
    database.pl
    FAIL     Self Test Fail to query dfmInv.DbVersion, Error: Database server not found (DBD: login failed)
         Self Test Fail to query dfmInv.SYSTABLE, Error: Database server not found (DBD: login failed)
    Tim

    Thanks for the info.
    I ended up doing complete restore with the LMS restore process. Everything appeared to work fine, but now I'm having some major issues with DFM. None of the alerts are clearing (manually or otherwise), devices are stuck in a Learning state at 10%, and I'm getting some weird errors in dmgtd.log during startup.  I'm getting several alerts about EssMonitor and jrm similar to the ones below.
    #2107:TYPE=WARNING:The daemon manager cannot find dependency EssMonitor for EPMServer.  Message ignored
    #2107:TYPE=WARNING:The daemon manager cannot find dependency jrm for DataPurge.  Message ignored.
    If you have any ideas about this, I would appreciate the input.
    Tim

  • Database Query missing Schema specification - Gives DB error 2812

    Hi All,
    I have spent the better part of the day trying to find out why, when I export my report, I am getting an exception with a DB error of 2812, Stored procedure not found.
    My program is a system service running on a Windows Server 2008 64-bit box.  It is connecting to a SQL Server 2008 R2 instance using an OLE DB (ADO) connection.
    When I load the data for this report from within CR, it works fine.
    When I run my system service on my Windows 7 64-bit development system, it works fine.
    However, when I run the service on the server, it fails.
    I have tried running it in 32-bit mode and 64-bit mode.  The report was using the SQL Server Native Client driver and I updated it to SQL Server Native Client 10.  I put the latest version of that driver on the server so it matched what was on my development machine.  I made sure that the server had the latest runtime of CR for VS 2010 (13.1).  Nothing was making any difference.
    I couldn't figure out what was going on.  Then I turned on logging.  When the service is run on my local system, the database query that is generated to call the stored procedure includes the database name and the schema.  When the service is run on my local system, the query only includes the stored procedure name.  This perfectly explains the error I am getting.
    So the question is why is it behaving differently on my local system than on the server.  The only difference is that on my local system I build the service in Debug mode and for the Server it is built in Release mode.  It may make a difference but it seems unlikely.
    I will include the text of the two log files.  If anyone has any idea of why it is behaving differently on the two systems I would greatly appreciate hearing from you.
    (It won't format correctly if I include both logs.  I'll include one here and post a reply with the other.)
    Thanks,
    David
    Log file from Server:
    TIMESTAMP     THREAD_ID     FILENAME     LINE_NUMBER     LOGGED_DATA     LEVEL
    2011-8-24-18-53-35     8412     .\ado.cpp     2943     Begin DbMatchLogonInfo     20
    2011-8-24-18-53-36     8412     .\ado.cpp     2974     Begin DbMatchLogonInfo     20
    2011-8-24-18-53-37     8412     .\ado.cpp     2943     Begin DbMatchLogonInfo     20
    2011-8-24-18-53-37     8412     .\ado.cpp     2974     Begin DbMatchLogonInfo     20
    2011-8-24-18-53-37     8412     .\ado.cpp     2943     Begin DbMatchLogonInfo     20
    2011-8-24-18-53-37     8412     .\ado.cpp     2974     Begin DbMatchLogonInfo     20
    2011-8-24-18-53-37     8412     .\ado.cpp     2943     Begin DbMatchLogonInfo     20
    2011-8-24-18-53-37     8412     .\ado.cpp     2974     Begin DbMatchLogonInfo     20
    2011-8-24-18-53-37     8412     .\ado.cpp     377     Beginning DbLogonServer      20
    2011-8-24-18-53-37     8412     .\serverh.cpp     223     Beginning DbServerHandle::logon     20
    2011-8-24-18-53-37     8412     .\serverh.cpp     3976     adoConnection->Open succeeded: dataLinkFile=,provider=SQLNCLI10,dataSource=TLI-Core,userID=name,password=*********     10
    2011-8-24-18-53-37     8412     .\serverh.cpp     3988     initialCatalog=TLI_AuditInvoice,jetSystemDatabase=,jetDatabaseType=Access,jetDatabasePassword=,useIntegratedSecurity=0,includeInitialCatalogProp=1,includeSecurityProps=1,includeJetSecurityProps=0     10
    2011-8-24-18-53-37     8412     .\serverh.cpp     414     Finishing DbServerHandle::logon     20
    2011-8-24-18-53-37     8412     .\DbQueryBuilder.cpp     512     Query Targets: SQLNCLI.1, NativeSQLServer     10
    2011-8-24-18-53-37     8412     .\DbQueryBuilder.cpp     523     Successfully built query:   "RptShipmentTransitByOwnerID";1 206, 4, ''     10
    2011-8-24-18-53-37     8412     .\ado.cpp     1643     Beginning DbExecuteQuery     20
    2011-8-24-18-53-37     8412     .\serverh.cpp     2749     Beginning DbServerHandle::openRowset     20
    2011-8-24-18-53-37     8412     .\serverh.cpp     2909     adoRecordset->Open failed: "RptShipmentTransitByOwnerID";1 206, 4, ''     1
    2011-8-24-18-53-37     8412     .\adocommon.cpp     527     ADO Error Code: 0x80040e14 Source: Microsoft SQL Server Native Client 10.0 Description: Could not find stored procedure 'RptShipmentTransitByOwnerID'. SQL State: 42000 Native Error: 2812     1
    Edited by: Don Williams on Aug 25, 2011 8:45 AM

    Sorry, I had a mis-type.  The above post should have read:
    I couldn't figure out what was going on. Then I turned on logging. When the service is run on my local system, the database query that is generated to call the stored procedure includes the database name and the schema. When the service is run on my SERVER , the query only includes the stored procedure name. This perfectly explains the error I am getting.
    Log file from development system:
    TIMESTAMP     THREAD_ID     FILENAME     LINE_NUMBER     LOGGED_DATA     LEVEL
    2011-8-24-18-59-51     23808     .\ado.cpp     2943     Begin DbMatchLogonInfo     20
    2011-8-24-18-59-51     23808     .\ado.cpp     2974     Begin DbMatchLogonInfo     20
    2011-8-24-19-0-54     23808     .\ado.cpp     377     Beginning DbLogonServer      20
    2011-8-24-19-0-54     23808     .\serverh.cpp     223     Beginning DbServerHandle::logon     20
    2011-8-24-19-0-55     23808     .\serverh.cpp     3976     adoConnection->Open succeeded: dataLinkFile=,provider=SQLNCLI10,dataSource=dsname,port,userID=user,password=*********     10
    2011-8-24-19-0-55     23808     .\serverh.cpp     3988     initialCatalog=TLI_AuditInvoice,jetSystemDatabase=,jetDatabaseType=Access,jetDatabasePassword=,useIntegratedSecurity=0,includeInitialCatalogProp=1,includeSecurityProps=1,includeJetSecurityProps=0     10
    2011-8-24-19-0-55     23808     .\serverh.cpp     414     Finishing DbServerHandle::logon     20
    2011-8-24-19-0-55     23808     .\DbQueryBuilder.cpp     512     Query Targets: SQLNCLI.1, NativeSQLServer     10
    2011-8-24-19-0-55     23808     .\DbQueryBuilder.cpp     523     Successfully built query:   "TLI_AuditInvoice"."Gideon"."RptShipmentTransitByOwnerID";1 206, 4, ''     10
    2011-8-24-19-0-55     23808     .\ado.cpp     1643     Beginning DbExecuteQuery     20
    2011-8-24-19-0-55     23808     .\serverh.cpp     2749     Beginning DbServerHandle::openRowset     20
    2011-8-24-19-0-56     23808     .\serverh.cpp     2925     adoRecordset->Open succeeded without async option: "TLI_AuditInvoice"."Gideon"."RptShipmentTransitByOwnerID";1 206, 4, ''     10
    2011-8-24-19-0-56     23808     .\serverh.cpp     2942     Finishing DbServerHandle::openRowset     20
    2011-8-24-19-0-56     23808     .\ado.cpp     1859     Finishing DbExecuteQuery     20
    2011-8-24-19-0-56     23808     .\DbQueryBuilder.cpp     512     Query Targets: SQLNCLI.1, NativeSQLServer     10
    2011-8-24-19-0-56     23808     .\DbQueryBuilder.cpp     523     Successfully built query:    SELECT "Owner"."AccountName", "Owner"."OwnerID"   FROM   "TLI_AuditInvoice"."dbo"."Owner" "Owner"   WHERE  "Owner"."OwnerID"=206     10
    2011-8-24-19-0-56     23808     .\ado.cpp     1643     Beginning DbExecuteQuery     20
    2011-8-24-19-0-56     23808     .\serverh.cpp     2749     Beginning DbServerHandle::openRowset     20
    2011-8-24-19-0-56     23808     .\serverh.cpp     2925     adoRecordset->Open succeeded without async option:  SELECT "Owner"."AccountName", "Owner"."OwnerID" FROM   "TLI_AuditInvoice"."dbo"."Owner" "Owner" WHERE  "Owner"."OwnerID"=206     10
    2011-8-24-19-0-56     23808     .\serverh.cpp     2942     Finishing DbServerHandle::openRowset     20
    2011-8-24-19-0-56     23808     .\ado.cpp     1859     Finishing DbExecuteQuery     20
    Edited by: CDavidOrr on Aug 25, 2011 1:52 AM
    Edited by: Don Williams on Aug 25, 2011 8:46 AM

  • Creating new Data Source Error - Database connection Failed

    Successfully installed and configured 11.1.1.3.0. Planning and Essbase dev.
    Went to Workspace > Administer > Classing Planning Administration > Manage Data Sources > Create Data Source.
    Entered all info about the application database , etc. Getting error "The database connection failed" (I was able to connect with no problem during the install)
    SQL server 2005 is on the same physical server.
    The diagnostic tool shows database connection passed for planning. A new database was created for the new application.
    The server event viewer shows these errors.
    "Login failed for user 'xxx-hyperion'. The user is not associated with a trusted SQL Server connection."
    Group Policy Error "The client-side extension could not apply computer policy settings for 'Default Domain Policy {xxx}' because it failed with error code '0x80070003 The system cannot find the path specified.' See trace file for more details. "
    The Group Policy client-side extension Group Policy Services failed to execute. Please look for any errors reported earlier by that extension.
    Any help is appreciated.

    Datasource for the application.
    I have created a sql db for this planning application (my datasource). See my first message for more details.
    When you create a new planning application, you need to associate it with a data source. Since this is a new install, I don't have any data sources available yet.
    So, "To create, edit or delete data sources, click Manage Data Source."
    This page lets you validate your connection to the database and essbase server. My essbase server connection validates! The database connection does not validate after I enter all the relevant information.
    SCREEN INFO BELOW
    Fields displayed with an asterisk (*) are mandatory.
    Data Source Name *:
    Data Source Description:
    Select Database Platform
    Microsoft SQL Server
    Application Database
    Server * :
    Port * :
    Database *:
    User *:
    Password *:
    Click "Validate Database Connection"
    ERROR ---> Database connection failed.
    So it does not let me create a data source for my new planning application, so I cannot create a new planning application.
    Thanks in advance.

  • JDBC Adapter - Established database connection failed

    Hi Guys,
    we have installed the JDBC Adapter based on the How To Guide and we checked after the installation the  Libaries :Cluster --> Server --> Libraries --> com.sap.aii.af.jmsproviderlib and the box Box "JARs Contained" was filled.
    So in my point of view we have done everything right during the installation.
    Now the developer tested theJDBC Adapter and he comes back with following Error:
    Attempt to establish database connection failed with SQL error com.sap.aii.adapter.jdbc.sql.DriverManagementException: Cannot establish connection to URL "jdbc:microsoft:sqlserver://xxx.x.xx.xxx:1433; databaseName=CZZ03;":ClassNot FoundException: com.microsoft.sqlserver.jdbc.SQLServerDriver
    Do you have any ideas?
    Regards
    Markus

    Hello Markus,
    To install JDBC driver follow the how to guide.
    https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/com.sap.km.cm.docs/library/xi/xi-how-to-guides/how%20to%20install%20and%20configure%20external%20drivers%20for%20jdbc%20and%20jms%20adapters.pdf
    Configuration of JDBC Adapter for SQL Server
    JDBC Driver = com.microsoft.jdbc.sqlserver.SQLServerDriver
    Connection = jdbc:microsoft:sqlserver://hostname:<port>;DatabaseName=<DBName>
    UserID and Password.
    If the connection is not working find the correct port number.
    https://www.sdn.sap.com/irj/sdn/go/portal/prtroot/docs/library/uuid/40b92770-db81-2a10-8e91-f747188d8033
    JDBC- X I -  R/3 Scenario
    /people/bhavesh.kantilal/blog/2006/07/03/jdbc-receiver-adapter--synchronous-select-150-step-by-step
    /people/sap.user72/blog/2005/06/01/file-to-jdbc-adapter-using-sap-xi-30
    Thanks,
    Satya Kumar
    Reward Points If it is Useful..

  • Database Logon Failed after first report

    I have a Windows Server 2003 x86 server running IIS6 and ASP.NET. On this server, I have two different web forms set up to export Crystal Reports to PDF.
    My problem is that only one of these reports can run. For example, I open report 1 and can then reopen (generate PDF of) report1 as many times as I want. I cannot open report 2 - I get a "Database Logon Failed" error message. If I restart the server, I can generate a PDF of report 2 successfully and as many times as I want but report 1 will get a "Database Logon Failed" error message.
    Has anyone seen this behavior before? My code is very concise and manually closes the report document (and forces the garbage collection to run) once the PDF has been generated. However, for some reason, the report is staying in memory and is trying to run again even though it has been closed. It is driving me crazy.
    Thanks in advance for any assistance you can offer.

    Let's get the server confusion out of the way.
    A "server" runtime install is an msi file called CrystalReports11_5_NET_2005.msi.
    The msi is in a download called Crystal Reports XI Release 2 - FP x.x .NET Server Install (where x.x refers to SP or FP version (e.g.; Crystal Reports XI Release 2 - FP 5.6 .NET Server Install)
    So, this gives you an easy way of installing the CR runtime on a server (e.g.. Win 2003 server). No CR server (RAS) implication here. To install the runtime, all you have to do is run the msi, provide the keycode when prompted and the runtime is installed. You should see the directory C:\Program Files\Business Objects\Common\3.5\bin created. No pretty interface, etc. If you want a pretty interface, you create your own setup project or msi using the CR msm files.
    Hopefully this clears up the "server" confusion.
    To the actual issue on hand.
    You say this works with older "Crystal Reports viewers" installed on a WIN 2003 64 bit server. My question is; does this CR XI r2 based app work anywhere? Your dev box? Staging server?
    Ludek

  • How to find database query

    Hi all,
    how to find physical query from report here m checking like Administrator->manage session--> report-->view log
    +++Administrator:3220000:3220011:----2011/01/03 02:51:43
    -------------------- SQL Request:
    +++Administrator:3220000:3220011:----2011/01/03 02:51:43
    -------------------- General Query Info:
    Repository: Star, Subject Area: AAA, Presentation: AAA
    +++Administrator:3220000:3220011:----2011/01/03 02:51:43
    -------------------- Cache Hit on query:
    Matching Query:     Created by:     Administrator
    +++Administrator:3220000:3220011:----2011/01/03 02:51:43
    -------------------- Query Status: Successful Completion
    +++Administrator:3220000:3220011:----2011/01/03 02:51:43
    -------------------- Physical Query Summary Stats: Number of physical queries 1, Cumulative time 0, DB-connect time 0 (seconds)
    +++Administrator:3220000:3220011:----2011/01/03 02:51:43
    -------------------- Rows returned to Client 6
    +++Administrator:3220000:3220011:----2011/01/03 02:51:43
    -------------------- Logical Query Summary Stats: Elapsed time 0, Response time 0, Compilation time 0 (seconds)
    but here m not able to find database query..how to find that query plz help
    Edited by: Sonal on Jan 3, 2011 5:29 AM
    Edited by: Sonal on Jan 3, 2011 5:30 AM
    Edited by: Sonal on Jan 3, 2011 5:30 AM

    Hi,
    as Daan said, set the variable in Advanced tab but not on loglevel..
    because, our problem is to bypass the bi-server cache.
    Do this:
    1. Go to Advanced tab.
    2. In Prefix field(scroll down to see this field) , enter this:
    SET DISABLE_CACHE_HIT = 1;
    Note: Make sure that you're ended up above statement with semicolon and do not click on Set SQL option...
    3. Save report, then run it..
    4. After you see the query, i recommend you to take take out that prefix tag then save it again..

  • Crystal reports "Database login failed" when using push method

    I have a web application (ASP.NET, .NET v3.5), that pushes data to a CR 2008 report. On two servers one of the three reports returns a "Database login failed" error. I am stumped since there is no login, it's push not pull; in addition the problem is hard to debug since it works fine from my developers workstation. I have "updated" the xsd in that report, reinstalled the app, etc., non of which helped. If anyone has a solution or even ideas I'd appreciate the help.

    What about following the troubleshooting steps as described in the blog;
    Create an XML file off of your dataset. Make sure this is done just before you set the dataset to the report:
                rpt.Load(rptPath)
    myDataset.WriteXml(xmlPath, XmlWriteMode.WriteSchema)
    rpt.SetDataSource(myDataset)
    Copy the above created XML to your development system
    Open the problem report in the Crystal Reports designer
    In the Desigger, go to the Database menu and select u201CSet Datasource Locationu201D
    In the u201CReplace with:u201D pane, expand the u201CCreate New Connectionu201D folder.
    Double click the u201CADO .NET (XML)u201D icon
    Browse to the location of the XML file you created in step (1)
    Click on the path to the XML. The <Update> button should enable
    Click on the <Update> button
    Typically, either of the following will happen:
    You will get a u201CMap Fieldsu201D dialog. This indicates that the XML written off of your dataset does not match what the report is expecting. This may be due to incorrect fields name, incorrect field type, etc. You will now need eliminate the difference.
    Incorrect data or no data. There is an issue with your dataset and you need to determine why the data is not present in your dataset. Looking at the XML may be a good place to start.
    Ludek

  • Database logon failed. Database Vendor Error Code: 0

    Hi all,
    I'm running a java web application and use crystal report XI.
    It works normally. One thing is : i would like to change the "Connection URL" when runtime.
    These are my config:
    _CRConfig.xml :
    <?xml version="1.0" encoding="utf-8"?><CrystalReportEngine-configuration>
        <reportlocation>../..</reportlocation>
        <timeout>10</timeout>
        <ExternalFunctionLibraryClassNames>
              <classname> </classname>
              <classname> </classname>
        </ExternalFunctionLibraryClassNames>
    <keycode>B6W60-01CS200-00GEGC0-0EX1</keycode>
    <Javaserver-configuration>
    <DataDriverCommon>
         <JavaDir>C:\Business Objects\j2sdk1.4.2_08\bin</JavaDir>
        <Classpath>C:\Business Objects\Common\3.5\java/lib/crlovmanifest.jar;C:\Business Objects\Common\3.5\java/lib/CRLOVExternal.jar;C:\Business Objects\Common\3.5\java/lib/CRDBJavaServerCommon.jar;C:\Business Objects\Common\3.5\java/lib/CRDBJavaServer.jar;C:\Business Objects\Common\3.5\java/lib/CRDBJDBCServer.jar;C:\Business Objects\Common\3.5\java/lib/CRDBXMLServer.jar;C:\Business Objects\Common\3.5\java/lib/CRDBJavaBeansServer.jar;C:\Business Objects\Common\3.5\java/lib/external/CRDBXMLExternal.jar;C:\Business Objects\Common\3.5\java/lib/external/log4j.jar;C:\Business Objects\Common\3.5\java/lib/cecore.jar;C:\Business Objects\Common\3.5\java/lib/celib.jar;C:\Business Objects\Common\3.5\java/lib/ebus405.jar;C:\Business Objects\Common\3.5\java/lib/corbaidl.jar;C:\Business Objects\Common\3.5\java/lib/external/freessl201.jar;C:\Business Objects\Common\3.5\java/lib/external/asn1.jar;C:\Business Objects\Common\3.5\java/lib/external/certj.jar;C:\Program Files\Business Objects\Common\3.5\java/lib/external/jsafe.jar;C:\Business Objects\Common\3.5\java/lib/external/sslj.jar;C:\tomcat\common\lib\oracle-driver.jar${CLASSPATH}</Classpath>
         <IORFileLocation>${TEMP}</IORFileLocation>
         <JavaServerTimeout>1800</JavaServerTimeout>
         <JVMMaxHeap>256000000</JVMMaxHeap>
         <JVMMinHeap>32000000</JVMMinHeap>
         <NumberOfThreads>100</NumberOfThreads>
    </DataDriverCommon>
    <JDBC>
         <CacheRowSetSize>100</CacheRowSetSize>
         <JDBCURL>jdbc:mysql://Komodo-vmw:3306/warcraft</JDBCURL>
         <JDBCClassName>com.mysql.jdbc.Driver</JDBCClassName>
         <JDBCUserName>root</JDBCUserName>
         <JNDIURL></JNDIURL>
         <JNDIConnectionFactory></JNDIConnectionFactory>
         <JNDIInitContext>/</JNDIInitContext>
         <JNDIUserName>weblogic</JNDIUserName>
         <GenericJDBCDriver>
              <Default>
                   <ServerType>UNKNOWN</ServerType>
                   <QuoteIdentifierOnOff>ON</QuoteIdentifierOnOff>
                   <StoredProcType>Standard</StoredProcType>
                   <LogonStyle>Standard</LogonStyle>
              </Default>
              <Sybase>
                   <ServerType>SYBASE</ServerType>
                   <QuoteIdentifierOnOff>OFF</QuoteIdentifierOnOff>
                   <DriverClassName>com.sybase.jdbc2.jdbc.SybDriver</DriverClassName>
                   <StoredProcType>Standard</StoredProcType>
                   <LogonStyle>MySQL</LogonStyle>
              </Sybase>
         </GenericJDBCDriver>
    </JDBC>
    <XML>
         <CacheRowSetSize>100</CacheRowSetSize>
         <PreReadNBytes>4096</PreReadNBytes>
         <XMLLocalURL></XMLLocalURL>
         <SchemaLocalURL></SchemaLocalURL>
         <XMLHttpURL></XMLHttpURL>
         <SchemaHttpURL></SchemaHttpURL>
    </XML>
    <JavaBeans>
        <CacheRowSetSize>100</CacheRowSetSize>
         <JavaBeansClassPath></JavaBeansClassPath>
    </JavaBeans>
    </Javaserver-configuration>
    </CrystalReportEngine-configuration>
    _JSP file :
    public ConnectionInfos setLogon()  {
              String dbUser = "root";
              String dbPassword ="root";
              ConnectionInfos oConnectionInfos=null;
               try
                    //Create a new ConnectionInfos and ConnectionInfo object;
                    oConnectionInfos = new ConnectionInfos();
                  ConnectionInfo oConnectionInfo = new ConnectionInfo();
                  //Set username and password for the report's database
                  oConnectionInfo.setUserName(dbUser);
                  oConnectionInfo.setPassword(dbPassword);
              PropertyBag pro = new PropertyBag();
                  Map<String, String> bag = new HashMap<String, String>();
                   bag.put("Connection URL", "jdbc:mysql://Komodo-vmw:3306/warcraft");
                   bag.put("Server Type", "JDBC (JNDI)");
                   bag.put("Database DLL", "crdb_jdbc.dll");
                   bag.put("Database Class Name", "com.mysql.jdbc.Driver");
                  oConnectionInfo.setAttributes(new PropertyBag(bag));          
                  //Add object to collection
                  oConnectionInfos.add(oConnectionInfo);               
              } catch(Exception se) {
                   se.printStackTrace();
                   System.out.println("[error in setLogon ]");
              return oConnectionInfos;     
    And i got error every times i run the report :
    Database logon failed. Database Vendor Error Code: 0
    Please help me.Thank you so much!

    Hi quang.
    can u tell me how to solve this issue? on trying to open a report am facing this issue!
    TIA

Maybe you are looking for