I want to run a task 15 days after i disable a user

Hi,
I am disbling a user , after 15 days if the user is still disabled i want to delete the user.
I want to try and achieve this using process tasks, without using a scheduler and comparing every user.
Any good ideas. Please help.

As a general rule read SQL is fine, write SQL should really be avoided. Sql Delete should be avoided at all costs as it destroys the internal consistency of your OIM db.
Depending on the size of the user population findusers API might be too slow. We did an implementation of a similar task against a user population of about 120 000 last year and in that case we ended up using an SQL read instead of the APIs. It all depends on the size of your user population and your performance requirements.
Good luck
/M

Similar Messages

  • I want to run two or more firefox processes under the same user at the same time

    My setup: A laptop running Fedora 20 and Gnome 3. I would really like to have a Firefox window on the laptop screen, and at the same time another one on the VNC client I am running on another computer. Both under the same user account.
    Closing one of the firefox windows is a very poor solution, as I would lose all the tabs I opened, in addition to the hassle.
    Is that possible at all? If yes, how? And if not, can you suggest workarounds?

    You can use the -no-remote command line switch to open another Firefox instance with its own profile and run different Firefox instances simultaneously, but do not use -no-remote to start the default browser with the default profile.
    * http://kb.mozillazine.org/Opening_a_new_instance_of_Firefox_with_another_profile
    * https://developer.mozilla.org/Mozilla/Multiple_Firefox_Profiles
    See also Remote Control:
    *https://developer.mozilla.org/Command_Line_Options

  • I want to run a vi for 4 days and save 360,000,000 samples in a file

    Hi
    I want to run a vi for 4 days and save samples to a file.
    I use the Ni EX save to file.vi example provided by LabView and change the Trigger mode to "immidiate ref trigger" as I am measuring a DC voltage.
    The application runs correctly when min record length is 2048 however when I change the min record length to 2,000,000 I receive the following error message and nothing get saved:
    Error occurred at:  niScope Multi Fetch.vi
    <err>Driver Status:  (Hex 0xBFFA2003)
    Maximum time exceeded before the operation completed.
    Possibly no trigger received. Buffers done: 0, Points done: 0.000000.
    I appreciate if you help me in this regard,
    Maryam

    Maryam,
    Have you tried increasing the timeout?  What is the exact name of the vi that you are using. Also, what hardware are you using?  What driver versions do you have installed?  Actually, the more information you could give us, the better.  Thanks and have a great day!
    Regards,
    Lon A.

  • Handle long-running EDT tasks (f.i. TreeModel searching)

    Note: this is a cross-post from SO
    http://stackoverflow.com/questions/9378232/handle-long-running-edt-tasks-f-i-treemodel-searching
    copied below, input highly appreciated :-)
    Cheers
    Jeanette
    Trigger is a recently re-detected SwingX issue (https://java.net/jira/browse/SWINGX-1233): support deep - that is under collapsed nodes as opposed to visible nodes only, which is the current behaviour - node searching.
    "Nichts leichter als das" with all my current exposure to SwingWorker: walk the TreeModel in the background thread and update the ui in process, like shown in a crude snippet below. Fest's EDT checker is happy enough, but then it only checks on repaint (which is nicely happening on the EDT here)
    Only ... strictly speaking, that background thread must be the EDT as it is accessing (by reading) the model. So, the questions are:
    - how to implement the search thread-correctly?
    - or can we live with that risk (heavily documented, of course)
    One possibility for a special case solution would be to have a second (cloned or otherwise "same"-made) model for searching and then find the corresponding matches in the "real" model. That doesn't play overly nicely with a general searching support, as that can't know anything about any particular model, that is can't create a clone even if it wanted. Plus it would have to apply all the view sorting/filtering (in future) ...
    // a crude worker (match hard-coded and directly coupled to the ui)
    public static class SearchWorker extends SwingWorker<Void, File> {
        private Enumeration enumer;
        private JXList list;
        private JXTree tree;
        public SearchWorker(Enumeration enumer, JXList list, JXTree tree) {
            this.enumer = enumer;
            this.list = list;
            this.tree = tree;
        @Override
        protected Void doInBackground() throws Exception {
            int count = 0;
            while (enumer.hasMoreElements()) {
                count++;
                File file = (File) enumer.nextElement();
                if (match(file)) {
                    publish(file);
                if (count > 100){
                    count = 0;
                    Thread.sleep(50);
            return null;
        @Override
        protected void process(List<File> chunks) {
            for (File file : chunks) {
                ((DefaultListModel) list.getModel()).addElement(file);
                TreePath path = createPathToRoot(file);
                tree.addSelectionPath(path);
                tree.scrollPathToVisible(path);
        private TreePath createPathToRoot(File file) {
            boolean result = false;
            List<File> path = new LinkedList<File>();
            while(!result && file != null) {
                result = file.equals(tree.getModel().getRoot());
                path.add(0, file);
                file = file.getParentFile();
            return new TreePath(path.toArray());
        private boolean match(File file) {
            return file.getName().startsWith("c");
    // its usage in terms of SwingX test support
    public void interactiveDeepSearch() {
        final FileSystemModel files = new FileSystemModel(new File("."));
        final JXTree tree = new JXTree(files);
        tree.setCellRenderer(new DefaultTreeRenderer(IconValues.FILE_ICON, StringValues.FILE_NAME));
        final JXList list = new JXList(new DefaultListModel());
        list.setCellRenderer(new DefaultListRenderer(StringValues.FILE_NAME));
        list.setVisibleRowCount(20);
        JXFrame frame = wrapWithScrollingInFrame(tree, "search files");
        frame.add(new JScrollPane(list), BorderLayout.SOUTH);
        Action traverse = new AbstractAction("worker") {
            @Override
            public void actionPerformed(ActionEvent e) {
                setEnabled(false);
                Enumeration fileEnum = new PreorderModelEnumeration(files);
                SwingWorker worker = new SearchWorker(fileEnum, list, tree);
                PropertyChangeListener l = new PropertyChangeListener() {
                    @Override
                    public void propertyChange(PropertyChangeEvent evt) {
                        if (evt.getNewValue() == SwingWorker.StateValue.DONE) {
                            //T.imeOut("search end ");
                            setEnabled(true);
                            ((SwingWorker) evt.getSource()).removePropertyChangeListener(this);
                worker.addPropertyChangeListener(l);
                // T.imeOn("starting search ... ");
                worker.execute();
        addAction(frame, traverse);
        show(frame)
    }

    At the end of the day, it turned out that I asked the wrong question (or right question in a wrong context ;-): the "problem" arose by an assumed solution, the real task to solve is to support a hierarchical search algorithm (right now the AbstractSearchable is heavily skewed on linear search).
    Once that will solved, the next question might be how much a framework can do to support concrete hierarchical searchables. Given the variety of custom implementations of TreeModels, that's most probably possible only for the most simple.
    Some thoughts that came up in the discussions here and the other forums. In a concrete context, first measure if the traversal is slow: most in-memory models are lightning fast to traverse, nothing needs to be done except using the basic support.
    Only if the traversal is the bottleneck (as f.i. in the FileSystemModel implementations of SwingX) additional work is needed:
    - in a truly immutable and unmodifiable TreeModel we might get away with read-only access in a SwingWorker's background thread
    - the unmodifiable precondition is violated in lazy loading/deleting scenarios
    there might be a natural custom data structure which backs the model, which is effectively kind-of "detached" from the actual model which allows synchronization to that backing model (in both traversal and view model)
    - pass the actual search back to the database
    - use an wrapper on top of a given TreeModel which guarantees to access the underlying model on the EDT
    - "fake" background searching: actually do so in small-enough blocks on the EDT (f.i. in a Timer) so that the user doesn't notice any delay
    Whatever the technical option to a slow search, there's the same usability problem to solve: how to present the delay to the end user? And that's an entirely different story, probably even more context/requirement dependent :-)
    Thanks for all the valuable input!
    Jeanette

  • Am told firefox is already running , but task manager doesn't show it

    am told firefox is already running , but task manager doesn't show it. I installed Firefox 3.6.10 on a new computer (win 7 home premium), deleted the profile given and copied my old profile in its place (win vista premium). I get the above message and am told to close the existing process, or restart the system. Can't close and restarting doesn't help. Please solve this for me, i so don't want to use Internet Explorer

    g'day people... a dude called "moopenguin32" showed me the way... alleluia
    1. Copy your Firefox shortcut (what you click on to open Firefox) to the Desktop.
    2. Right-click on it and click on Properties.
    3. Go to the end of the text in the "Target" field. The end will say: firefox.exe"
    4. Enter a space followed by: -profilemanager
    5. The end result will look something like this: "C:\Program Files\Mozilla Firefox\firefox.exe" -profilemanager
    6. Click OK to save the settings.
    7. Double-click on the shortcut you just changed.
    8. Delete the profile listed. It shouldn't matter that you're deleting it because you're trying to restore a profile anyways. You should have the profile you're trying to restore saved elsewhere.
    9. Close the profile manager.
    10. Start Firefox using your regular shortcut. Firefox should open properly. Close Firefox.
    11. Now to restore your profile, open the profile folder you have backed up and copy the contents of it rather than the actual folder.
    12. Go to your existing Firefox profile and open it.
    13. Delete the contents of the existing Firefox profile.
    14. Paste the contents of the Firefox profile that you're trying to restore (the one you copied in step 11).
    15. Open Firefox and everything should be there (including your extensions).

  • How can I turn off the "this application's signature HAS been verified do you want to run it?" message?

    I'm running Firefox 22.0 on the Mac, OS X 10.6, Java 6 SE fully updated on the Mac. I have corporate web sites I must use throughout the day that have Java applets associated with them, one of them being the Ephox web text editor. EVERY TIME I open a page that has the editor being invoked on it, I get FOUR messages that say "This application's signature has been verified. Do you want to run this application?" Two of them will have the name of the editor. Two of them will have blanks. ALL of them show "ALWAYS TRUST content from this publisher" as checked. RUN, RUN, RUN, RUN.
    Although I have a number of addins installed, I have had to disable them to get these apps to load without crashing.
    NOTE that this does not happen in Firefox 22 on Windows 7; nor did it with the same apps (no upgrades at the corp. website) on Firefox 18 or 19 on the Mac.
    Help???

    We are sorry this is more like a Java issue than a Firefox one.
    However, I found this that may be helpful to solve your problem, check it out: [http://stackoverflow.com/questions/1472494/suppressing-applications-digital-certificate-has-been-verified-do-you-want-to-ru http://stackoverflow.com/questions/1472494/suppressing-applications-digital-certificate-has-been-verified-do-you-want-to-ru]

  • I want to run down how dissatisfied I currently am with Verizon Wireless

    I want to run down how dissatisfied I currently am with Verizon Wireless; this stated with the pre-order of the iPhones on Friday I like many other customers received the "ecdp" error on the web site and it took 45 minutes to actually be able to place the order.  I got the order in and had a 09/19/2014 ship date; spoke with a few Customer Service Reps in various areas such as 611, on many of the 800 numbers available, Internet Orders (including a Supervisor) and even a Social Media Service Rep all who have confirmed this ship date to be accurate. 
    Well today (09/17/2014) I check the Pre-Order Status page and my date has been changed to 10/14/2014 so I call in to speak to Internet Orders and the Rep advises me that yes my date was pushed back but no reason is supplied, I asked to speak to a Supervisor and was transferred to Howard, Operator # 2431235, who stated that yes the prior rep was accurate and that there was no reason available as to why my ship date changed.  Howard continues by stating that as per upper management, Apple reported to Verizon that no iPhone 6+'s would be available at launch for Verizon to ship and that this has been common knowledge, within the company, that the 6+'s were not shipping until 10/14/2014, and that prior Verizon employee's to include supervisors were misinforming me of my shipping date.  Howard continued to state that the reason I got the "ecdp" error was because of the company that I work for as Verizon offers a discount so the 'ecdp" error is not something Verizon is currently addressing.  Howard then tells me not to worry that with the 10/14 date is a guaranteed delivery date and not to worry, if the phones come in early the order will be filled, I at this point ask Howard to note my account with our conversation to include the fact that he stated the 10/14 was a guaranteed date, at this point he states that while he is telling me this he will not put it in writing as at that point Verizon would be obligated to meet that date at minimum and he was not willing to put his position on the line if the phone is not shipped by that date(this can be confirmed by reviewing the recording of the call as I was advised that I was on a recorded line).  I then asked to speak to his supervisor and was told his supervisor went home for the day and that he was the highest level supervisor on at this time.  When I then asked for his supervisors contact information to lodge a complaint he said that I would need to call back in on 611 from my handset as Customer Service handles complaints not supervisors. 
    I did call back and speak with a Representative on 611 who tried to assist but was not able to do much, this rep took my information and is having their supervisor call me to try addressing the way Howard handled the call however this has not occurred at the time of this writing.  I did tell this rep that I was honestly considering going to another carrier, (I have been with Verizon 7-8 years and currently have 10 lines of service on my account) I know I will not get the iPhone 6+ on launch day with another carrier which was not the driving factor but rather the way Howard dealt with the situation and the lack of respect that as a customer of Verizon I have always got from other representatives, as you know it takes one person to sour someone on a whole company, Howard even stated that if I want to go to another carrier that was fine with him.  However, the Customer Service Rep I spoke with after Howard (I wish I could remember his name) calmed me down not to leave Verizon but did agree that a complaint needed to be filed, personally I would like to file it directly with an Associate Vice President or higher but do understand that there is a “Chain of Command” that needs to be filed
    Let this be a warning to anyone who call internet sale and gets Howard, operator #2431235, I would suggest you immediately request a different supervisor that will treat you with respect.  As stated above Howard will tell you that the iPhone 6+ was not and has never been available to ship on launch day due to Apple purposely not providing enough units to meet the demand and that Verizon knew this while taking our pre-orders. 

    I feel your pain Robert. I do believe VZW and Apple knew all along the I6 Plus would not be available on 19 Sep and that it was a way to bolster new contracts, renewed contracts and apple sales stats. It's unfortunate the company wasn't more clairvoyant, most of us would have still pre-ordered but been a little less frustrated.

  • I need to run periodical task, how can I do so?

    I have an application running in BEA Weblogic Server, it's a portal application in fact.
    I log every login try to my portal.
    My next task is too make summary of the data I've collected (every 24 hours).
    So I would like to run some task every 24 hours.
    What can I do in Weblogic?

    You could use JMX timers, for example or EJB 2.0 Timers.
    Check out -
    http://e-docs.bea.com/wls/docs90/jmxinst/timer.html
    and
    http://java.sun.com/j2ee/1.4/docs/api/javax/ejb/Timer.html (you probably want to look this one up elsewhere as well)
    cheers,
    Deepak

  • How to get lauchctl daemons/agents to run only once a day

    How do you get a daemons/agents to run only once a day regardless of the error code of the .sh you are running?
    (not I'm not looking for run once or run on reboot. I want a job to run at 3am every day and it has several bash commands in it. Regardless of the returns by any of the commands in the script, I only want this to run once - NO RESPAWN).

    Ok still not working.. here is the plist
    the .sh file does file processing and then uploads xml files to my server and should run once a day. Here I have it running at 11:45am. It completes and then runs again and again and again.
    The plist is placed in LaunchAgents and loaded with $launchctl load com.iclassicnu.crontabtest.plist
    ideas?
    <?xml version="1.0" encoding="UTF-8"?>
    <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
    <plist version="1.0">
    <dict>
    <key>label</key>
    <string>com.iclassicnu.crontabtest</string>
    <key>ProgramArguments</key>
    <array>
    <string>/Users/dan/Desktop/iClassicNu/Idea/Forexite/ForexUpdate.sh</string>
    </array>
    <key>WorkingDirectory</key>
    <string>/Users/dan/Desktop/iClassicNu/Idea/Forexite</string>
    <key>OnDemand</key>
    <false/>
    <key>Nice</key>
    <integer>1</integer>
    <key>StartCalendarInterval</key>
    <dict>
    <key>Hour</key>
    <integer>11</integer>
    <key>Minute</key>
    <integer>45</integer>
    </dict>
    <key>StandardErrorPath</key>
    <string>/Users/dan/tmp/icnTest1.err</string>
    <key>StandardOutPath</key>
    <string>/Users/dan/tmp/icnTest1.out</string>
    </dict>
    </plist>

  • SyncToy 2.1 Can't Find NAS Folder When Run From Task Scheduler

    I'm using SyncToy 2.1 to keep two WIN7 computers and a Synology DS414j NAS drive in sync. I have several folder pairs configured, some between the two PC's and three between one PC and the NAS drive. I have a task set up for automatic syncing. The problem
    is SyncToy can't find the destination folders on the NAS drive if it's run from Task Scheduler. If I run SyncToy manually, everything works fine. I've even tried opening the command prompt and running the exact same program Task Scheduler is running (SyncToyCmd.exe
    -R), and it works perfectly. But when Task Scheduler runs the task, it fails to find the NAS folders with the following error message:
    SYNC: 08/21/2014 14:12:26:140: *** Failed to execute folder pair Downloads to NAS. Could not locate folder \\DISKSTATION\Downloads\.
    I've been looking for days for a solution and have not found anyone with this problem. Any ideas?

    Hi Texxxas,
    Apparently the problem is not with SyncToy, it is with Task Scheduler. If you have had Task Scheduler work for you in the past, then I don't have an answer for that. I have never been able to get Task Scheduler to work correctly with SyncToy and a NAS drive.
    I have found that for some reason it works with USB external HDD's but will not work with a network connected hard drive. The same bug exists in Win8.1 as well. However, I have since found a third party task scheduler that works perfectly with SyncToy and
    my NAS drive. It is called System Scheduler by Splinterware. The free version only works when you are logged in but they have a paid version that runs as a service and will execute without being logged in. This has solved my problem.

  • ITunes won't load when I click, not running in "task manager"

    I have a Dell Inspiron 1545. I run on Windows 7. iTunes was operating normally for me until recently... just a few days ago, I discovered that iTunes wouldn't load when I clicked on the icon on my desktop. I've tried clicking on it from the start menu and trying to open a music file via iTunes as well. The most that will happen is that the "checking iTunes library" box will pop up, load for a little while, and disappear. My cursor will also make it appear that the computer is loading it for a few seconds, and then give up. When checking to see if the program was even running, my task manager doesn't list iTunes. I tried uninstalling iTunes and reinstalling iTunes to the current version (I may have been operating a version behind before), but 10.1 is behaving the same way. I am a music student that relies heavily on listening to iTunes for homework, so any advice ASAP would be GREATLY appreciated! Thank you!

    Quicktime is loading properly and plays videos just fine. Hmm... curiouser and curiouser!
    That is odd ... with the most common causes of an error message free iTunes launch failure, iTunes.exe persists in task manager. The one I check for when iTunes.exe isn't persisting will usually prevent the QuickTime Player from launching.
    Does the problem seem to be systemwide or user-specific, with those terms in the sense used in the following troubleshooting article?
    [iTunes for Windows Vista or Windows 7: Troubleshooting unexpected quits, freezes, or launch issues|http://support.apple.com/kb/TS1717]

  • Ever since the systyem upgraded me to 3.6.6. I can not even run one eight hour day without firefoc either crashing or locking up which requires me use C/A/Deleate to close the program. I used to be able to run 8 to 12 windows at a time and NEVER lock up

    Ever since the systyem upgraded me to 3.6.6. I can not even run one eight hour day without firefoc either crashing or locking up which requires me use C/A/Deleate to close the program. I used to be able to run 8 to 12 windows at a time and NEVER lock up or crash with the older version. Is this problem being looked into and or being corrected. I use Firefox with Google and my system is XP Pro 32 bit. THIS IS REALLY making me MAD. My email is [email protected] and would appreciate a response to this ASAP. I have tried a couple of items from your help section and nothing works.

    <u>'''Anonymous'''</u>
    Please post a separate question. Thank you. https://support.mozilla.com/tiki-ask_a_question.php?locale=en-US&forumId=1
    <u>'''chris'''</u>
    <u>'''''Crashing'''''</u>
    See:
    http://support.mozilla.com/en-US/kb/Firefox+crashes
    http://kb.mozillazine.org/Firefox_crashes
    http://support.mozilla.com/en-US/kb/Firefox+crashes+when+loading+certain+pages
    http://support.mozilla.com/en-US/kb/Firefox+crashes+when+you+open+it
    http://support.mozilla.com/en-US/kb/Firefox+will+not+start
    http://kb.mozillazine.org/Browser_will_not_start_up
    ''<u>'''Hanging'''</u>''
    See: http://support.mozilla.com/en-US/kb/Firefox+hangs
    <u>'''''Hanging at exit'''''</u>
    <u>'''Kill Application'''</u>
    In Task Manager, does firefox.exe show in the <u>'''Processes'''</u> tab?
    See: [http://kb.mozillazine.org/Kill_application Kill Application]
    '''<u>Causes and solutions for Firefox hanging at exit:</u>'''
    [[Firefox hangs]]
    [http://kb.mozillazine.org/Firefox_hangs#Hang_at_exit Firefox hangs at exit]
    [[Firefox is already running but is not responding]]
    ''<u>'''Safe Mode'''</u>''
    You may need to use '''[[Safe Mode]]''' (click on "Safe Mode" and read) to localize the problem. Firefox Safe Mode is a diagnostic mode that disables Extensions and some other features of Firefox. If you are using a theme, switch to the DEFAULT theme: Tools > Add-ons > Themes <u>'''before'''</u> starting Safe Mode. When entering Safe Mode, do not check any items on the entry window, just click "Continue in Safe Mode". Test to see if the problem you are experiencing is corrected.
    See:
    '''[[Troubleshooting extensions and themes]]'''
    '''[[Troubleshooting plugins]]'''
    '''[[Basic Troubleshooting]]'''
    If the problem does not occur in Safe-mode then disable all of your Extensions and Plug-ins and then try to find which is causing it by enabling <u>'''one at a time'''</u> until the problem reappears. <u>'''You MUST close and restart Firefox after EACH change'''</u> via File > Restart Firefox (on Mac: Firefox > Quit). You can use "Disable all add-ons" on the Safe mode start window.
    <u>'''chris'''</u>
    <u>'''''Other Issues'''''</u>: ~~red:You have installed plug-ins with known security issues. You should update them immediately.~~
    <u>'''Update Java'''</u>: your ver. 1.6.0.~~red:17~~; current ver. 1.6.0.20 (<u>important security update 04-15-2010</u>)
    (Firefox 3.6 and above requires Java 1.6.0.10 or higher; see: http://support.mozilla.com/en-US/kb/Java-related+issues#Java_does_not_work_in_Firefox_3_6 )
    ''(Windows users: Do the manual update; very easy.)''
    ~~red:Check your version here~~: http://www.mozilla.com/en-US/plugincheck/
    See: '''[http://support.mozilla.com/en-US/kb/Using+the+Java+plugin+with+Firefox#Updates Updating Java]'''
    Do the update with Firefox closed.
    <u>'''NOTE:'''</u> Java version 1.6.0.21 has been released. It is mainly an update for developers of Java applications and most users do not need to be concerned about downloading version 1.6.0.21. <u>'''''At this time'''''</u>, the update option in existing installations of Java 1.6.0.20 are not updating to version 1.6.0.21; <u>'''''at this time'''''</u>, it must be manually downloaded and installed. According to the Java release notes:
    ''"'''Bug Fixes'''''
    ''Java SE 6 Update 21 does not contain any additional fixes for security vulnerabilities to its previous release, Java SE 6 Update 20. Users who have Java SE 6 Update 20 have the latest security fixes and do not need to upgrade to this release to be current on security fixes."'' Source: http://java.sun.com/javase/6/webnotes/6u21.html
    <u>'''Install/Update Adobe Flash Player for Firefox (aka Shockwave Flash)'''</u>: your ver. 10.0 r~~red:45~~; current ver. 10.1 r53 ('''important security update 2010-06-10'''; see: http://www.adobe.com/support/security/bulletins/apsb10-14.html)
    ~~red:Check your version here~~: http://www.mozilla.com/en-US/plugincheck/
    See: '''[http://support.mozilla.com/en-US/kb/Managing+the+Flash+plugin#Updating_Flash Updating Flash]'''
    -'''<u>use Firefox to download</u>''' and <u>'''SAVE to your hard drive'''</u> (save to Desktop for easy access)
    -exit Firefox (File > Exit)
    -''<u>In Windows,</u>'' check to see that Firefox is completely closed (''Ctrl+Alt+Del, choose Task Manager, click Processes tab, if "firefox.exe" is on the list, right-click "firefox.exe" and choose End process, close the Task Manager window'')
    -''<u>In Windows,</u>'' double-click on the Adobe Flash installer you just downloaded to install/update Adobe Flash
    -when the Flash installation is complete, start Firefox, and test the Flash installation here: http://kb.adobe.com/selfservice/viewContent.do?externalId=tn_15507&sliceId=1
    *<u>'''NOTE: On Vista and Windows 7'''</u> you may need to run the plugin installer as Administrator by starting the installer via the right-click context menu if you do not get an UAC prompt to ask for permission to continue (i.e nothing seems to happen). See this: http://vistasupport.mvps.org/run_as_administrator.htm
    *'''<u>NOTE for IE:</u>''' Firefox and most other browsers use a Plugin. IE uses an ActiveX version of Flash. To install/update the IE ActiveX Adobe Flash Player, same instructions as above, except use IE to download the ActiveX Flash installer. See: [[ActiveX]]
    *Also see: http://kb.mozillazine.org/Flash ~~red:'''''AND'''''~~ [[How do I edit options to add Adobe to the list of allowed sites]]
    <u>'''Update Shockwave for Director (aka Shockwave Player)'''</u>: your ver. ~~red:10.1 (very old)~~; current ver. 11.5.7.609 (<u>important security update released 2010-05-11</u>; see http://www.adobe.com/support/security/bulletins/apsb10-12.html)
    NOTE: this is not the same as Shockwave Flash; this installs the Shockwave Player.
    ~~red:Check your version here~~: http://www.mozilla.com/en-US/plugincheck/
    SAVE the installer to your hard drive (Desktop is a good place so you can find it). When the download is complete, exit Firefox (File > Exit), locate and double-click in the installer you just downloaded, let the install complete.
    See: '''[http://support.mozilla.com/en-US/kb/Using+the+Shockwave+plugin+with+Firefox#_Installing_Shockwave Installing Shockwave]'''
    <u>'''You '''</u>~~red:<u>'''MAY'''</u>~~<u>''' need to Update Adobe Reader for Firefox (aka Adobe PDF Plug-In For Firefox)'''</u>: your ver. N/A; current ver. 9.3.3 (important security update release 06-29-2010; see: http://www.adobe.com/support/security/bulletins/apsb10-15.html)
    ~~red:Check your version here~~: http://www.mozilla.com/en-US/plugincheck/
    See: http://support.mozilla.com/en-US/kb/Using+the+Adobe+Reader+plugin+with+Firefox#Installing_and_updating_Adobe_Reader
    ''<u>You may be able to update from the Adobe Reader installed on your system</u>'' instead of going to the Adobe site and downloading. Open the Adobe Reader installed on your system (''in Windows, Start > Program Files, find and click Adobe Reader to open''), click Help, click Check for Updates.
    ''<u>If you go to the Adobe site to download the current Adobe Reader:</u>''
    -'''<u>use Firefox to download</u>''' and <u>'''SAVE to your hard drive'''</u> (save to Desktop for easy access)
    ~~red:-See the images at the bottom left of this post to see the steps to take on the Adobe site~~
    -exit Firefox (File > Exit)
    -In Windows: check to see that Firefox is completely closed (''Ctrl+Alt+Del, choose Task Manager, click Processes tab, if "firefox.exe" is on the list, right-click "firefox.exe" and choose End process, close the Task Manager window'')
    -In Windows: double-click on the Adobe Reader installer you just downloaded to install/update Adobe Reader
    *<u>'''NOTE: On Vista and Windows 7'''</u> you may need to run the plugin installer as Administrator by starting the installer via the right-click context menu if you do not get an UAC prompt to ask for permission to continue (i.e nothing seems to happen). See this: http://vistasupport.mvps.org/run_as_administrator.htm
    *'''<u>NOTE for IE:</u>''' Firefox and most other browsers use a Plugin. IE uses an ActiveX version. To install/update the IE ActiveX version, same instructions as above, except use IE to download the ActiveX installer. See: [[ActiveX]]
    *Also see: http://kb.mozillazine.org/Adobe_Reader ~~red:'''''AND'''''~~ [[How do I edit options to add Adobe to the list of allowed sites]]

  • Win 7 x64 Itunes and Quicktime Running in Task Manager nothing seen! Help

    Ok I'm running out of ideas- I' I have uninstalled multiple time various version of itunes. It upgraded to 10 automatically then a few days ago it wouldn't run. Looking in task manager itunes and intones helper are running. Thought a simple wipe and reinstall would solve it alas no. Been trying all week various reinstalls of different versions, all the same thing occurs, It appears to be a system wide fault. Disabled Bonjour enabled- no difference. Disabled all windows services aside form the apple ones - no difference. Started in safe mode- itunes refused to start. Gave up and reinstalled 7 and it worked until a reboot (and also it itunes store and ipod drivers for Win 7 x64 are not there) where the same probelm occured. Installed airport seeing if it would update the relevant dodgy files in Bonjour.
    Getting sick of finding why this is happening and I can't;t find where this bug is, and I've spent far too long trailing through the web trying to solve this and not one single one has worked so far!
    Please Help!!

    Sorry, Itunes+Quicktime the intaller neither of them will open (they appear to be running in task manager however). Downlaoding the sperate intaller for Quicktime, the installer on its own, then quicktime runs and opens.

  • Retina display macbook pro and want to run two monitors with only DVI connections

    I have a retina display macbook pro and want to run dual screens using two Yamakasi monitors with DVI connections what do I need to do this,

    Hello TonyLoan,
    Thank you for using Apple Support Communities.
    For more information, take a look at:
    OS X Mavericks: Connect multiple displays to your Mac
    http://support.apple.com/kb/PH13814
    For each display you want to use, connect a video cable (and adapter, if necessary)
    About Apple video adapters and cables
    http://support.apple.com/kb/ht3235
    Apple Mini DisplayPort to DVI Adapter
    Have a nice day,
    Mario

  • How to run process tasks in Xellerate User form sequentially

    I have 2 tasks in the process definition of Xellerate User. One triggers on change in department and the other triggers on manager change. I want the manager task to trigger first and then the department task to run after the values have been updated in the former task. It so happens that always department task is getting triggered first.
    I cannot have task dependency in Xellerate User form. I tried setting the response code in the manager task and have it generate department task. In this case the department task is triggered twice. First time it runs before the manager task. The second time since it is a task to run in the response code of manager task.
    How to make each task run once and have it done sequentially?

    Yes that was my first instinct but I need the old and new values of department and manager. That is possible when I make it a process task.
    Heres what I want to do-
    If there is a change in department of a user, send mail to manager with old and new department values.
    If there is a change in manager when department changes, send mail to old and new manager with old and new department values.

Maybe you are looking for