【Silverlight】解决DataTemplate绑定附加属性

    本文 Silverlight 版本:4.0。

    首先定义数据类型,此文始终使用此定义类型。

    public class SimpleData : ViewModelBase{private string _text;private int _column, _row;public string Text { get { return _text; } set { _text = value; OnPropertyChanged("Text"); } }public int Column { get { return _column; } set { _column = value; OnPropertyChanged("Column"); } }public int Row { get { return _row; } set { _row = value; OnPropertyChanged("Row"); } }}

    前台代码:

    <Grid x:Name="LayoutRoot" Background="White"><ItemsControl ItemsSource="{Binding}"><ItemsControl.ItemTemplate><DataTemplate><TextBox Text="{Binding Text}"Foreground="Green"Grid.Row="{Binding Row}"Grid.Column="{Binding Column}"Height="30" Width="150"/></DataTemplate></ItemsControl.ItemTemplate><ItemsControl.ItemsPanel><ItemsPanelTemplate><Grid ShowGridLines="True"><Grid.RowDefinitions><RowDefinition/><RowDefinition/><RowDefinition/></Grid.RowDefinitions><Grid.ColumnDefinitions><ColumnDefinition/><ColumnDefinition/></Grid.ColumnDefinitions></Grid></ItemsPanelTemplate></ItemsControl.ItemsPanel></ItemsControl></Grid>

    后台代码:

    public partial class MainPage : UserControl{public MainPage(){InitializeComponent();this.DataContext = new SimpleData[]{new SimpleData{ Text = "111111", Column = 0, Row = 0 },new SimpleData{ Text = "222222", Column = 1, Row = 1 }, new SimpleData{ Text = "333333", Column = 0, Row = 2 }, };}}

    可以看出这段代码的本意是通过绑定的方式设置,在 ItemsControl 里面显示 3 个 TextBox,同时指定了相应在 Grid 的行和列。

    但是,你懂的!

    这样的代码肯定是不能正确运行。特别是在Silverlight。

    如果这是在 WPF 环境,很庆幸你还可以用 ItemContainerStyle 搞定:

            <ItemsControl.ItemContainerStyle><Style><Setter Property="Grid.Row" Value="{Binding Row, Mode=OneWay}"/><Setter Property="Grid.Column" Value="{Binding Column, Mode=OneWay}"/></Style></ItemsControl.ItemContainerStyle>

    只可惜这是在 Silverlight 环境。我们只能够想别的办法了。

 

    为什么不可以?拿出 Silverlight Spy 或者 Snoop 查看相应的 VisualTree。可以看到在 TextBox 外面还套了一个 ContextPresenter。

201109112135557404.png

    于是我们可以想到,能不能设置 ContextPresenter 的 Grid.Row 和 Grid.Colume 达到控制行列的目的?

    于是我们得到下面的思路,使用附加属性把相应的绑定关系提升。

using System;
using System.Collections.Generic;
using System.Globalization;
using System.Linq;
using System.Reflection;
using System.Windows;
using System.Windows.Controls;
using System.Windows.Data;
using System.Windows.Media;namespace Delay
{public class UpUp : DependencyObject{// Using a DependencyProperty as the backing store for Up.  This enables animation, styling, binding, etc...public static readonly DependencyProperty UpProperty =DependencyProperty.RegisterAttached("Up", typeof(string), typeof(UpUp), new PropertyMetadata(string.Empty));public static void SetUp(FrameworkElement element, string value){HanderClosure hander = element.GetValue(UpProperty) as HanderClosure;if (hander == null){hander = new HanderClosure(element, value);element.SetValue(UpProperty, value);element.LayoutUpdated += new EventHandler(hander.element_LayoutUpdated);}}public static string GetUp(FrameworkElement element){HanderClosure hander = element.GetValue(UpProperty) as HanderClosure;if (hander == null)return null;elsereturn hander.OrgParamenter;}private class HanderClosure{private FrameworkElement _elem = null;private string[] propertys = null;private int _level;private UpMode _mode;private string _orgParamenter;public string OrgParamenter { get { return _orgParamenter; } }public HanderClosure(FrameworkElement element, string parameter){if (element == null)throw new ArgumentNullException("element");if (parameter == null)throw new ArgumentNullException("parameter");_elem = element;_level = 1;_mode = UpMode.Copy;_orgParamenter = parameter;string[] array = parameter.Split(new char[] { ';' }, StringSplitOptions.RemoveEmptyEntries);if (array.Length == 0)throw new ArgumentException("parameter");propertys = array[0].Split(new char[] { ',' }, StringSplitOptions.RemoveEmptyEntries);if (array.Length > 1){int num;if (int.TryParse(array[1].Trim(), out num)){_level = num;}}if (array.Length > 2){UpMode mode;if (Enum.TryParse<UpMode>(array[2].Trim(), true, out mode)){_mode = mode;}}}public void element_LayoutUpdated(object sender, EventArgs e){FrameworkElement parent = _elem;for (int i = 0; i < _level && parent != null; i++){parent = VisualTreeHelper.GetParent(parent) as FrameworkElement;}if (parent == null)return;foreach (string property in propertys){Apply(_elem, parent, property.Trim());}}// Copyright (C) Microsoft Corporation. All Rights Reserved.// This code released under the terms of the Microsoft Public License// (Ms-PL, http://opensource.org/licenses/ms-pl.html).private void Apply(FrameworkElement element1, FrameworkElement element2, string property){var array = property.Split('.');if (array.Length != 2)throw new ArgumentException("property");string typeName = array[0].Trim();string propertyName = array[1].Trim();Type type = null;foreach (var assembly in AssembliesToSearch){// Match on short or full nametype = assembly.GetTypes().Where(t => (t.FullName == typeName) || (t.Name == typeName)).FirstOrDefault();if (type != null)break;}if (null == type){// Unable to find the requested type anywherethrow new ArgumentException(string.Format(CultureInfo.CurrentCulture,"Unable to access type \"{0}\". Try using an assembly qualified type name.",typeName));}// Get the DependencyProperty for which to set the BindingDependencyProperty dp = null;var field = type.GetField(propertyName + "Property",BindingFlags.FlattenHierarchy | BindingFlags.Public | BindingFlags.Static);if (null != field){dp = field.GetValue(null) as DependencyProperty;}if (null == dp){// Unable to find the requsted propertythrow new ArgumentException(string.Format(CultureInfo.CurrentCulture,"Unable to access DependencyProperty \"{0}\" on type \"{1}\".",propertyName,type.Name));}BindingExpression binding = element1.GetBindingExpression(dp);object value = element1.GetValue(dp);if (binding != null){element2.SetBinding(dp, binding.ParentBinding);}else if (value != null){element2.SetValue(dp, value);}if (_mode == UpMode.Move)element1.ClearValue(dp);}// Copyright (C) Microsoft Corporation. All Rights Reserved.// This code released under the terms of the Microsoft Public License// (Ms-PL, http://opensource.org/licenses/ms-pl.html)./// <summary>/// Gets a sequence of assemblies to search for the provided type name./// </summary>private IEnumerable<Assembly> AssembliesToSearch{get{// Start with the System.Windows assembly (home of all core controls)yield return typeof(Control).Assembly;#if SILVERLIGHT && !WINDOWS_PHONE// Fall back by trying each of the assemblies in the Deployment's Parts listforeach (var part in Deployment.Current.Parts){var streamResourceInfo = Application.GetResourceStream(new Uri(part.Source, UriKind.Relative));using (var stream = streamResourceInfo.Stream){yield return part.Load(stream);}}
#endif}}}private enum UpMode{Move,Copy,}}
}

    如何使用?使用非常简单!

    在你的项目中增加 UpUp 之后,在需要提升绑定级别的 Page 的 Xaml 中引入命名空间 xmlns:delay="clr-namespace:Delay"。然后在需要提升绑定级别的控件中加入属性 delay:UpUp.Up="Grid.Row,Grid.Column"。得到完整的前台代码如下:

<UserControl x:Class="TestValueBindingInItemTemplate.MainPage"xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"xmlns:d="http://schemas.microsoft.com/expression/blend/2008"xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"xmlns:delay="clr-namespace:Delay"mc:Ignorable="d"d:DesignHeight="300" d:DesignWidth="400"><Grid x:Name="LayoutRoot" Background="White"><ItemsControl ItemsSource="{Binding}"><ItemsControl.ItemTemplate><DataTemplate><TextBox Text="{Binding Text}"Foreground="Green"Grid.Row="{Binding Row}"Grid.Column="{Binding Column}"Height="30" Width="150"delay:UpUp.Up="Grid.Row,Grid.Column"/></DataTemplate></ItemsControl.ItemTemplate><ItemsControl.ItemsPanel><ItemsPanelTemplate><Grid ShowGridLines="True"><Grid.RowDefinitions><RowDefinition/><RowDefinition/><RowDefinition/></Grid.RowDefinitions><Grid.ColumnDefinitions><ColumnDefinition/><ColumnDefinition/></Grid.ColumnDefinitions></Grid></ItemsPanelTemplate></ItemsControl.ItemsPanel></ItemsControl></Grid>
</UserControl>

    UpUp.Up 应该如何填写?实际上 UpUp.Up 属性有具体的语法格式:

 

UpUp.Up="Type.Property[,Type.Property ...][;Level[;Move|Copy]]"

 

    其中

    Type.Property 是需要提升绑定关系的属性名称,可以用逗号把多个属性名称隔开。

    Level 是整数,表示需要提升的层次。在 VisualTree 中向上一层为一个层次。

    Move|Copy 是枚举类型,表示提升之后保留原来的绑定关系。

    例如:delay:UpUp.Up="Grid.Row,Grid.Column;1;Copy"

 

    有了 UpUp 之后,对于类似的绑定问题可以轻而易举的完成了!

 

PS:WPF 也可以用此方法实现,但是有细节方面的差异。

1、不能够使用SetXXX GetXXX,要使用 XXX 属性。

2、需要注册 PropertyChangedCallback 事件,并将相关注册 Hander 部分放置到此方法内。

 

本文完整代码在此下载:http://files.cnblogs.com/Aimeast/SLTestValueBindingInItemTemplate.zip

转载于:https://www.cnblogs.com/Aimeast/archive/2011/09/11/2173788.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/261243.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

N个三角形分割平面个数(数学)

一个三角形的时候&#xff0c;再加一个三角形&#xff0c;每一条变会与第一个三角形的两条边相交&#xff0c;这样增加2个小三角形&#xff0c;即两个面。f(2)3*2f(1)&#xff0c;再加一个三角形&#xff0c;每一条边会与前两个三角形的四条边相交&#xff0c;形成四个小三角形…

2011年9月19日 面试重点:asp.net运行原理和生命周期

面试重点&#xff1a;asp.net运行原理和生命周期1、ispostback回调机制isPostBackfalse !IsPostBackture 当前页面是第一次加载IsPostBack 由于用户交互(page.submit())提交页面而产生的加载,二次加载html客户端代码将ispostback值存放在viewstate隐藏字段中<input type&quo…

redis——集群

2019独角兽企业重金招聘Python工程师标准>>> 现实中redis需要若干台redis服务器的支持&#xff1a; &#xff08;1&#xff09;从结构上&#xff0c;单个Redis服务器会产生单点故障&#xff0c;同时一台服务器需要承受所有的请求负载。这就需要为数据生成多个副本并…

POJ 2409 Let it Bead (Polya定理)

题意 用k种颜色对n个珠子构成的环上色&#xff0c;旋转翻转后相同的只算一种&#xff0c;求不等价的着色方案数。 思路 Polya定理 X是对象集合{1, 2, ……, n}&#xff0c; 设G是X上的置换群&#xff0c;用M种颜色染N种对象&#xff0c;则不同的染色方案数为&#xff1a; λ(g)…

java10支持mybatis_写了10年的代码,我最怕写Mybatis这些配置,现在有详解了

作者 | 阿进的写字台链接 | www.cnblogs.com/homejim/p/9782403.html在使用 mybatis 过程中&#xff0c; 当手写 JavaBean和XML 写的越来越多的时候&#xff0c; 就越来越同意出错。这种重复性的工作&#xff0c; 我们当然不希望做那么多。还好&#xff0c; mybatis 为我们提供…

webservice-WebService试题

ylbtech-doc:webservice-WebService试题WebService试题 1.A,返回顶部001&#xff0e;{WebService题目}下列是Web服务体系结构中的角色的是&#xff08;&#xff09;&#xff08;选择3项&#xff09; A&#xff09;服务提供者 B&#xff09;服务请求者 C&#…

Session的模拟

Session相关的mock Session相关的mock主要有以下两个步骤&#xff1a; 1&#xff09; HttpContext对象的实例化 session属于HttpContext对象&#xff0c;所以简单来说&#xff0c;就是我们需要构造一个HttpContext&#xff0c;对象然后在给其中的Session附值。然后再把它指定到…

C++ STL的基本基本原理

STL都是在内存的堆区分配的&#xff0c;但是其析构也是STL帮我们做好的&#xff0c;不用手动去delete。 1.vector 逻辑地址连续的一片内存空间&#xff0c;当空间不足&#xff0c;重新申请新的地址空间&#xff0c;将原有的数据复制过去&#xff0c;而新的地址空间的大小C没有规…

iOS 修改项目名称

2019独角兽企业重金招聘Python工程师标准>>> 1. [代码]iOS 修改项目名称 1 2. [图片] 1.png 3. [图片] 2.png 4. [图片] 3.png 5. [图片] 4.png 6. [图片] 5.png 转载于:https://my.oschina.net/5951008876/blog/681857

java wait源码_Java精通并发-透过openjdk源码分析wait与notify方法的本地实现

上一次https://www.cnblogs.com/webor2006/p/11442551.html中通过openjdk从c的底层来审视了ObjectMonitor的底层实现&#xff0c;这次继续来探究底层&#xff0c;对于wait()和notify()的底层细节到底是啥样的呢&#xff1f;下面还是先来到openjdk中来打开ObjectMonitor.hpp&…

listActivity和ExpandableListActivity的简单用法

今天自己简单的总结了listActivity和ExpandableListActivity二者的简单用法。 首先&#xff0c;先说一下listActivity的用法&#xff1a; ListActivity是一个绑定到一个数据源&#xff0c;并且用来显示这一串数据的Activity。ListActivity拥有一个listview对象来实现数据源的绑…

搭建git for windows服务器(100%可以成功)【转】

转自&#xff1a;http://blog.csdn.net/code_style/article/details/38764203 既然Git在linux下面非常好用&#xff0c;为什么还要搭建git windows的服务器&#xff0c;因为不是所有的用户都需要在linux下面做开发&#xff0c;对吧&#xff0c;还有很多用户选择使用windows做开…

【转】高性能WEB开发系列之重绘与回流

原文转载&#xff1a;http://www.cnblogs.com/wangzhichao/archive/2011/05/16/2047633.html页面呈现流程 在讨论页面重绘、回流之前。需要对页面的呈现流程有些了解&#xff0c;页面是怎么把html结合css等显示到浏览器上的&#xff0c;下面的流程图显示了浏览器对页面的呈现的…

[数据结构与算法] 单链表的简单demo

Vc6之下编译通过。。 1 /*******************************************************2 * : Project: 单链表数据结构演示3 * : File: link_list.h4 * : Function&#xff1a; 提供单链表操作的数据结构定义及方法声明5 * : History: 2013-10-01 22:37:056 * : Auth…

c++ 17介绍

作者&#xff1a;hearts zh链接&#xff1a;https://www.zhihu.com/question/32222337/answer/55238928来源&#xff1a;知乎著作权归作者所有。商业转载请联系作者获得授权&#xff0c;非商业转载请注明出处。其实现在的proposal很多很多&#xff0c;不出意外也会有相当一部分…

“高考”机器人横空出世 2017年居然要考“大学”

文/辛东方&#xff0c;80后作家、专栏作者、专注互联网科技领域人工智能的发展&#xff0c;科学技术的全力配合&#xff0c;已经把人类的智慧实实在在的体现到了智能化设备上。按照目前的发展速度&#xff0c;人工智能要想真正突破技术难关&#xff0c;达到进一步的智能化&…

谁说菜鸟不会数据分析--数据分析那些事儿

一、数据分析是“神马” 1、 何谓数据分析 简单来说&#xff0c;数据分析就是对数据进行分析&#xff0c;较为专业的说法&#xff0c;数据分析是指用适当的统计分析方法对收集来的大量数据进行分析&#xff0c;将它们加以汇总、理解并消化&#xff0c;以求最大化地开发数据的功…

优集品 php,从细节处着眼 优集品打造成人世界的儿童节

在各大电商企业仍旧在史上最大规模的价格战中拼的不可开交之时&#xff0c;重视用户体验度&#xff0c;以商品传递生活理念而知名的全球优选设计百货--LivePort优集品(http://www.liveport.cn/)&#xff0c;已然细心的为眼下即将来临的六一儿童节策划了一餐盛宴&#xff0c;为追…

java中ssm付款代码,ssm实现支付宝支付功能(图文详解)

目录1、支付宝沙箱环境测试2、支付宝整合到ssm环境3、微信支付整合到ssm环境一、支付宝测试环境代码测试1.下载电脑网站的官方demo&#xff1a;2.下载解压导入eclipsereadme.txt请好好看一下。只有一个Java配置类&#xff0c;其余都是JSP。3.配置AlipayConfig(1).注册蚂蚁金服开…

获取android手机的屏幕分辨率 android开发

2019独角兽企业重金招聘Python工程师标准>>> /** * 获取屏幕分辨率 */ private void getResolution() { // TODO Auto-generated method stub Display display getWindowManager().getDefaultDisplay(); DisplayMetrics displayMetrics new DisplayMetrics(); dis…