Load a second video into an applet: resize - stretch problem

Hello!
I have an applet that loads a movie (call it film_a.mov). The size of the movie is 320 x 240. Since I want to show it bigger, I use a BorderLayout that stretches the video depending on the size given by
the applet. In my case I set the applet parameter to "<applet code=Simple.class width=640 height=510>". Anyway, this display area is bigger than the actuell video size, so the video will be stretched.
Everytime a user clicks with the mouse pointer onto the video area the second movie (call it film_b.mov) replace the first movie. The setup for the BorderLayout has not be chance. I close the player before loading the second movie with a function called loadNewMovie(). I even call this.removeAll(), player.close() and player.removeControllerListener(this).
The problem is that if the second movie is loaded and placed into the vido display area it is not alway stretched to the possible BorderLayout.CENTER area. Sometimes it is stretched sometimes it is not streched. I really do not understand such behavior. It seems to me that I forget to call a update function that tells to stretch alway any video displayed.
Both movies have the same size. I tried to solve this problem by using setSize, setBounds, etc. on the visualComponent but this does not solve the problem. If you want to try out, here come the code:
mport java.applet.Applet;
import java.awt.*;
import java.lang.String;
import java.net.URL;
import java.net.MalformedURLException;
import java.io.IOException;
import javax.media.*;
// import com.sun.media.util.JMFSecurity;
* This is a Java Applet that demonstrates how to create a simple media player
* with a media event listener. It will play the media clip right away and
* continuously loop.
* <applet code=Simple.class width=640 height=510> <param
* name=file1 value="auto.mov"> <param name=file2 value="hongkong.mov">
public class Simple extends Applet implements ControllerListener {
     private static final long serialVersionUID = 1L;
     // media Player
     Player player = null;
     // component in which video is playing
     Component visualComponent = null;
     // controls gain, position, start, stop
     Component controlComponent = null;
     // displays progress during download
     Component progressBar = null;
     boolean firstTime = true;
     long CachingSize = 0L;
     int controlPanelHeight = 0;
     int videoWidth = 0;
     int videoHeight = 0;
     MediaLocator mrl = null;
     String mediaFile1 = null;
     String mediaFile2 = null;
     boolean closed = false;
      * Read the applet file parameter and create the media player.
     public void init() {
          // $ System.out.println("Applet.init() is called");
          setLayout(new BorderLayout());
          setBackground(Color.red);
          if ((mediaFile1 = getParameter("FILE1")) == null)
               Fatal("Invalid media file parameter");
          if ((mediaFile2 = getParameter("FILE2")) == null)
               Fatal("Invalid media file parameter");
      * Start media file playback. This function is called the first time that
      * the Applet runs and every time the user re-enters the page.
     public void start() {
          // $ System.out.println("Applet.start() is called");
          // Call start() to prefetch and start the player.
          getMedia(mediaFile1);
          if (player != null)
               player.start();
          setVisible(true);
      * Stop media file playback and release resource before leaving the page.
     public void stop() {
          // $ System.out.println("Applet.stop() is called");
          if (player != null) {
               player.stop();
               player.deallocate();
     public void destroy() {
          // $ System.out.println("Applet.destroy() is called");
          player.close();
     public void getMedia(String mediaFile) {
          URL url = null;
          try {
               url = new URL(getDocumentBase(), mediaFile);
               mediaFile = url.toExternalForm();
          } catch (MalformedURLException mue) {
          try {
               // Create a media locator from the file name
               if ((mrl = new MediaLocator(mediaFile)) == null)
                    Fatal("Can't build URL for " + mediaFile);
               // Create an instance of a player for this media
               try {
                    player = Manager.createPlayer(mrl);
               } catch (NoPlayerException e) {
                    System.out.println(e);
                    Fatal("Could not create player for " + mrl);
               // Add ourselves as a listener for a player's events
               player.addControllerListener(this);
          } catch (MalformedURLException e) {
               Fatal("Invalid media file URL!");
          } catch (IOException e) {
               Fatal("IO exception creating player for " + mrl);
      * This controllerUpdate function must be defined in order to implement a
      * ControllerListener interface. This function will be called whenever there
      * is a media event
     public synchronized void controllerUpdate(ControllerEvent event) {
          // If we're getting messages from a dead player,
          // just leave
          if (player == null)
               return;
          // When the player is Realized, get the visual
          // and control components and add them to the Applet
          if (event instanceof RealizeCompleteEvent) {
               if (progressBar != null) {
                    remove(progressBar);
                    progressBar = null;
               if ((controlComponent = player.getControlPanelComponent()) != null) {
                    controlPanelHeight = controlComponent.getPreferredSize().height;
                    add(BorderLayout.SOUTH, controlComponent);
                    validate();
               if ((visualComponent = player.getVisualComponent()) != null) {
                    add(BorderLayout.CENTER, visualComponent);
                    validate();
                    visualComponent
                              .addMouseListener(new java.awt.event.MouseAdapter() {
                                   public void mousePressed(
                                             java.awt.event.MouseEvent evt) {
                                        System.out
                                                  .println("MovieStreaming: mousePressed");
                                        loadNewMovie(mediaFile2);
                                   public void mouseReleased(
                                             java.awt.event.MouseEvent evt) {
                                   public void mouseEntered(
                                             java.awt.event.MouseEvent evt) {
                                   public void mouseExited(
                                             java.awt.event.MouseEvent evt) {
          } else if (event instanceof CachingControlEvent) {
               if (player.getState() > Controller.Realizing)
                    return;
               // Put a progress bar up when downloading starts,
               // take it down when downloading ends.
               CachingControlEvent e = (CachingControlEvent) event;
               CachingControl cc = e.getCachingControl();
               // Add the bar if not already there ...
               if (progressBar == null) {
                    if ((progressBar = cc.getControlComponent()) != null) {
                         add(progressBar);
                         setSize(progressBar.getPreferredSize());
                         validate();
          } else if (event instanceof EndOfMediaEvent) {
               // We've reached the end of the media; rewind and
               // start over
               player.setMediaTime(new Time(0));
               player.start();
          } else if (event instanceof ControllerErrorEvent) {
               // Tell TypicalPlayerApplet.start() to call it a day
               player = null;
               Fatal(((ControllerErrorEvent) event).getMessage());
          } else if (event instanceof ControllerClosedEvent) {
               closed = true;
     public void closePlayer() {
          synchronized (this) {
               player.close();
               while (!closed) {
                    try {
                         wait(100);
                    } catch (InterruptedException ie) {
               player.removeControllerListener(this);
               System.out.println("player is shutdown");
               closed = false;
     public void loadNewMovie(String mediaFile) {
          // remove all components
          closePlayer();
          removeAll();
          getMedia(mediaFile);
          if (player != null)
               player.start();
          setVisible(true);
     void Fatal(String s) {
          // Applications will make various choices about what
          // to do here. We print a message
          System.err.println("FATAL ERROR: " + s);
          throw new Error(s); // Invoke the uncaught exception
          // handler System.exit() is another
          // choice.
}As you may notice this code is basicly the SimplePlayerApplet example which I modified a bit.
Thank you for your Help
Matt2

Sorry,
Can you tell me how do you solve it because I have got the same problem.
Can you indicate me the topic where did you find solution.
Thank in advance.

Similar Messages

  • Loading a txt file into an applet.

    as the topic suggests: I want to load a text file into an applet.
    i only got this far:
    public static String load(String path)
                            String date = "";
            File file = new File(path);
            try {
             // Load
            catch (IOException e) {
             e.printStackTrace();
            return date;
           } how do i load the file?
    is it possible to return the data in a list (more convenient)?
    Message was edited by:
    Comp-Freak

    as the topic suggests: I want to load a text file
    into an applet.
    i only got this far:
    public static String load(String path)
    String date = "";
    (path);
            try {
             // Load
            catch (IOException e) {
             e.printStackTrace();
            return date;
           } how do i load the file?
    is it possible to return the data in a list (more
    convenient)?
    Message was edited by:
    Comp-FreakFirst of all, you are going to have to sign your applet if you want access to the local file system (applets run on the client, not the server).
    Second of all ... looking at your code, what is "date?" Is it a String (guessing based on your return value...) here is a simple routine to read a text file, line by line:
    try {
       BufferedReader br = new BufferedReader(new InputStreamReader(new FileInputStream("myfile")));
       String input;
       while( (input = br.readLine() != null ) {
           System.out.println(input);
    }  catch (FileNotFoundException fnfe) { System.err.println("File not found."); }
       catch (IOException ioe) { ioe.printStackTrace(); }

  • Premiere Pro CS6 Quits unexpectedly when loading Images or Video into viewer.

    I have been using CS6 since May of 2013.  I currently operate on a Mac. I have never had any issues. I used it one day last week, then all of a sudden a few days ago is when the issues started. Premiere Pro will start normally (New or Exsisting Project), I can even import media. But I am not able to load Images or Videos into the viewer, nor am I able to just drag and drop on the timeline. Audio seems to drag onto the timeline just fine.
    I have tried many things to trouble shoot the issue such as:
    1. Starting a new Project. (Thought maybe something in the existing project was corrupt.)
    2. Opening an older project that I knew worked fine in the past. (Thinking new projects were also corrupt.)
    3. Transcoding the video Files. (Thinking the media was corrupt.)
    4. Restarting the computer.
    5. Holding "Shift" while starting Premiere Pro.
    I am not getting any error codes, just a Dialog box that says, "Sorry, a serious error has occurred that requires Adobe Premiere Pro to shut down. We will attempt to save your current project."
    Thanks for your help.

    Hi Luther,
    Welcome to Adobe Forums.
    Which version of Mac OS are you using?
    Try to repair the preferences by opening the finder window click on go and
    choose go to folder and type ~/library and press enter. Then go to Preferences>Adobe
    and rename the 6.0 folder to 6.0.old. If you are using Mavericks ( OS 10.9) try to give permissions to the
    Adobe folder as well.
    Please reply in case the issue persists.
    Thanks

  • Can't load/import converted video into itunes for sync

    I converted a video into ipod format by 2 diff software. They seem to have converted correctly as I can play them in apple quicktime. I tried to bring them into itunes for sync, but can't bring them. I tried dragging into movies, tried import, tried add files. Non of them working. Can anybody help me in this, ho can I bring the file into itunes? I am using itune 7, should I go back to old ver (6.x..)?

    I just converted some TV shows with iSquint, and drug them over to movies and presto they were there... I then when into Info, changed them to TV shows and they moved over to TV Shows.
    It works.

  • How do I load photos and video into existing flash

    Hi,
    I can work with graphics and timeline keyframes but I'm
    generally clueless about scripting.
    I have a page:
    http://www.harmoniccycle.com/hc/swf/IMBA/pineyZ/PINEY_Z.html
    that I've prepared with 3 button instances in anticipation of
    loading either one of 2 photos or a video clip into a upper level
    I am terrible with the loadmovie syntax, and have tried
    loading the photos with a onrelease load movie script but keep
    getting error reports.
    I am also unclear as how best to unload the photos or video
    to get back to the lowest level timeline.
    I have Flash 8.
    I see you can load jpegs or .swf but t seems if I can learn
    to load .swfs I could then use the same load/unload solution to
    load either my photos (whcih I guess I would *embed* in a .swf) or
    the flash video (also as a .swf)
    thanks for any help you can offer,
    Mike McCue

    http://community.sony.com/t5/Cybershot-Cameras/Can-I-Change-Folder-Structure-on-Sony-DSC-WX50/m-p/57317#U57317
    KimberleyS's response may help
    Also make sure your folder structure in the camera is on Standard and not by Date

  • Live Video in an Applet

    I have a program which captures live video from a video card and puts it on a frame.
    When I try to put this in an appplet the sound streams through from the datasource but I can not get the visual aspect to come through.
    Are there any issues putting live video into an applet versus putting it into a frame? Are applets capable of
    displaying live video?
    Thanks
    Melissa

    You can display visual video components using JMF2.0 (Java Media Framework). You can call getVisualComponent() method of your Player and add it to a Frame on your applet. However the Player has to be realized b4 you can call the getVisualComponent. It's a little tricky, so let me know if you have problems realizing your player. I'm also looking for a Video Player Applet that does not require JMF. So let me know if you find one yourself :)

  • Is there any way to imbed a video within an applet?

    I'm just wondering for any future projects, is there any way that I can get a video to play in an applet, and if so, can I please get a link somewhere that can explain it, so you don't have to write it all out.
    I have searched for it for a little while, and the only results I am getting are embedding applets in webpages, nothing about videos into an applet. Any information would be much appreciated.

    I have now downloaded the .zip file, and extracted it. I have gone into Eclipse to try and import, but can find no .jar type file for which to import, and Eclipse can not "import javax.media.*;" because of this. I am using the sample code that came in the download, so there shouldn't be errors. There aren't any, except for importing, and the use of Classes that would have been imported.
    Any ideas on how to actually import.use them?

  • Loading an image into an Applet from a JAR file

    Hello everyone, hopefully a simple question for someone to help me with!
    Im trying to load some images into an applet, currently it uses the JApplet.getImage(url) method just before registering with a media tracker, which works but for the sake of efficiency I would prefer the images all to be contained in the jar file as oppossed to being loaded individually from the server.
    Say I have a class in a package eg, 'com.mydomain.myapplet.class.bin' and an images contained in the file structure 'com.mydomain.myapplet.images.img.gif' how do I load it (and waiting for it to be loaded before preceeding?
    I've seen lots of info of the web for this but much of it is very old (pre 2000) and im sure things have changed a little since then.
    Thanks for any help!

    I don't touch applets, so I can't help you there, but here's some Friday Fun: tracking image loading.
    import java.awt.*;
    import java.awt.image.*;
    import java.beans.*;
    import java.io.*;
    import java.net.*;
    import javax.imageio.*;
    import javax.imageio.event.*;
    import javax.imageio.stream.*;
    import javax.swing.*;
    public class ImageLoader extends SwingWorker<BufferedImage, Void> {
        private URL url;
        private JLabel target;
        private IIOReadProgressAdapter listener = new IIOReadProgressAdapter() {
            @Override public void imageProgress(ImageReader source, float percentageDone) {
                setProgress((int)percentageDone);
            @Override public void imageComplete(ImageReader source) {
                setProgress(100);
        public ImageLoader(URL url, JLabel target) {
            this.url = url;
            this.target = target;
        @Override protected BufferedImage doInBackground() throws IOException {
            ImageInputStream input = ImageIO.createImageInputStream(url.openStream());
            try {
                ImageReader reader = ImageIO.getImageReaders(input).next();
                reader.addIIOReadProgressListener(listener);
                reader.setInput(input);
                return reader.read(0);
            } finally {
                input.close();
        @Override protected void done() {
            try {
                target.setIcon(new ImageIcon(get()));
            } catch(Exception e) {
                JOptionPane.showMessageDialog(null, e, "Error", JOptionPane.ERROR_MESSAGE);
        //demo
        public static void main(String[] args) throws IOException {
            final URL url = new URL("http://blogs.sun.com/jag/resource/JagHeadshot.jpg");
            EventQueue.invokeLater(new Runnable(){
                public void run() {
                    launch(url);
        static void launch(URL url) {
            JLabel imageLabel = new JLabel();
            final JProgressBar progress = new JProgressBar();
            progress.setBorderPainted(true);
            progress.setStringPainted(true);
            JScrollPane scroller = new JScrollPane(imageLabel);
            scroller.setPreferredSize(new Dimension(800,600));
            JPanel content = new JPanel(new BorderLayout());
            content.add(scroller, BorderLayout.CENTER);
            content.add(progress, BorderLayout.SOUTH);
            JFrame f = new JFrame("ImageLoader");
            f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            f.setContentPane(content);
            f.pack();
            f.setLocationRelativeTo(null);
            f.setVisible(true);
            ImageLoader loader = new ImageLoader(url, imageLabel);
            loader.addPropertyChangeListener( new PropertyChangeListener() {
                 public  void propertyChange(PropertyChangeEvent evt) {
                     if ("progress".equals(evt.getPropertyName())) {
                         progress.setValue((Integer)evt.getNewValue());
                         System.out.println(evt.getNewValue());
                     } else if ("state".equals(evt.getPropertyName())) {
                         if (SwingWorker.StateValue.DONE == evt.getNewValue()) {
                             progress.setIndeterminate(true);
            loader.execute();
    abstract class IIOReadProgressAdapter implements IIOReadProgressListener {
        @Override public void imageComplete(ImageReader source) {}
        @Override public void imageProgress(ImageReader source, float percentageDone) {}
        @Override public void imageStarted(ImageReader source, int imageIndex) {}
        @Override public void readAborted(ImageReader source) {}
        @Override public void sequenceComplete(ImageReader source) {}
        @Override public void sequenceStarted(ImageReader source, int minIndex) {}
        @Override public void thumbnailComplete(ImageReader source) {}
        @Override public void thumbnailProgress(ImageReader source, float percentageDone) {}
        @Override public void thumbnailStarted(ImageReader source, int imageIndex, int thumbnailIndex) {}
    }

  • Split long video into small 15 second clips

    Hi, I have a long video (7 minutes) I would like to upload to Instagram. Since they only takes 15 second clip, I would like to split my video into small clips. How can do it easily with iMovie?
    Thanks,
    fireman

    First, you may not need to spit the event clips at all. You can select short bits of the long event clip and drag it into your project as you wish.
    Having said that, there are good reasons to split event clips. For example, the 75 minute movie may contain many logical events that you wish to split out by date. In this case, iMovie 11 can do it, but I would not recommend it. It is a slow process and is prone to error.
    I would recomment that you use a free app called MPEG Streamclip from Squared Five (google it).
    To use MPEG Streamclip, drag your long clip into MPEG Streamclip.
    Then, move the cursor to the "in" point of the clip, and press i. Move the cursor to the "Out" point of the clip, and press o. Then, FILE/EXPORT TO QUICKTIME (or FILE/EXPORT TO DV if it is DV). Then repeat until you have done this for all clips you want.
    If you know the date and or time of the footage, name your file
    clip-yyyy-mm-dd hh;mm;ss
    (let mpeg streamclip provide the extension). This will provide metadata that iMovie will use to put the event in the right year and month.
    When finished splitting your long clip, import into iMovie by using FILE/IMPORT...MOVIE

  • TS3355 I loaded video from an external hard drive to my desktop. How do I import the video into iMovie 09? I tried "Import Camera Archive". Didn't work.

    I loaded video from an external hard drive to my desktop. How do I import the video into iMovie 09? I tried "Import Camera Archive". Didn't work.

    It depends on the type of video. iMovie will only import video that it can edit.
    In general, you would use FILE/IMPORT MOVIE...

  • I'm trying to make a timelapse with 900 pictures converted into 30 fps to get a 30 seconds video but after exporting my movie why is my video length 15 minutes?

    So, I downloaded a slideshow templates and I'm trying to make a timelapse with 900 pictures converted into 30 fps to get a 30 seconds video but after exporting my movie why is my video length 15 minutes?

    What settings are you using to export the video with?  I think 29.97fps is the only one that works with LR 5:
    http://lightroom-blog.com/2013/09/17/timelapse-again-in-lightroom-5-2/
    http://lrbplugins.com/shop/presets/lrb-timelapse-presetstemplates/

  • I am importing digital video into my movie. But when it imports, the video has glitches in it every 5 seconds or so. When I look at the uicktime file, it has no glitches. What is up and what can I do?

    I am importing digital video into my movie. But when it imports, the video has glitches in it every 5 seconds or so. When I look at the uicktime file, it has no glitches. What is up and what can I do?

    I also just posted about this- having same issue.  Make an appointment & take it in.  I've called Apple twice & they could not help me over the phone.

  • How to load BBC MP4 DRM video into iTunes?

    Can BBC MP4 DRM protected files be played in iTunes? I don't seem to be able to import a downloaded BBC video into iTunes.
    Sometimes I see files called M4v or something like that which I don't understand. My downloaded file suffix is mp4.

    Place a copy of the file in <Media Folder>\Automatically Add to iTunes. If iTunes knows what to do with it then it will be added to the library. However if the DRM has been applied via BBC iPlayer then the chances are that iTunes cannot authorize or play it.
    tt2

  • I imported videos from photo into iMovie when I set up iMovie (obvious mistake) and now iMovie doesn't work properly, nor can I move specific videos into a folder where I want them. How do I fix this?

    I imported videos from photo into iMovie when I set up iMovie (obvious mistake) and now iMovie doesn't work properly, nor can I move specific videos into a folder where I want them. How do I fix this? I even tried deleting iMovie, bought a new copy and installed it, but the folder "iPhoto Videos" is still there and I can't get new clips loaded to iMovie, especially where I want them. Please help.

    The iPhoto Videos do occasionally have problems. I've seen a lot of people write messages to this Discussion group describing similar problems. The only thing that seems to get around this problem is to pull the video clips out of iPhoto then import them directly into iMovie. Once the troubles with iPhoto Videos starts, I haven't yet seen anyone write back with something that they did to fix it.
    The most difficult part of doing this is the movies in iPhoto might be a little difficult to track down. But you can create a smart alum that does that for you. Go to iPhoto > File Menu > New Smart Album:
    Set the first pulldown menu to keyword, second to contains, then in the last box type Movie with a capital 'M'. Then click OK. This smart album more or less does as search of the whole iPhoto Library and only displays items that match your search tearm of "Movie" exactly. In that smart album then you can find the original Movies you want to move out of iPhoto and into iMovie, <CTRL> click on the Movie clip, then choose Reveal in Finder. That will jump you out of iPhoto temporarily and into the iPhoto Library folder. From there you can move that movie file to the desktop. Move all the clips you want, once they're all collected up go to iMovie and go to the File Menu > Import Files. Then point it to the desktop where you moved your video clips.
    This will put all those videos into an Event folder in iMovie and bypass iPhoto Videos altogether.

  • How to Load Progressive-Download Video just when I press Play?

    I have set the Progressive-Download video instead of Streaming-Video (because my webserver provider "aruba.it" doesn't offer
    streaming videos), in Flash CS4 Professional, and exported to Dreamweaver CS4.
    I have also inserted the HTML code in Dreamweaver CS4 to enable FullScreen Playback of Flash .flv Videos.
    Now I have a problem:
    - When the webpage loads into Internet Explorer 7, it take much time to load all the videos at same time!
    Thus I want this:
    - I want that the videos start to load just when I press the Play button, individually, not at same time.
    - I don't not want that start the load immediately when the webpage opens in IE7.
    - I want that the videos start to load content in the same manner of YouTube videos, just when I press play.
    How can I do?
    What is the HTML code that I should insert into DreamweaverCS4?
    I have seen this help page:
    http://www.adobe.com/livedocs/flash/9.0/ActionScriptLangRefV3/fl/video/FLVPlayback.html#lo ad()
    At Chapter "Public Methods" I have seen this "load" function:
    "Begins loading the FLV file and provides a shortcut for setting the autoPlay property to false and setting the source, totalTime, and isLive properties, if given..."
    Can be useful this function?
    Horsepower0171.

    Excuse me, I am a beginner user of FlashCS4.
    OK!
    StepByStep:
    My site is http://www.cavallodario.it. Please see the third top section called "Sezione 3D">Maya>the last bottom video on the page is published as Streming video (I think)...
    There, are all the videos.
    I have understood that YouTube video is http streaming.
    Instead, in FlashProCS4, I have seen a second Option after ImportVideo Menu (is Flash Media Server streaming?):
    1) "Sul Computer" (on the Desktop, local); NOT CHECKED
    2) "Già distribuito su un server Web, Flash Video Streaming Service o Flash Media Server"; CHECKED and selected the URL: http://www.cavallodario.it/filmati_Maya/flv/Wagon_01_PAL_Letterbox.flv
    > Next > SkinBar with Fullscreen Button (called "SkinUnderPlayStopSeekFullVol.swf") > Next > End.
    But I have a doubt if this is a streaming function:
    -After published the webpage via FTP with Dreamweaver, in IE7 browser the loading progress bar appears immediately, and loads the video when the webpage appears, not when I press Play Button!
    Why this?
    How I can do to load the video just when I press the Play button?
    - I have seen the "NetConnection / NetStream" classes in the FlashCS4 Help, but I am a confused beginner user and I don't want write an ActionScript code to build a custom navigation bar.
    Please response me!
    Thanks!
    Horsepower.

Maybe you are looking for

  • Problem with sdo_nn & sdo_nn_distance

    I have loaded Shapefile (.shp) using oracle Java routine into a table SRE_CAT_ZONES. When I use SDO_NN & SDO_NNDISTANCE functions to get the nearest geometry for the given Longtitue/Latitude and the distance between them, I am getting always 0 as the

  • Need mirrored display for harddrive erase

    I am trying to erase my hard drive in order to get rid of it.  My laptop screen is broken (parts are blacked out and entire screen goes black).  I have it hooked to an external monitor with that monitot being the default and the mirrored display opti

  • My laptop is not working

    I had last worked on my laptop on Sunday night and had switched it off properly. The next morning when I tried to switch it on its not happening. When I am pressing the power button the lights are turning on but nothing is displaying on the screen an

  • Wishlist for groups administration in LDAP server console

    I wonder why there is no basic support in administration of groups in the Directory Server console. What I and others are missing is: - search for users in large static groups - sort columns in group member display by clicking on column titles - sear

  • Sony - DVDirect MC5; Will it work?

    I am in quite a dilemma trying to transfer old home movies from a Sony TRV260 camcorder to DVD. I recently purchased a Windows Vista computer not realizing that software for my old camcorder is not compatible with Windows Vista! There is a patch avai