How to instruct Acrobat to search for dependent DLLs in plugins subfolder

My plugin has a few DLL dependencies that cannot be located using the standard windows location, and I am not able to statically link them at present.  Acrobat can quite happily load dependent DLLs that are located in the plugins folder, but not so in sub-folders from the plugins folder.  This seems a little strange, as I can put my plugin dll (.api) in there and Acrobat can load it from there.  How do I resolve this situation?  Is there a way (without altering the windows path) to have Acrobat look for dependent DLLs in the plugin subfolders where the .api is located?  I guess I could convert everything to loadlib, but I'd really prefer not to.
Thanks
Simon

Hi
If it's greyed out, either the plug-in is missing, the preference file is possibly corrupt, or this is another example of how Adobe expresses its version of "creativity" on the Mac platform.
Tongue-in-cheek aside, I don't have CS3, so I can only speculate here. Other than the possible missing plug-in, or preference file corruption, I wonder if installing Adobe Reader frees up the greyed area via Reader's preference file?

Similar Messages

  • How to do complex file search for "word" unknown characters "word" .file extension?

    How to do complex file search for "word" unknown characters "word" .file extension?

    Using spotlight in Finder helps. Do you know how to search for files in Finder?

  • How do I run a search for all photos on my iMAc?

    How do I run a search for all photos on my iMAc?
    Looking for something like search assistant...
    actually on an Ext Hard drive.

    open a finder window by clicking on mr. smiley face and then click on ALL PHOTO's on the bottom right

  • How to extend  breadth first Search for Binary Tree to any kind of Tree??

    Dear Friends,
    I am thinking a problem, How to extend breadth first Search for Binary Tree to any kind of Tree?? ie each node has more than 2 leaves such as 1, 2,3,4 or any,
    I have following code to successfully apply for breadth first Search in Binary Tree as follows,
    package a.border;
    import java.util.ArrayList;
    import java.util.LinkedList;
    public class Tree
        int root;
        Tree left;
        Tree right;
        static ArrayList<Integer> list = new ArrayList<Integer>();
        static ArrayList<Tree> treeList = new ArrayList<Tree>();
        private static LinkedList<Tree> queue = new LinkedList<Tree>();
         * @param root root value
         * @param left left node
         * @param right right node
        public Tree(int root, Tree left, Tree right)
            this.root = root;
            this.left = left;
            this.right = right;
        /** Creates a new instance of Tree
         * You really should know what this does...
         * @param root
        public Tree(int root)
            this.root = root;
            this.left = null;
            this.right = null;
         * Simply runs a basic left then right traversal.
        public void basicTraversal()
            //Check if we can go left
            if (left != null)
                left.basicTraversal();
            //Add the root
            list.add(root);
            //Check if we can go right
            if (right != null)
                right.basicTraversal();
        public ArrayList<Integer> getBreadthTraversal(ArrayList<Integer> list)
            //Add the root to the arraylist, we know it is always the first entry.
            list.add(root);
            //Basically we add the first set of nodes into the queue for
            //traversing.
            //Query if left exists
            if (left != null)
                //Then add the node into the tree for traversing later
                queue.add(left);
            //Same for right
            if (right != null)
                queue.add(right);
            //Then we call the traverse method to do the rest of the work
            return traverse(list);
        private ArrayList<Integer> traverse(ArrayList<Integer> list)
            //Keep traversing until we run out of people
            while (!queue.isEmpty())
                Tree p = queue.remove();
                //Check if it has any subnodes
                if (p.left != null)
                    //Add the subnode to the back of the queue
                    queue.add(p.left);
                //Same for left
                if (p.right != null)
                    //Same here, no queue jumping!
                    queue.add(p.right);
                //Append to the ArrayList
                list.add(p.root);
            //And return
            return list;
         * Makes a tree and runs some operations
         * @param args
        public static void main(String[] args)
             *                             4
             *          t =           2       6
             *                      1   3    5   7
            Tree leaf6 = new Tree(1);
            Tree leaf7 = new Tree(3);
            Tree leaf8 = new Tree(5);
            Tree leaf9 = new Tree(7);
            Tree t4 = new Tree(2, leaf6, leaf7);
            Tree t5 = new Tree(6, leaf8, leaf9);
            Tree t = new Tree(4, t4, t5);
            t.basicTraversal();
            System.out.println("Here is basicTraversal ="+list.toString());
            list.clear();
            t.getBreadthTraversal(list);
            System.out.println("getBreadthTraversal= " +list.toString());
            list.clear();
        }Can Guru help how to update to any kind of tree??
    here this code is for the tree like:
             *                             4
             *          t =           2       6
             *                      1   3    5   7
             */But i hope the new code can handle tree like:
             *                             4
             *                           /   | \
             *                          /     |   \
             *          t =            2     8   6
             *                        / |  \    |    /| \
             *                      1 11  3 9   5 10  7
             */Thanks

    sunnymanman wrote:
    Dear Friends,
    I am thinking a problem, How to extend breadth first Search for Binary Tree to any kind of Tree?? ...The answer is interfaces.
    What do all trees have in common? And what do all nodes in trees have in common?
    At least these things:
    interface Tree<T> {
        Node<T> getRoot();
    interface Node<T> {
        T getData();
        List<Node<T>> getChildren();
    }Now write concrete classes implementing these interfaces. Let's start with a binary tree (nodes should have comparable items) and an n-tree:
    class BinaryTree<T extends Comparable<T>> implements Tree<T> {
        protected BTNode<T> root;
        public Node<T> getRoot() {
            return root;
    class BTNode<T> implements Node<T> {
        private T data;
        private Node<T> left, right;
        public List<Node<T>> getChildren() {
            List<Node<T>> children = new ArrayList<Node<T>>();
            children.add(left);
            children.add(right);
            return children;
        public T getData() {
            return data;
    class NTree<T> implements Tree<T> {
        private NTNode<T> root;
        public Node<T> getRoot() {
            return root;
    class NTNode<T> implements Node<T> {
        private T data;
        private List<Node<T>> children;
        public List<Node<T>> getChildren() {
            return children;
        public T getData() {
            return data;
    }Now with these classes, you can wite a more generic traversal class. Of course, every traversal class (breath first, depth first) will also have something in common: they return a "path" of nodes (if the 'goal' node/data is found). So, you can write an interface like this:
    interface Traverser<T> {
        List<Node<T>> traverse(T goal, Tree<T> tree);
    }And finally write an implementation for it:
    class BreathFirst<T> implements Traverser<T> {
        public List<Node<T>> traverse(T goal, Tree<T> tree) {
            Node<T> start = tree.getRoot();
            List<Node<T>> children = start.getChildren();
            // your algorithm here
            return null; // return your traversal
    }... which can be used to traverse any tree! Here's a small demo of how to use it:
    public class Test {
        public static void main(String[] args) {
            Tree<Integer> binTree = new BinaryTree<Integer>();
            // populate your binTree
            Tree<Integer> nTree = new NTree<Integer>();
            // populate your nTree
            Traverser<Integer> bfTraverser = new BreathFirst<Integer>();
            // Look for integer 6 in binTree
            System.out.println("bTree bfTraversal -> "+bfTraverser.traverse(6, binTree));
            // Look for integer 6 in nTree
            System.out.println("bTree bfTraversal -> "+bfTraverser.traverse(6, nTree));
    }Good luck!

  • During installation of Adobe Photoshop Lightroom 4 the program is searching for msvr100.dll which is not available in windows 7 files. What to do?

    During installation from DVD of Adobe Photoshop Lightroom 4 the program is searching for msvr100.dll which is not available in my Windows 7 files. What to do?

    This provides those files Error "Unable to start correctly - 0Xc00007b"

  • How reinstall Adobe Acrobat 9 Standard for Windows 7

    How to reinstall Adobe Acrobat 9 Standard for Windows 7

    I don't believe there is any download available for Standard versions that old, but if you have a disc copy you can try using that.

  • How do you do a search for multiple occurences of the same word in a NOTE?

    How do you search for multiiple occurences of a word in NOTES?  I seem only to be able to find the first occurence and then it goes into a loop, never past the first occurence.

    I want to find all the same words in ONE NOTE. It is a very loong list and I want to find all cccurences of a specific word in that one NOTE when I do a search. I thought I had solved this earlier today but now I can't seem to repeat it. I type in word in the SEARCH box, select the NOTE and then it shows me the FIRST occurence in that note, but only the first,

  • How to make wild card search for a file using utl_file

    Hi Everyone,
    I want to write to a table from flat file.im using 9i release 2. can i perform filename* (wildcard) search n write to the matching files.
    Regards
    Manish

    Sorry can i write from those files which matches the search criteria i mean the wildcard search
    for e.g COVhj*

  • How to stop Mail from searching for sender's image?

    When I'm going through messages in Mail, it won't display the message in the preview pane for several seconds until it completes the "Searching for sender's image" process. I have a large address book with several thousand entries. Is there a way to prevent Mail from searching for the contact's image in the Address Book? This wasn't an issue in 10.4.11.
    Here's a screenshot:
    http://img55.imageshack.us/img55/6007/001rz6.jpg

    The iPhone data plans are unlimited, so you shouldnt be concerned about cost. That being said, it is ANNOYING to have all accounts (I have six) check email just because I launch the mail app. And if I follow a URL in an email to Safari, then come back to Mail, it checks AGAIN.
    Nope, there is not way to stop if from doing that short of turning the account OFF under Mail Settings, which is even MORE inconvenient. I went to http://www.apple.com/feedback/iphone.html and left them a message. Perhaps you should do the same.

  • HT1926 I was prompted to install iTunes 11.1.4 this morning. It failed (first time EVER) with the comment that 'msvcr80.dll' was not available. Upon searching for that .dll in my computer, I found it to be all over the place! Thoughts?

    I've NEVER had a version update fail. I did go to 'Tools' and download for a manual install of this update as the info screen suggested. It, too, failed. After searching for the 'missing' msvcr80.dll on my computer, I found it all over the place!
    Ran a malware & virus scan with nothing evil popping up.
    Tried going back to a restore point before a previous update and doing the install. It failed.
    OS: Vista Home Premium x64, SP2 (and current with all MS updates)
    Now I'm pretty nervous re: syncing with ANYTHING-especially my iPod that has all my music I teach from at work.

    Solving the iTunes Installation Problems in Windows
    1. Apple has posted their solution here: iTunes 11.1.4 for Windows- Unable to install or open - MSVCR80 issue.
    2. If the Apple article does not fully resolve the problem for you, then try Troubleshooting issues with iTunes for Windows updates - MSVCR80.

  • How to remember what I search for in Interactive Report's search field

    Hi.
    I made Cro-Eng dictionary using Interactive Report by joining two table columns of Croatian and English word. Now I want to remember every word that I write in the search field of Interactive Report by filling the table SEARCHEDWORDS which has two columns WORD and DATE, so that I can see all the searches that were made and the date they were made. Is it possible? Do I need triggers for that, or do I do it through processes in edit page of Interactive report? something like INSERT INTO SEARCHEDWORDS (WORD, DATE)
    VALUES (?SOMETHING?, SYSDATE);

    Hi Tihomir,
    The last step is Javascript so you'll need to create an HTML region and wrap the code in &lt;script&gt; tags. The Javascript basically overwrites the default actions to refresh the IR report. Instead it says to call a custom function which first logs the search request then makes a request to refresh the IR region.
    jQuery is used to help manipulate these links. jQuery is a javascript library. You can read more about it at jquery.com. To see more examples, Insum has an excellent jQuery for APEX page: http://apex.oracle.com/pls/otn/f?p=987654321:home:0
    If you have multiple IR pages then you can include the code on Page 0 or on each of those pages. Since you're trying to log information for several different IR you may want to add some extra columns to your log table to include which IR the searches belong to. You'll also need to update your application process and (depending on your requirements) some of the javascript code.
    Martin
    [http://apex-smb.blogspot.com/]

  • How to use the spotlight search for photos imported onto an apple ipod model MB528BT

    I have an apple ipod model MB528BT version 4.2.1 (8C148) Im think its an iPod touch as opposed to the old iPod but cannot be certain. So first of all does this model number mean anything and/or can I confirm myself via the unit itself?
    Assuming its an iPod Touch my question is :-
    I have copied photos from a dvd I purchased for identifying birds onto my iMac which I readily search via spotlight.
    Having downloaded these photos onto my ipod when I conduct a spotlight search it only finds the birdsong but not the image! Cannot get into settings for spotlight to set for images. If of course this is the answer.
    Anyone know the answer please!
    Thanks David

    "also i use imessage alot so when somebody sends a message who will get it the ipad or the ipod?"
    Both
    You can sync as many ipods/ipads/iphones as you like to one computer.

  • How to setup man pages search for ODSEE 11g commands

    Hey guys
    Trying to setup man path for all the commands on a RHEL machine.
    Our .bash_profile looks like
    ========================
    PATH=$PATH:$HOME/bin:/test/dsee7/dsrk/bin/:/test/dsee7/bin/
    MANPATH=/test/dsee7/resources/man:$MANPATH
    export MANPATH
    export PATH
    ======================
    But when we do "man dsadm" we get
    No manual entry for dsadm
    Are we doing something wrong? how to fix it?
    Ta

    Actually this is what I have done and now it seems to be working..
    can someone confirm if it looks ok for RHEL zip setup of ODSEE
    ===========================
    PATH=$PATH:/test/dsee7/dsrk/bin/:/test/dsee7/bin/
    MANPATH=/test/dsee7/resources/man:$MANPATH
    MANSECT=$MANSECT:1:1m:4:5dpconf:5dsat:5dsconf:5dsoc:5dssd
    export PATH MANPATH MANSECT
    ============================

  • How to I run a search for "History" inside Newstands?

    I don't want to search all apps, just the newstand for history mags...

    open a finder window by clicking on mr. smiley face and then click on ALL PHOTO's on the bottom right

  • HT1349 Latest update is slowing outlook as it searches for mobileme dll.  How do I stop that?

    I downloaded Apple updates four days ago and when I open outlook on my PC it stalls a long time while looking for mobileme and it can't find mobileme .dll  What can I do?

    Do a malware check with some malware scanning programs.<br />
    You need to scan with all programs because each program detects different malware.<br />
    Make sure that you update each program to get the latest version of their databases before doing a scan.<br />
    * http://www.malwarebytes.org/mbam.php - Malwarebytes' Anti-Malware
    * http://www.superantispyware.com/ - SuperAntispyware
    * http://www.microsoft.com/windows/products/winfamily/defender/default.mspx - Windows Defender: Home Page
    * http://www.safer-networking.org/en/index.html - Spybot Search & Destroy
    * http://www.lavasoft.com/products/ad_aware_free.php - Ad-Aware Free
    See also:
    * "Spyware on Windows": http://kb.mozillazine.org/Popups_not_blocked

Maybe you are looking for

  • Removing played podcasts from iTouch

    Does anyone have any advice on the best way to remove played podcasts from my touch? I have my synch settings set to sych only all unplayed. If I just delete the podcasts, they get added back in because iTunes doesn't see them as having been played.

  • Email address just started included quotes

    An email address that I'd saved and recently had to update now includes quotes (i.e., "name"@gmail.com instead of [email protected]) when it fills in with auto recognize. It doesn't have the quotes in the address book, or when I open a new email from

  • Feedback on your experience with ATV upscaling to ~ 50" plasma

    Can anyone provide feedback with their experience on resolution playing movies on a 1080 50" plasma? Currently we are viewing on a temporary solution LCD HD 24." My ultimate plan is to replace my ATV with a mac mini, but for now wondering about the u

  • Dreamweaver MX  keeps crashing

    Hello, I used to use DW MX on my "old" G4 Mac and it worked great. I know it's old. I recently upgraded to a Macbook Pro using Leopard and tried to install the DW and it keeps crashing. I'm really not into designing websites any longer and really hat

  • SocketException * 2 please help

    Can anyone help with this long time problem. I am trying to write a small HTTP proxy app' to filter content using Sockets etc. Therefore I have a DataInputStream reading from a web server following a GET, and a DataOutputStream to write back to the c