Trouble updating ADO recordsets from synonyms

I have created an ado(2.6/ sqora32 v9.02.00.00) recordset with multiple joins. The tables have a trigger which adds a time stamp. Updates work fine when these are made directly on the schema table.
When I try to make updates on synonyms I get the error.
"Insufficient key column information for updating or refreshing."
The KEYCOLUMN property of the primary key field is false
debug.print rs.fields("id").Properties("Keycolumn").value
False
It was suggested that I set the recordset properties ("Unique Rows") or ("Determine Key Columns For Rowset") to true, but the former cannot be set and the latter does not exist.
THE Catch: I am running this on my development machine, connecting to our database server through Oracle client 9.2.0.1.0 When I run the application directly on the server updates are fine AND debug.print rs.fields("id").Properties("Keycolumn").value
is TRUE!!
Please help.
Rob

I have created an ado(2.6/ sqora32 v9.02.00.00) recordset with multiple joins. The tables have a trigger which adds a time stamp. Updates work fine when these are made directly on the schema table.
When I try to make updates on synonyms I get the error.
"Insufficient key column information for updating or refreshing."
The KEYCOLUMN property of the primary key field is false
debug.print rs.fields("id").Properties("Keycolumn").value
False
It was suggested that I set the recordset properties ("Unique Rows") or ("Determine Key Columns For Rowset") to true, but the former cannot be set and the latter does not exist.
THE Catch: I am running this on my development machine, connecting to our database server through Oracle client 9.2.0.1.0 When I run the application directly on the server updates are fine AND debug.print rs.fields("id").Properties("Keycolumn").value
is TRUE!!
Please help.
Rob

Similar Messages

  • Updatable ADO recordset returned by a stored procedure

    I am trying to have an updatable ADO recordset returned by a stored procedure.
    However, LockType for this recordset is always adLockReadOnly.
    What needs to be done to have LockType changed?
    I am using the following simplified example from Oracle doc. According to Oracle® Provider for OLE DB Developer's Guide 10g Release 2,
    the following ADO code sample sets the Updatability property on a command object to allow insert, delete, and update operations on the rowset object.
    Dim Cmd As New ADODB.Command
    Dim Rst As New ADODB.Recordset
    Dim Con As New ADODB.Connection
    Cmd.ActiveConnection = Con
    Cmd.CommandText = "SELECT * FROM emp"
    Cmd.CommandType = adCmdText
    cmd.Properties("IRowsetChange") = TRUE
    Cmd.Properties("Updatability") = 7
    ' creates an updatable rowset
    Set Rst = cmd.ExecuteHowever, the result is not updatable. Can you please advise.

    Returning a REF CURSOR is certainly the easiest of the options, particularly if you're trying to use ADO. Without doing something really klunky, all your options are going to result in read-only result sets.
    Assuming you have a procedure-based interface to your data, the easiest option is generally to do your own updates by explicitly calling the appropriate stored procedures.
    As a bit of an aside, in order to offer updatable result sets, the ODBC/ OLE DB/ etc provider generally has to do something along the lines of
    1) Take the SQL statement you pass in
    2) Modify it to select the ROWID in addition to the other columns you're selecting
    3) Store the ROWID internally and use that as a key to figure out which row to update
    Once you eliminate the ability of the client to manipulate the query, you've pretty well eliminated the ability of the driver to implement generic APIs for updates. The client at that point has no idea which row(s) in which table(s) a particular value is coming from, so it has no idea how to do an update. You generally have to provide that knowledge by coding explicit updates.
    Justin

  • How to get an updatable ADODB Recordset from a Stored Procedure?

    In VB6 I have this code to get a disconnected ADODB Recordset from a Oracle 9i database (the Oracle Client is 10g):
    Dim conSQL As ADODB.Connection
    Dim comSQL As ADODB.Command
    Dim recSQL As ADODB.Recordset
    Set conSQL = New ADODB.Connection
    With conSQL
    .ConnectionString = "Provider=OraOLEDB.Oracle;Password=<pwd>;Persist Security Info=True;User ID=<uid>;Data Source=<dsn>"
    .CursorLocation = adUseClientBatch
    .Open
    End With
    Set comSQL = New ADODB.Command
    With comSQL
    .ActiveConnection = conSQL
    .CommandType = adCmdStoredProc
    .CommandText = "P_PARAM.GETALLPARAM"
    .Properties("PLSQLRSet").Value = True
    End With
    Set recSQL = New ADODB.Recordset
    With recSQL
    Set .Source = comSQL
    .CursorLocation = adUseClient
    .CursorType = adOpenStatic
    .LockType = adLockBatchOptimistic
    .Open
    .ActiveConnection = Nothing
    End With
    The PL/SQL Procedure is returning a REF CURSOR like this:
    PROCEDURE GetAllParam(op_PARAMRecCur IN OUT P_PARAM.PARAMRecCur)
    IS
    BEGIN
    OPEN op_PARAMRecCur FOR
    SELECT *
    FROM PARAM
    ORDER BY ANNPARAM DESC;
    END GetAllParam;
    When I try to update some values in the ADODB Recordset (still disconnected), I get the following error:
    Err.Description: Multiple-step operation generated errors. Check each status value.
    Err.Number: -2147217887 (80040E21)
    Err.Source: Microsoft Cursor Engine
    The following properties on the Command object doesn't change anything:
    .Properties("IRowsetChange") = True
    .Properties("Updatability") = 7
    How can I get an updatable ADODB Recordset from a Stored Procedure?

    4 years later...
    I was having then same problem.
    Finally, I've found how to "touch" the requierd bits.
    Obviously, it's hardcore, but since some stupid at microsoft cannot understand the use of a disconnected recordset in the real world, there is no other choice.
    Reference: http://download.microsoft.com/downlo...MS-ADTG%5D.pdf
    http://msdn.microsoft.com/en-us/library/cc221950.aspx
    http://www.xtremevbtalk.com/showthread.php?t=165799
    Solution (VB6):
    <pre>
    Dim Rst As Recordset
    Rst.Open "select 1 as C1, '5CHARS' as C5, sysdate as C6, NVL(null,15) as C7, null as C8 from DUAL", yourconnection, adOpenKeyset, adLockBatchOptimistic
    Set Rst.ActiveConnection = Nothing
    Dim S As New ADODB.Stream
    Rst.Save S, adPersistADTG
    Rst.Close
    Set Rst = Nothing
    With S
    'Debug.Print .Size
    Dim Bytes() As Byte
    Dim WordVal As Integer
    Dim LongVal As Long
    Bytes = .Read(2)
    If Bytes(0) <> 1 Then Err.Raise 5, , "ADTG byte 0, se esperaba: 1 (header)"
    .Position = 2 + Bytes(1)
    Bytes = .Read(3)
    If Bytes(0) <> 2 Then Err.Raise 5, , "ADTG byte 9, se esperaba: 2 (handler)"
    LongVal = Bytes(1) + Bytes(2) * 256 ' handler size
    .Position = .Position + LongVal
    Bytes = .Read(3)
    If Bytes(0) <> 3 Then Err.Raise 5, , "ADTG, se esperaba: 3 (result descriptor)"
    LongVal = Bytes(1) + Bytes(2) * 256 ' result descriptor size
    .Position = .Position + LongVal
    Bytes = .Read(3)
    If Bytes(0) <> 16 Then Err.Raise 5, , "ADTG, se esperaba: 16 (adtgRecordSetContext)"
    LongVal = Bytes(1) + Bytes(2) * 256 ' token size
    .Position = .Position + LongVal
    Bytes = .Read(3)
    If Bytes(0) <> 5 Then Err.Raise 5, , "ADTG, se esperaba: 5 (adtgTableDescriptor)"
    LongVal = Bytes(1) + Bytes(2) * 256 ' token size
    .Position = .Position + LongVal
    Bytes = .Read(1)
    If Bytes(0) <> 6 Then Err.Raise 5, , "ADTG, se esperaba: 6 (adtgTokenColumnDescriptor)"
    Do ' For each Field
    Bytes = .Read(2)
    LongVal = Bytes(0) + Bytes(1) * 256 ' token size
    Dim NextTokenPos As Long
    NextTokenPos = .Position + LongVal
    Dim PresenceMap As Long
    Bytes = .Read(3)
    PresenceMap = Val("&H" & Right$("0" & Hex$(Bytes(0)), 2) & Right$("0" & Hex$(Bytes(1)), 2) & Right$("0" & Hex$(Bytes(2)), 2))
    Bytes = .Read(2) 'ColumnOrdinal
    'WordVal = Val("&H" & Right$("0" & Hex$(Bytes(0)), 2) & Right$("0" & Hex$(bytes(1)), 2))
    'Aca pueden venir: friendly_columnname, basetable_ordinal,basetab_column_ordinal,basetab_colname
    If PresenceMap And &H800000 Then 'friendly_columnname
    Bytes = .Read(2) 'Size
    LongVal = Bytes(0) + Bytes(1) * 256 ' Size
    .Position = .Position + LongVal * 2 '*2 debido a UNICODE
    End If
    If PresenceMap And &H400000 Then 'basetable_ordinal
    .Position = .Position + 2 ' 2 bytes
    End If
    If PresenceMap And &H200000 Then 'basetab_column_ordinal
    .Position = .Position + 2 ' 2 bytes
    End If
    If PresenceMap And &H100000 Then 'basetab_colname
    Bytes = .Read(2) 'Size
    LongVal = Bytes(0) + Bytes(1) * 256 ' Size
    .Position = .Position + LongVal * 2 '*2 debido a UNICODE
    End If
    Bytes = .Read(2) 'adtgColumnDBType
    'WordVal = Val("&H" & Right$("0" & Hex$(Bytes(0)), 2) & Right$("0" & Hex$(bytes(1)), 2))
    Bytes = .Read(4) 'adtgColumnMaxLength
    'LongVal = Val("&H" & Right$("0" & Hex$(Bytes(3)), 2) & Right$("0" & Hex$(Bytes(2)), 2) & Right$("0" & Hex$(Bytes(1)), 2) & Right$("0" & Hex$(Bytes(0)), 2))
    Bytes = .Read(4) 'Precision
    'LongVal = Val("&H" & Right$("0" & Hex$(Bytes(3)), 2) & Right$("0" & Hex$(Bytes(2)), 2) & Right$("0" & Hex$(Bytes(1)), 2) & Right$("0" & Hex$(Bytes(0)), 2))
    Bytes = .Read(4) 'Scale
    'LongVal = Val("&H" & Right$("0" & Hex$(Bytes(3)), 2) & Right$("0" & Hex$(Bytes(2)), 2) & Right$("0" & Hex$(Bytes(1)), 2) & Right$("0" & Hex$(Bytes(0)), 2))
    Dim ColumnFlags() As Byte, NewFlag0 As Byte
    ColumnFlags = .Read(1) 'DBCOLUMNFLAGS, First Byte only (DBCOLUMNFLAGS=4 bytes total)
    NewFlag0 = ColumnFlags(0)
    If (NewFlag0 And &H4) = 0 Then 'DBCOLUMNFLAGS_WRITE (bit 2) esta OFF
    'Lo pongo en ON, ya que quiero escribir esta columna LOCALMENTE en el rst DESCONECTADO
    NewFlag0 = (NewFlag0 Or &H4)
    End If
    If (NewFlag0 And &H8) <> 0 Then 'DBCOLUMNFLAGS_WRITEUNKNOWN (bit 3) esta ON
    'Lo pongo en OFF, ya que no me importa si NO sabes si se puede updatear no, yo lo se, no te preocupes
    'ya que quiero escribir esta columna LOCALMENTE en el rst DESCONECTADO
    NewFlag0 = (NewFlag0 And Not &H8)
    End If
    If (NewFlag0 And &H20) <> 0 Then 'DBCOLUMNFLAGS_ISNULLABLE (bit 5) esta OFF
    'Lo pongo en ON, ya que siendo un RST DESCONECTADO, si le quiero poner NULL, le pongo y listo
    NewFlag0 = (NewFlag0 Or &H20)
    End If
    If NewFlag0 <> ColumnFlags(0) Then
    ColumnFlags(0) = NewFlag0
    .Position = .Position - 1
    .Write ColumnFlags
    End If
    .Position = NextTokenPos
    Bytes = .Read(1)
    Loop While Bytes(0) = 6
    'Reconstruyo el Rst desde el stream
    S.Position = 0
    Set Rst = New Recordset
    Rst.Open S
    End With
    'TEST IT
    On Error Resume Next
    Rst!C1 = 15
    Rst!C5 = "MUCHOS CHARS"
    Rst!C7 = 23423
    If Err.Number = 0 Then
    MsgBox "OK"
    Else
    MsgBox Err.Description
    End If
    </pre>

  • Trouble updating a JtextArea from a JTable ListSelectionListener..

    Hi, I'm having trouble updating a JtextArea from a JTable ListSelectionListener, it is working for another JTextArea but I have created JNMTextArea which extends JTextArea and I am getting no data passed to it.
    Any help is really greatly appreciated. Im a relative newbie to Java.
    Here is the class declaration for JNMTextArea
    public class JNMTextArea extends JTextArea
         //Constructor
         public JNMTextArea(String text){
              super(text);
              setLineWrap(true);
              setEditable(false);
         //Constructor
         public JNMTextArea()
              this(new String());
         //This sets the data in setText, works ok.
         void displayPacket(Packet p){
              //Function works fine
              //Need to pass this data to the JNMTextArea!!!
              setText(buffer.toString());
              setCaretPosition(0);
    Here is where I use JNMTextArea, Im
    class JNMGui extends JFrame implements ActionListener, WindowListener{
         public static JNMTextArea txtPktContent;
         //Constructor
              JNMGui(){
                   buildGUI();
         private void buildGUI(){
         mainWindow = new JFrame("Monitor");
         tblPacket = new JTable(tblPacketM);
         tblPacket.setToolTipText("Packet Panel");
         tblPacket.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);
         if (ALLOW_ROW_SELECTION) {
              ListSelectionModel rowSM = tblPacket.getSelectionModel();
              rowSM.addListSelectionListener(new ListSelectionListener() {                     public void valueChanged(ListSelectionEvent e) {
                        if (e.getValueIsAdjusting())
                             return;
                        ListSelectionModel lsm =      (ListSelectionModel)e.getSource();
                        if (lsm.isSelectionEmpty()) {
                             System.out.println("No rows are selected.");
                        else {
                             int selectedRow = lsm.getMinSelectionIndex();
                             selectedRow++;
                             String str;// = "";
                             //Unsure if I need to create this here!
                             txtPktContent = new JNMTextArea();
                             //This works perfectly
                             txtPktType.append ( "Packet No: " + Integer.toString(selectedRow) + "\n\n");
                             Packet pkt = new Packet();
                             pkt = (Packet) CaptureEngine.packets.elementAt(selectedRow);
                             if(pkt.datalink!=null && pkt.datalink instanceof EthernetPacket){
                                  str = "Ethernet ";
                                  //THis works txtPktType is another JTextArea!!          
                                  txtPktType.append ( s );
                                  //This is not working
                                  //I realise displayPacket return type is void but how do get
                                  //the setText it created to append to the JNMTextArea??               
                                  txtPktContent.displayPacket(pkt);
              //Adding to ScrollPane
              tblPane = new JScrollPane(tblPacket);
              txtPktTypePane = new JScrollPane ( txtPktType );
              txtPktTypePane.setToolTipText("Packet Type");
              txtPktContentPane = new JScrollPane ( txtPktContent );
              txtPktContentPane.setToolTipText("Packet Payload");
              panel.add( tblPane, BorderLayout.CENTER );
    //End Class JNMGui

    void displayPacket(Packet p){
              //Function works fine
              //Need to pass this data to the JNMTextArea!!!
              setText(buffer.toString());
              setCaretPosition(0);
    This seems really odd. Notice that you pass in "p" but use "buffer". Where is "buffer" defined?

  • HT1338 I'm having trouble updating the ipad from the iOS 7.0.6

    I'm having trouble with updating my ipad from the iOS 7.0.6

    If you meant "upgrading to" and not "upgrading from", then I find the best way is to connect the device to power, have a good wifi connection, and use the general tab, software update on the device itself.  This will download a delta update that is much smaller in size than using iTunes to do the update.
    For example, when I updated to 7.0.6 it was ~50MB download.  I grew tired to downloading 1GB via the iTunes method.

  • Updating search recordset from MX to CS3

    Hi
    I'm all lost. ALL my previous search recordset are messed up
    when I try to
    update them to CS3.
    Can anyone point me in the right direction of what to do -
    PLEASE......
    Kindly Helle :-)
    Old recordset (working fine):
    <%
    set rsProducts = Server.CreateObject("ADODB.Recordset")
    rsProducts.ActiveConnection = MM_ConnHvidovre_STRING
    rsProducts.Source = "SELECT Products.ProductID,
    Products.Varenr,
    Products.IDProducent, tbl_Manufaktur.Producent,
    Products.Product,
    Products.Price, Products.Pict, Products.InStock FROM
    tbl_Manufaktur INNER
    JOIN Products ON tbl_Manufaktur.IDProducent =
    Products.IDProducent WHERE
    Varenr LIKE '%" + Replace(rsProducts__varKeyword, "'", "''")
    + "%' OR
    Product LIKE '%" + Replace(rsProducts__varKeyword, "'", "''")
    + "%' OR Price
    LIKE '%" + Replace(rsProducts__varKeyword, "'", "''") + "%'
    OR Producent
    LIKE '%" + Replace(rsProducts__varKeyword, "'", "''") + "%'
    ORDER BY
    tbl_Manufaktur.Producent, Products.Product"
    rsProducts.CursorType = 0
    rsProducts.CursorLocation = 2
    rsProducts.LockType = 3
    rsProducts.Open()
    rsProducts_numRows = 0
    %>
    CS3 (doesn't work):
    <%
    Dim rsProducts
    Dim rsProducts_cmd
    Dim rsProducts_numRows
    Set rsProducts_cmd = Server.CreateObject ("ADODB.Command")
    rsProducts_cmd.ActiveConnection = MM_ConnHvidovre_STRING
    rsProducts_cmd.CommandText = "SELECT Products.ProductID,
    Products.Varenr,
    Products.IDProducent, tbl_Manufaktur.Producent,
    Products.Product,
    Products.Price, Products.Pict, Products.InStock FROM
    tbl_Manufaktur INNER
    JOIN Products ON tbl_Manufaktur.IDProducent =
    Products.IDProducent WHERE
    Varenr LIKE ? OR Product LIKE '%varKeyword%' OR Price LIKE
    '%varKeyword%' OR
    Producent LIKE '%varKeyword%' ORDER BY
    tbl_Manufaktur.Producent,
    Products.Product"
    rsProducts_cmd.Prepared = true
    rsProducts_cmd.Parameters.Append
    rsProducts_cmd.CreateParameter("param1",
    200, 1, 255, "%" + rsProducts__varKeyword + "%") ' adVarChar
    Set rsProducts = rsProducts_cmd.Execute
    rsProducts_numRows = 0
    %>

    YOu can only IMPORT a site definition that has been EXPORTED
    from the
    previous version. Can you EXPORT the definition (which
    creates the *.ste
    file) from DMX?
    Failing that, just create a new site definition that points
    to the root
    folder of the old site. The files are still there, right?
    Murray --- ICQ 71997575
    Adobe Community Expert
    (If you *MUST* email me, don't LAUGH when you do so!)
    ==================
    http://www.projectseven.com/go
    - DW FAQs, Tutorials & Resources
    http://www.dwfaq.com - DW FAQs,
    Tutorials & Resources
    ==================
    "sprwmn" <[email protected]> wrote in
    message
    news:fnivr9$4t4$[email protected]..
    > I had designed and published a website using the MX
    version. It was
    > updated
    > and I now have CS3. My problem is that when I want to go
    fix things I have
    > to
    > unlock, but in order to do that "it has to be a site".
    CS3 wont recognize
    > it as
    > a site; like when I go to Manage Sites, it doesnt show
    up and I cant get
    > it to
    > show up (I tried importing it, but it asks for a .ste
    file and there are
    > none
    > for the site). Is there anything I can do or do I have
    to make and
    > entirely new
    > site? Thank you SO much for your help!
    >
    > Megan
    >

  • Trouble updating xtreme mapping from app store

    I have an update for xtreme mapping in the app store but It refuses to let me download
    - it starts then says error then gives me a  box saying THIS APPLICATION CANNOT BE DOWNLOADED and underneath NS INTERNAL INCONSISTENCY EXCEPTION.
    I am using the same laptop i purchased the initial software so what's the problem!!!

    Report the update issue to the Xtreme Mapping app developer here >  http://www.xtrememapping.com/App/ContactUs

  • I have 2 App Store accounts, one from MobileMe time and i want to know if it is possible to merge them as i'm having troubles updating some of my software?

    I have 2 App Store accounts, one from MobileMe time and i want to know if it is possible to merge them as i'm having troubles updating some of my software?
    I have to sign in and out between one and the other constantly and i dont know what to do anymore becouse now i can't update software on either, it keeps on poping up "To update this application, sign in to the account you used to purchase it." and im pretty sure im on the right account.

    Sorry. Apple's policy states that accounts cannot be merged > Frequently asked questions about Apple ID
    Contact Apple for assistance > Contacting Apple for support and service

  • HT1222 Having trouble updating to  11.1 on my iPhone 5 and I can't download any music from iTunes to my iPhone because it says I don't have 11.1

    Having trouble updating to  11.1 on my iPhone 5 and I can't download any music from iTunes to my iPhone because it says I don't have 11.1? How can I update iTunes on iPhone?

    You update iTunes on your computer to 11.1.

  • HT1349 Actually, my iphone was hanged and its screen was not working at all .So, I updated its software from market but for reactivation it require icloud account but i didn't know how exactly it is and i was caught in big trouble . But i have its box and

    Actually, my iphone was hanged and its screen was not working at all .So, I updated its software from market but for reactivation it require icloud account but i didn't know how exactly it is and i was caught in big trouble . But i have its box and all other accessories .So , kindly help me as early as possible .Thankyou    and tell me about its solution
    <Email Edited by Host>

    Basic troubleshooting steps outline in the manual are restart, reset, restore from backup, restore as new.  Try each of these in order until the problem is resolved.  If you've been through all these steps and the trouble persists, you'll need to bring your phone to Apple for evaluation.  Be sure to make an appointment first at the Genius Bar so you won't have a long wait.
    Best
    GDG

  • I am having trouble updating minomonsters and I would like to find a way to fix it without erasing all of my data from the app.

    I am having trouble updating minomonsters and I would like to find a way to fix it without erasing all of my data from the app.

    I am having trouble updating minomonsters and I would like to find a way to fix it without erasing all of my data from the app.

  • ADO Recordset Cache Size Breaking SQL Reads

    I've got a C++ application that uses ADO/ODBC to talk to various databases using SQL.
    In an attempt to optimize performance, we modified the Cache Size parameter on the Recordset object from the default Cache Size of 1 to a slightly larger value. This has worked well for SQL Server and Access databases to increase the performance of our SQL reads.
    However, talking to our Oracle 8i (8.1.6 version) database, adjusting the Cache Size causes lost records or lost fields.
    We've tried the same operation using a VB application and get similar results, so it's not a C++ only problem.
    For the VB app, changing the cursor-type from ForwardOnly to Dynamic does affect the problem, but neither work correctly. With a ForwardOnly cursor the string fields start coming back NULL after N+1 reads, where N is the Cache Size parameter. With a Dynamic cursor, whole records get dropped instead of just string fields: for example with a Cache Size of 5, the 2nd, 3rd, 4th and 5th records are not returned.
    In our C++ application, the symptom is always lost string fields, regardless of these two cursor types.
    I've tried updating the driver from 8.01.06.00 to the latest 8.01.66.00 (8.1.6.6) but this didn't help.
    Is anybody familiar with this problem? know any workarounds?
    Thanks
    [email protected]

    I am displaying you mine test db's buffer cache size : (11.2.0.1 on Windows box)
    SQL> show parameter db_cache_size;
    NAME                                 TYPE        VALUE
    db_cache_size                        big integer 0
    SQL> select name, current_size, buffers, prev_size, prev_buffers from v$buffer_pool;
    NAME                 CURRENT_SIZE    BUFFERS  PREV_SIZE PREV_BUFFERS
    DEFAULT                       640      78800          0            0
    SQL> select name,bytes from v$sgainfo where name='Buffer Cache Size';
    NAME                                  BYTES
    Buffer Cache Size                 *671088640*
    SQL> show sga;
    Total System Global Area 1603411968 bytes
    Fixed Size                  2176168 bytes
    Variable Size             922749784 bytes
    *Database Buffers          671088640 bytes*
    Redo Buffers                7397376 bytes
    SQL> select * from v$sga;
    NAME                      VALUE
    Fixed Size              2176168
    Variable Size         922749784
    *Database Buffers      671088640*
    Redo Buffers            7397376
    SQL> show parameter sga_target;
    NAME                                 TYPE        VALUE
    sga_target                           big integer 0
    SQL>Regards
    Girish Sharma
    Edited by: Girish Sharma on Oct 18, 2012 2:51 PM
    Oracle and OS Info added.

  • Cannot update itunes software from app store

    Having trouble updating itunes software. System gives me error message when trying to install iTunes 11.0.3
    "An error occurred while installing the updates.(103)" Not sure how to handle this

    Try each of the following steps.
    Step 1
    If you're trying to install more than one update, do the updates one at a time.
    Step 2
    Triple-click the line below to select it:  
    /Library/Updates
    Right-click or control-click the highlighted line and select
    Services ▹ Open
    from the contextual menu. A folder should open. Move the contents to the Trash. You may be prompted for your administrator password.

  • I am having trouble updating iTunes 10.7- it downloads about 70% then stops and says error. What can I do to update??

    I am having trouble updating iTunes 10.7- it downloads about 70% then stops and says error. What can I do to update??

    I'd first try downloading an installer from the Apple website using a different web browser:
    http://www.apple.com/quicktime/download/
    If you use Firefox instead of IE for the download (or vice versa), do you get a working installer?

  • Why am i having trouble updating itunes  on my windows 7 (64 bit) computer?

    Why am I having trouble updating itunes on my windows 7 (64 bit) computer?

    Doug
    Thanks for the update.
    nothing is getting installed, copied or otherwise loaded onto my computer....first the program starts to load, then it asks for my serial number, then it goes out and seems to check the serial number then it says it can't be installed then it erases everything it just spent 10 minutes loading.
    In view of the above and your prior descriptions, have you tried alternative installation files?
    If you want to give a look to that approach, please download and install the tryout files for Premiere Elements 9 from the following web site and then insert your purchased serial number into them during installation.
    With this route, you need to carefully carry out the web site's "Note: Very Important Instructions" in order to avoid an Access Denied message.
    Photoshop Elements 9 / Premiere Elements 9 Direct Download Links | ProDesignTools
    Back to my questions from post 3
    Are you getting any Shared Technologies error message any where in the installation process that is failing?
    If you follow the following path, do you find an OOBE Folder?
    Local Disk C
    Program Files (x86)
    Common Files Folder
    Adobe
    and in the Adobe Folder should be the OOBE Folder which you rename from OOBE to OLDOOBE to disable it.
    When you are forced into a roll back for whatever installation has taken place, do you ever see a message about Shared Technologies?
    And, whether or not the program installs to any extent, does your computer have the OOBE Folder? If so, then please rename it to disable it before
    you try for another 9 install.
    Looking forward to your results.
    ATR
    Add On....Please remind me....since you purchased Premiere Elements 9, have you ever installed and used it successfully on any computer?

Maybe you are looking for

  • HELP PLEASE - WHATS WRONG WITH THIS CODE

    Hi. I get this message coming up when I try to compile the code, run: java.lang.NullPointerException at sumcalculator.SumNumbers.<init>(SumNumbers.java:34) at sumcalculator.SumNumbers.main(SumNumbers.java:93) Exception in thread "main" Java Result: 1

  • HP LaserJet 1200 Series- Spaces appearing in words of printed document

    I have an HP LaserJet 1200 series printer.  All of a sudden blank spaces began appearing in the footnotes of a document.  For example, "supra" printed as "s upra" numerous times in a row, "in" printed as "i n", and "whether" printed as "whether r". 

  • Default date on selection-screen.

    Hi ABAPers, My requirement is that, i have one period(date) select-option in my selection screen. Now the problem was basing on the month the first and last date of that particular month should be initialised. For Ex:- present month was may, so in se

  • Clipped screen on dual screen+compiz+nvidia

    Hello everybody,   I am connecting an external display to my laptop. The laptop display is 1280x800, while the external display is 1280x1024.   NVIDIA is configured to run two separate Xscreens, opposed to the TwinView alternative.   Compiz works on

  • Multiple key press's with Bluetooth Keyboard

    I'm ready to update my mac to a new G5 imac and fancy getting the wireless bluetooth keyboard and mouse with it. I have one question, has anyone experienced problems when holding down multiple keys on the keyboard and moving the mouse all at once (Us