Xamarin.Form目前是微软提供的一种跨平台的开发技术,可以让开发者在iOS、Android和Window Phone等平台上共享60%以上的代码,从而节省维护多个平台代码的精力。但是完全不跟特定平台的代码打交道也是不可能的,为此,Xamarin.Form提供了一个强大的Api,让开发者可以实现跨平台调用代码,这个Api就是DependencyService。
利用DependencyService,我们就可以调用特定平台的代码,从而可以做原生代码所能做的任何事情。
为了在Xamarin.Form中使用DependencyService,我们需要做以下四件事情。
- 定义接口,这个接口是平台无关的,定义了Xamarin.Form与特定平台交互的方式。
- 编写特定平台上的具体实现。
- 通过DependencyService所提供的元标记来注册这些实现,让DependencyService在运行时可以找到特定的实现类。
- 在Xamarin.Form中使用DependencyService显式调用接口的实现。
定义接口
接口决定了我们在Xamarin.Form中使用平台代码的方式,这里我们定义一个文本转语音的接口。
public interface ITextToSpeech {
void Speak ( string text );
}
编写特定平台上的实现
实现类必然要实现上面所定义的接口,并且必须有一个无参构造器。
这里以iOS平台为例。
public class TextToSpeechImplementation : ITextToSpeech
{
public TextToSpeechImplementation () {}
public void Speak (string text)
{
var speechSynthesizer = new AVSpeechSynthesizer ();
var speechUtterance = new AVSpeechUtterance (text) {
Rate = AVSpeechUtterance.MaximumSpeechRate/4,
Voice = AVSpeechSynthesisVoice.FromLanguage ("en-US"),
Volume = 0.5f,
PitchMultiplier = 1.0f
};
speechSynthesizer.SpeakUtterance (speechUtterance);
}
}
注册实现
完成实现之后,我们还要使用[assembly]
标记来注册他们,唯有这样,DependencyService才能在运行时找到接口所对应的实现类。
我们要在命名空间之上添加如下代码:
using AVFoundation;
using DependencyServiceSample.iOS;//enables registration outside of namespace
[assembly: Xamarin.Forms.Dependency (typeof (TextToSpeechImplementation))]
namespace DependencyServiceSample.iOS {
public class TextToSpeechImplementation : ITextToSpeech
......
其中,由于注册的声明位置在命名空间之外,所以需要在引用中添加对该命名空间的引用,否则注册会报错。
将上述两部分加在一起的实现类完整代码如下:
using AVFoundation;
using DependencyServiceSample.iOS;//enables registration outside of namespace
[assembly: Xamarin.Forms.Dependency (typeof (TextToSpeechImplementation))]
namespace DependencyServiceSample.iOS {
public class TextToSpeechImplementation : ITextToSpeech
{
public TextToSpeechImplementation () {}
public void Speak (string text)
{
var speechSynthesizer = new AVSpeechSynthesizer ();
var speechUtterance = new AVSpeechUtterance (text) {
Rate = AVSpeechUtterance.MaximumSpeechRate/4,
Voice = AVSpeechSynthesisVoice.FromLanguage ("en-US"),
Volume = 0.5f,
PitchMultiplier = 1.0f
};
speechSynthesizer.SpeakUtterance (speechUtterance);
}
}
在Android平台和Window Phone上也是如此,除了实现不同,其它的部分都是一样的。这里不作赘述。
使用DependencyService
完成了上述步骤之后,我们在Xamarin.Form使用DependencyService.Get
就可以获得一个ITextToSpeech实现类的实例对象。
具体获得哪一个实现类取决于Xamarin.Form所运行的平台。
需要指出的是,DependencyService.Get
每一次都会返回同一个对象,事实上,Get
是这样的:Get
。
DependencyFetchTarget是个枚举类,
public enum DependencyFetchTarget
{
GlobalInstance,
NewInstance
}
故名思义,GlobalInstance
是每次都返回同一个全局的对象,也就单例模式;而NewInstance
则是每次都返回一个新的对象。而Get
等价于Get
,因此默认是单例模式。
可以看出,DependencyService.Get
是不接收其它参数类型的,这也就是为什么实现类必须有一个无参构造器。
最后,代码结构应该如下这般:
参考文献
Introduction to DependencyService