ZenXtra: copying from Zen: "file unaccesib

Hi,
When copying from my Zen Xtra, after transfer of a couple of files in queue I receive an error: "file unaccessible..." and I cannot copy anything more unless I reconnect. Moreover Zen and the connection seems to be out of order (ie. not all fields visible in Zen Settings in MediaSource). Sometimes after that there is a message: player unconnected, although there is no other evidence of lost connection.
I tried:
MediaSource from CD and new one from internet.
Driver from CD and Internet
Rescue mode clean up
Firmware remove and install again
All PC Zen software removal, reboot, reinstall, reboot
My Zen Xtra 60GB is running on firmware .20. PC is running WinXP Pro.
Uploading TO Zen works fine.
Regards

Chances are it's a USB compatibility issue with the PC. The simple test is to install the drivers and software on another PC, and test some transfers. If it works fine then it's the original PC, if it still has problems then it's an issue with the player.
Search on "connection problems" in the FAQ Part post for a link to a lot more troubleshooting information.

Similar Messages

  • Dear ladies and gentlemen! I recently received on my notebook, operating system 8.1, the message "Adobe Acrobat is no longer working properly". I also found myself that I can copy from einerPDF file excerpts not without problems in another document. My Ad

    Dear ladies and gentlemen!
    I recently received on my notebook, operating system 8.1, the message "Adobe Acrobat is no longer working properly". I also found myself that I can copy from einerPDF file excerpts not without problems in another document. My Adobe Acrobat 9 Pro has released version 9.0.0. Two updates this version is not listed. Please inform me how I can fix this problem.
    Sincerely, Walter Hacksteiner
    mailto: [email protected]

    The first thing I would try is to update Acrobat 9 to the latest version 9.5.5
    The next thing would be to run Acrobat 9 in Windows 7 or Vista or XP Compatibility Mode.

  • SQL bulk copy from csv file - Encoding

    Hi Experts
    This is the first time I am creating a PowerShell script and it is almost working. I just have some problems with the actual bulk import to SQL encoding from the text file since it replaces
    special characters with a question mark. I have set the encoding when creating the csv file but that does not seem to reflect on the actual bulk import. I have tried difference scenarios with the encoding part but I cannot find the proper solution for that.
    To shortly outline what the script does:
    Connect to Active Directory fetching all user - but excluding users in specific OU's
    Export all users to a csv in unicode encoding
    Strip double quote text identifiers (if there is another way of handling that it will be much appreciated)
    Clear all records temporary SQL table
    Import records from csv file to temporary SQL table (this is where the encoding is wrong)
    Update existing records in another table based on the records in the temporary table and insert new record if not found.
    The script looks as the following (any suggestions for optimizing the script are very welcome):
    # CSV file variables
    $path = Split-Path -parent "C:\Temp\ExportADUsers\*.*"
    $filename = "AD_Users.csv"
    $csvfile = $path + "\" + $filename
    $csvdelimiter = ";"
    $firstRowColumns = $true
    # Active Directory variables
    $searchbase = "OU=Users,DC=fabrikam,DC=com"
    $ADServer = 'DC01'
    # Database variables
    $sqlserver = "DB02"
    $database = "My Database"
    $table = "tblADimport"
    $tableEmployee = "tblEmployees"
    # Initialize
    Write-Host "Script started..."
    $elapsed = [System.Diagnostics.Stopwatch]::StartNew()
    # GET DATA FROM ACTIVE DIRECTORY
    # Import the ActiveDirectory Module
    Import-Module ActiveDirectory
    # Get all AD users not in specified OU's
    Write-Host "Retrieving users from Active Directory..."
    $AllADUsers = Get-ADUser -server $ADServer `
    -searchbase $searchbase -Filter * -Properties * |
    ?{$_.DistinguishedName -notmatch 'OU=MeetingRooms,OU=Users,DC=fabrikam,DC=com' `
    -and $_.DistinguishedName -notmatch 'OU=FunctionalMailbox,OU=Users,DC=fabrikam,DC=com'}
    Write-Host "Users retrieved in $($elapsed.Elapsed.ToString())."
    # Define labels and get specific user fields
    Write-Host "Generating CSV file..."
    $AllADUsers |
    Select-Object @{Label = "UNID";Expression = {$_.objectGuid}},
    @{Label = "FirstName";Expression = {$_.GivenName}},
    @{Label = "LastName";Expression = {$_.sn}},
    @{Label = "EmployeeNo";Expression = {$_.EmployeeID}} |
    # Export CSV file and remove text qualifiers
    Export-Csv -NoTypeInformation $csvfile -Encoding Unicode -Delimiter $csvdelimiter
    Write-Host "Removing text qualifiers..."
    (Get-Content $csvfile) | foreach {$_ -replace '"'} | Set-Content $csvfile
    Write-Host "CSV file created in $($elapsed.Elapsed.ToString())."
    # DATABASE IMPORT
    [void][Reflection.Assembly]::LoadWithPartialName("System.Data")
    [void][Reflection.Assembly]::LoadWithPartialName("System.Data.SqlClient")
    $batchsize = 50000
    # Delete all records in AD import table
    Write-Host "Clearing records in AD import table..."
    Invoke-Sqlcmd -Query "DELETE FROM $table" -Database $database -ServerInstance $sqlserver
    # Build the sqlbulkcopy connection, and set the timeout to infinite
    $connectionstring = "Data Source=$sqlserver;Integrated Security=true;Initial Catalog=$database;"
    $bulkcopy = New-Object Data.SqlClient.SqlBulkCopy($connectionstring, [System.Data.SqlClient.SqlBulkCopyOptions]::TableLock)
    $bulkcopy.DestinationTableName = $table
    $bulkcopy.bulkcopyTimeout = 0
    $bulkcopy.batchsize = $batchsize
    # Create the datatable and autogenerate the columns
    $datatable = New-Object System.Data.DataTable
    # Open the text file from disk
    $reader = New-Object System.IO.StreamReader($csvfile)
    $columns = (Get-Content $csvfile -First 1).Split($csvdelimiter)
    if ($firstRowColumns -eq $true) { $null = $reader.readLine()}
    Write-Host "Importing to database..."
    foreach ($column in $columns) {
    $null = $datatable.Columns.Add()
    # Read in the data, line by line
    while (($line = $reader.ReadLine()) -ne $null) {
    $null = $datatable.Rows.Add($line.Split($csvdelimiter))
    $i++; if (($i % $batchsize) -eq 0) {
    $bulkcopy.WriteToServer($datatable)
    Write-Host "$i rows have been inserted in $($elapsed.Elapsed.ToString())."
    $datatable.Clear()
    # Add in all the remaining rows since the last clear
    if($datatable.Rows.Count -gt 0) {
    $bulkcopy.WriteToServer($datatable)
    $datatable.Clear()
    # Clean Up
    Write-Host "CSV file imported in $($elapsed.Elapsed.ToString())."
    $reader.Close(); $reader.Dispose()
    $bulkcopy.Close(); $bulkcopy.Dispose()
    $datatable.Dispose()
    # Sometimes the Garbage Collector takes too long to clear the huge datatable.
    [System.GC]::Collect()
    # Update tblEmployee with imported data
    Write-Host "Updating employee data..."
    $queryUpdateUsers = "UPDATE $($tableEmployee)
    SET $($tableEmployee).EmployeeNumber = $($table).EmployeeNo,
    $($tableEmployee).FirstName = $($table).FirstName,
    $($tableEmployee).LastName = $($table).LastName,
    FROM $($tableEmployee) INNER JOIN $($table) ON $($tableEmployee).UniqueNumber = $($table).UNID
    IF @@ROWCOUNT=0
    INSERT INTO $($tableEmployee) (EmployeeNumber, FirstName, LastName, UniqueNumber)
    SELECT EmployeeNo, FirstName, LastName, UNID
    FROM $($table)"
    try
    Invoke-Sqlcmd -ServerInstance $sqlserver -Database $database -Query $queryUpdateUsers
    Write-Host "Table $($tableEmployee) updated in $($elapsed.Elapsed.ToString())."
    catch
    Write-Host "An error occured when updating $($tableEmployee) $($elapsed.Elapsed.ToString())."
    Write-Host "Script completed in $($elapsed.Elapsed.ToString())."

    I can see that the Export-CSV exports into ANSI though the encoding has been set to UNICODE. Thanks for leading me in the right direction.
    No - it exports as Unicode if set to.
    Your export was wrong and is exporting nothing. Look closely at your code:
    THis line exports nothing in Unicode"
    Export-Csv -NoTypeInformation $csvfile -Encoding Unicode -Delimiter $csvdelimiter
    There is no input object.
    This line converts any file to ansi
    (Get-Content $csvfile) | foreach {$_ -replace '"'} | Set-Content $csvfile
    Set-Content defaults to ANSI so the output file is converted.
    Since you are just dumping into a table by manually building a recorset why not just go direct.  You do not need a CSV.  Just dump theresults of the query to a datatable.
    https://gallery.technet.microsoft.com/scriptcenter/4208a159-a52e-4b99-83d4-8048468d29dd
    This script dumps to a datatable object which can now be used directly in a bulkcopy.
    Here is an example of how easy this is using your script:
    $AllADUsers = Get-ADUser -server $ADServer -searchbase $searchbase -Filter * -Properties GivenName,SN,EmployeeID,objectGUID |
    Where{
    $_.DistinguishedName -notmatch 'OU=MeetingRooms,OU=Users,DC=fabrikam,DC=com'
    -and $_.DistinguishedName -notmatch 'OU=FunctionalMailbox,OU=Users,DC=fabrikam,DC=com'
    } |
    Select-Object @{N='UNID';E={$_.objectGuid}},
    @{N='FirstName';Expression = {$_.GivenName}},
    @{N='LastName';Expression = {$_.sn}},
    @{N=/EmployeeNo;Expression = {$_.EmployeeID}} |
    Out-DataTable
    $AllDUsers is now a datatable.  You can just upload it.
    ¯\_(ツ)_/¯

  • Javadoc not copying from doc-files directories

    Until yesterday I used NetBeans 5.5 for my development projects, and then I installed 6.0. I noticed when I wanted to generate documentation for my classes, that it didn't copy the image files I have in the required doc-files directories.
    I know I could copy the files manually, but that would defy the purpose with automated tools. So, can someone please tell how to make NetBeans 6.0 copy these files, so they are visible in the documentation?

    I solved this by overriding the existing javadoc target, and invoking an Ant copy task.
    <target name="javadoc" depends="init,-javadoc-copy-doc-files,-javadoc-build,-javadoc-browse" description="Build Javadoc."/>
    <target name="-javadoc-copy-doc-files">
      <copy todir="${dist.javadoc.dir}">
        <fileset dir="${src.dir}">
          <include name="**/doc-files/**"/>
        </fileset>
      </copy>
    </target>

  • Any Softwares for copying from Zen Vision to Hard Dri

    hey! Do u know if there are any free softwares that would allow me to copy the staff i have on my zen vision back to my computer? (i just had a format and lost everything!)

    Hi,
    Well Media Source will handle media files (free from Creatives site). Rgegarding data and if you have a USB 2.0 port you can just use XP's Windows Explorer to access the media and data folders.
    Hope this helps,
    John

  • Keynote 08 slide copying from one file to another file

    Hello from a MacBook Newbie,
    This is my first experience into the Mac world. I use Keynote every day. I also have a lot of PowerPoint files that I have converted to Keynote. I love the drag and drop feature.
    My problem is copying slides from one keynote file to another keynote file. The result is text box differences. When using PPT the files always seemed to keep all features intact on copying. Not so in Keynote. Examples are font size changes and text box spacing. The only way to resolve this is for laborious text box revising. I would understand if this were a PPT file converting to Keynote, however, the problem exists for me in copying Keynote slides into another Keynote file.

    Not sure if this tip can actually solve your issue but its a handy tip to have. When you press command+V it paste from the clipboard. Now if you press shiftoption+commandV it paste but use the current slide's formatting.

  • Asmiostat script can't copy from pdf file

    I see that there is a utility called asmiostat in the white paper called "ASM Overview and Technical Best Practices White Paper" in otn. However when I go to copy and paste the script at the end of the paper it gets pasted as garbage. Anyone else have the same problem?

    Hi,
    Where the User Profile folder located? In C drive? According to the error message, it seems like file system compatibility problem.
    Yolanda
    TechNet Community Support

  • Copying files from Zen Vision:M to my

    Hi, just wondering if anyone has any ideas on this, i recently had to recover my pc so i decided to back up my beloved music, photos and documents to my Zen Vision:M. Although i managed to transfer the music across, i seem unable to copy over the music without there being some from of problem (i.e. it freezes up my pc) i hope someone can help i'm getting stressed!?thanks, Scene!Kid =D

    Well i did try, but still it was the same.... and now it seems the files have disappeared! i'm so confused! i always thought of Creative products being relati'vely simple (despite a few minor problems with my player when i first purchased it) so i'm shocked that i cannot copy over music files by dragging and dropping. Any other ideas?Scene!Kid

  • Format all: Transfer files from ZEN 2/4/8/16GB to PC and ba

    Hi,
    has any of you ever transferred the whole contents of the ZEN 2/4/8/6 GB to the PC, formatted the player and transferred everything back? As I still have that problem with .db and .txt files that I cannot delete on the player, customer service wrote that the only solution is to format the player.
    When I switched from ZEN 4GB to 6GB I copied everything from the ZEN 4GB to the PC amd then from the PC to the ZEN 6GB. Doing this, I lost all my playlists as the songs were not recognized anymore within the playlists (even when being in the same sub-folders on the new ZEN). I don't want to start from scratch again...
    It would be great to hear from you if you ever did that. Have all the playlists (created with ZEN software) and all the ID3 tag information been correct after the re-transfer? Is there something that I need to take care of?
    Regards,
    Gabs

    OK. I thought that some of the mp3 file ID3 tags were not complete anymore after the re-transfer, but from the logical point of view I hope that this was a mistake. Still, there is the problem with the play lists. Is there any way to transfer them to the PC and back after the formatting without loosing their contents and validity? And is there anything else I need to take care of when doing this formatting procedure?

  • HT2548 how do i copy the domain file from OS 10.4 to a lion OS computer?  I made a copy of the domain file and copied it to my new computer, but it doesn't open in iweb when I double-click on it.

    How do I import an iweb domain file from an ibook (OS 10.4) to an imac (OS 10.73)?
    I copied the domain file from my ibook to my imac, but when I double-click on the file, it doesn't open in iweb. 

    In Lion the Library folder is now invisible. To make it permanently visible enter the following in the Terminal application window: chflags nohidden ~/Library and hit the Enter button - 10.7: Un-hide the User Library folder.  Then place the domain file in your Users/Home/Library/Application Support/iWeb folder.
    To open your domain file in Lion or to switch between multiple domain files Cyclosaurus has provided us with the following script that you can make into an Applescript application with Script Editor. Open Script Editor, copy and paste the script below into Script Editor's window and save as an application.
    do shell script "/usr/bin/defaults write com.apple.iWeb iWebDefaultsDocumentPath -boolean no"delay 1
    tell application "iWeb" to activate
    You can download an already compiled version with this link: iWeb Switch Domain.
    Just launch the application, find and select the domain file you want to open and it will open with iWeb. It modifies the iWeb preference file each time it's launched so one can switch between domain files.
    WARNING: iWeb Switch Domain will overwrite an existing Domain.sites2 file if you select to create a new domain in the same folder.  So rename your domain files once they've been created to something other than the default name.
    OT

  • Cannot see file and folders copied from other windows 8

    Hi everyone,
    The problem is the next:
    I have new PC for that i was asked to setup and install software, i perform on it clean windows 8 install, it have single HDD 1TB that was partitioned by regular windows setup option to system drive C: 100GB and all left space was partitioned as drive D:
    After setup finish i only boot to system to check that everything is OK and without to make ANY change to windows shut it down.
    I physically disconnect HDD from new PC and connect it via standard USB 3 docking device to my own PC that also run windows 8 i can see the new connected HDD with all partitions without any problem! Than i create on second partition on new drive folder and
    copy there some files, after copy finished i disconnect the drive in safe way by performing "eject" option in windows.
    i connect new drive back to new pc, boot to windows and access the second partition and it ... empty, no folder or files on drive, it also show like no space was used !!!
    MOST IMPORTANT ! - Why it don't looks like security or permission or even hardware problem - NO any major security changes was performed on my own (old) PC, but most important fact when i connect other hdd to same dock station and create folder and copy some
    files and then connect it to NEW PC - problem does not exist !!! i can see and access without any problem the folder and files on both PC's !
    I also tried:
    to reinstall windows on new pc
    to create or delete partition after setup in both PC's
    to check folder and drive permissions and adding "everyone" with "full control"
    to turn on "show hidden files and folders" and "system files" too
    to copy or create new different type files
    Interesting - if i create a folder in NEW PC i can see this folder on OLD PC and copy files to it, but whet i connect drive back to NEW PC it sometimes show the folder have those files and even use the appropriate space and programs even try to open those files
    without any security warnings but it cannot be open properly because files looks corrupted !
    Thanks for any help !

    Hi,
    According to your description, I don't think this is system problem. More like HDD or its interface problem.
    Have you tried to reconnect your new HDD to your own computer again after you copy some file to it but couldn't find anything on new computer. If there is problem in new PC, how about your own PC?
    Please have a try, If there was any progress, feel free let us know.
    Roger Lu
    TechNet Community Support

  • Postoffice-startup-file not copied from SYS-volume

    We migrated a Groupwise 7.02-postoffice from a Netware 6.5-Sp5-server to a
    SLES10-SP1-server with the Novell GroupWise Migration Utility.
    When we started gwpoa the postoffice-startup-file was not
    in /opt/novell/groupwise/agenst/share/
    We looked in the migration-logfile and we saw these messages
    10/27/07 02:32:23 Configuring agent(s)...
    10/27/07 02:32:23 Running remote command:
    sh /tmp/groupwise/software/addagent.sh -
    b /opt/novell/groupwise/agents/bin/gwpoa -
    s /tmp/groupwise/software/p006.poa -h /var/opt/novell/groupwise/mail/p006 -
    v 7
    /tmp/groupwise/software/addagent.sh: line
    135: /tmp/groupwise/software/p006.poa: No such file or directory
    mv: cannot stat `/tmp/p006.poa.tmp.16849': No such file or
    directory
    cp: cannot stat `/tmp/groupwise/software/p006.poa': No such file
    or directory
    10/27/07 02:32:25 Remote command failed (1)
    This is were our sourcefiles were:
    Post Office:
    Source database path: \\fileserver\VOL1\DATA\GRPWISE\P006\
    Destination path: /var/opt/novell/groupwise/mail/p006
    Agents:
    Post Office Agent:
    Path to startup file: \\fileserver\SYS\SYSTEM\p006.poa
    As you see, our startup-file was on another volume then the postoffice.
    In the migration-log we only saw a mount of the postoffice-volume, so we
    think there is a bug in the migration utility. It does not copy the
    startup-file if it is on another volume (in this case on the SYS-volume).
    Or did we something wrong?
    At last we solved our problem by copying (and editing) a startup-file
    to /opt/novell/groupwise/agenst/share/
    Regards,
    Jeroen van der Klaauw

    It happens between the full dbcopy and the incremental dbcopy, when the
    agent is configured.
    Jeroen van der Klaauw
    > When the migration agent finishes the migration of the data there are
    > the second and third phases that the application runs through - 2) to
    > install the agents and 3) configure them. If you bombed out before
    > that third phase then I would understand...
    >
    >
    >
    > On Mon, 29 Oct 2007 15:55:53 GMT, [email protected] wrote:
    >
    > >We migrated a Groupwise 7.02-postoffice from a Netware 6.5-Sp5-server
    to a
    > >SLES10-SP1-server with the Novell GroupWise Migration Utility.
    > >When we started gwpoa the postoffice-startup-file was not
    > >in /opt/novell/groupwise/agenst/share/
    > >We looked in the migration-logfile and we saw these messages
    > >
    > >10/27/07 02:32:23 Configuring agent(s)...
    > >10/27/07 02:32:23 Running remote command:
    > >sh /tmp/groupwise/software/addagent.sh -
    > >b /opt/novell/groupwise/agents/bin/gwpoa -
    > >s /tmp/groupwise/software/p006.poa -
    h /var/opt/novell/groupwise/mail/p006 -
    > >v 7
    > > /tmp/groupwise/software/addagent.sh: line
    > >135: /tmp/groupwise/software/p006.poa: No such file or directory
    > > mv: cannot stat `/tmp/p006.poa.tmp.16849': No such file or
    > >directory
    > > cp: cannot stat `/tmp/groupwise/software/p006.poa': No such file
    > >or directory
    > >10/27/07 02:32:25 Remote command failed (1)
    > >
    > >This is were our sourcefiles were:
    > >
    > >Post Office:
    > > Source database path: \\fileserver\VOL1\DATA\GRPWISE\P006\
    > > Destination path: /var/opt/novell/groupwise/mail/p006
    > >
    > >Agents:
    > > Post Office Agent:
    > > Path to startup file: \\fileserver\SYS\SYSTEM\p006.poa
    > >
    > >As you see, our startup-file was on another volume then the postoffice.
    > >In the migration-log we only saw a mount of the postoffice-volume, so
    we
    > >think there is a bug in the migration utility. It does not copy the
    > >startup-file if it is on another volume (in this case on the SYS-
    volume).
    > >Or did we something wrong?
    > >
    > >
    > >At last we solved our problem by copying (and editing) a startup-file
    > >to /opt/novell/groupwise/agenst/share/
    > >
    > >Regards,
    > >
    > >Jeroen van der Klaauw
    > Tim
    > ___________________
    > Tim Heywood (SYSOP)
    > NDS8
    > Scotland
    > (God's Country)
    > www.nds8.co.uk
    > ___________________
    >
    > In theory, practice and theory are the same
    > In Practice, they are different

  • How to Copy an Image File from a Folder to another Folder

    i face the problem of copying an image file from a folder to another folder by coding. i not really know which method to use so i need some reference about it. hope to get reply soon, thx :)

    Try this code. Make an object of this class and call
    copyTo method.
    import java.io.*;
    import java.net.*;
    import java.util.*;
    public class FileUtil
    extends File {
    public FileUtil(String pathname) throws
    NullPointerException {
    super(pathname);
    public void copyTo(File dest) throws Exception {
    File parent = dest.getParentFile();
    parent.mkdirs();
    FileInputStream in = new FileInputStream(this); //
    Open the source file
    FileOutputStream out = new FileOutputStream(dest); //
    Open the destination file
    byte[] buffer = new byte[4096]; // Create an input
    buffer
    int bytes_read;
    while ( (bytes_read = in.read(buffer)) != -1) { //
    Keep reading until the end
    out.write(buffer, 0, bytes_read);
    in.close(); // Close the file
    out.close(); // Close the file
    This is poor object-oriented design. Use derivation only when you have to override methods -- this is just
    a static utility method hiding here.

  • How can I change the default video conversion applied when I copy an AVI file from my PC to my Android HTC One M8 phone?

    Here's the situation...
    I have an Android HTC One M8 phone which I connect via USB cable to my PC, then I use Windows Explorer to drag and drop an AVI file from my PC onto a target folder on the phone. When I would do this after I had first purchased my phone a message box
    would come up with the heading "Convert and Copy" and ask me  "Do you want to convert <filename> before it's copied to your device?" and give me the options "Yes, convert and copy (recommended)" or "No, just
    copy Your file will be copied, but might not play on your device."
    If I chose to convert it converted the file to MP4. No problem, that's what I wanted.
    The problem I now have is that after doing some work with other video applications a while ago where I was outputting WMV files I now find that the default conversion for the above described copy from PC to Android phone now converts files to WMV.
    I simply want it to go back to converting video files copied to my phone as MP4, but I can't seem to find where I can set this!
    It appears that the copy/conversion process in Explorer is being handled in the "Portable Devices Shell Extension" dll - WPDSHEXT.DLL
    Can anyone tell me what I need to do to set the default video conversion back to MP4 ???
    Thanks

    Thanks Rob.
    I actually had no clue what the core problem was caused by. So it's Windows itself...that helps some.
    I'll resubmit there. It might actually have saved time for it to simply have been moved to there instead of off-topic, though I suppose you have to follow protocol.

  • Can I copy a Backup file from one PC to another and use it?

    IPhone got all screwed up with the update on my home PC and wont restore, my PC at work does it fine, but my backup file is on my home PC. Can I copy my Backup file from my home PC and put it on my work PC to restore my IPhone?

    Before your restoring your iPhone with your PC at work, you can create a backup of your iPhone on the PC before restoring.
    With your iPhone connected and available in the iTunes source list, control click on your iPhone and select Back Up.

Maybe you are looking for

  • Cannot send messages to a specific UK number via U...

    Hi I am having trouble sending an SMS to a *specific* UK number. The number can receive SMSs OK from me using my UK SIM, even while I'm in the states. The combinations I have tried are: * handset 6101b in UK with UK sim - OK * handset 7250i in UK wit

  • "This computer is already associated with an Apple ID" - meaning of "Transfer"?

    Hello everybody I have two iTunes accounts and Match connected to one of them. When I got my new Macbook I connected it to the iTunes account that does not have Match connected. Nevertheless, I am able to log in to the account with Match connected, b

  • Windows 8.1 external hard drive disconnecting

    Have this problem on two late 2012 MacBook Pro with Retina (full spec) and late 2013 MacBook Pro with Retina (also full spec), all now running Windows 8.1 Pro with the latest update.   Two machines were clean installs into new bootcamp partitions and

  • Export iCal

    Can I export iCal to a Word processing document like Word or Appleworks or Pages? Any help would be greatly appreciated!

  • Updated to itunes10,and can't play my songs imported from cd's

    I updated to Itunes 10, and now I can't play my music imported from cd;s. It's saying files can't be found,but the songs are still listed on itunes.What can I do to locate my songs????