Shuffling movies

Does anyone know if it is possible to shuffle your movies? Say I created a playlist of short movies and I wanted to watch them all without manually starting each one every time the last one just ended. Is this possible?
iMac   Mac OS X (10.4.6)  

Create a new playlist for the movies by going to File|New Smart Playlist. I think the easiest way would be to make sure each movie is listed as "Movie" under genre then make the playlist "genre contains movie".
Also, you will need to right click on each movie and click "Get Info". Click on the Options tab. Uncheck the box that says "Skip When Shuffling"
iPod 5th Gen 30GB Video - iTunes 7.0.2.16 - Firmware 1.2.1 - Sony Vaio PCV-RZ44G   Windows XP Pro   A+ Certified PC Technician. PC, not Mac

Similar Messages

  • 2nd g. shuffle - move order of songs on the shuffle after syncing.

    I used to be able to change the order by just moving songs up or down. i can no longer do so. also, when i copy playlists across they come across alphabetically rather than in the order of the playlist. I have tried using "sync" and also "manually mangae" songs - and both seem to have the same problem. The songs copy across in alphabetical order rather than by the NUMBER order I have in the playlist and I am unable to change the order by dragging songs up or down once they are on my shuffle. very frustrating as i cannot effectively create a playlist. thanks in advance for any help.

    Since you are putting playlists on the shuffle, it must be 3rd or 4th gen, is that correct?  It also sounds like you have the iPod set to Manually manage music (not automatic syncing), is that correct?
    When you select the shuffle in the iTunes sidebar, under DEVICES, you can drop down the content categories indented under the shuffle.  If you select Music there, I don't think you can change the song order in the list to the right, except by sorting it using one of the column headings.  But, if you select a specific playlist there, you should be able to change the order of the songs on the list to the right.
    Also, in a playlist, make sure you have the left-most column heading (the one with the sequential numbers below) selected as the sort order.  If another column, such as Name, is select, it sorts by that column and you can't move the songs around on the list.
    Edit:  I see that the title of this topic says 2nd gen.  Sorry about that...  I'll leave the above as is for anyone else reading, and in case your shuffle happens to be 3rd or 4th gen.
    With a 2nd (and 1st) gen shuffle, the shuffle itself acts like a playlist.  So when you have the shuffle selected in the iTunes sidebar, on the Contents tab to the right, where the list of songs is shown, make sure the left-most column heading is selected (as I noted above for playlists in general).  If another column, such as Name, is select, it sorts by that column and you can't move the songs around on the list.

  • Can I play a movie from my ipod classic onto my ipad screen?

    I have a 160 GM ipod classic that holds all my movies.  I would like to buy a 16 GM ipad 3 but I know it won't be able to hold my movies.  Can I stick with the 16 GB ipad 3 but play my movies on it from my ipod classic?  I want to buy a wifi ipad and not a 4G one so when I'm driving in the car and I want to show movies to my kids in the back I won't be able to access the icloud or dropbox, etc.  Can I connect my movies from my ipod classic directly to the ipad with a cord to watch them on the ipad?

    So if I want to be able to watch all my movies or listen to all 50 GB of my songs I'll need to buy a more expensive 32 or 64 GB ipad and shuffle movies and songs in and out of it or else use the wifi and iCloud.  Is that correct? There's no way the ipad can access an external hard drive?

  • I downloaded a movie onto my iPod then my macbook, i can watch the movie on my iPod but on my macbook it brings me to the movie menu where i can't click on anything, why can't i click on anything in the menu?

    how to be able to click on something in a movie menu

    So if I want to be able to watch all my movies or listen to all 50 GB of my songs I'll need to buy a more expensive 32 or 64 GB ipad and shuffle movies and songs in and out of it or else use the wifi and iCloud.  Is that correct? There's no way the ipad can access an external hard drive?

  • Review my shuffling algorithms

    I've started developing a card game and got quite interested in shuffling algorithms.
    From http://en.wikipedia.org/wiki/Shuffle#Shuffling_algorithms it seems that there are two popular ones.
    1. Assign a random number to each card then order the cards by this number.
    2. Knuth Shuffle
    Here's my shameful attempt at the first one, I'm in desperate need of pointers to improve this.
         //Assign a random number to each card in the deck
         //then sort the cards in order of their random numbers
         public void AssignRandomNumberShuffle()
              //Create an array of random numbers
              //This array will correspond to the Card array
              double[] randomNumbers = new double[cards.length];
              for(int i=0;i<randomNumbers.length;i++)
                   randomNumbers[i] = Math.random();
              //Create a new array to store the random numbers
              //Then sort it in ascending order
              double[] sortedNumbers = (double[])randomNumbers.clone();
              Arrays.sort(sortedNumbers);
              //Create a temporary Card array to store the new order
              Card[] tempCards = new Card[52];
              //Find the new position of the card and store it in the temp array
              for(int i=0;i<randomNumbers.length;i++)
                   int newPosition = Arrays.binarySearch(sortedNumbers,randomNumbers);
                   tempCards[newPosition] = cards[i];
              cards = tempCards;
         }I think my Knuth Shuffle is implemented correctly but it'd be good to have it checked by someone else in case it's not, or if it could be made more efficient. Here is the code for it.//Knuth Shuffle
    //Move through the pack from top to bottom, swapping each card
    //in turn with another card from a random position in the part of
    //the pack that has not yet been passed through (including itself).
         public void KnuthShuffle()
         Random randomGenerator = new Random();
         for (int i = cards.length-1; i > 0 ; i--)
              //Get random value between 0 and i (+1 so i is included)
              int randomPosition = randomGenerator.nextInt(i)+1;
              //Swap the current card with the random card
              Card tempCard = cards[i];
              cards[i] = cards[randomPosition];
              cards[randomPosition] = tempCard;
    I might as well add the following, in which I use the built in shuffle method in Collections, it may be useful to someone.//Shuffle using the built in shuffle in java.util.Collections
    public void JavaCollectionShuffle()
    //Convert to a list, shuffle, then convert back to array
    List<Card> list = Arrays.asList(cards);
    Collections.shuffle(list);
    cards = (Card[])list.toArray();
    The Knuth shuffle and the Collections.shuffle both take roughly the same amount of time to run, doing about 1,000,000 shuffles and the other shuffle takes much longer, expectedly.                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

    JosAH wrote:
    Martin... wrote:
    Any more comments about the shuffles? Maybe a better way to code the AssignRandomNumberShuffle()?Well, Knuth's method has already been implemented by the Collections.shuffle() method; read the API documentation.I have read that; read my first post, I use Collections.shuffle().
    I wanted to implement the Knuth shuffle myself for learning and understanding purposes. My implementation of the algorithm runs at virtually the same speed as the Collections.shuffle() so I'm pretty happy with it.
    The AssignRandomNumberShuffle() on the other hand...
    Here's the Collections.shuffle() method
    public static void shuffle(List<?> list, Random rnd) {
            int size = list.size();
            if (size < SHUFFLE_THRESHOLD || list instanceof RandomAccess) {
                for (int i=size; i>1; i--)
                    swap(list, i-1, rnd.nextInt(i));
            } else {
                Object arr[] = list.toArray();
                // Shuffle array
                for (int i=size; i>1; i--)
                    swap(arr, i-1, rnd.nextInt(i));
                // Dump array back into list
                ListIterator it = list.listIterator();
                for (int i=0; i<arr.length; i++) {
                    it.next();
                    it.set(arr);
    }And mine, which has changed since first post.public void KnuthShuffle()
    Random randomGenerator = new Random();
    for (int i = cardList.size()-1; i > 0 ; i--)
    //Get random value between 0 and i (+1 so i is included)
    int randomPosition = randomGenerator.nextInt(i+1);
    //Swap the current card with the random card
    Collections.swap(cardList, i, randomPosition);
         }Now I'm a bit worried that my for loop is for i>0 and theirs is i>1...                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               

  • Random swf/f4v load

    Hey I have this problem - with help from Kglad in a previous post plus a look on another post I have the underneath action script.
    What I really need it to do, is to load a random movie from my array, and when it replay the movie it has to be the same movie as which was randomly loaded... So far I have this code:
    var movies:Array =["film/film1.f4v", "film/film2.f4v"]
    function shuffle(a:Array) {
    for (var ivar = a.length-1; ivar>=0; ivar--) {
    var p = Math.floor(Math.random())(ivar+1);
    var t = a[ivar];
    a[ivar] = a[p];
    a[p] = t;
    var timedelay:Number = 10;  // seconds delay in replay
    var video;
    var nc:NetConnection;
    var ns:NetStream;
    nc = new NetConnection();
    nc.connect(null);
    ns = new NetStream(nc);
    ns.client = this;
    ns.addEventListener(NetStatusEvent.NET_STATUS,netStatusf);
    function netStatusf(e:NetStatusEvent) {
        if (e.info.code == "NetStream.Play.Stop" && Math.abs(durationNum-ns.time)<.1) {
    setTimeout(replayF,timedelay*1000);
    function replayF(){
    ns.play(shuffle(movies));
    var durationNum:Number;
    function onMetaData(iObj:Object):void {
        durationNum = iObj.duration;
    video = new Video(287,263);
    video.x = 231.1;
    video.y = 140.5;
    addChild(video);
    video.attachNetStream(ns);
    ns.play(shuffle(movies));
    but doesn't seem to work it comes with this error:
    TypeError: Error #1006: value is not a function.
    at cv/shuffle()
    at cv/frame3()
    at flash.display::MovieClip/gotoAndStop()
    at cv/index()
    Hope someone can help...

    Nothing really happens - dosen't come with any error message, but doesn't play any movies...
    So don't know if that means that it dosen't return any URL..?
    var movies:Array =["film/film1.f4v", "film/film2.f4v"]
    function shuffle(a:Array):String{
         for (var ivar = a.length-1; ivar>=0; ivar--) {
              var p = Math.floor(Math.random())*(ivar+1);
              var t = a[ivar];
              a[ivar] = a[p];
              a[p] = t;
              var url = "url"
         return url;
    var timedelay:Number = 10;  // seconds delay in replay
    var video;
    var nc:NetConnection;
    var ns:NetStream;
    nc = new NetConnection();
    nc.connect(null);
    ns = new NetStream(nc);
    ns.client = this;
    ns.addEventListener(NetStatusEvent.NET_STATUS,netStatusf);
    function netStatusf(e:NetStatusEvent) {
        if (e.info.code == "NetStream.Play.Stop" && Math.abs(durationNum-ns.time)<.1) {
    setTimeout(replayF,timedelay*1000);
    function replayF(){
    ns.play(shuffle(movies));
    var durationNum:Number;
    function onMetaData(iObj:Object):void {
        durationNum = iObj.duration;
    video = new Video(287,263);
    video.x = 231.1;
    video.y = 140.5;
    addChild(video);
    video.attachNetStream(ns);
    ns.play(shuffle(movies));

  • Help in nega max+alpha beta pruning

    well I have programmed a connect four which implemented minimax algorithm,but then it took 10 secs(minimum) to reply for maxdepth of 8. More over it still lost few games to online ai's which to my surprise played faster and more accurate than my program.Then by searching in books and internet I came across search funtion called as megamax with alpha-beta pruning.I replaced my minimax with this method but then it plays very bad(doesn't even see the connect 4 even if there are 3 in a row).I am willing to put my source code, pls point out my mistakes and rectify (with explanations if possible). Thank you, and also forgive me for grammatical mistakes(if any) as english is my second language.
    I know alpha beta is a bit tedious thing to do(at least for me as I am doing it for the very first time).
    So I request you all to please help

    Here is the source code
    package connect4;
    import java.io.*;
    import java.util.*;
    public class Connect4 {
        private static final int WIDTH=7, HEIGHT=6;
        private static  int MAX_RECURDEPTH=8;
        private static BufferedReader in;
        private  int[][] grid=new int[WIDTH][HEIGHT];
        private  int[] columnHeight=new int[WIDTH];
        private  static int recurDepth=0;
        public static void main(String[] args) {
            in=new BufferedReader(new InputStreamReader(System.in));
            new Connect4();
        public Connect4() {
            Scanner read=new Scanner(System.in);
            int column,p;
            int player=1;
            System.out.println("Who play first?");
            System.out.println("1.Player");
            System.out.println("2.Computer");
            p=read.nextInt();
            player=p;
            double a=-MAX_RECURDEPTH;
            double b=MAX_RECURDEPTH;
            int move=0;
            double value=0;
            Vector moves=new Vector();
            while(true) {
                if(player==1) {
                    printGrid();
                    do {
                        System.out.println("Make your move (1-7): ");
                        column=readInt()-1;
                    } while(column<0 || column >=WIDTH || columnHeight[column]>=HEIGHT);
                } else {
                    moves.removeAllElements();
                    column=0;
                           value=0;
                    double prevValue=-MAX_RECURDEPTH-1;
                    for(int x=0; x<WIDTH; x++)
                        if(columnHeight[x]>=HEIGHT)
                            continue;
                       if (move==0)
                       moves.add(new Integer(3));
                        break;
                      if(p==2 && move==1)
                       moves.add(new Integer(3));
                        break;
                        value=minmax_ab(2,x,a,b);
                        if(value>prevValue) {
                            moves.removeAllElements();
                            prevValue=value;
                        if(value==prevValue)
                            moves.add(new Integer(x));
                       move++;
                       System.out.println("VAlue="+prevValue);
                    if(moves.size()>0) {
                        Collections.shuffle(moves);
                        column=((Integer)moves.get(0)).intValue();
                    if(moves.size()==0) {
                        System.out.println("Its a draw.");
                        break;
                grid[column][columnHeight[column]]=player;
                if(player==2)
                System.out.println("I PUT MY CHECKER IN "+(column+1));
                columnHeight[column]++;
                int haswon=0;
                haswon=fourInARow();
                if(haswon>0) {
                    printGrid();
                    if(player==2)
                        System.out.println("I  WON");
                    else
                        System.out.println("YOU WON");
                    break;
                player=3-player;
        double minmax_ab(int player, int column,double a,double b) {
            double value=0;
            if(columnHeight[column]>=HEIGHT)
                return 0;
            grid[column][columnHeight[column]]=player;
            columnHeight[column]++;
    if(columnHeight[column]>=HEIGHT)
                return 0;
            recurDepth++;
            if(fourInARow()>0) {
                if(player==2)
                    value=(MAX_RECURDEPTH+1)-recurDepth;
                else value=-MAX_RECURDEPTH-1+recurDepth;
            if(recurDepth<MAX_RECURDEPTH&&value==0)
                 value=MAX_RECURDEPTH+1;
                for(int x=0; x<WIDTH; x++)
                  if(columnHeight[x]>=HEIGHT)
                        continue;
                double v=-minmax_ab(3-player,column,-b,-a);
                if(value==(MAX_RECURDEPTH+1))
                        value=v;
                else if(player==2)
                     if(v>value)
                   value=v;
                else if(v>value)
                    value=v;
                    else if(v>a)
                   a=v;
                     else if(a>=b)
                     return value;
            recurDepth--;
            columnHeight[column]--;
            grid[column][columnHeight[column]]=0;
            return a;
        int fourInARow() {
            int num, player;
            for(int y=0; y<HEIGHT; y++) {
                num=0; player=0;
                for(int x=0; x<WIDTH; x++) {
                    if(grid[x][y]==player) num++;
                    else { num=1; player=grid[x][y]; }
                    if(num==4 && player>0)
                        return player;
            for(int x=0; x<WIDTH; x++) {
                num=0; player=0;
                for(int y=0; y<HEIGHT; y++) {
                    if(grid[x][y]==player) num++;
                    else { num=1; player=grid[x][y]; }
                    if(num==4 && player>0) return player;
            for(int xStart=0, yStart=2; xStart<4; ) {
                num=0; player=0;
                for(int x=xStart, y=yStart; x<WIDTH && y<HEIGHT; x++, y++) {
                    if(grid[x][y]==player) num++;
                    else { num=1; player=grid[x][y]; }
                    if(num==4 && player>0) return player;
                if(yStart==0) xStart++;
                else yStart--;
            for(int xStart=0, yStart=3; xStart<4; ) {
                num=0; player=0;
                for(int x=xStart, y=yStart; x<WIDTH && y>=0; x++, y--) {
                    if(grid[x][y]==player) num++;
                    else { num=1; player=grid[x][y]; }
                    if(num==4 && player>0) return player;
                if(yStart==HEIGHT-1) xStart++;
                else yStart++;
            return 0;
        void printGrid() {
            int x=0;
            int y=0;
            for(y=HEIGHT-1; y>=0; y--)
                for(x=0; x<WIDTH; x++)
                    if(grid[x][y]==0)
                        System.out.print(" * ");
                    else if(grid[x][y]==1)
                        System.out.print(" A ");
                    else if(grid[x][y]==2)
                       System.out.print(" B ");
                System.out.println();
            System.out.println();
            System.out.println(" 1  2  3  4  5  6  7 ");
        int readInt() {
            try {
                String input=in.readLine();
                int number=Integer.parseInt(input);
                return number;
            } catch(NumberFormatException e) {
                return -1;
            } catch(IOException e) {
                return -1;

  • HT1386 I am trying to move music from my Ipad to my shuffle that I got for Christmas.

    I have an Ipad2 and a new shuffle, my Itunes gave me a message that it would remove music if I tried to sync,  It says are you sure you want to remove music..etc from Ipad and sync with Itunes library will this delete all of my music?  I need to get music loaded on my shuffel but want some of the music I purchased to be added also

    brianmartinwoolf wrote:
    I am trying to move music from my ipod onto my mac. ...
    Was this Music purchased in iTunes... If so... see here...
    Transfer Purchases
    File > Devices > Transfer Purchases
    More Info Here  >  http://support.apple.com/kb/HT1848

  • Shuffling Folders, move them all up one level

    2014
    >>>>WK99
    >>>>>>>>AFolder
    >>>>>>>>>AFolderPSD
    >>>>>>>>BFolder
    >>>>>>>>>BFolderPSD
    >>>>>>>>CFolder
    >>>>>>>>>CFolderPSD
    >>>>WK98
    >>>>>>>>AFolder
    >>>>>>>>>AFolderPSD
    >>>>>>>>BFolder
    >>>>>>>>>BFolderPSD
    >>>>>>>>CFolder
    >>>>>>>>>CFolderPSD
    This is the folder structure I have and I need to shuffle it a little. all of the Folders ending PSD need to go into the folder above that being the WK99 folder that it came from? I think I might be going the wrong way about it, but this is my unsuccessful code as it stands. After it has moved I would like to then delete the folder it was in Afolder, B folder etc?
    tell application "Finder"
              set YearFolder to folder (choose folder with prompt "choose year") as alias
              repeat with weekFolders in YearFolder
                        repeat with ABCfolders in weekFolders
                                  repeat with PSDFolders in ABCfolders
      move folder PSDFolders to weekFolders
    --delete folder ABCfolders
                                  end repeat
                        end repeat
              end repeat
    end tell

    Slowly retrying the script, this does the first in the folder but not all?
    tell application "Finder"
      --set YearFolder to (choose folder with prompt "choose year")
              set YearFolder to "StudioA:Users:StudioA:Desktop:2014:" as alias
              set tc to (count folder YearFolder)
              repeat with i from 1 to tc
                        set weekFolders to (item i of YearFolder)
                        set BC to (count folders of weekFolders)
                        repeat with i from 1 to BC
                                  set ABCfolders to (item i of weekFolders)
                                  set CC to (count folders of ABCfolders)
                                  repeat with i from 1 to CC
                                            set PSDFolders to (item i of ABCfolders)
                                            log i
      move PSDFolders to weekFolders
                                  end repeat
                        end repeat
              end repeat
    end tell

  • My iPod touch will not shuffle or move on to the next song on an album/ playlist. Is there anything I can do. It has had very little use even though I've had it for 2years.

    Can anyone help with an iPod touch that will not shuffle or move on to the next song on an album/playlist?

    After you dry the iPod:
    How to fix a wet iPod or iPhone | eHow.comfix-wet-ipod-iphone.html
    Connect the iPod to a charging source overnight and then try:
    - iOS: Not responding or does not turn on
    - Also try DFU mode after try recovery mode
    How to put iPod touch / iPhone into DFU mode « Karthik's scribblings
    - If not successful and you can't fully turn the iOS device fully off, let the battery fully drain. After charging for an least an hour try the above again.
    - Try on another computer
    - If still not successful that usually indicates a hardware problem and an appointment at the Genius Bar of an Apple store is in order.
    Apple Retail Store - Genius Bar       
    If iTunses can see the iPod you can backup the iPod
    iOS: How to back up
    http://support.apple.com/kb/HT1766and copy media from the iPod
    Recovering your iTunes library from your iPod or iOS device: Apple Support Communities
    If iTunes does not see the iPod then its contents are lost

  • IPod shuffle causes iTunes to move songs to the trash

    When I plug in my iPod shuffle, it causes various files (AAC, pAAC, and mp3) to be move from iTunes, to the trash. Fortunately, I noticed because at the next sync, iTunes asked if I wanted to import the purchased music from the iPod shuffle to iTunes.
    Here's the kicker. When I tried to restore the iPod shuffle, I got an "unkown error (1418)". I reset everthing, but still got the error.
    Is there any way I can:
    1- Stop this from happening.
    2- Restore my iPod shuffle despite the error message
    Thanks.
    iPod Shuffle 1.1.4   Mac OS X (10.4.7)   iTunes 7

    It could be an indication or a damaged or dying hard drive.  I would recommend doing a disk diagnostic on the iPod's HD using the instructions given by turingtest2 in this older thread.  He also covers what the resulting numbers indicate.
    https://discussions.apple.com/thread/3784647?start=0&tstart=0
    If necessary, post the resultings numbers and we can verify what the next steps to take.
    B-rock

  • Party Shuffle for my TV Shows and Movies?

    Party Shuffle does not work for TV Shows and Movies.
    Is there any way to make it for iTunes 8.0.1.11?
    Or this is something that will happen in a future release?
    Thanks.

    The files are also saved as .m4v  .  I don't know what this means but for example, a tv show that won't play in iTunes 10.4.1 (10) is Isobel.m4v
    Please help me!!!

  • Pressing "Pause" twice causes my Shuffle to move to the next song.

    When I am listening to a specific song on my iPod Shuffle, (Thank You For The Venom-My Chemical Romance) which I purchased today via the iTunes Music Store, I press "Pause" and it pauses correctly but when I try to resume play, it switches to the next song in the queue. None of my other songs have this problem, just this one that I purchased today. Also, when I try to press and hold Rewind/Fast Foward, instead of skipping ahead within the song, it automatically Fast Fowards to the next track without opportunity for any movement within the song. Thanks in advance for your help and sorry for my ignorance.

    It depends on the iPod shuffle model...  Assuming your shuffle is the 4th gen (or 3rd gen) model, do you use automatic syncing or the manual method (drag and drop song on iPod in iTunes)?
    This document shows the four shuffle models, and provides general info about loading content on shuffles
    http://support.apple.com/kb/ht1719

  • HT1535 HELP PLS - Trying to move music from a library to my iPod Shuffle and the "device" is not showing up on the left hand side of the window?

    HI - I'm new to this, and can't get my iPod Shuffle to show as "device" to I can move music I've purchased on iTunes to my Shuffle.  Any help is greatly appreciated.

    Hello Shona,
    I would be concerned too if my iPod was not appearing in iTunes.  I recommend reviewing the following article when you are experiencing an issue like this:
    iPod not appearing in iTunes
    http://support.apple.com/kb/ts3716
    Thank you for using Apple Support Communities.
    Best,
    Sheila M.

  • Move songs from shuffle to pc Help Please

    Is it possible to move songs back from one shuffle (my wifes) to the pc so i can put them on mine???

    Thank you for your help have now done it just forgot to set laptop to show hidden files and then lo all were there to see !!!!!!!
    Rgds Jim

Maybe you are looking for

  • Low FSB problem on MSI K7N2 Delta-ILSR.

    Today is the first day this happened, and I don't know why it did it. I've had this for 5 days with no such problem like this B4.   Here goes... in my BIOS, I have the FSB set to 166(333), and the Ram synced with it. This afternoon I started up my co

  • Setting timeout option for GIT in TFS 2013 update 4

    Hi all, I want to increase the timeout option for GIT but I do not know how to set it. Please help with how can I set the timeout value for GIT. I am getting "Timeout Error" whenever I am trying to run the 'git pull' command. The repository size is i

  • The page cannot be found or not load completely

    Dear all here, I have a jsp+servlet app run on iplanet server, the internal user can access this properly, but external user access with SSL will encounter some error sometimes, 1, sometimes, the jsp cannot show completely, the jsp page result is ver

  • Some performance counter objects are not available for a 32-bit process on 64-bit versions of Windows Server 2012 standard

    When we try to gather performance counter information for a 32-bit process on a 64-bit computer that is running Microsoft Windows Server 2012, all our performance counter objects are not available with 32 bit perfmon application (C:\Windows\SysWOW64\

  • Upload file last modified timestamp

    Hello there! This is my first time posting! I'm trying to upload a remote file with HTML form and JDBC (and save as a BLOB in the database). Is there a way to get the last modified timestamp of this remote file? If so, how? Thanks! Regards, Wilson