JProgerss bar or JSlider?

Hi everybody. Well i developed some desktop base application which is connected to MySql database and when i run this, it takes a moment to be dislayed on the screen, so i think that would be a good idea use something like progress bar or maybe slider. To be honest, i'm not to sure what should i use and how. Also i use JTable to display some records from database and what i need is to highlight every fourth row ie. if displayed 30 rows, so every fourth is highlight lightblue or yellow. Thanks very much for any help.

Hi, i'm back again, thanks for the help. I'll work with that, by the way this is my code so far which allows me to display data in table:
This methods cams from my controller class:.....
* Create DefaultTableModel to view all training answers
* returns DefaultTableModel
public DefaultTableModel getAnswerTableModel(String unitId) throws Exception {
tableModel = new DefaultTableModel(getTableColNames(),0);
int tempID = Integer.parseInt(unitId);
String whereClause = "unitId = " + tempID ;
Vector answerVec = answer.getAll(conn, whereClause);
if (answerVec.size() == 0)
throw new Exception("No answer retrieved");
for (Iterator i = answerVec.iterator(); i.hasNext();) {
TrainingAnswer p=(TrainingAnswer) i.next();
Vector rowData = new Vector();
rowData.add(new Integer(p.getQuestionId()));
rowData.add(p.getAnswer());
rowData.add(new Boolean(p.getCorrectAnswer()));
tableModel.addRow(rowData);
return tableModel;
* returns Vector of tblAnswers ColNames
public Vector getTableColNames() throws Exception {
Vector colNameVec = new Vector();
StringTokenizer st = new StringTokenizer(answer.getFieldList2(), ",");
while(st.hasMoreTokens())
colNameVec.add(st.nextToken());
return colNameVec;
and methods in my View (GUI):.......
public class TrainingAnswerView extends javax.swing.JInternalFrame {
private TrainingQuestionController questionControl = null;
private TrainingAnswerController answerControl = null;
private DefaultTableModel quesTableModel = null;
private DefaultTableModel answerTableModel = null;
private TableCellRenderer renderer = null;
/** Creates new form TrainingAnswerView */
public TrainingAnswerView() {
initComponents();
public TrainingAnswerView(TrainingQuestionController questionControl, TrainingAnswerController answerControl) {
this.questionControl = questionControl;
this.answerControl = answerControl;
initComponents();
try {
unitCbo.setModel(new DefaultComboBoxModel(questionControl.getUnit()));
String id = questionControl.getUnitId((String)unitCbo.getSelectedItem());
int surId = Integer.parseInt(id);
showAllQuestions();
showAnswer();
showQuestionCount();
}catch (Exception err) {
displayMessage(err.getMessage(), JOptionPane.ERROR_MESSAGE);
setVisible(true);
/** 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.
public void showAnswer(){
try{
String unitId = questionControl.getUnitId((String)unitCbo.getSelectedItem());
answerTableModel=this.answerControl.getAnswerTableModel(unitId) ;
answerTable.setModel(answerTableModel);
int count = answerTable.getRowCount();
for (int i = 4; i <= count; i+=4){              
answerTable.setBackground(Color.yellow);// yes, i know this method change table color not just row
System.out.println("row " + i);
}catch (Exception err){
displayMessage("Unable to retrieve answers from database. ", JOptionPane.ERROR_MESSAGE);
This table just display data form database, not other function, so i want to just highlight every fourth row.
Thanks pkwooster, for your help:-).

Similar Messages

  • How to fill JSlider bar with different color

    I got an problem actually i am in learning state.
    I used Look and feel for windows. UImanager changes the lookandfeel
    But in jslider filled color is blank. how can i change the color&jslider knob is perpendicular to jslider bar how can i fit the knob in jslider bar.pls give suggestions

    Try to use this in you paint method :
    public void paint(Graphics g)
    Graphics2D g2D = (Graphics2D) g;
    // Get the height & width
    int width = this.getWidth();
    int height = this.getHeight();
    // Create the gradient paint
    gradientPaint = new GradientPaint(0,0, Color.blue, width, height, Color.red);
    g2D.setPaint(gradientPaint);
    g2D.fillRect(0,0, width, height);

  • How to place a JSlider in the middle of an image?

    Hi,
    Here is the deal. I have an image inside a JLabel. That JLabel is inside a JPanel, which in turn is encompassed by a JScrollPane. This image represents some curve or a frequency function, lets say for instance a sine curve. What I need to do is have a slider, positioned (just to keep things simple for now) in the middle of that image, not above or below or to the side of an image, but rather directly over it. Thus, blocking a small section of the image from view. So that the user can drag the mouse cursor along the (horizontal) slider and see the different values on that curve. I dont know of any LayoutManager that would allow me to place a JSlider at an arbitrary position on top of a JLabel, besides just using a Null Layout. However, when I use a Null Layout my scroll bars disappear and the JSlider itself just sits there doing nothing, without reacting to any mouse movements, and mroe importantly as soon as the application is resized, the JSlider disappears completely.
    Any comments/code snippets would be greatly appreciated.
    Thanks,
    Val

    /* From: Java Tutorial - How To Use Layered Panes
    *       LayeredPaneDemo.java
    *       http://java.sun.com/docs/books/tutorial/uiswing/
    *                                components/layeredpane.html
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import javax.swing.event.*;
    import javax.swing.border.*;
    public class valy extends JPanel implements ChangeListener {
      private SineWave sineWave = new SineWave();
      JSlider slider;
      JLayeredPane layeredPane;
      public valy() {
        slider = new JSlider(1, 30, 5);
        slider.setBounds(50,125,300,25);
        slider.addChangeListener(this);
        layeredPane = new JLayeredPane();
        layeredPane.setPreferredSize(new Dimension(400,300));
        layeredPane.setBorder(
          BorderFactory.createTitledBorder("Layered Pane App"));
        layeredPane.add(slider, JLayeredPane.PALETTE_LAYER);
        JPanel panel = new JPanel();
        panel.add(sineWave);
        JScrollPane scrollPane = new JScrollPane(panel);
        int width = layeredPane.getPreferredSize().width;
        int height = layeredPane.getPreferredSize().height;
        scrollPane.setBounds(15, 25, width - 30, height - 40);
        layeredPane.add(scrollPane, JLayeredPane.DEFAULT_LAYER);
        add(layeredPane);
      public void stateChanged(ChangeEvent e) {
        sineWave.setCycles(
          ((JSlider)e.getSource()).getValue());
      public static void main(String[] args) {
        JFrame frame = new JFrame();
        JComponent contentPane = new valy();
        contentPane.setOpaque(true);
        frame.setContentPane(contentPane);
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.pack();
        frame.setLocation(300,200);
        frame.setVisible(true);
    /* From: Thinking in Java by Bruce Eckel
      *       3rd edition, Chapter 16
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    public class SineWave extends JLabel {
      private static int SCALEFACTOR = 200;
      private int cycles, points;
      private double[] sines;
      private int[] pts;
      public SineWave() {
        setCycles(5);
        setPreferredSize(new Dimension(400,400));
      public void setCycles(int newCycles) {
        cycles = newCycles;
        points = SCALEFACTOR * cycles * 2;
        sines = new double[points];
        for(int j = 0; j < points; j++) {
          double radians = (Math.PI/SCALEFACTOR) * j;
          sines[j] = Math.sin(radians);
        repaint();
      public void paintComponent(Graphics g) {
        super.paintComponent(g);
        Graphics2D g2 = (Graphics2D)g;
        g2.setRenderingHint(RenderingHints.KEY_ANTIALIASING,
                            RenderingHints.VALUE_ANTIALIAS_ON);   
        int maxWidth = getWidth();
        double hstep = (double)maxWidth/(double)points;
        int maxHeight = getHeight();
        pts = new int[points];
        for(int j = 0; j < points; j++)
          pts[j] =
            (int)(sines[j] * maxHeight/2 * .95 + maxHeight/2);
        g2.setPaint(Color.red);
        for(int j = 1; j < points; j++) {
          int x1 = (int)((j - 1) * hstep);
          int x2 = (int)(j * hstep);
          int y1 = pts[j - 1];
          int y2 = pts[j];
          g2.drawLine(x1, y1, x2, y2);
    }

  • JSlider or similar for controlling position in sound files help please.

    You know how winamp, wm player , etc, and JMStudio all have a "slider" bar to control position, along with a "numeric readout" of the current position.
    Fairly new to Java, but know this isn't a difficult thing to do, just haven't found out how to do it.
    Do not care if it is with JavaSound API or JMF, either is fine, just learning.
    Have read up on Sliders at:
    http://java.sun.com/docs/books/tutorial/uiswing/components/slider.html#labels
    But do not understand how to implement it with Audio file usage.
    My goal as a new programmer is to create a simple audio playing Applet:
    For a GREAT idea on what it will basically do check out:
    JMStudio:
    http://java.sun.com/products/java-media/jmf/2.1.1/jmstudio/jmstudio.html
    My goals are to have:
    Applet
    GUI with: Pause/Play button and a SLIDER to control position, just like described.
    Have it load and play an audio file when a link is clicked on using the PARAM tag from html
    I know about the open source/commercial products,,,, but I'm trying to learn, and those are too in depth to try and learn from right now, trying to take baby steps, and having difficulty finding anything beyond play()
    loop() and stop()
    searched google, groups, yahoo with various phrases.
    Thank you!

    You have to use a JSlider and combine its events with the setMediaTime method of the player.

  • JSlider with Floating point values

    I desperatly need to create a JSlider with floating/decimal values. For example between 0 and 1 and ticks within an interval of 0.1.
    The default behaviour of JSlider doesn't allow me to do so, hence is there any other way around ? I know it's possible to programmatically handle the required calculation by divding the values by 10, 100 or anything, but i want to display the actual values (floating/decimal) on the JSlider bar.
    Thanks in advance

    this might do you for the display
    import javax.swing.*;
    import java.awt.*;
    class JSliderLabels extends JFrame
      public JSliderLabels()
        setLocation(400,200);
        setDefaultCloseOperation(EXIT_ON_CLOSE);
        JSlider slider = new JSlider(0, 100, 1);
        slider.setMajorTickSpacing(25);
        slider.setPaintTicks(true);
        java.util.Hashtable labelTable = new java.util.Hashtable();
        labelTable.put(new Integer(100), new JLabel("1.0"));
        labelTable.put(new Integer(75), new JLabel("0.75"));
        labelTable.put(new Integer(50), new JLabel("0.50"));
        labelTable.put(new Integer(25), new JLabel("0.25"));
        labelTable.put(new Integer(0), new JLabel("0.0"));
        slider.setLabelTable( labelTable );
        slider.setPaintLabels(true);
        JPanel jp = new JPanel();
        jp.add(slider);
        getContentPane().add(jp);
        pack();
      public static void main(String[] args){new JSliderLabels().setVisible(true);}
    }

  • How to make jslider smaller ?

    Does anyone know how to make jslider smaller ?
    Meaning that the bar is scaled to smaller size, and the height and everything else is smaller.
    I try setMaximumsize, setPreferredSize method, but what they do is to perform truncation not rescale them .
    Anyone has idea ??
    thank

    if painting ticks, you may need to play around with the font size as well.
    set your own ui and override this method
    protected Dimension getThumbSize(){return new Dimension(w,h);}
    to set the thumb size

  • JSlider problem

    Hi everybody
    I have just a small problem with JSlider, if ye bare with me i'll try to expalin it. Basically i have created a time line, ie when you scroll to the max of the slider it will keep updating the max (increasing the max value)thus creating some sort of dynamic slider.
    Example:
    if the max is 60 initially and you scroll to 60 it will increase the max by 10 and increase the min by 10 thus giving the appearance of a dynamic timeline.
    My problem is when it does update (increase by 10) the labels don't appear on the slider (eg 70, 80 etc).
    I have pasted the class below if that is any help to anybody!
    Any help is appreciated!
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import javax.swing.event.*;
    public class TimeLine extends JSlider implements BoundedRangeModel, ChangeListener
    {   public TimeLine(DefaultBoundedRangeModel brm,int theGUIMin, int theGUIMax, int theRealMin, int theRealMax)
    {   super(brm);
    realMax = theRealMax;
    realMin = theRealMin;
    currentMax = theGUIMax;
    currentMin = theRealMin;
    this.setMajorTickSpacing(10);
         this.setMinorTickSpacing(1);
    this.setPaintTicks(true);
         this.setPaintLabels(true);
    this.addChangeListener(this);
    public void setRangeProperties(int x, int y, int z,int a, boolean b)
    public void stateChanged(ChangeEvent ce)
    {   int currentValue = getValue();
    System.out.println("Current Value = " + currentValue);
    if(currentValue > (currentMax - 1) && currentValue < realMax)
    {   currentMax += sliderIncrement;
    currentMin += sliderIncrement;
    // System.out.println("Current Max = " + currentMax);
    // System.out.println("Current Min = " + currentMin);
    timeModel = new DefaultBoundedRangeModel(currentMax,0,currentMin,currentMax);
    setModel(timeModel);
    setMajorTickSpacing(10);
         setMinorTickSpacing(1);
    setPaintTicks(true);
         setPaintLabels(true);
    else if(currentValue < (currentMin+1) && currentValue > realMin )
    {   System.out.println("Reducing TimeLine");
    currentMax -= sliderIncrement;
    if(currentMin > realMin)
    {   currentMin -= sliderIncrement;
    System.out.println("Current Max = " + currentMax);
    System.out.println("Current Min = " + currentMin);
    timeModel = new DefaultBoundedRangeModel(currentMin,0,currentMin,currentMax);
    setModel(timeModel);
    else
    private final int INITIAL_MIN = 0;
    private final int INITIAL_MAX = 60;
    private int guiMax, guiMin, currentMin, currentMax,realMax,realMin, sliderIncrement = 5;
    private DefaultBoundedRangeModel timeModel;
    private TimeLine timeLine;
    public static void main(String[] args)
    {   JFrame frame = new JFrame("Time Line");
    Container contentPane = frame.getContentPane();
    DefaultBoundedRangeModel dbrm = new DefaultBoundedRangeModel(0,0,0,60);
         //TimeLine t = new TimeLine(0,60,0,240);
    TimeLine t = new TimeLine(dbrm,0,60,0,240);
         contentPane.add(t);
    frame.setSize(250,150);
         frame.show();
    }

    Hi everybody
    I have just a small problem with JSlider, if ye bare with me i'll try to expalin it. Basically i have created a time line, ie when you scroll to the max of the slider it will keep updating the max (increasing the max value)thus creating some sort of dynamic slider.
    Example:
    if the max is 60 initially and you scroll to 60 it will increase the max by 10 and increase the min by 10 thus giving the appearance of a dynamic timeline.
    My problem is when it does update (increase by 10) the labels don't appear on the slider (eg 70, 80 etc).
    I have pasted the class below if that is any help to anybody!
    Any help is appreciated!
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import javax.swing.event.*;
    public class TimeLine extends JSlider implements BoundedRangeModel, ChangeListener
    {   public TimeLine(DefaultBoundedRangeModel brm,int theGUIMin, int theGUIMax, int theRealMin, int theRealMax)
    {   super(brm);
    realMax = theRealMax;
    realMin = theRealMin;
    currentMax = theGUIMax;
    currentMin = theRealMin;
    this.setMajorTickSpacing(10);
         this.setMinorTickSpacing(1);
    this.setPaintTicks(true);
         this.setPaintLabels(true);
    this.addChangeListener(this);
    public void setRangeProperties(int x, int y, int z,int a, boolean b)
    public void stateChanged(ChangeEvent ce)
    {   int currentValue = getValue();
    System.out.println("Current Value = " + currentValue);
    if(currentValue > (currentMax - 1) && currentValue < realMax)
    {   currentMax += sliderIncrement;
    currentMin += sliderIncrement;
    // System.out.println("Current Max = " + currentMax);
    // System.out.println("Current Min = " + currentMin);
    timeModel = new DefaultBoundedRangeModel(currentMax,0,currentMin,currentMax);
    setModel(timeModel);
    setMajorTickSpacing(10);
         setMinorTickSpacing(1);
    setPaintTicks(true);
         setPaintLabels(true);
    else if(currentValue < (currentMin+1) && currentValue > realMin )
    {   System.out.println("Reducing TimeLine");
    currentMax -= sliderIncrement;
    if(currentMin > realMin)
    {   currentMin -= sliderIncrement;
    System.out.println("Current Max = " + currentMax);
    System.out.println("Current Min = " + currentMin);
    timeModel = new DefaultBoundedRangeModel(currentMin,0,currentMin,currentMax);
    setModel(timeModel);
    else
    private final int INITIAL_MIN = 0;
    private final int INITIAL_MAX = 60;
    private int guiMax, guiMin, currentMin, currentMax,realMax,realMin, sliderIncrement = 5;
    private DefaultBoundedRangeModel timeModel;
    private TimeLine timeLine;
    public static void main(String[] args)
    {   JFrame frame = new JFrame("Time Line");
    Container contentPane = frame.getContentPane();
    DefaultBoundedRangeModel dbrm = new DefaultBoundedRangeModel(0,0,0,60);
         //TimeLine t = new TimeLine(0,60,0,240);
    TimeLine t = new TimeLine(dbrm,0,60,0,240);
         contentPane.add(t);
    frame.setSize(250,150);
         frame.show();
    }

  • Moving backward with a JScrollBar or JSlider

    Hi,
    I am trying to use a JScrollBar or JSlider to move in a rowset using the JClient View Binding model.
    It works fine when moving forward with the scroll bar / slider, but when I try to move backward the fields in the forms are not updated.
    Is it a bug or do I have to do something special to be able to move backward.
    Version: jdev 9.0.3
    Oscar

    To fix this for your project,
    Open up this class'es source from (BC4J\src\bc4juisrc.zip)
    Make a copy in your local project source (maintaining the class package structure - oracle.jbo.uicli.binding)
    Then edit this method setRangeScrollValue.
    Look for lines:
                if (scroll < rangeSize)
                   //in scroll range. >=0 check for slider/scroll bar moving backwards.
                   rsi.setCurrentRowAtRangeIndex(scroll);
                else
                {change that to
                if (scroll < rangeSize && scroll >= 0)
                   //in scroll range. >=0 check for slider/scroll bar moving backwards.
                   rsi.setCurrentRowAtRangeIndex(scroll);
                else
    [/b]

  • Animating a JLabel and a JSlider

    Im not sure if anyone can help out here but its worth a shot. In the program im writing we are using jogl for animation and as the anmiation is running we would like to have in our main GUI window the ability to use a JLabel as an animation clock to display the correct times of the animation as well as have a JSlider as a progress bar, with the intention of the user being able to move the JSlider to a position and have the animation go forward and back in time. I wrote a small little app to test how I could do this but it doesnt work. I was basically having a for loop to run through the min and max time and every time the for loop would increment i would call the setText() function of the JLabel and the setValue() function of the JSlider to have the values incremented but when i click the button to accomplish it it never updates the labels or the slider until the program is done running through the for loop. Can anyone help me?

    Don't use a for loop to schedule animation. Use a Swing Timer.
    [url http://java.sun.com/docs/books/tutorial/uiswing/misc/timer.html]How to Use Swing Timers

  • JSlider question, please help!

    Hi,
    I have a problem with JSlider. What I need a slider to have is both upper and lower tick marks. Lower is default,
    but my method for having upper ticks is to make another JSlider, with a custom SliderUI class for it's UI. By doing
    so, all I have is paintTicks defined, and set the slider to paint only the ticks. But the problem is the JSlider
    leaves an empty space above the ticks where the bar and thumb would have been painted.
    Is there any way to remove this space, and just have the ticks displayed?
    TIA,
    csmathie

    Here's a better solution - this overrides the BasicSliderUI to draw the ticks wherever you wan them. NOTE this is for a horizontal scrollbar only - you'd have to do some extra stuff for a vertical one.import java.awt.Graphics;
    import java.awt.Rectangle;
    import javax.swing.*;
    import javax.swing.plaf.basic.*;
    public class eBasicSliderUI extends BasicSliderUI{
        eBasicSliderUI(JSlider s) {
            super(s);
        protected void calculateGeometry() {
            calculateFocusRect();
            calculateContentRect();
            contentRect.height+=tickRect.height;
            calculateThumbSize();
            calculateTrackBuffer();
            calculateTrackRect();
            int newTicksHeight = 20;
            trackRect.y+=newTicksHeight;
            calculateTickRect();
            calculateLabelRect();
            labelRect.y+=4;
            calculateThumbLocation();
            tickRect.y = tickRect.y -tickRect.height-trackRect.height;
            tickRect.height+=(2*tickRect.height+trackRect.height);
        protected void paintMinorTickForHorizSlider( Graphics g, Rectangle tickBounds, int x ) {
            int minorHeight = (tickBounds.height - trackRect.height)  / 4 - 1;
            g.drawLine( x, 0, x, minorHeight);
            g.drawLine( x, (tickBounds.height+trackRect.height)/2-2,
                        x, (tickBounds.height+trackRect.height)/2 + minorHeight);
        protected void paintMajorTickForHorizSlider( Graphics g, Rectangle tickBounds, int x ) {
            int majorHeight = (tickBounds.height - trackRect.height)/2 - 2;
            g.drawLine( x, 0, x, majorHeight );
            g.drawLine( x, (tickBounds.height+trackRect.height)/2-2,
                        x, (tickBounds.height+trackRect.height)/2 + majorHeight);
        public void paint( Graphics g, JComponent c )   {
            recalculateIfInsetsChanged();
            recalculateIfOrientationChanged();
            Rectangle clip = g.getClipBounds();
            if ( slider.getPaintTicks() && clip.intersects( tickRect ) ) {
                paintTicks( g );
            if ( slider.getPaintLabels() && clip.intersects( labelRect ) ) {
                paintLabels( g );
            if ( slider.hasFocus() && clip.intersects( focusRect ) ) {
                paintFocus( g );     
            if ( slider.getPaintTrack() && clip.intersects( trackRect ) ) {
                paintTrack( g );
            if ( clip.intersects( thumbRect ) ) {
                paintThumb( g );
    }You use this class by saying:    JSlider slider = new JSlider(JSlider.HORIZONTAL,0,100,10);
        slider.setPaintTicks(true);
        slider.setPaintLabels(true);
        slider.setMajorTickSpacing(10);
        slider.setMinorTickSpacing(2);
        slider.setUI(new eBasicSliderUI(slider));

  • Can I show a color bar instead of a color bullet in iCal Monthly view for all my events in all calendars?

    In the Monthly view of iCal the only events that show a color bar in the event is the Birthday Calendar. All other events in all my other calendars only show a color bullet next to the event (unless I click on that event which then shows as a color bar). I would like to know if it is possible for all the calendar events to have a color bar in the monthly view instead of just that tiny color bullet.

    Greetings Judith,
    Before making any attempts at deleting calendar data, backup what you have just in case:
    Click on each calendar on the left hand side of iCal one at a time highlighting it's name and then going to File Export > Export and saving the resulting calendar file to a logical location for safekeeping.
    iCal has an automated function located in iCal > Preferences > Advanced > Delete events "X" days after they have passed.  By typing in a value for days you can tell iCal to delete all events before that time frame.
    Example:
    Today is 4-16-2012.
    If I wanted to delete all events prior to 1 year ago (4-16-2011) I would type in "365" for the number of days.
    Once you type in the number of days you want kept in iCal, close the preferences and then quit iCal.
    Re-open iCal and check to see if the events are gone.  If not you may want to leave it open for several minutes and then quit again.
    Once the events are removed go back to  iCal > Preferences > Advanced > Delete events "X" days after they have passed and make sure the check mark is removed to prevent future deletion.
    Hope that helps.

  • Can no longer enter data in the address bar {url Bar}, it correctly follows data from google search bar. It was a 1 month old installation so not a lot of complications

    I was not adding anything to Firefox. I Refused tool bars embedded in several application installs on this new computer. Was working fine. Then had a problem with Google search, restored default values and re-tooled Firefox. At this point all worked fine. Then my url, address bar changed color to the same color as the program shell, a grey brown as opposed to the white it was before. With the change in color it no longer allows me to change the data showing in the bar. I can not delete or add data. I used to add a url and navigate to the domain. Now I can not

    Greetings,
    TY for the reply, the information was enlightening to be sure. I never knew safe mode was an option with Firefox. I have so many tasks running that I didn't want to shut things down. What I did is turn off some of the last plug-ins I installed. That did not fix the problem at least in the first look. What happened next was very interesting none the less. I had a moment of mouse spastic wrist syndrome and accidentally moved a tab in such a way that it opened in a new window. The URL bar was white and editable. So I moved all my tabs to the new window and everything works as it should. I have restarted Firefox this morning and it came back with the bar editable and I am speechless to understand what I may have done to correct the problem if anything ??

  • Battery , time , signal strength bar is not getting displayed in home screen , these will be displayed only when i click on any app. Can u let me know the setting change ?

    Battery , time , signal strength bar is not getting displayed in home screen , these will be displayed only when i click on any app. Can u let me know the setting change ?

    Did you check the Zoom setting?
    Have you tried a reset (reboot)? Hold HOME and SLEEP until an Apple logo appears.
    If it isn't Zoom and a reboot doesn't help try Settings/General/Reset - Reset all settings

  • Imported Fireworks Nav Bar Animation Looping

    Hi
    I have imported a navigation bar I made in fireworks into dreamweaver and when I preview in browser it keeps looping. In fireworks I added a rollover effect so that when you rollover each bit of text, e.g. home, contact, games  it goes bold, and when previewing it loops so they all keep going bold without my control. In Fireworks I made it using slices and several states, and so just when I rollover state one it changes to state 2 for example. Very simple, but it keeps looping, how can I stop this? Thanks. I have attached the png file for fireworks if you need to take a look.

    Hi
    You do not require the fireworks/javascript to achieve the effect you require for your links.
    This effect can be made using simple css a:link, (visited, hover, active) statements, I would also recommend using css to style your page and not tables/image slices .
    For the css links, see - http://www.w3schools.com/css/css_link.asp and http://www.webcredible.co.uk/user-friendly-resources/css/css-navigation-menu.shtml.
    Moving from tables based design to css based - http://www.adobe.com/devnet/dreamweaver/articles/table_to_css_pt1.html.
    PZ

  • Imac to TV with horizontal bar

    I connected my Imac to my TV using the mini-dvi to video adapter and it worked, however I have a horizontal bar going up across my TV screen. How do I fix this problem?

    You need a > Moshi Mini DP to HDMI Adapter with Audio Support - Apple Store (U.S.) to plug into the ThunderBolt port and an HDMI cable.

Maybe you are looking for