Код ошибки 16388

I’ve written a tool top copy/paste/delete files accross site collections and then remove the original version from the recycle bin.

The method to copy the files is:

public bool MoveListItemsSiteToSite(string sourceSiteURL, string sourceList, string destinationSiteURL, string destinationList, bool retainMeta, int daysOlder)
        {
            OnSharePointOpeningSite(sourceSiteURL);

            using (SPSite sourceSite = new SPSite(sourceSiteURL))
            {
                OnSharePointOpenedSite(sourceSiteURL);

                using (SPWeb sourceWeb = sourceSite.OpenWeb())
                {
                    OnSharePointGetRelativeURL(sourceWeb.ServerRelativeUrl);

                    try
                    {
                        // Get your source library
                        var source = sourceWeb.GetList(sourceWeb.ServerRelativeUrl + sourceList);

                        OnSharePointSourceSet(source);

                        // Get the collection of items to move, use source.GetItems(SPQuery) if you want a subset
                        SPListItemCollection items = source.Items;

                        int fileCount = 0;
                        int skippedFiles = 0;

                        OnSharePointOpeningSite(destinationSiteURL);

                        using (var destSite = new SPSite(destinationSiteURL))
                        {
                            OnSharePointOpenedSite(destinationSiteURL);

                            using (var destinationWeb = destSite.OpenWeb())
                            {
                                OnSharePointGetRelativeURL(destinationWeb.ServerRelativeUrl);

                                // get destination library
                                SPList destination = destinationWeb.GetList(destinationWeb.ServerRelativeUrl + destinationList);

                                OnSharePointDestinationSet(destination);

                                // Get the root folder of the destination we'll use this to add the files
                                SPFolder destinationFolder = destinationWeb.GetFolder(destination.RootFolder.Url);

                                OnSharePointProcessItem(items.Count, source.ToString(), destination.ToString());

                                // Now to move the files and the metadata
                                foreach (SPListItem item in items)
                                {
                                    //Get the file associated with the item
                                    SPFile file = item.File;

                                    // check that file is older then the pre-determined days (aging)
                                    if (item.File.TimeCreated < DateTime.Today.AddDays(-daysOlder))
                                    {
                                        // Add event handler
                                        OnSharePointProcessFile(destinationFolder.Url + "/" + file.Name);

                                        // Create a new file in the destination library with the same properties
                                        SPFile newFile = destinationFolder.Files.Add(destinationFolder.Url + "/" + file.Name, file.OpenBinary(),
                                                                                     file.Properties, true);

                                        if (retainMeta)
                                        {
                                            SPListItem newItem = newFile.Item;
                                            WriteFileMetaDataFiletoFile(item, newItem);
                                        }

                                        file.Delete();

                                        SharePointRecycleBin.EmptyRecycleBinItem(sourceSite.Url, source.ToString(), file.Name);

                                        fileCount++;
                                    }
                                    else
                                    {
                                        OnSharePointProcessFile("Skipping file as not older than " + daysOlder + " days:" + destinationFolder.Url + "/" + file.Name);
                                        skippedFiles++;
                                    }

                                }
                                OnSharePointProcessList(fileCount, skippedFiles, source.ToString(), destination.ToString());
                            }
                        }
                    }
                    catch (System.IO.FileNotFoundException fex)
                    {
                        OnError("Unable to set a location. Please check that paths for source and destination libraries are correct and relative to the site collection. nnSource Site: " 
                                    + sourceSiteURL + " nSource List: " + sourceList + " nDestination Site: " + destinationSiteURL + " nDestination List: " + destinationList + "n", false, fex);

                        return false;
                    }
                    catch (Exception ex)
                    {
                        OnError("General Exception: ", true, ex);

                        return false;
                    }

                    return true;
                }
            }
        }

and the method to empty the recycle bin is:

public static void EmptyRecycleBinItem(string siteCollection, string originalLocation, string filename)
        {
            try
            {
                using (var site = new SPSite(siteCollection))
                {
                    site.RecycleBin.Delete((from SPRecycleBinItem item
                                            in site.RecycleBin
                                            where item.DirName.Equals(originalLocation, StringComparison.OrdinalIgnoreCase)
                                                  && item.LeafName.Equals(filename, StringComparison.OrdinalIgnoreCase)
                                            select item.ID).ToArray());
                }
            }
            catch (Exception ex)
            {
                throw new UnableToEmptyRecycleBin(filename, ex);
            }

        }

This moved about 6000 (out of a batch of 30000) successfully until it failed on one particular file with the following error:

2012-10-25 09:25:40.2150 
 *** Log Site *** 
 QIC.RE.SharePoint.Archive.ProcessArchiveQueue.listsAndItems_OnError 
 *** Message *** 

[9:25 AM] General Exception:  Cannot remove file "CentrePO_PPA0142012_1200_20000_2011-09-26T11_01_42.xml". Error Code: 16388.

 Microsoft.SharePoint.SPException: Cannot remove file "CentrePO_PPA0142012_1200_20000_2011-09-26T11_01_42.xml". Error Code: 16388. ---> System.Runtime.InteropServices.COMException (0x81070207): Cannot remove file "CentrePO_PPA0142012_1200_20000_2011-09-26T11_01_42.xml". Error Code: 16388.
   at Microsoft.SharePoint.Library.SPRequestInternalClass.AddOrDeleteUrl(String bstrUrl, String bstrDirName, Boolean bAdd, UInt32 dwDeleteOp, Int32 iUserId, Guid& pgDeleteTransactionId)
   at Microsoft.SharePoint.Library.SPRequest.AddOrDeleteUrl(String bstrUrl, String bstrDirName, Boolean bAdd, UInt32 dwDeleteOp, Int32 iUserId, Guid& pgDeleteTransactionId)
   --- End of inner exception stack trace ---
   at Microsoft.SharePoint.Library.SPRequest.AddOrDeleteUrl(String bstrUrl, String bstrDirName, Boolean bAdd, UInt32 dwDeleteOp, Int32 iUserId, Guid& pgDeleteTransactionId)
   at Microsoft.SharePoint.SPFile.DeleteCore(DeleteOp deleteOp)
   at Microsoft.SharePoint.SPFile.Delete()
   at QIC.RE.SharePoint.ListsAndItems.MoveListItemsSiteToSite(String sourceSiteURL, String sourceList, String destinationSiteURL, String destinationList, Boolean retainMeta, Int32 daysOlder) 
 *** Exception Details *** 

 *** Exception.ToString() *** 

I’ve googled the error however I can’t find a clear explanation as to what it is. Has anybody come accross this before or is familiar with this code? I’m hesitant to start the archiver again until I understand this and I can’t reproduce the event in my test/development environments to find out more about it.

Icon Ex Номер ошибки: Ошибка 16388
Название ошибки: Sharepoint Error Code 16388
Описание ошибки: Ошибка 16388: Возникла ошибка в приложении Microsoft Sharepoint. Приложение будет закрыто. Приносим извинения за неудобства.
Разработчик: Microsoft Corporation
Программное обеспечение: Microsoft Sharepoint
Относится к: Windows XP, Vista, 7, 8, 10, 11

Фон «Sharepoint Error Code 16388»

«Sharepoint Error Code 16388» также считается ошибкой во время выполнения (ошибкой). Когда дело доходит до Microsoft Sharepoint, инженеры программного обеспечения используют арсенал инструментов, чтобы попытаться сорвать эти ошибки как можно лучше. К сожалению, иногда ошибки, такие как ошибка 16388, могут быть пропущены во время этого процесса.

Некоторые пользователи могут столкнуться с сообщением «Sharepoint Error Code 16388» при использовании Microsoft Sharepoint. Во время возникновения ошибки 16388 конечный пользователь может сообщить о проблеме в Microsoft Corporation. Затем Microsoft Corporation нужно будет исправить эти ошибки в главном исходном коде и предоставить модифицированную версию для загрузки. Таким образом, когда ваш компьютер выполняет обновления, как это, это, как правило, чтобы исправить проблемы ошибки 16388 и другие ошибки внутри Microsoft Sharepoint.

Почему возникает ошибка времени выполнения 16388?

Сбой во время выполнения Microsoft Sharepoint, как правило, когда вы столкнетесь с «Sharepoint Error Code 16388» в качестве ошибки во время выполнения. Мы рассмотрим основные причины ошибки 16388 ошибок:

Ошибка 16388 Crash — Ошибка 16388 является хорошо известной, которая происходит, когда неправильная строка кода компилируется в исходный код программы. Если Microsoft Sharepoint не может обработать данный ввод, или он не может получить требуемый вывод, это обычно происходит.

Утечка памяти «Sharepoint Error Code 16388» — ошибка 16388 утечка памяти приводит к тому, что Microsoft Sharepoint постоянно использует все больше и больше памяти, увяская систему. Возможные причины включают сбой Microsoft Corporation для девыделения памяти в программе или когда плохой код выполняет «бесконечный цикл».

Ошибка 16388 Logic Error — логическая ошибка возникает, когда Microsoft Sharepoint производит неправильный вывод из правильного ввода. Это связано с ошибками в исходном коде Microsoft Corporation, обрабатывающих ввод неправильно.

Большинство ошибок Sharepoint Error Code 16388 являются результатом отсутствия или повреждения версии файла, установленного Microsoft Sharepoint. Возникновение подобных проблем является раздражающим фактором, однако их легко устранить, заменив файл Microsoft Corporation, из-за которого возникает проблема. В качестве дополнительного шага по устранению неполадок мы настоятельно рекомендуем очистить все пути к неверным файлам и ссылки на расширения файлов Microsoft Corporation, которые могут способствовать возникновению такого рода ошибок, связанных с Sharepoint Error Code 16388.

Ошибки Sharepoint Error Code 16388

Общие проблемы Sharepoint Error Code 16388, возникающие с Microsoft Sharepoint:

  • «Ошибка в приложении: Sharepoint Error Code 16388»
  • «Sharepoint Error Code 16388 не является программой Win32. «
  • «Sharepoint Error Code 16388 столкнулся с проблемой и закроется. «
  • «Файл Sharepoint Error Code 16388 не найден.»
  • «Sharepoint Error Code 16388 не найден.»
  • «Ошибка запуска в приложении: Sharepoint Error Code 16388. «
  • «Sharepoint Error Code 16388 не выполняется. «
  • «Sharepoint Error Code 16388 остановлен. «
  • «Неверный путь к приложению: Sharepoint Error Code 16388.»

Эти сообщения об ошибках Microsoft Corporation могут появляться во время установки программы, в то время как программа, связанная с Sharepoint Error Code 16388 (например, Microsoft Sharepoint) работает, во время запуска или завершения работы Windows, или даже во время установки операционной системы Windows. Важно отметить, когда возникают проблемы Sharepoint Error Code 16388, так как это помогает устранять проблемы Microsoft Sharepoint (и сообщать в Microsoft Corporation).

Истоки проблем Sharepoint Error Code 16388

Проблемы Microsoft Sharepoint и Sharepoint Error Code 16388 возникают из отсутствующих или поврежденных файлов, недействительных записей реестра Windows и вредоносных инфекций.

В частности, проблемы с Sharepoint Error Code 16388, вызванные:

  • Поврежденные ключи реестра Windows, связанные с Sharepoint Error Code 16388 / Microsoft Sharepoint.
  • Зазаражение вредоносными программами повредил файл Sharepoint Error Code 16388.
  • Другая программа (не связанная с Microsoft Sharepoint) удалила Sharepoint Error Code 16388 злонамеренно или по ошибке.
  • Другая программа находится в конфликте с Microsoft Sharepoint и его общими файлами ссылок.
  • Microsoft Sharepoint/Sharepoint Error Code 16388 поврежден от неполной загрузки или установки.

Продукт Solvusoft

Загрузка
WinThruster 2023 — Проверьте свой компьютер на наличие ошибок.

Совместима с Windows 2000, XP, Vista, 7, 8, 10 и 11

Установить необязательные продукты — WinThruster (Solvusoft) | Лицензия | Политика защиты личных сведений | Условия | Удаление

Арлекин

1 / 1 / 0

Регистрация: 05.04.2016

Сообщений: 29

1

17.05.2016, 10:59. Показов 1314. Ответов 1

Метки нет (Все метки)


Студворк — интернет-сервис помощи студентам

День добрый гуру access. Помогите решить. На кнопке —

Visual Basic
1
2
3
4
5
6
7
8
9
10
11
12
13
14
Private Sub Список197_DblClick(Cancel As Integer)
Dim Documents As String
    Dim rs As DAO.Recordset
    Dim strSQL As String
    
    strSQL = "SELECT * FROM t_pg_dobavit_files " & " WHERE ID=" & Me.Список197
    Set rs = CurrentDb.OpenRecordset(strSQL)
    
    rs.MoveFirst
    Documents = HyperlinkPart(rs.Fields("adress").Value)
 
    Application.FollowHyperlink Documents
 
End Sub

При выполнении Сообщение — хотите открыть файл? если НЕТ то вылазит в ошибку рун-тайм 16388 и вываливается в редактор VBA
Как убрать сообщение о подтверждении открытия или при нажатии НЕТ ничего не происходило?



0



tsaryapkin

9 / 9 / 5

Регистрация: 22.06.2015

Сообщений: 27

17.05.2016, 11:07

2

Лучший ответ Сообщение было отмечено Арлекин как решение

Решение

Можно перед строчкой

Visual Basic
1
Application.FollowHyperlink Documents

добавить

Visual Basic
1
On error resume next

или

Visual Basic
1
On error goto  обработчик_ошибки



1



  • Что это?
  • Решение ошибки
  • Заключение

Приветствую. Мы пользуемся многими программами, часть из которых — платные. Однако не все хотят платить и предпочитают использовать уже активированные версии, которые могут содержать не только вирусы, но и вызвать ошибки в журнале Windows.

Ошибка, которая возникает при проблемах лицензирования ПО.

У некоторых пользователей при этом еще подвисает система.

Может появляться из-за использования взломанного софта. Например часто устанавливают взломанный Офис, при этом могут блокироваться некоторые защитные механизмы Windows, из-за чего собственно и может быть ошибка. Однако ошибка сама некритичная.

Взломанный софт при установке может останавливать службу SPPSVC, полное название которой — Служба платформы защиты программного обеспечения Майкрософт. Разумеется из-за этого могут быть ошибки как в журнале Windows, так и в ее работе.

Есть разные коды ошибки, например 8198. При этом в описании может упоминаться название slui.exe, а это процесс имеет отношение к активации Windows (возможно также и к софту Microsoft). Здесь также — ошибка может быть из-за использования хакерского софта для взлома Windows. Особенно учитывая, что файл slui.exe запускается из папки, в названии которой упоминается SPP:

C:WindowsWinSxSamd64_microsoft-windows-security-spp-ux_31bf3856ad364e35_10.0.10586.0_none_e8473714492964a9

Вообще существует еще служба Служба уведомления SPP, которая необходима для активации ПО, а также для уведомлений (как понимаю связанных с активацией). Данная служба может спокойно иметь отношение к сообщениям Security-SPP.

Пример ошибки, где в описании сразу указана примерная причина:

slui.exe — часто это именно из-за использования взломанной версии Windows. Но иногда ошибка бывает если изменилась конфигурация компьютера, тогда лицензия слетает (имею ввиду ситуацию когда лицензия привязана к железу).

Решение ошибки

Способ #1.

Нужно предоставить полные права на папку:

C:WindowsSystem32TasksMicrosoftWindowsSoftwareProtectionPlatform

При этом полные права нужно дать именно учетке Network Service.

После этого нужно перезапустить службу SPPSVC при помощи командной строки. Запускаем командную строку от администратора, в Windows 10 достаточно зажать Win + X и выбрать соответствующий пункт. В семерке в диспетчере задач выбираем Файл > пишем cmd и ставим галочку запускать от админа. Сами команды, первая — net stop sppsvc и вторая — net start sppsvc. Первая останавливает, вторая запускает службу.

Также можете посмотреть тему на офф форуме Microsoft, возможно будет полезно.

Способ #2.

Возможно вы недавно ставили взломанный софт, репак какой-то. Попробуйте удалить, возможно ошибка прекратит появляться. Чтобы удалить — используйте штатные возможности Windows:

  1. Зажмите Win + R, появится окошко Выполнить, вставьте команду appwiz.cpl, нажмите ОК.
  2. Откроется окно установленного софта. Здесь будет колонка с датой установки, можете нажать по ней и отсортировать программы, так вы сможете понять какое ПО было установлено недавно.
  3. Удалить просто: нажимаете правой кнопкой > выбираете Удалить. Появится мастер удаления, обычно нужно нажимать Далее/Next/Удалить/Uninstall.

РЕКЛАМА

На форуме Microsoft читал что сообщения Security-SPP могут быть также из-за использования всяких чистилок, оптимизаторов системы, удаляторов типа Revo Uninstaller. Поэтому если у вас есть что-то подобное — то возможно стоит удалить и проверить.

Способ #3.

Не уверен что поможет, но не повредит точно. По крайней мере это рекомендуют сделать на форуме Microsoft — проверить систему командой sfc /scannow, которая восстанавливает поврежденные и отсутствующие системные файлы. Запустите командную строку от администратора (выше писал как), далее вставляете команду:

sfc /scannow

Если у вас SSD, то проверка будет намного быстрее, чем на жестком диске.

Если будут обнаружены какие-то поврежденные файлы, то они будут заменены на оригинальные, которые хранятся здесь:

C:WindowsSystem32dllcache

Заключение

  1. Microsoft-Windows-Security-SPP — тип ошибки, связанный с лицензированием ПО.
  2. Может появляться из-за использования взломанного софта.

Удачи.

  • Remove From My Forums
  • Question

  • EVENT ID 16384 » El servicio de protección de software se programó correctamente para reiniciarse a las xxxxx.
    Motivo: Rulesengine»

Answers

  • Hi,

     
    What server roles are running on this server? If possible, as per the errors/events you are facing, it might be easier to do a restore or reinstallation to get things back.

     
    Anyway, check Event ID 301, it should state a log file location, the log should contain the damaged files. It usually occurs due to the WINS database is damaged or is missing from the %SystemRoot%system32wins folder. Check this article for more information:

     
    https://support.microsoft.com/en-us/kb/225346

     
    No action needed for Event 102. For event 105, please check this article for more details and resolution:
    https://support.microsoft.com/en-us/kb/254525

    Regards,

    Ethan Hua


    Please remember to mark the replies as answers if they help, and unmark the answers if they provide no help. If you have feedback for TechNet Support, contact
    tnmff@microsoft.com

    • Proposed as answer by

      Sunday, March 6, 2016 9:39 AM

    • Marked as answer by
      Ethan HuaMicrosoft contingent staff
      Monday, March 7, 2016 2:14 AM
  • Remove From My Forums
  • Question

  • EVENT ID 16384 » El servicio de protección de software se programó correctamente para reiniciarse a las xxxxx.
    Motivo: Rulesengine»

Answers

  • Hi,

     
    What server roles are running on this server? If possible, as per the errors/events you are facing, it might be easier to do a restore or reinstallation to get things back.

     
    Anyway, check Event ID 301, it should state a log file location, the log should contain the damaged files. It usually occurs due to the WINS database is damaged or is missing from the %SystemRoot%system32wins folder. Check this article for more information:

     
    https://support.microsoft.com/en-us/kb/225346

     
    No action needed for Event 102. For event 105, please check this article for more details and resolution:
    https://support.microsoft.com/en-us/kb/254525

    Regards,

    Ethan Hua


    Please remember to mark the replies as answers if they help, and unmark the answers if they provide no help. If you have feedback for TechNet Support, contact
    tnmff@microsoft.com

    • Proposed as answer by

      Sunday, March 6, 2016 9:39 AM

    • Marked as answer by
      Ethan HuaMicrosoft contingent staff
      Monday, March 7, 2016 2:14 AM
  • Remove From My Forums
  • Общие обсуждения

  • Есть два сервера с установленной Windows Hyper-v 2012 rus собраны в кластер! На каждом сервере появляется ошибка, практически в одно и тоже время!

    1. Сбой при загрузке билета подлинности (hr=0xC004C4A2) для кода образца {88d92734-d682-4d71-983e-d6ec3f16059f}

    [ Name] Microsoft-Windows-Security-SPP
    [ Guid] {E23B33B0-C8C9-472C-A5F9-F2BDFEA0F156}
    [ EventSourceName] Software Protection Platform Service
    Keywords 0x80000000000000
    [ SystemTime] 2013-02-11T21:00:05.000000000Z
    [ ProcessID] 0
    [ ThreadID] 0
    Computer node3.skillserver.com.ua

    {88d92734-d682-4d71-983e-d6ec3f16059f}

    2.Сбой при загрузке билета подлинности (hr=0xC004C4A2) для кода образца {88d92734-d682-4d71-983e-d6ec3f16059f}

    [ Name] Microsoft-Windows-Security-SPP
    [ Guid] {E23B33B0-C8C9-472C-A5F9-F2BDFEA0F156}
    [ EventSourceName] Software Protection Platform Service
    Keywords 0x80000000000000
    [ SystemTime] 2013-02-11T21:00:10.000000000Z
    [ ProcessID] 0
    [ ThreadID] 0
    Computer node4.skillserver.com.ua
    {88d92734-d682-4d71-983e-d6ec3f16059f}

    Я так понимаю проблема с лицензированием? Но эти версии вроде бы бесплатные! А для обслуживание я  использую Windows 2012 standart! Ключ лицензии полученной по программе Microsoft!

    Куда рыть?

    • Изменено

      12 февраля 2013 г. 2:19

    • Изменено
      Roman Zhukov
      13 февраля 2013 г. 14:41
      удалены ключи
    • Изменен тип
      Petko KrushevMicrosoft contingent staff, Moderator
      21 марта 2013 г. 9:05
      Нет действий

Windows 10: Event 16384 Windows is Scheduling a restart of the Software Protection service multiple…

Discus and support Event 16384 Windows is Scheduling a restart of the Software Protection service multiple… in Windows 10 Ask Insider to solve the problem; Event 16384, Security-SSP Successfully scheduled Software Protection service for re-start at 2121-02-23. Reason: RulesEngine.

Notice that the date is…
Discussion in ‘Windows 10 Ask Insider’ started by /u/rigain, Mar 19, 2021.

  1. Event 16384 Windows is Scheduling a restart of the Software Protection service multiple…

    Event 16384, Security-SSP Successfully scheduled Software Protection service for re-start at 2121-02-23. Reason: RulesEngine.

    Notice that the date is 100 years in the future

    It is often accompanied by event 16394: Offline downlevel migration succeeded.

    This happens a few times every hour, and seems to coincide with full screen games being minimized. (Fallout 4 in full screen) gets minimized by this, and I have to alt-tab back into it.

    In the Task Scheduler it says that it’s only meant to restart once daily.
    Maybe because it’s set to restart in 100 years, it never does and therefore keeps re-attempting?

    submitted by /u/rigain
    [link] [comments]

    :)

  2. Error: «Failed to schedule Software Protection service», Error Code: 0x80070005 on Windows 10

    Hi,

    As you are facing issues with the Windows Service errors, do not worry we will help you with this issue.

    The issue may occur if one or more of the following conditions are true:

    • The Task Scheduler service is disabled.
    • The Software Protection Platform service is not running under the NETWORK SERVICE account.
    • Read permissions for the NETWORK SERVICE account are missing on the following folder:
      C:WindowsSystem32TasksMicrosoftWindowsSoftwareProtectionPlatform

    Let us try the below troubleshooting steps and check if it helps.

    Method 1: I suggest you to verify that the Task Scheduler service is running. .

    • Press Windows + R keys, type services.msc and press enter.
    • Locate the Task Scheduler service.
    • Open the Task Scheduler service and click on “Start” button.
    • Set the Startup type to “Automatic”.
    • Click OK.

    Method 2: After verifying the service try the below.

    • Open the Computer Management tool, and then navigate to
      Configuration
      -> Task Scheduler -> Task Scheduler Library ->
      Microsoft -> Windows -> SoftwareProtectionPlatform.
    • On the General tab of SoftwareProtectionPlatform, select the security options, and then verify that the Software Protection Platform service is set to use the NETWORK SERVICE account.
    • In Windows Explorer, browse to the C:WindowsSystem32TasksMicrosoftWindowsSoftwareProtectionPlatform folder, and then verify that the NETWORK SERVICE account has Read permissions for that folder.
    • Restart the Software Protection service if it is running.

    Hope it helps. Get back to us with an updates status of the error messages for further assistance.

    Thank you.

  3. Windows 10 Event ID 16385 Failed to schedule Software Protection service for re-start Error Code: 0x80041318.Event ID 16385 Failed to schedule Software Protection service for re-start Error Code: 0x80041318 was fix last month in one of updates.

  4. Event 16384 Windows is Scheduling a restart of the Software Protection service multiple…

    Error: «Failed to schedule Software Protection service», Error Code: 0x80070005 on Windows 10

    Since the June 14 Windows 10 update I have a «Security-SPP» error in my Event Viewer log every 30 seconds without stop. This is the msg: «Failed to schedule Software Protection service for re-start at 2116-06-30T14:18:33Z. Error Code: 0x80070005.» the
    alleged scheduled re-start time 100 years from now is slightly different each time, but the rest of the message is the same.

    Possibly related to this is the fact that the Task Scheduler desktop app always opens with the message «Task scheduler service is not available. Task scheduler will attempt to reconnect to it.» clicking the OK button on this window produces another version
    of the same thing. However, using the services app it is clear that the Task scheduler service is running; so is the Software Protection service. The Task Scheduler app must be killed with Task Manager; there is no other way to get it to respond.

    I have tried most of the suggestions I have found online (e.g., scannow) except for reinstalling Windows. Nothing really makes a difference.

    Other than the June 14 Windows 10 update I did not install any new software at that time.

    any suggestions?

    Original title: Constant Security-SPP errors following June 14 Windows 10 update

Thema:

Event 16384 Windows is Scheduling a restart of the Software Protection service multiple…

  1. Event 16384 Windows is Scheduling a restart of the Software Protection service multiple… — Similar Threads — Event 16384 Scheduling

  2. «Failed to schedule Software Protection service for restart», Error Code: 0x80070002

    in Windows 10 Updates and Activation

    «Failed to schedule Software Protection service for restart», Error Code: 0x80070002: I have deleted MicrosoftWindowsSoftwareProtectionPlatform scheduled task. I deleted this Scheduled Task as it was consuming a high CPU. post that I see these errors in event way to many times. «Failed to schedule Software Protection service for restart», Error Code:…

  3. «Failed to schedule Software Protection service for restart», Error Code: 0x80070002

    in Windows 10 Gaming

    «Failed to schedule Software Protection service for restart», Error Code: 0x80070002: I have deleted MicrosoftWindowsSoftwareProtectionPlatform scheduled task. I deleted this Scheduled Task as it was consuming a high CPU. post that I see these errors in event way to many times. «Failed to schedule Software Protection service for restart», Error Code:…

  4. «Failed to schedule Software Protection service for restart», Error Code: 0x80070002

    in Windows 10 Software and Apps

    «Failed to schedule Software Protection service for restart», Error Code: 0x80070002: I have deleted MicrosoftWindowsSoftwareProtectionPlatform scheduled task. I deleted this Scheduled Task as it was consuming a high CPU. post that I see these errors in event way to many times. «Failed to schedule Software Protection service for restart», Error Code:…

  5. Successfully scheduled Software Protection service for re-start at…..

    in Windows 10 Gaming

    Successfully scheduled Software Protection service for re-start at…..: My game suddenly closes in midway after 2021-11 cumulative update KB5007262. I searched a lot online but couldn’t find anything. But I could see this in my event logSuccessfully scheduled Software Protection service for re-start at 2121-11-02T10:56:42Z. Reason:…

  6. Successfully scheduled Software Protection service for re-start at…..

    in Windows 10 Software and Apps

    Successfully scheduled Software Protection service for re-start at…..: My game suddenly closes in midway after 2021-11 cumulative update KB5007262. I searched a lot online but couldn’t find anything. But I could see this in my event logSuccessfully scheduled Software Protection service for re-start at 2121-11-02T10:56:42Z. Reason:…

  7. Windows server 2012 R2 event ID 16385 error; Failed to schedule Software Protection service…

    in Windows 10 BSOD Crashes and Debugging

    Windows server 2012 R2 event ID 16385 error; Failed to schedule Software Protection service…: <Event xmlns=»http://schemas.microsoft.com/win/2004/08/events/event»>- <System> <Provider Name=»Microsoft-Windows-Security-SPP» Guid=»{E23B33B0-C8C9-472C-A5F9-F2BDFEA0F156}» EventSourceName=»Software Protection Platform Service» /> <EventID…

  8. Software Protection Service

    in Windows 10 Software and Apps

    Software Protection Service: Hi,I’m sorry my English is so bad. But I need your help.I wanted to check emails and send emails then My computer was restarted this afternoon and it went to BIOS, I checked the logs in Event Viewer and it was because of the Software Protection Service. I don’t know why and I…

  9. Software Protection services

    in Windows 10 Installation and Upgrade

    Software Protection services: I want to activate windows 10 but can’t since software protection services is disabled. I get error 5 when I try to start it. I saw online that I need to give myself permission in the sppsvc folder in order to start software protection but when I go to the «Permissions for…

  10. Random system restart triggered by Software Protection Service, which then schedules a…

    in Windows 10 Customization

    Random system restart triggered by Software Protection Service, which then schedules a…: What on earth is this

    Successfully scheduled Software Protection service for re-start at 2119-09-29T01:47:34Z. Reason: RulesEngine.

    This is the last line in the event log before my system rebooted for no apparent reason.

    Random reboots, i.e. reboots not under my…

Users found this page by searching for:

  1. www.windowsphoneinfo.com

    ,

  2. microsoft-windows-security-spp 16384

Good afternoon folks,

Okay I had a PC reboot for no seemingly apparent reason over the weekend and another one within an hour of being docked this morning. So I go digging in the event logs and find in the application log of each computer:
— System
  — Provider
  [ Name] Microsoft-Windows-Security-SPP
  [ Guid] {E23B33B0-C8C9-472C-A5F9-F2BDFEA0F156}
  [ EventSourceName] Software Protection Platform Service

  — EventID 16384
  [ Qualifiers] 16384
  Version 0
  Level 4
  Task 0
  Opcode 0
  Keywords 0x80000000000000

(Time and computer ID deleted)

   Security
— EventData

  2120-12-29T23:23:33Z
  RulesEngine

Doing some digging around it almost looks like this is something tied to group policy yet I see nothing in our group policy related to this. (Hence the post here).
Searching MS knowledgebase and technet didn’t come up with anything useful, yes there’s a little there about it but doesn’t appear related.

The one that rebooted about 45 to 50 minutes after being docked did not give the user any warning or opportunity to save work before it commenced the reboot cycle. The one in the office that rebooted was on standby as a remote desktop so I could perform some network maintenance tasks while the office was empty. Due to another unrelated issue it didn’t finish boot process, grrr…
So has anyone else run into this?

Thanks a bunch,
Joey

Рекомендуется: ASR Pro

  • 1. Скачайте и установите ASR Pro
  • 2. Откройте программу и нажмите «Сканировать»
  • 3. Нажмите «Восстановить», чтобы начать процесс восстановления.
  • Загрузите это программное обеспечение и почините свой компьютер за считанные минуты. г.

    Это руководство разработано, чтобы помочь человеку, если вы получили внутренний код ошибки или аргументы 16388.

     ORA-00600: код ошибки диска, аргументы: [16305], [], [], [], [], [], [], [], [], [], [], []ORA-00600: доступно программное обеспечение для ошибок, аргументы: [16388], [], [], [], [], [], [], [], [], [], [] 

    Применяется с [], к:

    11.2.0.2 и новее

    Причина:

    Loopback IP не проверяет, что наш компьютер и / или адаптер loopback не может быть настроен на 127.0.0.1 с восхищением для сопоставления в hosts / и многое другое /.

    Решение:

    Проверьте конфигурацию карты обратной петли и убедитесь, что конкретный IP-адрес обратной петли передается через один конкретный узел проверки связи.

    ОШИБКА
    ———————————-
    ORA-00600: внутренняя ошибка код, аргументы: [16305], [], [], [], [], [], [], [], [], [], [], [] “
    ORA-00600: средний код ошибка, вопросы: [16388], [], [], [], [], [], [], [], [], [], [], []

    ПРИМЕНЯЕТСЯ К:

    Oracle Server – Enterprise Edition – модель 11.2.0. And Second Later
    Информация, содержащаяся в этом документе, применима практически ко всем платформам.

    СИМПТОМЫ

    Обычно вы можете найти его или оба моих в результате коротких кодов в разделе «Стек вызовов» в файле поиска:

    ПРИЧИНА

    IP-ловушка явно не проверяет связь с поддержкой и / или карта обратной связи не настроена на поддержку 127.0.0.1 в зависимости от одного конкретного пункта назначения хоста / и т. Д.

    РЕШЕНИЕ

    Попросите системного администратора беговой дорожки проверить конфигурацию адаптера обратной петли и убедиться, что большая часть петлевой проверки проверяет IP-адрес этого хоста.

    ОШИБКА
    ———————————-
    ORA-00600: код внутренней ошибки. Аргументы: [16305], [], [], [], [], [], [], [], [], [], [], [] “
    ORA-00600: внутренняя ошибка, аргументы: [16388], [], [], [], [], [], [], [], [], [], [], []

    Вы можете найти модель или обе из следующих причин в разделе «Стек вызовов», используя файл трассировки:

    ПРИЧИНА

    Петлевой IP-адрес, скорее всего, не отправляет эхо-запрос из удержания, и адаптер петли абсолютно не настроен для поддержки вашего , просматриваемого в / etc / hosts.

    Дальнейшее исследование показывает, что Ksipc Loopback IP (OSD): 127.0.0.1 обычно никогда не следует изменять. Это самая ценная причина. По умолчанию 127.0.0.1.

    РЕШЕНИЕ

    Попросите администратора операционной системы проверить конфигурацию адаптера обратной петли и убедиться, что на хост отправляются IP-адреса, близкие к обратной.

    Не удалось запустить базу данных ddata из ORA-600 [16305], но также и из ORA-600 [16388] (Doc 1509176 id.1)

    ОШИБКА
    ––––––––––––––––
    ORA-00600: основной купон на ошибку, аргументы: [16305], [], [], [], [] , [], [], [], [], [], [], []
    ORA-00600: код внутренней ошибки, аргументы: [16388], [], [], [], [], [], [], [], [], [], [], []

    ora-00600 внутренняя ошибка html code arguments 16388

    Маркетологи Oracle RDBMS Engine сообщают об ошибках ORA-600 практически каждый раз, когда обнаруживается внутренняя несогласованность или потенциально быстрое состояние. Эта ситуация не обязательно является паразитической, так как она может быть вызвана проблемами с нашей собственной операционной системой, нехваткой ресурсов, любым отказом дома большой коробки и т. Д.

    —– Вызов трассировки группы —–
    Откройте специальный файл экспертизы в редакторе, затем скопируйте раздел и добавьте его в этот «Дамп аргумента / регистра» или, возможно, в тот, который был вверх с 15-20 строками в стопке (в зависимости от того, что может быть меньше).

    Некоторое время ни один человек не удостаивался чести за то, что он получил. Честь была наградой за то, что дал мой нынешний муж (клавин кулидж)

    Стефани Ф. Советы по устранению ошибок в Oracle

    В документах Oracle это, вероятно, указано на Ошибка:

    Ошибка: ORA 00600
    Текст: внутренняя ошибка программного обеспечения, причины: [% s], [% s], [% s], [% s], [% s], [% s], [% s]
    ————————————————– ——————————————-
    Причина: это общий номер внутренней ошибки инструмента Oracle.
    Исключения. Этот подход заключается в том, что у процесса есть еще один файл
    . скрещенныйисключительное состояние.
    Действие: отчет, а также термин – аргумент – изначально целое число внутренней ошибки

    ОOra 00600 Internal Error Code Arguments 16388
    Ora 00600 Argomenti Del Codice Di Errore Interno 16388
    Ora 00600 Interne Fehlercodeargumente 16388
    Arguments De Code D Erreur Interne Ora 00600 16388
    Ora 00600 내부 오류 코드 인수 16388
    Ora 00600 Argumentos De Codigo De Erro Interno 16388
    Ora 00600 Argumenty Wewnetrznego Kodu Bledu 16388
    Ora 00600 Interne Foutcode Argumenten 16388
    Ora 00600 Codigo De Error Interno Argumentos 16388
    Ora 00600 Interna Felkodsargument 16388
    г.

    Justin Fernando

    Понравилась статья? Поделить с друзьями:
  • Код ошибки 16385
  • Код ошибки 16384 windows 10
  • Код ошибки 16353
  • Код ошибки 16346
  • Код ошибки 1613