Can't activate Win 8 after removing everything from Satellite P850

I did Remove everything and reinstall Windows 8.
Like as Factory setting.
But i can't activate Windows. The product key doesn't work.
The Windows 8 K OME on my Toshiba Satellite P850.
Thanks.
Cheers mate.

Hi
The product key at the bottom of the unit would not work!
The preinstalled Windows 8 would be activated automatically while booting and configuring the system for the first time!
Did you format the whole HDD? Did you remove the Windows 8 from the HDD?
Did you create an recovery disk or recovery flash memory stick in the past?
NO?
In such case there is only one option to get factory settings.
You will need to order the Toshiba recovery disk:
http://backupmedia.toshiba.eu/landing.aspx

Similar Messages

  • HT4623 I can't activate Location Services after installing ios& on Iphone 5.... any ideas?

    I can't activate Location Services after installing ios& on Iphone 5.... any ideas?

    I had the same issue with one of the three iPhones I updated on Wednesday.  There are many processes that are working for people including:
    - Resetting the device several times
    - Toggling the "Dont' Allow Changes" setting under "Restrictions --> Location Services"
    - Disabling Restrictions altogether.
    - Restoring from backup
    I was able to restore location services by selecting "Reset" and choosing "Erase All Content and Settings" to set the phone up as new.  When the phone resets and goes through the setup process, I was given the option to turn on location services.  I then restored from backup and was good to go.
    Some people have been able to resolve the issue by resetting but only using "Reset All Settings" without having to erase all content, but that did not work for me.  It took a while to get everything back to normal, but it is good to know that there was a somewhat simple solution.

  • Can't delete a file displayed in ListView ("File in use") even after removing it from window.

    I have a ListView displaying a collection of icons. The user can then select different icons (checkboxes) to do things like Copy or Delete.
    Problem is, when I try to delete the actual file from the disk, I get an error telling me the file is "in use" ("vshost.exe", the VS runtime during testing).
    I thought maybe it was because it still appeared in the window and was still in the ImageList, but even after removing it from both locations, I still get the error. My code:
    Dim intCnt As Integer = 0
    Do
    ImageList2.Images.RemoveAt(intIconsChecked(intCnt)) ' Remove from collection.
    lsvCollection.Items.RemoveAt(intIconsChecked(intCnt)) ' Remove from ListView window.
    FileIO.FileSystem.DeleteFile(strIconPath & "\Icon" & Format(intCnt + 1, "00") & ".rsc") ' "+1" b/c Icons start with "01".
    FileIO.FileSystem.DeleteFile(strIconPath & "\Icon" & Format(intCnt + 1, "00") & ".png") ' "In use" Error here.
    ".rsc" deletes just fine, so I know I'm deleting the correct file. Why does VS still think the file is still "in use"?
    Thx

    Mugsy,
    Consider this as food for thought, even if you don't use it.
    If you set it up right then you can control how it works. A reference is a reference and any left behind will cause you grief down the road when you try to delete things.
    As an example, a simple class follows. It does *not* implement IDispose, although it does have a private shared Dispose method in it:
    Public Class MyImages
    Private _bmp As Bitmap
    Private _name As String
    Private _sourceFilePath As String
    Private Sub New(ByVal bmp As Bitmap, _
    ByVal name As String, _
    ByVal filePath As String)
    _bmp = bmp
    _sourceFilePath = filePath.Trim
    _name = name.Trim
    End Sub
    Public ReadOnly Property Bmp As Bitmap
    Get
    Return _bmp
    End Get
    End Property
    Public ReadOnly Property Name As String
    Get
    Return _name
    End Get
    End Property
    Public ReadOnly Property SourceFilePath As String
    Get
    Return _sourceFilePath
    End Get
    End Property
    Public Shared Sub AddNew(ByRef miList As List(Of MyImages), _
    ByVal imageFilePath As String)
    Try
    If miList Is Nothing Then
    Throw New ArgumentNullException("The collection of MyImages cannot be null.")
    ElseIf String.IsNullOrEmpty(imageFilePath) OrElse imageFilePath.Trim = "" Then
    Throw New ArgumentException("The file path of the image cannot be null or empty.")
    ElseIf Not My.Computer.FileSystem.FileExists(imageFilePath) Then
    Throw New IO.FileNotFoundException("The file path of the image could not be located.")
    Else
    ' Should do validation here that the file
    ' is actually an image but I'll not do this
    ' here...
    Dim thisBMP As Bitmap = New Bitmap(imageFilePath)
    miList.Add(New MyImages(thisBMP, GetFileNameWithoutExtension(imageFilePath), imageFilePath))
    End If
    Catch ex As Exception
    Throw
    End Try
    End Sub
    Public Shared Sub AddNew(ByRef miList As List(Of MyImages), _
    ByVal imageFilePath As String, _
    ByVal imageName As String)
    Try
    If miList Is Nothing Then
    Throw New ArgumentNullException("The collection of MyImages cannot be null.")
    ElseIf String.IsNullOrEmpty(imageFilePath) OrElse imageFilePath.Trim = "" Then
    Throw New ArgumentException("The file path of the image cannot be null or empty.")
    ElseIf Not My.Computer.FileSystem.FileExists(imageFilePath) Then
    Throw New IO.FileNotFoundException("The file path of the image could not be located.")
    ElseIf String.IsNullOrEmpty(imageName) OrElse imageName.Trim = "" Then
    Throw New ArgumentException("The name of this image cannot be null or empty.")
    Else
    ' Should do validation here that the file
    ' is actually an image but I'll not do this
    ' here...
    Dim thisBMP As Bitmap = New Bitmap(imageFilePath)
    miList.Add(New MyImages(thisBMP, imageName, imageFilePath))
    End If
    Catch ex As Exception
    Throw
    End Try
    End Sub
    Public Shared Sub Remove(ByRef miList As List(Of MyImages), _
    ByVal imageFilePath As String, _
    Optional ByVal removeFilePathAlso As Boolean = False)
    Try
    If miList Is Nothing Then
    Throw New ArgumentNullException("The collection of MyImages cannot be null.")
    ElseIf String.IsNullOrEmpty(imageFilePath) OrElse imageFilePath.Trim = "" Then
    Throw New ArgumentException("The file path of the image cannot be null or empty.")
    ElseIf Not My.Computer.FileSystem.FileExists(imageFilePath) Then
    Throw New IO.FileNotFoundException("The file path of the image could not be located.")
    Else
    Dim findInstance As System.Collections.Generic.IEnumerable(Of MyImages) = _
    From mi As MyImages In miList _
    Where mi.SourceFilePath = imageFilePath
    If findInstance.Count <> 1 Then
    Throw New ArgumentException("The instance of MyImages specified by the" & vbCrLf & _
    "image file path is not in the collection.")
    Else
    Dispose(findInstance.First)
    If removeFilePathAlso Then
    My.Computer.FileSystem.DeleteFile(findInstance.First.SourceFilePath)
    End If
    miList.Remove(findInstance.First)
    End If
    End If
    Catch ex As Exception
    Throw
    End Try
    End Sub
    Private Shared Sub Dispose(ByVal instance As MyImages)
    If instance IsNot Nothing AndAlso instance._bmp IsNot Nothing Then
    instance._bmp.Dispose()
    instance._bmp = Nothing
    End If
    End Sub
    End Class
    When you look through that, look specifically at the "Remove" method and in particular, look at the order in which things are done. That's the critical part in this.
    I tested it with a simple form:
    Two buttons, a checkbox, and a picturebox. I also copied a small folder full of image files to my desktop since I'll be deleting a file from it. Following is the code for Form1:
    Option Strict On
    Option Explicit On
    Option Infer Off
    Imports System.IO.Path
    Public Class Form1
    Private miList As New List(Of MyImages)
    Private Sub Form1_Load(ByVal sender As System.Object, _
    ByVal e As System.EventArgs) _
    Handles MyBase.Load
    Dim desktop As String = _
    My.Computer.FileSystem.SpecialDirectories.Desktop
    Dim imgFolder As String = _
    Combine(desktop, "Images")
    PictureBox1.BorderStyle = BorderStyle.FixedSingle
    For Each imgFilePath As String In My.Computer.FileSystem.GetFiles(imgFolder)
    MyImages.AddNew(miList, imgFilePath)
    Next
    btn_RemoveFirstImage.Enabled = False
    CheckBox_RemoveSourcePath.Enabled = False
    End Sub
    Private Sub btn_ShowFirstImage_Click(sender As System.Object, _
    e As System.EventArgs) _
    Handles btn_ShowFirstImage.Click
    Try
    If miList.Count >= 1 Then
    With PictureBox1
    .SizeMode = PictureBoxSizeMode.Zoom
    .Image = miList(0).Bmp
    End With
    btn_RemoveFirstImage.Enabled = True
    CheckBox_RemoveSourcePath.Enabled = True
    End If
    Catch ex As Exception
    MessageBox.Show(String.Format("An exception was thrown:{0}{0}{1}", vbCrLf, ex.Message), _
    "Exception", MessageBoxButtons.OK, MessageBoxIcon.Warning)
    End Try
    End Sub
    Private Sub btn_RemoveFirstImage_Click(sender As System.Object, _
    e As System.EventArgs) _
    Handles btn_RemoveFirstImage.Click
    Try
    If miList.Count >= 1 Then
    MyImages.Remove(miList, miList(0).SourceFilePath, CheckBox_RemoveSourcePath.Checked)
    End If
    PictureBox1.Image = Nothing
    btn_RemoveFirstImage.Enabled = True
    CheckBox_RemoveSourcePath.Enabled = True
    Catch ex As Exception
    MessageBox.Show(String.Format("An exception was thrown:{0}{0}{1}", vbCrLf, ex.Message), _
    "Exception", MessageBoxButtons.OK, MessageBoxIcon.Warning)
    End Try
    End Sub
    End Class
    Running it is straightforward:
    Now when I click to show the first one:
    A different image is shown because that first one no longer exists - either in the collection or in the folder.
    Closing/disposing all references is the key and the order matters.
    Something to consider the next time around. :)
    Still lost in code, just at a little higher level.

  • I bought the student and teacher version of CS5 extended for windows. Can I download the Mac version to my new  apple computer  and use the same serial number after removing phtoshop from my PC?

    i bought the student and teacher version of CS5 extended for windows. Can I download the Mac version to my new  apple computer  and use the same serial number after removing phtoshop from my PC?

    Can I download the Mac version to my new  apple computer  and use the same serial number after removing phtoshop from my PC?
    Short answer: not for CS5.
    Platform swaps are available but only for CS6
    Order product | Platform, language swap

  • I can't activate my iphone4s after restore because i forgot the apple id.

    I can't activate my iphone4s after restore because i forgot the apple id.
    I tried iforgot but i cant find my apple id.
    what should i do?

    Your Apple ID is probably your e-mail address.

  • HT4623 How can I activate my iphone after i upgraded it?

    How can I activate my iphone after i upgraded it?

    riveranaruth  see the thread you started
    https://discussions.apple.com/thread/4868478

  • I cannot log in my account but can as a guest even after removing the password

    i cannot log in my account but can as a guest even after removing the password

    Hi Kabiru,
    Thanks for visiting Apple Support Communities.
    You may want to use the steps in this article to reset your user account password:
    OS X: Changing or resetting an account password
    http://support.apple.com/kb/HT1274
    Best,
    Jeremy

  • TS4002 I can not activate my iphone after running the software for icloud account not remember, I wish abble to open my computer soon. My phone IMEI 013007007033970

    I can not activate my iphone after running the software for icloud account not remember, I wish abble to open my computer soon. My phone IMEI 013007007033970

    Hi nguyen trong thang,
    I apologize, I'm a bit unclear on the exact nature of your issue. If you are saying that you are having issues activating your iPhone, you may find the troubleshooting steps in the following article helpful:
    iPhone: Troubleshooting activation issues
    http://support.apple.com/kb/ts3424
    Regards,
    - Brenden

  • Macbook can't activate the camera after install the message beta.

    Macbook can't activate the camera after install the message beta. I'd tried to uninstall the message beta, macbook still can't activate the rear camera in iChat. But the camera still can work in Skype or face time. Why?

    Did you use the bad computer to post this message?
    Where did you get the Flash program from?
    Are all programs giving you problems, or only some? What ones?
    '''[http://support.microsoft.com/fixit/ Microsoft Fix it Solution Center: troubleshooting software issues]'''
    Sometimes a problem with Firefox may be a result of malware installed on your computer, that you may not be aware of.
    You can try these free programs to scan for malware, which work with your existing antivirus software:
    * [http://www.microsoft.com/security/scanner/default.aspx Microsoft Safety Scanner]
    * [http://www.malwarebytes.org/products/malwarebytes_free/ MalwareBytes' Anti-Malware]
    * [http://support.kaspersky.com/viruses/disinfection/5350 Anti-Rootkit Utility - TDSSKiller]
    * [http://general-changelog-team.fr/en/downloads/viewdownload/20-outils-de-xplode/2-adwcleaner AdwCleaner] (for more info, see this [http://www.bleepingcomputer.com/download/adwcleaner/ alternate AdwCleaner download page])
    * [http://www.surfright.nl/en/hitmanpro/ Hitman Pro]
    * [http://www.eset.com/us/online-scanner/ ESET Online Scanner]
    [http://windows.microsoft.com/MSE Microsoft Security Essentials] is a good permanent antivirus for Windows 7/Vista/XP if you don't already have one.
    Further information can be found in the [[Troubleshoot Firefox issues caused by malware]] article.
    Did this fix your problems? Please report back to us!

  • Someone changed my icloud login password, and I can not activate the iPhone after   recovery

    someone changed my itslud login password, and I can not activate the iPhone after
      recovery

    You could try to reset your password via a webbrowser here: https://appleid.apple.com

  • Remove everything from a Canvas3D

    Is there a way to remove everything from a Canvas3D? I am having real problems because if my application ( which only needs to use Java3D a few times ) has two Canvas3D objects in memory at once it starts making a mess of the screen around the application.
    The solution as I see it is to maintain a single Canvas3D object but remove everything from it when I am done using Java3D- how can I do this?

    That didn't sound helpful at all until I remembered that the viewplatform was a branchgroup too, then it sounded quite helpful. The only other thing I had to do was to remove the canvas from the view.
    Viewer[] ox = ourViewingPlatform.getViewers();
    for( int p=0;p<ox.length;p++)
      ox[p].getView().removeAllCanvas3Ds();Worked a treat.

  • After removing virus from xp home. itunes gives error -50 when i try to open it

    after removing virus from xp home. itunes gives error -50 when i try to open it.

    Ah, the old jokes are still often the best ones, rIcHaRd ...
    The -50 in that context can indicate damage to your Apple Application Support. (Apple Application Support is where single copies of program files used by multiple different Apple programs are stashed.) So I'd first try a repair install of your Apple Application Support.
    Restart the PC. Head into your Add or Remove programs control, select "Apple Application Support", click "Change" and then click "Repair".
    Does the repair install go through okay? If so, does your iTunes start launching again?

  • My IPhone is asking me to type in my password for my old Apple ID that does not exist anymore. I cant set up ICloud without typing in a password to a Apple ID that does not exist, so do I have to remove everything from my IPhone and start over?

    my IPhone is asking me to type in my password for my old Apple ID that does not exist anymore. I cant set up ICloud without typing in a password to a Apple ID that does not exist, so do I have to remove everything from my IPhone and start over?

    Hello miamat2017
    You should see an option to skip that step and then sign out of it when looking in Settings. Check out the article below for more information.
    iOS 7: If you're asked for the password to your previous Apple ID when signing out of iCloud
    http://support.apple.com/kb/ts5223
    Regards,
    -Norm G.

  • Can I activate iPhone 4S with a SIM from one country and then use with a SIM from another country?

    I bought a factory unlocked iPhone 4S from an Apple store in the U.S. and I am in Guatemala. I want to use it now but later on I will move to New Zealand. Can I activate it with a SIM card from Guatemala and then use it with a SIM card from New Zealand? I am just wondering if it will get locked with the Guatemalan SIM card. Or does it just need a SIM from any supported carrier and then it remains unlocked to use with any other carrier? Thanks

    David,
    As I (mis)understand it, you may:
    1) Copy one orange gradient path to the magenta gradient path document;
    2) Select the two magenta gradient paths and change the Fill to None;
    3) Select the orange gradient path;
    4) Select the two magenta gradient paths and change the Fill to Gradient.
    That should give you the desired replacement. For multiple use of the same gradient, you may consider a gradient swatch.

  • Can anyone tell me how to remove iphoto from screensaver????

    Can anyone tell me how to remove iphoto from screensaver and all photos it has put into screensaver?

    Hi Ann,
    please check this document to determine the correct space for your question:
    Find Topic Spaces on SCN (Forums)
    If you need help moving it, let me know!
    Thanks,
    Kristen

Maybe you are looking for

  • Triggers, Stored Procedures and Java

    Hi all. I started developing some useful (at least for me) Java Package, and I'm wondering if I'm doing the right thing. Let's say that I have a trigger that calls a Stored Procedure that calls a Java Package. Let's say that the Java Package can be u

  • The sound is not working properly on my laptop

    The past 2 days I've been having problems with the sound on my laptop which is an Hp Pavilion 15 Notebook PC. When I restart it, it works fine but if I pause something im watching and come back to it the sound is no longer working. I also notice that

  • 1131 LAP keeps dropping off

    Hi, folks. I have an 1131 LAP that keeps dropping off the network. I have plugged it directly in to the switch but it cycles the colours as if it can't find the controller. Any tips on where to start troubleshooting ? NM

  • Help Menu: No Option To Check For Updates

    What the subject line says. Firefox 4 Help Menu: where is the option to Check for Updates? Never lacked the option in any previous Firefox version

  • E-mail audio

    Hi, sorry about the dumb question, but I've used the keyword search in iTunes, Quicktime, and Tiger and I still haven't found a thread. How do I e-mail audio clips that are 30-60 seconds in length? The files I'm wishing to mail are .aif at about 10-1