Do I need an Apple flash drive or does any flash drive work for storage?

Can i interchange my flash drives that i have used for my PC with my new mac?

Any work if properly formatted. OS X can read/write FAT formatted drives, but can only read NTFS formatted drives.
Windows cannot read/write any OS X formatted drive without third-party software such as MediaFour's MacDrive.

Similar Messages

  • After updating my ipod touch my computer does not detect my ipod in devices on itunes. It says I need to install a driver software for my mobile device. Help.

    After updating my ipod touch, my computer did not detect my ipod in devices on itunes. It says I need to install a driver software for my mobile device. Help pls?

    Maybe this will resolve your problem:
    iPhone, iPad, iPod touch: How to restart the Apple Mobile Device Service (AMDS) on Windows
    Or you may have to look at the river/server topicsof the following:
    iPhone, iPad, or iPod touch: Device not recognized in iTunes for Windows
    Since you were unclear at to the error message.

  • Need to create a driver class for a program i have made...

    hey guys im new to these forums and someone told me that i could get help on here if i get in a bind...my problem is that i need help creating a driver class for a program that i have created and i dont know what to do. i need to know how to do this is because my professor told us after i was 2/3 done my project that we need at least 2 class files for our project, so i need at least 2 class files for it to run... my program is as follows:
    p.s might be kinda messy, might need to put it into a text editor
    Cipher.java
    This program encodes and decodes text strings using a cipher that
    can be specified by the user.
    import java.io.*;
    public class Cipher
    public static void printID()
    // output program ID
    System.out.println ("*********************");
    System.out.println ("* Cipher *");
    System.out.println ("* *");
    System.out.println ("* *");
    System.out.println ("* *");
    System.out.println ("* CS 181-03 *");
    System.out.println ("*********************");
    public static void printMenu()
    // output menu
    System.out.println("\n\n****************************" +
    "\n* 1. Set cipher code. *" +
    "\n* 2. Encode text. *" +
    "\n* 3. Decode coded text. *" +
    "\n* 4. Exit the program *" +
    "\n****************************");
    public static String getText(BufferedReader input, String prompt)
    throws IOException
    // prompt the user and get their response
    System.out.print(prompt);
    return input.readLine();
    public static int getInteger(BufferedReader input, String prompt)
    throws IOException
    // prompt and get response from user
    String text = getText(input, prompt);
    // convert it to an integer
    return (new Integer(text).intValue());
    public static String encode(String original, int offset)
    // declare constants
    final int ALPHABET_SIZE = 26; // used to wrap around A-Z
    String encoded = ""; // base for string to return
    char letter; // letter being processed
    // convert message to upper case
    original = original.toUpperCase();
    // process each character of the message
    for (int index = 0; index < original.length(); index++)
    // get the letter and determine whether or not to
    // add the cipher value
    letter = original.charAt(index);
    if (letter >='A' && letter <= 'Z')
    // is A-Z, so add offset
    // determine whether result will be out of A-Z range
    if ((letter + offset) > 'Z') // need to wrap around to 'A'
    letter = (char)(letter - ALPHABET_SIZE + offset);
    else
    if ((letter + offset) < 'A') // need to wrap around to 'Z'
    letter = (char)(letter + ALPHABET_SIZE + offset);
    else
    letter = (char) (letter + offset);
    // build encoded message string
    encoded = encoded + letter;
    return encoded;
    public static String decode(String original, int offset)
    // declare constants
    final int ALPHABET_SIZE = 26; // used to wrap around A-Z
    String decoded = ""; // base for string to return
    char letter; // letter being processed
    // make original message upper case
    original = original.toUpperCase();
    // process each letter of message
    for (int index = 0; index < original.length(); index++)
    // get letter and determine whether to subtract cipher value
    letter = original.charAt(index);
    if (letter >= 'A' && letter <= 'Z')
    // is A-Z, so subtract cipher value
    // determine whether result will be out of A-Z range
    if ((letter - offset) < 'A') // wrap around to 'Z'
    letter = (char)(letter + ALPHABET_SIZE - offset);
    else
    if ((letter - offset) > 'Z') // wrap around to 'A'
    letter = (char)(letter - ALPHABET_SIZE - offset);
    else
    letter = (char) (letter - offset);
    // build decoded message
    decoded = decoded + letter;
    return decoded;
    // main controls flow throughout the program, presenting a
    // menu of options the user.
    public static void main (String[] args) throws IOException
    // declare constants
    final String PROMPT_CHOICE = "Enter your choice: ";
    final String PROMPT_VALID = "\nYou must enter a number between 1" +
    " and 4 to indicate your selection.\n";
    final String PROMPT_CIPHER = "\nEnter the offset value for a caesar " +
    "cipher: ";
    final String PROMPT_ENCODE = "\nEnter the text to encode: ";
    final String PROMPT_DECODE = "\nEnter the text to decode: ";
    final String SET_STR = "1"; // selection of 1 at main menu
    final String ENCODE_STR = "2"; // selection of 2 at main menu
    final String DECODE_STR = "3"; // selection of 3 at main menu
    final String EXIT_STR = "4"; // selection of 4 at main menu
    final int SET = 1; // menu choice 1
    final int ENCODE = 2; // menu choice 2
    final int DECODE =3; // menu choice 4
    final int EXIT = 4; // menu choice 3
    final int ALPHABET_SIZE = 26; // number of elements in alphabet
    // declare variables
    boolean finished = false; // whether or not to exit program
    String text; // input string read from keyboard
    int choice; // menu choice selected
    int offset = 0; // caesar cipher offset
    // declare and instantiate input objects
    InputStreamReader reader = new InputStreamReader(System.in);
    BufferedReader input = new BufferedReader(reader);
    // Display program identification
    printID();
    // until the user selects the exit option, display the menu
    // and respond to the choice
    do
    // Display menu of options
    printMenu();
    // Prompt user for an option and read input
    text = getText(input, PROMPT_CHOICE);
    // While selection is not valid, prompt for correct info
    while (!text.equals(SET_STR) && !text.equals(ENCODE_STR) &&
    !text.equals(EXIT_STR) && !text.equals(DECODE_STR))
    text = getText(input, PROMPT_VALID + PROMPT_CHOICE);
    // convert choice to an integer
    choice = new Integer(text).intValue();
    // respond to the choice selected
    switch(choice)
    case SET:
         // get the cipher value from the user and constrain to
    // -25..0..25
    offset = getInteger(input, PROMPT_CIPHER);
    offset %= ALPHABET_SIZE;
    break;
    case ENCODE:
    // get message to encode from user, and encode it using
    // the current cipher value
    text = getText(input, PROMPT_ENCODE);
    text = encode(text, offset);
    System.out.println("Encoded text is: " + text);
    break;
    case DECODE:
    // get message to decode from user, and decode it using
    // the current cipher value
    text = getText(input, PROMPT_DECODE);
    text = decode(text, offset);
    System.out.println("Decoded text is: " + text);
    break;
    case EXIT:
    // set exit flag to true
    finished = true ;
    break;
    } // end of switch on choice
    } while (!finished); // end of outer do loop
    // Thank user
    System.out.println("Thank you for using Cipher for all your" +
    " code breaking and code making needs.");
    }

    My source in code format...sorry guys :)
       Cipher.java
       This program encodes and decodes text strings using a cipher that
       can be specified by the user.
    import java.io.*;
    public class Cipher
       public static void printID()
          // output program ID
          System.out.println ("*********************");
          System.out.println ("*       Cipher      *");
          System.out.println ("*                   *");
          System.out.println ("*                          *");
          System.out.println ("*                   *");
          System.out.println ("*     CS 181-03     *");
          System.out.println ("*********************");
       public static void printMenu()
          // output menu
          System.out.println("\n\n****************************" +
                               "\n*   1. Set cipher code.    *" +
                               "\n*   2. Encode text.        *" +
                               "\n*   3. Decode coded text.  *" +
                               "\n*   4. Exit the program    *" +
                               "\n****************************");
       public static String getText(BufferedReader input, String prompt)
                                           throws IOException
          // prompt the user and get their response
          System.out.print(prompt);
          return input.readLine();
       public static int getInteger(BufferedReader input, String prompt)
                                           throws IOException
          // prompt and get response from user
          String text = getText(input, prompt);
          // convert it to an integer
          return (new Integer(text).intValue());
       public static String encode(String original, int offset)
          // declare constants
          final int ALPHABET_SIZE = 26;  // used to wrap around A-Z
          String encoded = "";           // base for string to return
          char letter;                   // letter being processed
          // convert message to upper case
          original = original.toUpperCase();
          // process each character of the message
          for (int index = 0; index < original.length(); index++)
             // get the letter and determine whether or not to
             // add the cipher value
             letter = original.charAt(index);
             if (letter >='A' && letter <= 'Z')          
                // is A-Z, so add offset
                // determine whether result will be out of A-Z range
                if ((letter + offset) > 'Z') // need to wrap around to 'A'
                   letter = (char)(letter - ALPHABET_SIZE + offset);
                else
                   if ((letter + offset) < 'A') // need to wrap around to 'Z'
                      letter = (char)(letter + ALPHABET_SIZE + offset);
                   else
                      letter = (char) (letter + offset);
             // build encoded message string
             encoded = encoded + letter;
          return encoded;
       public static String decode(String original, int offset)
          // declare constants
          final int ALPHABET_SIZE = 26;  // used to wrap around A-Z
          String decoded = "";           // base for string to return
          char letter;                   // letter being processed
          // make original message upper case
          original = original.toUpperCase();
          // process each letter of message
          for (int index = 0; index < original.length(); index++)
             // get letter and determine whether to subtract cipher value
             letter = original.charAt(index);
             if (letter >= 'A' && letter <= 'Z')          
                // is A-Z, so subtract cipher value
                // determine whether result will be out of A-Z range
                if ((letter - offset) < 'A')  // wrap around to 'Z'
                   letter = (char)(letter + ALPHABET_SIZE - offset);
                else
                   if ((letter - offset) > 'Z') // wrap around to 'A'
                      letter = (char)(letter - ALPHABET_SIZE - offset);
                   else
                      letter = (char) (letter - offset);
             // build decoded message
             decoded = decoded + letter;
          return decoded;
       // main controls flow throughout the program, presenting a
       // menu of options the user.
       public static void main (String[] args) throws IOException
         // declare constants
          final String PROMPT_CHOICE = "Enter your choice:  ";
          final String PROMPT_VALID = "\nYou must enter a number between 1" +
                                      " and 4 to indicate your selection.\n";
          final String PROMPT_CIPHER = "\nEnter the offset value for a caesar " +
                                       "cipher: ";
          final String PROMPT_ENCODE = "\nEnter the text to encode: ";
          final String PROMPT_DECODE = "\nEnter the text to decode: ";
          final String SET_STR = "1";  // selection of 1 at main menu
          final String ENCODE_STR = "2"; // selection of 2 at main menu
          final String DECODE_STR = "3"; // selection of 3 at main menu
          final String EXIT_STR = "4";  // selection of 4 at main menu
          final int SET = 1;            // menu choice 1
          final int ENCODE = 2;         // menu choice 2
          final int DECODE =3;          // menu choice 4
          final int EXIT = 4;           // menu choice 3
          final int ALPHABET_SIZE = 26; // number of elements in alphabet
          // declare variables
          boolean finished = false; // whether or not to exit program
          String text;              // input string read from keyboard
          int choice;               // menu choice selected
          int offset = 0;           // caesar cipher offset
          // declare and instantiate input objects
          InputStreamReader reader = new InputStreamReader(System.in);
          BufferedReader input = new BufferedReader(reader);
          // Display program identification
          printID();
          // until the user selects the exit option, display the menu
          // and respond to the choice
          do
             // Display menu of options
             printMenu(); 
             // Prompt user for an option and read input
             text = getText(input, PROMPT_CHOICE);
             // While selection is not valid, prompt for correct info
             while (!text.equals(SET_STR) && !text.equals(ENCODE_STR) &&
                     !text.equals(EXIT_STR) && !text.equals(DECODE_STR))       
                text = getText(input, PROMPT_VALID + PROMPT_CHOICE);
             // convert choice to an integer
             choice = new Integer(text).intValue();
             // respond to the choice selected
             switch(choice)
                case SET:
                // get the cipher value from the user and constrain to
                   // -25..0..25
                   offset = getInteger(input, PROMPT_CIPHER);
                   offset %= ALPHABET_SIZE;
                   break;
                case ENCODE:
                   // get message to encode from user, and encode it using
                   // the current cipher value
                   text = getText(input, PROMPT_ENCODE);
                   text = encode(text, offset);
                   System.out.println("Encoded text is: " + text);
                   break;
                case DECODE:
                   // get message to decode from user, and decode it using
                   // the current cipher value
                   text = getText(input, PROMPT_DECODE);
                   text = decode(text, offset);
                   System.out.println("Decoded text is: " + text);
                   break;
                case EXIT:
                   // set exit flag to true
                   finished = true ;
                   break;
             } // end of switch on choice
          } while (!finished); // end of outer do loop
          // Thank user
          System.out.println("Thank you for using Cipher for all your" +
                             " code breaking and code making needs.");
    }

  • I need an apple device to check that websites I design work ok on apple devices - am I ok with an ipod touch or do I need to buy an ipad or iphone ?

    I need an apple device to check that websites I design work ok on apple devices - am I ok with an ipod touch or do I need to buy an ipad or iphone ?

    - Using an iPod touch would be the same as using an iPhone.
    - It all depends upon how you site handles different screen sizes.
    - If you view only on an iPad it may look poor on an iPhone, that is hard to read.
    - I would use/view other users iPads and iPhones/iPod touches to help decide what meets your needs.

  • Flash player worked for months but now I have audio but no video / Windows 8 / Help

    Flash player worked for months.  But today suddenly the video part stopped working.  So I have audio and a blank screen.  This is across all applications: youtube, live streaming, etc.

    To help troubleshoot we'll need the following system information:
    Operating system
    Browser
    Flash Player version - http://adobe.ly/wNzNAu
    Web Page URL
    Steps to reproduce
    When reporting issues with video or audio, it's also helpful to get your system hardware and driver details.  Instructions for finding this information can be found here:
    Windows - http://adobe.ly/KShBWi
    Mac - http://adobe.ly/16Odlzb
    Finally, sometimes video and audio problems are caused at a lower level and not directly related to Flash Player.  I recommend trying both of the links below to see how they perform.  If the problem exists with both, then Flash Player is most likely not the culprit as the HTML5 video link does not use Flash Player when playing.  You can verify the use of HTML5 by right clicking the HTML5 video and looking for the words "About HTML5" at the bottom of the context menu.
    HTML5 video - http://bit.ly/ahzL63
    Non-HTML5 video - http://bit.ly/cqNb3w

  • Flash only works for one user

    Using IE7. I have three users on my computer. All
    have Administrator level access. Flash only works for one of them.
    When attempting to play a video on YouTube for example it says "You
    either have JavaScrip turned off or an old version of Adobe Flash
    Player."
    JS is turned on and the current version of Flash Player is
    installed.
    So does anyone know what is going on here?
    Thanks

    I was able to fix my problem of Flash only working on user
    account. I did the following two steps to correct the problem:
    1. First uninstall the Adobe Flash Player plug-in and ActiveX
    control by following the instructions stated in
    tn_14157.
    2. Second Download SubInACL from Microsoft to fix permission
    issues that prevent the Flash Player installation by following the
    instructions stated in
    fb1634cb.
    Following the above two steps, fixed my problem of only
    having Flash run on only one user account. Now it runs on all four
    user accounts.
    As a side note: The Flash Player plug-in and ActiveX control
    would not run in user accounts with Limited access. But when I set
    the permission of the user account to administrative, then Flash
    would work.
    Regards,
    Bob

  • Hi, my apple ID verification email does not contain the link for me to click in order to verify my account. Re-submitting has not worked, what can i do to verify/activate my account

    Hi, my apple ID verification email does not contain the link for me to click in order to verify my account. Re-submitting has not worked, what can i do to verify/activate my account in order to access Icloud?

    If you want to change your iCloud ID or password on your phone go to Settings>iCloud and tap Delete Account, then sign back in with your updated information.  Note: this only deletes the account and any synced data from your phone, not from iCloud.  Provided you are signing back into the same account and not changing accounts it will be synced back to your device when you sign back in.

  • Does all external hard drives work for mac?

    I am buying a imac i want to know weather all external hard drives work for mac?

    Not with equal reliability. Avoid Western Digital.
    Most reliable are these:
    http://eshop.macsales.com/shop/firewire/1394/USB/EliteAL/eSATA_FW800_FW400_USB
    Search their site for various alternatives.

  • Can i download the free trial twice? i need a bit more time to see if it will work for my needs

    can i download the final cut pro x free trial twice? i need a bit more time to see if it will work for my needs
    also if my free trial has expired.. will the media in that free trial automatically be imported into final cut pro x if I buy it?

    No.
    A trial is a trial.
    And 30d is a long period for 'testing'...
    Content is completely independent from the app.
    When you purchase a license, you can instantly work with your previously Events&Project.

  • Connected Apple TV Box tonight and it said it needed an update.  I ran the update, and it worked for a few minutes.  Then all of a sudden, a screen popped up showing that I needed to connect via USB plug to my MacBook Air to connect to iTunes.  Why??

    I conneced the Apple TV and it worked fine at first.  It has worked well for some time.  We are using them in our school this year, as well as converting to all apple products.  I have been able to pull up my computer screen through Apple TV onto our projectors.  However, tonight when I started apple TV, the mirroring icon came up, and everything seemed fine.  Then a message came up that the Apple TV Box needed an update.  I clicked on the button to run it now, and it seemed fine.  The mirroring worked for about 5 minutes after the update, then I got a screen that had a picture of the Apple TV Box and a USB cord directed toward a picture of the iTunes icon.  The light on the frontof the component flashed, and I couldn't go to the menu at all.  I wouldn't do anything.  I no longer cold see the Airplay/mirroring icon on my computer either.  I tried to shut everything off and reboot the computer and the Apple TV box.  However, none of this worked. 
    Any suggestions???  I'm a high school football coach, and this is how our team will watch film this year.  I really need to get this rectified by the end of the week, as our team will go into camp for the next two weeks. 

    Hello Philly,
    I believe that when you reset your ipod(command given from the computer, right?)  touch WHILE the ipod was updating, It cleared the system in the middle of writing files, thus corrupting(equivalent of cutting of in the middle of a sentence) the basic running system.
    I suggest you go to an apple store and ask for a technical diagonosis in person. they may offer to help if the problem is fixable. If your ipod is still under warrenty, i would guess it would be free/low cost.
    ~Remember, I am just giving an educated guess on limited information

  • Flash not working for one user, but not another on this CPU

    Hi,
    For user A on my computer most video will play in Safari, Firefox, and Chrome. But video at nfl.com will not play. The ads will play but not the actual feature.
    I just found out that the videos on nfl.com will work for user B. I have rerun the Adobe Flash 10.1 installer in user A's account several times with no luck.
    Are there permissions or libraries I should trash to try to restore this capability?
    thanks,
    Steve

    HI,
    For user A on my computer
    Try uninstalling the current copy of Flash, reinstall new, then repair permissions.
    Uninstall Flash
    Install the most recent version of Flash here.
    Now repair permissions.
    Launch Disk Utility. (Applications/Utilities) Select MacintoshHD in the panel on the left, select the FirstAid tab. Click: Repair Disk Permissions. When it's finished from the Menu Bar, Quit Disk Utility and restart your Mac. If you see a long list of "messages" in the permissions window, it's ok. That can be ignored. As long as you see, "Permissions Repair Complete" when it's finished... you're done. Quit Disk Utility and restart your Mac.
    You may also need to delete the Flash cache. Instructions here.
    http://discussions.apple.com/thread.jspa?messageID=11672709&#11672709
    If that doesn't help, install the v10.6.4 Combo Update It's ok to do this even though you are already running v10.6.4.
    Carolyn

  • What does it take to work for Apple, Google and etc?

    Hello everybody.... i am quite intrested (ain't we all) to work for Apple. I'am currently 17 studying at college Information Technology and Business. I will get to university hopefully in a year or so... but i do not know what to study there so that i can land a job at Apple or Google. I know you need to be the best of the best and i am willing to work really hard to get there, but does anyone know what degree i could choose to work for these and if it is good for me to try and get an Internship at Apple? Thank you in advance for your help.

    Hello laundry bleach,
    Thank you very much for your response, i really appriaciated it. If it is ok, can i ask one more thing... What would be a good degree to study (please, could you choose one from these because the uni i would like to get into does these). Business Computing & IT:http://www1.aston.ac.uk/study/undergraduate/courses/school/aston-business-school /business-computing-it/. Computing Science:http://www1.aston.ac.uk/study/undergraduate/courses/school/eas/bsc-computing-sci ence/.
    Computing for Business: http://www1.aston.ac.uk/study/undergraduate/courses/school/eas/bsc-computing-for -business/.
    Multimedia Computing:http://www1.aston.ac.uk/study/undergraduate/courses/school/eas/bsc-multimedia-co mputing/.
    Thank you, your help will really help me.
    Thank you for you time.

  • What does it take to work for apple

    I've always been very passionate and glued to the tv every WWDC given by apple. I believe apple is the most accomplishable consumer-electronics company in the world. Lol not Microsoft! I just want to know what it really takes to work for such a great company!

    Skills they will need.
    Technological skills such as electronics design.  HR management skills for its HR department.  Financial skills for its accounting department.

  • Will Flash programming work for this...

    Hello,
    We have a website (www.sportsoutfit.com) and we offer custom stringing for lacrosse heads. I want to create a program that a customer opens up, they can pick what lacrosse head they want, the stringing style and colors. I want them to be able to see the head as they build it and have the colors and stringing style change as they change their options. Is this something flash can do? I am open for suggestions! Thanks.
    Bob

    Additional considerations you might have are:
    Is this just for the website visitor to see, but do nothing else with after they "build" the item? This is fairly achievable with the skills that most modestly experienced Flash developers have.
    This application would need to contain (or load in) all images of the various categories (multiple heads, multiple strings/colors, etc.). Then you need to determine what kind of interaction you want the visitor to experience in order to build their custom product. For example, something that goes along with "Click a head from below, and then choose a string style and color".
    Then, do you want the customer to be able to save this designed product, for purposes of creating an actual product order, that your shop would actually get the details from and build from? This increases the technical specifications & needs of the entire project, and requires lots of skill beyond just Flash.
    Flash is GREAT for the presentation part of this experience, but you'd need to discuss with your web development/IT team to figure out how to handle the transmission of data.

  • Do any external DVD drives work for boot purposes?

    I'm having problems booting my x100e from DVD to reinstall the OS.
    I've tried a LG external DVD and a Liteon DVD however neither work.
    Occiasionally I can get the BIOS to show the attached device (most of the time it just says USB-CD) however when I come to boot from it it just gets ignored.
    The PC is still under warranty so I phoned support and they've suggested I need to try a Lenovo external DVD.
    Does anyone have any experience of problems or any drives which do work? Even better is there a solution?
    Thanks,
    Jeddy

    Hello,
    As I understand it, the specification for USB 2.0 is for ports to provide +5VDC at 500 milliAmperes for powering attached devices (I believe the specification was adjusted to 900 mA recently). 
    Some USB devices, such as external hard disk drives and DVD±RW drives, require more than this, and ship with a double-headed "Y" cable that plugs into two USB ports on the computer in order to supply power (like this one), or a separate USB to +5VDC miniplug cable to accomplish the same thing.
    From the description, it sounds like a regular USB cable was used to connect the external DVD±RW disc drive to one of the USB ports providing only 500mA, and this did not provide enough current.  Perhaps, the always-on USB port with the yellow connector provides more milliAmperes, which is why the drive worked when plugged in using that cable.
    I have had no trouble booting my X100e from external USB DVD±RW disc drives manufactured by LG, Samsung or Velocity Micro when using the appropriate "Y" cable or a regular USB cable in conjunction with a secondary power-only USB cable.
    Here are four manuals I found which apply to the ThinkPad X100e:
    Hardware Maintenance Manual - ThinkPad X100e
    Safety and Warranty Guide - ThinkPad General
    Service and Troubleshooting Guide - ThinkPad X100e
    Setup Guide - ThinkPad X100e
    There are some additional regulatory notices (FCC, UL, CE and other organizations) available on Lenovo's support web site as well, if you are interested in those.
    Videos showing how to replace parts can be found here on Lenovo's Service Training web site.
    Regards,
    Aryeh Goretsky
    I am a volunteer and neither a Lenovo nor a Microsoft employee. • Dexter is a good dog • Dexter je dobrý pes
    S230u (3347-4HU) • X220 (4286-CTO) • W510 (4318-CTO) • W530 (2441-4R3) • X100e (3508-CTO) • X120e (0596-CTO) • T61p (6459-CTO) • T43p (2678-H7U) • T42 (2378-R4U) • T23 (2648-LU7)
      Deutsche Community   Comunidad en Español Русскоязычное Сообщество

Maybe you are looking for

  • Songs on my computer & my ipod are not showing up in itunes

    Today, my sister and I both updated our itunes to 11.0.1 (12), the most current version of Itunes available. We have home shared for years, and tonight after my sister imported all of the songs she wanted from my library she was unable to view them i

  • Do you have to upgrade to Windows 8.1 or is this a squeeze chute with no option?

    I have finally got my computer to operate without any problems and all my programs work fine, the last time I upgraded to Windows 8.1 I had all kind of issues. So my question is; do you have to upgrade to Windows 8.1 or is this a squeeze chute with n

  • Create a link node in tree

    I created a web dynpro project which implement a KM file repository constructs by recursion child node. If the node is collection (folder) there is no problem to open it,But if it is not (for example if it is a *.pdf or *.doc or *.txt), I don’t know

  • Dunning levels

    Hi Gurus So far i understand that Dunning level is updated in the Customer master and Line items after after notices are printed out.  These levels can be changed also.  What would the business scenarios where someone will need to change the Dunning

  • How can i sketch the line art?

    Hi i am try to line drawing some picture. Referenc image is given below,, which tool is used for drawing in illustrator. Pen tool or brush, how can i do. plz help for this?