Summary
When you use the New operator or the CreateObject function in Microsoft Visual Basic to create an instance of a Microsoft Office application, you may receive the following error message:
Run-time error ‘429’: ActiveX component can’t create object
This error occurs when the Component Object Model (COM) cannot create the requested Automation object, and the Automation object is, therefore, unavailable to Visual Basic. This error does not occur on all computers.
This article describes how to diagnose and resolve common problems that may cause this error.
More Information
In Visual Basic, there are several causes of error 429. The error occurs if any of the following conditions is true:
-
There is a mistake in the application.
-
There is a mistake in the system configuration.
-
There is a missing component.
-
There is a damaged component.
To find the cause of the error, isolate the problem. If you receive the «429» error message on a client computer, use the following information to isolate and resolve the error in Microsoft Office applications.
Note Some of the following information may also apply to non-Office COM servers. However, this article assumes that you want to automate Office applications.
Examine the code
Before you troubleshoot the error, try to isolate a single line of code that may be causing the problem.
If you discover that a single line of code may be causing the problem, complete these procedures:
-
Make sure that the code uses explicit object creation.
Problems are easier to identify if they are narrowed down to a single action. For example, look for implicit object creation that’s used as one of the following.
Code sample 1
Application.Documents.Add 'DON'T USE THIS!!
Code sample 2
Dim oWordApp As New Word.Application 'DON'T USE THIS!! '... some other code oWordApp.Documents.Add
Both of these code samples use implicit object creation. Microsoft Office Word 2003 does not start until the variable is called at least one time. Because the variable may be called in different parts of the program, the problem may be difficult to locate. It may be difficult to verify that the problem is caused when the Application object is created or when the Document object is created.
Instead, you can make explicit calls to create each object separately, as follows.
Dim oWordApp As Word.Application Dim oDoc As Word.Document Set oWordApp = CreateObject("Word.Application") '... some other code Set oDoc = oWordApp.Documents.Add
When you make explicit calls to create each object separately, the problem is easier to isolate. This may also make the code easier to read.
-
Use the CreateObject function instead of the New operator when you create an instance of an Office application.
The CreateObject function closely maps the creation process that most Microsoft Visual C++ clients use. The CreateObject function also permits changes in the CLSID of the server between versions. You can use the CreateObject function with early-bound objects and with late-bound objects.
-
Verify that the «ProgID» string that is passed to
CreateObject is correct, and then verify that the «ProgID» string is version independent. For example, use the «Excel.Application» string instead of using the «Excel.Application.8» string. The system that fails may have an older version of Microsoft Office or a newer version of Microsoft Office than the version that you specified in the «ProgID» string. -
Use the Erl command to report the line number of the line of code that does not succeed. This may help you debug applications that cannot run in the IDE. The following code tells you which Automation object cannot be created (Microsoft Word or Microsoft Office Excel 2003):
Dim oWord As Word.Application Dim oExcel As Excel.Application On Error Goto err_handler 1: Set oWord = CreateObject("Word.Application") 2: Set oExcel = CreateObject("Excel.Application") ' ... some other code err_handler: MsgBox "The code failed at line " & Erl, vbCritical
Use the MsgBox function and the line number to track the error.
-
Use late-binding as follows:
Dim oWordApp As Object
Early-bound objects require their custom interfaces to be marshaled across process boundaries. If the custom interface cannot be marshaled during CreateObject or during New, you receive the «429» error message. A late-bound object uses the IDispatch system-defined interface that does not require a custom proxy to be marshaled. Use a late-bound object to verify that this procedure works correctly.
If the problem occurs only when the object is early-bound, the problem is in the server application. Typically, you can reinstall the application as described in the «Examine the Automation Server» section of this article to correct the problem.
Examine the automation server
The most common reason for an error to occur when you use CreateObject or New is a problem that affects the server application. Typically, the configuration of the application or the setup of the application causes the problem. To troubleshoot, use following methods:
-
Verify that the Office application that you want to automate is installed on the local computer. Make sure that you can run the application. To do this, click Start, click
Run, and then try to run the application. If you cannot run the application manually, the application will not work through automation. -
Re-register the application as follows:
-
Click Start, and then click Run.
-
In the Run dialog box, type the path of the server, and then append /RegServer to the end of the line.
-
Click OK.
The application runs silently. The application is re-registered as a COM server.
If the problem occurs because a registry key is missing, these steps typically correct the problem.
-
-
Examine the LocalServer32 key under the CLSID for the application that you want to automate. Make sure that the LocalServer32 key points to the correct location for the application. Make sure that the path name is in a short path (DOS 8.3) format. You do not have to register a server by using a short path name. However, long path names that include embedded spaces may cause problems on some systems.
To examine the path key that is stored for the server, start the Windows Registry Editor, as follows:
-
Click Start, and then click Run.
-
Type regedit, and then click OK.
-
Move to the HKEY_CLASSES_ROOTCLSID key.
The CLSIDs for the registered automation servers on the system are under this key.
-
Use the following values of the CLSID key to find the key that represents the Office application that you want to automate. Examine the LocalServer32 key of the CLSID key for the path.
Office server
CLSID key
Access.Application
{73A4C9C1-D68D-11D0-98BF-00A0C90DC8D9}
Excel.Application
{00024500-0000-0000-C000-000000000046}
Outlook.Application
{0006F03A-0000-0000-C000-000000000046}
PowerPoint.Application
{91493441-5A91-11CF-8700-00AA0060263B}
Word.Application
{000209FF-0000-0000-C000-000000000046}
-
Check the path to make sure that it matches the actual location of the file.
Note Short path names may seem correct when they are not correct. For example, both Office and Microsoft Internet Explorer (if they are installed in their default locations) have a short path that is similar to C:PROGRA~1MICROS~X (where
X is a number). This name may not initially appear to be a short path name.To determine whether the path is correct, follow these steps:
-
Click Start, and then click Run.
-
Copy the value from the registry, and then paste the value in the Run dialog box.
Note Remove the /automation switch before you run the application.
-
Click OK.
-
Verify that the application runs correctly.
If the application runs after you click OK, the server is registered correctly. If the application does not run after you click OK, replace the value of the LocalServer32 key with the correct path. Use a short path name if you can.
-
-
Test for possible corruption of the Normal.dot template or of the Excel.xlb resource file. Problems may occur when you automate Microsoft Word or Microsoft Excel if either the Normal.dot template in Word or the Excel.xlb resource file in Excel is corrupted. To test these files, search the local hard disks for all instances of Normal.dot or of Excel.xlb.
Note You may find multiple copies of these files. There is one copy of each of these files for each user profile that is installed on the system.
Temporarily rename the Normal.dot files or the Excel.xlb files, and then rerun your automation test. Word and Excel both create these files if they cannot find them. Verify that the code works. If the code works when a new Normal.dot file is created, delete the files that you renamed. These files are corrupted. If the code does not work, you must revert these files to their original file names to save any custom settings that are saved in these files.
-
Run the application under the Administrator account. Office servers require Read/Write access to the registry and to the disk drive. Office servers may not load correctly if your current security settings deny Read/Write access.
Examine the system
System configuration may also cause problems for the creation of out-of-process COM servers. To troubleshoot, use the following methods on the system on which the error occurs:
-
Determine whether the problem occurs with any out-of-process server. If you have an application that uses a particular COM server (such as Word), test a different out-of-process server to make sure that the problem is not occuring in the COM layer itself. If you cannot create an out-of-process COM server on the computer, reinstall the OLE system files as described in the «Reinstalling Microsoft Office» section of this article, or reinstall the operating system to resolve the problem.
-
Examine the version numbers for the OLE system files that manage automation. These files are typically installed as a set. These files must match build numbers. An incorrectly configured setup utility can mistakenly install the files separately. This causes the files to be mismatched. To avoid problems in automation, examine the files to make sure that the files builds are matched.
The automation files are located in the WindowsSystem32 directory. Examine the following files.
File name
Version
Date modified
Asycfilt.dll
10.0.16299.15
September 29, 2017
Ole32.dll
10.0.16299.371
March 29, 2018
Oleaut32.dll
10.0.16299.431
May 3, 2018
Olepro32.dll
10.0.16299.15
September 29, 2017
Stdole2.tlb
3.0.5014
September 29, 2017
To examine the file version, right-click the file in Windows Explorer, and then click Properties. Note the last four digits of the file version (the build number) and the date that the file was last modified. Make sure that these values are the same for all the automation files.
Note The following files are for Windows 10 Version 1709, build 16299.431. These numbers and dates are examples only. Your values may be different.
-
Use the System Configuration utility (Msconfig.exe) to examine the services and system startup for third-party applications that might restrict running code in the Office application
Note Disable the antivirus program only temporarily on a test system that is not connected to the network.
Alternatively, follow these steps in Outlook to disable third-party add-ins:
If this method resolves the problem, contact the third-party antivirus vendor for more information about an update to the antivirus program.
-
On the File menu, click Options, and then click Add-ins.
-
Click Manage COM add-ins, and then click Go.
Note The COM add-ins dialog box opens.
-
Clear the check box for any third-party add-in, and then click OK.
-
Restart Outlook.
-
Reinstall Office
If none of the previous procedures resolve the problem, remove and then reinstall Office.
For more information, see the following Office article:
Download and install or reinstall Office 365 or Office 2016 on a PC or Mac
References
For more information about Office automation and code samples, go to the following Microsoft website:
Getting started with Office development
Need more help?
В этой статье представлена ошибка с номером Ошибка 429, известная как Компонент ActiveX не может создать объект или вернуть ссылку на этот объект, описанная как Для создания объектов необходимо, чтобы класс объекта был зарегистрирован в системном реестре и были доступны все связанные библиотеки динамической компоновки (DLL).
О программе Runtime Ошибка 429
Время выполнения Ошибка 429 происходит, когда Windows дает сбой или падает во время запуска, отсюда и название. Это не обязательно означает, что код был каким-то образом поврежден, просто он не сработал во время выполнения. Такая ошибка появляется на экране в виде раздражающего уведомления, если ее не устранить. Вот симптомы, причины и способы устранения проблемы.
Определения (Бета)
Здесь мы приводим некоторые определения слов, содержащихся в вашей ошибке, в попытке помочь вам понять вашу проблему. Эта работа продолжается, поэтому иногда мы можем неправильно определить слово, так что не стесняйтесь пропустить этот раздел!
- Activex . ActiveX — это проприетарная среда Microsoft для определения и доступа к интерфейсам к системным ресурсам независимо от языка программирования.
- Класс — шаблон для создания новых объектов, описывающий общие состояния и поведение.
- DLL — DLL библиотеки динамической компоновки — это модуль, содержащий функции и данные, которые может использоваться другим модульным приложением или DLL.
- Динамический — это широко используемый термин, который, как правило, описывает решение, принимаемое программой во время выполнения, а не во время время компиляции.
- Библиотеки — используйте этот тег для вопросов о библиотеках программного обеспечения.
- Объект — объект — это любой объект, который может можно манипулировать командами на языке программирования.
- Ссылка . Ссылка — это значение, которое позволяет программе косвенно обращаться к определенным данным, таким как переменная или запись, в память компьютера или другое запоминающее устройство.
- Реестр — Реестр Windows — это база данных, в которой сохраняются параметры конфигурации для оборудования, программного обеспечения и самой операционной системы Windows.
- Return — оператор return заставляет выполнение покинуть текущую подпрограмму и возобновить ее. в точке кода сразу после вызова подпрограммы, известной как ее адрес возврата.
- Система — система может относиться к набору взаимозависимых компонентов; Инфраструктура низкого уровня, такая как операционная система с точки зрения высокого языка, или объект или функция для доступа к предыдущей
- ссылке — гиперссылка — это ссылка на документ или раздел. которые можно отслеживать для поиска с помощью системы навигации, которая позволяет выбирать выделенное содержимое в исходном документе.
- Компонент — компонент в унифицированном языке моделирования «представляет собой модульную часть система, которая инкапсулирует свое содержимое и чье воплощение можно заменить в своей среде
Симптомы Ошибка 429 — Компонент ActiveX не может создать объект или вернуть ссылку на этот объект
Ошибки времени выполнения происходят без предупреждения. Сообщение об ошибке может появиться на экране при любом запуске %программы%. Фактически, сообщение об ошибке или другое диалоговое окно может появляться снова и снова, если не принять меры на ранней стадии.
Возможны случаи удаления файлов или появления новых файлов. Хотя этот симптом в основном связан с заражением вирусом, его можно отнести к симптомам ошибки времени выполнения, поскольку заражение вирусом является одной из причин ошибки времени выполнения. Пользователь также может столкнуться с внезапным падением скорости интернет-соединения, но, опять же, это не всегда так.
(Только для примера)
Причины Компонент ActiveX не может создать объект или вернуть ссылку на этот объект — Ошибка 429
При разработке программного обеспечения программисты составляют код, предвидя возникновение ошибок. Однако идеальных проектов не бывает, поскольку ошибки можно ожидать даже при самом лучшем дизайне программы. Глюки могут произойти во время выполнения программы, если определенная ошибка не была обнаружена и устранена во время проектирования и тестирования.
Ошибки во время выполнения обычно вызваны несовместимостью программ, запущенных в одно и то же время. Они также могут возникать из-за проблем с памятью, плохого графического драйвера или заражения вирусом. Каким бы ни был случай, проблему необходимо решить немедленно, чтобы избежать дальнейших проблем. Ниже приведены способы устранения ошибки.
Методы исправления
Ошибки времени выполнения могут быть раздражающими и постоянными, но это не совсем безнадежно, существует возможность ремонта. Вот способы сделать это.
Если метод ремонта вам подошел, пожалуйста, нажмите кнопку upvote слева от ответа, это позволит другим пользователям узнать, какой метод ремонта на данный момент работает лучше всего.
Обратите внимание: ни ErrorVault.com, ни его авторы не несут ответственности за результаты действий, предпринятых при использовании любого из методов ремонта, перечисленных на этой странице — вы выполняете эти шаги на свой страх и риск.
Метод 1 — Закройте конфликтующие программы
Когда вы получаете ошибку во время выполнения, имейте в виду, что это происходит из-за программ, которые конфликтуют друг с другом. Первое, что вы можете сделать, чтобы решить проблему, — это остановить эти конфликтующие программы.
- Откройте диспетчер задач, одновременно нажав Ctrl-Alt-Del. Это позволит вам увидеть список запущенных в данный момент программ.
- Перейдите на вкладку «Процессы» и остановите программы одну за другой, выделив каждую программу и нажав кнопку «Завершить процесс».
- Вам нужно будет следить за тем, будет ли сообщение об ошибке появляться каждый раз при остановке процесса.
- Как только вы определите, какая программа вызывает ошибку, вы можете перейти к следующему этапу устранения неполадок, переустановив приложение.
Метод 2 — Обновите / переустановите конфликтующие программы
Использование панели управления
- В Windows 7 нажмите кнопку «Пуск», затем нажмите «Панель управления», затем «Удалить программу».
- В Windows 8 нажмите кнопку «Пуск», затем прокрутите вниз и нажмите «Дополнительные настройки», затем нажмите «Панель управления»> «Удалить программу».
- Для Windows 10 просто введите «Панель управления» в поле поиска и щелкните результат, затем нажмите «Удалить программу».
- В разделе «Программы и компоненты» щелкните проблемную программу и нажмите «Обновить» или «Удалить».
- Если вы выбрали обновление, вам просто нужно будет следовать подсказке, чтобы завершить процесс, однако, если вы выбрали «Удалить», вы будете следовать подсказке, чтобы удалить, а затем повторно загрузить или использовать установочный диск приложения для переустановки. программа.
Использование других методов
- В Windows 7 список всех установленных программ можно найти, нажав кнопку «Пуск» и наведя указатель мыши на список, отображаемый на вкладке. Вы можете увидеть в этом списке утилиту для удаления программы. Вы можете продолжить и удалить с помощью утилит, доступных на этой вкладке.
- В Windows 10 вы можете нажать «Пуск», затем «Настройка», а затем — «Приложения».
- Прокрутите вниз, чтобы увидеть список приложений и функций, установленных на вашем компьютере.
- Щелкните программу, которая вызывает ошибку времени выполнения, затем вы можете удалить ее или щелкнуть Дополнительные параметры, чтобы сбросить приложение.
Метод 3 — Обновите программу защиты от вирусов или загрузите и установите последнюю версию Центра обновления Windows.
Заражение вирусом, вызывающее ошибку выполнения на вашем компьютере, необходимо немедленно предотвратить, поместить в карантин или удалить. Убедитесь, что вы обновили свою антивирусную программу и выполнили тщательное сканирование компьютера или запустите Центр обновления Windows, чтобы получить последние определения вирусов и исправить их.
Метод 4 — Переустановите библиотеки времени выполнения
Вы можете получить сообщение об ошибке из-за обновления, такого как пакет MS Visual C ++, который может быть установлен неправильно или полностью. Что вы можете сделать, так это удалить текущий пакет и установить новую копию.
- Удалите пакет, выбрав «Программы и компоненты», найдите и выделите распространяемый пакет Microsoft Visual C ++.
- Нажмите «Удалить» в верхней части списка и, когда это будет сделано, перезагрузите компьютер.
- Загрузите последний распространяемый пакет от Microsoft и установите его.
Метод 5 — Запустить очистку диска
Вы также можете столкнуться с ошибкой выполнения из-за очень нехватки свободного места на вашем компьютере.
- Вам следует подумать о резервном копировании файлов и освобождении места на жестком диске.
- Вы также можете очистить кеш и перезагрузить компьютер.
- Вы также можете запустить очистку диска, открыть окно проводника и щелкнуть правой кнопкой мыши по основному каталогу (обычно это C
- Щелкните «Свойства», а затем — «Очистка диска».
Метод 6 — Переустановите графический драйвер
Если ошибка связана с плохим графическим драйвером, вы можете сделать следующее:
- Откройте диспетчер устройств и найдите драйвер видеокарты.
- Щелкните правой кнопкой мыши драйвер видеокарты, затем нажмите «Удалить», затем перезагрузите компьютер.
Метод 7 — Ошибка выполнения, связанная с IE
Если полученная ошибка связана с Internet Explorer, вы можете сделать следующее:
- Сбросьте настройки браузера.
- В Windows 7 вы можете нажать «Пуск», перейти в «Панель управления» и нажать «Свойства обозревателя» слева. Затем вы можете перейти на вкладку «Дополнительно» и нажать кнопку «Сброс».
- Для Windows 8 и 10 вы можете нажать «Поиск» и ввести «Свойства обозревателя», затем перейти на вкладку «Дополнительно» и нажать «Сброс».
- Отключить отладку скриптов и уведомления об ошибках.
- В том же окне «Свойства обозревателя» можно перейти на вкладку «Дополнительно» и найти пункт «Отключить отладку сценария».
- Установите флажок в переключателе.
- Одновременно снимите флажок «Отображать уведомление о каждой ошибке сценария», затем нажмите «Применить» и «ОК», затем перезагрузите компьютер.
Если эти быстрые исправления не работают, вы всегда можете сделать резервную копию файлов и запустить восстановление на вашем компьютере. Однако вы можете сделать это позже, когда перечисленные здесь решения не сработают.
Другие языки:
How to fix Error 429 (ActiveX component can’t create object or return reference to this object) — Creating objects requires that the object’s class be registered in the system registry and that any associated dynamic-link libraries (DLL) be available.
Wie beheben Fehler 429 (ActiveX-Komponente kann kein Objekt erstellen oder keine Referenz auf dieses Objekt zurückgeben) — Das Erstellen von Objekten erfordert, dass die Klasse des Objekts in der Systemregistrierung registriert ist und alle zugehörigen Dynamic Link Libraries (DLL) verfügbar sind.
Come fissare Errore 429 (Il componente ActiveX non può creare un oggetto o restituire un riferimento a questo oggetto) — La creazione di oggetti richiede che la classe dell’oggetto sia registrata nel registro di sistema e che tutte le librerie a collegamento dinamico (DLL) associate siano disponibili.
Hoe maak je Fout 429 (ActiveX-component kan geen object maken of een verwijzing naar dit object retourneren) — Voor het maken van objecten moet de klasse van het object zijn geregistreerd in het systeemregister en moeten alle bijbehorende dynamische-linkbibliotheken (DLL) beschikbaar zijn.
Comment réparer Erreur 429 (Le composant ActiveX ne peut pas créer d’objet ou renvoyer une référence à cet objet) — La création d’objets nécessite que la classe de l’objet soit enregistrée dans le Registre système et que toutes les bibliothèques de liens dynamiques (DLL) associées soient disponibles.
어떻게 고치는 지 오류 429 (ActiveX 구성 요소는 개체를 만들거나 이 개체에 대한 참조를 반환할 수 없습니다.) — 개체를 만들려면 개체의 클래스가 시스템 레지스트리에 등록되어 있어야 하고 연결된 모든 DLL(동적 연결 라이브러리)을 사용할 수 있어야 합니다.
Como corrigir o Erro 429 (O componente ActiveX não pode criar um objeto ou retornar uma referência a este objeto) — A criação de objetos requer que a classe do objeto seja registrada no registro do sistema e que quaisquer bibliotecas de vínculo dinâmico (DLL) associadas estejam disponíveis.
Hur man åtgärdar Fel 429 (ActiveX-komponenten kan inte skapa objekt eller returnera referens till detta objekt) — För att skapa objekt krävs att objektets klass registreras i systemregistret och att alla associerade dynamiska länkbibliotek (DLL) är tillgängliga.
Jak naprawić Błąd 429 (Komponent ActiveX nie może utworzyć obiektu ani zwrócić odniesienia do tego obiektu) — Tworzenie obiektów wymaga, aby klasa obiektu była zarejestrowana w rejestrze systemu i aby wszystkie powiązane biblioteki dołączane dynamicznie (DLL) były dostępne.
Cómo arreglar Error 429 (El componente ActiveX no puede crear un objeto o devolver una referencia a este objeto) — La creación de objetos requiere que la clase del objeto esté registrada en el registro del sistema y que las bibliotecas de vínculos dinámicos (DLL) asociadas estén disponibles.
Об авторе: Фил Харт является участником сообщества Microsoft с 2010 года. С текущим количеством баллов более 100 000 он внес более 3000 ответов на форумах Microsoft Support и создал почти 200 новых справочных статей в Technet Wiki.
Следуйте за нами:
Этот инструмент восстановления может устранить такие распространенные проблемы компьютера, как синие экраны, сбои и замораживание, отсутствующие DLL-файлы, а также устранить повреждения от вредоносных программ/вирусов и многое другое путем замены поврежденных и отсутствующих системных файлов.
ШАГ 1:
Нажмите здесь, чтобы скачать и установите средство восстановления Windows.
ШАГ 2:
Нажмите на Start Scan и позвольте ему проанализировать ваше устройство.
ШАГ 3:
Нажмите на Repair All, чтобы устранить все обнаруженные проблемы.
СКАЧАТЬ СЕЙЧАС
Совместимость
Требования
1 Ghz CPU, 512 MB RAM, 40 GB HDD
Эта загрузка предлагает неограниченное бесплатное сканирование ПК с Windows. Полное восстановление системы начинается от $19,95.
ID статьи: ACX01989RU
Применяется к: Windows 10, Windows 8.1, Windows 7, Windows Vista, Windows XP, Windows 2000
Совет по увеличению скорости #98
Обновите Windows до 64-разрядной версии:
Большинство программного обеспечения сегодня работает на 64-битной платформе. Итак, если вы все еще используете 32-разрядную версию, обновление до 64-разрядной версии Windows является обязательным. Однако это потребует обновления оборудования для запуска нового программного обеспечения Windows.
Нажмите здесь, чтобы узнать о другом способе ускорения работы ПК под управлением Windows
Номер ошибки: | Ошибка 429 | |
Название ошибки: | Runtime error ‘429’: ActiveX component can’t create object | |
Описание ошибки: | Runtime error ‘429’: ActiveX component can’t create object. A common ActiveX error is Runtime Error 429, which usually occurs when an ActiveX component can’t create an object. It also occurs when a DLL file is corrupt or missing from your system. | |
Разработчик: | Microsoft Corporation | |
Программное обеспечение: | ActiveX | |
Относится к: | Windows XP, Vista, 7, 8, 10, 11 |
Сводка «Runtime error ‘429’: ActiveX component can’t create object
«Runtime error ‘429’: ActiveX component can’t create object» часто называется ошибкой во время выполнения (ошибка). Разработчики тратят много времени и усилий на написание кода, чтобы убедиться, что ActiveX стабилен до продажи продукта. Поскольку разработчики программного обеспечения пытаются предотвратить это, некоторые незначительные ошибки, такие как ошибка 429, возможно, не были найдены на этом этапе.
Пользователи ActiveX могут столкнуться с ошибкой 429, вызванной нормальным использованием приложения, которое также может читать как «Runtime error ‘429’: ActiveX component can’t create object. A common ActiveX error is Runtime Error 429, which usually occurs when an ActiveX component can’t create an object. It also occurs when a DLL file is corrupt or missing from your system.». Когда это происходит, конечные пользователи могут сообщить Microsoft Corporation о наличии ошибок «Runtime error ‘429’: ActiveX component can’t create object». Затем Microsoft Corporation нужно будет исправить эти ошибки в главном исходном коде и предоставить модифицированную версию для загрузки. Чтобы исправить любые документированные ошибки (например, ошибку 429) в системе, разработчик может использовать комплект обновления ActiveX.
В чем причина ошибки 429?
Сбой во время выполнения ActiveX, как правило, когда вы столкнетесь с «Runtime error ‘429’: ActiveX component can’t create object» в качестве ошибки во время выполнения. Вот три наиболее заметные причины ошибки ошибки 429 во время выполнения происходят:
Ошибка 429 Crash — Ошибка 429 остановит компьютер от выполнения обычной программной операции. Как правило, это результат того, что ActiveX не понимает входные данные или не знает, что выводить в ответ.
Утечка памяти «Runtime error ‘429’: ActiveX component can’t create object» — если есть утечка памяти в ActiveX, это может привести к тому, что ОС будет выглядеть вялой. Возможные провокации включают отсутствие девыделения памяти и ссылку на плохой код, такой как бесконечные циклы.
Ошибка 429 Logic Error — логическая ошибка возникает, когда компьютер генерирует неправильный вывод, даже если пользователь предоставляет правильный ввод. Это видно, когда исходный код Microsoft Corporation содержит недостаток в обработке данных.
Такие проблемы Runtime error ‘429’: ActiveX component can’t create object обычно вызваны повреждением файла, связанного с ActiveX, или, в некоторых случаях, его случайным или намеренным удалением. Возникновение подобных проблем является раздражающим фактором, однако их легко устранить, заменив файл Microsoft Corporation, из-за которого возникает проблема. Помимо прочего, в качестве общей меры по профилактике и очистке мы рекомендуем использовать очиститель реестра для очистки любых недопустимых записей файлов, расширений файлов Microsoft Corporation или разделов реестра, что позволит предотвратить появление связанных с ними сообщений об ошибках.
Распространенные сообщения об ошибках в Runtime error ‘429’: ActiveX component can’t create object
Общие проблемы Runtime error ‘429’: ActiveX component can’t create object, возникающие с ActiveX:
- «Ошибка Runtime error ‘429’: ActiveX component can’t create object. «
- «Ошибка программного обеспечения Win32: Runtime error ‘429’: ActiveX component can’t create object»
- «Возникла ошибка в приложении Runtime error ‘429’: ActiveX component can’t create object. Приложение будет закрыто. Приносим извинения за неудобства.»
- «К сожалению, мы не можем найти Runtime error ‘429’: ActiveX component can’t create object. «
- «Runtime error ‘429’: ActiveX component can’t create object не найден.»
- «Ошибка запуска программы: Runtime error ‘429’: ActiveX component can’t create object.»
- «Runtime error ‘429’: ActiveX component can’t create object не работает. «
- «Runtime error ‘429’: ActiveX component can’t create object остановлен. «
- «Ошибка пути программного обеспечения: Runtime error ‘429’: ActiveX component can’t create object. «
Ошибки Runtime error ‘429’: ActiveX component can’t create object EXE возникают во время установки ActiveX, при запуске приложений, связанных с Runtime error ‘429’: ActiveX component can’t create object (ActiveX), во время запуска или завершения работы или во время установки ОС Windows. Запись ошибок Runtime error ‘429’: ActiveX component can’t create object внутри ActiveX имеет решающее значение для обнаружения неисправностей электронной Windows и ретрансляции обратно в Microsoft Corporation для параметров ремонта.
Причины ошибок в файле Runtime error ‘429’: ActiveX component can’t create object
Эти проблемы Runtime error ‘429’: ActiveX component can’t create object создаются отсутствующими или поврежденными файлами Runtime error ‘429’: ActiveX component can’t create object, недопустимыми записями реестра ActiveX или вредоносным программным обеспечением.
Особенно ошибки Runtime error ‘429’: ActiveX component can’t create object проистекают из:
- Недопустимая или поврежденная запись Runtime error ‘429’: ActiveX component can’t create object.
- Зазаражение вредоносными программами повредил файл Runtime error ‘429’: ActiveX component can’t create object.
- Вредоносное удаление (или ошибка) Runtime error ‘429’: ActiveX component can’t create object другим приложением (не ActiveX).
- Другое приложение, конфликтующее с Runtime error ‘429’: ActiveX component can’t create object или другими общими ссылками.
- Неполный или поврежденный ActiveX (Runtime error ‘429’: ActiveX component can’t create object) из загрузки или установки.
Продукт Solvusoft
Загрузка
WinThruster 2022 — Проверьте свой компьютер на наличие ошибок.
Совместима с Windows 2000, XP, Vista, 7, 8, 10 и 11
Установить необязательные продукты — WinThruster (Solvusoft) | Лицензия | Политика защиты личных сведений | Условия | Удаление
Run-time error 429 is a Visual Basic error often seen when creating instances in MS Office or other programs that depends or use Visual Basic. This error occurs when the Component Object Model (COM) cannot create the requested Automationobject, and the Automation object is, therefore, unavailable to Visual Basic. This error does not occur on all computers.
Many Windows users have reported experiencing over the years and over the many different iterations of the Windows Operating System that have been developed and distributed. In the majority of reported cases, Run-time error 429 rears its ugly head while the affected user is using a specific application on their Windows computer, and the error results in the affected application crashing and closing down abruptly.
Some users have also reported receiving this error when they try and run applications/add-ons designed on VB such as those provided by bloomberg and bintex.
Run-time error 429 has been the cause of worry across the many different versions of Windows that have existed, including Windows 10 – the latest and greatest in a long line of Windows Operating Systems. The most common victims of Run-time error 429 include Microsoft Office applications (Excel, Word, Outlook and the like), and Visual Basic sequence scripts.
The entirety of the error message that users affected by this problem see reads:
“Run-time error ‘429’: ActiveX component can’t create the object“
That being the case, this error is sometimes also referred to as ActiveX Error 429. The message accompanied by this error doesn’t really do much in the way of explaining its cause to the affected user, but it has been discovered that Run-time error 429 is almost always triggered when the affected application tries to access a file that does not exist, has been corrupted or simply hasn’t been registered on Windows for some reason. The file the application tries to access is integral to its functionality, so not being able to access it results in the application crashing and spitting out Run-time error 429.
Fixing Run-time error ‘429’: ActiveX component can’t create the object
Thankfully, though, there is a lot anyone affected by Run-time error 429 can do in order to try and get rid of the error and resolve the problem. The following are some of the absolute most effective solutions that you can use to push back when faced with Run-time error 429:
Solution 1: Perform an SFC scan
One of the leading culprits behind Run-time error 429 are system files applications need in order to function properly but which have somehow been corrupted. This is where an SFC scan comes in. The System File Checker utility is a built-in Windows tool designed specifically for the purpose of analyzing a Windows computer for corrupt or otherwise damaged system files, locating any that exist and then either repairing them or replacing them with cached, undamaged copies. If you are trying to get rid of Run-time error 429, running an SFC scan is definitely a first step in the right direction. If you are not familiar with the process of running an SFC scan on a Windows computer, simply follow this guide.
Solution 2: Re-register the affected application
If you are only running into Run-time error 429 while using a specific application on your computer, it is quite likely that you have fallen prey to the problem simply because the application in question has not been correctly configured on your computer and, therefore, is causing issues. This can quickly be remedied by simply re-registering the affected application with the onboard automation server the Windows Operating System has, after which any and all issues should be resolved on their own. To re-register the affected application on your computer, you need to:
- Make sure that you are logged into an Administrator account on your Windows computer. You are going to need administrative privileges to re-register an application on your computer.
- Determine the complete file path for the executable application file (.EXE file) belonging to the application affected by this problem. To do so, simply navigate to the directory on your computer the affected application was installed to, click on the address bar in the Windows Explorer window, copy over everything it contains to some place you can easily retrieve it from when you need it, and add the name of the file and its extension to the end of the file path. For example, if the application in question is Microsoft Word, the full file path will look something like:
C:Program Files (x86)Microsoft OfficeOffice12WINWORD.EXE - Press the Windows Logo key + R to open a Run dialog.
- Type in or copy over the full file path for the executable application file belonging to the application affected by Run-time error 429, followed by /regserver. The final command should look something like:
C:Program Files (x86)Microsoft OfficeOffice12WINWORD.EXE /regserver - Press Enter.
- Wait for the application in question to be successfully re-registered.
Once the application has been re-registered, be sure to launch and use it and check to see if Run-time error 429 still persists.
Solution 3: Re-register the file specified by the error message
In some cases, the error message affected users see with Run-time error 429 specifies a particular .OCX or .DLL file that the affected application could not access. If the error message does specify a file in your case, the specified file is simply not correctly registered in your computer’s registry. Re-registering the specified file might just be all you need to do in order to get rid of Run-time error 429. To re-register a file with your computer’s registry, you need to:
- Close any and all open applications.
- Make sure that you have the full name of the file specified by the error message noted down someplace safe.
- If you’re using Windows 8 or 10, simply right-click on the Start Menu button to open the WinX Menu and click on Command Prompt (Admin) to launch an elevated Command Prompt that has administrative privileges. If you’re using an older version of Windows, however, you are going to have to open the Start Menu, search for “cmd“, right-click on the search result titled cmd and click on Run as administrator to achieve the same result.
- Type regsvr32 filename.ocx or regsvr32 filename.dll into the elevated Command Prompt, replacing filename with the actual name of the file specified by the error message. For example, if the error message specified vbalexpbar4.ocx as the file that could not be accessed, what you type into the elevated Command Prompt will look something like:
regsvr32 vbalexpbar4.ocx - Press Enter.
Wait for the specified file to be successfully re-registered with your computer’s registry, and then check to see if you have managed to successfully get rid of Run-time error 429.
Solution 4: Reinstall Microsoft Windows Script (For Windows XP and Windows Server 2003 users only)
The purpose of Microsoft Windows Script on Windows XP and Windows Server 2003 is to allow multiple scripting languages to work simultaneously in perfect harmony, but a failed, incomplete or corrupted installation of the utility can result in a variety of different issues, Run-time error 429 being one of them. If you are experiencing Run-time error 429 on Windows XP or Windows Server 2003, there is a good chance that simply reinstalling Microsoft Windows Script will fix the problem for you. If you would like to reinstall Microsoft Windows Script on your computer, simply:
- Click here if you are using Windows XP or here if you are using Windows Server 2003.
- Click on Download.
- Wait for the installer for Microsoft Windows Script to be downloaded.
- Once the installer has been downloaded, navigate to the directory it was downloaded to and run it.
- Follow the onscreen instructions and go through the installer all the way through to the end to successfully and correctly install Microsoft Windows Script on your computer.
Once you have a correct installation of Microsoft Windows Script on your computer, check to see if Run-time error 429 still persists.
Kevin Arrows
Kevin is a dynamic and self-motivated information technology professional, with a Thorough knowledge of all facets pertaining to network infrastructure design, implementation and administration. Superior record of delivering simultaneous large-scale mission critical projects on time and under budget.
На чтение 7 мин. Просмотров 2.1k. Опубликовано 03.09.2019
Ошибка ActiveX 429 – это ошибка времени выполнения, с которой сталкиваются некоторые конечные пользователи в Windows. Ошибка обычно гарантирует, что открытое приложение внезапно останавливается и закрывается.
Он также возвращает сообщение об ошибке, в котором указано: «Ошибка времени выполнения 429: компонент ActiveX не может создать объект». Ошибка 429 наиболее часто встречается в приложениях MS Office, таких как Excel, Word, Access. или Outlook, с автоматическими сценариями последовательности Visual Basic.
Ошибка 429 в значительной степени является следствием попытки программного обеспечения получить доступ к поврежденным файлам. Таким образом, последовательность автоматизации не может работать как в сценарии. Это может быть связано с повреждением реестра, удалением файлов ОС, неполной установкой программного обеспечения или повреждением системных файлов.
Таким образом, существуют различные возможные исправления для ошибки ActiveX 429.
Содержание
- Как я могу исправить ошибку ActiveX 429 на Windows 10?
- Перерегистрировать программу
- Перерегистрировать указанный файл
- Запустите проверку на вирусы
- Сканирование и исправление реестра
- Проверьте наличие обновлений Windows
- Запустите проверку системных файлов
- Отмена системных изменений с восстановлением системы
Как я могу исправить ошибку ActiveX 429 на Windows 10?
Перерегистрировать программу
Если определенная программа генерирует ошибку ActiveX, программное обеспечение может быть неправильно настроено. Это можно исправить путем перерегистрации программного обеспечения с помощью ключа/regserver, который устраняет проблемы с сервером автоматизации.
Вот как вы можете перерегистрировать программное обеспечение с помощью Run:
- Во-первых, убедитесь, что у вас есть права администратора с учетной записью администратора Windows.
- Нажмите клавишу Win + R, чтобы открыть Run.
- Введите полный путь к программному обеспечению, а затем/regserver в текстовом поле, как показано ниже. Введите точный путь, включая исполняемый файл, программного обеспечения, которое необходимо перерегистрировать.
- Нажмите кнопку ОК .
Узнайте все, что нужно знать об учетной записи администратора и о том, как ее можно включить/отключить прямо здесь!
Перерегистрировать указанный файл
Если в сообщении об ошибке ActiveX указан определенный заголовок файла .OCX или .DLL, то указанный файл, вероятно, неправильно зарегистрирован в реестре.
После этого вы сможете исправить проблему с ActiveX, повторно зарегистрировав файл. Таким образом вы можете перерегистрировать указанные файлы OCX и DLL через командную строку.
- Закройте все открытые программные окна.
- Откройте командную строку в Windows 10, нажав клавишу Win + горячую клавишу X и выбрав в меню Командная строка (Администратор) . В качестве альтернативы, вы можете ввести «cmd» в поле поиска меню «Пуск», чтобы открыть подсказку.
- Теперь введите «regsvr32 Filename.ocx» или «regsvr32 Filename.dll» в окне командной строки. Замените имя файла указанным заголовком файла.
- Нажмите клавишу возврата, чтобы заново зарегистрировать файл.
Если у вас возникли проблемы с доступом к командной строке от имени администратора, вам лучше ознакомиться с этим руководством.
Запустите проверку на вирусы
Это может быть случай, когда вирус повредил, возможно, удалил файлы, имеющие отношение к ошибке времени выполнения. Таким образом, запуск полной проверки на вирусы в Windows с помощью стороннего антивирусного программного обеспечения может реально исправить ошибку ActiveX 429.
Kaspersky, Avast, AVG, Symantec Norton и McAfee являются одними из наиболее высоко оцененных антивирусных утилит. Если у вас еще нет подходящего стороннего антивирусного пакета, установите бесплатную версию одной из этих утилит и выполните полную проверку на вирусы.
Нужно больше альтернатив? Больше ни слова. Вот лучшие антивирусы на рынке прямо сейчас!
Мы рекомендуем вам Bitdefender как номер мира. 1 антивирус. Он имеет кучу полезных функций и чрезвычайно мощный механизм безопасности. Он обнаружит любой вирус/вредоносное ПО, проникшее в вашу систему, и оптимизирует производительность вашего ПК.
- Загрузите антивирус Bitdefender по специальной цене со скидкой 50% .
Сканирование и исправление реестра
Ошибки времени выполнения обычно генерируются из реестра, поэтому сканирование реестра может быть эффективным исправлением. Эффективное сканирование реестра исправит недействительные или поврежденные ключи реестра.
Существуют различные очистители реестра для Windows, и CCleaner, Wise Registry Cleaner, EasyCleaner, JetCleaner, RegistryCleanerKit и WinOptimizer являются одними из наиболее высоко оцененных утилит.
Вот как вы можете сканировать реестр с помощью бесплатного CCleaner:
- Нажмите Загрузить на этой веб-странице , чтобы сохранить установщик CCleaner в Windows. Затем откройте мастер установки для установки программного обеспечения.
- Запустите CCleaner и нажмите Реестр , чтобы открыть очиститель реестра ниже.
- Обратите внимание, что очиститель реестра включает флажок Проблемы ActiveX и класса , который, безусловно, следует выбрать. Установите все флажки для наиболее тщательного сканирования.
- Нажмите Сканировать на наличие проблем , чтобы запустить сканирование реестра.После этого будут перечислены обнаруженные проблемы с реестром, которые вы можете выбрать, установив флажки.
- Нажмите кнопку Исправить выбранные проблемы , чтобы исправить реестр. Затем вам также может понадобиться нажать еще одну кнопку Исправить все выбранные , чтобы подтвердить.
Ищете лучшие очистители реестра для вас? Вот список наиболее часто используемых.
Проверьте наличие обновлений Windows
Вам также следует проверить и установить обновления Windows. Microsoft обычно обновляет системные файлы, которые могут быть связаны с ошибкой 429. Таким образом, обновление Windows последними пакетами обновлений и исправлениями может помочь устранить ошибки времени выполнения.
Вы можете обновить Windows следующим образом:
- Введите «Обновление Windows» в поле поиска в меню «Кортана» или «Пуск».
- Затем вы можете выбрать Проверить наличие обновлений, чтобы открыть параметры обновления прямо ниже.
- Нажмите здесь кнопку Проверить наличие обновлений . Если есть доступные обновления, вы можете нажать кнопку Загрузить , чтобы добавить их в Windows.
Не можете обновить Windows 10? Ознакомьтесь с этим руководством, которое поможет вам быстро их решить.
Запустите проверку системных файлов
Многие системные ошибки происходят из-за поврежденных системных файлов, включая проблему ActiveX 429. Таким образом, исправление поврежденных системных файлов с помощью средства проверки системных файлов может быть эффективным средством.
Вы можете запустить сканирование SFC в командной строке следующим образом:
- Сначала введите «cmd» в поле поиска Cortana или меню «Пуск».
- Затем вы можете щелкнуть правой кнопкой мыши командную строку и выбрать Запуск от имени администратора , чтобы открыть окно подсказки.
- Введите «sfc/scannow» в командной строке и нажмите клавишу «Return».
- Сканирование SFC может занять до 20 минут или дольше. Если SFC что-либо исправляет, в командной строке будет указано: « Защита ресурсов Windows обнаружила поврежденные файлы и успешно восстановила их ».
- Затем вы можете перезагрузить Windows.
Команда сканирования теперь остановлена до завершения процесса? Не волнуйтесь, у нас есть простое решение для вас.
Отмена системных изменений с восстановлением системы
Средство восстановления системы отменяет системные изменения, возвращая Windows к более ранней дате. Восстановление системы – это машина времени Windows, и с помощью этого инструмента вы можете вернуть настольный компьютер или ноутбук обратно к дате, когда ваше программное обеспечение не возвращало сообщение об ошибке ActiveX.
Однако помните, что вы потеряете программное обеспечение и приложения, установленные после даты восстановления. Вы можете использовать Восстановление системы следующим образом:
- Чтобы открыть Восстановление системы, введите «Восстановление системы» в поле поиска в меню Cortana или в меню «Пуск».
- Выберите Создать точку восстановления, чтобы открыть окно Свойства системы.
- Нажмите кнопку Восстановление системы , чтобы открыть окно на снимке экрана ниже.
- Нажмите кнопку Далее и выберите параметр Показать новые точки , чтобы открыть полный список дат восстановления.
- Теперь выберите подходящую точку восстановления, чтобы вернуться к ней.
- Нажмите кнопку Далее и Готово , чтобы подтвердить точку восстановления.
Если вы заинтересованы в получении дополнительной информации о том, как создать точку восстановления и как это вам поможет, ознакомьтесь с этой простой статьей, чтобы узнать все, что вам нужно знать.
Если восстановление системы не работает, не паникуйте. Посмотрите это полезное руководство и снова все исправьте.
Это некоторые из многочисленных возможных исправлений для ошибки Windows ActiveX 429. Если ни одно из вышеперечисленных исправлений не решает проблему, удалите и переустановите программное обеспечение, генерирующее ошибку.
Если у вас есть дополнительные предложения по исправлению ошибки ActiveX 429, пожалуйста, поделитесь ими ниже. Кроме того, если у вас есть какие-либо вопросы, не стесняйтесь оставлять их там.
-
Partition Wizard
-
Partition Magic
- How to Fix Runtime Error 429 on Windows 10? – Here Are Solutions
By Ariel | Follow |
Last Updated November 30, 2019
Have you come across the runtime error 429? It is a great inconvenience, in that you fail to access some applications because of this. If you are also trying to figure it out, the post of MiniTool can provide you with several troubleshooting methods.
When using MS Office, an error message pops up saying that “Run-time error ‘429’: ActiveX component can’t create object.” It is a common problem but bothering many users. The corrupted registry file, corrupted system files and deleted OS files are major factors that lead to runtime error 429.
Solution 1. Run System File Checker
Runtime error429 is a kind of system error. System File Checker is the most commonly used tool to fix corrupted system files. Here is a full guide.
Step 1. Type cmd in the search box and right-click the Command Prompt and select Run as administrator.
Step 2. In the elevated command prompt, type sfc /scannow command and hit Enter.
Step 3. You need to wait for some time to complete the process. If the tool fixes the corrupted files, you will see a message stating “Windows Resource Protection found corrupt files and successfully repaired them”.
Tip: If you cannot run this command smoothly, read this post: Quick Fix — SFC Scannow Not Working.
Solution 2. Restore Your System to an Earlier State
Some users found they encountered ActiveX error 429 after installing the Windows updates. If you have the same problem, you can try undoing the system changes with System Restore Point. System Restore Point is a built-in Windows tool that can revert your system to an earlier state.
Before you restore the system, we recommend that you back up your software and apps that you installed. This is because system restore will delete them. In our previous articles, we have introduced detailed steps to revert your system with System Restore Point.
Read this post “How to Perform a System Restore from Command Prompt Windows 10/7?” to learn detailed steps.
Solution 3. Re-register the Program
If you encounter the 429 error on a specific program, you can try re-registering the program to fix it. This operation will resolve the issues with the automation server. Here’s how to do that:
Note: You need to run the command with a Windows admin account.
Step 1. Press Win + R keys to call out the Run dialog box.
Step 2. Type the full path of the software followed by /regserver in the box and hit Enter. For example, type the C:Program FilesMozilla Firefoxfirefox.exe/regserver command in the box.
Then you can restart the app and check if ActiveX error 429 is resolved or not.
Solution 4. Re-register the Specified File
If the runtime error429 points to a specific.OCX or DLL file, which probably indicates the file is not registered correctly in the registry. For this problem, you can re-register the file via Command Prompt (Admin). You can follow this guide below.
Step 1. Close all running software windows and open the Command Prompt (Admin).
Step 2. In the elevated command prompt, type the regsvr32 Filename.ocx or regsvr32 Filename.dll (replace the file name with your specified filename) and hit Enter.
Solution 5. Run Full System Scan for Malware
In addition, the virus and malware are also responsible for the runtime error 429. As you know, a virus will attack your system and make you fail to access some applications. You can use the Windows defender or other third-party software to scan your system for malware.
Read this post, you will know a full guide to perform the scan from method 5.
About The Author
Position: Columnist
Ariel is an enthusiastic IT columnist focusing on partition management, data recovery, and Windows issues. She has helped users fix various problems like PS4 corrupted disk, unexpected store exception error, the green screen of death error, etc. If you are searching for methods to optimize your storage device and restore lost data from different storage devices, then Ariel can provide reliable solutions for these issues.
-
Partition Wizard
-
Partition Magic
- How to Fix Runtime Error 429 on Windows 10? – Here Are Solutions
By Ariel | Follow |
Last Updated November 30, 2019
Have you come across the runtime error 429? It is a great inconvenience, in that you fail to access some applications because of this. If you are also trying to figure it out, the post of MiniTool can provide you with several troubleshooting methods.
When using MS Office, an error message pops up saying that “Run-time error ‘429’: ActiveX component can’t create object.” It is a common problem but bothering many users. The corrupted registry file, corrupted system files and deleted OS files are major factors that lead to runtime error 429.
Solution 1. Run System File Checker
Runtime error429 is a kind of system error. System File Checker is the most commonly used tool to fix corrupted system files. Here is a full guide.
Step 1. Type cmd in the search box and right-click the Command Prompt and select Run as administrator.
Step 2. In the elevated command prompt, type sfc /scannow command and hit Enter.
Step 3. You need to wait for some time to complete the process. If the tool fixes the corrupted files, you will see a message stating “Windows Resource Protection found corrupt files and successfully repaired them”.
Tip: If you cannot run this command smoothly, read this post: Quick Fix — SFC Scannow Not Working.
Solution 2. Restore Your System to an Earlier State
Some users found they encountered ActiveX error 429 after installing the Windows updates. If you have the same problem, you can try undoing the system changes with System Restore Point. System Restore Point is a built-in Windows tool that can revert your system to an earlier state.
Before you restore the system, we recommend that you back up your software and apps that you installed. This is because system restore will delete them. In our previous articles, we have introduced detailed steps to revert your system with System Restore Point.
Read this post “How to Perform a System Restore from Command Prompt Windows 10/7?” to learn detailed steps.
Solution 3. Re-register the Program
If you encounter the 429 error on a specific program, you can try re-registering the program to fix it. This operation will resolve the issues with the automation server. Here’s how to do that:
Note: You need to run the command with a Windows admin account.
Step 1. Press Win + R keys to call out the Run dialog box.
Step 2. Type the full path of the software followed by /regserver in the box and hit Enter. For example, type the C:Program FilesMozilla Firefoxfirefox.exe/regserver command in the box.
Then you can restart the app and check if ActiveX error 429 is resolved or not.
Solution 4. Re-register the Specified File
If the runtime error429 points to a specific.OCX or DLL file, which probably indicates the file is not registered correctly in the registry. For this problem, you can re-register the file via Command Prompt (Admin). You can follow this guide below.
Step 1. Close all running software windows and open the Command Prompt (Admin).
Step 2. In the elevated command prompt, type the regsvr32 Filename.ocx or regsvr32 Filename.dll (replace the file name with your specified filename) and hit Enter.
Solution 5. Run Full System Scan for Malware
In addition, the virus and malware are also responsible for the runtime error 429. As you know, a virus will attack your system and make you fail to access some applications. You can use the Windows defender or other third-party software to scan your system for malware.
Read this post, you will know a full guide to perform the scan from method 5.
About The Author
Position: Columnist
Ariel is an enthusiastic IT columnist focusing on partition management, data recovery, and Windows issues. She has helped users fix various problems like PS4 corrupted disk, unexpected store exception error, the green screen of death error, etc. If you are searching for methods to optimize your storage device and restore lost data from different storage devices, then Ariel can provide reliable solutions for these issues.
Mo1234,
Based on your post and the error message, it is difficult to point out the reason that cause the problem becuase there isn’t any related information on the application or the ActiveX component. I would like to provide some suggestions as follows:
Creating objects requires that the object’s class be registered in the system registry and that any associated dynamic-link libraries (DLL) be available. This error has the following causes and solutions:
1. The class isn’t registered. For example, the system registry has no mention of the class, or the class is mentioned, but specifies either a file of the wrong type or a file that can’t be found.
If possible, try to start the object’s application. If the registry information is out of date or wrong, the application should check the registry and correct the information. If starting the application doesn’t fix the problem, rerun the application’s setup program.
2. A DLL required by the object can’t be used, either because it can’t be found, or it was found but was corrupted.
Make sure all associated DLLs are available. For example, the Data Access Object (DAO) requires supporting DLLs that vary among platforms. You may have to rerun the setup program for such an object if that is what is causing this error.
3. The object is available on the machine, but it is a licensed Automation object, and can’t verify the availability of the license necessary to instantiate it.
Some objects can be instantiated only after the component finds a license key, which verifies that the object is registered for instantiation on the current machine. When a reference is made to an object through a properly installed type library or object library, the correct key is supplied automatically.
If the attempt to instantiate is the result of a CreateObject or GetObject call, the object must find the key. In this case, it may search the system registry or look for a special file that it creates when it is installed, for example, one with the extension .lic. If the key can’t be found, the object can’t be instantiated. If an end user has improperly set up the object’s application, inadvertently deleted a necessary file, or changed the system registry, the object may not be able to find its key. If the key can’t be found, the object can’t be instantiated. In this case, the instantiation may work on the developer’s system, but not on the user’s system. It may be necessary for the user to reinstall the licensed object.
4. You are trying to use the GetObject function to retrieve a reference to class created with Visual Basic.
GetObject can’t be used to obtain a reference to a class created with Visual Basic.
5. Access to the object has explicitly been denied. For example, you may be trying to access a data object that’s currently being used and is locked to prevent deadlock situations. If that’s the case, you may be able to access the object at another time.
Hope that can help you.
Hey all, I hope you are doing well, but I also know you are getting & facing Runtime Error 429 ActiveX Component Can’t Create Object Windows PC code problem on your Windows PC and sometimes on your smartphone device. So today, for that, we are here to help you in this Error 429 matter with our so easy and straightforward solutions and guide methods.
This shows an error code message like,
Windows Runtime Error 429 Active component can’t create object.
This error occurs when a user tries to open ActiveX-dependent pages. This error may also occur when the COM (Component Object Model) cannot create the requested Automation object. This Error Code 429 appears when the PC user attempts to access web pages containing ActiveX content. This Runtime Error happens when an automation sequence fails to operate the way it’s scripted. This error is the result of conflicts between 2 or more programs. This runtime error occurs if the automation server for the Excel link is not registered correctly. This error issue includes your PC system freezing, crashes & some virus infection too. This runtime error happens when an automation sequence fails to operate the way it’s scripted. This Runtime Error 429 indicates an incompatibility of essentials files that pastel requires to run.
Causes of Runtime Error 429 ActiveX Component Can’t Create Object Issue:
- Runtime error problem
- ActiveX component can’t create objects Windows
- ActiveX Windows PC error issue
- Google play store error
- Too many requests issue
So, here are some quick tips and tricks for easily fixing and solving this type of Runtime Error 429 ActiveX Component Can’t Create Object Windows PC Code problem for you permanently.
How to Fix Runtime Error 429 ActiveX Component Can’t Create Object Issue
1. Uninstall the Microsoft .NET Framework & Reinstall it Again on your PC –
- Go to the start menu
- Search or go to the Control Panel
- Click on the ‘Programs and Features‘ option there
- Select the “.NET framework” Software there &
- Right-click on it & select Uninstall to uninstall it
- After that, close the tab
- Now, again reinstall it again
- That’s it, done
Uninstalling and reinstalling the .NET framework can also fix and solve this Runtime Error 429 ActiveX Component can’t create an object problem for you.
2. Delete the Temporary Files Folder from your Windows PC –
- Go to the start menu
- Open ‘My Computer there
- Now, right-click on the driver containing the installed game
- Select the Properties option there
- Click on the Tools option
- & Click on ‘Check Now‘ to check any error it is having
- After completing, close all the tabs
- That’s it, done
Deleting all the temporary files can get rid of this Runtime Error 429 Active X component can create an object problem.
3. Fix by the (CMD) Command Prompt on your Windows PC –
- Go to the start menu
- Search or go to the Cmd (Command Prompt) there
- Click on it and opens it
- A Pop-up will open there
- Type the following commands there
Regsvr32 jscript.dll - Then, press Enter there
- A succeeded message will show there
- Now, type this command
Regsvr32 vbscript.dll - Then, press Enter there
- A succeeded message will show again there
- That’s it, done
**NOTE: This command is for both the 32-Bit and the 64-Bit processor.
Running the regsvr32 jscript.dll command in the command prompt will quickly fix this Runtime Error 429 ActiveX component can’t create an object problem.
4. Fixing by the Registry Cleaner on your Windows PC –
You can fix it by fixing the registry cleaner from any registry cleaner software, and it can also fix and solve this Runtime Error 429 ActiveX component that can’t create an object Windows XP problem.
5. Create a System Restore Point on your Windows PC –
- Go to the start menu
- Search or go to the ‘System Restore.’
- Clicks on it and open it there
- After that, tick on the “Recommended settings” or ‘Select a restore point‘ there.
- After selecting, click on the Next option there
- Now, follow the wizard
- After completing, close the tab
- That’s it, done
So by trying this above guide, you will learn to know about how to solve & fix this IDS Runtime Error 429 Windows 10 ActiveX component can’t create an object problem issue from your Windows PC entirely.
“ OR “
- Go to the start menu
- Search or go to the ‘System Properties.’
- Click on it and opens it.
- After that, go to the “System Protection” option there
- Now, click on the “System Restore” option there
- & Create a Restore point there
- After completing, close the tab
- That’s it, done
Running a system restore and creating a new restore point by any of these two methods can completely solve this pinnacle game profiler Runtime Error 429 Windows 10 problem from your PC.
6. Run the sfc /scannow Command in the CMD (Command Prompt) –
- Go to the start menu
- Search or go to the Command Prompt
- Click on that and opens it
- A Pop-up will open there
- Type this below the following command
” sfc/scannow “ - After that, press Enter there
- Wait for some seconds there
- After completing, close the tab
- That’s it, done
Run an sfc/scannow command in the command prompt that can quickly fix and solve this Runtime Error 429 ActiveX Windows 10 code problem from your PC.
7. Fix by MSConfig Command on your Windows PC –
- Go to the start menu.
- Search for ‘msconfig.exe‘ in the search box and press Enter there
- Click on the User Account Control permission
- & click on the Continue option there
- On the General tab there,
- Click on the ‘Selective Startup‘ option there
- Under the Selective Startup tab, Click on the ‘Clear the Load Startup‘ items check box.
- Click on the services tab there,
- Click to select the “Hide All Microsoft Services” checkbox
- Then, click on the ‘Disable All‘ & press the Ok button there
- After that, close the tab
- & restart your PC
- That’s it, done
Cleaning the boot, you can quickly recover from this Runtime Error 429 VBA Windows 8 problem.
8. Delete or Remove All the Third-Party Drivers on your Windows –
- Go to the start menu
- Go to ‘My Computer‘ or ‘Computer‘ there
- Click on the “Uninstall or change a program” there
- Now go to the driver that you want to uninstall
- Right-click on it there
- & Click on ‘Uninstall‘ there to uninstall it
- That’s it, done
Deleting or removing all the third-party drivers will quickly fix this Runtime Error 429 Windows 7 problem.
Conclusion:
These are the quick and the best methods to get rid of this Runtime Error 429 ActiveX Component Can’t Create Object Windows PC Code problem for you entirely. Hopefully, these solutions will help you get back from this Runtime Error 429 ActiveX can’t create an object problem.
If you are facing or falling in this Runtime Error 429 ActiveX Component can’t create object Windows PC Code problem or any error problem, then comment down the error problem below so that we can fix and solve it too by our top best quick methods guides.