9

在 Delphi 中有一个函数 ExpandUNCFileName 接受文件名并将其转换为 UNC 等价物。它扩展映射的驱动器并跳过本地和已经扩展的位置。

样品

C:\Folder\Text.txt -> C:\Folder\Text.txt
L:\Folder\Sample.txt -> \\server\Folder1\Folder\Sample.txt 其中 L: 映射到 \\server\Folder1 \
\\server\Folder\Sample.odf -> \server\Folder\Sample.odf

有没有一种简单的方法可以在 C# 中执行此操作,还是我必须使用 windows api 调用 WNetGetConnection 然后手动检查那些不会被映射的?

4

4 回答 4

6

这是一些带有包装函数 LocalToUNC 的 C# 代码,它似乎工作正常,尽管我没有对其进行广泛测试。

    [DllImport("mpr.dll")]
    static extern int WNetGetUniversalNameA(
        string lpLocalPath, int dwInfoLevel, IntPtr lpBuffer, ref int lpBufferSize
    );

    // I think max length for UNC is actually 32,767
    static string LocalToUNC(string localPath, int maxLen = 2000)
    {
        IntPtr lpBuff;

        // Allocate the memory
        try
        {
            lpBuff = Marshal.AllocHGlobal(maxLen); 
        }
        catch (OutOfMemoryException)
        {
            return null;
        }

        try
        {
            int res = WNetGetUniversalNameA(localPath, 1, lpBuff, ref maxLen);

            if (res != 0)
                return null;

            // lpbuff is a structure, whose first element is a pointer to the UNC name (just going to be lpBuff + sizeof(int))
            return Marshal.PtrToStringAnsi(Marshal.ReadIntPtr(lpBuff));
        }
        catch (Exception)
        {
            return null;
        }
        finally
        {
            Marshal.FreeHGlobal(lpBuff);
        }
    }
于 2013-10-01T16:06:09.440 回答
5

P/调用WNetGetUniversalName()

我已经从 www.pinvoke.net修改了这段代码。

于 2009-09-11T15:34:03.440 回答
2

BCL 中没有内置函数可以做同样的事情。我认为您拥有的最佳选择是按照您的建议 pInvoking WNetGetConnection 。

于 2009-09-11T15:28:02.190 回答
0

试试这段代码,它是用Delphi .Net编写的

你必须把它翻译成c#

function WNetGetUniversalName; external;
[SuppressUnmanagedCodeSecurity, DllImport(mpr, CharSet = CharSet.Ansi, SetLastError = True, EntryPoint = 'WNetGetUniversalNameA')]


function ExpandUNCFileName(const FileName: string): string;

function GetUniversalName(const FileName: string): string;
const
UNIVERSAL_NAME_INFO_LEVEL = 1;    
var
  Buffer: IntPtr;
  BufSize: DWORD;
begin
  Result := FileName;
  BufSize := 1024;
  Buffer := Marshal.AllocHGlobal(BufSize);
  try
    if WNetGetUniversalName(FileName, UNIVERSAL_NAME_INFO_LEVEL,
      Buffer, BufSize) <> NO_ERROR then Exit;
    Result := TUniversalNameInfo(Marshal.PtrToStructure(Buffer,
      TypeOf(TUniversalNameInfo))).lpUniversalName;
  finally
    Marshal.FreeHGlobal(Buffer);
  end;
end;

begin
  Result :=System.IO.Path.GetFullPath(FileName);
  if (Length(Result) >= 3) and (Result[2] = ':') and (Upcase(Result[1]) >= 'A')
    and (Upcase(Result[1]) <= 'Z') then
    Result := GetUniversalName(Result);
end;

再见。

于 2009-09-11T15:40:17.763 回答