File or assembly name microsoft.office.interop.excel or one of its dependen

Hi Team,
When i click on the manage dimension members for a dimension i am getting the following error,
"file or assembly name microsoft.office.interop.excel or one of its dependencies was not found"
How i can resolve this?
Regards,
Raj,

Hi Raj,
What did you do exactly to resolve this issue? Are you no longer using Office 2007 or did you reinstall it? What are the specific steps you took?
I recently upgraded from SP02 to SP07 and now have the same problem. It was working fine prior to the upgrade.
Thanks,
Rob
Edited by: Rob Delong on Feb 19, 2010 3:42 AM

Similar Messages

  • File or assembly name crystal decission.windows.forms or one of its depende

    I installed the version XI R2 , But when I compiled my program and installed it on my client machine, I get the following error:
    File or Assembly name CrystalDecisions.Windows.Form, or one of it's
    dependencies was not found.
    This statrted to happen only after installing the new ver.
    How do i find out, what dependencies are missing on the client machine. and how do I install/copy them
    One more thing Initially when this program was built and sent to my client I was on CR 8 then upgraded to 9 and then XI
    I use VB.NET ver 2003 as my front end.
    Tnx
    Michael

    This is a bit confusing
    What we know:
    VS2003
    CR XI R2
    The confusing part is this:
    CR 8 then upgraded to 9 and then XI
    and the error;
    File or Assembly name CrystalDecisions.Windows.Form, or one of it's dependencies was not found.
    CR 8 did not include any .NET SDK - only the Report Designer Component (RDC) was included (+ the win APIs)
    CR 9 did include SDK for .NET, RDC and win API
    CR XI R2 does not include win APIs.
    So the short of it is; what CR SDK are you using?
    Ludek
    Follow us on Twitter http://twitter.com/SAPCRNetSup
    Got Enhancement ideas? Try the [SAP Idea Place|https://ideas.sap.com/community/products_and_solutions/crystalreports]

  • BPC 7.5 NW Processing Dimensions Microsoft.Office.Interop.Excell issue

    Hi
    I've tried all the downloads (service Packs, Interop Files etc) mentioned in all websites and posts to try and fix following error:
    "Unable to cast COM object of type 'Microsoft.Office.Interop.Excel.ApplicationClass' to interface type 'Microsoft.Office.Interop.Excel_Application'. This Opperation failed because the Query Interface call on the COM component for the interface with ID '{000208D5-0000-0000-C000-0000000000046}' failed due to the following error: Library not registered.
    I get this only when I try to Process a dimension
    Please can anyone tell me how to fix this?
    We have installed BPC 7.5 NW
    I had Office 2010 and could process but my input schedules didn't work 100% on Office 2007 so I had to go back to 2007. And now I can't process in the Admin Client. I've uninstalled and reinstalled Office and BPC 7.5 NW SP07 a few times to try and solve this but no luck.
    Thanks
    Johan Fourie

    Hi,
    If you are using excel 2007, you need to install the redistributable primary interop assembly from the below link:
    https://websmp230.sap-ag.de/sap%28bD1lbiZjPTAwMQ==%29/bc/bsp/sno/ui_entry/entry.htm?param=69765F6D6F64653D3030312669765F7361706E6F7465735F6E756D6265723D3134363332383926
    Hope this helps.

  • On cleanuing up COM object when using Microsoft.Office.Interop.Excel

    When using Microsoft.Office.Interop.Excel the COM objects that are created by the code must be released using System.Runtime.InteropServices.Marshal.ReleaseComObject().
    Most of the time it's pretty clear when a new COM object is created such as:
    Excel._Application excelApp = null;
    Excel._Workbook wb = null;
    Excel._Worksheet ws = null;
    Excel.Range newRange = null;
    try
    // four COM objects are created below
    excelApp = new Excel.Application();
    wb = excelApp.Workbooks.Add();
    ws = (Excel.Worksheet)wb.Worksheets.Add();
    newRange = (Excel.Range)ws.Range["A1","A30"];
    // do these line of cod create new COM object?
    newRange.Font.Bold = true;
    newRange.Borders.Color = borderColor;
    finally
    if (excelApp != null) Marshal.ReleaseComObject(excelApp)
    if (wb != null) Marshal.ReleaseComObject(wb)
    if (ws != null) Marshal.ReleaseComObject(ws)
    if (newRange != null) Marshal.ReleaseComObject(newRange)
    In the above code I create four COM objects in the first part that need to be released when I'm finished with them. But it's not clear if the other two lines of code create a new COM object or not.  If they do then my code needs to look more
    like this:
    Excel._Application excelApp = null;
    Excel._Workbook wb = null;
    Excel._Worksheet ws = null;
    Excel.Range newRange = null;
    Excel.Font fnt = null;
    Excel.Borders bds = null;
    try
    // four COM objects are created below
    excelApp = new Excel.Application();
    wb = excelApp.Workbooks.Add();
    ws = (Excel.Worksheet)wb.Worksheets.Add();
    newRange = (Excel.Range)ws.Range["A1","A30"];
    // do these line of cod create new COM object?
    fnt = newRange.Font
    fnt.Bold = true;
    bds = new newRange.Borders;
    bds.Color = borderColor;
    finally
    if (excelApp != null) Marshal.ReleaseComObject(excelApp)
    if (wb != null) Marshal.ReleaseComObject(wb)
    if (ws != null) Marshal.ReleaseComObject(ws)
    if (newRange != null) Marshal.ReleaseComObject(newRange)
    if (fnt != null) Marshal.ReleaseComObject(fnt)
    if (bds != null) Marshal.ReleaseComObject(bds)
    How can I tell if getting a property creates a new COM object or not?

    Thank you for your replay but I do understand that the font object is a COM object.  What I'm trying to figure out is if a NEW object is created each time I access the font member of a Range object and if I need to call
    Marshal.ReleaseComObject on the font object after using it.
    Most member object of an object are a single instance and each time you access the member you simply get the pointer to that instance. For example:
    using(DataTable dt = new DataTable("Some Table Name"))
    PropertyCollection ep1 = dt.ExtendedProperties;
    PropertyCollection ep2 = dt.ExtendedProperties;
    if (Object.ReferenceEquals(ep1,ep2)) Console.WriteLine("They are the same object");
    else Console.WriteLine("They are different objects");
    The output will be: They are the same object
    On the other hand this:
    Excel._Application excelApp = new Excel.Application();
    Excel._Workbook wb = excelApp.Workbooks.Add();
    Excel._Worksheet ws = (Excel.Worksheet)wb.Worksheets.Add();
    Excel.Range newRange = (Excel.Range)ws.Range["A1","A30"];
    // do these lines of code create new COM object?
    Excel.Font ef1 = newRange.Font;
    Excel.Font ef2 = newRange.Font;
    if (Object.ReferenceEquals(ef1,ef2)) Consloe.WriteLine("They are the same object");
    else Consloe.WriteLine("They are different objects");
    The output will be: They are different objects
    It looks like each time I access the font member I get a new object.  I suspect that is not the case and what I am getting is two pointers to the same object and the reference counter is incremented by one.
    So really the question is what happens to the font member object of the Range object when the range object is released.  I assume the font member will be released along with the Range object ever if the font object has a reference count greater then
    0.
    If I am correct in my assumption then I can access the font member object as much as I need to without worrying about releasing it.
    I have been reading a lot about working with COM and the need to use Marshal.ReleaseComObject and there does seem to be a lot of disagreement and even confusion on the
    mater about when and if COM objects need to be explicitly released.

  • Microsoft.Office.Interop.Excel

    Which forum should I use to ask questions about using C# & Microsoft.Office.Interop.Excel for spreadsheets?
    Rob E.

    Hello,
    I'd ask in the
    Excel for Developers forum.
    Karl
    When you see answers and helpful posts, please click Vote As Helpful, Propose As Answer, and/or Mark As Answer.
    My Blog: Unlock PowerShell
    My Book: Windows PowerShell 2.0 Bible
    My E-mail: -join ('6F6C646B61726C40686F746D61696C2E636F6D'-split'(?<=\G.{2})'|%{if($_){[char][int]"0x$_"}})

  • Error 1310. Error writing to file: Policy.12.0.Microsoft.Office.Interop.Access.dll AHHHHHH!!!

    I'm trying to install Office 2010 Professional Plus on Windows 7 Ultimate
    I keep getting this error and I'm at witts end
    Error 1310. Error writing to file: Policy.12.0.Microsoft.Office.Interop.Access.dll.
    Verify that you have access to that directory
    I have completely uninstalled Office 2007, ran CCLeaner, Windows Install Cleanup, followed the idea's on the forums
    http://social.technet.microsoft.com/Forums/en-US/office2010/thread/4e8beb60-ac2b-4fc5-b510-628b65d7cc67
    WTH? I get the same error no matter what I do, Can anyone PLEASE help?

    Hi
    Thank you for using
    Microsoft Office for IT Professionals Forums.
    Follow these methods one by one test this issue:
    1.      
    Complete uninstall previous version of office: 
    http://support.microsoft.com/kb/290301
    2.      
    troubleshoot a problem by performing a clean boot in Windows 7
    http://support.microsoft.com/kb/929135
    3.      
    Test with a new user account
    Ÿ  
    Create a user account
    Ÿ  
    Fix a corrupted user profile
    Please take your time to try the suggestions and let me know the results at your earliest convenience. If anything is unclear or if there is anything I can do for
    you, please feel free to let me know.
    Best regards
    William Zhou
    Please remember to mark the replies as answers if they help and unmark them if they provide no help.

  • PowerShell, Office 2007: [System.Reflection.Assembly]::LoadWithPartialName("Microsoft.Office.Interop.Wor‌​d")

    Hi All,
    I have problem to convert word document in to html (Office 2007)
    Interop Assembly appear to work but powershell returns:
    Unable to
    find type [Microsoft.Office.Interop.Word.WdSaveFormat]:  
    I'using :
    $saveFormat = [Enum]::Parse([Microsoft.Office.Interop.Word.WdSaveFormat], “wdFormatFilteredHTML”);

    Hi Bill,
    Thank for your reply.
    I found this usefull script: http://gallery.technet.microsoft.com/office/6f7eee4b-1f42-499e-ae59-1aceb26100de
    On W7 + Office 2010 Works fine with no errors
    ONLY On W7 + Office 2007  returns "Unable to
    find type [Microsoft.Office.Interop.Word.WdSaveFormat]:"
    Interop Ass. same to work, only "save format" have potential strange issue.
    I don't understand why with Office 2007 only ...

  • Help and some explanation how to get a Microsoft.Office.Tools.Excel.Worksheet host item that extends the functionality of the current Microsoft.Office.Interop.Excel.Worksheet object

    Hello,
    I would use some help and more info about how to get host object that extends the functionality of my current Interop.Excel.Worksheet object. I read this artical: https://msdn.microsoft.com/en-us/library/ee794671.aspx where I can call this function
    GetVstoObject to get host object. But I see that here I need to pass the Globals.Factory object as second parametar. Can someone give me more details about that parameter and how to access it? I would like to get host object so I can access extension
    property, since my interop excel worksheet doesn't have it.  
    I am using Visual Studio 2013 for developing Excel addin. Using Excel 2010.
    Thanks in advance for help.
    Regards,
    Zeljka

    Hi Zeljka,
    >>I am using the Microsoft Office PIAs, so my question is how to access this automatic generated class Globals in my case?   <<
    Sorry, I am not able to understand the application you were developing exactly. From the orgnal post, you were developing an application level add-in, however based on the description above, it seems that you were building an console or Windows form application
    to automate Office application.
    If you were developing Office automation, the host item can't work for this secnario since it should run under the VSTO runtime.
    If I misunderstood, please feel free to let me know.
    Regards & Fei
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
    Click
    HERE to participate the survey.

  • Datamining PST Files using Microsoft.Office.Interop.Outlook

    I was wondering how to datamine a pst file beyond it's primary folders to see if an empty folder has content in a subfolder and add it to an existing psobject?
    Cheers,
    B.
    $results = New-Object System.Collections.ArrayList # Empty Array
    $null = Add-type -assembly Microsoft.Office.Interop.Outlook
    $outlook = new-object -comobject outlook.application
    $namespace = $outlook.GetNameSpace('MAPI')
    $pstpath = "d:\sample.pst"
    $namespace.AddStore($pstpath)
    $PST = $namespace.Stores | ? {$_.FilePath -eq $pstpath}
    $PSTRoot = $PST.GetRootFolder()
    $PSTName = $PST.Displayname
    Foreach ($folders in $PSTRoot.Folders) {
    $x = $folders.Name
    $y = $folders.FolderPath
    $z = $folders.Items.Count
    $Object = New-Object PSObject
    $Object | Add-Member -Name 'Name' -MemberType Noteproperty -Value $x
    $Object | Add-Member -Name 'Path' -MemberType Noteproperty -Value $y
    $Object | Add-Member -Name 'Items' -MemberType Noteproperty -Value $z
    $results += $object
    $results | Format-Table 'Name','Path','Items' -Wrap -AutoSize | Out-Default
    $results = $NULL

    Hi B,
    If you want to test the access of the .pst file, please refer to the function below:
    function Test-PSTFile {
    param(
    [Parameter(Position=1, ValueFromPipeline=$true, Mandatory=$true)]
    $FilePath,
    [Parameter(Position=2, Mandatory=$false)]
    $ErrorLog
    process {
    #Create an instance of Outlook
    $null = Add-type -assembly Microsoft.Office.Interop.Outlook
    $olFolders = 'Microsoft.Office.Interop.Outlook.olDefaultFolders' -as [type]
    $outlook = new-object -comobject outlook.application
    #Open the MAPI profile
    $namespace = $outlook.GetNameSpace('MAPI')
    try {
    #Try to add the PST file to the profile
    $namespace.AddStore($FilePath)
    #Try to read the root folder name
    $PST = $namespace.Stores | ? {$_.FilePath -eq $FilePath}
    $PSTRoot = $PST.GetRootFolder()
    if($PSTRoot) {
    New-Object PSObject -Property @{
    FileName = $FilePath
    Valid = $True
    #Disconnect the PST
    $PSTFolder = $namespace.Folders.Item($PSTRoot.Name)
    $namespace.GetType().InvokeMember('RemoveStore',[System.Reflection.BindingFlags]::InvokeMethod,$null,$namespace,($PSTFolder))
    catch {
    #If logging is on, save the error to the log
    if($ErrorLog) {
    Add-Content -Path $ErrorLog -Value ("Ran into a problem with {0} at {1}. The error was {2}" -f $FilePath, (Get-Date).ToString(),$_.Exception.Message)
    #Output a failure record
    New-Object PSObject -Property @{
    FileName = $FilePath
    Valid = $False
    Refer to:
    How to Test Outlook (PST) Personal Folder File Access with PowerShell
    If there is anything else regarding this issue, please feel free to post back.
    Best Regards,
    Anna Wang

  • Just upgraded to Lion, how can i use my microsoft office especially excel.  I'm getting messages that it's no longer supported.  This is a BIG problem.  Help, please.

    Just upgraded to Lion, how can I use my microsoft office especially excel.  I'm getting messages that it's no longer supported.  This is a BIG problem.  Help, please.

    Apple has made a serious error not advising people when the Lion upgrade occurs that their present software may/will not be compatible and advise the user of such before and allow a opt out.
    All you can do (besides upgrading all your software) is backup your data off the machine (not to TimeMachine) and disconnect all drives.
    Hold c boot off the 10.6 disk and erase your makers hard drive on the far left, (that's the entire drive of everything)
    Partition tab: Option: GUID, format OS X extended and click apply so you get a new GUID (replacing the Lion one or trouble occurs later)
    Quit and install 10.6, then go through setup and use the same name as before, then update to 10.6.8
    Then c boot off the 10.6 disk again and use Disk Utility to Repair the disk the 10.6.8 update messed up.
    Then install all your programs again from fresh sources and lastly your user files in the same main user folders as before (music, pictures, documents etc.)
    Done as described will get you back just like it was before as close as possible, make SURE to use the same username or else your iTunes and other files get all messed up. Password and drive name can be different though if you wish.
    Note: if you've upgraded from 10.5 to 10.6, then you don't get the free iLife as it's not on the 10.6.3 white disks, only on the disks that came with your machine. So that will have to be purchased and reinstalled or use Pacifist to extract it from the 10.5 disks.
    This handy site can advise you what software doesn't work with the Lion.
    http://roaringapps.com/apps:table

  • Basic question regarding SSIS 2010 Package where source is Microsoft Excel 97-2005 and there is no Microsoft office or Excel driver installed in Production

    Hi all,
    I got one basic question regarding SSIS 2010 Package where source is Microsoft Excel 97-2005. I wanted to know How this package works in production where there is no Microsoft office or Excel driver installed. To check that there is excel driver installed
    or not, I followed steps: Start-->Administrative Tools--> Data Sources(ODBC)-->Drivers and I found only 2 drivers one is SQL Server and another one is SQL Server Native Client 11.0.
    Windows edition is Windows Server 2008 R2 Enterprise, Service Pack-1 and System type is 64-bit Operating System.
    We are running this package from SQL Server Agent and using 32-bit (\\Machine_Name\d$\Program Files (x86)\Microsoft SQL Server\110\DTS\Binn\DTExec.exe /FILE "\\Machine_Name\d$\ Folder_Name\EtL.dtsx" /CONFIGFILE "\\Machine_Name\d$\Folder_Name\Config.dtsConfig"
    /MAXCONCURRENT " -1 " /CHECKPOINTING OFF /REPORTING E) to run this package. I opened the package and tried to find out what connection we have used and found that we have used "Excel Connection Manager" and ConnectionString=Provider=Microsoft.Jet.OLEDB.4.0;Data
    Source=F:\Fares.xls;Extended Properties="EXCEL 8.0;HDR=YES"; and source is ‘Excel Source’
    I discussed with my DBA and He said that SSIS is having inbuilt Excel driver but I am not convinced.
    Could anyone please clear my confusion/doubt?
    I have gone through various links but my doubt is still not clear.
    Quick Reference:
    SSIS in 32- and 64-bits
    http://toddmcdermid.blogspot.com.au/2009/10/quick-reference-ssis-in-32-and-64-bits.html
    Why do I get "product level is insufficient..." error when I run my SSIS package?
    http://blogs.msdn.com/b/michen/archive/2006/11/11/ssis-product-level-is-insufficient.aspx
    How to run SSIS Packages using 32-bit drivers on 64-bit machine
    http://help.pragmaticworks.com/dtsxchange/scr/FAQ%20-%20How%20to%20run%20SSIS%20Packages%20using%2032bit%20drivers%20on%2064bit%20machine.htm
    Troubleshooting OLE DB Provider Microsoft.ACE.OLEDB.12.0 is not registered Error when importing data from an Excel 2007 file to SQL Server 2008
    http://www.mytechmantra.com/LearnSQLServer/Troubleshoot_OLE_DB_Provider_Error_P1.html
    How Can I Get a List of the ODBC Drivers that are Installed on a Computer?
    http://blogs.technet.com/b/heyscriptingguy/archive/2005/07/07/how-can-i-get-a-list-of-the-odbc-drivers-that-are-installed-on-a-computer.aspx
    Thanks Shiven:) If Answer is Helpful, Please Vote

    Hi S Kumar Dubey,
    In SSIS, the Excel Source and Excel Destination natively use the Microsoft Jet 4.0 OLE DB Provider which is installed by SQL Server. The Microsoft Jet 4.0 OLE DB Provider deals with .xls files created by Excel 97-2003. To deal with .xlsx files created by
    Excel 2007, we need the Microsoft ACE OLEDB Provider. SQL Server doesn’t install the Microsoft ACE OLEDB Provider, to get it we can install the
    2007 Office System Driver: Data Connectivity Components or
    Microsoft Access Database Engine 2010 Redistributable or Microsoft Office suit.
    The drivers listed in the ODBC Data Source Administrator are ODBC drivers not OLEDB drivers, therefore, the Excel Source/Destination in SSIS won’t use the ODBC driver for Excel listed in it by default. On a 64-bit Windows platform, there are two versions
    of ODBC Data Source Administrator. The 64-bit ODBC Data Source Administrator is C:\Windows\System32\odbcad32.exe, while the 32-bit one is C:\Windows\SysWOW64\odbcad32.exe. The original 32-bit and 64-bit ODBC drivers are installed by the Windows operating system.
    By default, there are multiple 32-bit ODBC drivers and fewer 64-bit ODBC drivers installed on a 64-bit platform. To get more ODBC drivers, we can install the 2007 Office System Driver: Data Connectivity Components or Microsoft Access Database Engine 2010 Redistributable.
    Besides, please note that 2007 Office System Driver: Data Connectivity Components only install 32-bit ODBC and OLEDB drivers because it only has 32-bit version, but the Microsoft Access Database Engine 2010 Redistributable has both 32- bit version and 64-bit
    version.
    If you have any questions, please feel free to ask.
    Regards,
    Mike Yin
    TechNet Community Support

  • Could not load file or assembly 'Microsoft.ReportingServices.SharePoint.ObjectModel' or one of its dependencies. The located assembly's manifest definition does not match the assembly reference. (Exception from HRESULT: 0x80131040)

    Could not load file or assembly 'Microsoft.ReportingServices.SharePoint.ObjectModel' or one of its dependencies. The located assembly's manifest definition does not match the assembly reference. (Exception from HRESULT: 0x80131040)
    ===========================================================
    This is a SQL Server 2012 Developer Edition of SSRS.
    I am getting this error when navigating to http://servername/Reports. The reports site was working fine, until I installed a SQL 2014 Developer instance (including SSRS) on the same server.
    I can still get to the http://servername/ReportServer site.
    Neither of these are using Sharepoint.
    Any help resolving this issue would be greatly appreciated.
    Below is the stack trace.
    ===========================================================
    [FileLoadException: Could not load file or assembly 'Microsoft.ReportingServices.SharePoint.ObjectModel' or one of its dependencies. The located assembly's manifest definition does not match the assembly reference. (Exception from HRESULT: 0x80131040)] System.Reflection.Assembly._nLoad(AssemblyName
    fileName, String codeBase, Evidence assemblySecurity, Assembly locationHint, StackCrawlMark& stackMark, Boolean throwOnFileNotFound, Boolean forIntrospection) +0 System.Reflection.Assembly.InternalLoad(AssemblyName assemblyRef, Evidence assemblySecurity,
    StackCrawlMark& stackMark, Boolean forIntrospection) +416 System.Reflection.Assembly.InternalLoad(String assemblyString, Evidence assemblySecurity, StackCrawlMark& stackMark, Boolean forIntrospection) +166 System.Reflection.Assembly.Load(String
    assemblyString) +35 System.Web.Configuration.CompilationSection.LoadAssemblyHelper(String assemblyName, Boolean starDirective) +190 [ConfigurationErrorsException: Could not load file or assembly 'Microsoft.ReportingServices.SharePoint.ObjectModel'
    or one of its dependencies. The located assembly's manifest definition does not match the assembly reference. (Exception from HRESULT: 0x80131040)] System.Web.Configuration.CompilationSection.LoadAssemblyHelper(String assemblyName, Boolean starDirective) +1149
    System.Web.Configuration.CompilationSection.LoadAllAssembliesFromAppDomainBinDirectory() +323 System.Web.Configuration.CompilationSection.LoadAssembly(AssemblyInfo ai) +116 System.Web.Configuration.AssemblyInfo.get_AssemblyInternal() +36 System.Web.Compilation.BuildManager.GetReferencedAssemblies(CompilationSection
    compConfig) +212 System.Web.Compilation.WebDirectoryBatchCompiler..ctor(VirtualDirectory vdir) +174 System.Web.Compilation.BuildManager.BatchCompileWebDirectoryInternal(VirtualDirectory vdir, Boolean ignoreErrors) +57 System.Web.Compilation.BuildManager.CompileWebFile(VirtualPath
    virtualPath) +295 System.Web.Compilation.BuildManager.GetVPathBuildResultInternal(VirtualPath virtualPath, Boolean noBuild, Boolean allowCrossApp, Boolean allowBuildInPrecompile) +482 System.Web.Compilation.BuildManager.GetVPathBuildResultWithNoAssert(HttpContext
    context, VirtualPath virtualPath, Boolean noBuild, Boolean allowCrossApp, Boolean allowBuildInPrecompile) +108 System.Web.Compilation.BuildManager.GetVirtualPathObjectFactory(VirtualPath virtualPath, HttpContext context, Boolean allowCrossApp, Boolean
    noAssert) +171 System.Web.Compilation.BuildManager.CreateInstanceFromVirtualPath(VirtualPath virtualPath, Type requiredBaseType, HttpContext context, Boolean allowCrossApp, Boolean noAssert) +52 System.Web.UI.PageHandlerFactory.GetHandlerHelper(HttpContext
    context, String requestType, VirtualPath virtualPath, String physicalPath) +53 System.Web.HttpApplication.MapHttpHandler(HttpContext context, String requestType, VirtualPath path, String pathTranslated, Boolean useAppConfig) +519 System.Web.MapHandlerExecutionStep.System.Web.HttpApplication.IExecutionStep.Execute()
    +176 System.Web.HttpApplication.ExecuteStep(IExecutionStep step, Boolean& completedSynchronously) +274
    ===========================================================

    Hi Glen,
    "The located assembly's manifest definition does not match the assembly reference." is generally caused by the loaded assembly's version is different than the expected version application refers to.
    In this case, it should be caused by:
    While starting Report Manager, the backend process ReportingServiceService need to load assemblies it refers to
    ReportingServiceService reads the compilation/assemblies element from web.config(under Report Manager virtual patch)
    If the compilation/assemblies is not existing, ReportingServiceService loads all assemblies from Bin folder. It can be verified from call stack System.Web.Configuration.CompilationSection.LoadAllAssembliesFromAppDomainBinDirectory(). ReportingServiceService
    uses System.Reflection.Assembly.Load with the assemblies' name only to load assemblies.
    The Assembly.Load tries to load from the specify assembly by name from GAC at first. If it is found from GAC, it won't be loaded from Bin folder any more.
    Since Reporting Service SharePoint Integration mode is installed, a same assembly of 'Microsoft.ReportingServices.SharePoint.ObjectModel' with different version might be installed to the GAC. That causes the error "The located assembly's manifest definition
    does not match the assembly reference."
    For more information about the error message and the loading process, please see:
    http://blogs.msdn.com/b/junfeng/archive/2004/03/25/95826.aspx
    https://msdn.microsoft.com/en-us/library/yx7xezcf(v=vs.100).aspx
    Thanks,
    Jinchun Chen

  • File or assembly name Plumtree.WCLoader, or one of its dependencies, was no

    Greetings All,
    I am trying to run a simple .NET web app that I developed in vs.net (2003). It's got a text box and a button. I have installed the .NET Web Controls Consumer (v 3.0) and added the httpmodules line ( all on one line) just as directed on the Developer guide. There were no previous versions of .NET Web Controls Consumer installed.
    I get the Plumtree.WCloader assembly not found error.
    When I check c:\Inetpub\wwwroot\CommunityDropDown\bin Plumtree.WCLoader.dll is not there, but the Developer guide does NOT mention adding it at all, and I checked the .NET Web Controls Consumer FAQ and it says that I should NOT have to add the assembly manually, it is found automatically.
    Anyone have any thoughts?
    Here is what I get back from the server:
    Configuration Error
    Description: An error occurred during the processing of a configuration file required to service this request. Please review the specific error details below and modify your configuration file appropriately.
    Parser Error Message: File or assembly name Plumtree.WCLoader, or one of its dependencies, was not found.
    Source Error:
    Line 5:      <!-- .NET Web Controls Consumer Support -->
    Line 6:      <httpModules>
    Line 7:           <add type="Com.Plumtree.Remote.Loader.TransformerProxy, Plumtree.WCLoader, Version=3.0.0.0, Culture=neutral, PublicKeyToken=d0e882dd51ca12c5" name="PTWCFilterHttpModule" />
    Line 8:      </httpModules>
    Line 9:      
    Source File: c:\inetpub\wwwroot\CommunityDropDown\web.config Line: 7
    Assembly Load Trace: The following information can be helpful to determine why the assembly 'Plumtree.WCLoader' could not be loaded.
    === Pre-bind state information ===
    LOG: DisplayName = Plumtree.WCLoader, Version=3.0.0.0, Culture=neutral, PublicKeyToken=d0e882dd51ca12c5
    (Fully-specified)
    LOG: Appbase = file:///c:/inetpub/wwwroot/CommunityDropDown
    LOG: Initial PrivatePath = bin
    Calling assembly : (Unknown).
    ===
    LOG: Publisher policy file is not found.
    LOG: No redirect found in host configuration file (C:\WINDOWS\Microsoft.NET\Framework\v1.1.4322\aspnet.config).
    LOG: Using machine configuration file from C:\WINDOWS\Microsoft.NET\Framework\v1.1.4322\config\machine.config.
    LOG: Post-policy reference: Plumtree.WCLoader, Version=3.0.0.0, Culture=neutral, PublicKeyToken=d0e882dd51ca12c5
    LOG: Attempting download of new URL file:///C:/WINDOWS/Microsoft.NET/Framework/v1.1.4322/Temporary ASP.NET Files/communitydropdown/7582c46f/7f537e87/Plumtree.WCLoader.DLL.
    LOG: Attempting download of new URL file:///C:/WINDOWS/Microsoft.NET/Framework/v1.1.4322/Temporary ASP.NET Files/communitydropdown/7582c46f/7f537e87/Plumtree.WCLoader/Plumtree.WCLoader.DLL.
    LOG: Attempting download of new URL file:///c:/inetpub/wwwroot/CommunityDropDown/bin/Plumtree.WCLoader.DLL.
    LOG: Attempting download of new URL file:///c:/inetpub/wwwroot/CommunityDropDown/bin/Plumtree.WCLoader/Plumtree.WCLoader.DLL.
    LOG: Attempting download of new URL file:///C:/WINDOWS/Microsoft.NET/Framework/v1.1.4322/Temporary ASP.NET Files/communitydropdown/7582c46f/7f537e87/Plumtree.WCLoader.EXE.
    LOG: Attempting download of new URL file:///C:/WINDOWS/Microsoft.NET/Framework/v1.1.4322/Temporary ASP.NET Files/communitydropdown/7582c46f/7f537e87/Plumtree.WCLoader/Plumtree.WCLoader.EXE.
    LOG: Attempting download of new URL file:///c:/inetpub/wwwroot/CommunityDropDown/bin/Plumtree.WCLoader.EXE.
    LOG: Attempting download of new URL file:///c:/inetpub/wwwroot/CommunityDropDown/bin/Plumtree.WCLoader/Plumtree.WCLoader.EXE.
    Message was edited by: Richard Cromer
    rcromer

    Hi,
    I have installed DotNetAppAccelerator in my server, installation went fine. Added the following line to my web.config . When i run my application i got the following error. Any idea? did I missed any thing/step?
    Thanks in advance.
    Web.config Entries:
    =====================
    <httpModules>
                   <add type="Com.Plumtree.Remote.Loader.TransformerProxy, Plumtree.WCLoader, Version=3.0.0.0, Culture=neutral, PublicKeyToken=d0e882dd51ca12c5" name="PTWCFilterHttpModule" />
              </httpModules>
    Error:
    =======
    System.Threading.SynchronizationLockException was unhandled by user code
    Message="Object synchronization method was called from an unsynchronized block of code."
    Source="Plumtree.WCFilter"
    StackTrace:
    at Com.Plumtree.Remote.Transformer.Config.ConfigMonitor.Register(IReloadable reloadable, String configFile) in e:\buildroot\Release\wcfilter\3.0.x\filter\src\Com\Plumtree\Remote\Transformer\Config\ConfigMonitor.cs:line 134
    at Com.Plumtree.Remote.Transformer.Config.WCConfig.LoadAll(String confPath) in e:\buildroot\Release\wcfilter\3.0.x\filter\src\Com\Plumtree\Remote\Transformer\Config\WCConfig.cs:line 64
    at Com.Plumtree.Remote.Transformer.PTTransformer.get_Config() in e:\buildroot\Release\wcfilter\3.0.x\filter\src\Com\Plumtree\Remote\Transformer\PTTransformer.cs:line 22
    at Com.Plumtree.Remote.Transformer.PTTransformer.HandleRequest(HttpContext ctx) in e:\buildroot\Release\wcfilter\3.0.x\filter\src\Com\Plumtree\Remote\Transformer\PTTransformer.cs:line 60
    at Com.Plumtree.Remote.Transformer.PTTransformer.BeginRequestHandler(Object sender, EventArgs e) in e:\buildroot\Release\wcfilter\3.0.x\filter\src\Com\Plumtree\Remote\Transformer\PTTransformer.cs:line 54
    at System.Web.HttpApplication.SyncEventExecutionStep.System.Web.HttpApplication.IExecutionStep.Execute()
    at System.Web.HttpApplication.ExecuteStep(IExecutionStep step, Boolean& completedSynchronously)

  • File or assembly name openkernelsearchimpl....help?

    Hello,
    I have done a fresh install of Portal 6.0 SP1 on a machine that meets all the hardware requirements. In fact it was running the Portel of the same version previously.
    I am running the .NET version with IIS and Sql Server install on one box.
    I read another post with this error and it turnedout the NETWORK SERVICE was not applied to the Oracle\bin folder however in this case I am using .NET and NETWORK SERVICE is found with read & execute rights in all the rights spots (bin folders with openkernalsearchimpl.dll in it)
    Now after doing the install and post DB config, I get his error when trying to go to
    http://server/portal/server.pt?
    Configuration Error
    Description: An error occurred during the processing of a configuration file required to service this request. Please review the specific error details below and modify your configuration file appropriately.
    Parser Error Message: File or assembly name openkernelsearchimpl, or one of its dependencies, was not found.
    Source Error:
    Line 256: <add assembly="System.EnterpriseServices, Version=1.0.5000.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a"/>
    Line 257: <add assembly="System.Web.Mobile, Version=1.0.5000.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a"/>
    Line 258: <add assembly="*"/>
    Line 259: </assemblies>
    Line 260:
    Source File: c:\windows\microsoft.net\framework\v1.1.4322\Config\machine.config Line: 258
    Assembly Load Trace: The following information can be helpful to determine why the assembly 'openkernelsearchimpl' could not be loaded.
    === Pre-bind state information ===
    LOG: DisplayName = openkernelsearchimpl
    (Partial)
    LOG: Appbase = file:///F:/plumtree/ptportal/6.0/webapp/portal/web
    LOG: Initial PrivatePath = bin
    Calling assembly : (Unknown).
    ===
    LOG: Policy not being applied to reference at this time (private, custom, partial, or location-based assembly bind).
    LOG: Post-policy reference: openkernelsearchimpl
    LOG: Attempting download of new URL file:///C:/WINDOWS/Microsoft.NET/Framework/v1.1.4322/Temporary ASP.NET Files/portal/381b66dc/158743c6/openkernelsearchimpl.DLL.
    LOG: Attempting download of new URL file:///C:/WINDOWS/Microsoft.NET/Framework/v1.1.4322/Temporary ASP.NET Files/portal/381b66dc/158743c6/openkernelsearchimpl/openkernelsearchimpl.DLL.
    LOG: Attempting download of new URL file:///F:/plumtree/ptportal/6.0/webapp/portal/web/bin/openkernelsearchimpl.DLL.
    LOG: Policy not being applied to reference at this time (private, custom, partial, or location-based assembly bind).
    LOG: Post-policy reference: openkernelsearchimpl, Version=3.6.0.0, Culture=neutral, PublicKeyToken=null
    Version Information: Microsoft .NET Framework Version:1.1.4322.2300; ASP.NET Version:1.1.4322.2300
    Help?
    Thanks,
    V
    Computers are like Old Testament gods; lots of rules and no mercy. ~Joseph Campbell

    I'd agree that the portal seems to be somewhat "sensitive" to the openkernelsearchimpl file being properly accessible with the appropriate permissions.
    You mentioned that you were running the same version portal on the same machine previously. Did you uninstall the portal and perhaps other components (e.g. Publisher) on the same machine? If so, we've encountered problems with Publisher not properly uninstalling itself that led to similar problems.
    John

  • File or assembly name xpportlet.dll, or one of its dependencies, was not found.

    I installed EDK 5.02 + Ver 2.x of .Net Controls, referencing in Web.config the following (below). I compile project no problem. I come to run from my web server, I get this error above. Why is xpportlet.dll being called? I thought this was done away with. Anyways, you don't even have to reference anything for Native .Net controls. Am I missing something?
    TRACE DETAILS:
    === Pre-bind state information ===LOG: Where-ref bind. Location = C:\Program Files\plumtree\ptedk\5.0\devkit\dotnet\bin\xpportlet.dllLOG: Appbase = file:///D:/inetpub/wwwroot/XXXLOG: Initial PrivatePath = binCalling assembly : (Unknown).===LOG: Policy not being applied to reference at this time (private, custom, partial, or location-based assembly bind).LOG: Attempting download of new URL file:///C:/Program Files/plumtree/ptedk/5.0/devkit/dotnet/bin/xpportlet.dll.
    REF IN WEB.CONFIG FILE:
    <httpModules>
    <!-- Plumtree .NET Web Controls Support -->
    <addtype="Com.Plumtree.Remote.Loader.TransformerProxy, Plumtree.WCLoader, Version=2.0.0.0, Culture=neutral, PublicKeyToken=d0e882dd51ca12c5" name="PTWCFilterHttpModule"/>
    </httpModules>

    I am using EDK 5.0.3 and .NET Web Controls 2.0.1, and I am receiving similar errors. Any suggestions?...
    File or assembly name lc4fhqga.dll, or one of its dependencies, was not found.Description: An unhandled exception occurred during the execution of the current web request. Please review the stack trace for more information about the error and where it originated in the code. Exception Details: System.IO.FileNotFoundException: File or assembly name lc4fhqga.dll, or one of its dependencies, was not found.Source Error:An unhandled exception was generated during the execution of the current web request. Information regarding the origin and location of the exception can be identified using the exception stack trace below.Assembly Load Trace:The following information can be helpful to determine why the assembly 'lc4fhqga.dll' could not be loaded.=== Pre-bind state information ===
    LOG: Where-ref bind. Location = C:\WINNT\TEMP\lc4fhqga.dll
    LOG: Appbase = file:///E:/myapplocationLOG: Initial PrivatePath = bin
    Calling assembly : (Unknown).
    ===
    LOG: Policy not being applied to reference at this time (private, custom, partial, or location-based assembly bind).
    LOG: Attempting download of new URL file:///C:/WINNT/TEMP/lc4fhqga.dll.
    Stack Trace:[FileNotFoundException: File or assembly name lc4fhqga.dll, or one of its dependencies, was not found.]
       System.Reflection.Assembly.nLoad(AssemblyName fileName, String codeBase, Boolean isStringized, Evidence assemblySecurity, Boolean throwOnFileNotFound, Assembly locationHint, StackCrawlMark& stackMark) +0
       System.Reflection.Assembly.InternalLoad(AssemblyName assemblyRef, Boolean stringized, Evidence assemblySecurity, StackCrawlMark& stackMark) +307
       System.Reflection.Assembly.Load(AssemblyName assemblyRef, Evidence assemblySecurity) +21
       System.CodeDom.Compiler.CompilerResults.get_CompiledAssembly() +67
       System.CodeDom.Compiler.CompilerResults.get_CompiledAssembly() +0
       System.Xml.Serialization.Compiler.Compile() +409
       System.Xml.Serialization.TempAssembly..ctor(XmlMapping[] xmlMappings) +1271
       System.Xml.Serialization.XmlSerializer..ctor(Type type, String defaultNamespace) +312
       System.Xml.Serialization.XmlSerializer..ctor(Type type) +27
       Com.Plumtree.Remote.Loader.BootStrap.get_BootStrapConfig() +84
       Com.Plumtree.Remote.Loader.BootStrap.get_Configuration() +89
       Com.Plumtree.Remote.Loader.TransformerProxy.LoadProxyTarget() +12
       Com.Plumtree.Remote.Loader.TransformerProxy.InitProxy(HttpApplication app) +63
       Com.Plumtree.Remote.Loader.TransformerProxy.Init(HttpApplication app) +5
       System.Web.HttpApplication.InitModules() +100
       System.Web.HttpApplication.InitInternal(HttpContext context, HttpApplicationState state, MethodInfo[] handlers) +1295
       System.Web.HttpApplicationFactory.GetNormalApplicationInstance(HttpContext context) +392
       System.Web.HttpApplicationFactory.GetApplicationInstance(HttpContext context) +256
       System.Web.HttpRuntime.ProcessRequestInternal(HttpWorkerRequest wr) +414
    Version Information: Microsoft .NET Framework Version:1.1.4322.2032; ASP.NET Version:1.1.4322.2032

Maybe you are looking for

  • Unable to view pdf files sourced from websites

    Hi I have previously had no trouble viewing pdf files from various websites, however am now unable to.  It appears to be loading and then just comes up with a blank screen. I am able to view pdf files which have been emailed without problem. I have r

  • Making a form, why does the text type over top of itself in the form field?

    Hi, I am making a certificate form for a client to fill out and print when needed. I designed everything in InDesign, exported to pdf, and made a form field for Old English MT for the name and date. When I close the form editing window and type a nam

  • Display freezes at boot until screen moved

    March 2010 Macbook Pro 15 - display freezes at boot from cold. First image is dark purple, this lightens to patchy grey with vertical lines. Move the screen and the display changes to account log in screen, but track pointer is frozen and screen gamm

  • How do I turn off audio in Firefox?

    Hey there, I would like to mute sound in Firefox (for Mac). To put it more precise, it would be great if you could mute the audio per open tab. For instance, because you're loading a video in two tabs and you only want the sound from the one you're w

  • New safari page not opening to my "homepage"

    I have Safari preferences set to open "New Tabs Open with Homepage"  and open "New windows with Homepage" and my Homepage is set to bing.com, yet Safari still opens with the last web page I was browsing.  Why? Safari 5.1.3 OS 10.7.3