Video class, IE and 'refresh'

hi,
i've made my own video player class, which uses the flash's natural video class (flash.media.Video) and the netStream and netConnection class.
all works fine when i test it from a server (not locally) using IE 8, untill i refresh the page i get the following error:
RangeError: Error #2006: The supplied index is out of bounds.
    at flash.media::Video()
    at com.ui::MediandVideoPlayer()
    at Nana10Player/onAddedToStage()
and after that a blank screen.
the MediandVideoPlayer class's constructor looks like this:
public function MediandVideoPlayer(w:int=320, h:int=240, pausedAtStart:Boolean = false, enlargeVideo:Boolean = true, backgroundColor:int = -1, loadAndPlay:Boolean = true, debugStatus:Boolean = false)
            if (backgroundColor > -1)
                addChild(ShapeDraw.drawSimpleRect(w,h,backgroundColor));
            video = new Video(w,h);           
            addChild(video);
            _pauseAtStart = pausedAtStart
            _enlargeVideo = enlargeVideo;
            seekTimer = new Timer(10);
            seekTimer.addEventListener(TimerEvent.TIMER, onSeekTimer);   
            volumeLevel = 1;
            origHeight = h;
            origWidth = w;
            _loadAndPlay = loadAndPlay;
            _debugStatus = debugStatus;
any ideas?
thanks in advance,
eRez

thanks for your reply, but it doesn't seem to help me.
correct me if i'm wrong - but when i refresh the IE, the swf reloads, so the video class wasn't created yet, so how can i remove it?
one thing i did find (though it didn't really help me yet) is that it has something to do with IE's cache - once i go to the IE's 'temporary Internet files and history settings' window (through the options window), and select to check for newer versions of stored pages 'every time i visit the website' (the first radio button option) - i don't get this bug anymore.  once i turn it back to 'automatically' - the bug is back.
more ideas?

Similar Messages

  • USB Video Class Driver on Solaris 10 and Sun Ray

    Hello,
    Is it posible to use the USB Video Class Driver (usbvc) on Solaris 10 and Sun Ray?
    How can I do that?
    Thank you very much.

    It's not possible. The Video Class requires isochronous operation on USB and Sun Ray does not support isochronous mode.
    Even if Sun Ray did support isochronous mode, the libusb library (which is what third-party applications use to interact with USB devices attached to Sun Ray) does not support isochronous transfers. The hard part is the Sun Ray itself. When that gets resolved it probably won't be very hard to add isoc support into libusb.

  • I am trying to watch an on-line video class and "missing plug-in" is displayed. Help!

    I am trying to watch an on-line video class and "missing plug-in" is displayed. Help!

    More information. What web site? Provide a link.

  • Need OWB 11g tutorial and video classes

    Hi Experts,
    I am new to OWB and I need Need OWB 11g tutorials and video classes material.
    Can any one please help me
    Regards,
    Phanikanth

    Hi Phanikanth
    There are some OBEs referenced here;
    https://forums.oracle.com/forums/ann.jspa?annID=1667
    Cheers
    David

  • Native Canvas Painting and Refresh

    Hi,
    I have a project where I get live video from a firewire camera, and paint it to an awt Canvas natively using JNI. I need additional items painted on the canvas (on top of the video), like a pair of crosshairs and rulers to measure certain widths, etc. The software tracks an object moving across the screen, so the crosshairs need to be moved around and refreshed often.
    I am getting a strange problem - the natively painted video is working just fine, but the painted objects are not refreshing properly. For example, instead of getting a crosshair that moves around the screen, I get a trail of crosshairs. And underneath the crosshairs, the video is refreshing just fine. What's going on? I'm using libXv, an X-windows extension to paint YUV4:2:2 camera buffers directly to the screen.
    Here are relevant class snippets:
    public class NativeCanvas extends Canvas{
        public void update(Graphics g)                 <-- overridden to eliminate flicker
            paint(g);
        public native void paint(Graphics g);         <-- here's the native video drawing function
    public class CanvasWithOverlays extends NativeCanvas
        public void paint(Graphics g)
               super.paint();
               Graphics2D g2 = (Graphics2D)g;
               //(paint crosshairs, etc)
    } Any help will be greatly appreciated. Thanks very much!
    --Ismail Degani
    High Energy Synchrotron Source
    Cornell University

    Hi,
    I'm not sure how the crosshairs can be out of sync with the video stream - the canvas paint routines paint the video frame natively, and then paint the crosshairs. It's all sequential -
    super.paint();    // goes into a native function XvPutImage that quickly blits the frame on screen
    Graphics2D g2 = (Graphics2D)g;          
    //(paint crosshairs, etc) This should work properly with the Event Queue, to the best of my knowledge. I schedule a TimerTask that continually calls the repaint() method to refresh the video:
    public class LiveVideoPainter extends TimerTask
        static Logger logger = Logger.getLogger(LiveVideoPainter.class.getName());
        NativeCanvas nc;
        VideoDataSource vs;
        public LiveVideoPainter(NativeCanvas nc, VideoDataSource vs)
            if(nc == null)  {
                logger.error("The Native Canvas is null!");
                return;
            if(vs == null)  {
                logger.error("The Video Data Source is null!");
                return;
            this.nc = nc;
            this.vs = vs;
        public void run()
            vs.getFrame(nc.buffer);
            nc.repaint();
    } I actually had this same problem when designing this application with C++ using the Qt windowing toolkit a year ago. Basically, if I called XvPutimage, and then called regular X drawing routines like XDrawLine etc in a loop, it would draw successfully, but never refresh properly:
    while(true)
    get_decompressed_frame(buf);
    xv_image=XvCreateImage(display,info[0].base_id, XV_UYVY, (char*)buf, 1024, 768);
    XvPutImage(display, info[0].base_id, window, gc, xv_image,
                       0,0,1024,768,
                       0,0, 1024,768);
    if(crossHairDisplayed)
    // Draw Horizontal CrossHair                                                                                                                                                           
                XDrawLine(display, window, gc,
                          0,   (int)(DataSource::pixPerMicron*DataSource :: crossY + DataSource::zcenY),
                          1024,(int)(DataSource::pixPerMicron*DataSource :: crossY + DataSource::zcenY));
                // Draw Vertical CrossHair                                                                                                                                                             
                XDrawLine(display, window, gc,
                          (int)(DataSource::pixPerMicron*DataSource :: crossX + DataSource::zcenX), 0,
                          (int)(DataSource::pixPerMicron*DataSource :: crossX + DataSource::zcenX) , 768);
    }In this code bit, the crosshairs should move when the DataSource object changes member variables, line CrossX. But, the old crosshairs would not go away until the window was moved or resized. I'd get two crosshairs on the screen. I had to use a hack from the xwindows utility xrefresh everytime the crosshairs changed. It essentially simulated an x-window that opened over the Qt window, and then immediately closed. This worked well, but I thought I'd be free of that hack when I moved to java and JNI. Isn't this bizarre? Why would the window hold on to the old crosshair even when the varialbes change and there isn't any code that repaints it there after the video frame gets blitted?
    hack adapted from xrefresh.c:
          if(newCrossHair)
                              Visual visual;
                      XSetWindowAttributes xswa;
                      Display *dpy;
                      unsigned long mask = 0;
                      int screen;
                      Window win;
                      if ((dpy = XOpenDisplay(NULL)) == NULL) {
                        fprintf (stderr, "unable to open display\n");
                        return;
                      screen = DefaultScreen (dpy);
                      xswa.background_pixmap = ParentRelative;
                      mask |= CWBackPixmap;
                      xswa.override_redirect = True;
                      xswa.backing_store = NotUseful;
                      xswa.save_under = False;
                      mask |= (CWOverrideRedirect | CWBackingStore | CWSaveUnder);
                      visual.visualid = CopyFromParent;
                      win = XCreateWindow(dpy, DefaultRootWindow(dpy), 400, 600, 1, 1,
                                          0, DefaultDepth(dpy, screen), InputOutput, &visual, mask, &xswa);
                      XMapWindow (dpy, win);
                      /* the following will free the color that we might have allocateded */
                      XCloseDisplay (dpy);
                      newCrossHair = false;
          } Any ideas? There's probably just some type of refresh call I need to use.
    --Ismail                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       

  • BOXI R2 video classes

    Post Author: prathi99
    CA Forum: WebIntelligence Reporting
    Dear concerncan u send me the URL address of  video classes of business objects xi r2   regardsprathi

    Hi,
    If I understand properly, you would like to test if your notification failure is working or not?
    In that case, you can for instance schedule a webi report and just before running it, you stop the webi processing server.
    The job should failed as there is no webi proc server for processing the report.
    Keep in mind that this will impact any webi report that you will try to view or refresh during that time.
    Regards,
    Philippe

  • I have a new Macbook Pro.  When watching Youtube videos, it works perfectly until I attempt to watch the video in full screen.  When in full screen, the video freezes immediately and the audio continues.  When minimized it works fine as before. Help?

    I have a brand new Macbook model A1502.  I am taking online college classes that incorporate youtube tutorial videos.  I can watch the videos if I don't maximize the screen to full screen.  When in full screen, the video freezes immediately and the audio continues uninterrupted.  I can press escape and go back to the previous screen and the video continues to play with no problems.  Can anyone help me please?  This machine is literally just out of the box with maybe an hour of use.  Thanks in advance

    First, back up all data immediately, as your boot drive might be failing.
    There are a few other possible causes of generalized slow performance that you can rule out easily.
    Reset the System Management Controller.
    If you have many image or video files on the Desktop with preview icons, move them to another folder.
    If applicable, uncheck all boxes in the iCloud preference pane.
    Disconnect all non-essential wired peripherals and remove aftermarket expansion cards, if any.
    Check your keychains in Keychain Access for excessively duplicated items.
    If you have more than one user account, you must be logged in as an administrator to carry out this step.
    Launch the Console application in the same way you launched Activity Monitor. Make sure the title of the Console window is All Messages. If it isn't, select All Messages from the SYSTEM LOG QUERIES menu on the left. If you don't see that menu, select
    View ▹ Show Log List
    from the menu bar.
    Select the 50 or so most recent entries in the log. Copy them to the Clipboard (command-C). Paste into a reply to this message (command-V). You're looking for entries at the end of the log, not at the beginning.
    When posting a log extract, be selective. Don't post more than is requested.
    Please do not indiscriminately dump thousands of lines from the log into this discussion.
    Important: Some personal information, such as your name, may appear in the log. Anonymize before posting. That should be easy to do if your extract is not too long.

  • Using a non UBS video class camera in ichat

    Hi,
    I have a Panasonic HDC-SD5 camera which I am trying to set up for use in iChat, as a webcam
    It has a DV-out out, but when plugged in and turned on it isn't recognised as a USB Video Class device
    Does anyone know if there is a driver/program around to make this possible?
    My machine is a macbook pro, the camera is a Panasonic HDC-SD5 (records onto SD card in AVCHD format)
    Any help appreciated, let me know if I can provide more info

    The only thing to try then is iUSBcam http://www.ecamm.com/mac/iusbcam/ but dont hold your breath.

  • Blobs and refreshing the schema

    Hi all,
    I have two questions about Kodo 3.3.3.
    1) About blobs. A blob is the serialization fof an object. Does Kodo store
    the hashCode of the class (ir the serialVersionUID of the class) that was
    used to serialize the object ? Will I have a problem if I want to get back
    that blob with a recompiled version of that class, with a different
    serialVersionUID ?
    2) About the XML descriptors of the schema. I configured my mappingtool to
    write the XML descriptor of the my schema in the base, it works very fine.
    I can get these descriptor, class by class, with the command mappingtool
    -a export -f dump.xml package.jdo, it's very handy. From the
    documentation, I red that one can export this XML, edit it, import it back
    in the base, and refresh the schema
    (http://www.solarmetric.com/jdo/Documentation/3.3.3/docs/ref_guide_mapping_factory.html).
    My problem is : I cant find the command to perform this refresh, the
    schema is just not "synchronized" with the XML. Any hint ? :)
    Btw, I came across a bug using SQL Server : a field named "index"
    generated a column named "index", SQL Server was quite angry at that.
    Sorry if this one is know already.
    Thanks for your answers,
    Jos__

    1) About blobs. A blob is the serialization fof an object. Does Kodo store
    the hashCode of the class (ir the serialVersionUID of the class) that was
    used to serialize the object ? Will I have a problem if I want to get back
    that blob with a recompiled version of that class, with a different
    serialVersionUID ?Kodo just serializes the field value to a byte array using standard Java
    serialization. So yes, you will have problems if the serialVersionUID of the
    class changes. If you want more control over this process, you can create a
    custom DBDictionary that overrides the serialize() method. Or you can use a
    field of type byte[] and a byte-array mapping rather than a blob mapping, so
    that Kodo doesn't do any serialization.
    My problem is : I cant find the command to perform this refresh, the
    schema is just not "synchronized" with the XML. Any hint ? :)Use the schema tool to synchronize the schema with the XML. See:
    http://www.solarmetric.com/Software/Documentation/latest/docs/ref_guide_schema_schematool.html
    Btw, I came across a bug using SQL Server : a field named "index"
    generated a column named "index", SQL Server was quite angry at that.
    Sorry if this one is know already.Thanks. We'll make sure this is fixed in Kodo 3.3.4.

  • BitmapData class - displaying and resizing

    Hi Forum,
    I'm trying to teach myself flex by working through the tutorial videos on here and searching the net, however i have become a bit stuck with image manipulation.
    I want to make a Flash solution that loads in an image and with let the user zoom in and out and pan around.  I'm having problems quite early on particularly with displaying the resized image correctly and was wondering someone could provide some advice....some simple advice.  I have development experience but very little knowledge with flash/flex components.
    So far i have loaded the image, and i've been playing around with the bitmapdata class and managed to resize it.  But when i output it the image is smaller but has a background that takes up the original size.  I Think this may be solved somehow with the rec property?  But i can't get it to work. 
    I wanted to load the image at its original size and then resize it smaller to fit a view area, then when someone wants to zoom increase the size of the displayed image with the overflow not showing.
    So far my output looks like this:
    As you can see the image is smaller but it must still be taking up the same size or something because the canvas has scoll bars on it.  Whats happening.  Also when the image is bigger than the canvas how can i not have scroll bars and hide the overflow.  Here is my code:
    mx:Application xmlns:mx="http://www.adobe.com/2006/mxml"
         layout="absolute"
         backgroundGradientAlphas="[1.0, 1.0]"
         backgroundGradientColors="[#FBF8F8, #FBF8F8]"
         applicationComplete="Init()">
         <mx:Script>
              <![CDATA[
                   private var imgLoader:Loader;
                   private function Init():void{
                        imgLoader = new Loader();
                        //Image location string
                        var imageURL:String = "http://www.miravit.cz/australia/new-zealand_panoramic/new-zealand_panoramic_01.jpg"
                        //Instantiate URL request
                        var imageURLReq:URLRequest = new URLRequest(imageURL);  
                        imgLoader.contentLoaderInfo.addEventListener(Event.COMPLETE, imgLoadCompleted);
                        imgLoader.contentLoaderInfo.addEventListener(ProgressEvent.PROGRESS, progressListener);
                        //Begin image load
                        imgLoader.load(imageURLReq);
                   private function imgLoadCompleted(event:Event):void{
                   //On completion of image load     
                        progressBar.visible = false;
                        var scale:Number = .1;
                        //Set matrix size
                        var m:Matrix = new Matrix();
                        m.scale (scale,scale);
                        var bmd:BitmapData = new BitmapData(this.width, this.height);
                        bmd.draw(this.imgLoader,m);
                        var bm:Bitmap = new Bitmap(bmd);
                        auctionImageContainer.source = bm;
                   private function progressListener(event:ProgressEvent):void {
                    //Update progress indicator.
                         progressBar.setProgress(Math.floor(event.bytesLoaded / 1024),Math.floor(event.bytesTotal / 1024));
              ]]>
         </mx:Script>
         <mx:Canvas height="583" width="674">
              <mx:Canvas id="cvsImage"
                   borderColor="#BABEC0" borderStyle="solid" left="152" right="151" top="177" bottom="121">
                   <mx:Image id="auctionImageContainer" />
                   <mx:ProgressBar id="progressBar"
                             mode="manual" 
                               x="84.5" y="129"
                               labelPlacement="center"
                               themeColor="#6CCDFA" color="#808485" />
              </mx:Canvas>
         </mx:Canvas>
    </mx:Application>
    Thanks for any help
         LDB

    MediaTracker isn't about the number of images. I've been bitten in the ass by this before -- images seem to magically refuse to appear, or only appear on reloads, and it's because paint() got called before the image was loaded. MediaTracker fixed it.
    I don't know what you mean about images not working in constructors though. You can do that.
    Here's some code that works to display an image (for me anyway):
    import java.awt.*;
    import java.awt.event.*;
    import java.awt.image.*;
    public class Test {
      public static void main(String[] argv) {
        Image i = Toolkit.getDefaultToolkit().createImage("image.jpg");
        Frame f = new Frame("Test");
        MediaTracker mt = new MediaTracker(f);
        mt.addImage(i, 1);
        try {
          mt.waitForAll();
        } catch (InterruptedException e) {
          e.printStackTrace();
        f.addWindowListener(new WindowAdapter() {
          public void windowClosing(WindowEvent e) {
            System.exit(0);
        f.add(new Displayer(i));
        f.pack();
        f.setVisible(true);
      private static class Displayer extends Canvas {
        private Image i;
        Displayer(Image i) { this.i = i; }
        public void paint(Graphics g) {
          g.drawImage(i, 0, 0, null);
        public Dimension getPreferredSize() {
          return new Dimension(i.getWidth(null), i.getHeight(null));
        public Dimension getMinimumSize() { return getPreferredSize(); }
    }

  • WIndow scrolling and refresh issues.

    I am having problems with intermittent window scrolling and refreshing. I noticed it first in Safari but I have confirmed it is happening in other applications as well. Typically I have no problems with window scrolling and refreshing. At times however, it becomes sluggish. For instance, I will be reading a web page and attempt to scroll down and the there will be a delay of approximately one or two seconds before the window updates. This occurs whether I am using the keyboard, trackpad or mouse to scroll. There is no video tearing or graphics artifacts, just a delay followed by an updated window. During this time, moving windows also results in a delay of one or two seconds. Again, there is no tearing or artifacts, the window just appears in it's new positioning seconds later. This unfortunately makes the system near unusable as I can not accurately scroll or position. The problem occurs whether or not I have a significant number of applications and the CPU and memory usage is not abnormal. Restarting solves the problem temporarily but it still returns. Oddly, activating show desktop or show all windows via Expose eliminates the problem for some time as well until it returns later. My system is up to date with 10.5.6.
    Seems like a problem with WindowServer. Has anyone seen this before or have any suggestions?

    Did you ever get an answer to your window scrolling issue. My new PowerMac seems to always have this issue now. (I just moved to the Intel platform from the G4.) Thanks for any help you can give.

  • Positioning a Video Class - wrongly offset

    I have compiled a SWF with Flex 3 from Actionscript3 that
    calls a Video class ("video") and plays a FLV movie. My routine
    sets video.x and video.y values to 0 and 0 (top left). Everything
    looks fine when I play it in the Flash Player... however.;
    When I embed this SWF into a webpage, the video appears about
    60pixels from the left edge of the movie / embed area. Any idea why
    this may be happening?
    My embed tag looks like;
    <object
    classid="clsid:d27cdb6e-ae6d-11cf-96b8-444553540000"
    type="application/x-oleobject" codebase="
    http://fpdownload.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=7"
    width="640" height="360"><param name="src"
    value="Player.swf">
    <embed type="application/x-shockwave-flash" pluginspage="
    http://www.adobe.com/go/getflashplayer"
    src="Player.swf" width="640" height="360">
    </object>
    Also; when I poll stage.stageHeight and stage.stageWidth from
    my actionscript with trace() they output the correct values (640
    and 360).
    My Actionscript follows;

    "_brice_" <[email protected]> wrote in
    message
    news:gfkvlg$58b$[email protected]..
    > I have compiled a SWF with Flex 3 from Actionscript3
    that calls a Video
    > class
    > ("video") and plays a FLV movie. My routine sets video.x
    and video.y
    > values to
    > 0 and 0 (top left). Everything looks fine when I play it
    in the Flash
    > Player...
    > however.;
    Is there any chance this is just the padding on the page?

  • Lion, UVC (universal video class) webcam issues

    Prior to LION upgrade and then a clean install, I find the MS HD5000 and the MS HD6000 UVC compliant webcams are very over exposed.  This was NOT a problem prior to the LION OS.  Anyone find a work around or is experiencing this issue with LION?  Using IGlasses helps, but he picutre is not what it was under Snow Leopard.  Obviously something in LION has changed how the UVC is handled. Any help on this one would be appreciated!

    Here's the dmesg after loading uvcvideo
    inxs ~ > dmesg | tail
    usb 1-1: configuration #1 chosen from 1 choice
    agpgart-intel 0000:00:00.0: AGP 2.0 bridge
    agpgart-intel 0000:00:00.0: putting AGP V2 device into 4x mode
    nvidia 0000:01:00.0: putting AGP V2 device into 4x mode
    agpgart-intel 0000:00:00.0: AGP 2.0 bridge
    agpgart-intel 0000:00:00.0: putting AGP V2 device into 4x mode
    nvidia 0000:01:00.0: putting AGP V2 device into 4x mode
    Linux video capture interface: v2.00
    usbcore: registered new interface driver uvcvideo
    USB Video Class driver (v0.1.0)
    inxs ~ >
    So I am assuming all went well and that is the appropriate module for my webcam. However still no devices found in Skype. Maybe it is skype that needs some tweaking for it to recognize webcams.
    Last edited by Inxsible (2009-02-28 23:29:41)

  • Cant open any videos in youtube and any other sites. please help

    i cant buffering or see any video content in the website such as you tube . in you tube it just says an error occured and refreshing didn't work. in some other sites the big panel for the video just didn't show up. its just blank. please help . i try installing adobe flash video and still not working

    Thanks its solved by upgrading my firefox to 28 thank you. All works fine now

  • Msi video card n240gt and n9800gt problems with output HDMI

    Hello to all
       I have a problem I just bought a new Video card because I needed HDMI output. The previous card I have is a BFG Ge Force 8800GT 512 DDR2 running @ 1920x1080p 60Hz which works perfectly the only downside is it does not have HDMI out with 5.1. Now i installed the n240GT 512 DDR5 and tried watching BD ripped to the HDD and playing them back  all i get now it jerking lagging bad also and have horizontal red and green lines scattered across the screen.Which i did not have with my 8800GT card thinking  its  a bad card so i bought another card from another dealer this time its a MSI  N9800GT 1gig DDR3 and still the same problem.I Checked the resolution and its set to 1920x1080P refresh at 60Hz,i also changed the  Hz to 24Hz and it cleaned up the lines but not all and picture still  jerky picture. I have a MSI K9N NEO V3 Motherboard and all drivers updated current Bios. l used a DVI cable 40ft long with my Ge Force 8800GT and every thing worked fine, once I installed the new MSI Video cards N240gt and N9800GT I have the above problems and using a 50FT HDMI cable. I have a Samsung PN50A550 with 3 HDMI inputs 1 has my BluRay player hooked up with HDMI running at 1920x1080P at 60Hz and crystal clear picture no problems, input 2 has my HD Bell receiver running at same specs as input 1 no problems I tried the other HDMI inputs from the Samsung TV  from the HDMI out from the card same thing. It has to be the cards that can`t support the TV what else can it be if not the MSI cards. Please respond ASAP Thanks Thumpalong

    http://www.overclock.net/t/936561/psu-rating
    You may want to borrow and test with another PSU.
    We always recommend Corsair and Seasonic
    I can't find anything on Topower other than that opinion piece of linked... getting frustrated. Most of the time I can find detailed info on most psu's not this time, so best to borrow and test.
    Assuming of course that the older VGA's worked fine.

Maybe you are looking for

  • Apple TV 2 never sleeps

    Hi I have an Apple TV2, it is set to sleep after 15 minutes but it never goes to sleep, every time I look at it the little light is on and if I flick it on to the channel that it's on it's showing the screensaver pictures. I also have an ATV3 that is

  • Plugging In iPod Removes Apps

    Each time I've plugged in my iPod, iTunes jumps up to do the sycronizing and backup thing iTunes removes my apps from the iPod. The apps pop up on iTunes, but for reasons that escape me, after that the apps are no longer on my iPod. Is there perhaps

  • Exchange mail setup

    I've an Iphone an Ipad which both connect perfectly with my exchange mail account. When I use the same account details when setting up a mail account my new Airbook (on Lion) can't connect to the server. I see one different field in the Ipad/Iphone s

  • Safari 4 beta never launches

    After coming into work Monday, I noticed an error message saying that Safari had crashed and asking whether I wanted to submit the report to Apple. I did so. After that, whenever I click on the icon, the hourglass appears for <1 second and then disap

  • Uploading HD clips from an HD Deck

    I am having difficulty loading long clips onto my Macbook from my HD deck. Any help would be appreciated. How long a clip can be captured via the firewire connection, and is there a way to capture them directly onto an external hard drive?