HD playback and speed problems

I just got a new top of the line MacPro (used) specifically to deal with some HD projects and I'm having trouble dealing with HD. I get a lot spinning ball of colors. In this particular case I have an SD sequence I've blown up to HD so we can make HD titles. I've rendered the sequence (blown up 300% to fit) and with the titles laid in and also rendered, it plays back in fits and starts.
Is there some trick or setting that I'm missing. I assumed this Mac would have few problems with HD. In fact, thought I might even have been able to do it on my old G5. Thanks.

I'm not sure what you mean about "moving it within the sequence." What I have is an SD sequence that I'm putting into a 1920x1080 60i sequence. When I do this, the SD sequence is blown up by about 270% but this isn't quite big enough to fill the frame (not sure why it defaults to this). So I blow it up by 300% to fill the frame. I am then laying in pict files with alpha created in photoshop, the titles. I want to be able to render these in and play back the sequence.
But currently even moving the bar in the edit results in spinning colored ball and about 45 seconds of down time. The sequence will not play at all as far as I can tell. I will try turning RT off and dynamic off and see what happens. Sorry, I should have given more specifics the first time around. Thanks for the response and any other thoughts you have.

Similar Messages

  • Java Audio Metronome | Timing and Speed Problems

    Hi all,
    I’m starting to work on a music/metronome application in Java and I’m running into some problems with the timing and speed.
    For testing purposes I’m trying to play two sine wave tones at the same time at regular intervals, but instead they play in sync for a few beats and then slightly out of sync for a few beats and then back in sync again for a few beats.
    From researching good metronome programming, I found that Thread.sleep() is horrible for timing, so I completely avoided that and went with checking System.nanoTime() to determine when the sounds should play.
    I’m using AudioSystem’s SourceDataLine for my audio player and I’m using a thread for each tone that constantly polls System.nanoTime() in order to determine when the sound should play. I create a new SourceDataLine and delete the previous one each time a sound plays, because the volume fluctuates if I leave the line open and keep playing sounds on the same line. I create the player before polling nanoTime() so that the player is already created and all it has to do is play the sound when it is time.
    In theory this seemed like a good method for getting each sound to play on time, but it’s not working correctly.
    At the moment this is just a simple test in Java, but my goal is to create my app on mobile devices (Android, iOS, Windows Phone, etc)...however my current method isn’t even keeping perfect time on a PC, so I’m worried that certain mobile devices with limited resources will have even more timing problems. I will also be adding more sounds to it to create more complex rhythms, so it needs to be able to handle multiple sounds going simultaneously without sounds lagging.
    Another problem I’m having is that the max tempo is controlled by the length of the tone since the tones don’t overlap each other. I tried adding additional threads so that every tone that played would get its own thread...but that really screwed up the timing, so I took it out. I would like to have a way to overlap the previous sound to allow for much higher tempos.
    I posted this question on StackOverflow where I got one reply and my response back explains why I went this direction instead of preloading a larger buffer (which is what they recommended). In short, I did try the buffer method first, but I want to also update a “beat counter” visual display and there was no way to know when the hardware was actually playing the sounds from the buffer. I mentioned that on StackOverflow and I also asked a couple more questions regarding the buffer method, but I haven’t received any more responses.
    http://stackoverflow.com/questions/24110247/java-audio-metronome-timing-and-speed-problems
    Any help getting these timing and speed issues straightened out would be greatly appreciated! Thanks.
    Here is my code...
    SoundTest.java
    import java.awt.*; 
    import java.awt.event.*; 
    import javax.swing.*; 
    import javax.swing.event.*; 
    import java.io.*; 
    import javax.sound.sampled.*; 
    public class SoundTest implements ActionListener { 
        static SoundTest soundTest; 
        // ENABLE/DISABLE SOUNDS 
        boolean playSound1  = true; 
        boolean playSound2  = true; 
        JFrame mainFrame; 
        JPanel mainContent; 
        JPanel center; 
        JButton buttonPlay; 
        int sampleRate = 44100; 
        long startTime;  
        SourceDataLine line = null;  
        int tickLength; 
        boolean playing = false; 
        SoundElement sound01; 
        SoundElement sound02; 
        public static void main (String[] args) {        
            soundTest = new SoundTest(); 
            SwingUtilities.invokeLater(new Runnable() { public void run() { 
                soundTest.gui_CreateAndShow(); 
        public void gui_CreateAndShow() { 
            gui_FrameAndContentPanel(); 
            gui_AddContent(); 
        public void gui_FrameAndContentPanel() { 
            mainContent = new JPanel(); 
            mainContent.setLayout(new BorderLayout()); 
            mainContent.setPreferredSize(new Dimension(500,500)); 
            mainContent.setOpaque(true); 
            mainFrame = new JFrame("Sound Test");                
            mainFrame.setContentPane(mainContent);               
            mainFrame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); 
            mainFrame.pack(); 
            mainFrame.setVisible(true); 
        public void gui_AddContent() { 
            JPanel center = new JPanel(); 
            center.setOpaque(true); 
            buttonPlay = new JButton("PLAY / STOP"); 
            buttonPlay.setActionCommand("play"); 
            buttonPlay.addActionListener(this); 
            buttonPlay.setPreferredSize(new Dimension(200, 50)); 
            center.add(buttonPlay); 
            mainContent.add(center, BorderLayout.CENTER); 
        public void actionPerformed(ActionEvent e) { 
            if (!playing) { 
                playing = true; 
                if (playSound1) 
                    sound01 = new SoundElement(this, "Sound1", 800, 1); 
                if (playSound2) 
                    sound02 = new SoundElement(this, "Sound2", 1200, 1); 
                startTime = System.nanoTime(); 
                if (playSound1) 
                    new Thread(sound01).start(); 
                if (playSound2) 
                    new Thread(sound02).start(); 
            else { 
                playing = false; 
    SoundElement.java
    import java.io.*; 
    import javax.sound.sampled.*; 
    public class SoundElement implements Runnable { 
        SoundTest soundTest; 
        // TEMPO CHANGE 
        // 750000000=80bpm | 300000000=200bpm | 200000000=300bpm 
        long nsDelay = 750000000; 
        long before; 
        long after; 
        long diff; 
        String name=""; 
        int clickLength = 4100;  
        byte[] audioFile; 
        double clickFrequency; 
        double subdivision; 
        SourceDataLine line = null; 
        long audioFilePlay; 
        public SoundElement(SoundTest soundTestIn, String nameIn, double clickFrequencyIn, double subdivisionIn){ 
            soundTest = soundTestIn; 
            name = nameIn; 
            clickFrequency = clickFrequencyIn; 
            subdivision = subdivisionIn; 
            generateAudioFile(); 
        public void generateAudioFile(){ 
            audioFile = new byte[clickLength * 2]; 
            double temp; 
            short maxSample; 
            int p=0; 
            for (int i = 0; i < audioFile.length;){ 
                temp = Math.sin(2 * Math.PI * p++ / (soundTest.sampleRate/clickFrequency)); 
                maxSample = (short) (temp * Short.MAX_VALUE); 
                audioFile[i++] = (byte) (maxSample & 0x00ff);            
                audioFile[i++] = (byte) ((maxSample & 0xff00) >>> 8); 
        public void run() { 
            createPlayer(); 
            audioFilePlay = soundTest.startTime + nsDelay; 
            while (soundTest.playing){ 
                if (System.nanoTime() >= audioFilePlay){ 
                    play(); 
                    destroyPlayer(); 
                    createPlayer();              
                    audioFilePlay += nsDelay; 
            try { destroyPlayer(); } catch (Exception e) { } 
        public void createPlayer(){ 
            AudioFormat af = new AudioFormat(soundTest.sampleRate, 16, 1, true, false); 
            try { 
                line = AudioSystem.getSourceDataLine(af); 
                line.open(af); 
                line.start(); 
            catch (Exception ex) { ex.printStackTrace(); } 
        public void play(){ 
            line.write(audioFile, 0, audioFile.length); 
        public void destroyPlayer(){ 
            line.drain(); 
            line.close(); 

    Thanks but you have never posted reply s0lutions before ?? And F 4 is definitely not 10 times faster as stated before I upgraded !!

  • Broadband connection and speed problems

    Hi,
       On Wednesday morning my broadband connection went down and could not reconnect from 600am til 700pm. It did manage to get a connection to stay up at around 900pm, but since then the connection has dropped about four times a day.
    I have checked my equipment, wiring etc, connected directly to the test socket, using  a new ADSL microfilter etc etc. I have also checked for known problems in my area and have done some quiet call tests(17070).
    There are apparently no problems in my area, but a couple of the quiet call tests were crackly.
    Since last night (Friday) at around 900pm the connection has managed to stay up but my connection speeds, both up and down are much much lower than they used to be. 
    Since Wednesday night I have performed some BT speedtests.
    D/L Profile for my line is - 17.64 Mbps, but actual speed currently varies between around 8 and 11 Mbps.
    U/L Profile for my line is - 0.83 Mbps, but speed currenty varies between 0.01 and 0.3 Mbps.
    Before Wednesday, my download speeds were typically 16-17Mbps and upload speeds were typically 0.8Mbps. 
    With very little variation.
    I have included some stats from my BT HH3...
    Wednesday nights ADSL Line status,  after I managed to get a connection to stay up. below;
    ADSL Line Status
    Connection Information
    Line state: Connected
    Connection time: 0 days, 04:59:49
    Downstream: 18.65 Mbps
    Upstream: 443.9 Kbps
    ADSL Settings
    VPI/VCI: 0/38
    Type: PPPoA
    Modulation: G.992.5 Annex A
    Latency type: Fast
    Noise margin (Down/Up): 4.9 dB / 26.4 dB
    Line attenuation (Down/Up): 11.1 dB / 5.3 dB
    Output power (Down/Up): 20.1 dBm / 12.9 dBm
    FEC Events (Down/Up): 0 / 0
    CRC Events (Down/Up): 758 / 36
    Loss of Framing (Local/Remote): 0 / 0
    Loss of Signal (Local/Remote): 0 / 0
    Loss of Power (Local/Remote): 0 / 0
    HEC Events (Down/Up): 23957 / 6
    Error Seconds (Local/Remote): 300 / 4
    Current ADSL line status. After the line being up for 17 hours below;
    ADSL Line Status
    Connection Information
    Line state: Connected
    Connection time: 0 days, 17:17:36
    Downstream: 19.52 Mbps
    Upstream: 443.9 Kbps
    ADSL Settings
    VPI/VCI: 0/38
    Type: PPPoA
    Modulation: G.992.5 Annex A
    Latency type: Fast
    Noise margin (Down/Up): 3.2 dB / 28.1 dB
    Line attenuation (Down/Up): 11.0 dB / 5.2 dB
    Output power (Down/Up): 20.2 dBm / 12.2 dBm
    FEC Events (Down/Up): 0 / 0
    CRC Events (Down/Up): 133 / 36
    Loss of Framing (Local/Remote): 0 / 0
    Loss of Signal (Local/Remote): 0 / 0
    Loss of Power (Local/Remote): 0 / 0
    HEC Events (Down/Up): 636 / 9
    Error Seconds (Local/Remote): 117 / 4
    One thing that stands out is the Noise Margin of 4.9dB and now 3.2dB. I gather that these values are on the low side. Is 3.2dB acceptable?
    I assume my line attenuation values are low as I live very close to my local exchange. I assume that these values are good.
    There are some CRC HEC and Error Seconds values. I must admit that I dont fully understand these but I assume these are not good.
    One other thing worth mentioning is that the phone cable to my property comes along my front wall over from a neighbouring property. Whilst checking this cable this morning in the daylight, I have noticed that someone, most probably my neighbour, has pulled the cable way from its fixing on the wall in order to put a fence post up on the wall.
    The fence post has been there for a few months, with no apparent affect ro my phone and broadband, but I'm concerned that this could have damaged the cable, splitting the shielding or breaking a wire in the cable, or perhaps loosened the connectors to the juntion box it is connected to on the neighbours wall.
    Could damage to the cable be the cause of my connection and speed problems?
    Also, is it possible that my BTHH3 is faulty?
    Any advice would be very welcome.
    Thanks
    Solved!
    Go to Solution.

    A little more information.
    I have noticed that on a number of occasions when making or receiving voice calls, the broadband connection completely drops. It doesnt happen on all calls, and doesnt seem to happen when just going 'offhook' and listening to a dialling tone.
    There is a definite crackle and hiss on most of the voice calls. But only seems to be audible on the home phone.
    After a little browsing, I came upon a logging program "Routerstatshub". When I leave this running it logs changes to ADSL stats. 
    Looking at the logs, I've noticed that when making voice calls, the upstream noise margin always seems to drop considerably, sometimes down to 0dB.
    On some calls, both upstream and downstream noise margin drop to 0dB and the broadband connection drops. 
    I have also noticed that upstream line attenuation increases from around 5dB to around 28dB every hour or so. This doesnt appear to coincide with the voice calls. 
    CRC and HEC error increase dramatically at the same time as the noise margin changes. HEC goes up by 10s of thousands.
    I'm still directly connected into the mastersocket with a new microfilter and no extension cable.
    By the way, my connection speeds went down to an all time low yesterday , 1.7Mbps down. 
    I have now replaced my DECT phone with a corded phone and will make some more voice calls to see if that makes any difference. 
    Any ideas about what the problem could be would be greatly appreciated. 

  • Broadband Usage and speed problems.

    Hi.
    I have question about broadband usage.
    Its 11 days and bt website says I used more then 20GB!
    Its nearly 1.8 GB per day! I used Internet for browsing website and receive one email pre day, I download twice large amount (about 1-1,5GB) and nothing more!
    I just wonder what going on? I try monitor my usage day by day from 5 days ago and its worst and worst!!!
    I nothing download but my usage going very fast.
    Its looks like I will be download about 3 movies per day that means I will have now more then 30 movies! Its must be something wrong!
    I used before VM and my average Internet usage was about 15-20GB per Month with solid 10MB speed.
    Now my speed is **bleep** from 8mb to 1mb and sometimes less then 512kb!!! And usage is higher !!!
    How can I see details about my usage?
    And q2
    About speed - in my area BT Infinity will be available from 31.12.2010
    Its mean still BT have same works, it might be cause my slow broadband?
    And from 25.11 till now is same problem with broadband, in three days I must reset BT Hub because there is no Internet. On BT Hub anything looks fine, Is IP address etc... But is no Internet telephone and no Internet as well.
    I check by used ping bbc.co.uk

    Andy_N wrote:
    Hi.
    I hope you don't mind me asking a few questions, this may help to determine why your usage is as high as you're seeing.
    Do you have more than one computer connected ? Do you use iPlayer, or watch lots of youtube stuff ? Do you have any games machines such as XBox connected to the Internet ?
    Are you uploading lots of things ? uploads count as well as downloads.
    Are you up to date with all security and anti-virus packages, and have you run any scans recently ? (sometimes viruses and trojans can cause a usage problem).
    Your inherent speed problem could be due to various reasons, for example worsening line conditions due to weather and general wear and tear. Strangely viruses can cause a noticeable slow down, but mainly due to the computer being infected rather than the line being slow.
    Can you posssibly post the hub stats ?
    If you're using a PC, download something like Networx usage monitor and see if that can help. Of course it needs to be on each PC, but can't see the usage of games machines or Internet TV (or iPhone use etc).
    I used only 2 machines. Desktop PC and laptop. Laptop very light, just 1-2 hours per day only websurfing (3-5 websites with no movie or high quality images, 90% is just plain text)
    I not download lots of stuff, Like I just say, in VM my average monthly usage was 15-20 GB and I download few movie and lots of music.
    In December I just download one movie other traffic is just webserfing email.
    Youtube - yes I watch, but its not new staff for me, like just say my usage is not deferent then was in VM!
    Now usage monitor on BT web site say I used more then 20GB! in 11 days!!! if one movie will be 0.7GB its means I download about 30 movies!
    Its massive! I never download 30 movies in 2-3 months )
    This start about 5 days ago, when my strip goes to orange. My average Internet usage is 1.8GB !!! Even I for 2 days used Internet very little.
    I nothing upload.
    It is not possible, to anny worm or viruses used so big bandusuage if any software used Internet connection in background (like systems) its just kilobits not gigabits!
    If I will be use very hardly Internet I will be no rise alarm. But I now what I used. I have Internet for more then 7 years and now how far I go.
    And now is very strange - I less used inherent I have more GB used!
    In my calculation if my average usage per day will be 1.8GB I will used 55GB!!! I never used more 20 - max 30GB! It must be something wrong on BT site.
    I get BT Broadband option 2 be cause, I now I used about 15-20GB per months and BT Broadband option 1 is not for me, but 20GB in 11 days!
    We not talk abut 100MB! or 500MB per day we talk about nearly 2GB per day! Its massive!
    Is any chance to get detail Internet usage?
    Q2
    I loose Internet connection 3 times per week, so I need push reset button on hub.
    I left once Hub with no reset but in 5 hours it will still no Internet.
    Its looking very strange, because anything looks OK except I loos Internet phone (no blue telephone light)
    In hub stats is IP, is Downstream etc... but when I ping bbc.co.uk it say: host unavailable or similar.
    After reset working well. My be my Hub is faulty?
    Many Thanks for reply!
    Hub Stats
    Line state
    Connected
    Connection time
    1 day, 3:31:03
    Downstream
    10,124 Kbps
    Upstream
    1,022 Kbps
    ADSL settings
    VPI/VCI
    0/38
    Type
    PPPoA
    Modulation
    ITU-T G.992.5
    Latency type
    Interleaved
    Noise margin (Down/Up)
    8.8 dB / 4.9 dB
    Line attenuation (Down/Up)
    31.0 dB / 15.5 dB
    Output power (Down/Up)
    20.9 dBm / 12.4 dBm
    Loss of Framing (Local)
    0
    Loss of Signal (Local)
    0
    Loss of Power (Local)
    0
    FEC Errors (Down/Up)
    139453 / 426
    CRC Errors (Down/Up)
    24 / 2147480000
    HEC Errors (Down/Up)
    nil / 61462
    Error Seconds (Local)
    16

  • Home hub 3 orange power light and speed problem

    Hi, I have posted this again as I think I posted in the wrong place last time being new to the site!
    Hi, I have a Home Hub 3 Version A. Orange power light constantly on.
    I came across this site while looking for answers and quickly registered to post this.
    I have tried all suggestions including a neighbours power supply (Version A as well) to no avail.
    Background to help with replies.
    I have been had option 3 since 2003.
    In that time I have had
    H H 1 (failed)
    H H 1 replacement (failed)
    Netgear – weak wireless and does not like Vodafone suresignal
    H H 2 constant dropouts
    Back to Netgear
    H H 3 Version A lasted 24hrs
    Back to Netgear.
    For the last 5 months we have been having line problems, regular dropouts.
    BT Openreach have been out 4 times, changed virtually everything and traced line back to Exchange.
    The last engineers conclusion was line at my home is capable of 12meg and was being throttled as he called it to around 6meg.
    He suggested trying a H H 3 and contacting BT for line to be opened up.
    For two reasons.
    With a faster speed line fault would be easier to locate.
    Line was capable of so much more.
    Several LONG calls to BT answering all the format questions first, (to be fair 0800 so no cost) each time first being told my speed was within contract stated speeds, then after my explanation regarding BT Openreach engineers views I was told an engineer would be contacted to improve line speed.
    Needless to say nothing happened.
    The frustrating point being each new call generated the same response – NOTHING on their system to show a previous call had been made by me.
    Hence the reason for this post.
    I feel the helpline, whilst free, achieves nothing except a long time on the phone answering repetitive questions answered before.
    I am loathe to phone again as I will undoubtedly be told there is no record of any previous calls or action and I want to resolve the H H 3 Version A problem so it can be used.
    Any help appreciated

    Hi John46 and thanks for the reply.
    Can't try H H 3 it is dead.
    i saw somewhere on the forums when i first found you about a route that simplifies action from BT.
    Have looked since and cannot locate it.
    Do you know where it is?
    With the Netgear which I have no option but to use,
    ADSL on reports
    Multiplex  VC-BASED
    VPI 0
    VCI 38
    Speedtester result............
    1. Best Effort Test:  -provides background information.
    Download  Speed
    6667 Kbps
    0 Kbps
    7150 Kbps
    Max Achievable Speed
     Download speedachieved during the test was - 6667 Kbps
     For your connection, the acceptable range of speeds is 2000-7150 Kbps.
     Additional Information:
     Your DSL Connection Rate :8128 Kbps(DOWN-STREAM), 448 Kbps(UP-STREAM)
     IP Profile for your line is - 7170 Kbps
    2. Upstream Test:  -provides background information.
    Upload Speed
    367 Kbps
    0 Kbps
    448 Kbps
    Max Achievable Speed
    >Upload speed achieved during the test was - 367 Kbps
     Additional Information:
     Upstream Rate IP profile on your line is - 448 Kbps
    Wall socket - tested by engineer and renewed AND RF filter fiited, just 'incase'.
    Noise test also done.
    Thank you for pointing me to the test, even if I had a game with Java before I could use it (New PC)!
    As I read the results I am under 8meg. Openreach engineer said line was being 'throttled' as it was capable of circa 12meg this distance from the exchange. I am meant to be on 20meg contract.
    Chhers,
    I will watch out for a reply.
    Any pointers on the H H 3 complaint route would be appreciated, i am begining to think I imagined it!!!
    ps Where is the rating star? I can't see it here ?

  • Can't access some websites and speed problem

    Hi guys,
    I hope to find some help here please as I am desperate! 
    It has been a week now that I am having problems with my broadband, suddenly I can't access some italian's websites (which I was able to access before). The browser tries to load up the page but nothing happens (it doesn't even give me an error). I tried those website on both my laptops (one windows and one mac) and on 3 different browsers but I have the same problem. 
    I even tried to use Google DNS on my mac but that didn't solve the problem, I have already tried to reset my BT home hub but again that didn't help.
    Any ideas?
    The other thing is that my broadband speed is really strange, because before it used to be very fast during the day (500-600 kb/s download) and really slow during peak-hours (which I know is normal). But for the past month it has been really slow (70kb/s download) even during the day, it has some brief moments when it's slightly faster but not as fast as before. Any suggestions on what would be the problem or what I can try?
    I will really appreciate your help.
    Thank you all 
    Robbie

    Blade79 wrote:
    Thanks for your reply.
    These are 2 websites I know I can't access:
    www.deejay.it
    www.gazzetta.it
    These are the adsl stats from my router and the speedtest:
    I hope this helps,
    Thanks a lot
    Robbie
    Hi there,
    Both sites load almost instanty for me on my Infinity connection.
    Below's a traceroute output
    Last login: Tue Nov 30 18:02:04 on ttys000
    ds9:~ Kev$ traceroute -I www.gazzetta.it
    traceroute: Warning: www.gazzetta.it has multiple addresses; using 194.20.158.242
    traceroute to www.gazzetta.it (194.20.158.242), 64 hops max, 72 byte packets
    1 api (192.168.1.254) 1.083 ms 0.672 ms 0.637 ms
    2 217.32.146.68 (217.32.146.68) 6.721 ms 6.462 ms 6.458 ms
    3 217.32.146.110 (217.32.146.110) 8.307 ms 8.792 ms 8.140 ms
    4 213.120.177.42 (213.120.177.42) 7.336 ms 7.540 ms 7.961 ms
    5 217.32.24.30 (217.32.24.30) 7.040 ms 7.009 ms 7.224 ms
    6 217.32.24.178 (217.32.24.178) 7.280 ms 7.126 ms 7.241 ms
    7 acc1-10gige-0-2-0-4.l-far.21cn-ipp.bt.net (109.159.249.97) 7.724 ms 7.619 ms 7.111 ms
    8 core1-te0-4-0-6.ealing.ukcore.bt.net (109.159.249.1) 8.806 ms 8.123 ms 8.569 ms
    9 core1-pos1-0-0.telehouse.ukcore.bt.net (62.6.201.82) 8.686 ms 8.687 ms 8.642 ms
    10 ge-0-0-1.londra32.lon.seabone.net (195.22.209.45) 8.965 ms 8.785 ms 8.998 ms
    11 te4-1.milano52.mil.seabone.net (195.22.205.255) 33.067 ms 33.454 ms 33.081 ms
    12 infracom.milano52.mil.seabone.net (195.22.205.62) 32.753 ms 33.112 ms 32.629 ms
    13 milano-1-tge-3-1.ita.tip.net (62.196.4.250) 34.502 ms 34.290 ms 33.722 ms
    14 * * *
    15 *^C
    ds9:~ Kev$ traceroute -I www.deejay.it
    traceroute to www.deejay.it (213.92.16.220), 64 hops max, 72 byte packets
    1 api (192.168.1.254) 1.066 ms 0.634 ms 0.673 ms
    2 217.32.146.68 (217.32.146.68) 6.687 ms 6.515 ms 6.647 ms
    3 217.32.146.94 (217.32.146.94) 7.512 ms 7.312 ms 7.501 ms
    4 213.120.177.34 (213.120.177.34) 7.361 ms 7.232 ms 7.339 ms
    5 217.32.24.30 (217.32.24.30) 6.593 ms 6.573 ms 6.927 ms
    6 217.32.24.178 (217.32.24.178) 7.148 ms 7.152 ms 6.948 ms
    7 acc1-10gige-0-2-0-7.l-far.21cn-ipp.bt.net (109.159.249.103) 7.578 ms 7.565 ms 7.629 ms
    8 core2-te0-4-0-6.ilford.ukcore.bt.net (109.159.249.5) 8.223 ms 8.114 ms 8.850 ms
    9 transit2-xe-0-1-0.ilford.ukcore.bt.net (194.72.20.250) 43.650 ms 7.958 ms 8.104 ms
    10 t2c2-ge8-0-0.uk-ilf.eu.bt.net (166.49.168.113) 8.729 ms 8.506 ms 8.561 ms
    11 t2c1-p3-1-1.uk-lon1.eu.bt.net (166.49.164.97) 8.668 ms 8.553 ms 8.333 ms
    12 t2a1-ge4-0-0.uk-lon1.eu.bt.net (166.49.135.102) 8.736 ms 8.937 ms 8.829 ms
    13 166-49-211-38.eu.bt.net (166.49.211.38) 8.638 ms 8.829 ms 9.038 ms
    14 so-5-0-0.mil19.ip4.tinet.net (213.200.82.30) 37.702 ms 37.824 ms 37.312 ms
    15 inet-gw.ip4.tinet.net (213.200.68.22) 47.007 ms 46.396 ms 46.148 ms
    16 ge3-0-28.wf1-kwcore.wf.inet.it (212.239.110.34) 49.292 ms 49.117 ms 51.695 ms
    17 www.deejay.it (213.92.16.220) 47.686 ms 47.109 ms 47.052 ms
    ds9:~ Kev$
    I hope this info helps.

  • Playback and export problems

    Greetings,
    I've just done a Leopard clean install on my Quad G5 (2.5 gigs RAM). So far, I've reformat my HD, install Leopard, install all apps from original CD's, the work!
    I use STP as my main editor for a radio show. Normally, I import the music (AIFF), the voice clips (BWF) and do my editing without any problems. Since I've switch to Leopard, STP cannot playback any file without having audio dropout or glitches. It sounds like STP is not able to playback the imported files. And, btw, I'm having no problem to play those files in Quicktime, Audacity or Garageband. Perfect playback, without a glitch!
    And if I try to export the project to MP3 or WAV, I'm having another problem with the resulting file: dropout and glitches at playback.
    Anyone seen that?
    Regards
    MD.
    Message was edited by: Michel D.
    Message was edited by: Michel D.

    INCROYABLE! But true!
    I finally solved all my problems with Logic, Soundtrack Pro, GarageBand and tutti quanti. It's like having a new machine!
    The solution? How did I solved it? It's right there, from an anonymous Applecare worker:
    http://discussions.apple.com/message.jspa?messageID=6020837#6020837
    ) Emptied system cache (library folder) and user account cache (username/libraryfolder).
    2) Shut down and unplugged my Mac for 5 minutes.
    3) Held down option + command + p + r keys to reset the system pram.
    Like the good ol'time. A PRAM problem. Fiew!
    The champagne is on me! We'll probably never know that guy's name, but many thanks to him. He's my hero tonight.

  • NAS nfs (WD Netcenter) permissions and speed problems

    I have a 320GB WD Netcenter - used to use it on an older mac and now on my new one. Permissions seemed to be blocked on one of the other user accounts on this new MBP. When I do "get info" the owenship boxes are greyed out and I cannot change anything. Should I run Old Toad's BatCHMod (http://www.macchampion.com/arbysoft/) on the drive?
    Also I am getting VERY slow transfer speeds over my 54Mbs wireless network. I've read about this in other places but could not find an answer (apart from a very complicated article on TCP buffer sizes!). I can mount in as smb or nfs and chose nfs. Also been using Cocktail to optimize the connection speed over the net. Maybe this has something to do with it?!
    Cheers
    Charlie

    Ask here:
    http://lists.apple.com/mailman/listinfo/macos-x-server
    -Ralph

  • Playback and encoding problems premiere pro cs6 and lightroom4

    BIG BLOCKY ARTIFACTS
    the problem ocours in all videos(every 1sec) i recorded in my dslr d5100. 1080p 30fps .mov files. in media player classic it play flawless all videos as seen in my pics.
    how to fix it? i tried unstalling codecs and nothing. will try installing quicktime. i think its codecs or maybe hardware.
    my pc is i5-2500k gpu gtx560 8gb ram.
    please help me. thanks

    [URL=http://www.4shared.com/video/94VvVdUM/0511_videogasometro_002.html][IMG]http://dc584.4shared.com/img/94VvVdUM/0.4382360316505566/0511_videogasometro_002.MOV[/IMG][/URL]
    its 280mb, original. worst artifacts at 13secs.

  • ISight Built in Camera on iMovie09 and speed problem. Please Help

    Hello,
    I recently installed imovie09 after using imovie06 for quite sometime. I am getting two problems for now. First, when my videos from iPhoto got imported to iMovie, the audio is working fine but the actual clip is skipping. Is this normal? For me to able to fix it, I have to go to clip adjustment and do convert clip all the time. This is really annoying specially My video will consist at least 7 clips. Is there any other way? Second, I tried to use the isight built in camera so it can be only one clip. I noticed that when I was filming, my audio and my actual video is not on the right timing and when its time for me to save it and play it back, it was skipping also! I recorded 1 minute video and it will only play for 12 seconds! To top it off, it's not the first 12sec of the video but it's actually skipping through out the one minute clip I did.
    Can anyone please help me with this situation. I will very much appreciate it. I don't want to end up regretting that I upgraded to imovie09 only to find out things will be much complicated
    Thanks,
    Ashtoush

    Hello Ashtoush
    As you now know, iMovie '09 work differently than our iMovie HD 6.
    Although your iMovie '09 offers many improvements over the previous iMovie '08 version, the older version imports the same way your iMovie version does, i.e., differently from iMovie HD 6.
    User Jon Walker gives a complete explanation of your problem and offers workable solutions in this iMovie '08 forum thread:
      http://discussions.apple.com/thread.jspa?threadID=1134921
    It seems you will have to convert your existing clips using one of the methods detailed there.
    For future video clips, you may want to choose a different video capture device that is more compatible with your new iMovie so you will not need to do separate conversion.
    For Apple Help on importing into your new iMovie, take a look at the suggestions here:
      http://docs.info.apple.com/article.html?path=iMovie/8.0/en/11612.html
      http://docs.info.apple.com/article.html?path=iMovie/8.0/en/10359.html
      http://docs.info.apple.com/article.html?path=iMovie/8.0/en/11497.html
      http://docs.info.apple.com/article.html?path=iMovie/HD/en/im6.html
      http://support.apple.com/kb/HT3290
      http://docs.info.apple.com/article.html?path=iMovie/8.0/en/10331.html
      http://docs.info.apple.com/article.html?path=iMovie/8.0/en/9835.html
    EZ Jim
    G5 DP 1.8GHz w/Mac OS X (10.5.7) PowerBook 1.67GHz (10.4.11)   iBookSE 366MHz (10.3.9)  External iSight

  • Playback and update problems with FrontRow

    I have FrontRow 1.2.2 installed on my Mac Pro (10.4.10). Everything is working except playing music videos. The error message I get is 'There are no music videos in your iTunes library.'
    But there definitely are music videos in my iTunes library. They are even purchased ones. They have the little check mark set and the genre on all of them is set to 'Music Video'. They play perfectly in iTunes (v7.4.2).
    I've erased com.apple.frontrow.plist and com.apple.iTunes.plist in ~/Library/Preferences/ but it didn't help.
    I then read something about the FrontRowUpdate1.3.1. I downloaded it from apple.com, but I can't install it because: 'This software update requires a Macintosh with a built-in infrared (IR) receiver running Mac OS X 10.4.5 or later.'
    As the Mac Pro doesn't come with a IR receiver the update won't install.
    Basically I have two questions:
    1. Does anyone know how to get music videos playing in FrontRow 1.2.2?
    2. Does anyone know hot to update FrontRow 1.2.2 to FrontRow 1.3.1 on a Mac Pro?
    Any help is very welcome!
    As a side note: I have a copy of the very same iTunes library on my MacBook Pro. FrontRow 1.3.1 plays everything including the music videos. So I guess it's a problem with the out-dated version of FrontRow.

    Front Row is not supported by Apple on the Mac Pro towers. Front Row is only supported on Macs with built-in IR receivers. It may have been included in the bundle of software installed from the factory, but it won't run without manually changing/hacking specific system files.
    Front Row for all Macs will be included with Mac OS X 10.5 (Leopard) which is scheduled for a release sometime next month. I would suggest you upgrade to Leopard so you can get support for Front Row on your system.
    -Doug

  • FCPX and speed problems with new external hard drive

    Hi All,
    I have just bought a new Thunderbolt drive.   I created a very large disk image partition to separate my fcpx files from other iTunes type files - but strangely FCPX is now operating slower than it ever did when I was using 800 firewire.
    Any thoughts on why this might be the case?  I have encryption on the disk image (but it is the minimum amount). 
    Also - FCPX hangs regularly (when I go to Finder it states that the app is not responding) but then after 1 min, is back.   The whole environment is now less stable than when i was simply using  a 800 firewire drive with a disk image.
    All OS and FCPX is up to date.
    Any suggestions/comments appreciated.
    Best,
    R

    Hi Jim,
    Thanks for the tip.  I ran the app (quite a nifty app at that) and my speed tests for the main drive are Read 133 mbps and Write 137 mbps.  Which is not as high as I would expect for a Thunderbolt drive - does this sound right?
    Anyhow, I ran the same test on the Disk Image. And something is definitely wrong.  Read 1.4 mbps and Write 1.5 mbps
    Now I am scratching my head about this hard drive.   It is a single partition - nothing fancy.  Only this large Disk Image that is for media.  Any suggestions greatly appreciated.
    Best,
    R

  • 55L6200U media playback and usb problems

    Hi All,
    i recently got the Toshiba 55L6200U and i want to play all kinds of video format (Avi, divx MKV etc.)
    Can or will this tv support different codecs for watching movies? (avi divx mkv etc???)
    The only way i get it to work is to hook up my pc and use the tv as a monitor.
    On my pc i installed two kinds of dlna servers: Mezzmo and Serviio, but neither of these seem to work. I can access the server but when i try to play my movies it says "unsupported file". I also set the dlna servers to render the files but still the tv shows "unsupported file" when using Mezzmo, and "no applicable media files" when using serviio. I sometimes also get Media playback error.
    I tied using my usb stick but i can't seem to access it (Fat32).
    Can anyone help me ?
    Thanks in advance.
    Rgds
    Vince

    See page 161 of the user's guide for information on file specifications.
    - Peter

  • Touchpad Speed and Finder problem

    Alright, I'm using a Penyrn baseline Macbook Pro that I picked up when it first came out. I'm loving it. It's great. So far, I've had a few big problems with it though.
    1) When I've been playing some graphic intensive games, like World of Warcraft, my Finder and dockbar freezes. Like, nothing would work, I couldn't alt-tab and while my game would work, I'd have to reset the entire computer.
    2) Again, while playing World of Warcraft, sometimes my Touchpad speed would get reset down to a slower setting. When I try and change it, it won't stay and often whenever I alt-tab between programs, it'll go back to the slower setting.
    3) Is there any place, Apple Store and what not that I could get it in for a check up? There's a few smaller things I feel IN the keyboard that's a bit defective and pixel problems.
    thanks!

    This will need more testing, which is outside of the scope of this forum. Its the upload speed which seems to be the issue, so there may be some faulty equipment.
    I have asked a moderator to provide assistance, they will post an invite on this thread.
    They are the only BT employees on this forum, and are a UK based team of people, who take personal ownership of your problem.
    Once you get a reply, make sure that you are logged into the forum, then click on their name, you will see a screen like this. Click on the link as shown below.
    Please do not send them a personal message, as they cannot deal with service issues that way.
    For your own security, do not post any personal details, on this forum. That includes any tracking number you are give.
    They will respond either by phone or e-mail, when its your turn in the queue.
    Please use the tracked e-mail, to reply, not via the forum. Thanks
    This is the form you should see when you click on the link. If you do not see this form, then you have selected the wrong link.
    When you submit the form, you will receive an enquiry number, so please keep a note of it
    There are some useful help pages here, for BT Broadband customers only, on my personal website.
    BT Broadband customers - help with broadband, WiFi, networking, e-mail and phones.

  • Is ios8 creating problem in iphone 4s like hanging and speed slow

    Is ios8 creating problem in iphone 4s like hanging and speed slow

    Abisawave wrote:
    what's interesting, is that before the phone was purchased, literally everything was replaced, and in the back camera, instead of it just being black, it has a green tint.. although why is it showing up on my iphone.. and on my front facing camera.. which does not have a green tint to it?
    Does it need a trip to the Apple Store?
    Where did you get all of this work done on the phone? If you did not have it serviced by Apple, taking it to an Apple store will not do you any good if was opened by anyone else but Apple. They will no longer service the device, even for out of warranty replacement.
    It does seem to me however, that the camera sounds like it is failing.

Maybe you are looking for

  • HU Issue in EWM

    Dear all, The Inbound delivery has done of 39 pcs but actually received qty is 40 pcs. So now delivery has been changed to 40 pcs Therefore, the "extra package" had to insert in a new Handling unit 50017556. during the location of this unique Handlin

  • JDeveloper IDE Font

    How can I make the font in the JDeveloper IDE biger? The current font is too small to deal well with it.

  • Problems with german language in golive 9

    hello i have problems if I want to past a text form word or another text editor into a new golive 9 html page. The letters like öäü are not shown correctly. what can I do?

  • How do I get a refund for iMatch?  It was not able to upload a single song without force close/ "iTunes quit unexpectedly"

    I subscribed to iTunes iMatch and when I attempted to add my computer and upload my songs it instantly crashed iTunes.  This has occured every time.  I am perfectly pleased with the way things were and just wanted to try iMatch... now I just want to

  • Cannot create bean of class

    Dear Friends My tomcat server 3.2.4 is giving following error when i am going to run my jsp. javax.servlet.ServletException: Cannot create bean of class dts.query.ProjectSearchResultsPage      at jspprojects._0002fjspprojects_0002fprojectsearchresult