Applying a patch with root privilege through terminal

Hey there. I need a little help.
I am beta testing a new open source media player for a friend of a friend. He added a series of codecs to be tested in a patch. He said in the email that the patch needs to be applied to the program via terminal with root privilege. Unfortunately, he never said how, and he's being slow in responding to my email.
So how do I do it? Is it just a couple of commands I type in to terminal? What are the commands?

There's absolutely no way anyone other than the author can answer that question for you.
Since you're beta testing the app it's not likely to be an app that other people have. Since patch installation is at the whim (and mercy) of the developer, each app could install patches a different way - some might just be files you need to manually copy to a specific location, others would have an install script that copies files for you while others might update the application at the binary level.
Without knowing the app, and without knowing the patch method, no one here can answer for sure.

Similar Messages

  • I just created an AIP version of Adobe 11.0.10, applied our settings with the .mst through Adobe Customization Wizard.Online Services and Features Issues

    I just created an AIP version of Adobe 11.0.10, applied our settings with the .mst through Adobe Customization Wizard. But something is blocking it from opening the software, it just flickers the windows explorer, if I uncheck all the settings for the Online Services and Features it lets me open it but i can't skip the registration screen. Has something changed with this version of 11.0.10?

    Having the same problem here. Even if not creating an AIP, and instead doing a standard install of AcroPro.msi and patching with 11.0.10's msp, it'll result in a registration loop that can't be skipped.
    Applying an Adobe ID allows for getting through the screen, but obviously, in an enterprise environment, that's not ideal.
    This issue was something that I experienced with 11.0.07, and it went away with 11.0.08 and 11.0.09, but seems to have returned with 11.0.10.
    Previously, I was able to get around the issue by clearing out some files from the Common Files\Adobe directory, particularly Adobe PCD and SLCache, as well as including the Adobe regids stored in ProgramData,but that fix no longer works with this latest version.
    If REGISTRATION_SUPPRESS is set to YES, the result is Acrobat closing and opening in a loop, since it can't get through the registration screen.
    I'm currently investigating for a registry key that might possibly applied to circumvent this issue, but I haven't found one yet.
    For Adobe Acrobat 8, it used to be stored in the following two places, per Prompted to register repeatedly | Acrobat 8 | Windows
         32-bit Windows: HKEY_LOCAL_MACHINE\SOFTWARE\Adobe\Adobe Acrobat\8.0\AdobeViewer
         64-bit Windows: HKEY_LOCAL_MACHINE\SOFTWARE\WOW6432Node\Adobe\Adobe Acrobat\8.0\AdobeViewer
    However, the registry structure seems to have changed since then.

  • How to launch an App with Root privileges - without enabling "root" user ac

    Is there a reliable way to launch an Application so that it can run with "root" privileges, but without enabling the OSX root account and logging in to that account?
    There is an old (and, presumably, obsolete) application called "Pseudo" which used to facilitate this, but I doubt it would be safe or reliable under OSX 10.5.
    So, does anyone have any suggestions?

    For a more permanent method, run the following command on the same file:
    sudo chmod u+s
    if the item is owned by root. This may be undone by the repair permissions command.
    (27138)

  • Download Oracle Apps patches with password required through OAM

    Hi All,
    Could anyone please share the process - How to download Oracle Apps patches with password required through OAM using patch wizard option to the server.
    ftp updates.oracle.com is not working in our case.
    Is there any option available?
    Thanks for your time!
    Regards,

    Hi,
    Please see these docs/threads.
    Note: 731257.1 - How to Download Password Protected Patch from FTP Site updates.oracle.com
    Whats is the FTP site for Oracle Patches
    Whats is the FTP site for Oracle Patches
    Regards,
    Hussein

  • Need help authorizing tool with root privileges

    So i've read apples docs on AuthorizationServices many times but they're examples leave a lot out (or maybe im just overlooking things) Can anyone provide a simple example of how to give an application root privileges, im trying to create a cleaning tool that removes caches etc.

    You can't really "give an application root privileges". You can execute a tool with root privileges. I use the following:
    #import "Authorization.h"
    #import <Security/Authorization.h>
    #import <Security/AuthorizationTags.h>
    @implementation Authorization
    // Constructor.
    - (id) init
    self = [super init];
    if(self)
    AuthorizationFlags flags = kAuthorizationFlagDefaults;
    OSStatus status =
    AuthorizationCreate(
    0, kAuthorizationEmptyEnvironment, flags, & myAuthorizationRef);
    if(status != errAuthorizationSuccess)
    @throw
    [NSException
    exceptionWithName: @"AuthorizationCreateFailure"
    reason: [NSString stringWithFormat: @"Error code: %d", status]
    userInfo: nil];
    return self;
    // Destructor.
    - (void) dealloc
    if(myAuthorizationRef)
    AuthorizationFree(myAuthorizationRef, kAuthorizationFlagDefaults);
    [super dealloc];
    // Execute a privileged task.
    // Returns YES if the task executed successfully, NO otherwise.
    - (BOOL) run: (NSString *) executable
    withArguments: (NSArray *) arguments
    output: (NSString **) output
    AuthorizationItem items = { kAuthorizationRightExecute, 0, 0, 0 };
    AuthorizationRights rights = { 1, & items };
    AuthorizationFlags flags =
    kAuthorizationFlagDefaults
    | kAuthorizationFlagInteractionAllowed
    | kAuthorizationFlagPreAuthorize
    | kAuthorizationFlagExtendRights;
    OSStatus status = AuthorizationCopyRights(
    myAuthorizationRef, & rights, 0, flags, 0);
    if(status != errAuthorizationSuccess)
    @throw
    [NSException
    exceptionWithName: @"AuthorizationCopyRightsFailure"
    reason: [NSString stringWithFormat: @"Error code: %d", status]
    userInfo: nil];
    char ** args = (char **)malloc([arguments count] + 1);
    int index = 0;
    for(NSString * argument in arguments)
    args[index++] = (char *)[argument UTF8String];
    args[index] = 0;
    FILE * pipe = 0;
    flags = kAuthorizationFlagDefaults;
    status =
    AuthorizationExecuteWithPrivileges(
    myAuthorizationRef,
    [executable UTF8String],
    flags,
    args,
    & pipe);
    free(args);
    if(output)
    NSMutableString * results = [NSMutableString new];
    char buf[128];
    while(true)
    int bytesRead = read (fileno(pipe), buf, sizeof(buf) - 1);
    if(bytesRead < 1)
    break;
    buf[bytesRead] = 0;
    [results appendString: [NSString stringWithUTF8String: buf]];
    [results autorelease];
    *output = results;
    return status == errAuthorizationSuccess;
    // Execute a privileged task.
    // Returns YES if the task executed successfully, NO otherwise.
    + (BOOL) execute: (NSString *) executable
    withArguments: (NSArray *) arguments
    output: (NSString **) output
    Authorization * authorization = [Authorization new];
    BOOL result =
    [authorization run: executable withArguments: arguments output: output];
    [authorization release];
    return result;
    @end

  • Finder-based account with root privileges?

    Is there anyway to give the Admin account root privileges? Or is there a true Root account in the Finder?
    There are times when I need to move/change files in other accounts. Can this be done through the Finder? Or do I have to use Unix and the Terminal?
    Thanks in advance.
    Eric

    "OS X" does have a "root" account, but it is disabled by default for security reasons, and to prevent inexperienced users from messing up their systems. For knowlegable users, it can be enabled as described here:
    http://docs.info.apple.com/article.html?artnum=106290
    It is also possible for an "admin" user to launch "Finder" as "root", but this would usually require a trip to the command line, which you seem to want to avoid.
    It is encouraged that "root" be disabled immediately after finishing whatever tasks required its activation.

  • Unable to apply custom theme with background Image through code

    Hi,
    I am creating custom SharePoint 2013 theme and applying it through code on site by referring MSDN Article : "http://msdn.microsoft.com/en-us/library/office/jj927175(v=office.15).aspx".
    However when I try to add background image in custom theme and apply that theme to site then sites UI breaks.
    Details: I have two features, in feature-1: I am Deploying *.spfont, *.spcolor and background image. Then I am adding a new entry in "composed looks" list for my custom theme. in feature 2- I am applying the custom theme to site by using following
    code
    SPTheme theme = SPTheme.Open("NewTheme", colorPaletteFile, fontSchemeFile, backgroundURI);theme.ApplyTo(Web, true);
    Both feature activates without any errors, new entry also gets added in 'Composed Looks' list with all correct URLs, current item of composed looks list also change to custom theme but entire UI of site breaks If I remove background Image code from custom theme then everything works fine. Following code works fine
    SPTheme theme = SPTheme.Open("NewTheme", colorPaletteFile, fontSchemeFile);
    theme.ApplyTo(Web, true);
    If I apply same background Image manually(not through code) then also everything works as expected.Any help will be really appreciated.

    Hi,
    Thanks for your sharing, it will be helpful to those who stuck with the similar issue.
    Best regards
    Patrick Liang
    TechNet Community Support

  • Can I create a User with Root Privileges but without UID Zero?

    Dear all,
    I'm working on this project and this is the task required: Create a user and let this user perform all that the ROOT user can perform but shouldn't have UID 0. I'm sincerely new to this task but I challenged myself and made so many search on Google and this is what I was able to do.
    1. I created a user --- testuser1
    2. I created a role --- advrole
    3. I added the Solaris predefined profile -- Primary Administrator Profile to the role advrole and added this role to the user testuser1.
    4. I logged out from root and login with the newly created user i.e. testuser1.
    5. I ran the command id and the user - testuser1 still has its UID defined by me when I was creating the user account (which is good as far as my task is concern).
    6. In order to perform ROOT tasks when logged in with testuser1, I use su - advrole.
    7. I can now do all that ROOT can do but whenever I run the id command, the advrole shows UID 0 (WHICH IS BAD FOR ME AS PER MY TASK).
    My question is, I need to tell the customer that what they actually want isn't feasible in Solaris and the above is closer to what they want but I need to be sure if it's feasible or not before telling my customer?
    Can anyone tell me if it's feasible and if so, how can it be done? Or if the way I did it is the only way, kindly let me know as well so that I can get back to them with a valid and concrete explanation.
    P. S. The customer requires this because when doing auditing, their auditing software tracks users based on UID so therefore if every user will login and su - root, all will appear as done by the ROOT user because of the UID and a particular will not be held responsible.

    If you use auditreduce and praudit, you can get the information you need. It will show, as in my example below, that I logged in via SSH, and then switched to root after logging in. This information can be easily scripted and I do so every day in my daily report so I can see who logged in and who switched to root.
    Logging in via ssh:
    header,69,2,login - ssh,,MYSYSTEM,2010-06-03 09:15:15.151 -07:00
    subject,myusername,myusername,mygroup,myusername,mygroup,11435,512647774,15097 65558 MyIP
    return,success,0Then switching to root:
    header,94,2,su,,MYSYSTEM,2010-06-03 09:15:21.100 -07:00
    subject,myusername,root,mygroup,myusername,mygroup,11448,512647774,15097 65558 MyIP
    text,success for user root
    return,success,0It also indicates the session ID for the SSH session, so I can monitor when that session ended too.
    A different session logging in and out via SSH -
    header,69,2,login - ssh,,MYSYSTEM,2010-06-03 09:16:19.380 -07:00
    subject,myusername,myusername,mygroup,myusername,mygroup,11451,3474846213,15097 131094 MyIP
    return,success,0
    header,69,2,logout,,MYSYSTEM,2010-06-03 09:16:51.452 -07:00
    subject,myusername,myusername,mygroup,myusername,mygroup,11451,3474846213,15097 131094 MyIP
    return,success,0

  • Unable to log in with sysdba privileges

    Hi All,
    I am not able to connect with sysdba privileges through the sql*plus on the remote machine running on Windows. It gives me the following error :
    Connected to:
    Oracle Database 10g Enterprise Edition Release 10.2.0.2.0 - 64bit Production
    With the Partitioning, OLAP and Data Mining options
    SQL> conn sys@inftmark as sysdba
    Enter password: ******
    ERROR:
    ORA-01031: insufficient privileges
    Warning: You are no longer connected to ORACLE.
    SQL> while my initialization file has following entries:
    remote_os_authent = true
    remote_login_passwordfile = exclusiveMoreover, i am able to login with user "system" through sql*plus on windows.
    My OS : Solaris 64 bit (database running on Solaris machin)
    Database : 10.2.0.2
    Any idea, what's missing ?

    Yogesh,
    Did you try adding a new password file? In your pfile location, try this --
    1) Remove the existing password (orapw<SID>) file
    2) Generate a new password file - orapwd file=orapw<SID> password=<SYS_passwd>
    Try reconnecting thru the SQL*Plus client.
    - Ravi

  • Kde4.10 system settings doesn't works without root privileges (SOLVED)

    After update to version 4.10.0-1 systemsettings only works with root privileges. When I launch the application as a normal user window opens but nothing happens when I click any option. Is this a bug?
    Last edited by vovotux (2013-02-17 17:35:04)

    I had tried it. The output on konsole is "QDBusConnection: session D-Bus connection created before QCoreApplication. Application may misbehave" what seems to be a generic error message concerning a problem in implementing the PoliceKit. Closing the window the output message is "systemsettings(1780)/kdecore (KConfigSkeleton) KCoreConfigSkeleton::writeConfig:"
    Given that the application works correctly when using kdesu systemsettings, I think that it is a permission issue.

  • Problem with applying a patch to zdoom in AUR

    I did a little searching and found out about the patch command, but I'm still having some issues with applying this patch. Can anyone help me out? I'm not sure when to be running the patch command and what parameters to use. Thanks in advance.
    http://aur.archlinux.org/packages.php?ID=16403
    http://mancubus.net/svn/gzdoom/trunk/dumb/src/it/itrender.c?r1=114&r2=354&view=patch

    raptir wrote:
    The root of the problem is that when running makepkg, you get this:
    [ 15%] Building C object dumb/CMakeFiles/dumb.dir/src/it/itrender.o
    /home/mike/zdoom/zdoom/src/zdoom-2.3.1/dumb/src/it/itrender.c:3559: error: static declaration of 'log2' follows non-static declaration
    make[2]: *** [dumb/CMakeFiles/dumb.dir/src/it/itrender.o] Error 1
    make[1]: *** [dumb/CMakeFiles/dumb.dir/all] Error 2
    make: *** [all] Error 2
    ==> ERROR: Build Failed.
    Aborting...
    The patch provided supposedly fixes that by renaming a function (log2 to mylog2) in itrender.c. I've tried simply running patch -i dumb.patch before running makepkg, but that obviously doesn't work since none of the files are downloaded. I'm guessing that I need to put the patch command somewhere in pkgbuild, I'm just not sure where.
    So far, I've just downloaded and extracted the tarball, then I get the above error when running makepkg.
    Well you don't need to get the package tarball alone. Get the tarball and open up the PKGBUILD file, see where it gets the source from, then get that source and apply the patch to it. After that you can just compile it yourself...

  • How to apply business rules with out breaking to patch missing data

    Hello Experts,
    I am very new to SQL And i have no idea how to apply below  rules
    Data is polling for every 5 minutes so 12 time intervals per hour 6:00  -->1
    6:05---->2
    6:50---->11
    6:55---->12
                      6:50---->11
    Missing value
    Patching
    Rule
    No values missing
    No patching
    0
    Time interval 1 is null
    Time interval 1 is patched with the value from time interval number 2 subject to this not being null.
    1.1
    Time interval 12 is null
    Time interval 12 is patched as the value of time interval 11 subject to this not being null.
    1.2
    Time intervals 1 and 2 are null
    Time interval 1 and 2 are both patched with the value of time interval 3 subject to this not being null
    1.3
    Two consecutive time intervals (excluding both 1 & 2 or both 11&12) are null e.g. time interval 3 and 4 are null
    Average the preceding and succeeding time intervals of the missing 2 values. If time intervals 3 and 4 are null then these become the average of time intervals 2 and 5.
    1.4
    Time intervals 11 and 12 are missing
    Time interval 11 and 12 are both patched with the value of time interval 10 subject to this not being null
    1.5
    Some time intervals between 2 and 11 are null with 6 or more non null time intervals
    Time interval is patched with the average of interval – 1 and interval + 1 subject to these not being null.
    For example if time interval 5 was null this would be patched with an average of time interval 4 and time interval 6
    n.b this rule can happen up to a maximum of 5 times.
    1.6
    Three consecutive time intervals are missing
    Set all time intervals for the period as null
    2.1
    More than 6 time intervals are null
    Set all time intervals for the period as null
    2.2
    This will be more info table structure
     CREATE TABLE DATA_MIN
      DAYASNUMBER    INTEGER,
      TIMEID         INTEGER,
      COSIT          INTEGER,
      LANEDIRECTION  INTEGER,
      VOLUME         INTEGER,
      AVGSPEED       INTEGER,
      PMLHGV         INTEGER,
      CLASS1VOLUME   INTEGER,
      CLASS2VOLUME   INTEGER,
      CLASS3VOLUME   INTEGER,
      LINK_ID        INTEGER
    Sampledata
    DAYASNUMBER TIMEID      COSIT     LANEDIRECTION    VOLUME    AVGSPEED PMLHGV    CLASS1vol  LINK_ID                                                                                                   
    20,140,110  201,401,102,315    5    1    47    12,109    0    45    5,001
    20,140,110  201,401,102,325    5    1    33    12,912    0    29    5,001
    20,140,110  201,401,102,330    5    1    39    14,237    0    37    5,001
    20,140,110  201,401,102,345    5    1    45    12,172    0    42    5,001
    20,140,110  201,401,102,350    5    1    30    12,611    0    29    5,001
    20,140,111  201,401,100,000    5    1    30    12,611    0    29    5,001
    output something like FOR above sample data
    DAYASNUMBER TIMEID      COSIT     LANEDIRECTION    VOLUME    AVGSPEED PMLHGV    CLASS1  LINK_ID                                                                                                                                                                                                                                                                                                                                                                                           
    Rule
    20,140,110  201,401,102,315    5     1    47    12,109    0    45   5,001                                                                                                
    0
    20,140,110  201,401,102,320    5    1    40    12,109    0    45    5,001                                                                                     
               1.4(patched row)
    20,140,110  201,401,102,325    5    1    33    12,912    0    29    5,001                                                                                        
             0
    20,140,110  201,401,102,330    5    1    39    14,237    0    37    5,001                                                                                        
              0
    20,140,110  201,401,102,335    5    1    42    14,237    0    37    5,001                                                                                      
            1.4(patched row)
    20,140,110  201,401,102,345    5    1    45    12,172    0    42    5,001                                                                                           
          0
    20,140,110  201,401,102,350    5    1    30    12,611    0    29    5,001                                                                                            
         0
    20,140,110  201,401,102,355    5    1    30    12,611    0    29    5,001                                                                                        
              1.2(patched row)
    20,140,111  201,401,100,000    5    1    30    12,611    0    29    5,001 
    Any help and suggestions to extend the code to achieve would be greatly appreciate.
    Note:Here the key value is Volume to be patched for missed time intervals
    Thanks in advance

    row_number() OVER (PARTITION BY LANEDIRECTION ORDER BY TIMEID) AS RN,DAYASNUMBER,(*to_date*(timeid,'yyyymmdd hh24miss')) as cte, COSIT,
    Are you in the right place? to_date is an Oracle function, and this forum is for Microsoft SQL Server which is a different product.
    Erland Sommarskog, SQL Server MVP, [email protected]

  • Error importing with impdp after applying a patch for oracle 11g

    Hello guys,
    I recently unistalled all the oracle software with my database in order to start all fresh. I then installed the database and applied a patch from the version 11.1.0.6.0 to 11.1.0.7. I used the DBUA to do such a thing and it worked wonderfully.
    I'm now trying to do a full import but it seems there's something wrong with the connection. Below is the syntax and am using Windows 7 BTW.
    C:\>impdp \"sys/2learn@practicante as sysdba\" full=y DIRECTORY=export DUMPFILE=expdp.sgtc.01052012.dmp logfile=impdpPRACTICANTE.log
    Import: Release 11.1.0.7.0 - Production on Lunes, 07 Mayo, 2012 15:20:55
    Copyright (c) 2003, 2007, Oracle. All rights reserved.
    UDI-12154: la operaci¾n ha generado un error ORACLE 12154
    ORA-12154: TNS:no se ha podido resolver el identificador de conexión especificado
    C:\>
    Thanks!

    Thanks for the reply!
    You may be right about not using the sysdba to logon but just changed it...am still having the same issue though.
    SQL> ALTER USER scott IDENTIFIED BY tiger ACCOUNT UNLOCK;
    Usuario modificado.
    SQL> GRANT READ, WRITE ON DIRECTORY export TO scott;
    Concesión terminada correctamente.
    SQL> connect scott;
    Introduzca la contraseña:
    Conectado.
    C:\>impdp scott/tiger@practicante full=y DIRECTORY=export DUMPFILE=expdp.sgtc.01052012.dmp logfile=impdpPRACTICANTE.log
    Import: Release 11.1.0.7.0 - Production on Lunes, 07 Mayo, 2012 16:05:23
    Copyright (c) 2003, 2007, Oracle. All rights reserved.
    UDI-12154: la operación ha generado un error ORACLE 12154
    ORA-12154: TNS:no se ha podido resolver el identificador de conexi¾n especificado
    C:\>type D:\Oracle2practice\NETWORK\ADMIN\tnsnames.ora
    # tnsnames.ora Network Configuration File: D:\Oracle2practice\network\admin\tnsnames.ora
    # Generated by Oracle configuration tools.
    PRACTICA.cre.com.bo =
    (DESCRIPTION =
    (ADDRESS_LIST=
    (ADDRESS = (PROTOCOL = TCP)(HOST = GGTPRACTICANTE.cre.com.bo)(PORT = 15
    21))
    (CONNECT_DATA =
    (SERVER = DEDICATED)
    (SERVICE_NAME = practicante)
    C:\>sqlplus scott/tiger@practicante
    SQL*Plus: Release 11.1.0.7.0 - Production on Lun May 7 16:57:30 2012
    Copyright (c) 1982, 2008, Oracle. All rights reserved.
    ERROR:
    ORA-12154: TNS:no se ha podido resolver el identificador de conexi¾n
    especificado
    C:\>tnsping fubar
    TNS Ping Utility for 32-bit Windows: Version 11.1.0.7.0 - Production on 07-MAY-2012 17:00:16
    Copyright (c) 1997, 2008, Oracle. All rights reserved.
    Archivos de parßmetros utilizados:
    D:\Oracle2practice\network\admin\sqlnet.ora
    TNS-03505: Fallo al resolver el nombre
    C:\>sqlplus scott/P@ssW0rde@practicante
    SQL*Plus: Release 11.1.0.7.0 - Production on Lun May 7 17:14:49 2012
    Copyright (c) 1982, 2008, Oracle. All rights reserved.
    ERROR:
    ORA-12154: TNS:no se ha podido resolver el identificador de conexi¾n especificado
    I tried to fix the error but it is still there...any other way that could help or is there anything wrong with what I have done so far?

  • Install RAC 11gR2 and Apply Patches with OUI New Software Updates Option

    Has anyone tried the installation with the New Software Updates Option?
    I will install 11gR2 RAC Grid and I plan to do the following steps:
    1) Install Oracle Grid Infrastructure Patchset 11.2.0.2
    2) Do all the configuration with OUI
    3) Create ASM disks
    4) Install Oracle Database 11.2.0.2 Software Only
    5) Apply Oracle Recommended Patches 11.2.0.2.2 (12311357) and 12431716. (ref. MOS doc [ID 756671.1])
    6) Create RAC Database (advanced option) with DBCA
    With these steps:
    Grid and ASM disks would be configured without the recommended patches, but the database will be created with the patches applied.
    I would not like to do a "Software only" install of GI and then apply the patches because later I would have to manually do all the configuration steps.
    If I use the OUI Software Updates Option to apply the patches, will OUI do all the patching and then let me configure GRID with OUI ?
    Quote from Oracle® Grid Infrastructure Installation Guide 11g Release 2 (11.2) for Linux - Part Number E17212-11:
    " Use the Software Updates feature to dynamically download and apply software updates as part of the Oracle Database installation. You can also download the updates separately using the downloadUpdates option and later apply them during the installation by providing the location where the updates are present."
    I could not find more detailed information about this feature on documentation and MOS .
    Thanks

    Hi,
    You can download Latest Updates And Patches Using using option -downloadUpdates
    ./runInstaller -downloadUpdatesYou can use this note:
    *How To Download The Latest Updates And Patches Using 11.2.0.2 OUI [ID 1295074.1]*
    Don't miss it ..
    *Error: INS-20704 While Installing 11.2.0.2 with "Use pre-downloaded software updates" Option [ID 1265270.1]*
    Note : Please make sure that user downloading the patches updates have the proper/correct permission to download the patch updates from MOS ( My Oracle Support).
    Do not use the /tmp/oraInstall* directories for the download location. Unpublished bug 9975999
    Documentation explaining ...
    4.5.1 Running Oracle Universal Installer
    Downloading Updates Before Installation
    http://download.oracle.com/docs/cd/E11882_01/install.112/e16763/inst_task.htm#BABJGGJH
    Regards,
    Levi Pereira

  • Is it ok to apply patch with invalid Objects?--Urgent

    hello,
    DB: 10.1.0.3.0
    Patch: P4751926
    OS: Linux
    I have seven invlaid objects.
    Is it ok to apply patch with invalid Objects?
    sys.LEAF_CATEGORY_TYP------------------------------------TYPE BODY
    sys.CUSTOMER_TYP----------------------------------------------TYPE
    sys.CATALOG_TYP-------------------------------------------------TYPE BODY
    sys.COMPOSITE_CATEGORY_TYP-------------------------TYPE BODY
    sys.DBMS_STATS---------------------------------------------------PACKAGE BODY
    sys.DBMS_STATS_INTERNAL--------------------------------- PACKAGE BODY
    PUBLIC.DBMS_XDBUTIL_INT------------------------------------SYNONYM
    DN

    did u try to recompile the invalid objects with the utlrp.sql script? (the script is under, <oracle_home>/rdbms/admin
    your dbms_stats is invalid, and that package is needed for getting the statistics so better to have it valid than invalid.

Maybe you are looking for