Object simple instantiations does not and you wonder why

I created an ancestor object, ANCESTOR and descendant, PRS_ADMIN_PROGENITOR. Everything compiles ok so; It seems that the syntax is correct.

I try to use PRS_ADMIN_PROGENITOR with this anonymous PL/SQL block:

DECLARE

    lb_ParameterFound       BOOLEAN := FALSE;
    
    lObj_PRSAdminProgenitor PRS_ADMIN_PROGENITOR;
    
    ls_SuccessMsg           VARCHAR2(4000);
    
BEGIN

    lObj_PRSAdminProgenitor := PRS_ADMIN_PROGENITOR(NULL);
    
    lb_ParameterFound := lObj_PRSAdminProgenitor.GET_PARAM_VALUE( 'SUCCESS_MESSAGE', ls_SuccessMsg );
    
    DBMS_OUTPUT.PUT_LINE( ls_SuccessMsg );
    
END;
/

Run this gives me the error "PLS-00302: component 'GET_PARAM_VALUE' must be declared '.

I have two questions about the code that follows:

  1. I created a function CONSTRUCTOR without parameter to PRS_ADMIN_PROGENITOR. So, why not in allows me to instantiate with PRS_ADMIN_PROGENITOR()? (I have to specify PRS_ADMIN_PROGENITOR (NULL)
  2. Why do we say that the GET_PARAM_VALUE function must be declared when obviously, he said.
CREATE OR REPLACE TYPE PROGENITOR AS OBJECT
(   gs_ObjectType       VARCHAR(32), 
    gtb_Parameters      TAB_PARAMETERS,
    FINAL MEMBER PROCEDURE SET_OBJECT_TYPE( as_ObjectType IN VARCHAR2 ),
    FINAL MEMBER FUNCTION GET_OBJECT_TYPE RETURN VARCHAR2,
    NOT FINAL MEMBER PROCEDURE RELOAD_PARAMETERS,
    NOT FINAL MEMBER FUNCTION GET_PARAM_VALUE( as_ParameterName IN VARCHAR2, as_ParameterValue IN OUT VARCHAR2 ) RETURN BOOLEAN,
    FINAL MEMBER PROCEDURE LOG_INFO( aclb_LogInfo IN CLOB ) )
NOT INSTANTIABLE NOT FINAL
/
CREATE OR REPLACE TYPE BODY PROGENITOR 
AS
    
    FINAL MEMBER PROCEDURE SET_OBJECT_TYPE( as_ObjectType IN VARCHAR2 )
    IS
    BEGIN
        gs_ObjectType := as_ObjectType;
    END SET_OBJECT_TYPE;
    
    FINAL MEMBER FUNCTION GET_OBJECT_TYPE 
    RETURN VARCHAR2
    IS
    BEGIN
        RETURN gs_ObjectType;
    END GET_OBJECT_TYPE;      
    
    NOT FINAL MEMBER PROCEDURE RELOAD_PARAMETERS
    IS
    BEGIN
        NULL;
    END RELOAD_PARAMETERS;
    
    NOT FINAL MEMBER FUNCTION GET_PARAM_VALUE( as_ParameterName IN VARCHAR2, 
                                               as_ParameterValue IN OUT VARCHAR2 ) 
    RETURN BOOLEAN
    IS
    BEGIN
        RETURN FALSE;
    END;        
    
    FINAL MEMBER PROCEDURE LOG_INFO( aclb_LogInfo IN CLOB )
    IS
    
        PRAGMA AUTONOMOUS_TRANSACTION;
    
    BEGIN
    
        INSERT INTO LOG_INFO
        ( LOG_INFO )
        VALUES
        ( aclb_LogInfo );
        
        COMMIT;
            
    END LOG_INFO;

END;
/
CREATE OR REPLACE TYPE           PRS_ADMIN_PROGENITOR UNDER PROGENITOR
( gc_PromotionID            CHAR(32),
  gs_SuccessMsg             VARCHAR2(4000),
  gs_UserInputRequiredMsg   VARCHAR2(4000),
  gs_ErrorMsg               VARCHAR2(4000),
  gs_DefaultAJAXSeperator   VARCHAR2(4000),
  gs_DefaultDateFormat      VARCHAR2(4000),
  gs_DefaultDateTimeFormat  VARCHAR2(4000),
  CONSTRUCTOR FUNCTION PRS_ADMIN_PROGENITOR RETURN SELF AS RESULT,
  FINAL MEMBER FUNCTION GET_CURRENT_BUSINESS_DATE RETURN DATE,
  OVERRIDING MEMBER PROCEDURE RELOAD_PARAMETERS,
  OVERRIDING MEMBER FUNCTION GET_PARAM_VALUE( as_ParameterName IN VARCHAR2, as_ParameterValue IN OUT VARCHAR2 ) RETURN BOOLEAN,
  FINAL MEMBER PROCEDURE SET_PROMOTION_ID( ac_PromotionID IN CHAR ),
  FINAL MEMBER FUNCTION GET_PROMOTION_ID RETURN CHAR )
NOT FINAL
/
CREATE OR REPLACE TYPE BODY           PRS_ADMIN_PROGENITOR 
AS
    CONSTRUCTOR FUNCTION PRS_ADMIN_PROGENITOR 
    RETURN SELF AS RESULT
    IS
    BEGIN    
        RELOAD_PARAMETERS;
        RETURN;
    END;
    
    FINAL MEMBER FUNCTION GET_CURRENT_BUSINESS_DATE 
    RETURN DATE
    IS
    
        CURSOR lcsr_GetCurrentBusinessDate IS
            SELECT TO_CHAR( CURRENT_BUSINESS_DATE, gs_DefaultDateFormat ) AS CURRENT_BUSINESS_DATE
            FROM CURRENT_BUSINESS_DATES;

        ldt_CurrentBusiness DATE;
    
    BEGIN
    
        OPEN lcsr_GetCurrentBusinessDate;
        FETCH lcsr_GetCurrentBusinessDate INTO ldt_CurrentBusiness;
        CLOSE lcsr_GetCurrentBusinessDate;
        
        RETURN ldt_CurrentBusiness;
        
    END GET_CURRENT_BUSINESS_DATE;
    
    
    OVERRIDING MEMBER PROCEDURE RELOAD_PARAMETERS
    IS
    
        ldt_CurrentBusiness     DATE;
        
        ltb_PRSAdminParameters  TAB_PARAMETERS;
        
        ls_CurrentBusinessDate  VARCHAR2(4000);
        
        CURSOR lcsr_GetPRSAdminParams IS
            SELECT PARAMETER_NAME, PARAMETER_VALUE
            FROM PRS_ADMIN_PARAMETER;

        lrec_PRSParam   lcsr_GetPRSAdminParams%ROWTYPE;
    
    BEGIN
        
        -- Empty Out Any Previously Loaded Parameters
        
        gtb_Parameters := ltb_PRSAdminParameters;
        
        OPEN lcsr_GetPRSAdminParams;

        LOOP

            FETCH lcsr_GetPRSAdminParams INTO lrec_PRSParam;
            EXIT WHEN lcsr_GetPRSAdminParams%NOTFOUND;

            gtb_Parameters( lrec_PRSParam.PARAMETER_NAME ).PARAMETER_VALUE := lrec_PRSParam.PARAMETER_VALUE;

            CASE lrec_PRSParam.PARAMETER_NAME
                WHEN 'SUCCESS_MESSAGE' THEN
                    gs_SuccessMsg := lrec_PRSParam.PARAMETER_VALUE;
                WHEN 'USER_INPUT_REQUIRED_MESSAGE' THEN
                    gs_UserInputRequiredMsg := lrec_PRSParam.PARAMETER_VALUE;
                WHEN 'ERROR_MESSAGE' THEN
                    gs_ErrorMsg := lrec_PRSParam.PARAMETER_VALUE;
                WHEN 'DEFAULT_AJAX_SEPERATOR' THEN
                    gs_DefaultAJAXSeperator := lrec_PRSParam.PARAMETER_VALUE;
                WHEN 'DEFAULT_DATE_FORMAT' THEN
                    gs_DefaultDateFormat := lrec_PRSParam.PARAMETER_VALUE;
                WHEN 'DEFAULT_DATETIME_FORMAT' THEN
                    gs_DefaultDateTimeFormat := lrec_PRSParam.PARAMETER_VALUE;
                ELSE
                    NULL;
            END CASE;

        END LOOP;

        CLOSE lcsr_GetPRSAdminParams;
        
        ldt_CurrentBusiness := GET_CURRENT_BUSINESS_DATE;
        
        ls_CurrentBusinessDate := TO_CHAR( ldt_CurrentBusiness, gs_DefaultDateFormat );
        
        gtb_Parameters('CURRENT_BUSINESS_DATE').PARAMETER_VALUE := ls_CurrentBusinessDate;
        
    END RELOAD_PARAMETERS;
    
    OVERRIDING MEMBER FUNCTION GET_PARAM_VALUE( as_ParameterName IN VARCHAR2, 
                                                      as_ParameterValue IN OUT VARCHAR2 ) 
    RETURN BOOLEAN
    IS
    
        lb_ParameterFound BOOLEAN := FALSE;
    
    BEGIN
    
        lb_ParameterFound := gtb_Parameters.EXISTS( as_ParameterName );

        If ( lb_ParameterFound = TRUE ) Then

            as_ParameterValue := gtb_Parameters( as_ParameterName ).PARAMETER_VALUE;

        End If;

        RETURN lb_ParameterFound;
        
    END;        
    
    FINAL MEMBER PROCEDURE SET_PROMOTION_ID( ac_PromotionID IN CHAR )
    IS
    BEGIN
        gc_PromotionID := ac_PromotionID;
    END;
    
    FINAL MEMBER FUNCTION GET_PROMOTION_ID
    RETURN CHAR
    IS
    BEGIN
        RETURN gc_PromotionID;
    END;
END;
/

Gerard,

The whole issue is that types have been created as a user, but I was connected as user connection (B) that the user has solved the problem.

* blush *.

Thanks for the reply but.

-Joe

Tags: Database

Similar Questions

  • kb2596615 causes ade to failure, error was 459: object or class does not support the set of events

    A couple of my users started getting our application error messages ade grown after you apply this update. Everything is well after its withdrawal. First mistake was 459: object or class does not support the set of events. Basically, no event has worked. Why is this update break my application? It should be removed from the queue of the update.

    Okay, I've worked on it with Microsoft, and the actual cause turns out to be:

    MS12-060 security update affects the functionality of Access database
    http://support.Microsoft.com/kb/2748410

    This article updated fingers MS12-060, specifically KB 2687441, as the culprit.

    It turned out that ActiveX controls on the form (specifically the Microsoft Common Controls 6.0 Toolbar), caused the failure.

    The solution was simple: on a patched machine, open each form with an ActiveX control in design mode, compile and save it. It worked for me. Ignore the details of the solution that I wrote in the previous post!

    You may need to resave MSCOMCTL. OCX, as suggested in the article, to get your databases to work.

    -Ken

  • I have a laptop hp envy dv7 - 3723cl, the simple pass does not work

    My simple pass does not work. I have check the biometric device, the software is up-to-date, and it gives me an error code 19.

    On my installed programs I do not see the simple pass program is no longer.  How can I get the correct software to reinstall?

    Help, please

    Hi @GStefanakis ,

    Welcome to the HP Forums!

    It's a great place to find answers and information!

    You have the best experience in the HP forum, I would like to draw your attention to the Guide of the HP Forums Learn how Post and more

    I was unable to locate specific information about a desire dv7 - 3723 cl.

    How can I find my model number or product number?

    Here is a link on technet.microsoft.com that can help.   Code 19: Windows cannot start this hardware device because its information of configuration (in the registry) is incomplete or damaged

    You can try a system restore to a date well known.  Using Microsoft System Restore (Windows 8)

    If the above did not help, I uninstall and reinstall the software Simplepass.  Using the Recovery Manager to restore the software and drivers (Windows 8)

    I hope this helps!

  • Vista Windows freezing guard, does not and will not close properly

    My computer freezing guard, does not, and it not stop correctly. What should I do to solve this problem! I tried to delete the temporary files and running a virus scan and no help

    Hello

    What antivirus/antispyware/security products do you have on the machine? Be one you have
    EVER had on this machine, including those you have uninstalled (they leave leftovers behind which)
    may cause strange problems).

    ----------------------------------------------------

    Follow these steps:

    Start - type this in the search box-> find COMMAND at the top and RIGHT CLICK – RUN AS ADMIN

    Enter this at the command prompt - sfc/scannow

    How to analyze the log file entries that the Microsoft Windows Resource Checker (SFC.exe) program
    generates in Windows Vista cbs.log
    http://support.Microsoft.com/kb/928228

    Also run CheckDisk, so we cannot exclude as much as possible of the corruption.

    How to run the check disk at startup in Vista
    http://www.Vistax64.com/tutorials/67612-check-disk-Chkdsk.html

    ==========================================

    After the foregoing:

    How to troubleshoot a problem by performing a clean boot in Windows Vista
    http://support.Microsoft.com/kb/929135
    How to troubleshoot performance issues in Windows Vista
    http://support.Microsoft.com/kb/950685

    Optimize the performance of Microsoft Windows Vista
    http://support.Microsoft.com/kb/959062
    To see everything that is in charge of startup - wait a few minutes with nothing to do - then right-click
    Taskbar - the Task Manager process - take a look at stored by - Services - this is a quick way
    reference (if you have a small box at the bottom left - show for all users, then check that).

    How to check and change Vista startup programs
    http://www.Vistax64.com/tutorials/79612-startup-programs-enable-disable.html

    A quick check to see that load method 2 is - using MSCONFIG then put a list of
    those here.
    --------------------------------------------------------------------

    Tools that should help you:

    Process Explorer - free - find out what are the files, registry keys and other objects processes have
    Open, which DLLs they have loaded and more. This exceptionally effective utility will show same
    you who owns each process.
    http://TechNet.Microsoft.com/en-us/Sysinternals/bb896653.aspx

    Autoruns - free - see what programs are configured so that it starts automatically when your system
    boots and you login. Autoruns shows you the full list of registry and file locations where
    applications can configure Auto-start settings.
    http://TechNet.Microsoft.com/en-us/sysinternals/bb963902.aspx
    Process Monitor - Free - monitor the system files, registry, process, thread and DLL real-time activity.
    http://TechNet.Microsoft.com/en-us/Sysinternals/bb896645.aspx

    There are many excellent free tools from Sysinternals
    http://TechNet.Microsoft.com/en-us/Sysinternals/default.aspx

    -Free - WhatsInStartUP this utility displays the list of all applications that are loaded
    automatically when Windows starts. For each request, the following information
    appears: Type of startup (registry/Startup folder), Command - Line String, name of the product;
    File Version, company name, location in the registry or the file system and more. It allows you to
    allows you to easily disable or remove unwanted programs that runs in your Windows startup.
    http://www.NirSoft.NET/utils/what_run_in_startup.html

    There are many excellent free tools to NirSoft
    http://www.NirSoft.NET/utils/index.html

    Window Watcher - free - do you know what is running on your computer? Maybe not. The
    Window Watcher says it all, reporting of any window created by running programs, if
    the window is visible or not.
    http://www.KarenWare.com/PowerTools/ptwinwatch.asp

    Many excellent free tools and an excellent newsletter at Karenware
    http://www.KarenWare.com/

    ===========================================

    Vista and Windows 7 updated drivers love then here's how update the most important.

    This is my generic how updates of appropriate driver:

    This utility, it is easy see which versions are loaded:

    -Free - DriverView utility displays the list of all device drivers currently loaded on your system.
    For each driver in the list, additional useful information is displayed: load address of the driver,
    Description, version, product name, company that created the driver and more.
    http://www.NirSoft.NET/utils/DriverView.html

    For drivers, visit manufacturer of emergency system and of the manufacturer of the device that are the most common.
    Control Panel - device - Graphics Manager - note the brand and complete model
    your video card - double - tab of the driver - write version information. Now click on
    Driver update (this can do nothing as MS is far behind the certification of drivers) - then right
    Click on - uninstall - REBOOT it will refresh the driver stack.

    Repeat this for network - card (NIC), Wifi network, sound, mouse, and keyboard if 3rd party
    with their own software and drivers and all other main drivers that you have.

    Now in the system manufacturer (Dell, HP, Toshiba as examples) site (in a restaurant), peripheral
    Site of the manufacturer (Realtek, Intel, Nvidia, ATI, for example) and get their latest versions. (Look for
    BIOS, Chipset and software updates on the site of the manufacturer of the system here.)

    Download - SAVE - go to where you put them - right click - RUN AD ADMIN - REBOOT after
    each installation.

    Always check in the Device Manager - drivers tab to be sure the version you actually install
    presents itself. This is because some restore drivers before the most recent is installed (sound card drivers
    in particular that) so to install a driver - reboot - check that it is installed and repeat as
    necessary.

    Repeat to the manufacturers - BTW on device at the DO NOT RUN THEIR SCANNER - manually check by model.

    Look at the sites of the manufacturer for drivers - and the manufacturer of the device manually.
    http://pcsupport.about.com/od/driverssupport/HT/driverdlmfgr.htm

    How to install a device driver in Vista Device Manager
    http://www.Vistax64.com/tutorials/193584-Device-Manager-install-driver.html

    If you update the drivers manually, then it's a good idea to disable the facilities of driver under Windows
    Updates, this leaves ONE of Windows updates, but it will not install the drivers who will be generally
    be older and cause problems. If updates offers a new driver and then HIDE it (right click on it) and
    Then, get new ones manually if you wish.

    How to disable automatic driver Installation in Windows Vista - drivers
    http://www.AddictiveTips.com/Windows-Tips/how-to-disable-automatic-driver-installation-in-Windows-Vista/
    http://TechNet.Microsoft.com/en-us/library/cc730606 (WS.10) .aspx

    ===========================================

    Refer to these discussions because many more excellent advice however don't forget to check your antivirus
    programs, the main drivers and BIOS update and also solve the problems with the cleanboot method
    first.

    Problems with the overall speed of the system and performance
    http://support.Microsoft.com/GP/slow_windows_performance/en-us

    Performance and Maintenance Tips
    http://social.answers.Microsoft.com/forums/en-us/w7performance/thread/19e5d6c3-BF07-49ac-a2fa-6718c988f125

    Explorer Windows stopped working
    http://social.answers.Microsoft.com/forums/en-us/w7performance/thread/6ab02526-5071-4DCC-895F-d90202bad8b3

    Hope these helps.

    Rob - bicycle - Mark Twain said it is good.

  • I have an Acer - processor AMD A10, 16gig ram desktop pc, I've upgraded to windows windows 10 8. When I open lightroom everything is ok in the library. When I select develop LR does not and I have to close it. If I delete a photo from the library of the h

    I have an Acer - processor AMD A10, 16gig ram desktop pc, I've upgraded to windows windows 10 8. When I open lightroom everything is ok in the library. When I select develop LR does not and I have to close it. If I delete a photo from the library of the same thing happens. How can I fix this., he can be to stop what is happening

    Hello Sarika

    Thanks for your help.

    It's not that simple I thought he'd be when I used your method that whenever I tried to uncheck 'Use graphics processor' Lightroom 6 crashed.

    At least you put me on the right track and I persevered and found the file relevant agprefs of Lightroom web help and followed the instructions to change manually.

    I have changed two files with the same name but stored in different locations.

    Everything works fine now.

    Thank you once again.

    Mick

  • My id does not and I want to update my applications

    my ID does not and I want to update my applications

    Until your ID Apple is set, you cannot update your applications.

    Try here: https://iforgot.apple.com

  • When I connect to Windows Live Hotmail, I see my emails but cannot access that everything is frozen. A message appears while Live does not and asks me to refresh.

    When I connect to Hotmail, I see my emails but cannot access that everything is frozen. A message then appears that direct does not and asks me to refresh. Windows looking for a solution and after a new wait everything is accessible. Very annoying, how to cure it?

    Hi techcnophobe1,

    Thank you for visiting the Microsoft answers community.

    The question you have posted is bound using Windows Live and would be better suited in the Center of Windows Live Help solutions. Please visit this link to find a community that will support what ask you

  • Updates do not install, Sections of Vista does not and cannot start the Audio Service

    I try to install the updates on windows update but important as the service package 2 do not work, they start then stop and say failed code "WindowsUpdate_80070643"

    boxes keep popping up saying some files are damaged or not installed properly and that I should reinstall as a file call... system32\AVRT.dll. Windows Media is not no longer works.

    My Audio service is not running, I'm not sure that there is a problem in microsoft windows but the button to switch on the audio does not, and a box pops up saying it does not yet have another pop up says that everything works.

    any help? Please

    Hello
     
    a. updates have you tried to install?
    (b) button to switch on the audio of your computer are you using?
    c. what exactly happens when you try to run any audio/video file?

    You can try the steps outlined in the article below and check if this help.
    http://Windows.Microsoft.com/en-us/Windows-Vista/Windows-Update-error-80070643

    For audio problem you are trying to run the troubleshooter which may help. It search common problems with your volume settings, your sound card or driver and your speakers or a headset.

    1. open the troubleshooting of Audio playback by clicking the Start button, then Control Panel.
    2. in the search box, type troubleshooting, and then click Troubleshooting. Under hardware and sound, click on the audio playback problems. If you are prompted for an administrator password or a confirmation, type the password or provide confirmation.
    http://Windows.Microsoft.com/en-us/Windows7/open-the-playing-audio-Troubleshooter

    You can also try to update check you and sound card driver if it works. The article below will help you do.

    Updated a hardware driver that is not working properly
    http://Windows.Microsoft.com/en-us/Windows7/update-a-driver-for-hardware-that-isn ' t-work correctly

    Also, check if the following services are set to automatic.
    a. Windows Audio
    b. Windows Audio Endpoint Builder

    Here's how:
    1. click the Start button, type services.msc and press ENTER.
    2. go to any services mentioned above at the same time, right-click on it and select Properties
    3. click on the tab general, select automatic for startup type. Also click the Start button, if it is not started.
    4. click the Dependencies tab and make sure that all addictions services are set to automatic. Then click on the OK button.

    After return to that exact error messages we can help you better.

    Let us know if it works.

    Kind regards
    Umesh P - Microsoft Support

  • Feed Microsoft synchronizer does not and must be closed?

    For some strange reason, after repairing my Compaq Presario 2170 with a disk (SP2), Windows XP Home edition The Feed Synchronizer does not, and he keeps bugging me to this topic.  I wish I could give more details, but I'm bad at typing, and even less to say, these more descriptive things.

    Hi KDC_18,

    ·         You receive the error when executing a specific task?

    ·         What version of Internet Explorer you have?

    Method 1: If this happens when you use Internet Explorer, then check if you have the latest version of the browser (Internet Explorer 8).

    Method 2: If you already have the latest being then, check these settings.

    a. start Internet Explorer 8.

    b. go to tools, Internet Options.

    c. click on content, RSS, then settings.

    d. uncheck all the boxes.

    If you want to start using RSS again, simply check the boxes again.

    Please respond with more information so we can help you best.

  • Windows Update cannot currently check the update, because the service does not work, you may need to restart your computer

    My computer stops the update via WIndows Update Component

    Whenever a try to do the manual update using this component I get the message;   * Windows Update cannot currently check the update, because the service does not work, you may need to restart your computer *...

    My computer has a few updates, but can not run these update

    Whenever I try to run computer shotdown/updates remain frozen for a while and stops without updating

    He starts to run updates 1 of 13... and stops

    If I shutdown normal e, computer stay likehanging 1 hour without stopping.

    I would like to know how to solve this problem

    Thank you

    Concerning

    Gladmar.

    Hello

    Were there any changes made on the computer before the show?

    Perform the following methods and check:

    Method 1:

    I suggest you to check if you are able to access Windows Update service and ensure that the following services are started. If it is not started, follow these steps:

    a. click Start, type services.msc and press enter.
    b. search Windows Update.
    c. right-click on the service and select Properties.
    d. in type of startup, select enable.
    e. click Start under the Service status.
    f. click OK.
    g. Repeat steps c to f for the following services:

    Background Intelligent Transfer Service
    Cryptographic services

    If the steps do not help to solve the problem, you can go ahead with the methods mentioned below and check.

    Method 2:

    How to reset the Windows Update components?
    http://support.Microsoft.com/kb/971058

    Method 3:

    Your anti-virus software is in conflict with Windows updates. You can test this by temporarily disabling your antivirus:

    Disable the antivirus software
    http://Windows.Microsoft.com/en-us/Windows-Vista/disable-antivirus-software

    Note: Antivirus software can help protect your computer against viruses and other security threats. In most cases, you should not disable your antivirus software. If you need to disable temporarily to install other software, you must reactivate as soon as you are finished. If you are connected to the Internet or a network, while your antivirus software is disabled, your computer is vulnerable to attacks.

    Method 4:

    The problem with Microsoft Windows Update is not working

    http://support.Microsoft.com/mats/windows_update/

    See also:

    Troubleshoot problems with installing updates
    http://Windows.Microsoft.com/en-us/Windows-Vista/troubleshoot-problems-with-installing-updates

    Updates: frequently asked questions


    http://Windows.Microsoft.com/en-us/Windows-Vista/updates-frequently-asked-questions

    I hope this helps.

  • My help and support is does not and same time erorr code 0 x 80070424 shows and I didn't do the fix on erroe code no chance

    My help and support is does not and same time erorr code 0 x 80070424 shows and I didn't do the fix on erroe code no chance

    Hello

    (a) don't you make changes to the computer until the problem occurred?

    (b) when was the last time it was working fine?

    (c) what are the troubleshooting steps you tried to solve the problem?

    I suggest you follow the steps in the KB article below and check if it helps:

    http://support.Microsoft.com/kb/968002

    Hope this information is helpful

  • Bug in blackBerry Smartphones: 9790: Wikitude does not and can not be upgraded

    Bug: 9790: Wikitude does not and can not be upgraded

    Priority: Low (assuming that no one will use Wikitude now anyway)

    Severity: low

    Note: I understand that this is not an application of RIM, but it is an application preinstalled in BlackBerry Bold 9790, so please take care of this. I tried to document the issue as much as possible.

    I can not re - test, simply because I don't know how to install the old version. So, these are the steps that I went to join bugs:

    (1) have a 9790 Bold with the BlackBerry OS 7.0 as it was officially sold

    (2) Upgrade Bundle 2466 (7.0.0.609 Platform 9.16.0.77)

    (3) fully upgrade all official software from RIM AppWorld (Protect, Facebook, etc)

    (4) to set the phone to use location services

    (5) launching Wikitude

    YOU CAN SEE:

    Wikitude starts and appears the window ' Version is no longer supported. " Please update"and the OK" "button.

    6) click on the OK"" button.

    COMMENT: Wikitude closes and opens the browser with the URL:

    http://blackberrydl.Mobilizy.mobi/Wikitude.jad

    Two buttons appear: 'Download' and 'Cancel' and box "application Set permissions."

    (7) check them "Set application permissions" box (same end-test result is observed with this box unchecked)

    8) click on the Download"" button.

    You can observe: window: "Wikitude: Wikitude GmbH contains a module called Wikitude.» A module with this name already exists in the application "Wikitude". If you continue "Wikitude" will be replaced by Wikitude:Wikitude GmbH. proceed? »

    Buttons 'Yes' and 'No' appears.

    9) click on the Yes"" button.

    Observe: Download process begins, download file with a size of 4366 KB

    You can observe: after the success of downloading a new window appears with the message 'Error' and 'Ok' and 'Détails' buttons

    10) click on the button "Details".

    You can watch: new window with the message "Invalid COD" appears and buttons "OK" and "copy".

    11) click on the OK"" button.

    You can observe: the window is closed and "Wikitude" application is not installed.

    Thank you! Problem solved. Here's what I did:

    (1) Wikitude uninstalled

    (2) installed from AppWorld Wikitude

    Result: Wikitude runs successfully

    (clear the cache of the browser and try to download browser do not work)

  • I remain unplugged for a long period of receipt message that dns does not when you use windows 7

    I remains disconnected for long delivery message that dns does not when you use windows 7, wired LAN

    Concerning

    NAWAB IKRAMULLAH KHAN

    Hello

    ·          When the issue started?

    Method 1:

    Run the Windows 7 network troubleshooting and check if it can automatically find the fault.

    For more information about how to run the network troubleshooter, check this link:

    http://Windows.Microsoft.com/en-us/Windows7/using-the-network-troubleshooter-in-Windows-7

    Get the network store event of Event Viewer logs.

    Check out this link on the event logs of the resolution of network problems.

    http://Windows.Microsoft.com/en-us/Windows7/use-Network-Troubleshooter-event-logs-to-solve-network-problems

    Method 2:

    a. Click Start. Type cmd in the box start the search. Right click on cmd and select run as administrator.

    b. at the command prompt, type the following command and press ENTER:

    ipconfig/flushdns (there is a space between ipconfig and /)

    It will show you the message successfully empty the cache of DNS resolution.

    c. at the command prompt, type the following command and press ENTER:

    ipconfig/registerdns (there is a space between ipconfig and /)

    d. at the command prompt, type the following command and press ENTER:

    ipconfig/all (there is a space between ipconfig and /)

    e. the command ipconfig/all command displays for all your network adapters, TCP/IP in Windows settings.

    f. If your connection to the Local network IP address is 0.0.0.0 or 169.x.x.x (where x is a number any), then your computer does not receive an IP address from router.

    g. If this is the case, try this:

    ·          enough ipconfig at the command prompt and press ENTER.

    ·          ipconfig / renew in the command prompt and press ENTER.

    h. test it again by typing ipconfig/all to see what is the address?  (If you are on a router, it should start by or 192.168.0.x or 192.168.1.x 10.x.x.x)

  • "One of the USB devices attached to this computer has malfunctioned and Windows does not recognize it." Why it does not recognize my device?

    Some time ago I had a huge problem with my computer (I think that my mother-in-law accidentally downloaded a virus) and I took it to a repair shop where they wiped out completely and replaced the hard drive.  Since I got it back when I try to use my wireless mouse and plug the nano receiver he said 'one of the USB devices attached to this computer has malfunctioned and Windows does not recognize it.  Why he says this?  And what can I do about it if anything?  I already tried uninstalling the driver and reinstalling, but that did not work because as soon as I plugged it it again once he says the same thing.  So I don't know what is happening or how to fix it.  Please help me!

    Hi Carla,.

    Please go to the Microsoft Community Forums.
    After the description of the question, I understand that you can not use the mouse on the computer wireless.
    Let me go ahead and help you to question
     
    What is the brand and model of the mouse?
     

    Here are some ways you can follow to resolve the problem:

    Method 1:
    Try to connect to other USB port and verify.
     
    Method 2:
    I suggest for the link and follow the steps in the article:
    Troubleshoot a wireless mouse that does not correctly
     
    Method 3:
    Remove and reinstall all USB controllers
    Follow these steps:

    a. click Start, click run, type sysdm.cpl in the Open box and then click OK.

    b. click on the hardware tab.

    c. click the Device Manager button.

    d. expand Bus USB controllers.

    e. right click on each device under the Bus USB controllers node and then click Uninstall to remove them one at a time.

    f. restart the computer and reinstall the USB controllers.

    g. plug in the removable USB storage device and perform a test to ensure that the problem is solved.


    I hope this helps. If you have any other queries/issues related to Windows, write us and we will be happy to help you further.
  • Either the file does not exist, you are not allowed, or is the file may be in use.

    I'll do that as a separate issue because I think that, ultimately, it is this error that is causing me so many problems in InDesign.

    Scenario...

    New Document > drag a CC library item into the document > save the document and close InDesign > open the document, the error message...

    "This document contains < number > links to sources that are missing.  You can find or reedit the missing links using the links Panel. »

    When you attempt to link the missing links again...

    "The file does not exist, you are not allowed, or is the file may be in use."

    When you remove the link to the document and try to reinsert it draws CC...

    "The file does not exist, you are not allowed, or is the file may be in use."

    All this becomes a major problem when trying to output the document in PDF format, which is asking our printer.  The binding elements are given white background and they are of poor quality, too.

    Is this a known bug?  I see a lot of messages about it, which goes back to 2012!, but no solutions to this day.

    I hope someone can help.  Thank you.

    NJ

    > I'll try things that you suggest, but what is most concerning is that this library works with new documents - library items don't report any error.  So why he pointed out problems in a single document display paths and which are all correct?

    The problem could be in the InDesign document, in that you move the data from the library?

    Try saving this file as a file IDML (to clean possible corruption), and then reopen it in a new document and try again.

Maybe you are looking for