Swing is not displaying urdu

hi,
i am developing an application in Swing, i am setting URDU(Pakistan national language) with the help of setText() method in Netbeans 6.0 IDE, when i see preview it dispaly urdu correctly,But when i run application it display ?????????? this.
any body help me how can i solve this problem.........

we can do this by using UNICODE.
for example
this.textField.setText("\u0633\u0648\u0627\u0644");it display Urdu in swing Text Field. you can do this with other swing components like button, label ..etc
Edited by: aftab_ali on Jun 30, 2008 10:24 AM

Similar Messages

  • Swing Panels-not displaying correctly

    I have created a GUI using Panels. Panels are created at runtime and added to the GUI dynamically.
    But content of these panels are not displayed properly. For beg. some items appear only when I move the mouse over them. When I resize the GUI, content of the Panels are disappeared.

    In the future, Swing related questions should be posted in the Swing forum.
    Panels are created at runtime and added to the GUI dynamically.You need to use the revalidate() method on the Container that you add the panels to. This will cause the LayoutManager to be invoked and all the panels will be repainted in there new location.

  • Swing components not displaying correctly in JApplet

    Hello everyone,
    I have experienced some strange problems using Swing components on JApplets. Maybe I missed some documentation somewhere and someone can help me out.
    The problem is that when I add components like JButtons,
    JCheckboxes, JRadioButtons, JTextFields, JPasswordFields,
    and JComboBoxes to JApplets, when I view the applet, the
    component does not become visible until I move the mouse
    pointer over it in the case of buttons. For the JComboBox I have
    to hit the mouse key many times on the component to see the list. Has anyone experienced problems like these? Thanks.
    Keith

    check what is in ur paint(Graphic g) method. if it does nothing, remove the paint(Graphic g) method. if it has some codes, double check ur codes.

  • Swing Components not displaying in a JFrame

    Hi,
    I have a JFrame with a couple of JLabels, JButtons etc. and a Choice Combo Box
    my problem is that when i run the program the only component that gets displayed at first is Choice and in order for me to see the swing components i have to roll over them with my mouse and the JLabels dont even display when i do that..
    Does anyone know how i can fix this please?
    here is my code
    import java.awt.*;
    import java.awt.event.*;
    import java.lang.*;
    import java.awt.Image.*;
    import java.io.*;
    import java.net.*;
    public class ImageViewerAnim extends JFrame {
         private JLabel perc, scale;
         private JTextField inPercent;
         private JButton draw, muteOn;
         private JPanel sPanel;
         private String[] pics = {"Earth", "Moon", "Jupiter", "Pluton", "Neptun"};
         private String[] picsFile = {"images/earth.gif", "images/moon.gif", "images/jupiter.jpg", "images/pluton.jpg", "images/neptun.jpg"};
         private String[] soundsFile = {"sounds/tada.wav", "sounds/notify.wav", "sounds/ding.wav", "sounds/chimes.wav", "sounds/chimes.wav"};
         private Choice ch;
         private Image pic;
         private AudioClip sound = null;
         private int scaleAm = 0;
         private int origScale = 500;
         private int finalScale = 0;
         private boolean proceed = true;
         public ImageViewerAnim() {
              Container c = getContentPane();
              c.setLayout(new BorderLayout());
              sPanel = new JPanel();
              ch = new Choice();
              for(int i = 0; i < pics.length; ++i) {
                   ch.add(pics);
              scale = new JLabel("Scale");
              perc = new JLabel("%");
              inPercent = new JTextField(5); // scale value input field
              draw = new JButton("Draw");
              draw.setBorder(BorderFactory.createEtchedBorder());
              draw.addActionListener(new ActionListener() {
                   public void actionPerformed(ActionEvent e) {
                        int index = 0;
                        index = ch.getSelectedIndex();
                        pic = null;
                        repaint();
                        pic = (Toolkit.getDefaultToolkit().getImage(picsFile[index]));
                        try{
                        File f = new File(soundsFile[index]);
                        sound = Applet.newAudioClip(f.toURL());
                        }catch(MalformedURLException mfe) {
                             mfe.printStackTrace();
                        if(!inPercent.getText().equals("")) {
                             scaleAm = Integer.parseInt(inPercent.getText()); // get the scale amount from the user
                             finalScale = ((origScale * scaleAm)/100); // calculate the final scale amount based on what the user entered
                        }else {
                             finalScale = origScale; // default to original size of the image if no value for scale was entered
                        // creates a scaled instance of an image and takes the amount of scale as an argument
                        repaint();
                        sound.loop();
              muteOn = new JButton("Mute On");
              muteOn.addActionListener(new ActionListener() {
                   public void actionPerformed(ActionEvent e) {
                        sound.stop();
                        muteOn.setText("MuteOff");
              sPanel.add(ch);
              sPanel.add(scale);
              sPanel.add(inPercent);
              sPanel.add(perc);
              sPanel.add(draw);
              sPanel.add(muteOn);
              c.add(sPanel, BorderLayout.SOUTH);
              repaint();
    public void paint(Graphics g) {
         if(pic!=null) {
              g.drawImage(pic,0,0,this);
    public static void main(String args[]) {
         ImageViewerAnim app = new ImageViewerAnim();
         app.setSize(500,500);
         app.setVisible(true);
         app.setDefaultCloseOperation(EXIT_ON_CLOSE);
         app.show();
    thank you in advance
    Ivo

    for future reference
    i was able to fix this by adding
    super.paint(g);in the first line of my paint method
    Ivo

  • SWING TextField not displaying correctly

    System: Unix
    Java: 1.4.1_05
    Is there any known issues with using Swing with Unix?
    I tried to create TextFields of various widths but they all come out the same size. One with column 4 and one with column 50 are the same exact size.

    It's not clear what you're really asking so allow me to answer more than one question...
    If my code had been:
    f.pack();
    f.setLocationRelativeTo(null);
    f.setVisible(true);      1. Method setLocationRelativeTo centres a top-level window; when passed null it centres it on the screen.
    2. Method setVisible make a component visible.
    But my code was in fact:
    f.pack();
    SwingUtilities.invokeLater(new Runnable(){
        public void run() {
           f.setLocationRelativeTo(null);
           f.setVisible(true);
    });3. SwingUtilities.invokeLater, according to the API:
    Causes run() to be executed asynchronously on the AWT event dispatching thread.
    ... This method should be used when an application thread needs to update the GUI.
    Indeed it is being invoked by an application thread (the main thread).
    All programmers who code Swing need to be aware about thread issues:
    http://java.sun.com/products/jfc/tsc/articles/threads/threads1.html
    http://java.sun.com/products/jfc/tsc/articles/threads/threads2.html
    http://java.sun.com/products/jfc/tsc/articles/threads/threads3.html
    In the first link the Single Thread Rule is stated:
    Once a Swing component has been realized, all code that might affect or depend on the state of that component
    should be executed in the event-dispatching thread.
    and it is followed by this comment:
    Realized means that the component's paint() method has been or might be called. A Swing component that's a top-level
    window is realized by having one of these methods invoked on it: setVisible(true), show(), or
    (this might surprise you) pack().
    So after calling pack, if you are being careful, you can't directly call methods like setVisible or setLocationRelativeTo.
    Now, I've never had code blow up when I didn't use invokeLater, but it's simple enough to do,
    and in my real code, I have a utility method I invoke that takes care of all this, in an easy-to-reuse way.

  • Swing ProgressMonitor not displaying it's values

    While initializing an application, i want to use a ProgressMonitor and have following prob.
    When class with ProgressMonitor is launched using it's main, the PM is shown correctly.
    (to test, please run 'testApp').
    When class with PM is launched from DesktopPane, it isn't showing it's value's / progressbar.
    (to test, please run 'menu')
    TestApp
    import java.awt.Dimension;
    import javax.swing.JFrame;
    import javax.swing.JInternalFrame;
    import javax.swing.JLabel;
    import javax.swing.ProgressMonitor;
    public class TestApp
        extends JInternalFrame {
        ProgressMonitor pm;
         public TestApp() {
              setTitle("Swing-Application  PanelTest");
              add(new JLabel("Greetz from the programmer"));
            pm = new ProgressMonitor(this, "Building Resources...",
                      "Process is 0% complete",0, 100);
                 pm.setMillisToDecideToPopup(0);
                 pm.setMillisToPopup(0);
                 pm.setProgress(1);
                 myLoop();
                 pm.setProgress(50);
              pm.setNote("Process is 50% complete");
                 myLoop();
                 pm.setProgress(75);
              pm.setNote("Process is 75% complete");
                 myLoop();
             pm.setProgress(100);
              pm.setNote("Process is 100% complete");
            pack();
            setVisible(true);
         public static void main(String[] args) {
              JFrame f = new JFrame();
            f.add(new TestApp());
            f.setPreferredSize(new Dimension(400,300));
            f.pack();
            f.setVisible(true);
         public void myLoop() {
                 for (int x=1;x<50000;x++){
                      System.out.println("waiting... " + x);
    }Menu
    import java.awt.BorderLayout;
    import java.beans.PropertyVetoException;
    import javax.swing.JDesktopPane;
    import javax.swing.JFrame;
    import javax.swing.JPanel;
    import javax.swing.JSplitPane;
    import javax.swing.JTree;
    import javax.swing.event.TreeSelectionEvent;
    import javax.swing.event.TreeSelectionListener;
    import javax.swing.tree.DefaultMutableTreeNode;
    public class Menu extends JFrame implements TreeSelectionListener{
        private JDesktopPane myDeskTop;
        private JPanel jContentPane = null;
        private JSplitPane jSplitPane = null;
        private JTree jTree = null;
        private TestApp myApp;
         * This is the default constructor
        protected Menu() {
            setContentPane(getJContentPane());
            setDefaultCloseOperation(javax.swing.JFrame.DISPOSE_ON_CLOSE);
            setSize(400, 300);
            setTitle("MyApplication");
            this.validate();
            setVisible(true);
         * Launches this application
        public static void main(String[] args) {
            Menu myApplication = new Menu();
             myApplication.setVisible(true);
        private JPanel getJContentPane() {
            if (jContentPane == null) {
                jContentPane = new JPanel();
                jContentPane.setLayout(new BorderLayout());
                jContentPane.add(getJSplitPane(), java.awt.BorderLayout.CENTER);
            return jContentPane;
        private JSplitPane getJSplitPane() {
            if (jSplitPane == null) {
                jSplitPane = new JSplitPane();
                jSplitPane.setLeftComponent(getJTree());
                myDeskTop = new JDesktopPane();
                jSplitPane.setRightComponent(myDeskTop);
                jSplitPane.setDividerLocation(150);
            return jSplitPane;
        private JTree getJTree() {
            if (jTree == null) {
                DefaultMutableTreeNode root = new DefaultMutableTreeNode("Root");
                DefaultMutableTreeNode newNode = new DefaultMutableTreeNode("Dept");
                newNode.add(new DefaultMutableTreeNode("application"));
                root.add(newNode);
                jTree = new JTree(root);
                jTree.addTreeSelectionListener(this);
            return jTree;
        public void valueChanged(TreeSelectionEvent event) {
            try {
                String selectedApplication = jTree.getLastSelectedPathComponent().toString();
                if (selectedApplication.equals("application")){
                     myApp = new TestApp();
                    myDeskTop.add(myApp);
                    myApp.pack();
                    myApp.setClosable(true);
                    try {
                        myApp.setMaximum(true);
                    } catch (PropertyVetoException e){}
                    myApp.setVisible(true);
                    myApp.toFront();
            } catch (Exception e){}
    }

    In order not to block the event dispatch thread (GUI update) you have to put the progress monitor in an own thread. Here I put your whole app in the thread:
        public void valueChanged(TreeSelectionEvent event) {
            try {
                String selectedApplication = jTree.getLastSelectedPathComponent
    ().toString();
                if (selectedApplication.equals("application")){
               Thread t = new Thread(new Runnable() {
              public void run() {
                        myApp = new TestApp();
                      myDeskTop.add(myApp);
                      myApp.pack();
                      myApp.setClosable(true);
                      try {
                        myApp.setMaximum(true);
                      } catch (PropertyVetoException e){}
                      myApp.setVisible(true);
                      myApp.toFront();
               t.start();
            } catch (Exception e){}
        }

  • ADF swing: JTabbedPane does not display column names.

    Hi all,
    I have created an ADF Panel, which allows the user to run a few simple queries against an Oracle database done using ADF view objects and ADF view links and ADF application module.
    From the data control area I drag and drop a view link containing a query into a JTabbedPane. But when I run the ADF panel, JTabbedPane does not display the column headers from the SQL as opposed to JScrollPane which does.
    Suppose you do a select * from departments(dep_id, manager, state_cd), you will see all column headers meaning dep_id, manager, state_cd, and under each column the corresponding data which was retuned by the SQL if you use JScrollPane. But if you use you use JTabbedPane then you would only see the data which was retuned by the SQL without seeing the column header names meaning dep_id, manager, state_cd.
    What do I need to do to make JTabbedPane display columns headers?
    I would appreciate your input.
    Thanks.
    Bobby A.

    Hi,
    JScrollPane should be used. You can add this into a JTabbedPane if you like. Not all Swing panel show table headers
    Frank

  • Can not display Connection dialog.

    Hi There,
    Verry strange what happen.
    My Sqldeveloper stop working for an unknown raison.
    I could not see my connections, got stranger error When I try to create an Sql Sheet
    java.lang.NullPointerException
         at oracle.dbtools.raptor.controls.ConnectionPanelUI.listConnections(ConnectionPanelUI.java:426)
         at oracle.dbtools.raptor.controls.ConnectionPanelUI.resetConnections(ConnectionPanelUI.java:440)
         at oracle.dbtools.raptor.controls.ConnectionPanelUI.<init>(ConnectionPanelUI.java:120)
         at oracle.dbtools.raptor.controls.ConnectionPanelUI.<init>(ConnectionPanelUI.java:101)
         at oracle.dbtools.raptor.controls.ConnectionSelectorUI.<init>(ConnectionSelectorUI.java:36)
         at oracle.dbtools.raptor.controls.ConnectionSelectorUI.getConnection(ConnectionSelectorUI.java:59)
         at oracle.dbtools.raptor.controls.ConnectionSelectorUI.getConnection(ConnectionSelectorUI.java:42)
         at oracle.dbtools.sqlworksheet.sqlview.SqlEditorWizard.invoke(SqlEditorWizard.java:108)
         at oracle.ide.wizard.WizardManager.invokeWizard(WizardManager.java:317)
         at oracle.dbtools.sqlworksheet.sqlview.SqlEditorAddin$2.actionPerformed(SqlEditorAddin.java:248)
         at javax.swing.AbstractButton.fireActionPerformed(AbstractButton.java:1849)
         at javax.swing.AbstractButton$Handler.actionPerformed(AbstractButton.java:2169)
         at javax.swing.DefaultButtonModel.fireActionPerformed(DefaultButtonModel.java:420)
         at javax.swing.DefaultButtonModel.setPressed(DefaultButtonModel.java:258)
         at javax.swing.AbstractButton.doClick(AbstractButton.java:302)
         at javax.swing.plaf.basic.BasicMenuItemUI.doClick(BasicMenuItemUI.java:1000)
         at javax.swing.plaf.basic.BasicMenuItemUI$Handler.mouseReleased(BasicMenuItemUI.java:1041)
         at java.awt.Component.processMouseEvent(Component.java:5488)
         at javax.swing.JComponent.processMouseEvent(JComponent.java:3126)
         at java.awt.Component.processEvent(Component.java:5253)
         at java.awt.Container.processEvent(Container.java:1966)
         at java.awt.Component.dispatchEventImpl(Component.java:3955)
         at java.awt.Container.dispatchEventImpl(Container.java:2024)
         at java.awt.Component.dispatchEvent(Component.java:3803)
         at java.awt.LightweightDispatcher.retargetMouseEvent(Container.java:4212)
         at java.awt.LightweightDispatcher.processMouseEvent(Container.java:3892)
         at java.awt.LightweightDispatcher.dispatchEvent(Container.java:3822)
         at java.awt.Container.dispatchEventImpl(Container.java:2010)
         at java.awt.Window.dispatchEventImpl(Window.java:1774)
         at java.awt.Component.dispatchEvent(Component.java:3803)
         at java.awt.EventQueue.dispatchEvent(EventQueue.java:463)
         at java.awt.EventDispatchThread.pumpOneEventForHierarchy(EventDispatchThread.java:242)
         at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:163)
         at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:157)
         at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:149)
         at java.awt.EventDispatchThread.run(EventDispatchThread.java:110)
    I have try to downlod the latest version but I am getting the same error.
    When I try to see parameters in the preference dialog, the righ pane of the preference screen it not changing when I select other options.
    I am a litle bit lost...
    This is installed on Windows Server 2008 R2. What is strange is that the problem occurs only with the administrator user and not with an other user who is also member of the administrators group.
    Many thank for your help
    Jko
    Edited by: JkoFr on 4 avr. 2010 06:24

    When I click on View > Connections, Raptor does not do anything.
    My coworker system has Windows 2000 and the same version of java. Beside that, there are so many other variables. I am not sure what to look for. Could you please give me more information on what to look for?
    When I open Raptor, it does not display Connection Tab by default.
    When I run Raptor from C:\Program Files\raptor\jdev\bin\raptor.exe, I get this output. Does it look normal?
    AWT Tree Lock Assert enabled
    java.lang.NullPointerException
    at oracle.ideimpl.docking.DockStationImpl.stateChanged(DockStationImpl.j
    ava:1854)
    at oracle.ideimpl.docking.DockStationImpl.initialize(DockStationImpl.jav
    a:258)
    at oracle.ide.IdeCore.initializeModules(IdeCore.java:1417)
    at oracle.ide.IdeCore.startupImpl(IdeCore.java:1198)
    at oracle.ide.Ide.startup(Ide.java:672)
    at oracle.ideimpl.Main.start(Main.java:49)
    at oracle.ideimpl.Main.main(Main.java:25)
    Assert: Unknown Node:8: item type="PROCEDURE" reloadparent="true">
    <title>Rename</title>
    <prompt><label>New_Procedure_Name</label></prompt>
    <sql><![CDATA[rename "#OBJECT_NAME#" to #0#]]></sql>
    <help>Renames the selected procedure.</help>
    <confirmation>
    <title>Confirmation</title>
    <prompt>Procedure "#OBJECT_NAME#" has been renamed to #0#</prompt>
    </confirmation>
    </item
    Initializing.. [email protected]
    Assert: SQLView inited
    Thank for all your help.

  • JDialog not displaying correctly

    Hi all,
    Im having this problem with displaying a JDialog. I have a lengthy delay in my app and want to display an animated GIF while the user is waiting. The below code is what im trying to run. The JDialog wil display, but the title text, message text and the ImageIcon are not displayed on the JDialog. Anyone know what is wrong? Do i have to wait on the Image to load before i .show the dialog? But that wouldn't explain why the text doesn't show. Any help appreciated
    Code im trying to run, RemoteAdminMain.java
        WaitingDialog dialog = new WaitingDialog(this, "Connection...", false, "Creating Connection");
        try {
          //Create the connection...
          dialog.show();
          RemoteAdminMain.nc = NetConnection.createNetConnection(nodeAddress, Global.sessionUsername, Global.sessionPassword);
          dialog.dispose();
        } catch (Exception e) {
          dialog.dispose();
          JOptionPane.showMessageDialog(null, "Error", "Error", JOptionPane.ERROR_MESSAGE);
          e.printStackTrace();
          return;
    The Dialog code: WaitingDialog.java
    public class WaitingDialog extends JDialog {
      private JPanel panel1 = new JPanel();
      private BorderLayout borderLayout1 = new BorderLayout();
      private JLabel jLabel1 = new JLabel();
      private JLabel jLabel2 = new JLabel();
      public WaitingDialog(Frame frame, String title, boolean modal, String message) {
        super(frame, title, modal);
        try {
          jLabel2.setText(message);
          jbInit();
          pack();
        catch(Exception ex) {
          ex.printStackTrace();
        //Center the window
        Dimension screenSize = Toolkit.getDefaultToolkit().getScreenSize();
        Dimension dialogSize = getSize();
        if (dialogSize.height > screenSize.height) {
          dialogSize.height = screenSize.height;
        if (dialogSize.width > screenSize.width) {
          dialogSize.width = screenSize.width;
        setLocation((screenSize.width - dialogSize.width) / 2, (screenSize.height - dialogSize.height) / 2);
      public WaitingDialog() {
        this(null, "", false, "");
      void jbInit() throws Exception {
        panel1.setLayout(borderLayout1);
        jLabel2.setToolTipText("");
        jLabel2.setHorizontalAlignment(SwingConstants.CENTER);
        jLabel2.setHorizontalTextPosition(SwingConstants.CENTER);
        jLabel2.setText("message");
        jLabel1.setHorizontalAlignment(SwingConstants.CENTER);
        jLabel1.setHorizontalTextPosition(SwingConstants.CENTER);
        ImageIcon icon = new ImageIcon(com.tempo.netservice.RemoteAdminMain.class.getResource("swing.gif"));
        icon.setImageObserver(jLabel1);
        jLabel1.setIcon(icon);
        this.setDefaultCloseOperation(WindowConstants.DO_NOTHING_ON_CLOSE);
        this.setResizable(false);
        this.setTitle("");
        getContentPane().add(panel1);
        panel1.add(jLabel1, BorderLayout.CENTER);
        panel1.add(jLabel2,  BorderLayout.SOUTH);
    }

    I fear the problem isn't with the JDialog itself, everything is from from that point of view. I forgot to mention that if you set it as Modal, it will display fine (however, the modal method is blocking, meaning the createNetConnection method will not be executed until the dialog is closed, entirly defeating the purpose.
    I believe the problem is that the createNetConnection function stops the rest of the JDialog from loading. So i guess my question to begin with is, is there anyway to completly display and paint the JDialog before allowing it to continue onto the next function?

  • Dreamweaver images not displaying

    Hi,
    I have a site that is not displaying images. I have a blank box in the middle of the page that is supposed to display three images every few seconds. I have looked at the code and cannot see that issue.
    Here is the html fro the index.html
    I have highlighted the parts where i think is the problem
    I hope someone can help.
    The site is www.luxeit.com.au
    <!DOCTYPE html><!--[if IE 6]><html id="ie6" dir="ltr" lang="en-US" xmlns:fb="http://www.facebook.com/2008/fbml" xmlns:addthis="http://www.addthis.com/help/api-spec" ><![endif]--><!--[if IE 7]><html id="ie7" dir="ltr" lang="en-US" xmlns:fb="http://www.facebook.com/2008/fbml" xmlns:addthis="http://www.addthis.com/help/api-spec" ><![endif]--><!--[if IE 8]><html id="ie8" dir="ltr" lang="en-US" xmlns:fb="http://www.facebook.com/2008/fbml" xmlns:addthis="http://www.addthis.com/help/api-spec" ><![endif]--><!--[if !(IE 6) | !(IE 7) | !(IE 8)  ]><!--><html dir="ltr" lang="en-US" xmlns:fb="http://www.facebook.com/2008/fbml" xmlns:addthis="http://www.addthis.com/help/api-spec" ><!--<![endif]-->
    <script>
      (function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){
      (i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o),
      m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m)
      })(window,document,'script','//www.google-analytics.com/analytics.js','ga');
      ga('create', 'UA-42925477-1', 'luxeit.com.au');
      ga('send', 'pageview');
    </script>
    <head><meta charset="UTF-8" /><meta name="viewport" content="width=device-width" /><title>IT Network Support Ocean Grove, Barwon Heads, IT Support Ocean Grove</title><meta name="geo.region" content="AU-VIC" /><meta name="geo.placename" content="Melbourne" /><meta name="geo.position" content="-38.097535;145.170699" /><meta name="ICBM" content="-38.097535, 145.170699" /><meta name="GOOGLEBOT" CONTENT="index, follow"><meta name="language" content="English"><meta name="Robots" CONTENT="index, follow"><meta name="revisit-after" content="1 days"><meta name="Search Engine" CONTENT="http://www.google.com.au/"> <meta name="DC.title" content="IT Support Ocean Grove, Computer Support Ocean Grove, Small Business Server, Sonicwall Firewall" /><link rel="profile" href="http://gmpg.org/xfn/11" /><link rel="stylesheet" type="text/css" media="all" href="wp-content/themes/itmadic/style.css" /><link rel="pingback" href="xmlrpc.php" /><!--[if lt IE 9]><script src="http://www.luxeit.com.au/wp-content/themes/itmadic/js/html5.js" type="text/javascript"></script><![endif]--><link rel="alternate" type="application/rss+xml" title="It medic &raquo; Feed" href="feed/index.html" />
    <link rel="alternate" type="application/rss+xml" title="It medic &raquo; Comments Feed" href="comments/feed/index.html" />
    <link rel='stylesheet' id='output-css'  href='wp-content/plugins/addthis/css/outputccfb.css?ver=3.4.2' type='text/css' media='all' />
    <link rel='stylesheet' id='wp-paginate-css'  href='wp-content/plugins/wp-paginate/wp-paginate9030.css?ver=1.2.4' type='text/css' media='screen' />
    <script type='text/javascript' src='wp-includes/js/comment-replyccfb.js?ver=3.4.2'></script>
    <link rel="EditURI" type="application/rsd+xml" title="RSD" href="xmlrpc0db0.php?rsd" />
    <link rel="wlwmanifest" type="application/wlwmanifest+xml" href="wp-includes/wlwmanifest.xml" />
    <link rel='prev' title='contact' href='contact/index.html' />
    <link rel='next' title='Request A Quote' href='request-a-quote/index.html' />
    <meta name="generator" content="WordPress 3.4.2" />
        <style type="text/css">.recentcomments a{display:inline !important;padding:0 !important;margin:0 !important;}</style>
    <!-- All in One SEO Pack 2.0.2 by Michael Torbert of Semper Fi Web Design[775,782] -->
    <meta name="description" content="Call (03) 5255 4214 for quick and best IT support?  We provide versatile IT network support and solutions for enabling your business to achieve goals quickly and cost effectively." />
    <meta name="keywords" content="IT support Ocean Grove, IT network support, support Barwon Heads, Geelong IT support" />
    <link rel="canonical" href="index.html" />
    <!-- /all in one seo pack -->
    <link href="wp-content/themes/itmadic/style.css" rel="stylesheet" type="text/css" /><link href="wp-content/themes/itmadic/css/banner_slider/style.css" rel="stylesheet" type="text/css" /><link href="wp-content/themes/itmadic/css/jquery.megamenu.css" rel="stylesheet" type="text/css" /><script src="../ajax.googleapis.com/ajax/libs/jquery/1.8.2/jquery.min.js" type="text/javascript"></script><script type="text/javascript" src="../ajax.googleapis.com/ajax/libs/jqueryui/1.5.3/jquery-ui.min.js" ></script><link rel="stylesheet" href="wp-content/themes/itmadic/colorbox/colorbox.css" /><script src="wp-content/themes/itmadic/colorbox/jquery.colorbox-min.js"></script><script type="text/javascript">    $(document).ready(function(){        $("#featured > ul").tabs({fx:{opacity: "toggle"}}).tabs("rotate", 5000, true);                    $(".btn_book").colorbox({transition:"fade",width:400});                    $(".btn_request").colorbox({transition:"fade",width:400});    });</script><script src="wp-content/themes/itmadic/js/jquery.megamenu.js"></script><script type="text/javascript">  jQuery(function(){          var SelfLocation = window.location.href.split('?');            switch (SelfLocation[1]) {                case "defined_width":                    $(".MegaMenuLink").megamenu(".MegaMenuContent", {                        width: "850px"                    });                    break;                case "auto_width_right":                    $(".MegaMenuLink").megamenu(".MegaMenuContent", {                        justify: "right"                    });                    $('.MegaMenu').css("text-align", "right");                    break;                case "defined_width_right":                    $(".MegaMenuLink").megamenu(".MegaMenuContent", {                        justify: "right",                        width: "850px"                    });                    $('.MegaMenu').css("text-align", "right");                    break;                default:                    $(".MegaMenuLink").megamenu(".MegaMenuContent");                    break;            }      });</script><script type="text/javascript">      //Plugin start (function($)   {     var methods =       {         init : function( options )         {           return this.each(function()             {               var _this=$(this);                   _this.data('marquee',options);               var _li=$('>li',_this);                                      _this.wrap('<div class="slide_container"></div>')                        .height(_this.height())                       .hover(function(){if($(this).data('marquee').stop){$(this).stop(true,false);}},                               function(){if($(this).data('marquee').stop){$(this).marquee('slide');}})                         .parent()                        .css({position:'relative',overflow:'hidden','height':$('>li',_this).height()})                         .find('>ul')                        .css({width:screen.width*2,position:'absolute'});                              for(var i=0;i<Math.ceil((screen.width*3)/_this.width());++i)                   {                     _this.append(_li.clone());                   }                            _this.marquee('slide');});         },               slide:function()         {           var $this=this;           $this.animate({'left':$('>li',$this).width()*-1},                         $this.data('marquee').duration,                         'swing',                         function()                         {                           $this.css('left',0).append($('>li:first',$this));                           $this.delay($this.data('marquee').delay).marquee('slide');                                       }                        );                                      }       };        $.fn.marquee = function(m)     {       var settings={                     'delay':2000,                     'duration':900,                     'stop':true                    };              if(typeof m === 'object' || ! m)       {         if(m){         $.extend( settings, m );       }          return methods.init.apply( this, [settings] );       }       else       {         return methods[m].apply( this);       }     };   } )( jQuery );  //Plugin end  //call $(document).ready(function(){     $('.slide_new').marquee({delay:3000});       //$("li.page_item:last").addClass("last");   });   var chk_sec = 'invalid'var chk_sm_captcha = null;function chk_contactForm(){    if(document.getElementById('Name').value == 'Enter Name *'){        alert("Please enter name.");        document.getElementById('Name').focus();        return false;    }        if(document.getElementById('Email').value == 'Enter Email *'){        alert("Please enter email.");        document.getElementById('Email').focus();        return false;    }    var reg = /^([A-Za-z0-9_\-\.])+\@([A-Za-z0-9_\-\.])+\.([A-Za-z]{2,4})$/;    var address = document.getElementById('Email').value;    if(reg.test(address) == false) {                 alert('Please enter valid email.');        document.getElementById('Email').focus();        return false;    }        if(document.getElementById('Phone').value == 'Enter Contact *' || isNaN(document.getElementById('Phone').value) == true){        alert("Please enter contact no.");        document.getElementById('Phone').focus();        return false;    }    if(document.getElementById('sec_code').value == 'Enter Code *'){        alert("Please enter code.");        document.getElementById('sec_code').focus();        return false;    }                    $s = jQuery.noConflict();        $s.ajax({        type:'POST',        url: "http://www.luxeit.com.au" + "/ajax",        data:$s('#requestfrm').serialize(),        dataType:"json",        success: function(response) {          if(response.error == "No")          {            alert("Please enter code same as image.");            return false;         }else if (response.error == "Yes"){                    alert("Thank you for using our services.");                                                requestfrm.reset();                                }        }        , error:function(response){alert(response);}    });return false;}function ContactUs(){    if(document.getElementById('author').value == 'Enter Name *'){        alert("Please enter name.");        document.getElementById('author').focus();        return false;    }        if(document.getElementById('email').value == 'Enter Email *'){        alert("Please enter email.");        document.getElementById('email').focus();        return false;    }    var reg = /^([A-Za-z0-9_\-\.])+\@([A-Za-z0-9_\-\.])+\.([A-Za-z]{2,4})$/;    var address = document.getElementById('email').value;    if(reg.test(address) == false) {                 alert('Please enter valid email.');        document.getElementById('email').focus();        return false;    }        if(document.getElementById('subject').value == 'Enter Subject *'){        alert("Please enter subject.");        document.getElementById('subject').focus();        return false;    }    if(document.getElementById('text').value == 'Enter Message *'){        alert("Please enter message.");        document.getElementById('text').focus();        return false;    }            if(document.getElementById('sec_code').value == 'Enter Code *'){        alert("Please enter code.");        document.getElementById('sec_code').focus();        return false;    }        $s = jQuery.noConflict();        $s.ajax({        type:'POST',        url: "http://www.luxeit.com.au" + "/ajax-2",        data:$s('#ContactUs').serialize(),        dataType:"json",        success: function(response) {          if(response.error == "No")          {            alert("Please enter code same as image.");            return false         }else if (response.error == "Yes"){                    alert("Thank you for using our services.");                    ContactUs.reset();                                }        }        , error:function(response){alert(response);}    });return false;}</script></head><body class="home page page-id-145 page-template page-template-home-php single-author singular two-column right-sidebar"><div id="wrapper">  <div id="mainpage">            <!-- Header -->    <div id="header">      <div class="topelement">        <div class="phone"><img src="wp-content/themes/itmadic/images/phone.png"  alt="Phone" /></div>        <br class="clear" />        <div class="email"><a href="mailto:[email protected]">[email protected]</a></div>      </div>        <div class="logo" title="IT Support Ocean Grove"><a href="index.html"><img src="wp-content/themes/itmadic/images/logo.png" alt="IT support Melbourne" /></a></div>    </div>    <!-- Header End -->    <!-- Menu -->        <div id="nav">      <ul class="MegaMenu">      <li> <a href="index.html" class="MegaMenuLinkOff active" title="IT support Ocean Grove"><span class="active">Home</span></a></li>       <li><a href="about-us/index.html" class="MegaMenuLink " title="IT Support"><span class="">ABOUT US</span></a><div class="MegaMenuContent">        <table class="MegaMenuTable" style="z-index:99999999 !important;">          <tbody>            <tr>              <td>              <ul class="MegaMenuLists">                  <li><a href="clients/index.html" title="Clients">Clients</a></li>                  <li><a href="it-medic-career-opportunities/index.html" title="Employment">Employment</a></li>                  <li><a href="contact/index.html" title="Contact Us">Contact Us</a></li>                                  </ul></td>               </tr>          </tbody>        </table>      </div> </li>             <li> <a href="it-support/index.html" class="MegaMenuLink " title="Business IT Support"><span class="">IT SUPPORT </span></a><div class="MegaMenuContent">        <table class="MegaMenuTable" style="z-index:99999999 !important;">          <tbody>            <tr>              <td>              <ul class="MegaMenuLists">                  <li><a href="category/faqs/index.html" title="Clients">FAQs</a></li>                                                   </ul></td>               </tr>          </tbody>        </table>      </div></li>     <li> <a href="services/index.html" class="MegaMenuLink " title="Business IT Support Services"><span class="">SERVICES</span></a> <div class="MegaMenuContent">        <table class="MegaMenuTable">          <tbody>            <tr>              <td>              <ul class="MegaMenuLists">                  <li><a href="fixed-price-it-support/index.html" title="Fixed Price IT Support">Fixed Price IT Support</a></li>                  <li><a href="managed-services/index.html" title="Managed IT Services">Managed IT Services</a></li>                  <li><a href="it-medic-cloud-backup-online-managed-backup-service/index.html" title="Cloud Backup">Cloud Backup</a></li>                  <li><a href="services/index.html" title="Cloud Computing">Cloud Computing</a></li>                    <li><a href="it-medic-business-it-advice/index.html" title="IT Strategy and Advice">IT Strategy and Advice</a></li>        <li><a href="office_365_microsoft_online_experts/index.html" title="Office 365 - Microsoft Online Solutions">Office 365 - Microsoft Online Solutions</a></li>        <li><a href="it-office-moves-we-will-organise-your-office-move/index.html" title="Office Moves and Relocations">Office Moves and Relocations</a></li>        <li><a href="small-business-server-sbs/index.html" title="Small Business Server">Small Business Server Specialists</a></li>                  <li><a href="it-medic-website-hosting/index.html" class="no_border" title="Cloud Hosting">Web Hosting</a></li>                </ul></td>               </tr><script type="text/javascript">  var _gaq = _gaq || [];  _gaq.push(['_setAccount', 'UA-42925477-1']);  _gaq.push(['_trackPageview']);  (function() {    var ga = document.createElement('script'); ga.type = 'text/javascript'; ga.async = true;    ga.src = ('https:' == document.location.protocol ? 'https://ssl' : 'http://www') + '.google-analytics.com/ga.js';    var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(ga, s);  })();</script>          </tbody>        </table>      </div></li>     <li> <a href="solutions/index.html" class="MegaMenuLinkOff " title="IT Support Solutions"><span class=""> SOLUTIONS </span></a></li>     <li> <a href="contact/index.html" class="MegaMenuLinkOff " title="Contact Us"><span class="">CONTACT</span></a></li>    <li class="noBg">  <a href="category/blog/index.html" class="MegaMenuLinkOff " title="IT BLOG"><span class="">IT BLOG</span></a></li>      </ul>    </div>        <!--<div id="nav">      <div class="main-menu">          <ul>                 <div class="menu-top-menu-container"><ul id="menu-top-menu" class="menu"><li id="menu-item-157" class="menu-item menu-item-type-post_type menu-item-object-page current-menu-item page_item page-item-145 current_page_item menu-item-157"><a title="IT support Melbourne" href="http://www.luxeit.com.au/"class="select"><span>Home</span></a></li>
    <li id="menu-item-152" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-152"><a title="IT Support" href="http://www.luxeit.com.au/about-us/"><span>About Us</span></a></li>
    <li id="menu-item-151" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-151"><a title="Business IT Support" href="http://www.luxeit.com.au/it-support/"><span>It support</span></a></li>
    <li id="menu-item-150" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-150"><a title="Business IT Support Services" href="http://www.luxeit.com.au/services/"><span>services</span></a></li>
    <li id="menu-item-149" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-149"><a title="IT Support Solutions" href="http://www.luxeit.com.au/solutions/"><span>solutions</span></a></li>
    <li id="menu-item-148" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-148"><a title="Contact Us" href="http://www.luxeit.com.au/contact/"><span>contact</span></a></li>
    </ul></div>              <li class="last"><a href="http://www.luxeit.com.au/category/blog/" ><span>IT BLOG</span></a></li>              </ul>      </div>    </div>-->    <!-- Menu End -->    <!-- Banner -->        <div id="banner_container">      <div id="featured">                  <ul class="ui-tabs-nav">            <li class="ui-tabs-nav-item ui-tabs-selected" id="nav-fragment-1"> <a href="#fragment-1"> <img class="alignnone size-full wp-image-37" title="comp_support" src="wp-content/uploads/2012/12/comp_support1.png" alt="" width="68" height="68" /><span class="li_title">Cloud<br/>Backup</span></a></li><li class="ui-tabs-nav-item ui-tabs-selected" id="nav-fragment-2"> <a href="#fragment-2"> <img class="alignnone size-full wp-image-37" title="comp_support" src="wp-content/uploads/2012/12/comp_support1.png" alt="" width="68" height="68" /><span class="li_title">Fixed Price <br/>IT & Support</span></a></li><li class="ui-tabs-nav-item ui-tabs-selected" id="nav-fragment-3"> <a href="#fragment-3"> <img class="alignnone size-full wp-image-41" title="hardware" src="wp-content/uploads/2012/12/hardware1.png" alt="" width="68" height="68" /><span class="li_title">hardware<br/>sales</span></a></li>        </ul>        <div id="fragment-1" class="ui-tabs-panel ui-tabs-hide" style=""> <a href="it-medic-cloud-backup-online-managed-backup-service/index.html"><img class="alignnone size-full wp-image-38" title="Small Business Server" src="wp-content/uploads/2012/12/image21.jpg" alt="Small Business Server" width="715" height="278" /></a>          <div class="info">            <a href="wp-content/uploads/2012/12/comp_support1.png"></a><a href="small-business-server-sbs/index.html"></a>
    <h2>Too many people trying to do the right job ?</h2>
    Outsource your IT to one reliable place          </div>        </div><div id="fragment-2" class="ui-tabs-panel ui-tabs-hide" style=""> <a href="it-support/index.html"><img class="alignnone size-full wp-image-38" title="It Support Melbourne" src="wp-content/uploads/2012/12/image21.jpg" alt="It Support Ocean Grove" width="715" height="278" /></a>          <div class="info">            <a href="wp-content/uploads/2012/12/comp_support1.png"></a><a href="index.html"></a>
    <h2>Too many people trying to do the right job ?</h2>
    Outsource your IT to one reliable place          </div>        </div><div id="fragment-3" class="ui-tabs-panel ui-tabs-hide" style=""> <a href="#"><img class="alignnone size-full wp-image-42" title="Computer Support Ocen Grove" src="wp-content/uploads/2012/12/image31.jpg" alt="Computer Support Ocean Grove" width="716" height="278" /></a>          <div class="info">            <a href="wp-content/uploads/2012/12/hardware1.png"></a><a href="it-support/index.html"></a>
    <h2>Too many people trying to do the right job ?</h2>
    <p>Outsource your IT to one reliable place</p>
              </div>        </div>      </div>    </div>    <!-- Banner End -->
        <!-- Content Part -->
        <div id="main_container">
          <div class="curve_top"></div>
          <div class="curve_middle">
            <!--  Left Part Start  -->
            <div id="left_col">
              <div class="content_top"></div>
              <!--  Boxes Start  -->
              <div class="box1">
                  <h2 class="homebox"><img src="wp-content/themes/itmadic/images/bul.png" alt="IT Supports" />Cloud Backup</h2>
                  <img src="wp-content/uploads/2013/02/img3.png" width="213" height="155"  class="size-full wp-image-71 alignleft" /></div><div class="box1">
                  <h2 class="homebox"><img src="wp-content/themes/itmadic/images/bul.png" alt="IT Supports" />Small Business Server</h2>
                  <img src="wp-content/uploads/2012/12/img11.png" width="213" height="155"  class="size-full wp-image-71 alignleft" /></div><div class="box2">
                  <h2 class="homebox"><img src="wp-content/themes/itmadic/images/bul.png" alt="IT Supports" />Sonicwall Firewall</h2>
                  <img src="wp-content/uploads/2012/12/img21.png" width="213" height="155"  class="size-full wp-image-71 alignleft" /></div><div class="box-list">
                    <ul>
                      <li>
                        <div class="icon-img"><img src="wp-content/themes/itmadic/images/list-icon1.png" alt="" /></div>
                        <a href="javascript:void(0);">Run Maleware Scans</a></li>
                      <li>
                        <div class="icon-img"><img src="wp-content/themes/itmadic/images/list-icon2.png" alt="" /></div>
                        <a href="javascript:void(0);">Run Spyware Scans </a></li>
                      <li>
                        <div class="icon-img"><img src="wp-content/themes/itmadic/images/list-icon3.png" alt="" /></div>
                        <a href="javascript:void(0);">Lock the computer down</a></li>
                      <li>
                        <div class="icon-img"><img src="wp-content/themes/itmadic/images/list-icon4.png" alt="" /></div>
                        <a href="javascript:void(0);">Rollout new versions</a></li>
                    </ul><a href="services-2/index.html" class="btn-readmore-small"></a></div><div class="box-list" style="padding-left:35px;">
                    <ul>
                      <li>
                        <div class="icon-img"><img src="wp-content/themes/itmadic/images/email_sync1.jpg" width="28" height="27" alt="" /></div>
                        <a href="javascript:void(0);">Email Synchronisation</a></li>
                      <li>
                        <div class="icon-img"><img src="wp-content/themes/itmadic/images/email_web_access2.jpg" width="28" height="27"  alt="" /></div>
                        <a href="javascript:void(0);">Email Web Access </a></li>
                      <li>
                        <div class="icon-img"><img src="wp-content/themes/itmadic/images/outlook_anywhere2.jpg" width="28" height="27"  alt="" /></div>
                        <a href="javascript:void(0);">Outlook Anywhere</a></li>
                      <li>
                        <div class="icon-img"><img src="wp-content/themes/itmadic/images/remote_web_workplace1.jpg"  width="28" height="27"  alt="" /></div>
                        <a href="javascript:void(0);">Remote Web Workplace</a></li>
                    </ul><a href="small-business-server-sbs/index.html" class="btn-readmore-small"></a></div><div class="box-list" style="padding-left:35px;">
                    <ul>
                      <li>
                        <div class="icon-img"><img src="wp-content/themes/itmadic/images/business1.jpg" alt="" width="28" height="27"  /></div>
                        <a href="javascript:void(0);">Small-Medium Businesses</a></li>
                      <li>
                        <div class="icon-img"><img src="wp-content/themes/itmadic/images/wan1.jpg" alt="" width="28" height="27"  /></div>
                        <a href="javascript:void(0);">Multiple WAN connections</a></li>
                      <li>
                        <div class="icon-img"><img src="wp-content/themes/itmadic/images/fast_utm_1.jpg" alt="" width="28" height="27" /></div>
                        <a href="javascript:void(0);">Fast UTM throughput</a></li>
                      <li>
                        <div class="icon-img"><img src="wp-content/themes/itmadic/images/bandwidth2.jpg" alt="" width="28" height="27" /></div>
                        <a href="javascript:void(0);">Bandwidth managment</a></li>
                    </ul><a href="sonicwall-firewall/index.html" class="btn-readmore-small"></a></div>          <!--  Content Box Start  -->
    <!--          <div class="content-box" style="background: none;">
                  Who We Are Start 
                <div class="who-we">
                                  <h1>who we are ?</h1>
                  <p>LUXE IT&#8217;s objective is to enable your business to reach its goals quickly and cost-effectively using our versatile support services that range from managing your IT systems, offering help-desk services and developing strategic solutions for your individual needs.</p>
    <p>Our service strategy is &#8216;prevention is cheaper than cure&#8217; and as such our goal is to proactively keep your               <a href="who-we-are/">more &gt&gt</a>
                </div>
                  Who We Are End 
                  What Our Start 
                <div class="what-box">
                  <h1>NEWS FLASH</h1>
                  <div class="what-box1">
                      <p class="black-txt">"IT Medic is one of Victoria's leading IT consultancy companies, offering small and medium businesse...</p><a href="http://www.luxeit.com.au/new1">more &gt&gt</a><div style=" border-bottom: 1px dashed #999; margin:10px 0px 20px 0px"></div><p class="black-txt">LUXE IT technicians have steadfastly developed a reputation for delivering quality IT solutions for...</p><a href="http://www.luxeit.com.au/new2">more &gt&gt</a><div style=" border-bottom: 1px dashed #999; margin:10px 0px 20px 0px"></div>                  <div style="float:right;"><a href="http://www.luxeit.com.au/category/news/">View All</a></div>
                  </div>
                </div>
                  What Our End 
              </div>-->
              <!--  Content Box End  -->
            </div>
            <!--  Left Part End  -->
           <div id="right_col">
        <div class="right_box">
            <div class="block-freequote">
                            <form action="#" method="post" id="requestfrm">
                <div class="block-quote-top"> <span class="block-quote-ttle">REQUEST A CALLBACK</span> <br />
                    <div class="contact_text_1">
                        <input name="Name" id="Name" maxlength="25" type="text" onfocus="if (this.value=='Enter Name *') this.value = ''" onblur="if (this.value=='') this.value = 'Enter Name *'" class="textbox wdth190" value="Enter Name *"/>
                    </div>
                    <div class="contact_text_1">
                        <input name="Email" id="Email" maxlength="25" type="text" onfocus="if (this.value=='Enter Email *') this.value = ''" onblur="if (this.value=='') this.value = 'Enter Email *'" class="textbox wdth190" value="Enter Email *"/>
                    </div>
                    <div class="contact_text_1">
                        <input name="Phone" id="Phone" maxlength="25" type="text" onfocus="if (this.value=='Enter Contact No *') this.value = ''" onblur="if (this.value=='') this.value = 'Enter Contact No *'" class="textbox wdth190" value="Enter Contact No *"/>
                    </div>
                    <div class="contact_text_4">
                        <textarea name="comment" id="comment" cols="" rows="3" class="textarea wdth190" onfocus="if (this.value=='Enter Your Comment') this.value = ''" onblur="if (this.value=='') this.value = 'Enter Your Comment'" style="min-height: 60px; outline: medium none; overflow: auto; resize: none; width: 209px;">Enter Your Comment</textarea>
                    </div>
                    <div class="capcha">
                        <img src="wp-content/themes/itmadic/captcha.jpg" width="87" height="30" alt="Captcha" id="Captcha" name="Captcha"/>
                        <img src="wp-content/themes/itmadic/images/refresh.png" width="30" height="30" alt="Capcha" onclick="document.getElementById('Captcha').src='wp-content/themes/itmadic/captchad41d.jp g?'+Math.random();" style="cursor: pointer;" />
                    </div>
                    <div class="contact_text_3">
                        <input name="sec_code" id="sec_code" type="text" onfocus="if (this.value=='Enter Code *') this.value = ''" onblur="if (this.value=='') this.value = 'Enter Code *'" value="Enter Code *" class="textbox wdth100" maxlength="4" size="1"/>
                    </div>
                    <input name="Submit" type="button" class="btn-submit" onclick="return chk_contactForm()"/>
                </div>
                </form>
                <div class="block-quote-btm"></div>
                        </div>
        </div>
        <div style="padding: 5px;float: left;"></div>
    <!--    <div class="right_box"><a href="http://www.luxeit.com.au/special-deals/" class="btn_livechat" oncontextmenu="return false;"></a></div>
        <div class="right_box"><a href="http://www.luxeit.com.au/book-a-service-call/" class="btn_book" oncontextmenu="return false;"></a></div>
        <div class="right_box"><a href="http://www.luxeit.com.au/request-a-quote/" class="btn_request" oncontextmenu="return false;"></a></div>-->
    </div>      </div>
    <!--      <div class="curve_bottom"></div>-->
        </div>
        <!-- Content Part End -->
        <!-- Logo Slider Start -->
        <!-- Logo Slider End -->
      </div>
    <!--  <div class="clear"></div>-->
    </div>
    </div>
          <div class="curve_bottom"></div>
        </div>
        <!-- Content Part End -->
        <!-- Logo Slider Start -->
        <!-- Logo Slider End -->
      </div>
      <div class="clear"></div>
    </div>
        <!--  Footer Start  -->
    <div id="footer">
      <div class="footer_container">
        <div class="mid_body_box_bottom">
          <div class="marquee" id="mycrawler1" style="width: 990px;">
          <!--<img src="http://www.luxeit.com.au/wp-content/themes/itmadic/images/logo-1.jpg" alt="" /> <img src="http://www.luxeit.com.au/wp-content/themes/itmadic/images/logo-2.jpg" alt="" /> <img src="http://www.luxeit.com.au/wp-content/themes/itmadic/images/logo-3.jpg" alt="" /> <img src="http://www.luxeit.com.au/wp-content/themes/itmadic/images/logo-4.jpg" alt="" /> <img src="http://www.luxeit.com.au/wp-content/themes/itmadic/images/logo-5.jpg" alt="" /> <img src="http://www.luxeit.com.au/wp-content/themes/itmadic/images/logo-6.jpg" alt="" /> <img src="http://www.luxeit.com.au/wp-content/themes/itmadic/images/logo-7.jpg" alt="" /> <img src="http://www.luxeit.com.au/wp-content/themes/itmadic/images/logo-8.jpg" alt="" /> <img src="http://www.luxeit.com.au/wp-content/themes/itmadic/images/logo-9.jpg" alt="" /> -->
          <a href="wp-content/uploads/2012/12/logo-11.jpg"><img src="wp-content/uploads/2012/12/logo-11.jpg" alt="" title="logo-1" width="142" height="49" class="alignnone size-full wp-image-592" /></a><a href="wp-content/uploads/2012/12/logo-31.jpg"><img src="wp-content/uploads/2012/12/logo-31.jpg" alt="" title="logo-3" width="82" height="39" class="alignnone size-full wp-image-593" /></a><a href="wp-content/uploads/2012/12/logo-41.jpg"><img src="wp-content/uploads/2012/12/logo-41.jpg" alt="" title="logo-4" width="51" height="48" class="alignnone size-full wp-image-594" /></a><a href="wp-content/uploads/2012/12/logo-51.jpg"><img src="wp-content/uploads/2012/12/logo-51.jpg" alt="" title="logo-5" width="74" height="59" class="alignnone size-full wp-image-595" /></a><a href="wp-content/uploads/2012/12/logo-61.jpg"><img src="wp-content/uploads/2012/12/logo-61.jpg" alt="" title="logo-6" width="82" height="56" class="alignnone size-full wp-image-596" /></a><a href="wp-content/uploads/2012/12/logo-71.jpg"><img src="wp-content/uploads/2012/12/logo-71.jpg" alt="" title="logo-7" width="60" height="56" class="alignnone size-full wp-image-597" /></a><a href="wp-content/uploads/2012/12/logo-81.jpg"><img src="wp-content/uploads/2012/12/logo-81.jpg" alt="" title="logo-8" width="132" height="45" class="alignnone size-full wp-image-598" /></a><a href="wp-content/uploads/2012/12/logo-91.jpg"><img src="wp-content/uploads/2012/12/logo-91.jpg" alt="" title="logo-9" width="97" height="47" class="alignnone size-full wp-image-599" /></a>      </div>
        </div>
        <div class="cleaner"></div>
    <!--    <img src="http://www.luxeit.com.au/wp-content/themes/itmadic/images/div-2.png"  style="padding: 0 0 0 40px" />-->
        <!--  Navigation Start  -->
        <div class="navigaiton">
          <div class="cleaner"></div>
          <h3>Quick Links</h3>
          <ul class="navi-menu">
            <li><a href="about-us/index.html" title="About us">About us</a></li>
            <li><a href="it-support/index.html" title="IT Support">IT Support</a></li>
            <li><a href="services/index.html" title="Services">Services</a></li>
            <li><a href="solutions/index.html" title="Solutions">Solutions</a></li>
          </ul>
        </div>
        <div class="navigaiton">
          <div class="cleaner"></div>
          <h3>Our Company</h3>
          <ul class="navi-menu">
            <li><a href="clients/index.html" title="Clients">Clients</a></li>
            <li><a href="it-medic-career-opportunities/index.html" title="Employment">Employment</a></li>
            <li><a href="contact/index.html" title="Contact Us">Contact Us</a></li>
            <li><a href="category/faqs/index.html" title="FAQs">FAQs</a></li>
          </ul>
        </div>
        <div class="navigaiton">
          <div class="cleaner"></div>
          <h3>Our Services</h3>
          <ul class="navi-menu">
            <li><a href="managed-services/index.html" title="Managed IT Services">Managed IT Services</a></li>
            <li><a href="it-medic-cloud-backup-online-managed-backup-service/index.html" title="Cloud Backup">Cloud Backup</a></li>
            <li><a href="services/index.html" title="Cloud Computing">Cloud Computing</a></li>
            <li><a href="it-medic-business-it-advice/index.html">IT Strategy and Advice</a></li>
          </ul>
        </div>
        <!--  Navigation End  -->
        <!--  Contact Information Start  -->
        <!--  Contact Information End  -->
        <!--  Social Start  -->
        <div class="social">
          <h3>Social Media</h3>
          <ul class="social-link">
            <li><a href="#" class="facebook"></a>Join Us on Facebook</li>
            <div class="cleaner"></div>
            <br />
            <li><a href="#" class="twitter"></a>Follow Us on Twitter</li>
          </ul>
        </div>
        <!--  Social End  -->
        <!--  Footer Bottom Start  -->
        <div class="footer-bottom">
          <div class="copyright">© copyright 2013 LUXE IT Solutions </div>
          <div class="webdesign"><a href="http://www.luxeit.com.au/" target="_blank">Web Design</a> | <a href="http://http://www.luxeit.com.au" target="_blank" title="Web Design Melbourne">Web Design Ocean Grove</a> <a href="http://http://www.luxeit.com.au/" target="_blank"></a></div>
        </div>
        <!--  Footer Bottom End  -->
      </div>
    </div>
            <!--  Footer End  -->
    <script type="text/javascript">
    var addthis_config = {"data_track_clickback":false,"data_track_addressbar":false,"data_track_textcopy":false," ui_atversion":"300"};
    var addthis_product = 'wpp-3.0.5';
    </script><script type="text/javascript" src="../s7.addthis.com/js/300/addthis_widget.js#pubid=9a150961060f210039a7601a57828761">< /script><!--wp_footer-->
    </body>
    </html>

    Run your page through the validator here: http://validator.w3.org
    You have some structural defects in your code that should be taken care of. If it's still not working once you have the code cleaned, post back and we can take a closer look.

  • JFileChooser problem - it will not display

    I have read the tutorial on JFileChoosers and understand the basics, however, my application will simply not display a File Chooser. I select the menu option "open file" and the command prompt window just spews out dozens of garbage. The code is below if there are any FileChooser "Pros" out there. The FileChooser is selected for loading in the actioPerformed method. Thanks for any assistance.
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import javax.swing.event.*;
    import javax.swing.border.*;
    import java.io.*;
    import java.util.*;
    import javax.swing.JFileChooser;
    import javax.swing.filechooser.*;
    public class DissertationInterface extends JFrame implements ActionListener
         private JPanel onePanel, twoPanel, bottomPanel;
           private JButton quit,search;
           private JMenuBar TheMenu;
           private JMenu menu1, submenu;
         private JMenuItem menuItem1;
         private JFileChooser fc;          //FILE CHOOSER
           private BorderLayout layout;
           //Canvas that images should be drew on
           //drawTheImages Dti;
           //Instances of other classes
         //DatabaseComms2 db2 = new DatabaseComms2();
         //Configuration cF = new Configuration();
           public DissertationInterface()
                setTitle("Find My Pics - University Application") ;
                layout = new BorderLayout();          
                Container container = getContentPane();
                container.setLayout(layout);
                //Dti = new drawTheImages();
              //container.add(Dti);
                quit = new JButton("Quit");
                search = new JButton("Search");
                TheMenu = new JMenuBar();
                setJMenuBar(TheMenu);
                //FILE CHOOSER
                JFileChooser fc = new JFileChooser();     
                fc.setFileSelectionMode(JFileChooser.FILES_AND_DIRECTORIES);
                //First menu option = "File";
                menu1 = new JMenu("File");
              TheMenu.add(menu1);
                //Add an option to the Menu Item
                menuItem1 = new JMenuItem("OPEN FILE",KeyEvent.VK_T);
            menuItem1.setAccelerator(KeyStroke.getKeyStroke(
            KeyEvent.VK_1, ActionEvent.ALT_MASK));
              menu1.add(menuItem1);
              menuItem1.addActionListener(this);          //action listener for Open file option
                //CREATE 3 PANELS
                onePanel = new JPanel();
                onePanel.setBackground(Color.blue);
                onePanel.setLayout(new FlowLayout(FlowLayout.CENTER, 200, 400)) ;
                twoPanel = new JPanel();
                twoPanel.setBackground(Color.red);
                twoPanel.setLayout(new GridLayout(5,2,5,5));
                bottomPanel = new JPanel();
                bottomPanel.setBackground(Color.yellow);
                bottomPanel.setLayout(new FlowLayout(FlowLayout.CENTER,10,10));
              //ADD COMPONENTS TO THE PANELS
                //Add the menu bar and it's items to twoPanel
              twoPanel.add(TheMenu, BorderLayout.NORTH);
              twoPanel.setAlignmentY(LEFT_ALIGNMENT);
                bottomPanel.add(quit);
                quit.addActionListener(this);          //action listener for button
                bottomPanel.add(search);
                search.addActionListener(this);          //action listener for button
                //ADD PANELS TO THE WINDOWS
                container.add(onePanel, BorderLayout.CENTER);
                container.add(twoPanel,BorderLayout.NORTH);            
                container.add(bottomPanel, BorderLayout.SOUTH);
                //setSize(350,350);
                setVisible(true);
              }//END OF CONSTRUCTOR
            public void leaveWindow()
                 this.dispose() ;
            public static void main(String args[])
            DissertationInterface DI = new DissertationInterface();
            DI.setVisible(true);
            //Display the window.
            DI.setSize(450, 260);
            DI.setVisible(true);
            DI.pack();
         }//End of main method
         protected void processWindowEvent(WindowEvent e)
                super.processWindowEvent(e);
                if(e.getID()== WindowEvent.WINDOW_CLOSING)
                      System.exit(0);
              }//End of processWindowEvent
    //method to resolve button clicks etc
    public void actionPerformed(ActionEvent e)
              //PROBLEM IS HERE !!!!!!! - why won't the file dialogue box open
              if(e.getActionCommand().equals("OPEN"))
                   int returnVal = fc.showOpenDialog(DissertationInterface.this);
                 else if(e.getActionCommand().equals("Quit"))
                      //closeDialog();
                      System.out.println("User interface exited");
                      System.exit(1);
                      leaveWindow();
              else if(e.getActionCommand().equals("Search"))
                      //pass params to database                                 
                 }//end of else if
    } //end of method ActionPerformed
    }//End of class DissertationInterface

    I have done as stated, code compiles/executes but when I select the open file option on my GUI, the command prompt window freezes and no dialogue box is displayed!!!!

  • JFileChooser file filter and view does not display Drive letters

    This code displays only files that end in abc.xml, and directories. For example, "helloabc.xml" and directory "world" will display as hello and world, respectively.
    However, I am surprised to find that the drive letters are not displayed at all. eg. C:
    any insights?
    thanks,
    Anil
    import java.io.File;
    import javax.swing.JFileChooser;
    import javax.swing.filechooser.FileFilter;
    import javax.swing.filechooser.FileView;
    public class NoDrive {
         protected static final String ABC_FILE_EXTN = "abc.xml";
         public String selectFile(String function){
              File file = null;
              JFileChooser fc = new JFileChooser();
              fc.setFileFilter(new FileFilter() {
                   public boolean accept(File f) {
                        if (!f.isFile() || f.getName().endsWith(ABC_FILE_EXTN))
                             return true;                    
                        return false;
                   public String getDescription() {
                        return "ABC files";
              fc.setFileView(new FileView() {
                   public String getName(File f) {
                        String name = f.getName();
                        if (f.isFile() && name.endsWith(ABC_FILE_EXTN))
                             return name.substring(0, name.indexOf(ABC_FILE_EXTN));
                        return name;
              int returnVal = fc.showDialog(null, function);
              if (returnVal == JFileChooser.APPROVE_OPTION) {
                   file = fc.getSelectedFile();
                   return file.getName();
              return null;
         public static void main(String[] args) {
              (new NoDrive()).selectFile("Open ABC");
    }

    OK. Here's the correct code:
        fc.setFileView(new FileView() {
          public String getName(File f) {
            String name = f.getName();
            if (f.isFile() && name.endsWith(ABC_FILE_EXTN)){
              return name.substring(0, name.indexOf(ABC_FILE_EXTN));
            else{
              return super.getName(f);
        });

  • Images not displayed properly.Any advice on that?

    Hi,
    I found the following code inside the forum and i'm trying to understand it.
    It appears to be a problem though. In particular the images(chess-pieces) are not displayed properly. The background of the gif images should be transparent but is not. Any advice?
    Thanks
    Here is the code:
    import java.awt.*;
    import javax.swing.*;
    public class ChessBoard10 {
    static final int PAWN = 0;
    JFrame frame;
    JComponent[][] checker;
    public ChessBoard10() {
    frame = new JFrame("CHESS GAME");
    frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
    Container con = frame.getContentPane();
    con.setLayout(new GridLayout(8, 8));
    checker = new JComponent[8][8];
    for (int row = 0; row < 8; ++row) {
    for (int col = 0; col < 8; ++col) {
    JComponent p = new JPanel();
    p.setBackground(setColor(row, col));
    checker[row][col] = p;
    con.add(p);
    frame.setSize(500, 550);
    frame.setVisible(true);
    Color setColor(int y, int x) {
    Color c;
    if (y % 2 == 1) {
    if (x % 2 == 1) {
    c = Color.white;
    } else {
    c = Color.black;
    } else {
    if (x % 2 == 1) {
    c = Color.black;
    } else {
    c = Color.white;
    return c;
    public void setPiece(Piece pc, int row, int col) {
    JComponent p = checker[row - 1][col - 1];
    //one base -> zero base conversion
    if (p.getComponentCount() > 0) {
    p.remove(0);
    p.add(pc);
    p.revalidate();
    /*test*/
    public static void main(String[] args) {
    int Bpawn = 0,
    Bbishop = 1,
    Bking = 2,
    Bknight = 3,
    Bqueen = 4,
    Brock = 5,
    Wpawn = 6,
    Wbishop = 7,
    Wking = 8,
    Wknight = 9,
    Wqueen = 10,
    Wrock = 11;
    ChessBoard10 cb = new ChessBoard10();
    for (int i = 1; i < 9; i++) {
    cb.setPiece(new Piece(Bpawn), 2, i);
    cb.setPiece(new Piece(Wpawn), 7, i);
    cb.setPiece(new Piece(Bking), 1, 4);
    cb.setPiece(new Piece(Bqueen), 1, 5);
    cb.setPiece(new Piece(Bbishop), 1, 3);
    cb.setPiece(new Piece(Bbishop), 1, 6);
    cb.setPiece(new Piece(Bknight), 1, 2);
    cb.setPiece(new Piece(Bknight), 1, 7);
    cb.setPiece(new Piece(Brock), 1, 1);
    cb.setPiece(new Piece(Brock), 1, 8);
    cb.setPiece(new Piece(Wking), 8, 4);
    cb.setPiece(new Piece(Wqueen), 8, 5);
    cb.setPiece(new Piece(Wbishop), 8, 3);
    cb.setPiece(new Piece(Wbishop), 8, 6);
    cb.setPiece(new Piece(Wknight), 8, 2);
    cb.setPiece(new Piece(Wknight), 8, 7);
    cb.setPiece(new Piece(Wrock), 8, 1);
    cb.setPiece(new Piece(Wrock), 8, 8);
    class Piece extends JPanel {
    String[] imgfile =
    "Bpawn.gif",
    "Bbishop.gif",
    "Bking.gif",
    "Bknight.gif",
    "Bqueen.gif",
    "Brock.gif",
    "Wpawn.gif",
    "Wbishop.gif",
    "Wking.gif",
    "Wknight.gif",
    "Wqueen.gif",
    "Wrock.gif" };
    public Piece(int type) {
    add(new JLabel(new ImageIcon(imgfile[type])));
    }

    Well, without actually testing the code which I most unfortunately can't do since my real computer is chrashed at the moment, try checking the
    boolean Component.isOpaque();otherwise try using .png's instead altough it shouldn't matter.
    This is just some general advices =(

  • Buttons are not displayed for the first time when drawImage method is used

    Hi
    In my swing window 2 buttons are there and when clicking these buttons, it should display an image . The two buttons are displayed at the first time and I can click on it . While clicking a button , the corresponding image is also got displayed. [ I am using drawImage() function for it] But what the problem is, then the two buttons are not displayed and it will be displayed again when the mouse moves along the position of these two buttons. And this problem occurs only at the first time..When they are on the window on a second time, they won't vanish when the image is displayed when clicking it. Is this the problem with paint() method?. I am using start() method also.
    Please help me!
    Thank You

    Hi
    This is not my exact program, that has a large no: of code. So I am putting here a sample one. One thing I would like to point out is that , I can see the buttons at the time of loading the applet and suddenly it vanishes and the image is drawn. Then if I move the mouse along the position of these buttons , they got displayed.
    import java.awt.*;
    import javax.swing.*;
    /*<applet code = MyClass width = 500 height = 500>
    </applet>
    public class MyClass extends JApplet
    Image img;
    JButton b1,b2;
    Container cp;
    Canvas1 cv;
    class Canvas1 extends JPanel
    public void paint(Graphics g)
    super.paint(g);
    g.setColor(Color.black);
    g.fillRect(0,0,500,500);
    img = getImage(getCodeBase(),"image1.jpeg");
    g.drawImage(img,20,20,this);
    public void start()
    cv = new Canvas1();
    cv.setBounds(0,0,500,500);
    cp.add(cv);
    public void init()
    setLayout(null);
    cp = getContentPane();
    b1 = new JButton("Button1");
    b1.setBounds(1,1,100,30);
    cp.add(b1);
    b2 = new JButton("Button2");
    b2.setBounds(200,1,100,30);
    cp.add(b2);
    It would be very helpful to me if you could fix the problem.
    Thank You.

  • JInternalFrame is not displayed properly in jDesktopPane

    I am developing a project in NetBeans 6.5. I've designed a JInternalFrame "newInvoiceIF" which contains JPanel. The JPanel has Free Design as a layout which is by default in NetBeans. The other components like textfields, labels, separator & buttons are placed on JPanel. My problem is that when JFrame is added to JDesktopPane at the runtime it doesn't display complete JPanel. The width of panel seems to be more than displayed internalframe. Right hand side components are not displayed partially I have set size of the internal frame to the size of desktoppane as shown in the code below.
    NewInvoiceIF newInvoiceIF = new NewInvoiceIF();
    newInvoiceIF.setSize(myDesktopPane.getSize());
    newInvoiceIF.show();
    myDesktopPane.add(newInvoiceIF);
    myDesktopManager.activateFrame(newInvoiceIF);
    I've also tried pack() method but it make internal frame larger than desktoppane & then i need to drag internal frame towards left to see right hand side components. Can anybody tell me solution that'll rearrange components within internalframe at runtime so that all components are displayed within desktoppane size limit.

    Agrees with Olek. It may be time to bite the bullet and learn how to use the many layout managers that are available in Swing. The Sun tutorial dose a decent job explaining these, but I think that it puts a little too much emphasis on the GridBagLayout, one of the more difficult layout managers.

Maybe you are looking for

  • Out-of-warranty phone support

    My PSC 6180 has stopped printing wirelessly from my Windows 7 laptop.  I am considering buying the one-time phone support, but is that $20 for one phone call or one issue?  I seriously doubt I can fix this (if I even can) in one (or even two) phone c

  • Planning

    Hello Experts, I want to a planning on primay cost elements for many cost centers in one shot.usually i am using KP06 for individulal planning of cost center but now i have to a planning for many cost centers at the same time. Regards, Bilal

  • Exporting to XDCam

    Hey guys, I'm working in CS5 v5.0.3 (on my Windows 7 Dell Vostro 1520) to edit a project that must be put on a new Omneon server. It must come out in a specific format with a specific codec which I'm having trouble finding. My requirements are as fol

  • Help Installing JRE in windows XP

    I have been unable to install. Everytime I try I get the folliwing error message: "J2re_1_4_1_01-windows-i586.exe-Application Error The application failed to initialize properly (0xc0000005). Click on ok to terminate application." I am logged in as a

  • How can I zip a music file?

    hello, I am very new with mac, I would like some help in how to compress a music file as well as what type of extention will I need? thank you