前言
快捷方式是一种特殊的文件,扩展名为 lnk。有很多种方式来创建快捷方式,首先我们看一下快捷方式是什么。对快捷方式点右键,选择属性菜单,在弹出的属性对话框的常规tab中可以看到,文件类型是快捷方式(.lnk),所以快捷方式本质上是lnk文件。
不过使用 c# 代码创建一个却并不那么容易,本文分享三种不同的方式创建快捷方式。
随处可用的代码
这是最方便的方式了,因为这段代码随便放到一段代码中就能运行:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
|
/// <summary>
/// 为当前正在运行的程序创建一个快捷方式。
/// </summary>
/// <param name="lnkfilepath">快捷方式的完全限定路径。</param>
/// <param name="args">快捷方式启动程序时需要使用的参数。</param>
private static void createshortcut( string lnkfilepath, string args = "" )
{
var shelltype = type.gettypefromprogid( "wscript.shell" );
dynamic shell = activator.createinstance(shelltype);
var shortcut = shell.createshortcut(lnkfilepath);
shortcut.targetpath = assembly.getentryassembly().location;
shortcut.arguments = args;
shortcut.workingdirectory = appdomain.currentdomain.setupinformation.applicationbase;
shortcut.save();
}
|
以上代码为当前正在运行的程序创建一个快捷方式。当然,如果你希望给其他文件创建快捷方式,就改一改里面的代码吧,将 targetpath 和 workingdirectory 改为其他参数。
▲ 快捷方式属性(其中 target 等同于上面的 targetpath 和 arguments 一起,start in 等同于上面的 workingdirectory)
引用 com 组件
引用 com 组件 interop.iwshruntimelibrary.dll 能够获得类型安全,不过本质上和以上方法是一样的。
1
2
3
4
5
6
7
8
9
|
private static void createshortcut( string lnkfilepath, string args = "" )
{
var shell = new iwshruntimelibrary.wshshell();
var shortcut = (iwshruntimelibrary.iwshshortcut) shell.createshortcut(linkfilename);
shortcut.targetpath = assembly.getentryassembly().location;
shortcut.arguments = args;
shortcut.workingdirectory = appdomain.currentdomain.setupinformation.applicationbase;
shortcut.save();
}
|
兼容 .net 3.5 或早期版本
如果你还在使用 .net framework 3.5 或更早期版本,那真的很麻烦。同情你以下,不过也贴一段代码:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
|
private static void createshortcut( string lnkfilepath, string args = "" )
{
var shelltype = type.gettypefromprogid( "wscript.shell" );
var shell = activator.createinstance(shelltype);
var shortcut = shelltype.invokemember( "createshortcut" ,
bindingflags. public | bindingflags.instance | bindingflags.invokemethod,
null , shell, new object [] { linkfilename });
var shortcuttype = shortcut.gettype();
shortcuttype.invokemember( "targetpath" ,
bindingflags. public | bindingflags.instance | bindingflags.setproperty,
null , shortcut, new object [] { assembly.getentryassembly().location });
shortcuttype.invokemember( "arguments" ,
bindingflags. public | bindingflags.instance | bindingflags.setproperty,
null , shortcut, new object [] { args });
shortcuttype.invokemember( "workingdirectory" ,
bindingflags. public | bindingflags.instance | bindingflags.setproperty,
null , shortcut, new object [] { appdomain.currentdomain.setupinformation.applicationbase });
shortcuttype.invokemember( "save" ,
bindingflags. public | bindingflags.instance | bindingflags.invokemethod,
null , shortcut, null );
}
|
总结
以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作具有一定的参考学习价值,如果有疑问大家可以留言交流,谢谢大家对服务器之家的支持。
原文链接:https://walterlv.github.io/post/create-shortcut-file-using-csharp.html