web-dev-qa-db-fra.com

Comment utiliser [DllImport ("")] en C #?

J'ai trouvé beaucoup de questions à ce sujet, mais personne n'explique comment je peux l'utiliser.

J'ai ceci:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Runtime.InteropServices;
using System.Windows.Forms;
using Microsoft.FSharp.Linq.RuntimeHelpers;
using System.Diagnostics;
using System.Runtime.InteropServices;
using System.IO;

public class WindowHandling
{
    public void ActivateTargetApplication(string processName, List<string> barcodesList)
    {
        [DllImport("User32.dll")]
        public static extern int SetForegroundWindow(IntPtr point);
        Process p = Process.Start("notepad++.exe");
        p.WaitForInputIdle();
        IntPtr h = p.MainWindowHandle;
        SetForegroundWindow(h);
        SendKeys.SendWait("k");
        IntPtr processFoundWindow = p.MainWindowHandle;
    }
}

Quelqu'un peut-il m'aider à comprendre pourquoi cela me donne une erreur sur la ligne DllImport et sur la ligne public static ligne?

Est-ce que quelqu'un a une idée, que puis-je faire? Je vous remercie.

35
ThomasFey

Vous ne pouvez pas déclarer une méthode locale extern à l'intérieur d'une méthode ou toute autre méthode avec un attribut. Déplacez votre importation DLL dans la classe:

using System.Runtime.InteropServices;


public class WindowHandling
{
    [DllImport("User32.dll")]
    public static extern int SetForegroundWindow(IntPtr point);

    public void ActivateTargetApplication(string processName, List<string> barcodesList)
    {
        Process p = Process.Start("notepad++.exe");
        p.WaitForInputIdle();
        IntPtr h = p.MainWindowHandle;
        SetForegroundWindow(h);
        SendKeys.SendWait("k");
        IntPtr processFoundWindow = p.MainWindowHandle;
    }
}
66
vcsjones