下面是简单的提供者和消费者 Web 部件。提供者 UI 接受一个文本字段,它传递给消费者 Web 部件,消费者 Web 部件简单地输出它。Web Part之间的连接如下接口:
namespace ConnectedWebParts
{
public interface IParcel
{
string ID { get; }
}
}
提供者 Web 部件实现了这个接口,并且必须有一个带有属性 ConnectionProvider 的方法,该方法返回自身(因为它实现了接口):
namespace ConnectedWebParts
{
public class ProviderWebPart : WebPart, IParcel
{
protected TextBox txtParcelID;
protected Button btnSubmit;
private string _parcelID = "";
protected override void CreateChildControls()
{
txtParcelID = new TextBox() { ID = "txtParcelID" };
btnSubmit = new Button() { ID = "btnSubmit", Text="Submit"};
btnSubmit.Click += btnSubmit_Click;
this.Controls.Add(txtParcelID);
this.Controls.Add(btnSubmit);
}
void btnSubmit_Click(object sender, EventArgs e)
{
_parcelID = txtParcelID.Text;
}
[ConnectionProvider("Parcel ID")]
public IParcel GetParcelProvider()
{
return this;
}
string IParcel.ID
{
get { this.EnsureChildControls(); return _parcelID; }
}
}
}
使用者 Web 部件必须定义一个具有 ConnectionConsumer 属性的方法,该属性接受实现连接接口(提供者 Web 部件)的对象作为参数:
namespace ConnectedWebParts
{
public class ConsumerWebPart : WebPart
{
protected IParcel _provider;
protected Label lblParcelID;
protected override void CreateChildControls()
{
lblParcelID = new Label();
if (_provider != null && !String.IsNullOrEmpty(_provider.ID))
lblParcelID.Text = _provider.ID;
this.Controls.Add(lblParcelID);
}
[ConnectionConsumer("Parcel ID")]
public void RegisterParcelProvider(IParcel provider)
{
_provider = provider;
}
}
}