Dynamically Updating JTable, please help

I am trying to create an GUI for a java program I wrote to interface with motes running TinyOS. I am having some serious problems creating this because in the JTable tutorial everything is static so I can't figure out how I'm supposed to modify the table from my code. I'm basically reading packets coming in from the serial port and updating several data fields based on what is contained in the packet. I want certain cells in the JTable to reflect the changes that occur in the variables I have, sort of like a debugger would display, but in real time and at full run speed. I tried using the setValueAt function but the problem is the JTable is created in a static method and so I cannot call it from main. I tried moving the section of code that monitors the serial port and updates my data to the createAndShowGUI function, but unfortunately the table will not display unless this function returns, but the program will never return from this function if I move the code there and so I just get a completely grey JTable displayed. I have included the code below, sorry for the length of it but I need some help on this one, I was never taught java and am trying to learn this on my own for research purposes. As it stands now the only error generated by this code is from the following line:
newContentPane.DataTable.setValueAt("asdfsa",1,1);
I am not allowed access to newContentPane because it has been dynamically instantiated by createAndShowGUI and I cannot access it through main.
I'd appreciate any help on this, thank you.
package net.tinyos.tools;
import javax.swing.JFrame;
import javax.swing.JPanel;
import javax.swing.JScrollPane;
import javax.swing.JTable;
import javax.swing.JComponent;
import javax.swing.ListSelectionModel;
import javax.swing.event.ListSelectionEvent;
import javax.swing.event.ListSelectionListener;
import java.awt.Dimension;
import java.awt.GridLayout;
import java.awt.event.MouseAdapter;
import java.awt.event.MouseEvent;
import java.util.Date;
import java.io.*;
import net.tinyos.packet.*;
import net.tinyos.util.*;
import net.tinyos.message.*;
public class BeaconListen extends JPanel {
private static int MAX_NODES = 10;
     JTable DataTable;
     public BeaconListen(){
     super(new GridLayout(1,0));     
     Object[] ColumnNames = {"Node","PPS","Average PPS","Time Elapsed"};
     Object[][] Data= {
     {"0","","",""},
     {"1","","",""},
     {"2","","",""},
     {"3","","",""},
     {"4","","",""},
     {"5","","",""},
     {"6","","",""},
     {"7","","",""},
     {"8","","",""},
     {"9","","",""},
     DataTable = new JTable(Data,ColumnNames);
     DataTable.setPreferredScrollableViewportSize(new Dimension(500, 70));
     JScrollPane scrollPane = new JScrollPane(DataTable);
add(scrollPane);
* Create the GUI and show it. For thread safety,
* this method should be invoked from the
* event-dispatching thread.
private static void createAndShowGUI(){
//Make sure we have nice window decorations.
JFrame.setDefaultLookAndFeelDecorated(true);
//Create and set up the window.
JFrame frame = new JFrame("MoteData");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
//Create and set up the content pane.
BeaconListen newContentPane = new BeaconListen();
newContentPane.setOpaque(true); //content panes must be opaque
frame.setContentPane(newContentPane);
//Display the window.
frame.pack();
frame.setVisible(true);
     if (args.length > 0) {
     System.err.println("usage: java net.tinyos.tools.BeaconListen");
     System.exit(2);
     public static void main(String args[]) {
     //Schedule a job for the event-dispatching thread:
//creating and showing this application's GUI.
javax.swing.SwingUtilities.invokeLater(new Runnable() {
public void run() {
createAndShowGUI();
               PacketSource reader = BuildSource.makePacketSource();
     if (reader == null) {
     System.err.println("Invalid packet source (check your MOTECOM environment variable)");
     System.exit(2);
          int i, total = 0;
     int reset =1;
     int packetcount[] = new int[MAX_NODES];
     int PL[] = new int[MAX_NODES];
     int counter[] = new int[MAX_NODES];
     double RSSI[]= new double[MAX_NODES];
     int signalStrength=0;
     double strengthUnsigned=0;
     int Transition=0;
     int PPS=0;
     int FirstRun=1;
     int packetHold=0;
     double avgPacketCount[] = new double[MAX_NODES];
     int secondsElapsed=0;
     int averageReset=1;
     int totalPacketsReceived[] = new int[MAX_NODES];
     System.out.println("Node Listening");
     try {
     reader.open(PrintStreamMessenger.err);
     for(;;){
          byte[] packet = reader.readPacket();
     if(reset==1)
     for(i=0; i<MAX_NODES; i++)
          packetcount=0;
          PL[i]=0;
          counter[i]=0;     
          if(averageReset==1)
          secondsElapsed=0;
          avgPacketCount[i]=0;
          totalPacketsReceived[i]=0;
     reset =0;
     if(FirstRun==0)
     packetcount[packetHold]++;
     totalPacketsReceived[packetHold]++;
     PPS++;
     FirstRun=0;
     averageReset=0;
     packetcount[packet[6]]++;
     totalPacketsReceived[packet[6]]++;
     PPS++;
     strengthUnsigned = ((int)packet[8])& 0xFF;
     RSSI[packet[6]]=RSSI[packet[6]]+strengthUnsigned;
if((packet[10]==1 && Transition==1) || (packet[10]==0 && Transition==0))
     secondsElapsed++;
     if(Transition==1)
     Transition=0;
     else
     Transition=1;
     PPS--;
     packetcount[packet[6]]--;
     totalPacketsReceived[packet[6]]--;
     packetHold=packet[6];
     reset=1;
     for(i=0; i<MAX_NODES; i++)
     newContentPane.DataTable.setValueAt("asdfsa",1,1);
          System.out.println("Packet Count for Node " + i + "is: " + packetcount[i]);
          PL[i]=8 - packetcount[i];
          System.out.println("Packet Loss for Node " + i + "is: " + PL[i]);
          avgPacketCount[i]=1.0*totalPacketsReceived[i]/secondsElapsed;
          System.out.println("Avg Packet Count for " + secondsElapsed + " seconds is: " +avgPacketCount[i]);
          if(RSSI[i]!=0)
          RSSI[i]=RSSI[i]/packetcount[i];
          RSSI[i]=3*(RSSI[i]/1024);
          RSSI[i]=(-51.3*RSSI[i])-49.2;
          System.out.println("RSSI(dBm) for node " + i + "is: " + RSSI[i]);
          System.out.println();
          packetcount[i]=0;
          RSSI[i]=0;
     System.out.println("Total Packets Recieved: " + PPS);
     PPS=0;
               System.out.println();
               System.out.println();
     javax.swing.SwingUtilities.invokeLater(new Runnable() {
public void run() {
createAndShowGUI();
     catch (IOException e) {
     System.err.println("Error on " + reader.getName() + ": " + e);

The best way to update your data is using a TableModel :
When you instantiate a JTable with an array of objects, it creates a DefaultTableModel which actualy stores your data.
So, you should create your TableModel, and feed it with the data. Each time the data is updated, the TableModel must notify the JTable, so the new data can be shown :
here's a simple example
public class MyModel extends AbstractTableModel
Object[][] data;
//you must implement some abstract methods declared in AbstractTableModel
//the method you use to update the data (you can give it the name you want)
setData(Object[][] _data)
data=_data;
fireTableDataChanged();//method of AbstractTableModel that notifies the data has changed
public void main(String[] s)
MyModel tableModel = new MyModel();
JTable table = new JTable(tableModel);
JFrame frame = new JFrame();
frame.getContentPane().add((new JScrollPane()).getViewport().add(table);
frame.pack();
frame.setVisible(true);
tableModel.setData(new Object[][]{{"one", "two"}, {"three", "four"};
thread.sleep(5000);
tableModel.setData(new Object[][]{{"five", "six"}, {"seven", "eight};
You will see the table displaying one, two, three, four, during 5 seconds, and then it will display five, six...

Similar Messages

  • How do i deactivate the auto updation on my iphone 4,i want to use only watsapp but when i am turning on my celleular data all apps starts updating theirself,please help me

    how do i deactivate the auto updation on my iphone 4,i want to use only watsapp but when i am turning on my celleular data all apps starts updating theirself,please help me.I am not using any internet pack other than watsapp.

    iPhone do not do automatic update. You have to manually trigger the updates.
    If your Settings > iTunes & App Stores > Automatic Downloads > Music, Apps, Books are ON then when you purchase any new content/item with any devices/computer iTunes, it will automatically download. Switch it OFF if you do not want that to happen.

  • HT4097 My ipad and mini pad won't update though it says several apps are in need of update. Please help!

    My ipad and mini pad won't update though it says several apps are in need of updates. Please help!

    Try updating from here:
    App Store>Purchased
    Note: You'll have to look out for apps that need update.

  • I have a macbook 13in mid 2010, im trying to update it from 10.6.4... i update it and restart i but when it finishes restarting, it says its still 10.6.4 and i need to update? please help!

    I have a macbook 13in mid 2010, im trying to update it from 10.6.4... i update it and restart i but when it finishes restarting, it says its still 10.6.4 and i need to update? please help!

    Try downloaded the Mac OS X 10.6.8 Update Combo v1.1 standalone updater and installing it.

  • My iPhone 5 will not sync with itunes. Icon does no appear in left hand column. Both iTunes and the iPhone are running the most up to date updates. Please help.

    My iPhone 5 will not sync with itunes. Icon does no appear in left hand column. Both iTunes and the iPhone are running the most up to date updates. Please help.

    Is your iPhone connected to your computer using the lightning cable or are you doing WiFi sync?
    Sometimes the iPhone doesn't show up in the side bar if you're using WiFi syncing, if its not working, then be connected to your WiFi on your phone and on your computer (Same network) let me know how it's going, if it doesn't work still. Turn your phone off and on again and put in your pass code then try to sync it (keep your phone unlocked and not in sleep mode) tel me if it appears in the side bar.

  • How do I update my iOS? I have the iPad 1 and have tried over and over to try and update the iOS version to iOS 5.1, nothing works it will start updating then say that it did not update? PLEASE HELP!!!

    How do I update my iOS? I have the iPad 1 and have tried over and over to try and update the iOS version to iOS 5.1, nothing works it will start updating then say that it did not update? PLEASE HELP!!! P.s I'm running newest version of iTunes.

    Connect your iPad to your computer and let iTunes back up your iPad. After it does that disconnect it and go into your settings under general and under reset and select erase all content. After you do that reconnect to your computer, open iTunes and follow the screen options to set up your iPad as new. Once it is done doing that see if you have the latest version of iOS installed and if it does then either download gain the apps you had before or restore them from the backup made previous.

  • HT1222 The new IOS 7.0 version for my iPhone 4S keeps telling me its unable to verify software update. Please help?

    The new IOS 7.0 version for my iPhone 4S keeps telling me its unable to verify software update. Please help?

    Go to appleid.apple.com.  Log in with your Apple ID & password.  Update your contact information.

  • Why is my ipad doesnt have a software update?please help,i cannot find it.. :(

    why is my ipad doesnt have a software update?please help,i cannot find it..

    The ipad 1 (no camera) can't be updated beyond IOS 5.1.1.

  • Battery running down fast using Yosemite, running the latest update 10.10.2. I think there is bug in this update. Please help me out or is there a way can i switch back to mavericks and how

    Battery running down fast using Yosemite, running the latest update 10.10.2. I think there is bug in this update. Please help me out or is there a way can i switch back to mavericks and how

    1. Check the cycle count of the battery against the rated life for your model. The battery may be due for replacement. If the power adapter is connected almost all the time, the battery may need replacing even though the cycle count is not too high.
    2. Follow these instructions, or these for OS X 10.8 or earlier.
    3. In the Energy Saver preference pane, uncheck the box marked
              Enable Power Nap while on battery power
    if it's shown (it may not be.)
    4. You can also try resetting the SMC.
    5. Make sure your system is up to date in Software Update.
    6. Make a "Genius" appointment at an Apple Store, or go to another authorized service center.

  • I receive the error "invalid address" even if my apple ID is the correct one...i already tried a lot of times and th einformation is correct, so i m not being able to install any apps or updates..please help me!!!

    i receive the error "invalid address" even if my apple ID is the correct one...i already tried a lot of times and the information is correct, so i m not being able to install any apps or updates..please help me!!!

    contact itunes support

  • HT4623 My daughter forgot her passcode for her 3GS, and iTunes will not let me change the passcode or even update.  Please help!!!

    My daughter forgot her passcode for her 3GS, and iTunes will not let me change the passcode or even update.  Please help!!!

    If You Are Locked Out Or Have Forgotten Your Passcode or Just Need to Restore Your Device
      1. iTunes 10 for Mac- Update and restore software on iPod, iPhone, or iPad
      2. iPhone, iPad, iPod touch: Wrong passcode results in red disabled screen
      3. iOS- Understanding passcodes
         If you have forgotten your Restrictions code, then follow the instructions
         below but DO NOT restore any previous backup. If you do then you will
         simply be restoring the old Restrictions code you have forgotten. This
         same warning applies if you need to restore a clean system.
    A Complete Guide to Restore or Recover Your iDevice (if You Forget Your Passcode)
    If you need to restore your device or ff you cannot remember the passcode, then you will need to restore your device using the computer with which you last synced it. This allows you to reset your passcode and re-sync the data from the device (or restore from a backup). If you restore on a different computer that was never synced with the device, you will be able to unlock the device for use and remove the passcode, but your data will not be present. Refer to Updating and restoring iPhone, iPad and iPod touch software.
    Try restoring the iOS device if backing up and erasing all content and settings doesn't resolve the issue. Using iTunes to restore iOS devices is part of standard isolation troubleshooting. Restoring your device will delete all data and content, including songs, videos, contacts, photos, and calendar information, and will restore all settings to their factory condition.
    Before restoring your iOS device, Apple recommends that you either sync with iTunes to transfer any purchases you have made, or back up new data (data acquired after your last sync). If you have movie rentals on the device, see iTunes Store movie rental usage rights in the United States before restoring.
    Follow these steps to restore your device:
         1. Verify that you are using the latest version of iTunes before attempting to update.
         2. Connect your device to your computer.
         3. Select your iPhone, iPad, or iPod touch when it appears in iTunes under Devices.
         4. Select the Summary tab.
         5. Select the Restore option.
         6. When prompted to back up your settings before restoring, select the Back Up
             option (see in the image below). If you have just backed up the device, it is not
             necessary to create another.
         7. Select the Restore option when iTunes prompts you (as long as you've backed up,
             you should not have to worry about restoring your iOS device).
         8. When the restore process has completed, the device restarts and displays the Apple
             logo while starting up:
               After a restore, the iOS device displays the "Connect to iTunes" screen. For updating
              to iOS 5 or later, follow the steps in the iOS Setup Assistant. For earlier versions of
              iOS, keep your device connected until the "Connect to iTunes" screen goes away or
              you see "iPhone is activated."
         9. The final step is to restore your device from a previous backup. If you do not have a
              backup to restore, then restore as New.
    If you are restoring to fix a forgotten Restrictions Code or as a New device, then skip Step 9 and restore as New.

  • I want to update my WINDOWS 8 TO WINDOWS 8.1. But it doesn't updating. PLEASE HELP ME TO FIX THIS ERROR.

    SO HERE IT IS.
    I ALREADY READ MANY STEPS, MANY TIPS ON HOW TO FIX MY PROBLEM IN MY WINDOWS. BUT I REALLY CAN'T FIX IT. I'm not professional in terms of Computer System. But I really want to upgrade my Operating System to Windows 8.1.
    I really can't do it. 
    The window store says that I need to upgrade the pending updates for my applications but when I click install all.
    It's just pending. There's nothing happening. There's nothing installed. 
    So I go to control panel then search the windows update.
    There I click the Install Updates. I waited for 4 hours. But there's really nothing happening so I cancelled it.
    Then here is what happened after that.
    IT SAYS THAT code:80070003 windows update run into a problem then I clicked the "Get help with this error"
    Then I run the troubleshooting
    And then after that.
    the troubleshooting has completed this is what it said.
    Problems Found:
    Service registration is missing or corrupt
    Windows Update error 0x80070057 (2014-08-10-T-02_20_42P)
    Problems Installing recent updates
    So that's is.
    I don't know what to do.
    PLEASE HELP ME. :(

    Thanks, but, using the "free" version of Reader, there is no opportunity to open nor import the xml data - the menu options do not exist - there is no import listed.
    If we try to open the xml file directly, then we get an error - something to the effect of "unsupported file type, or the file is corrupted".
    I just noticed in my Pro version that there is the command File ->Form Data ->Import Data to Form... command. Is this what you are referring to?
    What do you recommend? Perhaps the easiest thing to do would be to purchase a few copies of Acrobat Pro for the reservations people to use? I was hoping that the free version of reader would do it, but perhaps not?
    Thanks again,
    Rob

  • Problem with checkboxes in IR report mainly for update process please help

    Hello,
    Can anyone please help me out with this issue.
    I have an interactive report with 3 checkbox item for a single column named status. Based on the value of the column status the check box should be checked. For example:
    DECODE(status,'DEV',1,0) as DEV,
    DECODE(status,'RVW',1,0) as RVW,
    DECODE(status,'PRD',1,0) as PROD,
    So for this I have used the apex_item.checkbox item. Below is my report query
    SELECT APEX_ITEM.HIDDEN(30,0,'','f30_' || ROWNUM)
         || APEX_ITEM.HIDDEN(31,0,'','f31_' || ROWNUM)
            || APEX_ITEM.HIDDEN(01,ROWNUM,'','f01_' || ROWNUM)
         || APEX_ITEM.HIDDEN(04,CHF_DATASTORE||CHF_SCHEMA||CHF_TABLE||CHF_COLUMN,'','f04_' || ROWNUM)
            || APEX_ITEM.HIDDEN(05,CHF_STATUS,'','f05_' || ROWNUM)
         || APEX_ITEM.HIDDEN(06,CHF_STATUS,'','f06_' || ROWNUM)
            || APEX_ITEM.HIDDEN(08,CHF_STATUS,'','f08_' || ROWNUM)
         || APEX_ITEM.HIDDEN(09,CHF_STATUS,'','f09_' || ROWNUM)
            || APEX_ITEM.HIDDEN(11,CHF_STATUS,'','f11_' || ROWNUM)
         || APEX_ITEM.HIDDEN(12,CHF_STATUS,'','f12_' || ROWNUM)
            || APEX_ITEM.CHECKBOX (32,ROWNUM,'onClick="javascript:ToggleValue(this,' || ROWNUM || ','||'''f30'');"'
         ,DECODE (0,1, ROWNUM),':','f32_' || ROWNUM) DELETE
            ,CHF_COLUMN
            ,CHF_STATUS
            ,APEX_ITEM.CHECKBOX (07,ROWNUM,'onClick="javascript:ToggleValue(this,' || ROWNUM || ','||'''f05'');"',DECODE (CHF_STATUS,'DEV',ROWNUM),':','f07_' || ROWNUM) 
              DEV_EDIT
         ,APEX_ITEM.CHECKBOX (10,ROWNUM,'onClick="javascript:ToggleValue(this,' || ROWNUM || ','||'''f08'');"',DECODE (CHF_STATUS,'RVW',ROWNUM),':','f10_' || ROWNUM) 
              RVW_EDIT
            ,APEX_ITEM.CHECKBOX (13,ROWNUM,'onClick="javascript:ToggleValue(this,' || ROWNUM || ','||'''f11'');"',DECODE (CHF_STATUS,'PRD',ROWNUM),':','f13_' || ROWNUM) 
              PRD_EDIT
            FROM CHF_COLUMN WHERE
    CHF_DATASTORE  = 'DOMAIN_DEV' AND
    CHF_SCHEMA     = 'SCHEMA_DEV' AND
    CHF_TABLE      = 'EMPLOYEEE'
    ORDER BY 1;  And I have a button for the update process so that the users can check the checkboxes option for the status column either 'DEV', 'RVW', 'PRD'. The status of the column can be in either of these states or can be null.
    I have a update process, its having some problem - I don't understand whats causing the problem. Below is the error message which I encountered when trying to update.
    ORA-06502: PL/SQL: numeric or value error: character to number conversion error
    My Update process.
    DECLARE
    l_cnt BINARY_INTEGER := 0;
    l_stepid number := 10;
    l_date DATE := SYSDATE;
    BEGIN
    FOR i IN 1 .. apex_application.g_f01.COUNT
    LOOP
    IF APEX_APPLICATION.G_f05 (i)  = 1 THEN
          UPDATE  CHF_COLUMN
               SET      CHF_STATUS = 'DEV'
             WHERE CHF_DATASTORE||CHF_SCHEMA||CHF_TABLE||CHF_COLUMN = APEX_APPLICATION.G_f04 (i)
              l_cnt := l_cnt + SQL%ROWCOUNT;
    apex_application.g_print_success_message := apex_application.g_print_success_message ||
    'Successfully updated'||l_cnt ||'<br><br>';
    END IF;
    IF APEX_APPLICATION.G_f08 (i)  = 1 THEN
          UPDATE  CHF_COLUMN
               SET      CHF_STATUS = 'RVW'
             WHERE CHF_DATASTORE||CHF_SCHEMA||CHF_TABLE||CHF_COLUMN = APEX_APPLICATION.G_f04 (i)
              l_cnt := l_cnt + SQL%ROWCOUNT;
    apex_application.g_print_success_message := apex_application.g_print_success_message ||
    'Successfully updated'||l_cnt ||'<br><br>';
    END IF;
    IF APEX_APPLICATION.G_f11 (i)  = 1 THEN
          UPDATE  CHF_COLUMN
               SET      CHF_STATUS = 'PRD'
             WHERE CHF_DATASTORE||CHF_SCHEMA||CHF_TABLE||CHF_COLUMN = APEX_APPLICATION.G_f04 (i)
              l_cnt := l_cnt + SQL%ROWCOUNT;
    apex_application.g_print_success_message := apex_application.g_print_success_message ||
    'Successfully updated'||l_cnt ||'<br><br>';
    END IF;
    END LOOP;
    COMMIT;
    END;If you can please have a look at the app, you can get a better understanding of my problem.
    Workspace : orton_workspace
    username : [email protected]
    password : sanadear
    Application No: 15089 SAMPLE_CHECKBOX_APP
    Thanks,
    Orton
    Edited by: orton607 on Aug 4, 2010 9:28 AM

    I could be wrong but maybe change the hidden items to be like:
    APEX_ITEM.HIDDEN(05,DECODE(CHF_STATUS,'DEV',1,0),'','f05_' || ROWNUM)
    APEX_ITEM.HIDDEN(08,DECODE(CHF_STATUS,'RVW',1,0),,'','f08_' || ROWNUM)
    APEX_ITEM.HIDDEN(11,DECODE(CHF_STATUS,'PRD',1,0),,'','f11_' || ROWNUM)so that the values are 0/1?
    Also, you have
    DECODE (CHF_STATUS,'DEV',ROWNUM)instead of
    DECODE (CHF_STATUS,'DEV',0,1)in the checkboxes, as I would expect.
    I'm also not sure why you need to duplicate the checkboxes (f07,f10,f13) as hidden items (f05, f08, f11) if they are both 0/1 values.

  • Mac not working right after software update. Please Help...

    I turned on my computer today and first thing I was asked when I logged in was if I wanted to update my software because there is new updates available. So I click on update so my computer will stay up to date......Well big mistake Now I cant open my itunes, my safari, my quicktime player, or even my Microsoft word, everything is messed up I keep getting "program quit unexpectedly" from everything. I have been trying everything today to get my computer back to normal, but no luck. I have read something about "permissions not being compatible". I have no idea Im clueless I know nothing about computers. Please Help! I made a big OOOOOOps

    It finally powered on after 3 battery pulls, but now it does not make or receive calls (((
    Everytime I connect it to blackberry link it says software update available, so I clicked on install, it said downloading update and then nothing happens, the download bar becomes full then nothing changes
    I also tried to reload device software, i got a message saying checking repair software and it stayed like that for 3 hours then the device rebooted but nothing happened at all
    I even tried redoing the software update from the phone itself 3 times, everytime it would say update successful but the phone would still not make or receive calls
    Please help I dont know what to do....could the problem with blackberry link be that im using it on a mac??
    I appreciate your help

  • 1 year old MacBook Pro wont let me do a software update. Please help :(, 1 year old MacBook Pro wont let me do a software update. Please help :(

    Hi everyone,
    I purchased my MacBokk Pro a little over a year ago brand new from an Apple store. As of a few month ago it refuses to do a software update. It says it cant connect because of a network problem, but when I run a network diagnostic it says there is no problem. Please help me

    No specific update. Just trying to check for software updates and it wont even let me check for one. I know there will be many updates to do because it hasnt let me check for updates in months

Maybe you are looking for

  • SOAP-Web Service Error

    Hi guys I am trying "Siva Maranani's" weblog "Invoke Webservices using SAP XI" and have several errors. My first attempt was to send a message using the RWB. My input: Send to:    http://host:8000/sap/xi/engine?type=entry Sender:     OP_CALC_WS Inter

  • Application Builder removing the menu and tool bar

    In Labview 8 we can use the application builder to disable the tool bar on the VI when during the build. Under Labview 8.2, the source file setting no longer affects the menu and tool bar of the top level VI. In my particuliar case, I want to remove

  • Initial vertical positioning in JFrame

    In my frame(using GridBagLayout) I have several components, out of which some are not visible in the beginning. The problem is that the components that are visible in the beginning are positioned in the center of the screen, and when the rest of the

  • ITunes Update: Cannot Locate iTunes.msi

    I am currently attempting to update my iTunes to the most recent version (I believe it is 10.5.11). However, I am currently stuck due to a popup during the installation process which states that I need to locate the "iTunes.msi" file. If I press canc

  • Helping getting pics back on PC from ipad

    Hi, I had to do a complete system restore on my PC and I want to get the photo albums on my ipad back on my PC. I have already lost all my itunes music not knowing what I was doing from my computer with the retore and then on my ipad. Please help!