Can't type in form fields, acts like right mouse click.

Using the mouse pad or magic mouse - anytime I single click in a fillable field it acts like a right or two finger click and will not let me type in the fields. It won't even let me type in URLs.

I have this problem too. I've disabled all add ons except Foxtab 1.4.9 to no avail. The problem goes away when Foxtab is disabled. But I love Foxtab.
Interesting discovery: everything is fine - I can type merrily along like I am here - until I click my mouse. Then the problem occurs. I have to go to another text box, type some stuff then come back. Both my Apple computers are experiencing the same problem. Both have wireless mac mice. Both started the same problem about 3 months ago. Not using my mouse gets round the problem but it's a pain because I am often cutting and pasting text into a text box. Any ideas?

Similar Messages

  • HT201361 After taking the screenshot clicking on my trackpad just acting like right mouse click or 2 finger click. Could you help!

    After taking a screenshot command + Shift + 4, clicking on my trackpad is like right mouse click or 2 finger click. Please help!

    Maybe your trackpad battery is running low? If not I would suggest just restarting your Mac. Post again if those things don't fix your problem and some more involved problem-solving can be attempted.

  • Can I use an animated symbol acting like a mouse cursor?

    Hi,
    I'd like to use an EDGE animated symbol ( a blinking magic wand) as my mouse cursor (hiding the original cursor) that stays on the stage all the time at a certain point in the timeline and when clicked on a hotspot, goes to another point in timeline where the symbol no longer act as a mouse cursor. I used the following code suggested in the following thread by YOSHIOKA Ume
    Re: How to I have an animated symbol follow the coordinates of the cursor when clicked?
    1:create a symbol named "Symbol_1"
    2:add this code on Symbol_1-Timeline.complete.
    //delete this instance when timeline complete. sym.deleteSymbol();
    3:add this code on document.compositionReady.
    //on/off mousemove event handler method
    sym.$("Stage")  
    .mouseover(function(){    
    sym.$("Stage").on("mousemove",draw);  
    //create instance of Symbol_1 on stage.
    function draw(evt){  
    var instance = sym.createChildSymbol("Symbol_1", "Stage");  
    instance.getSymbolElement().css({    
    position:"absolute",    
    top:evt.clientY,    
    left:evt.clientX   });
    But the problem is, the symbol is being repeated/drawn one after another according to the above code, which I don't want. Changing the cursor using CSS requires a URL of a image file, not a symbol inside EDGE as it seems. How can I get back the normal mouse cursor in another point in the timeline (and go back to the animated symbol mode again if needed?). If I click on another hotspot element on the stage, do I actually click on the attached symbol as a cursor? Or the hotspot?
    Also, how can I put a constraint on the cursor so that it stays within a certain rectangular area smaller than the stage?
    A suggestion is much appreciated.

    Here is a example I had to move a symbol around as a mouse cursor and play different part of the symbol timeline based on user action.
    mouseCursor.zip - Google Drive
    To constraint the symbol to stage area,check for the x and y values in the event callback function before moving the symbol.
    To get back the normal cursor set the css back to default
    ex: sym.getSymbol('Stage').getSymbolElement().css({ 'cursor' : 'default'});

  • JList where mouse click acts like ctrl-mouse click

    I'd like to create a JList where I can select multiple items as if the control key were down, but without having the control key down. I thought that perhaps I could do this by extending JList and overriding its processMouseEvent method, setting the MouseEvent object to think that control is pressed and then calling the super method like so, but it doesn't work (I still need to press the control key to get my desired effect):
    import java.awt.Component;
    import java.awt.event.InputEvent;
    import java.awt.event.MouseEvent;
    import javax.swing.*;
    public class Ctrl_Down_JList {
      private static void createAndShowUI() {
        String[] items = {"Sun", "Mon", "Tues", "Wed", "Thurs", "Fri", "Sat"};
        JList myJList = new JList(items) {
          @Override
          protected void processMouseEvent(MouseEvent e) {
            // change the modifiers to believe that control key is down
            int modifiers = e.getModifiers() | InputEvent.CTRL_DOWN_MASK;
            // can I use this anywhere?  I don't see how to change the
            // modifiersEx of the MouseEvent
            int modifiersEx = e.getModifiersEx() | InputEvent.CTRL_DOWN_MASK;
            MouseEvent myME = new MouseEvent(
                (Component) e.getSource(),
                e.getID(),
                e.getWhen(),
                modifiers, // my changed modifier
                e.getX(),
                e.getY(),
                e.getXOnScreen(),
                e.getYOnScreen(),
                e.getClickCount(),
                e.isPopupTrigger(),
                e.getButton());
            super.processMouseEvent(myME);
        JFrame frame = new JFrame("Ctrl_Down_JList");
        frame.getContentPane().add(new JScrollPane(myJList));
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.pack();
        frame.setLocationRelativeTo(null);
        frame.setVisible(true);
      public static void main(String[] args) {
        java.awt.EventQueue.invokeLater(new Runnable() {
          public void run() {
            createAndShowUI();
    }Any ideas would be much appreciated!

    Any ideas would be much appreciated!Here is a hack, idea is same as yours, but using Robot:
    public static void createAndShowUI2() {
         String[] items = { "Sun", "Mon", "Tues", "Wed", "Thurs", "Fri", "Sat" };
         final JList myJList = new JList(items);
         myJList.addMouseListener(new MouseAdapter() {
              Robot robot;
                   try {
                        robot = new Robot();
                   } catch (AWTException ex) {
                        ex.printStackTrace();
              @Override
              public void mouseEntered(MouseEvent e) {
                   if (robot != null)
                        robot.keyPress(KeyEvent.VK_CONTROL);
              @Override
              public void mouseExited(MouseEvent e) {
                   if (robot != null)
                        robot.keyRelease(KeyEvent.VK_CONTROL);
         JFrame frame = new JFrame("Ctrl_Down_JList");
         frame.getContentPane().add(new JScrollPane(myJList));
         frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
         frame.pack();
         frame.setLocationRelativeTo(null);
         frame.setVisible(true);
    }It does work, but there has to be some cleaner way of doing this, perhaps using SelectionModel but I don't know about it.
    Thanks!
    Edit: I found that if Control key is pressed manually, then this hack obviously, to handle this, it has to made dirtier:
    myJList.addMouseListener(new MouseAdapter() {
         Robot robot;
              try {
                   robot = new Robot();
              } catch (AWTException ex) {
                   ex.printStackTrace();
         Timer timer = new Timer(20, new ActionListener() {
              @Override
              public void actionPerformed(ActionEvent e) {
                   if (robot != null)
                        robot.keyPress(KeyEvent.VK_CONTROL);
            @Override
         public void mouseEntered(MouseEvent e) {
              if (robot != null) {
                   robot.keyPress(KeyEvent.VK_CONTROL);
                   timer.start();
            @Override
         public void mouseExited(MouseEvent e) {
              if (robot != null) {
                   robot.keyRelease(KeyEvent.VK_CONTROL);
                   timer.stop();
    });Edited by: T.B.M on Mar 13, 2010 10:06 PM

  • Forms server crashes on right mouse click when loaded on Suse Linux 11

    Hi,
    I have loaded SuSE Linux 11 Enterprise Desktop SP1 on a PC.(1 GB RAM
    I have installed Oracle developer Suite 10.1.2.3 here, when I open the Forms server application here and right click then the Forms server crashes.
    There were a number of bottle necks before I could get to position to actual get the Oracle developer Suite installed in the first place and when that was done, now the Forms Development Server crashes.
    Having said that, the Forms runtime works well here but there are numerous instances where this runtime crashes unexpectedly with a FRM - 92101 error.
    It would be great, to hear from anyone who has got this combination up and working ?
    I believe, I am missing some library or something else?
    Any help is much appreciated.
    Thanks,
    Pradeepa.

    Suse 11 is not supported for use with 10.1.2.x Developer Suite or Application Server
    (See "2.4.3 Linux Operating Environment")
    http://download.oracle.com/docs/cd/B25016_08/doc/dl/core/B16012_04/chap2.htm#i1007814
    http://www.oracle.com/technetwork/middleware/ias/downloads/as-certification-r2-101202-095871.html

  • Yoga 13 MSIE10 can't type into text fields

    New machine Feb 2013 used exclusively in laptop mode. Has been great overall but right out of the box I could not type text into any form fields using Internet Explorer 10. What an intro to Windows 8! Discovered I can type text in notepad, then copy and paste it into fields but cannot enter it directly. This was happening with the factory installed software so if it's a third party app conflict it's one that's original equipment. Thankfully Chrome works fine, but sometimes I need to use MSIE and am quickly reminded why I can't.
    Google and Lenovo forums are mum on this subject. Some suggestions pointed to SFC /scannow, which came up with a litany of things it couldn't fix. Enhanced protected mode in MSIE also did not help. Didn't appear possible to reinstall MSIE (where's the DOJ when you need them?) What's next?  Thank you all for your assistance.

    hi dserdu,
    Welcome to the Forums.
    Are you having this issue on the desktop version of I.E. or the Metro version?
      - if the issue only happens on the metro IE, try to open the Desktop I.E. > press ALT+T > choose Internet options. On the Internet Options, go to the Programs Tab, set I.E. to Always and check the box "Open Internet Explorer tiles on the desktop"
    - Link to picture
    Alternatively, if the issue is compatibility between the website and the I.E. versions, you can run I.E. 10 in compatibility mode or on a lower version (i.e. I.E. 9, I.E. 8., ...etc.). To do this:
    1. Open the Desktop I.E. and press F12
    2. On the developer tools, choose Browser Mode IE 10 and choose an I.E. version (i.e. IE 9)
     - Link to picture
    3. When dnoe, press F12 again and observe if you can now type into text fields.
    Let me know your findings
    Regards
    Did someone help you today? Press the star on the left to thank them with a Kudo!
    If you find a post helpful and it answers your question, please mark it as an "Accepted Solution"! This will help the rest of the Community with similar issues identify the verified solution and benefit from it.
    Follow @LenovoForums on Twitter!

  • I paid for exportpdf and everytime i try to use tool on pdf, it asks me to subscribe. i have to log into website EVERY time. not acceptable.  how can i export only form fields that were filled in?

    i paid for exportpdf and every time i try to use tool on pdf, it asks me to subscribe. i have to log into website EVERY time. not acceptable. Some forms can't be saved so having to log in and only use webtool to upload a saved pdf won't work.
    as well, how can i export only form fields that were filled in if I can get pdf to save to computer?

    Hi kstine,
    I can see why that would be frustrating! Have you tried selecting Stayed Signed In underneath the Adobe ID and Password boxes when you try to log in?
    What did you use to create the PDF form? If you used FormsCentral, form data is saved to your online FormsCentral account. If you have Acrobat, you can export form data as described  here: Adobe Acrobat X Pro * Manage form data files
    Best,
    Sara

  • Can we selectively flatten form fields in a PDF file?

    I have a PDF with some form fields in it. I want to selectively flatten a few form fields in the PDF using a java API. I have checked the documentation and found a method transformPDF in the OutputServiceService. But this method flattens all the form fields in the PDF document.
    Can we selectively flatten form fields in a PDF file? If yes how?
    This was possible in Adobe Document Server V6.
    Regards,
    Ragha

    You will need an event in the form that will indicate that you want the flattening done. Once you determine what that is it is simply a single statement for each field:
    fieldname.access = "readOnly";
    Now when the form is rendered, the user will not be able to get access to these fields.

  • When I use Mail and want to paste an emailadress with a right mouse click in the adres field this doesn't work, ofcourse cmd V  works. How can I solve this

    when I use Mail and want to paste an emailadress with a right mouse click in the adres field this doesn't work, ofcourse cmd V  works. How can I solve this

    YAY!  That did it.
    Thank you so much.
    And a Very Happy and Prosperous New Year to you!
    bonnie

  • CAN NOT write text on some webpages like googlemail if use right mouse click, last copied text gets pasted in against my will Macbook pro: OSX 10.6.8 Firefox,

    I would like to use right mouse click for spelling translate but when I click it pastes the last copied text in instead of opening the menu it happens on many webpages.
    thanks for help
    Elkan

    still having same problems.
    is this the only way to get support from firefox? where are the developers that write the code? or someone directly responsible for the product? i don't expect an end user to help but this is ridiculous. the windows version works fine but the mac version doesn't. i'm running both on the same machine so it's not the hardware (running windows as a virtual guest in parallels).

  • Diable "open dialog box" on right mouse click so I can use l mouse to advance to next slide and r mouse click to "go back."  How in PP 2010 for mac????

    I do presentations in PP10.  I am new to macair, and used to Windows.  HOW DO I DISABLE THE "OPEN DIALOG BOX ON RIGHT CLICK"?  I would like to use L mouse to advance slide, and R mouse to go back.  The default is to use R mouse to open dialog box.  I can disable this by unchecking the box in "advanced" on the PC.  How do I do it with the Mac????
    Thanks
    hacmd

    Hi Rod,
    As originally stated in my opening post, the SWF is to be inserted into an Articulate '13 slide (what I called an aggregator originally - I tried not to bring them up since I don't want the chatter about "There's your problem - using Articulate"! ).
    Recall that posting this published file to our LMS did not allow right-mouse click functionality as the flash player menu just gets in the way.
    If I insert the captivate 6 files into Articulate as a Web Object (referencing the entire folder with html, htm and assets, and then posted to our LMS, and it DOES allow RM click operations in both IE and FF (although no sound on the Captivate slide in FF). But this is not what we want to do as this introduces 2 navigation controls (the Captivate one and the Articulate Player).
    Why must anything be posted to a web server for this functionality to work?
    I am able to go into the Captivate 6's published folder, and launch the Captivate demonstration by simply double clicking on the index.html file and this works great in both FF and IE after changing the security settings for flash.
    Again - I can not believe I am the only one out there trying to use the right-mouse click feature to do a software simulation by embedding the Captivate SWF into an Articulate '13 project.

  • How can i run a jar file as EXE on mouse click..

    *{color:#0000ff}how can i run a jar file as EXE on mouse click..is it possible in any way?????????{color}*

    amrit_j2ee wrote:
    *{color:#0000ff}how can i run a jar file as EXE on mouse click..is it possible in any way?????????{color}*Do you mean converting it from a jar file to an EXE file or do you mean that you would like to run the application by just double clicking it?
    If it's the latter then you need to make the jar file including a manifest.
    The manifest can be just a txt file with its content to be something like this:
    Manifest-Version: 1.0
    Ant-Version: Apache Ant 1.7.1
    Created-By: Somebody
    Main-Class: NameOfTheMainClass
    Class-Path:
    X-COMMENT: Main-Class will be added automatically by buildTo make the jar file including the manifest, use something like this in your command prompt (of course you must have compiled your java file(s) first):
    jar cfm test.jar MANIFEST.txt NameOfTheMainClass.classAfter that you'd be able to run your application just by double clicking it.
    If you're a NetBeans user, you can build your standalone application by right-clicking your project and then going to properties => run => and choosing a Main class. After that right click on that project and "Clean and Build", locate the jar file in the "dist" folder and double click it =]
    Hope it helps,
    LD

  • Can a right mouse click be simulated from keyboard ?

    When a cell has focus and I click the right mouse button, I pop up a JPopupMenu. I would like to simulate a right mouse click using some keystroke combination from the keyboard. Is this possible ?

    You can Grab key pressed even then try to create new Mouse right click event from there somethng like that
    MouseEvent= new MouseEvent(Component source, int id, long when, int modifiers, int x, int y, int clickCount, boolean popupTrigger)
    source - the Component that originated the event
    id - the integer that identifies the event
    when - a long int that gives the time the event occurred
    modifiers - the modifier keys down during event (shift, ctrl, alt, meta)
    x - the horizontal x coordinate for the mouse location
    y - the vertical y coordinate for the mouse location
    clickCount - the number of mouse clicks associated with event
    popupTrigger - a boolean, true if this event is a trigger for a popup-menu
    You can pass Id it hing that will decide wheather it is right or left click

  • I am using FireFox 4. Where is the "Bookmark All Tabs-" feature. I would like to save my Tabs for a later session. The selection is not on the menu when I right-mouse click or go to the Bookmarks feature of the Menu.

    Missing "Bookmark All Tabs…" feature which was in previous versions of FireFox 3.x. If you right-mouse click on a neutral part of the Browser window, there would be choice of "Bookmark this page" or "Bookmark All Tabs…". I have been unable to find it either in the sub-menu or the BOOKMARK selection from the Menu Bar.

    What do you mean by Tabs sub-menu is it right-clicking on a tab ?
    I know that "ctrl-shift-D" still work.
    I know that a right-click on a tab gives the "Bookmark all Tabs" function.
    But I would like to see it back in the Bookmarks menu. (which is its logical place)
    Because today the choice only disappeared from the menu as it is still reachable through keyboard shortcut or through mouse right-click on a tab
    but tomorrow it will totally disappear and personally I don't want that as this is one of my favorite functionality.
    Tank you for your understanding !

  • Earliar i can remove any selection in the page from right mouse key now i can't

    earliar i can remove any selection in the page from right mouse key now i can't

    See this article for some suggestions: [[Firefox has just updated tab shows each time you start Firefox]]
    See also http://kb.mozillazine.org/Preferences_not_saved and [[Preferences are not saved]]
    * [[How to set the home page]] - Firefox supports multiple home pages separated by '|' symbols

Maybe you are looking for

  • The currency is not getting updated in the table VBAP

    Hi , The currency is not getting updated in the table VBAP. The currency was suppossed to be copied from the header table VBAK for a Sales Order. When the user creating a Sales Order the currency WAERK is not shown in VBAP table. VBAK-WAERk is in EUR

  • Oracle Install Base Interface Error

    Error: The source item instance 33604, in Subinventory 4131, for Organization 734 in Oracle Install Base does not exist. Please verify that any receipt transations were successful. I have checked values by running the following SQL: select Instance_I

  • SAP R/3 Time & Travel Module_CRM Integration

    Hi Folks, I've a situation where my fields sales people record expenses and time on their laptops and synronize with core R/3 FI, HR. I undersatnd, there is a component on Mobiles Sales called "Time&Travel". Could you please share some thoughts on In

  • Infinity 'free' upgrade

    So, I got a l letter from BT today saying that they were going to upgrade my broadband (currently option 2) to infinity for free. Quote: "There will be no change to your existing contract term or charges - the amount you pay will remain the same." Gr

  • 10.4 install trashes Airport on Powerbook g4

    After installing 10.4.6 on my Powerbook G4 17 1.5ghz I am warned that extension AppleAirPort2.kext will not work and must be reinstalled. Also my airport is disabled in Networks. I tried the update to 10.4.10 and still the same problem. My wife has t