The project or library was changed using tools of the windows explorer

Представим себе ситуацию — вы написали макрос и кому-то выслали. Макрос хороший, нужный, а главное — рабочий. Вы сами проверили и перепроверили. Но тут вам сообщают — Макрос не работает. Выдает ошибку — Can’t find project or library. Вы запускаете файл — нет ошибки. Перепроверяете все еще несколько раз — нет ошибки и все тут. Как ни пытаетесь, даже проделали все в точности как и другой пользователь — а ошибки нет. Однако у другого пользователя при тех же действиях ошибка не исчезает. Переустановили офис, но ошибка так и не исчезла — у вас работает, у них нет.
Или наоборот — Вы открыли чей-то чужой файл и при попытке выполнить код VBA выдает ошибку Can’t find project or library.
Почему появляется ошибка: как и любой программе, VBA нужно иметь свой набор библиотек и компонентов, посредством которых он взаимодействует с Excel(и не только). И в разных версиях Excel эти библиотеки и компоненты могут различаться. И когда вы делаете у себя программу, то VBA(или вы сами) ставит ссылку на какой-либо компонент либо библиотеку, которая может отсутствовать на другом компьютере. Вот тогда и появляется эта ошибка. Что же делать? Все очень просто:

  1. Открываем редактор VBA
  2. Идем в ToolsReferences
  3. Находим там все пункты, напротив которых красуется MISSING.

    Снимаем с них галочки

  4. Жмем Ок
  5. Сохраняем файл

Эти действия необходимо проделать, когда выполнение кода прервано и ни один код проекта не выполняется. Возможно, придется перезапустить Excel. Что самое печальное: все это надо проделать на том ПК, на котором данная ошибка возникла. Это не всегда удобно. А поэтому лично я рекомендовал бы не использовать сторонние библиотеки и раннее связывание, если это не вызвано необходимостью
Чуть больше узнать когда и как использовать раннее и позднее связывание можно из этой статьи: Как из Excel обратиться к другому приложению.
Всегда проверяйте ссылки в файлах перед отправкой получателю. Оставьте там лишь те ссылки, которые необходимы, либо которые присутствуют на всех версиях. Смело можно оставлять следующие(это касается именно VBA -Excel):

  • Visual Basic for application (эту ссылку отключить нельзя)
  • Microsoft Excel XX.0 Object Library (место X версия приложения — 12, 11 и т.д.). Эту ссылку нельзя отключить из Microsoft Excel
  • Microsoft Forms X.0 Object Library. Эта ссылка подключается как руками, так и автоматом при первом создании любой UserForm в проекте. Однако отключить её после подключения уже не получится
  • OLE Automation. Хотя она далеко не всегда нужна — не будет лишним, если оставить её подключенной. Т.к. она подключается автоматически при создании каждого файла, то некоторые «макрописцы» используют методы из этой библиотеки, даже не подозревая об этом, а потом не могут понять, почему код внезапно отказывается работать(причем ошибка может быть уже другой — вроде «Не найден объект либо метод»)

Может я перечислил не все — но эти точно имеют полную совместимость между разными версиями Excel.

Если все же по какой-то причине есть основания полагать, что в библиотеках могут появиться «битые» ссылки MISSING, можно автоматически найти «битые» ссылки на такие библиотеки и отключить их нехитрым макросом:

Sub Remove_MISSING()
    Dim oReferences As Object, oRef As Object
    Set oReferences = ThisWorkbook.VBProject.References
    For Each oRef In oReferences
        'проверяем, является ли эта библиотека сломанной - MISSING
        If (oRef.IsBroken) Then
            'если сломана - отключаем во избежание ошибок
            oReferences.Remove Reference:=oRef
        End If
    Next
End Sub

Но для работы этого макроса необходимо:

  1. проставить доверие к проекту VBA:
    Excel 2010-2019 — Файл -Параметры -Центр управления безопасностью-Параметры макросов-поставить галочку «Доверять доступ к объектной модели проектов VBA»
    Excel 2007 — Кнопка Офис-Параметры Excel-Центр управления безопасностью-Параметры макросов-поставить галочку «Доверять доступ к объектной модели проектов VBA»
    Excel 2003— Сервис — Параметры-вкладка Безопасность-Параметры макросов-Доверять доступ к Visual Basic Project
  2. проект VBA не должен быть защищен

И главное — всегда помните, что ошибка Can’t find project or library может появиться до запуска кода по их отключению(Remove_MISSING). Все зависит от того, что и как применяется в коде и в какой момент идет проверка на «битые» ссылки.

Так же Can’t find project or library возникает не только когда есть «битая» библиотека, но и если какая-либо библиотека, которая используется в коде, не подключена. Тогда не будет MISSING. И в таком случае будет необходимо определить в какую библиотеку входит константа, объект или свойство, которое выделяет редактор при выдаче ошибки, и подключить эту библиотеку.
Например, есть такой кусок кода:

Sub CreateWordDoc()
    Dim oWordApp As Word.Application
    Set oWordApp = New Word.Application
    oWordApp.Documents.Add

если библиотека Microsoft Excel XX.0 Object Library(вместо XX версия приложения — 11, 12, 16 и т.д.) не подключена, то будет подсвечена строка oWordApp As Word.Application. И конечно, надо будет подключить соответствующую библиотеку.
Если используются какие-либо методы из библиотеки и есть вероятность, что библиотека будет отключена — можно попробовать проверить её наличие кодом и либо выдать сообщение, либо подключить библиотеку(для этого надо будет либо знать её GUIDE, либо полный путь к ней на конечном ПК).
На примере стандартной библиотеки OLE Automation(файл библиотеки называется stdole2) приведу коды, которые помогут проверить наличие её среди подключенных и либо показать сообщение либо сразу подключить.
Выдать сообщение — нужно в случаях, если не уверены, что можно вносить подобные изменения в VBAProject(например, если он защищен паролем):

Sub CheckReference()
    Dim oReferences As Object, oRef As Object, bInst As Boolean
    Set oReferences = ThisWorkbook.VBProject.References
    'проверяем - подключена ли наша библиотека или нет
    For Each oRef In oReferences
        If LCase(oRef.Name) = "stdole" Then bInst = True
    Next
    'если не подключена - выводим сообщение
    If Not bInst Then
        MsgBox "Не установлена библиотека OLE Automation", vbCritical, "Error"
    End If
End Sub

Если уверены, что можно вносить изменения в VBAProject — то удобнее будет проверить наличие подключенной библиотеки «OLE Automation» и сразу подключить её, используя полный путь к ней(на большинстве ПК этот путь будет совпадать с тем, что в коде):

Sub CheckReferenceAndAdd()
    Dim oReferences As Object, oRef As Object, bInst As Boolean
    Set oReferences = ThisWorkbook.VBProject.References
    'проверяем - подключена ли наша библиотека или нет
    For Each oRef In oReferences
        Debug.Print oRef.Name
        If LCase(oRef.Name) = "stdole" Then bInst = True
    Next
    'если не подключена - подключаем, указав полный путь и имя библиотеки на ПК
    If Not bInst Then
        ThisWorkbook.VBProject.References.AddFromFile "C:\Windows\System32\stdole2.tlb"
    End If
End Sub

Сразу подкину ложку дегтя(предугадывая возможные вопросы): определить автоматически кодом какая именно библиотека не подключена невозможно. Ведь чтобы понять из какой библиотеки метод или свойство — надо откуда-то эту информацию взять. А она внутри той самой библиотеки…Замкнутый круг :)

Так же см.:
Что необходимо для внесения изменений в проект VBA(макросы) программно
Как защитить проект VBA паролем
Как программно снять пароль с VBA проекта?

The stubborn can’t find project or library Excel error can pose a significant challenge for Excel users seeking a smooth spreadsheet experience. This error, triggered by issues like missing references and compatibility conflicts, can hinder the efficient operation of Excel’s powerful features. In this article, we’ll look at the causes of this error, plus some fixes you can use. The fixes apply when dealing with macro security settings or tackling corrupted installations. Let’s jump right in!

Fix 1. Repair Corrupted Excel with Document Repair Software

If you’ve encountered the frustrating can’t find project or library error in Excel, chances are your Excel files may be corrupted. Using a reliable document repair tool like EaseUS Fixo Document Repair can be a lifesaver. This software is designed to address corrupted Excel files, providing a powerful and dependable solution to resolve the error and repair your files.

EaseUS Fixo Document Repair has advanced features, making it a go-to choice for repairing corrupted Excel files. Whether your files were damaged due to unexpected system shutdowns, power outages, or other unforeseen issues, this tool is designed to handle such situations efficiently, ensuring a successful repair process. Common Excel issues like Excel hyperlinks not working, Excel cannot open the file, run time error in Excel and more.

Here are some steps to follow when using this Excel repair tool to fix can’t find project or library Excel. 

✨Step 1.  Download, install, and launch EaseUS Fixo Document Repair

You can download this repair tool with the download button we gave you or other official ways. After the installation, you can double-click the Fixo icon to launch it. Click «File Repair» > «Add Files» to select and repair damaged Word, Excel, PDF, and other documents.

add files to repair documents with Fixo

✨Step 2. Repair corrupted documents now

After adding the documents, you can click «Repair» to fix a document specifically or select «Repair All» to repair the whole files in the list altogether.

select documents to repair

✨Step 3. Preview and save repaired documents

Now, the files are ready to be saved. You can also click the eye icon to preview the documents. After clicking «Save All», select «View Repaired» in the pop-up window to locate these repaired files.

save repaired documents in Fixo

If you found this guide helpful in resolving the error in Excel, consider sharing it with others facing similar issues. 

Fix 2. Remove or Add A Preference to A Library

To address the Excel can’t find project or library error in MS Access, another effective solution involves modifying library references. 

Here are some quick steps to follow:

Step 1. Open MS Access on your computer and access the Database/Application displaying the error.

Step 2. Simultaneously press Alt + F11 to open the VBA editor window.

Step 3. Go to the menu bar at the top, and select «Tools,» and choose «Preferences» from the dropdown menu.

select tools

Step 4. In the dialog box, uncheck the «Missing: Microsoft Access Object» option.

uncheck the box

Step 5. Lastly, confirm your changes by clicking «OK.»

click ok

After making these adjustments, restart MS Access and check whether the error persists.

Fix 3. Utilize Un-Register or Re-Register the Library

If the problem persists despite previous attempts, you can choose to re-register or unregister the library file to rectify the error. Begin by understanding how to re-register a library file:

Step 1. Click on the «Windows + R» keys and type Regsvr32.exe.

type in command

Step 2. Select «Enter» and input the full path of the missing library file (such as, «regsvr32 «c:\program files\common files\microsoft shared\dao\dao360.dll»).

In case re-registering doesn’t resolve the error, you can unregister the library file. To do this, you can replace «Regsvr32.exe» with «regsvr32 -u» and once again provide the path of the library. You should successfully resolve the error by unregistering the library file, enabling uninterrupted work on your MS Access database.

Share this post to Reddit or Twitter if you find it helpful:

Fix 4. Register A Library File

Microsoft Access and Microsoft Excel may display a can’t find project or library error in various instances.  Resolving this issue involves utilizing the Command Prompt to register a project or library file. This method is also workable when Excel opening blank document. Follow the steps below to fix the problem effectively:

For users on Windows 8 or later versions:

Step 1. Access the search bar and type Command Prompt.

Step 2. Right-click on the result and choose «Run as administrator.» 

type command prompt

Alternatively, check this option in the Start menu if you’re using Windows 7 or earlier.

Step 3. After opening the Administrator Command Prompt window, enter the following command:

REGSVR32 «C:\Program Files\Blackbaud\The Raisers Edge 7\DLL\RE7Outlook.dll»

input the command

Step 4. Lastly, hit ENTER on your keyboard to execute the command.

By following these steps and registering the specified library file using the Command Prompt, you should eliminate the «can’t find project or library» error.

Knowledge Center: Why I Can’t Find Project or Library in Excel

There are several reasons why you can’t find a project or library in Excel. These include:

  • Missing Reference in VBA: This error in Excel may be due to a missing reference in the Visual Basic for Applications (VBA) editor. This can happen if the code relies on an external library or object incorrectly referenced.
  • Corrupted Excel installation: A corrupted installation of Microsoft Excel can also result in the «can’t find project or library» error. If essential files or components are damaged, it may affect the proper functioning of the VBA editor and prevent it from locating the necessary projects or libraries.
  • Compatibility issues: Another possible cause is incompatibility between different versions of Excel. If the code was developed on a different version or architecture, Excel may struggle to find the referenced projects or libraries.
  • Unregistered DLL files: Excel may have problems finding the associated projects or libraries. This happens if the required DLL files are missing, outdated, or not correctly registered with the operating system.

Cannot Find Project or Library Excel FAQs

Take a look at these questions and answers about the can’t find project or library Excel error.

1. What does can’t find project or library mean in Excel?

This error mainly occurs when there are multiple functions sharing the same name or when attempting to utilize a sub/function declared in an external file («Project» > «References»), but for some reason, that specific file cannot be located.

2. Why is my Excel library not registered?

The «Library Not Registered» error may stem from outdated or missing software components, such as ActiveX controls or DLL files. These components are crucial for Excel’s proper functioning, and if they are outdated or absent, it can trigger this error.

3. How do I enable library in Excel?

To enable library in Excel, follow these steps:

Step 1. Open the «Visual Basic Editor» in Excel ( + )

Step 2. Go to the «Menu Bar» and click on «Tools.»

Step 3. Choose «References…» (the References – VBAProject dialog box will appear).

Step 4. Select the desired libraries from the list.

Step 5. Click «OK» to confirm your selections.

Conclusion 

In conclusion, encountering the «can’t find project or library» error in Excel can be a frustrating experience, but understanding the potential causes can pave the way for effective solutions. Addressing issues such as missing references in VBA, adjusting macro security settings, ensuring compatibility, fixing a corrupted Excel installation, and verifying the status of DLL files are key steps to resolve this error.

One such tool worth considering is EaseUS Fixo Document Repair. This software has proven effective in repairing corrupted or damaged Excel files, and it might provide a comprehensive solution to the issues causing the error.

Visual Basic Can’t Find Project Or Library: Understanding and Resolving Common Issues

Introduction

Visual Basic (VB) is a versatile programming language and environment developed by Microsoft, widely recognized for its ease of use and applicability in application development. However, like any software development tool, users often come across challenges. One of the frequent issues developers face in Visual Basic is the error message «Can’t find project or library.» This issue is often daunting, especially for beginners, as it can halt progress and lead to frustration. This article explores the causes behind this error, potential solutions, and best practices to avoid it in the future.

Understanding the Error

The error message «Can’t find project or library» typically occurs when Visual Basic is unable to locate a referenced object, library, or project that is required for running or compiling the code. This problem can manifest in different scenarios, particularly during the development of applications in Microsoft Excel, Access, or any integrated development environment (IDE) that supports VB.

Causes of the Error

Identifying the cause of the «Can’t find project or library» error is crucial for troubleshooting. Here are some common reasons for this error:

  1. Missing References: Visual Basic applications often rely on external references such as DLLs or OCX files. If these files are missing, removed, or renamed, the project cannot find them, consequently throwing an error.

  2. Corrupted Library File: Sometimes the library files themselves can become corrupted. This can happen due to system updates, program changes, or improper installations.

  3. Version Mismatch: Using a version of a library or control that is not compatible with the version of Visual Basic you are employing can also lead to this issue. As Microsoft updates its libraries, older versions may become obsolete or incompatible.

  4. Incorrect Project Paths: When moving projects between computers, or if the project path changes, references might not be located, leading to errors.

  5. Control Licenses: Some third-party controls require valid licenses, and if these are violated or missing, the library cannot be successfully loaded.

  6. Registry Issues: The Windows Registry holds various types of configuration information, including details about installed libraries. Corruption or changes in the registry can lead to missing references.

Diagnosing the Problem

Before addressing the issue, it is essential to conduct a thorough diagnosis to identify the root cause. Here’s how to approach this:

  1. Check References: In the Visual Basic editor, navigate to “Tools” -> “References.” Here, you will see a list of referenced libraries. Any missing references will be indicated with the word «MISSING.»

  2. Compile the Code: If any references are checked, try compiling the code. The compiler will often pinpoint areas where the missing references lie, offering more clarity.

  3. Check for Object Library: For projects that interface with applications like Excel or Word, ensure that the object libraries for these applications are referenced correctly, such as the Microsoft Excel Object Library.

  4. Inspect Project Files: Look into any .vbd or .vbp files if applicable. These files contain essential project configurations, including references to required libraries or controls.

  5. Analyze the Path: If the project has been moved to a different directory or system, ensure that the path to the libraries is still valid.

Solutions to the Problem

Once diagnosed, several solutions can be undertaken to resolve the «Can’t find project or library» error:

  1. Re-Add References: If you discover that references are missing, simply re-adding them can often resolve the issue. To do this:

    • Go to «Tools» -> «References.»
    • Check for any references marked as «MISSING.»
    • Clear the checkbox next to the missing reference.
    • Search for the correct library file and re-check the reference.
  2. Install Missing Libraries: If a particular library is entirely missing, consider reinstalling the software that provided it or downloading it from a reliable source. Ensure that you are using the correct version of the library that corresponds to your version of Visual Basic.

  3. Repair Installation: Sometimes, a repair installation of the Visual Basic software can fix underlying issues, including resolving missing libraries.

  4. Register Component Libraries: For DLLs or OCX components, use the regsvr32 command to register them:

    • Open the command prompt with administrative rights.
    • Use the command: regsvr32 pathtoyourfile.dll.
  5. Check for Version Conflicts: Ensure that all your libraries match the version your project requires. For example, updating to a newer version of a library may sometimes generate compatibility issues. Keeping a consistent library version across development environments is crucial.

  6. Backup and Restore Registry Settings: If you suspect registry issues, back up the current settings before making changes. Use a tool like RegEdit to explore the registry and remove any corrupted entries relating to your VB libraries.

  7. Check License Validity: For third-party libraries, ensure that you have a valid license. If the library requires a license key, ensure it hasn’t expired or been deactivated.

  8. Upgrade Visual Basic Version: If your development is done in an outdated version of Visual Basic, consider upgrading to a modern version. New releases come with patches, bug fixes, and improved compatibility.

Preventing Future Issues

While errors can occur unexpectedly, there are several practices that can minimize the likelihood of encountering the “Can’t find project or library” issue in the future:

  1. Maintain a Consistent Development Environment: Use the same versions of libraries and development tools across all machines to ensure compatibility and reduce the chances of issues with references.

  2. Use Version Control: Utilize version control systems like Git to manage your source code and libraries. This allows you to track changes and revert back if you encounter issues after updates.

  3. Document Library Dependencies: Keep a detailed log of all library dependencies for your projects, including versions and potential paths. This record can be beneficial when transferring projects or diagnosing problems.

  4. Regularly Backup Projects: Regular backups can save time and stress when an issue occurs. In cases of corruption, you can restore previous project versions.

  5. Test after Software Updates: After any updates to the operating system or development environment, run tests to ensure that all library references are intact and functioning properly.

  6. Stay Informed: Follow forums and communities around Visual Basic to stay updated on common issues, new releases, and recommended practices from other developers.

Conclusion

Encountering the «Can’t find project or library» error in Visual Basic can be disconcerting, especially for developers who rely on the smooth functioning of their applications. However, by understanding the underlying causes, applying the correct troubleshooting methods, and following preventive best practices, developers can navigate these challenges more effectively. This proactive approach not only sets the stage for a more productive coding environment but also enhances overall programming efficiency. As technology continuously evolves, staying informed and adaptable is crucial to a successful development journey in Visual Basic and beyond.

Starik

Гость


Привет всем!
Ещё одна проблема, программа не на всех компах работает, ругается «Can’t find project or library». Почему не находит проект или библиотеку? Какую библиотеку? У меня стоит операционка ХР и W98, программу на VBA писал в XP, у меня работает везде. У других стоит операционка W98-не работает. Уточняю-программа работает, но когда хочешь изменить данные, на форме нажимаешь бутон, тогда выдаётся сообщение: «Can’t find project or library».

Записан

Гром

Птычк. Тьфу, птычник… Вот!
Готовлюсь к пенсии

Offline
Пол:
Бодрый птах


Варианты решения
1. Ты не переносишь саму библиотеку на новый комп.

Ответ — при переносе программы на компы где такая библиотека (как mfc ) уже включена в ОС, там работает — соответственно не работает гдеее нет.

2. Ты переносишь библиотеку но кладешь не туда…

Проверь пути в win98 где должны лежать библиотеки — т.е. пути стандартного поиска. Обычно Windows/system или Windows/system32
Плюс корневая к программе папка (без включения под папок в ней).

3. Возможно библиотека требует регистрации (пример СОМ — библиотеки)
Необходимо не просто переносить но и регисрировать (инсталлировать) библиотеку

Выход — использовать InstallShield идущий в поставке с VS.

Если ни одна причина не подойдет — пиши — будем думать дальше.

Записан


А птичку нашу прошу не обижать!!!

Starik

Гость


Я ничего не переношу, сбросил программу в сеть, запускаю с другого компа, все работает до момента изменения информации на форме. Как я понял мне необходимо на каждый комп перенести библиотеку. (Извини за глупый вопрос-какую? VBA я плохо знаю, можно сказать не знаю, если что-то и писал то для себя, поэтому таких проблем не было. Писал всегда на VB.).

Записан

Гром

Птычк. Тьфу, птычник… Вот!
Готовлюсь к пенсии

Offline
Пол:
Бодрый птах


Я его вообще не знаю…
При сетевом запуске таковго быть не должно — вопрос:
1. Что пишет ошибка при отладке — имя библиотеки обязана указать.
2. Какой код вернее вызов какой функции выдает такую ошибку. :?:

Записан


А птичку нашу прошу не обижать!!!

PSD

Главный специалист

Offline
Пол:


А что под кнопкой?

Там навернякак какой то код и ползуется какая-нибудь либа (скорее ADODB ), так вот она на пользовательских машинах и не стоит.
Нужно выяснить на какую либу ругается (их не так много ) и либо доставить клиентам либо явно прописать в проекте где на серваке лежат эти либы.

Записан


Да да нет нет все остальное от лукавого.

Starik

Гость


При отладке пишет «Can’t find project or library», засвечивается: Str$(5) в строке: Sheets(…).Range(«c»+LTrim$(Str(5)))=……

Записан

PSD

Главный специалист

Offline
Пол:


1)А всю строку можно?
2)А отдельно приведенные функции VB например такой код.
Dim s as string
s=’c’+Ltrim$(str(5))

Это видимо связано с версиями Офиса стоящими у клиентов  посмотри какой офис стоит у тех у кого не работает и сравни с .

Записан


Да да нет нет все остальное от лукавого.

Starik

Гость


Я тоже так подумал, что связано с версиями офиса вот почему: на одной машине стоит ОС W98, а офис XP — там работает. На другой ОС W98, а офис другой, кажется 2000, там не работает. Если это так, тогда что делать?
А вся строка стандартная Sheets(…).Range(«c»+LTrim$(Str(5)))= откуда считывается(форма, TexBox и т.д.). Если надо, могу написать.

Записан

PSD

Главный специалист

Offline
Пол:


Тогда все ясно, раставляй всем единообразный офис.

Строку просил чтоб понять какие библиотеки в ней используются.

Записан


Да да нет нет все остальное от лукавого.

Starik

Гость


А другого выхода нет?
У нас машин много, у кого офис 97, у кого-2000, у единиц-ХР.
А если я перепишу всё в 2000 офисе, тогда ХР и 2000 будет работать, а в 97-нет? Да проблема!

Записан

Starik

Гость


Строка: Sheets(«2006g»).Range(«c» + LTrim$(Str$(5))) =Редактор.TextBox1.Text
Высвечивает Str$(5).
Пробовал переустановить на обной машине офис — результат отрицательный.
Может все таки в офисе 2000 нет библиотеки, которая есть в ХР офисе? Тогда какая? Я плохо в этом разбираюсь.

Записан

Pu


воспользуйся адд-ином Package and Deployment Wizard. он тебе выдаст все библиотеки используемые в проекте. Можеш все упаковать в инсталяшку и с сервака все инсталить. С ВБ я всегда так делаю
Хотя это относится к VB а прочитал сейчас что у тебя VBA(c ним я дела не имел )

Записан


Насколько я опытен? Достаточно, чтобы понимать, что дураков нельзя заставить думать по–другому, но недостаточно, чтобы отказаться от попыток это сделать.
(с) Артур Джонс

baldr

Команда клуба

Offline
Пол:

Дорогие россияне


Я сталкивался с такими же трудностями. В результате сделал две версии макроса — для XP и 2000 офисов.
  У меня была проблема с MS Office Object Library, кажется — в каждом из офисов у него своя версия. Точно так же и с библиотеками для связки Excel-Word-Outlook. Каждая имеет свою версию, в результате приходится вручную указывать ее на компе с другой версией.
  Открой Tools-References. Там ты увидишь какие у тебя библиотеки требуются и где расположены.

Записан


Приличный компьютер всегда будет стоить дороже 1000 долларов, потому что 500 долларов — это не вполне прилично

little


baldr сказал правильно.

Похоже, тебе на каждом компе придется залезать в редактор, там идти в пункт Tools -> References и подключать библиотеку Microsoft Office xx Library.

Либо делать инсталяшку.

Записан

baldr

Команда клуба

Offline
Пол:

Дорогие россияне


Нет, не обязательно на каждом компе. Я же говорю — можно сделать две версии — для OXP и O2k … И их просто переносить на каждый комп…
 Можно, конечно, заменить конфликтующие библиотеки более новыми, но, я думаю, мы все понимаем чем это грозит…

Записан


Приличный компьютер всегда будет стоить дороже 1000 долларов, потому что 500 долларов — это не вполне прилично

Starik

Гость


Спасибо за помощь.
Пришлось всё переносить. Заработало.

Записан

Понравилась статья? Поделить с друзьями:
0 0 голоса
Рейтинг статьи
Подписаться
Уведомить о
guest

0 комментариев
Старые
Новые Популярные
Межтекстовые Отзывы
Посмотреть все комментарии
  • Звуки из crysis для windows
  • Как рисовать на рабочем столе компьютера windows 10
  • Ошибка 0х80070057 при установке windows 10 с флешки
  • Windows 10 выключается bluetooth
  • Bios insydeh20 загрузка с флешки windows