Why can't my image be displayed?

Anybody could help me with the code? the image does not seem to appear when i run it...is it because JPanel cannot work with Canvas? or is it because of the error in getImage() method?
This are the code for the ImageClient
import java.awt.*;
import java.awt.image.*;
import java.awt.event.*;
import java.net.*;
import java.io.*;
import java.util.Vector;
import javax.swing.*;
public class ImageClient extends JFrame implements ActionListener
     private JMenuBar mainMenu;
     private JMenuItem open, save, exit, scale;
     private JMenu fileMenu, editMenu;
     private JPanel mainPane;
     private JFileChooser imagesFile;
     private JLabel imageLabel, imgPanel;
     String fname;
     // Declare all the Input/Output object variables.
     Socket toHost = null;
     PrintWriter out = null;
    ObjectInputStream in = null;
     ObjectOutputStream objectOut = null;
     // Declare the user interface object variables.
     // images is a Vector used to store the image names as strings. This simply
     // stores the Vector of file names transmitted by the server.
     Vector images;
     // params is vector used to store the parameters such as image name and operation
     Vector params;
     // img is the image that will be displayed. This simply stores the Image
     // transmitted by the server.
     Image img = null;
     // canvas is a subclass of the awt abstract Canvas class. This is where the
     // Image will be displayed (see bottom of file for MyCanvas class definition).
     MyCanvas canvas = null;
     public ImageClient(String host, int port){
          initGUI();
          initSocket(host, port);
     protected void initGUI()
          Container cpane = getContentPane();
          canvas = new MyCanvas(null);
          //Open the menu in order to img from any folder
          imagesFile = new JFileChooser();
          imagesFile.addActionListener(this);
          //create an JPanel Container
          mainPane = new JPanel();
          mainPane.setBackground(Color.white);
          //create an intermedia panel to hold panel and button
          mainMenu = new JMenuBar();
          setJMenuBar(mainMenu);
          setContentPane(mainPane);
          fileMenu = new JMenu("File");
          mainMenu.add(fileMenu);
          editMenu = new JMenu("Features");
          mainMenu.add(editMenu);
          //JMenuItem(open, save, exit) to be added into the JMenu(fileMenu)
          open = new JMenuItem("Open...");
          save = new JMenuItem("Save...");
          exit = new JMenuItem("Exit...");
          scale = new JMenuItem("Scale");
          imgPanel = new JLabel();
          JPanel images = new JPanel(new BorderLayout());
          imageLabel = new JLabel();
          images.add(imageLabel);
          fileMenu.add(open);
          fileMenu.add(save);
          fileMenu.add(exit);
          editMenu.add(scale);
          //add events to the JMenuItem(open, save, exit)
          open.addActionListener(this);
          save.addActionListener(this);
          exit.addActionListener(this);
          scale.addActionListener(this);
          mainPane.add(imgPanel, BorderLayout.CENTER);
          imgPanel.add(canvas, BorderLayout.NORTH);
          //to set the close menu on the menubar
          setDefaultCloseOperation(DISPOSE_ON_CLOSE);
          //to set the size of the frame
          setSize(500,500);
          //to set the main pane visible to the user
          setVisible(true);
     protected void initSocket(String host, int port)
          try
                toHost = new Socket(host, port);                                        // 1                                   
                out = new PrintWriter(toHost.getOutputStream(), true);               // 2
                in = new ObjectInputStream(toHost.getInputStream());
                objectOut = new ObjectOutputStream(toHost.getOutputStream());   // 3
         catch (UnknownHostException e)
              System.err.println("Unknown host in initSocket()");
             catch (IOException e)
                 System.err.println("IO error in initSocket()");
     public void actionPerformed(ActionEvent e)
          if(e.getSource()==(open))
               imagesFile.showOpenDialog(this); //to have the OPEN dialog box
          if(e.getSource() == imagesFile)
               //to get the file from the exact folder that the user clicks on
               fname = imagesFile.getSelectedFile().getAbsolutePath();
               getImage();
     private void getImage()
          try
               //params = new Vector();
               //objectOut.writeObject(params);
               //objectOut.flush();
                                                                                                    // 1
               int w = ((Integer)in.readObject()).intValue();                              // 2
               int h = ((Integer)in.readObject()).intValue();
               int[] buffer = (int[])in.readObject();
               MemoryImageSource ms = new MemoryImageSource(w, h, buffer, 0, w);      // 3
               Image image = createImage(ms);                                                                                               // 4
               canvas.setImage(image);                                                                                                                   // 5
               canvas.repaint();                                                                                                                                  // 6
          catch (Exception e)
               e.printStackTrace();
               System.err.println("out error: " + e);
     public static void main (String[]args)
          if(args.length != 2)// checks whether enter 2 data e.g. localhost 222222
               System.err.println("Required parameters: <hostname>, <port number>");
               System.exit(0);
          String host = args[0];
          int port = Integer.parseInt(args[1]);
          ImageClient is = new ImageClient(host, port);
class MyCanvas extends Canvas
     // The Image to be displayed.
     Image img = null;
     public MyCanvas(Image i)
          this.resize(200, 200);
     public void setImage(Image i)
          img = scaleImage(i);
protected Image scaleImage(Image i)
     if(i == null) return null;                                                                                                              // 1
     Image scaled = null;                                                                                                                             // 2
     int w = i.getWidth(this);                                                                                                                   // 3
     int h = i.getHeight(this);
     if(w > getWidth())                                                                                                                              // 4
          scaled = i.getScaledInstance(getWidth(), -1, Image.SCALE_DEFAULT);
     else if (h > getHeight())
          scaled = i.getScaledInstance(-1, getHeight(), Image.SCALE_DEFAULT);
     else
          scaled = i;     
     return scaled;                                                                                                                                            // 5
     public void paint(Graphics g)
          if(img != null)
               g.drawImage(img, 0, 0, this);
This are the code for the ImageServer
import java.awt.*;
import java.awt.image.*;
import java.awt.event.*;
import javax.swing.*;
import java.net.*;
import java.io.*;
import java.util.*;
public class ImageServer
     // Declare the Vector and Image variables.
     Vector images = new Vector();
     Image img = null;
     public ImageServer()
          initImages();
          try
               start();
          catch (IOException ioe)
               System.err.println("Start failed:" + ioe);
     private void start() throws IOException
          ServerSocket ss = new ServerSocket(22222);
          while(true)
               new ImageServerConnection(ss.accept(), images).start();
     protected void initImages()
          images.addElement("robo.gif");
          images.addElement("phantom.jpg");
          images.addElement("koyomi.jpg");
     public static void main(String[] args)
          ImageServer is = new ImageServer();
class ImageServerConnection extends Thread
     // Declare the Input/Output object variables.
     Socket clientSocket = null;
     ObjectOutputStream objectOut = null;
     ObjectInputStream inObject = null;
     BufferedReader in = null;
     // Declare the data variables.
     Vector images = null;
     Image img = null;
     public ImageServerConnection(Socket client, Vector images)
          clientSocket = client;
          this.images = images;
     public void run()
          try
               newSocket();
          catch (IOException ioe)
               System.err.println("Socket failed:" + ioe);
     private void newSocket() throws IOException
          // in = new BufferedReader(new InputStreamReader(clientSocket.getInputStream()));      // 1     
          objectOut = new ObjectOutputStream(clientSocket.getOutputStream());                         // 2
        inObject = new ObjectInputStream(clientSocket.getInputStream());
          sendObject(images);     
          Object input = null;
         /*                                                                                                         // 3
          String inputline;
          while ((inputline = in.readLine()) != null) {                                                  // 4
               if (images.contains(inputline))
                    sendImage(inputline);
               else break;
          try
               while((input = inObject.readObject())!= null)
                    Vector invert=(Vector)input;
                    sendImage(invert.elementAt(0).toString(), invert.elementAt(1).toString());
          catch (Exception e){}
          clientSocket.close();
     protected void sendObject(Object obj)
          try
               objectOut.writeObject(obj);
               objectOut.flush();
          catch (IOException e)
                 System.err.println("send failed.");
                 System.exit(1);
     protected void sendImage(String img_name, String inputlineOp)
          int w, h;
          img = Toolkit.getDefaultToolkit().getImage(img_name);                                        // 1
          while ((w = img.getWidth(null)) == -1){}                                                       // 2
          while ((h = img.getHeight(null)) == -1){}
          //OpSelector selector = new OpSelector();
          //img = selector.doOp(inputlineOp,img);// doOp: do the operation
          int[] buffer = new int[w * h];                                                                       // 3
          PixelGrabber px = new PixelGrabber(img, 0, 0, w, h, buffer, 0, w);     // 4
          try
               px.grabPixels();                                                                                 // 5
          } catch (InterruptedException ie)
               System.err.println("Pixel grab failed.");
          sendObject(new Integer(w));                                                                           // 6
          sendObject(new Integer(h));
          // buffer contains all the bytes for the image
          sendObject(buffer);

I dun know exactly which part goes
wrong...sorry...cause there are no errors when i
compile...but the image just won't appear...It isn't the menu bar. And it isn't the file chooser. Can't you write a test program that does
nothing but display an image?

Similar Messages

  • Why can I import images from my scanner in Adobe Elements 11 organizer but not in photo editor?

    Why can I import images from my scanner in Adobe Elements 11 in the organizer but not in the photo editor? I have Windows 8 64 bit.

    You need to install TWAIN to scan into the editor:
    http://helpx.adobe.com/photoshop-elements/kb/twain-installed-photoshop-elements-11.html

  • Why is the logo image not displaying in Firefox?

    The logo image for one of my sites is not displaying. The alt info for the image is being displayed. This is a relatively new problem. In older versions of Firefox the image displayed fine. The image also displays fine in Webkit browsers and IE10. This is a Firefox specific problem. The main URL for the site is: http://sabaki.aisites.com/dbs323/project/masterAi.php
    If you go to that URL in Firefox you'll see "logo gif" split onto two lines and before the "COTin" text. If you view the same URL in Chrome or IE10, you'll see the image. I have screenshots of the problem, but there is no way to include them here.

    Works fine here.
    Reload web page(s) and bypass the cache to refresh possibly outdated or corrupted files.
    *Press and hold Shift and left-click the Reload button.
    *Press "Ctrl + F5" or press "Ctrl + Shift + R" (Windows,Linux)
    *Press "Command + Shift + R" (MAC)
    If you use extensions (Tools > Add-ons > Extensions) like <i>Adblock Plus</i> or <i>NoScript</i> or <i>Flash Block</i> that can block content then make sure that such extensions aren't blocking content.
    Start Firefox in <u>[[Safe Mode|Safe Mode]]</u> to check if one of the extensions (Firefox/Tools > Add-ons > Extensions) or if hardware acceleration is causing the problem (switch to the DEFAULT theme: Firefox/Tools > Add-ons > Appearance).
    *Do NOT click the Reset button on the Safe mode start window or otherwise make changes.
    *https://support.mozilla.org/kb/Safe+Mode
    *https://support.mozilla.org/kb/Troubleshooting+extensions+and+themes

  • In Finder, why can't my subfolder names display beneath the main Folder?

    Does Mac even use the term "Directories"? I think it's just folders.
    In Finder I have a Folder named 2013 in which I have all of my photos taken in 2013. I create a subfolder under 2013 called "Ausable Trip". The problem is I can't see that subfolder. I should be able to see a list of subfolders under my main folder but that doesn't work. Very frustrating. Why doesn't Finder display folders this way:
    Pictures
       Rog Photos
          2010
         2011
         2012
         2013
            Ausable Trip
            DC Trip
            Houston Trip
    Thanks for your suggestions!

    But it does. Here's an example. The root-level Library folder, in list view. Post a screenshoe of your pictures folder in list view.

  • Reasons why can't move image on its separate layer or combined?

    I am using Creative Suite 5.5 on my MacBook Pro...and today had issues demonstrating the simple process of dragging one person/image onto another, applying a quick mask to do some simple morphing.
    But...one, I couldn't drag the image from the internet and drop onto the project, but had to go to Edit and copy, then create a new file and hit paste.  Placing one image side by side to another...I was not able to drag the image of one person to drop onto the other.  I either had to use the marquee tool, drag around the image, copy and paste or...found I could drag the image from its layer in the layer's palette and drop onto the project.
    More frustrating was that once I had both images in the same project, I was not able to move the new person/image added to locate in right position over the background person/image.  I would drag it to that new location, and it would snap back to the original location.  Obviously the need to take any image added and move it around to orchestrate your image is important.
    I have asked a number of artist friends, checked the mode (both images are RGB) and both images at 8 bits...
    I presume it is a simple command that will release the image to stay where located using the Move tool...but am not familiar enough with Suite 5.5 obviously.  If you can help, will GREATLY appreciate it...thank you

    Hi there
    You posted your help request to the forum for photoshop.com, and online portal site (not a forum for Photoshop CS).  I'll move this for you.

  • Can't get Images to display in PDF

    Hello,
    I'm new to InDesign so sorry if this a noob mistake. I'm trying to export my InDesign file to PDF but whenever I do, the images I've embedded into InDesign don't show up in the PDF. Instead I get a Placeholder Image. I am exporting as an Interactive PDF with the default settings using InDesign CS6.
    Does anybody have any idea as to why this could be happening?
    Thanks in advance.

    Hi,
    I don't know if it's related to the problem you are experiencing, but there is no need to embed the images once they are placed. If you leave them linked, your filesize will be smaller and Indesign more stable. Try placing one of the images again and leaving it alone, then export to PDF again.
    Regards,
    Malcolm

  • Can i make image tags display on pics in a slide show?

    I mistakenly added individual image tags to 300 photos, and would like to add them to the slideshow I am creating. can this be done?

    Captions - Lightroom Forums

  • Can't get image to display in Library mode

    I Just istalled Lightroom 4.2 and imges will not display in Library mode. this LR 4.2 was an upgrade for LR4.1 which worked perfectly before the upgrade.  Now all I get in Libary mode is image data and a grey spot where the images should be. Any solutions for this?

    Duplicate thread: http://www.lightroomforums.net/showthread.php?17365-LR4-2-installed-but-problems-with-Liba ry-images-they-do-not-display!

  • Still can't get images to display in iTunes

    I've added images to the Podcast track and to the Episode info track, I'm able to Share to iTunes fine BUT
    When I play it in iTunes I get one image (which is not included in my podcast), the audio is fine but no changing images.
    Can anyone help?!
    Thanks.

    I'd really really appreciate some help here. It seems to be since the last big updates. It all worked fine before.

  • Why can I load Image from jar?

    hi,all:
    I've packed all gif images into a jar file,it works well on jdk1.4.2_05 with this command:
    java -jar pos.jar
    but failed on other jdk versions lower than jdk1.4.2_05.
    here is the package structure:
    &#9500;&#9472;resource
    &#9474; &#9500;&#9472;configfile
    &#9474; &#9492;&#9472;images
    here is the code getting url:
    package resource
    public class ResourceLoader {
    public ResourceLoader() {
    public URL getResource(String fileName){
    URL url=ResourceLoader.class.getResource(fileName);
    if(null==url){
    throw new NullPointerException(fileName+" not found");
    return url;
    with this url, I will use
    toolkit.getImage(url);
    to load the image.
    exception on 1.4.1_01:
    An unexpected exception has been detected in native code outside the VM.
    Unexpected Signal : EXCEPTION_ACCESS_VIOLATION occurred at PC=0x6D2835EB
    Function=JNI_OnLoad+0x249
    Library=C:\j2sdk1.4.1_01\jre\bin\jpeg.dll
    Current Java thread:
    at sun.awt.image.JPEGImageDecoder.readImage(Native Method)
    at sun.awt.image.JPEGImageDecoder.produceImage(JPEGImageDecoder.java:144
    at sun.awt.image.InputStreamImageSource.doFetch(InputStreamImageSource.j
    ava:257)
    at sun.awt.image.ImageFetcher.fetchloop(ImageFetcher.java:168)
    at sun.awt.image.ImageFetcher.run(ImageFetcher.java:136)
    Dynamic libraries:
    0x00400000 - 0x00406000 C:\j2sdk1.4.1_01\bin\java.exe
    0x77F80000 - 0x77FFA000 C:\WINNT\system32\ntdll.dll
    0x77D90000 - 0x77DEB000 C:\WINNT\system32\ADVAPI32.dll
    0x77E60000 - 0x77F32000 C:\WINNT\system32\KERNEL32.dll
    0x786F0000 - 0x7875E000 C:\WINNT\system32\RPCRT4.dll
    0x78000000 - 0x78046000 C:\WINNT\system32\MSVCRT.dll
    0x6D330000 - 0x6D45A000 C:\j2sdk1.4.1_01\jre\bin\client\jvm.dll
    0x77DF0000 - 0x77E4F000 C:\WINNT\system32\USER32.dll
    0x77F40000 - 0x77F79000 C:\WINNT\system32\GDI32.dll
    0x77530000 - 0x77560000 C:\WINNT\system32\WINMM.dll
    0x75E00000 - 0x75E1A000 C:\WINNT\system32\IMM32.DLL
    0x6C330000 - 0x6C338000 C:\WINNT\system32\LPK.DLL
    0x65D20000 - 0x65D74000 C:\WINNT\system32\USP10.dll
    0x6D1D0000 - 0x6D1D7000 C:\j2sdk1.4.1_01\jre\bin\hpi.dll
    0x6D300000 - 0x6D30D000 C:\j2sdk1.4.1_01\jre\bin\verify.dll
    0x6D210000 - 0x6D229000 C:\j2sdk1.4.1_01\jre\bin\java.dll
    0x6D320000 - 0x6D32D000 C:\j2sdk1.4.1_01\jre\bin\zip.dll
    0x6D000000 - 0x6D0FB000 C:\j2sdk1.4.1_01\jre\bin\awt.dll
    0x777C0000 - 0x777DE000 C:\WINNT\system32\WINSPOOL.DRV
    0x75010000 - 0x75020000 C:\WINNT\system32\MPR.dll
    0x77A30000 - 0x77B1C000 C:\WINNT\system32\ole32.dll
    0x6D180000 - 0x6D1D0000 C:\j2sdk1.4.1_01\jre\bin\fontmanager.dll
    0x51000000 - 0x51044000 C:\WINNT\system32\ddraw.dll
    0x72800000 - 0x72806000 C:\WINNT\system32\DCIMAN32.dll
    0x72CF0000 - 0x72D63000 C:\WINNT\system32\D3DIM.DLL
    0x6DD30000 - 0x6DD36000 C:\WINNT\system32\INDICDLL.dll
    0x53000000 - 0x53007000 C:\PROGRA~1\3721\helper.dll
    0x70BD0000 - 0x70C34000 C:\WINNT\system32\SHLWAPI.dll
    0x37210000 - 0x3723E000 C:\WINNT\DOWNLO~1\CnsMin.dll
    0x777E0000 - 0x777E7000 C:\WINNT\system32\VERSION.dll
    0x75950000 - 0x75956000 C:\WINNT\system32\LZ32.DLL
    0x12F10000 - 0x12F25000 D:\JBuilder7\lib\ext\jbWheel.dll
    0x6D280000 - 0x6D29E000 C:\j2sdk1.4.1_01\jre\bin\jpeg.dll
    0x77900000 - 0x77923000 C:\WINNT\system32\imagehlp.dll
    0x72960000 - 0x7298D000 C:\WINNT\system32\DBGHELP.dll
    0x687E0000 - 0x687EB000 C:\WINNT\system32\PSAPI.DLL
    Local Time = Fri Jul 16 10:06:45 2004
    Elapsed Time = 2
    # The exception above was detected in native code outside the VM
    # Java VM: Java HotSpot(TM) Client VM (1.4.1_01-b01 mixed mode)
    # An error report file has been saved as hs_err_pid2320.log.
    # Please refer to the file for further information.

    help!!!!

  • Why can't I see the Display List in the Debugger?

    As bad as the Flash debugger was, at least you could see movie clips being nested as you dynamically added/deleted them from the screen.
    When I import swfs/swcs into Flash Builder, I can't "see" them added as properties in the debugger - that is, I can see the movieclips I imported, but not any clips nested inside them.
    Also, it would be IMMENSELY helpful if there was a way to actually see the DisplayList in the debugger - perhaps I am missing something?

    1. (should be labeled as such). These are members that are inherited from the class ancestry.
    2. Local variables in the current scope
    3. Private member variables
    4. Public member variables
    The shapes are only reused twice (the color imparts the meaning).
    diamonds used for inherited and protected ... no relation
    circles used for public and local ... no relation
    Also, you shouldn't see parentheses in the name column. Where do you see them?
    Jason San Jose
    Quality Engineer, Flash Builder

  • Why can I not check the 'shuffle images' box in a slide show settings in iPhoto 9.6?

    Why can I not check the 'Shuffle images' box in settings of a slide show in iPhoto 9.6? All other settings I can check but this one.

    Hey Brad,
    If you are unable to select the shuffle images checkbox, follow the steps in this article -
    iPhoto '11: Change slideshow settings
    Specifically -
    To display slides in random order, select “Shuffle slide order.” If you don’t see this option, play the slideshow, move the pointer to make the slideshow controls appear, and then click the Settings button.
    Thanks for using Apple Support Communities.
    Be well,
    Brett L 

  • Why can't I see still images in the playback monitor when editing a video?

    Why can't I see still images in the playback monitor when editing a video? I have rendered the images in the project.  I checked my system to make sure it meets all the requirements for the software, no problem there.  When I "share" the project and save it as an MPEG, the images show up in WMP just fine.  But I need to be able to see what I'm doing to the stills while I am editing.  Help!

    Gordon
    Many thanks for the reply with the details.
    But, the key is missing...what version of Premiere Elements are you using? Are you using Premiere Elements 10?
    I hope not in this case, but if you are, we will tell you what needs to be done. The following is a copy/paste of the Announcement
    at the top of this forum about the Premiere Elements 10/NVIDIA GeForce issue.
    Premiere Elements 10 NVIDIA Video Card Driver Roll Back
    If you are a Premiere Elements 10 user whose Windows computer uses a NVIDIA GeForce video card and you are experiencing
    Premiere Elements 10 display and/or unexplained program behavior, then your first line of troubleshooting needs to be rolling
    back the video card driver version instead of assuring that it is up to date.
    Since October 2013 to the present, there have been a growing number of reports about display and unexplained workflow
    glitches specific to the Premiere Elements 10 user whose Windows computer has a NVIDIA GeForce video card. If this applies
    to you, then the “user to user” remedy is to roll back the NVIDIA GeForce video card driver as far as is necessary to get rid of
    the problems. The typical driver roll back has gone back as far as March – July 2013 in order to get a working Premiere
    Elements 10. Neither NVIDIA nor Adobe has taken any corrective action in this regard to date, and none is expected moving forward.
    Since October 2013, the following thread has tried to keep up with the Premiere Elements 10 NVIDIA reports
    http://forums.adobe.com/thread/1317675
    Older NVIDIA GeForce drivers can be found
    http://www.nvidia.com/Download/Find.aspx?lang=en-us
    A February 2014 overview of the situation as well as how to use the older NVIDIA GeForce drivers for the driver roll back
    can be found
    http://atr935.blogspot.com/2014/02/pe10-nvidia-video-card-roll-back.html
    Looking forward to your reply.
    Thank you.
    ATR

  • Why can't I draw over imported images?

    If someone could explain to me (in simple terms-I've only been using flash since friday and I don't know the names ofthings properly yet) why I can't draw over impoted images? I've animated something on paper and scanned in the frames. When I import them to flash it either deletes the line as soon as I draw it, or if I create a new layer the drawing stays in all frames, not just one. Pllllllease help, I'm desperate!

    When you create a new layer, you can use keyframes to display the image in just one frame. Add a keyframe just after the frame where the image should not be displayed. So rightclick in that frame, and click add keyframe. Then in the new keyframe you can remove the image.
    I believe you can use Flash to convert bitmap images to vector images, but I haven't used that function since Flash 2, so I don't know if that still exists. The result might be useless though if the images is too complex. But if it's okay, then you can edit the image itself. Otherwise draw on a layer on top of the image.

  • Why can only some machines see netboot images at the startup screen?

    I have a 10.6.6 server running as a netboot server. I have about 10 images running on the server that consist of a 10.6.6 and 10.5.8 triage partition and a 10.6.6 and 10.5.8 restore image. Now what I have noticed is that newer machines after starting up and holding down the option key will see all the available images.But on some older intel machines nothing will show up after holding the option key down accept the internal drive itself, But if you hold down the N key it WILL boot to the default image.
    I have made sure and checked that the ethernet port was working on the older machines. I also made sure that I can see the images from the startup control panel. All machines can see the netboot images from the startup control panel, but older intel versions cant. However I was able to sometimes get the old white and black macbooks to see the images but others not.
    Any suggestions as to why some machines will see the images at the startup screen after holding the option key and why some wont?

    That, most likely, means that you have a fairly large number of images and/or they have very long names.
    The number of images that can be displayed is limited by the size of the data packet which contains the NetBoot volume information. Two techniques we use to keep this in check are 1) aggressive purging of outdated images, and 2) use of shorter display names (the one seen in Startup Disk, not the one in the NetBootSP0 folder).

Maybe you are looking for

  • Excel is still live after closing it

    Hello all! I'm using LabVIEW 7.1 and Excel 2000 for report generation (without report generation toolkit). My problem is that even if I close all references and I quit Excel, it is still live (looking at task manager). My OS is Win2000. I noticed tha

  • Can I down load my ipod music to my Mac?

    The other day I have a few problem with my iBook G4, and I ended up re-installing the operating system. I do not know where I put the disk that I used to make the itunes back up. I will like to know if I can download al the music that is in my ipod t

  • Problem when start lightroom 6 on my windows 8.1 notebook

    I have a problem when start lightroom 6 on my windows 8.1 notebook, the system says "impossible find input point in _crtCreateSymbolicLinkW in C:\windows\system32\msvcp110.dll", and lightroom 6 terminate. I disinstalled and reinstalled many times but

  • Flash objects

    Hi Guys i have flash mx 2004 i have build a html web site with flash object in it and every time i am opening this html website and drug the mouse over this flash object i recieve this massage "Press SPACEBAR or ENTER to activate and use this control

  • Create OS directory and write file from BLOB

    Hi, i want to create via a stored PL/SQL procedure a directory in an OS filesystem (Windows NTFS) and afterwards write a file (Type: DOC, PDF, ...) from a BLOB table to that directory. The filesystem is one to the node (where the database instance 10