N96 Keyboard lock problem

Hi everybody.
With my old n95 when i closed the slide the keyboard was locked. when i opened it it was unlocked again.
With my new N96 when i close the slide it doesn't lock. it locks itself in a certain amount of time (i put it on 10s), but i can't seem to unlock it with a key.
Can't find the unlock key...
help me!

Refer to the "Getting Started" guide that came with the phone. It'll show you the location of the keypad lock switch. It's a good idea to look at the documentation sometimes...
Was this post helpful? If so, please click on the white "Kudos!" star below. Thank you!

Similar Messages

  • Keyboard-lock of swing program on Linux box

    We are developing swing program on Linux, and we often meet keyboard-lock issues.
    I try to simplify some of them to small programs, and still meet keyboard-lock.
    Here I post two programs to show the error:
    //---first ----------------------------------------------
    package test;
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import java.util.*;
    public class KeyLock extends JFrame {
      JPanel contentPanel = new JPanel();
      JPanel wizardToolPan = new JPanel();
      JButton btnBack = new JButton("Back");
      JButton btnNext = new JButton("Next");
      JButton btnAbout = new JButton("About");
      public static final String aboutMsg =
              "<html>  This program will help to find keyboard lock problems, two way to reproduce:<br><br>" +
              "1 - press Alt+N to navigate next, and don't release keys untill there are no more next page, <br>" +
              "then try Alt+B to navigate back and also don't release keys untill page 0,<br>" +
              "repeat Alt+N and Alt+B again and again, keyboard will be locked during navigating. <br><br>" +
              "2 - press Alt+A in main window, it will popup an about dialog,<br>" +
              "then press down space key and don't release, <br>" +
              "the about dialog will be closed and opened again and again,<br>" +
              "keyboard will be locked sooner or later." +
              "</html>";
      public KeyLock() {
        this.setDefaultCloseOperation(EXIT_ON_CLOSE);
        this.setTitle("Keyboard lock test");
        getContentPane().setLayout(new BorderLayout());
        btnBack.setMnemonic('B');
        btnBack.addActionListener(new ActionListener() {
          public void actionPerformed(ActionEvent e) {
            KeyLock.this.goBack(e);
        btnNext.setMnemonic('N');
        btnNext.addActionListener(new ActionListener() {
          public void actionPerformed(ActionEvent e) {
            KeyLock.this.goNext(e);
        btnAbout.setMnemonic('A');
        btnAbout.addActionListener(new ActionListener() {
          public void actionPerformed(ActionEvent e) {
            JOptionPane.showMessageDialog(KeyLock.this, aboutMsg, "About", JOptionPane.INFORMATION_MESSAGE);
        contentPanel.setLayout(new BorderLayout());
        contentPanel.setPreferredSize(new Dimension(400, 250));
        contentPanel.setMinimumSize(new Dimension(400, 250));
        wizardToolPan.setLayout(new FlowLayout());
        wizardToolPan.add(btnBack);
        wizardToolPan.add(btnNext);
        wizardToolPan.add(btnAbout);
        this.getContentPane().add(contentPanel, java.awt.BorderLayout.CENTER);
        this.getContentPane().add(wizardToolPan, java.awt.BorderLayout.SOUTH);
        this.setSize(400, 300);
        this.createContentPanels();
        this.showCurrent();
      private Vector<JPanel> slides = new Vector<JPanel>();
      private int current = 0;
      private void createContentPanels() {
        for (int j = 0; j < 20; ++j) {
          JPanel p = new JPanel(new FlowLayout());
          p.add(new JLabel("Page: " + j));
          p.add(new JTextField("Page: " + j + ", input something here", 20));
          p.add(new JTextField("Page: " + j + ", input something here", 20));
          p.add(new JTextField("Page: " + j + ", input something here", 20));
          p.add(new JLabel("Input something in password box:"));
          p.add(new JPasswordField(20));
          p.add(new JCheckBox("Try click here, focus will be here."));
          p.add(new JRadioButton("Try click here, focus will be here."));
          slides.add(p);
      public void showCurrent() {
        if (current < 0 || current >= slides.size())
          return;
        JPanel p = slides.get(current);
        this.contentPanel.add(p, java.awt.BorderLayout.CENTER);
        this.pack();
        Component[] comps = p.getComponents();
        if (comps.length > 0) {
          comps[0].requestFocus(); // try delete this line
        this.repaint();
      public void goNext(ActionEvent e) {
        if (current + 1 >= slides.size())
          return;
        this.contentPanel.remove(slides.get(current));
        current++;
        sleep(100);
        this.showCurrent();
      public void goBack(ActionEvent e) {
        if (current <= 0)
          return;
        this.contentPanel.remove(slides.get(current));
        current--;
        sleep(100);
        this.showCurrent();
      public static void sleep(int millis) {
        try {
          Thread.sleep(millis);
        } catch (Exception e) {
          e.printStackTrace();
      public static void main(String[] args) {
        KeyLock wizard = new KeyLock();
        wizard.setVisible(true);
    }The first program will lead to keyboard-lock in RHEL 4 and red flag 5, both J2SE 5 and 6.
    //---second -----------------------------------------
    package test;
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;
    public class KeyFocusLost extends JFrame {
      private JButton btnPopup = new JButton();
      private JTextField jTextField1 = new JTextField();
      private JPasswordField jPasswordField1 = new JPasswordField();
      private JPanel jPanel1 = new JPanel();
      private JScrollPane jScrollPane3 = new JScrollPane();
      private JTree jTree1 = new JTree();
      private JButton btnAbout = new JButton("About");
      public static final String aboutMsg =
              "<html>  This program is used to find keyboard focus lost problem.<br>" +
              "Click 'popup' button in main window, or select any node in the tree and press F6,<br>" +
              "a dialog popup, and click ok button in the dialog,<br>" +
              "keyboard focus will lost in main window." +
              "</html>";
      public KeyFocusLost() {
        this.setDefaultCloseOperation(EXIT_ON_CLOSE);
        this.setTitle("Keyboard focus test");
        getContentPane().setLayout(null);
        btnPopup.setBounds(new Rectangle(33, 482, 200, 35));
        btnPopup.setMnemonic('P');
        btnPopup.setText("Popup and lost focus");
        btnPopup.addActionListener(new ActionListener() {
          public void actionPerformed(ActionEvent e) {
            PopupDialog dlg = new PopupDialog(KeyFocusLost.this);
            dlg.setVisible(true);
        btnAbout.setBounds(new Rectangle(250, 482, 100, 35));
        btnAbout.setMnemonic('A');
        btnAbout.addActionListener(new ActionListener() {
          public void actionPerformed(ActionEvent e) {
            JOptionPane.showMessageDialog(KeyFocusLost.this, aboutMsg, "About", JOptionPane.INFORMATION_MESSAGE);
        jTextField1.setText("Try input here, and try input in password box below");
        jTextField1.setBounds(new Rectangle(14, 44, 319, 29));
        jPasswordField1.setBounds(new Rectangle(14, 96, 319, 29));
        jPanel1.setBounds(new Rectangle(14, 158, 287, 291));
        jPanel1.setLayout(new BorderLayout());
        jPanel1.add(new JLabel("Select any node in the tree and press F6."), java.awt.BorderLayout.NORTH);
        jPanel1.add(jScrollPane3, java.awt.BorderLayout.CENTER);
        jScrollPane3.getViewport().add(jTree1);
        Object actionKey = "popup";
        jTree1.getInputMap().put(KeyStroke.getKeyStroke(KeyEvent.VK_F6, 0), actionKey);
        jTree1.getActionMap().put(actionKey, new AbstractAction() {
          public void actionPerformed(ActionEvent e) {
            PopupDialog dlg = new PopupDialog(KeyFocusLost.this);
            dlg.setVisible(true);
        this.getContentPane().add(jTextField1);
        this.getContentPane().add(jPasswordField1);
        this.getContentPane().add(jPanel1);
        this.getContentPane().add(btnPopup);
        this.getContentPane().add(btnAbout);
      public static void main(String[] args) {
        KeyFocusLost keytest = new KeyFocusLost();
        keytest.setSize(400, 600);
        keytest.setVisible(true);
      static class PopupDialog extends JDialog {
        private JButton btnOk = new JButton();
        public PopupDialog(Frame owner) {
          super(owner, "popup dialog", true);
          setDefaultCloseOperation(DISPOSE_ON_CLOSE);
          this.getContentPane().setLayout(null);
          btnOk.setBounds(new Rectangle(100, 100, 200, 25));
          btnOk.setMnemonic('O');
          btnOk.setText("OK, then focus lost");
          btnOk.addActionListener(new ActionListener() {
            public void actionPerformed(ActionEvent e) {
              PopupDialog.this.getOwner().toFront();
              try {
                Thread.sleep(100); // try delete this line !!!
              } catch (Exception ex) {
                ex.printStackTrace();
              PopupDialog.this.dispose();
          this.getContentPane().add(btnOk);
          this.getRootPane().setDefaultButton(btnOk);
          this.setSize(400, 300);
    }The second program will lead to keyboard-focus-lost in RHEL 3/4 and red flag 4/5, J2SE 5, not in J2SE 6.
    And I also tried java demo program "SwingSet2" in red flag 5, met keyboard-lock too.
    I guess it should be some kind of incompatibleness of J2SE with some Linux platform. Isn't it?
    Please help, thanks.

    Hi.
    I have same problems on Ubuntu with Java 6 (all versions). I would like to use NetBeans or IntelliJ IDEA but it is not possible due to keyboard locks.
    I posted this bug
    https://bugs.launchpad.net/ubuntu/+bug/174281
    before I found some info about it:
    http://forums.java.net/jive/thread.jspa?messageID=189281
    http://bugs.sun.com/bugdatabase/view_bug.do?bug_id=6506617
    http://bugs.sun.com/bugdatabase/view_bug.do?bug_id=6568693
    I don't know from which part this bug comes, but I wonder why it isn't fixed yet. Does anybody else use NetBeans or IntelliJ IDEA on linux with Java 6 ?
    (I cannot insert link :\ )

  • Software 5 update problem with keyboard lock key

    I just downloaded the software update v5 and when it was all done my keyboard lock key stopped working, has anybody else had this problem? any solutions other than a downgrade?

    I also have this problem after installing version 5.0.0.508. It appears that I no longer have an option for locking the keyboard. When I select Options/Screen/Keyboard and select Left Side Convienence Key Options it does not show up in the list of selectable options.

  • BPS keyboard lock issues

    Hi all,
    I've various layouts for forecasting.I execute the planning folder to enter forecasting values.
    My problem is -
    Sometimes when I log into the screen(after executing the plng folder) for the first time, the keyboard locks and you have to click on the check button to enable it. Can this be solved?
    Any help will be appreciated.
    Thanks in advance.
    Isha

    Hi,
    This has happen to me very often...if you execute planning folders with excel as the front end.
    The keyboard is not locked but even if a cell is selected and you enter digits...they just don't appear. Surprisingly, digits entered become part of the excel macros. When you press refresh the macro debugger gets started as the code (with the digits just added) is wrong. It's a nightmare.
    This does not happen in all our computers. If you select a cell by double clicking over it...the system works fine.
    Yes, strange but true.
    Alberto Sabate

  • Keyboard locked and frozen

    hi.
    since i installed arch64 on my new machine,  my keyboard randomly froze and i can't type anything with it anymore. I had everytime to log out from X. and then i can use it again.
    when it is locked even typing a key like capslock or numlock do not change the led on the keyboard
    so though i first thought it was an hardware problem with the usb dell keyboard, i think now it has to do with kde or X.
    anyone ?
    i have changed the line
    Option "XkbModel"    "dell"
    in my xorg.conf to:
    Option "XkbModel"    "pc105"
    but i still got that problem.
    it seems to happen when i want to type too fast and type 2 or 3 keys at the same time with a ctrl or alt or altgr or win key. don't know

    Am using:
    64-bit AMD
    32-bit Arch kernel and other packages
    nVidia
    xorg
    kde
    On-board video is: nVidia Corporation: GeForce 6100 nForce 405
    All software (kernel, drivers, etc.) are up to date.  Yet, another lockup happened about 30 minutes ago.
    When the keyboard locks up, it feels like it's locked up, but has not.  If I hold down any character long enough, it comes through.  Same goes for modifier keys.   So, to do Shift-A, have to hold down the Shift key for about two seconds, then hold down the A key for two seconds.  Typing a password is excruciating -- OK, really, impossible.
    Since the mouse consistently works, I can kill applications and then K->Log Out...->End Session OR start a new session.  When the X login appears, all is well.
    If I start a new session, the keyboard works just fine in the new session.  If I return to the original session (Ctrl-Alt-F7), the keyboard is still locked up in that session.  Go figure.
    Seems like all reports about this mention keyboard locking up.  Can anyone try this next time?  Hold a key down and see if in a few seconds it comes through.  Would be interesting to see how many cases there re of complete lock up vs just a super slow keyboard response.  (And who knows.  This info. might even help someone find the root cause.)
    EDIT: To try to fix this problem have tried various mouse and keyboard brands.  Have tried unplugging and plugging back in the keyboard and mouse several times (right after a lock up).  Have also tried to avoid various applications -- just in case it's related to user space interaction (getting desperate, I guess).  The problem persists.  It's very random, too.
    Last edited by soloport (2007-12-02 03:35:34)

  • N96 multimedia menu problem. Please help.

    I have a N96. The problem is that once i open the main menu and then i press the close button, (the button on the right) it opens the multimedia menu. If i then press the close button to close that, it close the multimedia menu but if i press it again it does the same again, kind of in a loop. If i press the left options button this now takes me back each step of the menu depending where i was. I've found that if once i've opened the main menu and gone further into any other menu, if i press and hold the options button down and the press the exit button once, then it will go back to the previous menu as it should. However, once i let go of the options button the mutimedia menu opens again. Also if i haven't got the key lock on, the main screen light stays on. If i lock the keys the screen does go darker but you can see the message flashing up on the screen as if i'm pressing a key. I've tried everything i can think of to sort this, factory reset and hard reset, also checked to see if the buttons are stuck down but they are not. nothing makes a difference. I had this problem once before, but after a few months one day it just worked normal again. Also i've just had the phone back a week from nokia repair as they repaired it after it suffered white screen of death after a recent upgrade i tried. all firmware and such is up to date.
    Please can somebody help, i really feel like throwing it through a window. Any help would be very helpful.
    thanks.

    I got the same problem on N95 8GB, after firmwareupdate and format massmemory, got new pc-suiit, and all.
    (but no c++ error, When i start up Map Loader it says "Waiting for Device". The USB mode on my phone is "Pc Suit", i have winxp pro)
    Then i remember from the update a half year ago, i need to "start and close" maps on my phone one's first, after that all work fine.
    Message Edited by kjello on 01-Jan-2009 04:37 PM
    Kjell O

  • Keyboard locked in Caps

    Hi all,
    I have a small problem on my MBA (Late 2010) which is kind of annoying. Sometime, the keyboard decides to lock itself in Caps, and this without pressing on the shift or caps lock keys. In the middle of a sentence, if will decide to lock itself and that sometimes stays for a long time. Try to restart it when it does that, and it will boot in safe mode (as when you press shift during the starting process), minimze app and it will do that in slow motion, as when you press Shift. Not sure it is hardware as it does it without pressing the Caps keys at all.
    It just appeared after upgrading to 10.6.7... not sure it is releted?
    Any idea (I am not going to be near an Apple store and maintenance Center for a month at least).
    thx

    Thanks again for your replies. In fact, the USB keyboard is not and cannot be the problem, not sure I was very clear before. I used to use my MBA only with its own keyboard (no external keyboard plugged). Since I bought it, late december, I had absolutely no problem, but after doing the 10.6.7 update (and I am not saying that there is a relationship), I started having this problem of the Caps (SHIFT key) being locked. This is not all the time, but most of the time. For example today, it worked fine for 5 ours, and then in the middle of the afternoon, the keyboard locked itself in Caps (however, yesterday it was locked the whole day in Caps).
    The consequences, despite the fact that I write with caps, are that:
    1) minimizing any windows will be done in slow motion as if you press the SHIFT when doing so
    2) when I restart the computer it will start in Safe boot mode as if SHIFT was pressed during start up.
    3) I cannot select one file, email or folder, but it will select everything from the beginning to the one I clicked on, as if SHIFT was pressed when you select a file, mail or folder.
    The only way I am able to use normally my MBA at the moment is by plugging a USB keyboard to it (and I only have a PC one, but this is not an issue). So the USB keyboard is not the cause, but a temporary (I hope) solution to my problem. I am sorry for not being clear enough in my previous post.
    I did run a hardware test, I did run the disk utility, did the resets... but still the same problem is happening. I created the Test account, and same thing, when it is locking itself, I will have Caps only on both accounts, as well as on Windows 7 running under Parallels 6.
    It is a pity because I love my MBA, which is my first Mac experience... Really annoying though when you are in a small country with no Apple reseller or maintenance center.

  • How can I make a "Keyboard Lock" while iTunes is playing?

    How can I make a "Keyboard Lock" while iTunes or other apps are playing? They should work/play on, screen should still be on, only keyboard is (maybe Password-) locked.
    Thanx in adv, tttimo

    Menu > Apple > System Preferences > Keyboard > Keyboard Shortcuts Application Shortcuts > + > Application: Browse to Pages > Menu Title: Footnote > Keyboard Shortcut: hit combination of keys > Add
    You will need to restart Pages but should then see it next to your Menu item.
    Peter

  • A possible solution for "foreight language keyboard shortcut" problem...

    Hi(Bonjour)!
    Everyone know the problem of losy keyboard layout when Final Cut is used with foreight language keyboard. We loose the COMMAND-Q shorcut.
    As PieroF suggested in many posts in final cut express forum, there is a workaround:
    "+I just installed Leopard and I ran into this keyboard shortcut problem.+
    +I can confirm that:+
    +a. the problem exists also with the Italian keyboard (in addition to other languages, as pointed by other posters)+
    +b. the workaround I described in my previous answer works fine :+
    +- close FCE (if open)+
    +- open System Preferences/International/Language+
    +- drag English to the first place on top of the other languages+
    +- drag your own language (Italian in my case) again on top of English (at the end the window will show the same original settings, but something happened in the heart of Leopard...)+
    +- close System Preferences+
    +- open FCE: now all shortcuts work as expected, and are correctly listed with their corresponding menu commands+
    +It's a workaround, it's not convenient (I'd better have this bug fixed), but apparently you have to apply it only once for each system startup.+
    Piero "
    As stated by Piero, you have to follow this procedure after each computer startup.
    I found a way to restore the COMMAND-Q shortcut with the keyboard and mouse system pref panel.
    Simply add Final Cut application and add a +custom shotcut+. Be careful to type exactly the "Quit Final Cut Express" menu.
    This solution allows to restart the computer.
    It's work with Final Cut Express and Final Cut Pro under Leopard 10.5.4.
    Michel Boissonneault

    Hi Michel,
    I like your suggestion because the keyboard shortcuts defined in the system preferences do not require redefinition at each startup. So in theory we could define all missing/wrong shortcuts this way, and not only the cmd-Q as you suggested. Boring, but we could do it once for all.
    The only problem is that I don't know how to define shortcuts for submenus, for example "Render Selection/Both": it seems system preferences allows only to define shortcuts for the menu ("Render Selection" - in this case absolutely useless) but not for the submenu.
    Do you know a way ? (I looked in the help, which didn't... help).
    Piero

  • Locking problem in VL02N at the time Post Goods issue

    Hi,
    We have implemented 2 BADIs to change qty in delivery and in subsequent documents. Once we receive an IDoc with batches, then we need to change subitems qty according to no of batches.
    Once IDoc has updated, then PGI will do automatically.
    1. LE_SHP_DELIVERY_PROC     - Change qty in delivery (Method SAVE_DOCUMENT_PREPARE)
    2. LE_SHP_GOODSMOVEMENT - Change qty in material document.
    Now, we have a locking problem at the time of posting.
    Please let us know, due to these BADI implementation this problem or any other cause? And provide required to solve this problem.

    hi ,
    do i need to do step 2....?
    i dont think u need step2 ( change qty of MBLNR),bcos ,
    say ur Del.qty is 100, now u want to do del. of 50, then just u will change its qty & do PGI ? so whats the need of changing MBLNR.
    while doing PGI , program will take changed qty of del. only ?
    let me know if i'm wrong.
    regards
    Prabhu

  • Weird dreamweaver keyboard mapping problem

    weird dreamweaver keyboard mapping problem:
    Hope this solution helps someone out. If you have q's, ask
    and I will try to help.
    I was having a weird problem in dreamweaver... Whenever I was
    in code view and typed "shift+i" to make a capital "I", instead it
    would paste from the clipboard.
    I finally figured out what was happening. I compared the
    menu.xml in my app support folder in the user library to the
    original menu.xml file that was in the application folder. I went
    through until I came across the diff:
    menu.xml in my library/app support folder:
    <!-- Windows Navigation Shortcuts -->
    <shortcut key="Cmd+Ins" name="Copy2" platform=""
    command="if (dw.canClipCopy()) { dw.clipCopy() }"
    domRequired="FALSE" id="DWShortcuts_HTMLSource_Copy2" />
    <shortcut key="Shift+Ins" name="Paste2" platform=""
    command="if (dw.canClipPaste()) { dw.clipPaste() }"
    domRequired="FALSE" id="DWShortcuts_HTMLSource_Paste2" />
    <shortcut key="Shift+Del" name="Cut2" platform=""
    command="if (dw.canClipCut()) { dw.clipCut() }" domRequired="FALSE"
    id="DWShortcuts_HTMLSource_Cut2" />
    orig menu.xml file:
    <!-- Windows Navigation Shortcuts -->
    <shortcut key="Cmd+Ins" name="Copy2" platform=""
    command="if (dw.canClipCopy()) { dw.clipCopy() }"
    domRequired="FALSE" id="DWShortcuts_HTMLSource_Copy2" />
    <shortcut key="Shift+Ins" name="Paste2" platform=""
    command="if (dw.canClipPaste()) { dw.clipPaste() }"
    domRequired="FALSE" id="DWShortcuts_HTMLSource_Paste2" />
    <shortcut key="Shift+Del" name="Cut2" platform=""
    command="if (dw.canClipCut()) { dw.clipCut() }" domRequired="FALSE"
    id="DWShortcuts_HTMLSource_Cut2" />
    There was a diff in the "platform=" tags. The orig stated
    [platform="win"], my config stated [platform=""] (nothing in
    between the ""'s). So, I reset the platform tag to be
    [platform="win"] in my settings and then relaunched dreamweaver. It
    fixed the problem.
    Not sure how this occurred, but it works now.

  • Calling1.4.1 signed applet from Javascript causes keyboard/focus problems

    Pretty sure there's a JRE bug here, but I'm posting to forums before I open one in case I'm missing something obvious :-)
    This issue may be specific to IE, I haven't tested elsewhere yet. Our web application is centered around a signed applet that is initialized with XML data via Javascript. We first noticed the problem when our users started upgrading from the 1.3.x plug-in to the 1.4.x plug-in. The major symptom was that shortcut keys stopped working. I debugged the problem off and on for about a month before I boiled it down to a very simple program that demonstrates the issue (included below). Basically, the program has a function that adds a JButton to a JPanel and registers a keyboard listener (using the new DefaultKeyboardFocusManager class) that prints a message to the console. This function is called by the applet's init() method, as well as by a public method that can be called from Javascript (called callMeFromJavascript()). I also included a very simple HTML file that provides a button that calls the callMeFromJavascript() method. You can test this out yourself: To recreate, compile the class below, JAR it up, sign the JAR, and put in the same dir with the HTML file. Load the HTML file in IE 5.0 or greater, and bring the console up in a window right next to it. Now click the button that says init--you should see the small box appear inside the button that indicates it has the focus. Now press some keys on your keyboard. You should see "KEY PRESSED!!!" appearing in the console. This is proper behavior. Now click the Init Applet from Javascript button. It has removed the button called init, and added one called "javascript". Press this button. Notice there is no focus occurring. Now press your keyboard. No keyboard events are registered.
    Where is gets interesting is that if you go back and make this an unsigned applet, and try it again, everything works fine. This bug only occurs if the applet is signed.
    Furthermore, if you try it in 1.3, signed or unsigned, it also works. So this is almost certainly a 1.4 bug.
    Anyone disagree? Better yet, anyone have a workaround? I've tried everything I could think of, including launching a thread from the init() method that sets up the components, and then just waits for the data to be set by Javascript. But it seems that ANY communication between the method called by Javascript and the code originating in init() corrupts something and we don't get keyboard events. This bug is killing my users who are very reliant on their shortcut keys for productivity, and we have a somewhat unique user interface that relies on Javascript for initialization. Any help or suggestions are appreciated.
    ================================================================
    Java Applet (Put it in a signed JAR called mainapplet.jar)
    ================================================================
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;
    public class MainApplet extends JApplet implements KeyEventDispatcher
        JPanel test;
        public void init()
            System.out.println("init called");
            setUp("init");
        public void callMeFromJavascript()
            System.out.println("callMeFromJavascript called");
            setUp("javascript");
        private void setUp(String label)
            getContentPane().removeAll();
            test = new JPanel();
            getContentPane().add( test );
            JButton button = new JButton(label);
            test.add( button );
            test.updateUI();
            DefaultKeyboardFocusManager.getCurrentKeyboardFocusManager().addKeyEventDispatcher(this);
        public boolean dispatchKeyEvent(KeyEvent e)
            System.out.println("== KEY PRESSED!!! ==");
            return false;
    }================================================================
    HTML
    ================================================================
    <form>
    <APPLET code="MainApplet" archive="mainapplet.jar" align="baseline" id="blah"
         width="200" height="400">
         No Java 2 SDK, Standard Edition v 1.4.1 support for APPLET!!
    </APPLET>
    <p>
    <input type="button" onClick="document.blah.callMeFromJavascript();" value="Init Applet via Javascript">
    </form>

    I tried adding the requestFocus() line you suggested... Same behavior.
    A good thought, but as I mention in my description, the applet has no trouble gaining the focus initially (when init() is called). From what I have seen, it is only when the call stack has been touched by Javascript that I see problems. This is strange though: Your post gave me the idea of popping the whole panel into a JFrame... I tried it, and the keyboard/focus problem went away! It seems to happen only when the component hierarchy is descended from the JApplet's content pane. So that adds yet another variable: JRE 1.4 + Signed + Javascript + components descended from JApplet content pane.
    And yes, signed or unsigned DOES seem to make a difference. Don't ask me to explain why, but I have run this little applet through quite a few single variable tests (change one variable and see what happens). The same JAR that can't receive keyboard events when signed, works just fine unsigned. Trust me, I'm just as baffled as you are.

  • Which part of the machine is related to the keyboard flex problem ?

    Mine is T420s
    And I got a keyboard flex problem.
    Actually which part is related to this problem ?
    Isn't it inclusive to fix this problem in the warranty ?
    thx

    Mine doesn't exhibit any keyboard flex and I don't think it's a common issue with T420s; anyway:
    http://forums.lenovo.com/t5/T400-T500-and-newer-T-series/T420s-Keyboard-Flex/td-p/454851/highlight/t...
    http://forums.lenovo.com/t5/T400-T500-and-newer-T-series/t420s-keyboard-flex/m-p/755255/highlight/tr...
    T420s i5-2520M HD3000 480GB Crucial M500 SSD 8GB RAM Ericsson F5521gw
    T430 i5-3210M HD4000/NVIDIA 5400M 512GB Crucial MX100 SSD 12GB RAM Ericsson H5321gw

  • Forms 6i : Ole Container : Locking problem

    We have a form in which user can attach all sorts of documents that are then saved in the database.
    Once in a while we have a locking problem; when 2 users try to open the same document, the second one first gets a 'Could not reserve record (2 tries). Keep trying?'. When clicking 'No', the next error message is 'Frm-40501 : unable to reserve record for update or delete', and the form cannot be used anymore. He keeps complaining about the reserved record.
    I've been looking into this problem but cannot seem to find a lot of help.
    Does anyone have an idea how to solve this locking problem?
    I have tried the following things:
    * setting the block to locking mode 'Delayed' => we ended up having duplicate records.
    * Changing properties of the ole-container (In Place Activation, Inside Out support, ...).
    Forms version is 6.0.8.13.0, database 8.0.6.0.0.
    Any help is appreciated.

    that seems to be a normal locking problem. Do you have tried to work with an ON-LOCK trigger ? (e.g. first to see, when locking will occur, second for implementing an own locking-behaviour, maybe with a SELECT for UPDATE)
    Or do you think, that there is something special with your OLE-programming ?
    Gerd

  • Keyboard lock and unlock for 8330

    I need a way to lock and unlock the keyboard.  I have searched a number of websites for an answer to my dilema and it seems several methods are mentioned but none work for me.  I need to lock the keyboard when phone is in my pocket.  Many thanks to anyone who can help.

    Well, according to your device manual, this is the procedure:
    Lock the keyboard
    If you do not set a BlackBerry® device password, you can lock your keyboard to avoid making calls and pressing keys accidentally.
    On the Home screen or in the application list, click Keyboard Lock.
    To unlock the keyboard, press the asterisk (*) key and the Send key.
    You can look further into your manual here:
    http://www.blackberry.com/btsc/microsites/search.do?cmd=displayKC&docType=kc&externalId=http--docsbl...
    Good luck.
    Occam's Razor nearly always applies when troubleshooting technology issues!
    If anyone has been helpful to you, please show your appreciation by clicking the button inside of their post. Please click here and read, along with the threads to which it links, for helpful information to guide you as you proceed. I always recommend that you treat your BlackBerry like any other computing device, including using a regular backup schedule...click here for an article with instructions.
    Join our BBM Channels
    BSCF General Channel
    PIN: C0001B7B4   Display/Scan Bar Code
    Knowledge Base Updates
    PIN: C0005A9AA   Display/Scan Bar Code

Maybe you are looking for

  • Disable attachment option in Mail

    For security reasons, I would like to disable the attachment option in the Mail app in iPhone to prevent any data leakages. Is there such in-built capability or option where I can enforce such policy?

  • Getting distorted aspect ratio when Importing my TIFF picture files

    Trying to import some Powerpoint slides in order to intercut between the slides and the speaker. When brought to the browser or timeline, these TIFF files, which looked fine on the cd, have taken on a widescreen 1.88:1 look. Under the motion tab in t

  • Security warning pop up

    How do I stop the security warning window from popping up every time I go to a web page?  It says " Do you want to view only the web page content that was delivered securely?"  Solved! Go to Solution.

  • I am using application builter and it give me an error when I use the HTML vi´s

    Error 1003 Ocurred at c:\rafa\internal.llb\tables.vi possible reason this VI is not executable Whe I erase the part of HTML file my builder works fine. help me I have to delive the programa tomorrow and I live in colombia.

  • Unable to convert .doc to PDF after Leo install

    What am I missing? I recently installed Leopard on four machines, two at home and two at school. In all cases I am not able to write a PDF from a Word doc, something that I have to do from time to time. There is a message that says my PDF printer is