Problem with IN OUT Number, OUT RefCursor for EF Model StoredProcedure call

When I call a stored procedure using the EF Model and implicit binding via App.config which has three parameters i.e. 'IN Number', 'IN OUT Number' and 'OUT sys_refcursor', the 'IN OUT Number' is not set correctly on return from the procedure.
The 'IN OUT Number' is for an error code and is set to 12345 on input and is then set to 54321 by stored proceedure for return.
The correct value is returned when the call is via OracleCommand using implicit binding via App.config but remains unchanged when the call is via EF Model and implicit binding via App.config.
The ODP documentaion says you cannot have two OUT RefCursors when using EF Model but does not say you cannot have OUT RefCursor and other non-RefCursor OUT parameters.
The idea behind this type of procedure is to have multiple input parameters to configure and filter the stored procedure and an output result set that consists of an error code and a collection of result rows in a RefCursor.
I am using 11g R2 database and ODP 11g Release 2 (11.2.0.2.30) and ODAC Entity Framework beta.
The query uses Scott/tiger schema with parameters department code, error code and list of employees for department.
code:
PROCEDURE TEST_PARAMETERS
DEPT IN NUMBER,
ERROR_CODE IN OUT NUMBER,
DEPT_EMPLOYEES OUT sys_refcursor
AS
BEGIN
DBMS_OUTPUT.PUT_LINE('DEPT = [' || DEPT || ']');
DBMS_OUTPUT.PUT_LINE('ERROR_CODE = [' || ERROR_CODE || ']');
OPEN DEPT_EMPLOYEES for SELECT empno, ename from emp where deptno = DEPT;
-- set ERROR_CODE for return
ERROR_CODE := 54321;
END TEST_PARAMETERS;
The App.config for implicit RefCursor binding is as follows ...
<oracle.dataaccess.client>
<settings>
<add name="SCOTT.TEST_PARAMETERS.RefCursor.DEPT_EMPLOYEES"
value="implicitRefCursor bindinfo='mode=Output'" />
<add name="SCOTT.TEST_PARAMETERS.RefCursorMetaData.DEPT_EMPLOYEES.Column.0"
value="implicitRefCursor metadata='ColumnName=EMPNO;
          BaseColumnName=EMPNO;BaseSchemaName=SCOTT;BaseTableName=EMP;
          NATIVE_DATA_TYPE=number;ProviderType=Int32;
          PROVIDER_DB_TYPE=Int32;DataType=System.Int32;
          ColumnSize=4;NumericPrecision=10;
               NumericScale=3;AllowDBNull=false;IsKey=true'" />
<add name="SCOTT.TEST_PARAMETERS.RefCursorMetaData.DEPT_EMPLOYEES.Column.1"
value="implicitRefCursor metadata='ColumnName=ENAME;
          BaseColumnName=ENAME;BaseSchemaName=SCOTT;BaseTableName=EMP;
          NATIVE_DATA_TYPE=varchar2;ProviderType=Varchar2;
          PROVIDER_DB_TYPE=String;DataType=System.String;
          ColumnSize=10;AllowDBNull=true'" />
</settings>
</oracle.dataaccess.client>
When the call is via OracleCommand both outputs are correct i.e. ERROR_CODE gets set to 54321 and the correct emplyees for department 10 are returned
code:
private void TestParametersViaOracleCommand()
try
string constr = "DATA SOURCE=ORCL;PASSWORD=tiger;PERSIST SECURITY INFO=True;USER ID=SCOTT";
OracleConnection con = new OracleConnection(constr);
con.Open();
OracleCommand cmd = con.CreateCommand();
OracleDataAdapter adapter = new OracleDataAdapter(cmd);
DataSet ds = new DataSet();
cmd = con.CreateCommand();
cmd.CommandText = "SCOTT.TEST_PARAMETERS";
cmd.CommandType = CommandType.StoredProcedure;
cmd.BindByName = true;
OracleParameter dept = cmd.Parameters.Add("DEPT",
OracleDbType.Int32,
ParameterDirection.Input);
dept.Value = 10;
OracleParameter errorCode = cmd.Parameters.Add("ERROR_CODE",
OracleDbType.Int32,
ParameterDirection.InputOutput);
errorCode.Value = 12345;
// RefCursor output parameter implicitly bound via App.Config
adapter = new OracleDataAdapter(cmd);
adapter.Fill(ds);
// should be 54321 and is ...
Console.WriteLine("after call errorCode.Value = " + errorCode.Value);
Console.WriteLine("list size = {0}", ds.Tables[0].Rows.Count);
// only one table
DataTable deptEmployeesTable = ds.Tables[0];
for (int ii = 0; ii < deptEmployeesTable.Rows.Count; ++ii)
DataRow row = deptEmployeesTable.Rows[ii];
Console.WriteLine("EMPNO: " + row[0] + "; ENAME: " + row[1]);
catch (Exception ex)
// Output the message
Console.WriteLine(ex.Message);
if (ex.InnerException != null)
// If any details are available regarding
// errors in the app.config, print them out
Console.WriteLine(ex.InnerException.Message);
if (ex.InnerException.InnerException != null)
Console.WriteLine(
ex.InnerException.InnerException.Message);
output:
before call errorCode.Value = 12345
after call errorCode.Value = 54321 (should be 54321!)
list size = 3
EMPNO: 7782; ENAME: CLARK
EMPNO: 7839; ENAME: KING
EMPNO: 7934; ENAME: MILLER
However when call is via EF Model the correct employees are returned but the ERROR_CODE parameter is unchanged on return.
code:
private void TestParametersViaEFModel()
var context = new ScottEntities();
Decimal dept = 10;
ObjectParameter errorCodeParameter = new ObjectParameter("ERROR_CODE", typeof(decimal));
errorCodeParameter.Value = 12345;
Console.WriteLine("before call errorCodeParameter.Value = " + errorCodeParameter.Value);
// RefCursor output parameter implicitly bound via App.Config
var queryResult = context.TestParameters(dept, errorCodeParameter);
// should be 54321 and is ...
Console.WriteLine("after call errorCodeParameter.Value = " + errorCodeParameter.Value + " (should be 54321!)");
List<TestParameters_Result> deptEmployeesList = queryResult.ToList();
Console.WriteLine("list size = {0}", deptEmployeesList.Count);
for (int ii = 0; ii < deptEmployeesList.Count; ++ii)
TestParameters_Result result = deptEmployeesList[ii];
Console.WriteLine("EMPNO: " + result.EMPNO + "; ENAME: " + result.ENAME);
output:
after call errorCodeParameter.Value = 12345 (should be 54321!)
list size = 3
EMPNO: 7782; ENAME: CLARK
EMPNO: 7839; ENAME: KING
EMPNO: 7934; ENAME: MILLER
errorCodeParameter.Value IS NOT CORRECTLY RETURNED!
If there is no RefCursor then both outputs are identical i.e. the parameters are being passed in correctly and the problem is not with the 'IN OUT' parameter. Also same thing is true if ERROR_CODE is made an OUT parameter. Also tried changing the position of the parameter in the list but still get same problem i.e. works when OracleCommand but not when EF Model. Also note that the RefCursor results are correct for both types of call i.e. it is just a problem with the value of the 'IN OUT ERROR_CODE' parameter.
I have also enabled debug stepping from Visual Studio 2010 into Oracle PL/SQL as described in
"http://st-curriculum.oracle.com/obe/db/hol08/dotnet/debugging/debugging_otn.htm"
and have verified by inspection that the correct values are being passed into the stored procedure and that the stored procedure is definitely setting the ERROR_CODE to 54321 prior to return.
Most of our stored procedures have these type of parameters i.e. several IN params to configure the work of the stored procedure, an OUT NUMBER parameter for the Error_Code if any and a RefCursor for the result list.
Is this a bug or a feature? Am I doing something wrong?

Just to clarify ....
If the ERROR_CODE parameter is made an 'OUT' parameter instead of an 'IN OUT' parameter the correct return value is given for the OracleCommand invocation but the WRONG value is still returned for the EF Model invocation i.e. just changing the parameter from 'IN OUT' to just 'OUT' does not fix the problem.

Similar Messages

  • Really having problems with organising documents in pages. For example, deleting pages deletes the whole section and I cannot insert a section break as its greyed out & sending an object to background deletes several pages - what the **** is going on???

    Really having problems with organising documents in pages. For example, deleting pages deletes the whole section and I cannot insert a section break as its greyed out & sending an object to background deletes several pages and trying to insert a text box autmatically creates new pages- what the **** is going on??? Is this programme really this badly thought out? I thought everything apple was supposed to be intuitive!?!?!? Help.

    You can not insert a section break into a textbox.
    You appear to have a lot of objects with wrap set, that once you take them out of the flow of text (by sending them to the background) causes the text to reflow and contract into fewer pages. Pages is almost unique in the way it forms up pages in Word Processing mode only so long as there is text on them.
    I suspect you probably have hammered away at returns, spaces and tabs as well to position things, which only works to add to the mess.
    Download the Pages09_UserGuide.pdf available under the Help menu and swot up a bit on how it works.
    You may find this a usueful resource as well:
    http://www.freeforum101.com/iworktipsntrick/
    Peter
    PS There is quite a lot of programming in OSX that is far from "intuitive". Pages is easy at one level, when using the templates, otherwise it can be quite frustrating.

  • Problem with XMLTABLE and LEFT OUTER JOIN

    Hi all.
    I have one problem with XMLTABLE and LEFT OUTER JOIN, in 11g it returns correct result but in 10g it doesn't, it is trated as INNER JOIN.
    SELECT * FROM v$version;
    Oracle Database 11g Enterprise Edition Release 11.2.0.1.0 - Production
    PL/SQL Release 11.2.0.1.0 - Production
    "CORE     11.2.0.1.0     Production"
    TNS for Linux: Version 11.2.0.1.0 - Production
    NLSRTL Version 11.2.0.1.0 - Production
    --test for 11g
    CREATE TABLE XML_TEST(
         ID NUMBER(2,0),
         XML XMLTYPE
    INSERT INTO XML_TEST
    VALUES
         1,
         XMLTYPE
              <msg>
                   <data>
                        <fields>
                             <id>g1</id>
                             <dat>data1</dat>
                        </fields>
                   </data>
              </msg>
    INSERT INTO XML_TEST
    VALUES
         2,
         XMLTYPE
              <msg>
                   <data>
                        <fields>
                             <id>g2</id>
                             <dat>data2</dat>
                        </fields>
                   </data>
              </msg>
    INSERT INTO XML_TEST
    VALUES
         3,
         XMLTYPE
              <msg>
                   <data>
                        <fields>
                             <id>g3</id>
                             <dat>data3</dat>
                        </fields>
                        <fields>
                             <id>g4</id>
                             <dat>data4</dat>
                        </fields>
                        <fields>
                             <dat>data5</dat>
                        </fields>
                   </data>
              </msg>
    SELECT
         t.id,
         x.dat,
         y.seqno,
         y.id_real
    FROM
         xml_test t,
         XMLTABLE
              '/msg/data/fields'
              passing t.xml
              columns
                   dat VARCHAR2(10) path 'dat',
                   id XMLTYPE path 'id'
         )x LEFT OUTER JOIN
         XMLTABLE
              'id'
              passing x.id
              columns
                   seqno FOR ORDINALITY,
                   id_real VARCHAR2(30) PATH '.'
         )y ON 1=1
    ID     DAT     SEQNO     ID_REAL
    1     data1     1     g1
    2     data2     1     g2
    3     data3     1     g3
    3     data4     1     g4
    3     data5          Here's everything fine, now the problem:
    Oracle Database 10g Enterprise Edition Release 10.2.0.1.0 - 64bi
    PL/SQL Release 10.2.0.1.0 - Production
    "CORE     10.2.0.1.0     Production"
    TNS for HPUX: Version 10.2.0.1.0 - Production
    NLSRTL Version 10.2.0.1.0 - Production
    --exactly the same environment as 11g (tables and rows)
    SELECT
         t.id,
         x.dat,
         y.seqno,
         y.id_real
    FROM
         xml_test t,
         XMLTABLE
              '/msg/data/fields'
              passing t.xml
              columns
                   dat VARCHAR2(10) path 'dat',
                   id XMLTYPE path 'id'
         )x LEFT OUTER JOIN
         XMLTABLE
              'id'
              passing x.id
              columns
                   seqno FOR ORDINALITY,
                   id_real VARCHAR2(30) PATH '.'
         )y ON 1=1
    ID     DAT     SEQNO     ID_REAL
    1     data1     1     g1
    2     data2     1     g2
    3     data3     1     g3
    3     data4     1     g4As you can see in 10g I don't have the last row, it seems that Oracle 10g doesn't recognize the LEFT OUTER JOIN.
    Is this a bug?, Metalink says that sometimes we can have an ORA-0600 but in this case there is no error returned, just incorrect results.
    Please help.
    Regards.

    Hi A_Non.
    Thanks a lot, I tried with this:
    SELECT
         t.id,
         x.dat,
         y.seqno,
         y.id_real
    FROM
         xml_test t,
         XMLTABLE
              '/msg/data/fields'
              passing t.xml
              columns
                   dat VARCHAR2(10) path 'dat',
                   id XMLTYPE path 'id'
         )x,
         XMLTABLE
              'id'
              passing x.id
              columns
                   seqno FOR ORDINALITY,
                   id_real VARCHAR2(30) PATH '.'
         )(+) y ;And is giving me the complete output.
    Thanks again.
    Regards.

  • Problem with Automatic Replies or Out of Office

    Hi mates!
    I´ve just finished migration Exchange 2003 to Exchange 2010. 
    Today I´ve removed Exchange 2003.
    I have a problem with Automatic Replies or Out of Office. When the user active Automatic Replies in Outlook 2010, He has this Error:
    Your Out of Office settings cannot be displayed, because the server is currently unavailable. Try again later.
    If I logged into OWA, (Options > Set Automatic Replies) I could set it up and it worked fine.
    I run Test E-mail AutoConfiguration command to see if AutoDiscover has been configured and the OOF URL is correct:
    https://mail.domain.com/ews/exchange.asmx
    I try to browse the OOF URL from IE, It works fine.
    Authentication Permission for EWS Virtual Directory is:
    Anonymous – Enabled (For IUSER)
    Basic – Enabled
    Windows – Enabled
    Other authentication methods are disabled.
    WebServicesVirtualDirectory configuration for URL:
    InternalNLBBypassUrl :
    https://Server1.domain.local/ews/exchange.asmx
    InternalUrl         
    : https://mail.domain.local/EWS/Exchange.asmx
    ExternalUrl       
      : https://mail.domain.com/EWS/Exchange.asmx
    InternalNLBBypassUrl : https:// Server2.domain.local /ews/exchange.asmx
    InternalUrl         
    : https:// mail.domain.local /EWS/Exchange.asmx
    ExternalUrl         
    : https:// mail.domain.com /EWS/Exchange.asmx
    I use a certificate for Server HUB/CAS from my CA (Active Directory).
    In EMC I have this error for certificate:
    The certificate status could not be determinated because the revocation check failed.
    But when I generated in the past, this status of this certificate was This certificate is valid for Microsoft Exchange.
    I need help, because I don´t know I do…
    Thanks.

    Hi MAS,
    As soon as possible I will install this kb in a PC with Outlook 2010.
    Yes, I reset IIS, with the same result.
    I check this URL, and I run this command: TestOutlookWebServices -identity user01 with this result:
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1019
    Type       : Information
    Message    : A valid Autodiscover service connection point was found. The Autodiscover URL on this object is https://mail.domain.local/Autodiscover/Autodiscover.xml.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1006
    Type       : Information
    Message    : Contacted the Autodiscover service at https://mail.domain.local/Autodiscover/Autodiscover.xml.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1016
    Type       : Information
    Message    : [EXCH] The AS service is configured for this user in the Autodiscover response received from https://mail.domain.local/Autodiscover/Autodiscover.xml.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1015
    Type       : Information
    Message    : [EXCH] The OAB service is configured for this user in the Autodiscover response received from https://mail.domain.local/Autodiscover/Autodiscover.xml.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1014
    Type       : Information
    Message    : [EXCH] The UM service is configured for this user in the Autodiscover response received from https://mail.domain.local/Autodiscover/Autodiscover.xml.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1016
    Type       : Information
    Message    : [EXPR] The AS service is configured for this user in the Autodiscover response received from https://mail.domain.local/Autodiscover/Autodiscover.xml.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1015
    Type       : Information
    Message    : [EXPR] The OAB service is configured for this user in the Autodiscover response received from https://mail.domain.local/Autodiscover/Autodiscover.xml.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1014
    Type       : Information
    Message    : [EXPR] The UM service is configured for this user in the Autodiscover response received from https://mail.domain.local/Autodiscover/Autodiscover.xml.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1022
    Type       : Success
    Message    : Autodiscover was tested successfully.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1106
    Type       : Information
    Message    : Contacted the Autodiscover service at https://SERVER1.domain.local:443/Autodiscover/Autodiscover.xml.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1116
    Type       : Information
    Message    : [EXCH] The AS service is configured for this user in the Autodiscover response received from https://SERVER1.domain.local:443/Autodiscover/Autodiscover.xml.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1115
    Type       : Information
    Message    : [EXCH] The OAB service is configured for this user in the Autodiscover response received from https://SERVER1.domain.local:443/Autodiscover/Autodiscover.xml.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1114
    Type       : Information
    Message    : [EXCH] The UM service is configured for this user in the Autodiscover response received from https://SERVER1.domain.local:443/Autodiscover/Autodiscover.xml.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1116
    Type       : Information
    Message    : [EXPR] The AS service is configured for this user in the Autodiscover response received from https://SERVER1.domain.local:443/Autodiscover/Autodiscover.xml.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1115
    Type       : Information
    Message    : [EXPR] The OAB service is configured for this user in the Autodiscover response received from https://SERVER1.domain.local:443/Autodiscover/Autodiscover.xml.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1114
    Type       : Information
    Message    : [EXPR] The UM service is configured for this user in the Autodiscover response received from https://SERVER1.domain.local:443/Autodiscover/Autodiscover.xml.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1122
    Type       : Success
    Message    : Autodiscover was tested successfully.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1013
    Type       : Error
    Message    : When contacting https://mail.domain.local/EWS/Exchange.asmx received the error The request failed withHTTP status 401: Authorization Required.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1025
    Type       : Error
    Message    : [EXCH] Error contacting the AS service at https://mail.domain.local/EWS/Exchange.asmx. Elapsed time was694 milliseconds.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1026
    Type       : Success
    Message    : [EXCH] Successfully contacted the UM service at https://mail.domain.local/EWS/Exchange.asmx. The elapsed time was 31 milliseconds.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1013
    Type       : Error
    Message    : When contacting https://mail.domain.com/EWS/Exchange.asmx received the error The request failed withHTTP status 401: Authorization Required.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1025
    Type       : Error
    Message    : [EXPR] Error contacting the AS service at https://mail.domain.com/EWS/Exchange.asmx. Elapsed time was15 milliseconds.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1026
    Type       : Success
    Message    : [EXPR] Successfully contacted the UM service at https://mail.domain.com/EWS/Exchange.asmx. The elapsed time was 31 milliseconds.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1124
    Type       : Success
    Message    : [Server] Successfully contacted the AS service at https://SERVER1.domain.local/ews/exchange.asmx. The elapsed time was 934 milliseconds.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1126
    Type       : Success
    Message    : [Server] Successfully contacted the UM service at https://SERVER1.domain.local/ews/exchange.asmx. The elapsed time was 93 milliseconds.
    All ok, but with these errors:
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1013
    Type       : Error
    Message    : When contacting https://mail.domain.local/EWS/Exchange.asmx received the error The request failed withHTTP status 401: Authorization Required.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1025
    Type       : Error
    Message    : [EXCH] Error contacting the AS service at https://mail.domain.local/EWS/Exchange.asmx. Elapsed time was694 milliseconds.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1013
    Type       : Error
    Message    : When contacting https://mail.domain.com/EWS/Exchange.asmx received the error The request failed withHTTP status 401: Authorization Required.
    RunspaceId : 1a13d412-b75d-48b5-8938-72ad53f11cb7
    Id         : 1025
    Type       : Error
    Message    : [EXPR] Error contacting the AS service at https://mail.domain.com/EWS/Exchange.asmx. Elapsed time was15 milliseconds.
    In IIS for EWS has this method Authentication:
    - Anonymous
    - Basic
    - Windows
    For SSL Settings in EWS has this configuration:
    - Require SSL
    - Client Certificate: Ignore
    For Default Website in IIS, SSL Settings:
    - Require SSL
    - Client Certificate: Ignore
    I don´t have ISA/TMG. I use HLB KEMP for publishing OWA...

  • Has anyone had any problems with their charger blowing out?

    Has anyone had any problems with their charger blowing out? mine blew, there's now a charred pin on the charger and in the socket of the macbook. The plastic around the charge socket is also cracked & distorted from the blow-out. It wasn't a power surge as no other electrical items were affected. It wasn't liquid or dust, as I'm the only person who uses it & I'm very careful. I'm concerned that the consequences could have been terrible. I wasn't present when it happened though, I can just see the evidence after the event.
    I have a mid 2010 13" Macbook running the latest software & use the original magsafe charger that came with it.
    Will I have to fork out for a costly repair or is there a safety issue that Apple will sort out for me?
    Any advice would be much appreciated.

    Everything in the box with iPhone is covered by the iPhone warranty ,go  to Apple genius bar before warranty expires

  • TS1702 I am having a problem with the Simpson tapped out app it won't connect to the server it only happens on my iPad other iPads are ok

    I am having a problem with the Simpson tapped out it will not connect to the server it only occurred on my iPad not any others in my home

    Hey Jerryd820,
    Thanks for the question, and welcome to Apple Support Communities.
    The following article provides suggestions if you are having issues with a specific application:
    iOS: Troubleshooting applications purchased from the App Store
    http://support.apple.com/kb/TS1702
    6. Reinstall the affected application
    Remove the application from your device and reinstall it.
    1. Touch and hold any application icon on the Home Screen until the icons start to wiggle.
    2. Tap the "x" in the corner of the application you want to delete.
    3. Tap Delete to remove the application and all of its data from your device.
    4. Press the Home button.
    5. Go to the App Store.
    6. Search for the application and then download it again.
    Note: If it is a paid app, ensure you are using the iTunes account you purchased the app with originally. If it is not, you will be charged for the app again. For more information regarding downloading previously purchased items, see this article.
    7. If the issue is still unresolved
    If you continue to experience the issue, contact the developer of the application for further assistance.
    Thanks,
    Matt M.

  • Hi I have a problem with my licence number for Lightroom

    Hi I have a problem with my licence number for Lightroom, has been forced to re-install lightroom again but, have downloaded a trial version of adobe but now works license number are not, there are some who can help me with what is going wrong. Thanks Henrik

    Download Lightroom 5 from Product updates and install, use your serial number

  • Problem with reached maximum number of connections to database

    Dear Experts,
    Our Production system was not responding properly last week.
    The below was the reply from the Basis team.
    "It seems that we have again problem with reached maximum number of connections to database. We have extended this number to 100 this year and now it seems that it’s not enough again. It seems that something is running on Production, which takes over too many connections."
    They have increased the number to 200 as a work around.
    Do we have any means to find out, which component or application is causing the issue.
    Please advise me if any better way is available to correct the issue.
    Please see the below trace.
    From default trace:
    ======
    Caused by: com.sap.engine.services.dbpool.exceptions.BaseSQLException: ResourceException occurred in method ConnectionFactoryImpl.getConnection(): javax.resource.R
    esourceException: (Failed in component: dbpool, BC-JAS-TRH) Cannot create connection. Possible reasons: 1)Maximum allowed connections to DB or EIS is reached. You
    can apply CSN Note 719778 in order to check and resolve connection leaks. 2) Configuration to DB/EIS is wrong or DB/EIS is temporary unreachable. 3) Connections ar
    e not enough for current load.
            at com.sap.engine.services.dbpool.cci.ConnectionFactoryImpl.getConnection(ConnectionFactoryImpl.java:60)
            at com.sap.security.core.persistence.datasource.imp.J2EEConnectionPool.getConnection(J2EEConnectionPool.java:205)
            ... 61 more
    Caused by: javax.resource.ResourceException: (Failed in component: dbpool, BC-JAS-TRH) Cannot create connection. Possible reasons: 1)Maximum allowed connections to
    DB or EIS is reached. You can apply CSN Note 719778 in order to check and resolve connection leaks. 2) Configuration to DB/EIS is wrong or DB/EIS is temporary unr
    eachable. 3) Connections are not enough for current load.
            at com.sap.engine.services.connector.jca.ConnectionHashSet.match(ConnectionHashSet.java:230)
            at com.sap.engine.services.connector.jca.ConnectionManagerImpl.allocateConnection(ConnectionManagerImpl.java:343)
            at com.sap.engine.services.connector.jca.ShareableConnectionManager.allocateConnection(ShareableConnectionManager.java:54)
            at com.sap.engine.services.dbpool.cci.ConnectionFactoryImpl.getConnection(ConnectionFactoryImpl.java:52)
            ... 62 more
    Caused by: com.sap.engine.services.dbpool.exceptions.BaseResourceException: SQLException is thrown by the pooled connection: com.sap.sql.log.OpenSQLException: No c
    onnection to data source SAPEPPDB available. All 100 pooled connections are in use and 70 connection requests are currently waiting. The connection pool size might
    need to be adjusted.
            at com.sap.engine.services.dbpool.spi.ManagedConnectionFactoryImpl.createManagedConnection(ManagedConnectionFactoryImpl.java:192)
            at com.sap.engine.services.connector.jca.ConnectionHashSet.match(ConnectionHashSet.java:221)
            ... 65 more
    Caused by: com.sap.sql.log.OpenSQLException: No connection to data source SAPEPPDB available. All 100 pooled connections are in use and 70 connection requests are
    currently waiting. The connection pool size might need to be adjusted.
    ======
    Thanks and Kind Regards,
    Jelbin

    Stop all instances(including DB) and start again, Hope it should work.
    It may happened that jar has not been synchronized with the database and may be version mismatch with the java.
    719778 - Data Source fails to return connection
    1650472 - Transactions are interrupted due to database connection periodically failing to establish
    1138877 - How to Deploy External Drivers JDBC/JMS Adapters
    Change the connection pool so that it can connect to DB as per the note 719778
    Regards
    Vijay Kalluri

  • Hi, I have a problem with getting my apple Id working for me. It's been 2 months since it happened and Apple failed to act. I can tell my story proerly, but am not sure, you guys can help, so I just copy my message to them today, I am trying to get it acr

    Hi, I have a problem with getting my apple Id working for me. It's been 2 months since it happened and Apple failed to act. I can tell my story proerly, but am not sure, you guys can help, so I just copy my message to them today, I am trying to get it across all the places around to pay their attention. This is a desperate move, so if you are not the right people to help me to get my message accross, may be you can advise where can I go.
    Thank you, and sorry for the language.
    Vitas Dijokas
    I am sorry to say that, but your security makes my life miserable – it’s been 2 months since my Apple ID account got stuck, and since then I cannot update 37 applications (to date), i.e. most of my applications. Half of them I bought. I also paid for iCloud, and it is not working. I paid money and I am stuck with old applications and no iCloud. Your security *****. Your service ***** too. It took your service 1 month to finally understand why this happened to me, and it took me tens of emails to you and 3 hours of telephone conversation to find out the reason for my problem. And the problem is still not fixed. NOT FIXED. You just leave your customer – the one who paid you money and spent so much time with you trying to help you help me – and nothing. You tell me:  “Vitas, Stick your stinky iphone in your *** and enjoy life, we do not care!” *************.
    It is ******* outrageous, and you should know that,  guys. Get into the ******* database and correct the bug. Get someone in the partners-telephone carriers company (it is Orange as carreer and Cellcom as seller of the phone)  authorized to Identify me in personal encounter in one of the branches in Israel (where I live) and make sure it is really me, and get the ******* system accept my password and let me use my phone.
    Otherwise **** off. None of my friends will get my advise to buy an iphone or any of apple products. And I think you should be very attentive to cases like this, guys. Do your work for the money we pay, or disappear. There are many others eager to take your place, and if the problem is not fixed I will eventually go to the others. My patience is lost, and as soon as I can afford another phone I will change it. AND I WILL TRY TO GIVE BAAAAAD PUBLICITY TO APPLE – I am threatening here, so ACT NOW.
    Vitas Dijokas

    Well, it seems waiting is not my strong suit..! I renamed a javascript file called recovery to sessionstore. This file was in the folder sessionstore-backups I had copied from mozilla 3 days ago, when my tabs were still in place. I replaced the sessionstore in mozilla's default folder with the renamed file and then started mozilla. And the tabs reappeared as they were 3 days ago!
    So there goes the tab problem. But again when I started mozilla the window saying "a script has stopped responding" appeared, this time the script being: chrome//browser/contenttabbrowser.xml2542
    If someone knows how to fix this and make firefox launch normally, please reply! Thank you

  • Very big problem with JSF about FORM and "id=" for HTML form's elements and

    I have discovered a very big problem with JSF about FORM and "id=" for HTML form's elements and java instruction "request.getParameterNames()".
    Suppose you have something like this, to render some datas form a Java Beans :
    <h:dataTable value="#{TablesDb2Bean.myDataDb2ListSelection}" var="current" border="2" width="50%" cellpadding="2" cellspacing="2" style="text-align: center">
    <h:column>
    <f:facet name="header">
    <h:outputText value="Name"/>
    </f:facet>
    <h:outputText id="nameTableDb2" value="#{current.db2_name_table}"/>
    </h:column>
    </h:dataTable>
    Everything works fine...
    Suppose you want to get the name/value pairs for id="nameTableDb2" and #{current.db2_name_table} to process them in a servlet. Here is the HTML generated :
    <td><span <span class="attribute-name">id=<span class="attribute-value">"j_id_jsp_1715189495_22:0:nameTableDb2">my-table-db2-xxxxx</span></td>
    You think you can use the java instructions :
    Enumeration NamesParam = request.getParameterNames();
    while (NomsParam.hasMoreElements()) {
    String NameParam = (String) NamesParam.nextElement();
    out.println("<h4>"++NameParam+ "+</h4>);
    YOU ARE WRONG : request.getParameterNames() wants the syntax *name="nameTableDb2" but JSF must use id="nameTableDb2" for "<h:outputText"... So, you can't process datas in a FORM generated with JSF in a Servlet ! Perhaps I have made an error, but really, I wonder which ?
    Edited by: ungars on Jul 18, 2010 12:43 AM
    Edited by: ungars on Jul 18, 2010 12:45 AM

    While I certainly appreciate ejb's helpful responses, this thread shows up a difference in perspective between how I read the forum and how others do. Author ejb is correct in advising you to stay inside JSF for form processing if form processing is what you want to do.
    However, I detect another aspect to this post which reminds me of something Marc Andreesen once said when he was trying to get Netscape off the ground: "there's no such thing as bad HTML."
    In this case, I interpret ungar's request as a new feature request. Can I phrase it like this?
    "Wouldn't it be nice if I could render my nice form with JSF but, in certain cases, when I REALLY know what I'm doing" just post out to a separate servlet? I know that in this case I'll be missing out on all the nice validation, conversion, l10n, i18n, ajax, portlet and other features provided by JSF".
    If this is the case, because it really misses the point of JSF, we don't allow it, but we do have an issue filed for it
    https://javaserverfaces-spec-public.dev.java.net/issues/show_bug.cgi?id=127
    If you can't wait for it to be fixed, you could decorate the FormRenderer to fix what you want.
    I have an example in my JSF book that shows how to do this decoration. http://bit.ly/edburnsjsf2
    Ed

  • Problem with Vikings Mobile number (Poland)

    [Topic title updated by moderator to be more descriptive. Original topic title was: "Problem with Vikings Mobile number"]
    Hello, I can't login Skype Qik for Windows Phone with Vikings Mobile country: Poland. Still getting msg wrong Phone number when try to login. On android i can login without any problems.

    Hi, can you specify the first 5 digits of the phone number? For example +48 xxx
    Добавляйте баллы, если моё сообщение вам помогло. Спасибо!
    Возврат денег | Система обновления подписок | Заблокировали/взломали аккаунт? | Пропали контакты? | Не зайти в Skype/не добавляются контакты? | Не удалось загрузить базу данных?
    Подписки | Цены

  • Problem with material master number range

    Hi,
    we have a problem with the material number range when stop the transaction of creation a material master data (MM01) the system has a jump of number range.
    Example  -> while creating a new material master the system gives me a number preview (46) but if I stop the transanction without save the master data the system doesn't give me the number 46 in the next master data but give me the next number 8in this example 47).
    It there a way for not have this jump of number range?
    Thanks!
    Gaetano

    Hi Gaetano,
                        This ia a standard thing..even I have experienced it.
    Regards,
    Chiranjib

  • SCOM - -500 Internal Server Error - There is a problem with the resource you are looking for, and it cannot be displayed

    Hi There,
    Need your assistance on the issue that we are facing in prod environment.
    We are able to open web console from remote machine and able to view monitoring pane as well as my workplace folders from console . Able to view and access alerts and other folder in the monitoring pane. We are able to view and access My Workplace folder
    and able to view the reports in Favorite Reports folder. But when I click on run Report we  are getting the below error  "500 Internal Server Error - There is a problem with the resource you are looking for, and it cannot be displayed."
    In our environment we have 3 servers one is SQL server and two are SCOM servers. Please advise how to fix this issue. Do we have to do any thing from SQL End?
    Errors: Event ID 21029: Performance data from the OpsMgr connector could not be collected since opening the shared data failed with error "5L".
     Event ID 6002 : Performance data from the Health Service could not be collected since opening the shared data failed with error 5L (Access is denied.).
    Regards,
    Sanjeev Kumar

    Duplicate thread:
    http://social.technet.microsoft.com/Forums/en-US/7675113e-49f0-4b3a-932b-4aceb3cfa981/scom-500-internal-server-error-there-is-a-problem-with-the-resource-you-are-looking-for-and-it?forum=operationsmanagerreporting
    We
    are trying to better understand customer views on social support experience, so your participation in this
    interview project would be greatly appreciated if you have time.
    Thanks for helping make community forums a great place.

  • We have version 10.5.8 photoshop CS3 for Mac. How do we fix a problem with photoshop not resizing dpi? For example we resized a 72 dpi image to 200 dpi, when we do a pdf analysis it read as 344 dpi.

    We have version 10.5.8 photoshop CS3 for Mac. How do we fix a problem with photoshop not resizing dpi? For example we resized a 72 dpi image to 200 dpi, when we do a pdf analysis it read as 344 dpi.

    Sounds like it's a problem with the Acrobat settings. Did you set them to the same resolution?

  • 502 - Web server received an invalid response while acting as a gateway or proxy server. There is a problem with the page you are looking for, and it cannot be displayed. When the Web server (while acting as a gateway or proxy) contacted the upstream cont

    I am getting error while accessing url of lyncweb.domain.com, dialin.domain.com and meet.domain.com pointing to RP server.
    502 - Web server received an invalid response while acting as a gateway or proxy server.
    There is a problem with the page you are looking for, and it cannot be displayed. When the Web server (while acting as a gateway or proxy) contacted the upstream content server, it received an invalid response from the content server.
    Regards, Ganesh, MCTS, MCP, ITILV2 This posting is provided with no warranties and confers no rights. Please remember to click Mark as Answer and Vote as Helpful on posts that help you. This can be beneficial to other community members reading the thread.

    When i try with https://lyncfrontend.domain.local:4443 and https://lyncfrontend.domain.com:4443 both opens but when i open the external domain name i get certificate .
    ARR version installed is 3.0
    To throw more light on the configuration:
    Lync 2013 implemented, internal domain name is : domain.local and external domain name is : domain.com
    All servers in VMs are with 4 core processor, 24gb ram, 1TB drive.
    Frontend : Windows 2012r2 with Lync 2012 Standard Edition - 1 No (192.168.10.100)
    Edge : Windows 2012 with Lync 2012 Std - 1 No 
    (192.168.11.101 DMZ) in workgroup
    ISS ARR Reverse Proxy 3.0 : Windows 2012 with ARR and IIS configured. (192.168.11.102)
    Certificate : Internal Domain root CA for internal and External (Digicert).
    Internal Network : 192.168.10.x /24
    External Network (DMZ) : 192.168.11.x /24
    Public Firewall NAT to DMZ ip for firewall and RP server. So having two public IP facing external network.
    Edge has : sip.domain.com, webconf.domain.com, av.domain.com
    IIS ARR RP server has : lyncdiscover.domain.com, lyncweb.domain.com, meet.domain.com, dialin.domain.com
    Have created SRV record in public : _sip.tls.domain.com >5061>sip.domain.com, _sipfederationtls._tcp.domain.com>5061>sip.domain.com, _xmpp-server._tcp.domain.com>5269>sip.domain.com
    Installed frontend server using MS Lync server 2013 step by step for anyone by Matt Landis, Lync MVP.
    Internal AD Integrated DNS pointing Front-end
    Type of Record FQDN
    IP Description 
    A sip.domain.com
    192.168.10.100 Address internal Front End  or Director for internal network clients 
    A admin.domain.com
    192.168.10.100 URL Administration pool
    A DialIn.domain.com
    192.168.10.100 URL Access to Dial In 
    A meet.domain.com
    192.168.10.100 URL of Web services meeting
    A lyncdiscoverinternal.domain.com
    192.168.10.100 Register for Lync AutoDiscover service to internal users
    A lyncdiscover.domain.com
    192.168.10.100 Register for Lync AutoDiscover service to external users  
    SRV Service: _sipinternaltls Protocol: _tcp Port: 5061
    sip.domain.com Record pointer services to internal customer connections using TLS 
    External DNS pointing Edge & Proxy
    Type of Record FQDN
    IP Endpoint
    A sip.domain.com
    x.x.x.100 Edge
    A webconf.domain.com
    x.x.x.100 Edge
    A av.domain.com
    x.x.x.100 Edge
    SRV _sip._tls.domain.com
    sip.domain.com: 443 Edge
    SRV _sipfederationtls._tcp.domain.com
    sip.domain.com:5061 Edge
    A Meet.domain.com
    x.x.x.110 Reverse Proxy
    A Dialin.domain.com
    x.x.x.110 Reverse Proxy
    A lyncdiscover.domain.com
    x.x.x.110 Reverse Proxy
    A lyncweb.domain.com
    x.x.x.110 Reverse Proxy
    In IIS ARR proxy server following server farms are added and configured as per link ttp://y0av.me/2013/07/22/lync2013_iisarr/
    In proxy server had setup only following server farm : While running remote connectivity web service test : meet, dialin, lyncdiscover and lyncweb.
    The client inside works fine internally and through vpn. Login with external client also working fine. But we are getting error in MRCA as follows.
    a) While testing remote connectivity for lync getting error : The certificate couldn't be validated because SSL negotiation wasn't successful. This could have occurred as a result of a network error or because of a problem with the certificate installation.
    Certificate was installed properly.
    b) For remote web test under Lync throws error : A Web exception occurred because an HTTP 502 - BadGateway response was received from IIS7.
    HTTP Response Headers:
    Content-Length: 1477
    Content-Type: text/html
    Date: Wed, 14 May 2014 10:03:40 GMT
    Server: Microsoft-IIS/8.0
    Elapsed Time: 1300 ms.
    Regards, Ganesh, MCTS, MCP, ITILV2 This posting is provided with no warranties and confers no rights. Please remember to click Mark as Answer and Vote as Helpful on posts that help you. This can be beneficial to other community members reading the thread.

Maybe you are looking for

  • My Ipad 3rd Gen isn't being recognized by my computer...

    My Ipad 3rd Gen isn't being recognized by my computer / (doesn't show up in itunes)... I have tried to use it with the following: Windows 8 64 Windows 7 64 Windows 7 32 Mac OS (newest) All tried with Itunes 10.7. I bought it about 3 weeks ago and act

  • Server time error

    i can't chat anymore, whenever i send an IM, five seconds passes and i get a server time error. what up with that?

  • Deadline management in Workflow

    Hi,   My requirement is that ,for a particular workitem in a persons inbox, the deadline has been reached then a notification mail has to be sent to the person, i do not want to use the deadline management already available, can i do this by incorpor

  • Error when casting to UserTransaction

    Hi, I encounter the error below which occur at the line 7 cos I dont' see the output of "33". java.lang.ClassCastException: org.jboss.tm.usertx.client.ServerVMClientUserTransaction 1    UserTransaction userTransaction = null; 2      3    try { 4     

  • Is it possible to resize the legend box?

    I am using Crystal Reports 11. I created some charts. I found it was difficult to resize the legend box, e.g. increase the width. Is it possible to resize the legend box? Thank you in advance.