ドメイン オブジェクトへの呼び出しを調整するために、サービス レイヤーをドメイン モデル レイヤーのファサードとして機能させます。インスタンスの作成に MEF を利用するために、WCF サービス用のカスタム インスタンス プロバイダーを作成しました。ここで、監査とログ記録のために PIAB を適用する必要があります。どうすればできますか?
1 に答える
0
Jimmy Tonner は、MEF と PIAB の混合に関する素晴らしいブログを書いています ( http://blogs.msdn.com/b/jimmytr/archive/2010/06/22/mixing-mef-and-piab.aspxにアクセスしてください)。これは、PIAB を MEFied WCF サービスに適用するという私のソリューションに影響を与えました。アイデアは単純です。MEF を使用して、最初にすべてのサービス構成を管理します。次に、カスタム インスタンス プロバイダーで、MEF コンテナーによってサービス インスタンスを見つけた後、PolicyInjection.Wrap を適用します。以下はコードサンプルです。
サービス:
[Export(typeof(ICustomerService))]
public class CustomerService : ICustomerService
{
#region ICustomerService Members
public Customer GetCustomer(string customerID)
{
return CustomerDAO.GetCustomer(customerID);
}
#endregion
}
カスタム インスタンス プロバイダー:
public class PolicyInjectionInstanceProvider : IInstanceProvider
{
private Type serviceContractType;
private CompositionContainer Container { get; set; }
public PolicyInjectionInstanceProvider(Type t)
{
if (t!= null && !t.IsInterface)
{
throw new ArgumentException("Specified Type must be an interface");
}
this.serviceContractType = t;
}
#region IInstanceProvider Members
public object GetInstance(InstanceContext instanceContext, System.ServiceModel.Channels.Message message)
{
Type type = instanceContext.Host.Description.ServiceType;
if (serviceContractType != null)
{
Compose();
var importDefinition = new ImportDefinition(i => i.ContractName.Equals(serviceContractType.FullName), serviceContractType.FullName, ImportCardinality.ZeroOrMore, false, false);
var atomicComposition = new AtomicComposition();
IEnumerable<Export> extensions;
Container.TryGetExports(importDefinition, atomicComposition, out extensions);
if (extensions != null && extensions.Count() > 0)
{
var service = extensions.First().Value;
return PolicyInjection.Wrap(serviceContractType, service);
}
}
else
{
if (!type.IsMarshalByRef)
{
throw new ArgumentException("Type Must inherit MarshalByRefObject if no ServiceInterface is Specified");
}
return PolicyInjection.Create(type);
}
return null;
}
public object GetInstance(InstanceContext instanceContext)
{
return GetInstance(instanceContext, null);
}
public void ReleaseInstance(InstanceContext instanceContext, object instance)
{
var disposable = instance as IDisposable;
if (disposable != null)
{
disposable.Dispose();
}
Container.Dispose();
}
#endregion
#region Private Methods
private void Compose()
{
var catalog = new AggregateCatalog();
catalog.Catalogs.Add(new DirectoryCatalog(@".\")); //Extensions
Container = new CompositionContainer(catalog);
}
#endregion
}
于 2011-10-05T09:09:17.290 に答える