Коллекция Excel.Application.Workbooks не содержит книгу, открытую из onedrive - PullRequest
1 голос
/ 19 сентября 2019

У меня есть две открытые книги.Один из стандартной папки файловой системы и один из моего onedrive для бизнес-папки (которая на самом деле является sharepoint 365)

Когда я делаю следующее:

Excel.Application app = (Excel.Application)Marshal.GetActiveObject("Excel.Application");

foreach(Excel.Workbook workbook in app.Workbooks)
{
    Debug.WriteLine(workbook.Name);
}

Только книга, открытая из моего локальногопапка найдена и Workbooks.Count == 1.

Итак, как я могу получить книгу, которая была открыта из моей папки onedrive?Мне нужно иметь возможность прикрепить к этой открытой книге, но, кажется, традиционные методы не работают, если файл хранится на sharepoint 365

1 Ответ

0 голосов
/ 24 сентября 2019

Я нашел решение своей проблемы в Code Project.Проект JamesFaix под названием Автоматизация нескольких экземпляров Excel.

В этом проекте мне потребовалось всего несколько фрагментов кода, чтобы выполнить мою задачу поиска и привязки к работающей книге Excel.Я подробно опишу их здесь, но это не моя работа, поэтому, пожалуйста, проверьте исходную статьюИспользуя приведенный ниже код, я теперь могу получить заданный экземпляр книги Excel следующим образом:

private bool TryGetOpenWorkbook(out Excel.Workbook workbook)
{
bool workbookFound = false;
workbook = null;

foreach (Process excelProcesses in Process.GetProcessesByName("EXCEL"))
{
    Excel.Application excelApp = excelProcesses.AsExcelApp();
    foreach (Excel.Workbook wb in excelApp.Workbooks)
    {
        if (wb.Name.Equals(_workbookName))
        {
            workbook = wb;
            workbookFound = true;
        }
    }
    // Release Process
    excelApp.ReleaseComObject();
    excelProcesses.ReleaseComObject();
}

return workbookFound;
}

Прежде всего, это метод расширения класса System.Diagnostics.Process:

/// <summary>
/// Gets the Excel instance running in the given process, or null if none exists.
/// </summary>
/// <param name="process">The process.</param>
public static Excel.Application AsExcelApp(this Process process)
{
    if (process == null) throw new ArgumentNullException(nameof(process));

    var handle = process.MainWindowHandle.ToInt32();
    var result = NativeMethods.AppFromMainWindowHandle(handle);
    //Debug.Assert(result != null);
    return result;
}

Затем несколько статических методов:

internal static class NativeMethods
{
private const string USER32 = "User32.dll";
private const string OLEACC = "Oleacc.dll";

public static Excel.Application AppFromMainWindowHandle(int mainWindowHandle)
    {
        if (mainWindowHandle == 0) throw new ArgumentOutOfRangeException("Window handle cannot be 0.", nameof(mainWindowHandle));

        int childHandle = 0;
        EnumChildWindows(mainWindowHandle, NextChildWindowHandle, ref childHandle);

        var win = ExcelWindowFromHandle(childHandle);

        return win?.Application;
    }

public static Excel.Window ExcelWindowFromHandle(int handle)
    {
        Excel.Window result;
        AccessibleObjectFromWindow(handle, windowObjectId, windowInterfaceId, out result);
        return result;
    }

/// <summary>Enumerates the child windows that belong to the specified parent window by passing the handle to each child window, in turn, 
/// to an application-defined callback function. EnumChildWindows continues until the last child window is enumerated or 
/// the callback function returns false.</summary>
/// <param name="hWndParent">A handle to the parent window whose child windows are to be enumerated. If this parameter is NULL,
/// this function is equivalent to EnumWindows.</param>
/// <param name="lpEnumFunc">A point to an application-defined callback function.</param>
/// <param name="lParam">An application-defined value to be passed tot he callback function.</param>
/// <returns>The return value is not used.</returns>
[DllImport(USER32)]
private static extern bool EnumChildWindows(int hWndParent, EnumChildCallback lpEnumFunc, ref int lParam);

/// <summary>An application-defined callback function used with the EnumChildWindows function. 
/// It receives the child window handles.  The WNDENUMPROC type defines a pointer to this callback function.
/// EnumChildProc is a placeholder for the application-defined function name.</summary>
/// <param name="hwnd">A handle to the child window of the parent window specified in EnumChildWindows.</param>
/// <param name="lParam">The application-defined value given in EnumChildWindows.</param>
/// <returns>To continue enumeration, the callback function must return TRUE; to stop enumeration it must return FALSE.</returns>
private delegate bool EnumChildCallback(int hwnd, ref int lParam);

private static bool NextChildWindowHandle(int currentChildHandle, ref int nextChildHandle)
    {
        //  Debug.WriteLine(DateTime.Now.ToString("hh:mm:ss.fff") + " - NextChildWindowHandle(" + currentChildHandle + ")");
        const string excelClassName = "EXCEL7";

        var result = true;

        var className = GetClassName(currentChildHandle);
        // Debug.WriteLine(currentChildHandle + " ClassName: " + className);
        if (className == excelClassName)
        {
            nextChildHandle = currentChildHandle;
            result = false;
        }
        //  Debug.WriteLine(DateTime.Now.ToString("hh:mm:ss.fff") + " - NextChildWindowHandle(" + currentChildHandle + ", ref " + nextChildHandle + ") => " + result);
        return result;
    }


/// <summary>Retrieves the address of the specified interface for the object associated with the specified window.</summary>
/// <param name="hwnd">Specifies the handle of a window for which an object is to be retrieved. 
/// To retrieve an interface pointer to the cursor or caret object, specify NULL and use the appropriate ID in dwObjectID.</param>
/// <param name="dwObjectID">Specifies the object ID. This value is one of the standard object identifier constants or a custom object ID
/// such as OBJID_NATIVEOM, which is the object ID for the Office native object model.</param>
/// <param name="riid">Specifies the reference identifier of the requested interface. This value is either IID_IAccessible or IID_Dispatch,
/// but it can also be IID_IUnknown, or the IID of any interface that the object is expected to support.</param>
/// <param name="ppvObject">Address of a pointer variable that receives the address of the specified interface.</param>
/// <returns>If successful, returns S_OK; otherwise returns E_INVALIDARG, E_NOINTERFACE, or another standard COM error code.</returns>
[DllImport(OLEACC)]
private static extern int AccessibleObjectFromWindow(int hwnd, uint dwObjectID, byte[] riid, out Excel.Window ppvObject);

private const uint windowObjectId = 0xFFFFFFF0;
private static readonly byte[] windowInterfaceId = new Guid("{00020400-0000-0000-C000-000000000046}").ToByteArray();

#region Get class name

//Gets the name of the COM class to which the specified window belongs.
private static string GetClassName(int windowHandle)
{
    var buffer = new StringBuilder(128);
    GetClassName(windowHandle, buffer, 128);
    return buffer.ToString();
}

/// <summary>Retrieves the name of the class to which the specified window belongs.</summary>
/// <param name="hWnd">A handle to the window and, indirectly, the class to which the window belongs.</param>
/// <param name="lpClassName">The class name string.</param>
/// <param name="nMaxCount">The length of the lpClassName buffer, in characters. The buffer must be large enough to include
/// the terminating null character; otherwise, the class name string is truncated to nMaxCount-1 characters.</param>
/// <returns>If the function succeeds, the number of characters copied to the buffer not including the terminating null character;
/// otherwise 0.</returns>
[DllImport(USER32, CharSet = CharSet.Unicode)]
private static extern int GetClassName(int hWnd, StringBuilder lpClassName, int nMaxCount);

#endregion

}

...