Combo box popup width adjusting no longer work in 1.0.6_26-b03

Previously, I was able to adjusting combo box popup's width, by referring to the technique described in [http://tips4java.wordpress.com/2010/11/28/combo-box-popup/|http://tips4java.wordpress.com/2010/11/28/combo-box-popup/]. During that time, I was using 1.0.6_24-b07.
However, after I update my Java runtime to 1.0.6_26-b03, things broke.
Here is the screen shoot.
[Workable screen shoot|http://i.imgur.com/0elo7.png]
[Not workable screen shoot|http://i.imgur.com/BeKMy.png]
Here is the code snippet to demonstrate this problem.
* To change this template, choose Tools | Templates
* and open the template in the editor.
* NewJFrame.java
* Created on Aug 9, 2011, 4:13:41 AM
package experiment;
import java.awt.Component;
import java.awt.Container;
import java.awt.Dimension;
import javax.swing.JComboBox;
import javax.swing.JList;
import javax.swing.JScrollBar;
import javax.swing.JScrollPane;
import javax.swing.SwingUtilities;
import javax.swing.event.PopupMenuEvent;
import javax.swing.event.PopupMenuListener;
import javax.swing.plaf.basic.BasicComboPopup;
* @author yccheok
public class NewJFrame extends javax.swing.JFrame {
     * Adjust popup for combo box, so that horizontal scrollbar will not display.
     * Resize JComboBox dropdown doesn't work without customized ListCellRenderer
     * http://www.camick.com/java/source/BoundsPopupMenuListener.java
     * @param comboBox The combo box
    public static void adjustPopupWidth(JComboBox comboBox) {
        if (comboBox.getItemCount() == 0) return;
        Object comp = comboBox.getAccessibleContext().getAccessibleChild(0);
        if (!(comp instanceof BasicComboPopup)) {
            return;
        BasicComboPopup popup = (BasicComboPopup)comp;
        JList list = popup.getList();
        JScrollPane scrollPane = getScrollPane(popup);
        // Just to be paranoid enough.
        if (list == null || scrollPane == null) {
            return;
        //  Determine the maximimum width to use:
        //  a) determine the popup preferred width
        //  b) ensure width is not less than the scroll pane width
        int popupWidth = list.getPreferredSize().width
                        + 5  // make sure horizontal scrollbar doesn't appear
                        + getScrollBarWidth(popup, scrollPane);
        Dimension scrollPaneSize = scrollPane.getPreferredSize();
        popupWidth = Math.max(popupWidth, scrollPaneSize.width);
        //  Adjust the width
        scrollPaneSize.width = popupWidth;
        scrollPane.setPreferredSize(scrollPaneSize);
        scrollPane.setMaximumSize(scrollPaneSize);
     *  I can't find any property on the scrollBar to determine if it will be
     *  displayed or not so use brute force to determine this.
    private static int getScrollBarWidth(BasicComboPopup popup, JScrollPane scrollPane) {
        int scrollBarWidth = 0;
        Component component = popup.getInvoker();
        if (component instanceof JComboBox) {
            JComboBox comboBox = (JComboBox)component;
            if (comboBox.getItemCount() > comboBox.getMaximumRowCount()) {
                JScrollBar vertical = scrollPane.getVerticalScrollBar();
                scrollBarWidth = vertical.getPreferredSize().width;
        return scrollBarWidth;
     *  Get the scroll pane used by the popup so its bounds can be adjusted
    private static JScrollPane getScrollPane(BasicComboPopup popup) {
        JList list = popup.getList();
        Container c = SwingUtilities.getAncestorOfClass(JScrollPane.class, list);
        return (JScrollPane)c;
    /** Creates new form NewJFrame */
    public NewJFrame() {
        initComponents();
        this.jComboBox1.addPopupMenuListener(getPopupMenuListener());
    /** This method is called from within the constructor to
     * initialize the form.
     * WARNING: Do NOT modify this code. The content of this method is
     * always regenerated by the Form Editor.
    @SuppressWarnings("unchecked")
    // <editor-fold defaultstate="collapsed" desc="Generated Code">
    private void initComponents() {
        jComboBox1 = new javax.swing.JComboBox();
        setDefaultCloseOperation(javax.swing.WindowConstants.EXIT_ON_CLOSE);
        jComboBox1.setModel(new javax.swing.DefaultComboBoxModel(new String[] { "Item 1", "Item 2", "Item 3", "Item 4", "This is a very long text. This is a very long text" }));
        javax.swing.GroupLayout layout = new javax.swing.GroupLayout(getContentPane());
        getContentPane().setLayout(layout);
        layout.setHorizontalGroup(
            layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
            .addGroup(layout.createSequentialGroup()
                .addGap(82, 82, 82)
                .addComponent(jComboBox1, javax.swing.GroupLayout.PREFERRED_SIZE, 76, javax.swing.GroupLayout.PREFERRED_SIZE)
                .addContainerGap(242, Short.MAX_VALUE))
        layout.setVerticalGroup(
            layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
            .addGroup(layout.createSequentialGroup()
                .addGap(34, 34, 34)
                .addComponent(jComboBox1, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)
                .addContainerGap(246, Short.MAX_VALUE))
        pack();
    }// </editor-fold>
    * @param args the command line arguments
    public static void main(String args[]) {
        java.awt.EventQueue.invokeLater(new Runnable() {
            public void run() {
                new NewJFrame().setVisible(true);
    private PopupMenuListener getPopupMenuListener() {
        return new PopupMenuListener() {
            @Override
            public void popupMenuWillBecomeVisible(PopupMenuEvent e) {
                // We will have a much wider drop down list.
                adjustPopupWidth(jComboBox1);
            @Override
            public void popupMenuWillBecomeInvisible(PopupMenuEvent e) {
            @Override
            public void popupMenuCanceled(PopupMenuEvent e) {
    // Variables declaration - do not modify
    private javax.swing.JComboBox jComboBox1;
    // End of variables declaration
}

I had came across another workaround as stated here.
[http://www.jroller.com/santhosh/entry/make_jcombobox_popup_wide_enough|http://www.jroller.com/santhosh/entry/make_jcombobox_popup_wide_enough]
The popup's is having enough width to show all items. However, it is not perfect still, as the width is little too much. I still can see some extra space at the tailing of the list.
The workaround is as follow.
import javax.swing.*;
import java.awt.*;
import java.util.Vector;
// got this workaround from the following bug:
//      http://bugs.sun.com/bugdatabase/view_bug.do?bug_id=4618607
public class WideComboBox extends JComboBox{
    public WideComboBox() {
    public WideComboBox(final Object items[]){
        super(items);
    public WideComboBox(Vector items) {
        super(items);
    public WideComboBox(ComboBoxModel aModel) {
        super(aModel);
    private boolean layingOut = false;
    public void doLayout(){
        try{
            layingOut = true;
            super.doLayout();
        }finally{
            layingOut = false;
    public Dimension getSize(){
        Dimension dim = super.getSize();
        if(!layingOut)
            dim.width = Math.max(dim.width, getPreferredSize().width);
        return dim;
}

Similar Messages

  • Adjust no longer works since 8.1 update

    Since updating to 8.1, the adjust functionality no longer works. That is, when I select a photo and click edit, I get to the edit screen as usual. When I click the adjust button, the floating adjust pane appears. I can move the sliders as usual, but no change occurs. That is, the sliders move, but the photo does not change. If I click "done", the photo still does not change. So, this doesn't appear to be a problem with seeing the adjustment in real time. It appears that adjustments just can no longer be made.
    This is true in iPhoto as well as iWeb. That is, I can no longer adjust photos in iPhoto, and when I send the photos to iWeb to make a web page, I cannot use the adjust function in iWeb either.
    For reference, I am running iLife '09 version 8.1 on a 1.25GHz G4 iMac with 1GB of RAM. I have installed iLife support 9.0.3, and I am running Mac OS X v10.5.8.
    Since I don't recall the exact timing, this problem could have appeared with 10.5.8 or iPhoto 8.1.
    I have submitted a bug report, but verion 8.1 isn't an option in the "What version of iPhoto are you using?" selection on that page, so I had to submit it under 8.0.3, the newest version listed.
    Any thoughts or ideas would be much appreciated. If you're having a similar problem, please file a bug report.

    quit iPhoto, Delete the iPhoto preference file ("your user name" ==> library ==> preferences ==> comn.apple.iPhoto.plist) and launch iPhoto and reset any personal preferences you have changed and if you have moved the iPhoto library repoint to it
    LN

  • The height and width settings no longer work.

    The settings in Adobe Photoshop CS5 have gone wacky in the canvas size area.  Everything shows as  0, whether it be inches, pixels, etc.  I tried entering numbers in place of the zeros in the height and width areas, and then it creates huge margins around the picture.  If I cut the number in half to try to trick it, it still gives big margins instead of cropping the picture.  HELP!

    THANK YOU!  I can't believe I've used Adobe all these years and never saw that box!  You have just made my life great again.

  • Add-on save-as-filename (reverses changes made in 18.0) no longer works in 20.0. can some repair it?

    In the FF 18 a change very annoying to me was made (once again, first was GUI in 4.0) to change way in which filenames was made.
    GavinSharp from mozilla made fix on this fixed bug (no. 254139, which was no bug at all) in way of add-on named save-as-filename. This add-on in version 0.1, is still showed as active in version 20.0 but does not work.
    Also Firefox 3 theme for firefox 4+ 2.0.0 now doesn´t work properly as button for download manager now only displays a blank space.
    image can be found here: http://s23.postimg.org/lqpn87xbv/blank_space.png

    I would like to add a little further information - in the earlier version I was able to create a text box for user input with:
    var LYP = sym.$("LastYrPct");  //fourth layer - "LastYrPct"
    LYP.html("Last Year Percent (enter as whole number i.e. 80 for 80%): ");
    inputLYP = $('<input />').attr({ 'type': 'text' , 'value': '' , 'id': 'LYP' });
    inputLYP.css('font-size', 9);
    inputLYP.css('text-align', 'center');
    inputLYP.appendTo(LYP);
    And then later on the button submit function, read what the user had typed in the box with:
    var lastYearP = inputLYP.attr("value");
    ... reading the "value" attribute I'd set up in the input box definition.  That no longer works and I'm assuming that it has something to do with the scope since the read happens in the submit button function, but I don't know.  I'm assuming I'm missing something obvious.  Thanks for giving me whatever help you can with this.

  • Determine the best width for ListCellRenderer - Multi-column combo box

    Currently, I am having a multi column combo box. In order for the column to align properly during show popup, I use box layout to do so. However, the short coming for box layout is that, the size for each column is fixed. This makes me have a difficulty, when I have a long string to be displayed. The problem is shown through the following screen shoot.
    http://i.imgur.com/4Nfc6.png
    This is because in 2nd column,
    1) All the 3 rows must be in same size so that they are aligned.
    2) But 1st row and 2nd row cell renderer, do not know 3rd row is holding such a long string.
    The code (2 files) to demo this problem is as follow. Is there any way the size of the cell will be adjusted automatically? Yet, all the row will be aligned properly.
    ResultSetCellRenderer.java
    package javaapplication24;
    import java.awt.Color;
    import java.awt.Component;
    import javaapplication24.NewJFrame.ResultType;
    import javax.swing.JList;
    import javax.swing.ListCellRenderer;
    import javax.swing.UIManager;
    * @author yccheok
    public class ResultSetCellRenderer extends javax.swing.JPanel implements ListCellRenderer {
        /** Creates new form ResultSetCellRenderer */
        public ResultSetCellRenderer() {
            initComponents();
        /** This method is called from within the constructor to
         * initialize the form.
         * WARNING: Do NOT modify this code. The content of this method is
         * always regenerated by the Form Editor.
        @SuppressWarnings("unchecked")
        // <editor-fold defaultstate="collapsed" desc="Generated Code">
        private void initComponents() {
            jLabel1 = new javax.swing.JLabel();
            jLabel2 = new javax.swing.JLabel();
            setLayout(new javax.swing.BoxLayout(this, javax.swing.BoxLayout.X_AXIS));
            jLabel1.setText("jLabel1");
            jLabel1.setMaximumSize(new java.awt.Dimension(88, 14));
            jLabel1.setMinimumSize(new java.awt.Dimension(88, 14));
            jLabel1.setPreferredSize(new java.awt.Dimension(88, 14));
            add(jLabel1);
            jLabel2.setText("jLabel2");
            jLabel2.setMaximumSize(new java.awt.Dimension(100, 14));
            jLabel2.setMinimumSize(new java.awt.Dimension(200, 14));
            jLabel2.setPreferredSize(new java.awt.Dimension(100, 14));
            add(jLabel2);
        }// </editor-fold>
        // Variables declaration - do not modify
        private javax.swing.JLabel jLabel1;
        private javax.swing.JLabel jLabel2;
        // End of variables declaration
        // Do not use static, so that our on-the-fly look n feel change will work.
        private final Color cfc  = UIManager.getColor("ComboBox.foreground");
        private final Color cbc  = UIManager.getColor("ComboBox.background");
        private final Color csfc = UIManager.getColor("ComboBox.selectionForeground");
        private final Color csbc = UIManager.getColor("ComboBox.selectionBackground");
        private final Color cdfc = UIManager.getColor("ComboBox.disabledForeground");
        // For Nimbus look n feel.
        private final Color nimbus_csfc;
             Color c = UIManager.getColor("ComboBox:\"ComboBox.renderer\"[Selected].textForeground");
             // Pretty interesting. Applying "c" directly on the component will not
             // work. I have the create a new instance of Color based on "c" to make
             // it works.
             nimbus_csfc = c != null ? new Color(c.getRed(), c.getGreen(), c.getBlue()) : null;
        private final Color nimbus_csbc;
            Color c = UIManager.getColor("ComboBox:\"ComboBox.renderer\"[Selected].background");
             // Pretty interesting. Applying "c" directly on the component will not
             // work. I have the create a new instance of Color based on "c" to make
             // it works.
            nimbus_csbc = c != null ? new Color(c.getRed(), c.getGreen(), c.getBlue()) : null;
        @Override
        public Component getListCellRendererComponent(JList list, Object value, int index, boolean isSelected, boolean cellHasFocus) {
            final Color _csbc = csbc != null ? csbc : nimbus_csbc;
            final Color _csfc = csfc != null ? csfc : nimbus_csfc;
            this.setBackground(isSelected ? _csbc : cbc);
            this.setForeground(isSelected ? _csfc : cfc);
            jLabel1.setBackground(isSelected ? _csbc : cbc);
            jLabel1.setForeground(isSelected ? _csfc : cfc);
            jLabel2.setBackground(isSelected ? _csbc : cbc);
            jLabel2.setForeground(isSelected ? _csfc : cfc);
            final ResultType result = (ResultType)value;
            jLabel1.setText(result.symbol);
            jLabel2.setText(result.name);
            return this;
    NewJFrame.java
    package javaapplication24;
    import java.awt.Container;
    import java.awt.Dimension;
    import javax.swing.JComboBox;
    import javax.swing.JList;
    import javax.swing.JScrollBar;
    import javax.swing.JScrollPane;
    import javax.swing.SwingUtilities;
    import javax.swing.event.PopupMenuEvent;
    import javax.swing.event.PopupMenuListener;
    import javax.swing.plaf.basic.BasicComboPopup;
    * @author yccheok
    public class NewJFrame extends javax.swing.JFrame {
        public static class ResultType {
             * The symbol.
            public final String symbol;
             * The name.
            public final String name;
            public ResultType(String symbol, String name) {
                this.symbol = symbol;
                this.name = name;
            @Override
            public String toString() {
                return symbol;
        /** Creates new form NewJFrame */
        public NewJFrame() {
            initComponents();
            this.jComboBox1.addPopupMenuListener(this.getPopupMenuListener());
            this.jComboBox1.setRenderer(new ResultSetCellRenderer());
            this.jComboBox1.addItem(new ResultType("Number 1", "Normal"));
            this.jComboBox1.addItem(new ResultType("Number 2", "Normal"));
            this.jComboBox1.addItem(new ResultType("Number 3", "A VERY VERY VERY VERY long text"));
        /** This method is called from within the constructor to
         * initialize the form.
         * WARNING: Do NOT modify this code. The content of this method is
         * always regenerated by the Form Editor.
        @SuppressWarnings("unchecked")
        // <editor-fold defaultstate="collapsed" desc="Generated Code">
        private void initComponents() {
            jComboBox1 = new javax.swing.JComboBox();
            setDefaultCloseOperation(javax.swing.WindowConstants.EXIT_ON_CLOSE);
            getContentPane().setLayout(new org.netbeans.lib.awtextra.AbsoluteLayout());
            jComboBox1.addActionListener(new java.awt.event.ActionListener() {
                public void actionPerformed(java.awt.event.ActionEvent evt) {
                    jComboBox1ActionPerformed(evt);
            getContentPane().add(jComboBox1, new org.netbeans.lib.awtextra.AbsoluteConstraints(10, 10, 110, -1));
            pack();
        }// </editor-fold>
        private void jComboBox1ActionPerformed(java.awt.event.ActionEvent evt) {
            // TODO add your handling code here:
        * @param args the command line arguments
        public static void main(String args[]) {
            java.awt.EventQueue.invokeLater(new Runnable() {
                @Override
                public void run() {
                    final NewJFrame frame = new NewJFrame();
                    frame.setVisible(true);
        private PopupMenuListener getPopupMenuListener() {
            return new PopupMenuListener() {
                @Override
                public void popupMenuWillBecomeVisible(PopupMenuEvent e) {
                    // We will have a much wider drop down list.
                    adjustPopupWidth(jComboBox1);
                @Override
                public void popupMenuWillBecomeInvisible(PopupMenuEvent e) {
                @Override
                public void popupMenuCanceled(PopupMenuEvent e) {
         * Adjust popup for combo box, so that horizontal scrollbar will not display.
         * Resize JComboBox dropdown doesn't work without customized ListCellRenderer
         * http://www.camick.com/java/source/BoundsPopupMenuListener.java
         * @param comboBox The combo box
        public static void adjustPopupWidth(JComboBox comboBox) {
            if (comboBox.getItemCount() == 0) return;
            Object comp = comboBox.getAccessibleContext().getAccessibleChild(0);
            if (!(comp instanceof BasicComboPopup)) {
                return;
            BasicComboPopup popup = (BasicComboPopup)comp;
            JList list = popup.getList();
            JScrollPane scrollPane = getScrollPane(popup);
            // Just to be paranoid enough.
            if (list == null || scrollPane == null) {
                return;
            //  Determine the maximimum width to use:
            //  a) determine the popup preferred width
            //  b) ensure width is not less than the scroll pane width
            int popupWidth = list.getPreferredSize().width
                            + 5  // make sure horizontal scrollbar doesn't appear
                            + getScrollBarWidth(popup, scrollPane);
            Dimension scrollPaneSize = scrollPane.getPreferredSize();
            popupWidth = Math.max(popupWidth, scrollPaneSize.width);
            //  Adjust the width
            scrollPaneSize.width = popupWidth;
            scrollPane.setPreferredSize(scrollPaneSize);
            scrollPane.setMaximumSize(scrollPaneSize);
         *  I can't find any property on the scrollBar to determine if it will be
         *  displayed or not so use brute force to determine this.
        private static int getScrollBarWidth(BasicComboPopup popup, JScrollPane scrollPane) {
            int scrollBarWidth = 0;
            JComboBox comboBox = (JComboBox)popup.getInvoker();
            if (comboBox.getItemCount() > comboBox.getMaximumRowCount()) {
                JScrollBar vertical = scrollPane.getVerticalScrollBar();
                scrollBarWidth = vertical.getPreferredSize().width;
            return scrollBarWidth;
         *  Get the scroll pane used by the popup so its bounds can be adjusted
        private static JScrollPane getScrollPane(BasicComboPopup popup) {
            JList list = popup.getList();
            Container c = SwingUtilities.getAncestorOfClass(JScrollPane.class, list);
            return (JScrollPane)c;
        // Variables declaration - do not modify
        private javax.swing.JComboBox jComboBox1;
        // End of variables declaration
    }Edited by: yccheok on Jan 13, 2011 9:35 AM

    Are these two lines intentionally or is it just a mismatch?
    jLabel2.setMaximumSize(new java.awt.Dimension(100, 14));
    jLabel2.setMinimumSize(new java.awt.Dimension(200, 14));
    2) But 1st row and 2nd row cell renderer, do not know 3rd row is holding such a long string.There is only one cell renderer for all rows, so no need for the rows to know each other.
    To calculate the exact maximum width of column two, you have to check each entry.
    If you can do this BEFORE creating the combo, you could do this in a loop similar to this pseudo code
    FontMetrics fm= jComboBox1.getFontMetrics(jComboBox1.getFont());
    foreach (column2String) {
      int length= fm.stringWidth(column2String);
      if (length>max) max= length;
    }Now you have a max value to dimension jLabel2 in your renderer.
    If you don't fill your combo in one go, but rather at runtime, you have to check at each
    jComboBox1.addItem(...)
    whether the string for label2 is extending the current max, redefine max, and repaint the combo.
    This second approach I haven't done so far, but that's how I would try.

  • Combo box with bind variable from popup

    Hi.
    I had two comboboxes on a form, one having a bind variable. It works great, with the first one as bind field.
    But i want to have the first LOV to be a POPUP. So, the second LOV (combo box) needs to be refreshed when a user has picked a value from the popup list. When i do that, the second LOV is not refresehed...
    Is there a way to do this?
    (3.0.9.8.3.A)

    Hi,
    This was a bug and is fixed in 30984.
    Thanks,
    Sharmila

  • Width of combo box

    Hi
    Access 2013.
    I have two columns in the combo box drop down (image below) and I need the drop down part to be wider than the combobox editor to fit the two columns. How do I achieve this please?
    Thanks
    Regards

    There are three things that need adjusting.
    First, it looks like you are doing this in the Table. The Table doesn't matter as you don't really use that for data entry or data viewing anyway. If this is on a Form or Table the method is about the same as follows.
    Switch to design view of the Form.
    Display the property sheet.
    On the Format Tab, adjust the Column Widths to the desired amount ie. 0";1";1" (example of three columns with the first being hidden)
    Change the List Width to a little larger than the visible width added together above ie 0 + 1 + 1 = 2 so 2.05" should cover it but you can play with it to your satisfaction.
    Width should be set to accommodate the above also.
    Hth
    2015 04 29 4:46 PM Add # 5
    Just takes a click to give thanks for a helpful post or answer.
    Please vote “Helpful” or Mark as “Answer” as appropriate.
    Chris Ward
    Microsoft Community Contributor 2012

  • Combo box works differently with UDO

    Hi guys,
    I have created a combo box on a UDO. I am trying to catch the event of when a value is selected in the combo box, but it is not working as it should. I have used the same code on a simple form and it works. It doesn't work on the UDO however. Here is my code:
    I declare the combo box:
                oItem = oForm.Items.Add("CntDetails", SAPbouiCOM.BoFormItemTypes.it_COMBO_BOX);
                oItem.Left = 300;
                oItem.Width = 60;
                oItem.Top = 290;
                oItem.Height = 14;
                oItem.AffectsFormMode = true;
                oItem.FromPane = 1;
                oItem.ToPane = 1;
                oCombo = ((SAPbouiCOM.ComboBox)(oItem.Specific));
                oCombo.DataBind.SetBound(true, "@CENTRIX_OJEA", "U_CENTRIX_CntDetails");
                oCombo.ValidValues.Add("All", "All");
                oCombo.ValidValues.Add("None", "None");
                oCombo.ValidValues.Add("More", "More");
                oCombo.Select(0, SAPbouiCOM.BoSearchKey.psk_Index);
    The in the ItemEvent part I use this code:
            if (pVal.ItemUID == "CntDetails" && pVal.EventType.Equals(SAPbouiCOM.BoEventTypes.et_COMBO_SELECT) && pVal.Before_Action == false)
                try
                    Globals.SBO_Application.MessageBox("test", 1, "OK", "Cancel", "");
                catch
                    Globals.SBO_Application.MessageBox("Error", 1, "OK", "Cancel", "");
    Am I doing something wrong?
    Thanks

    Hi Costas,
    Put a breakpoint in this line of code
    if (pVal.ItemUID == "CntDetails" && pVal.EventType.Equals(SAPbouiCOM.BoEventTypes.et_COMBO_SELECT) && pVal.Before_Action == false)
    See if it is reached.
    Regards,
    Vítor Vieira

  • I cannot get my e-mail to automatically enter addresses in the "TO:" box. In the past, I would get a list of e-mail recipients to appear when I typed 1 letter. That function no longer works. Do I need to change a setting or what?

    I cannot get my e-mail to automatically enter addresses in the "TO:" box. In the past, I would get a list of e-mail recipients to appear when I typed 1 letter. That function no longer works. Do I need to change a setting or what?

    Settings > Store > Sign Out.
    Sign in with the correct ID.

  • Md5 reborned hasher 0.9.0 no longer works after firefox update to version 20 ,redesigned download box doesn't give option

    md5 reborned hasher which has worked previously no longer works after update to FF version 20 . the redesigned download box doesn't give the option to use the hasher.

    If you use this add-on a lot, you might want to switch back to the old style download manager until the add-on's author can bring it up to date. This thread describes how to make the switch: [https://support.mozilla.org/en-US/questions/955204 Got new version, want to go back to previous download box, the new one has no history and doesn't show speed of download, how do I go back?]

  • OS 10 has prompted a requestion to uncheck a box next to open in 32 bit..howver the box is already unchecked..itunes no longer works in OS 10 for me! Dang. Any suggestions?

    OS 10 has prompted a requestion to uncheck a box next to: open in 32 bit..however the box is already unchecked..itunes no longer works in OS 10 for me! Dang. Any suggestions?

    Persistent message to deselect 32 bit option - https://discussions.apple.com/thread/5955627 - old plug-ins

  • No Brightness Adjustment, F1 & F2 No Longer Work

    I'm puzzled because my PB 17" 1.67ghz display preference pane and F1 and F2 keys will no longer work to adjust the LCD screen brightness. When I purchased the laptop used, Leopard was installed and the brightness adjustment worked. To save hard disk space and run classic, I wiped the hard drive and installed Tiger (10.4) and then ran updates (10.4.11). When I boot in Leopard, the keys work, in Tiger they don't. I don't have the original restore CDs. Is there any thing that I can do to get the pb to recognize the LCD and offer brightness adjustment? Thanks.

    I have a dual-boot black MacBook where F1-F2 adjusts brightness just fine in 10.5, but if I boot 10.4 pressing F1 or F2 (or fn-F1 or fn-F2) all do absolutely nothing.
    Details below. I did the keyboard-firmware update in 10.5 by the way. Details below.
    Does anyone have a work-around for adjusting screen brightness, even a commad-line method?
    Details and steps taken: newly-arrived black macbook April 2008 with 10.5 factory installed.
    1. Booted 10.5, ran all updates, including the keyboard-firmware update, fixed perms, and verified boot disk.
    2. Using 10.5 disk-util, did non-destructive resize of 10.5 partition from entire drive (120gig) down to 76gig. Created 2 new partitions: tiger (50gig), and TimeMach (22gig). After reboot leopard is running find from resized partition, and I zeroed-out the other (Erase, writing zeroes in 10.5-disk-util).
    3. Booted new macbook in target mode. From another black mac-book running 10.4.11 with ALL updates, ran CCC-3.1 to copy tiger to empty tiger partition on new mb.
    4. Booted new mb, holding down option, and selected tiger partition. Everything works in Tiger as far as I can tell except I can't adjust brightness.)
    Go figure.

  • Migration from 1.6 to Apex 3.1 - Popup windows no longer working

    We just moved our application to Apex 3.1 from HTMLDB 1.6. The only thing that is not working since we migrated is the popup window that used to work. Now a window still pops up, but it is the login screen, not the expected window, and even if one logs in at that point, it just takes them back to the main screen, not to the expected popup window. Is there some setting I have to change to make it work as it did before, or does the code go somewhere else now? This is the code:
    The URL redirect of a button on the calling page: javascript:callMyPopup('P4_PRI_CONTACT_ID');
    The javascript on that same page: <script language="JavaScript" type="text/javascript">
    function callMyPopup (formItem1) {
    var formVal1 = document.getElementById(formItem1).value;
    var url;
    url = 'f?p=&APP_ID.:10:::::P10_CONTACT_ID:' + formVal1 ;
    w = open(url,"winLov","Scrollbars=1,resizable=1,width=800,height=600");
    if (w.opener == null)
    w.opener = self;
    w.focus();
    </script>

    As of v2.0 session IDs were required for f?p URLs. Oracle® HTML DB Release Notes Release 2.0 Part Number B16374-02
    Mike

  • Since updating to v.3.4.5 adjustment brushes no longer work? Please help??

    Hi Guys,
    I have just updated to Aperture 3.4.5.
    Annoyingly the adjustment brushes and sliders such as "straighten" no longer work. They are added to my adjustments panel when I select them from the drop-down menu, but are accompanied by the sound of the dreaded apple beep (suggesting something is wrong) and do not change the cursor into the appropriate tool, thus preventing me from carrying out these particular adjustments.
    If someone has any solutions for this problem, it would be greatly appreciated!
    Thanks.

    Test again in a different user account with a small test library. Does it still not work for a different user after reinstalling?
    And test in your regular account with a small test library.
    is it possibly something to do with an incombatiability between the new update and a plug-in?
    Which plug-ins are you using? Are they all compatible with Aperture 3.4 and Lion?
    Aperture 3.4 and later: Some third-party plug-ins are no longer compatible

  • I just upgraded to FIrefox 8 and after that pops are no longer popping up. I need this to work. I tried to disable popup blocker and still nothing works.

    I just upgraded to the new firefox 8 and after installing my popups are no longer working. It use to work with version 6. I cant do my work because of this. Now i will need to downgrade again to version 6.

    I had the same problem - I think it depends on your OS - pity that Mozilla didnt mention this on the front page before people download it! The best solution is to reinstall 3.6 from this page - there are options for PC, Mac and Linux
    http://www.mozilla.com/en-US/firefox/all-older.html
    I hope this helps!!!!

Maybe you are looking for