WPF線段式佈局的一種實現

来源:https://www.cnblogs.com/yiyan127/archive/2019/05/22/WP-SegmentsPanel.html
-Advertisement-
Play Games

線段式佈局 有時候需要實現下麵類型的佈局方案,不知道有沒有約定俗成的稱呼,我個人強名為線段式佈局。因為元素恰好放置線上段的端點上。 實現 WPF所有佈局控制項都直接或間接的繼承自System.Windows.Controls. Panel,常用的佈局控制項有Canvas、DockPanel、Grid、S ...


線段式佈局

有時候需要實現下麵類型的佈局方案,不知道有沒有約定俗成的稱呼,我個人強名為線段式佈局。因為元素恰好放置線上段的端點上。

segment

實現

WPF所有佈局控制項都直接或間接的繼承自System.Windows.Controls. Panel,常用的佈局控制項有Canvas、DockPanel、Grid、StackPanel、WrapPanel,都不能直接滿足這種使用場景。因此,我們不妨自己實現一個佈局控制項。

不難看出,該佈局的特點是:最左側朝右佈局,最右側朝左佈局,中間點居中佈局。因此,我們要做的就是在MeasureOverride和ArrangeOverride做好這件事。另外,為了功能豐富,添加了一個朝向屬性。代碼如下:

using System;
using System.Linq;
using System.Windows;
using System.Windows.Controls;

namespace SegmentDemo
{
    /// <summary>
    /// 類似線段的佈局面板,即在最左側朝右佈局,最右側朝左佈局,中間點居中佈局
    /// </summary>
    public class SegmentsPanel : Panel
    {
        /// <summary>
        /// 可見子元素個數
        /// </summary>
        private int _visibleChildCount;

        /// <summary>
        /// 朝向的依賴屬性
        /// </summary>
        public static readonly DependencyProperty OrientationProperty = DependencyProperty.Register(
            "Orientation", typeof(Orientation), typeof(SegmentsPanel),
            new FrameworkPropertyMetadata(Orientation.Horizontal, FrameworkPropertyMetadataOptions.AffectsMeasure));

        /// <summary>
        /// 朝向
        /// </summary>
        public Orientation Orientation
        {
            get { return (Orientation)GetValue(OrientationProperty); }
            set { SetValue(OrientationProperty, value); }
        }

        protected override Size MeasureOverride(Size constraint)
        {
            _visibleChildCount = this.CountVisibleChild();

            if (_visibleChildCount == 0)
            {
                return new Size(0, 0);
            }

            double width = 0;
            double height = 0;

            Size availableSize = new Size(constraint.Width / _visibleChildCount, constraint.Height);

            if (Orientation == Orientation.Vertical)
            {
                availableSize = new Size(constraint.Width, constraint.Height / _visibleChildCount);
            }

            foreach (UIElement child in Children)
            {
                child.Measure(availableSize);
                Size desiredSize = child.DesiredSize;

                if (Orientation == Orientation.Horizontal)
                {
                    width += desiredSize.Width;
                    height = Math.Max(height, desiredSize.Height);
                }
                else
                {
                    width = Math.Max(width, desiredSize.Width);
                    height += desiredSize.Height;
                }
            }

            return new Size(width, height);
        }

        protected override Size ArrangeOverride(Size arrangeSize)
        {
            if (_visibleChildCount == 0)
            {
                return arrangeSize;
            }

            int firstVisible = 0;
            while (InternalChildren[firstVisible].Visibility == Visibility.Collapsed)
            {
                firstVisible++;
            }

            UIElement firstChild = this.InternalChildren[firstVisible];
            if (Orientation == Orientation.Horizontal)
            {
                this.ArrangeChildHorizontal(firstChild, arrangeSize.Height, 0);
            }
            else
            {
                this.ArrangeChildVertical(firstChild, arrangeSize.Width, 0);
            }

            int lastVisible = _visibleChildCount - 1;
            while (InternalChildren[lastVisible].Visibility == Visibility.Collapsed)
            {
                lastVisible--;
            }

            if (lastVisible <= firstVisible)
            {
                return arrangeSize;
            }

            UIElement lastChild = this.InternalChildren[lastVisible];
            if (Orientation == Orientation.Horizontal)
            {
                this.ArrangeChildHorizontal(lastChild, arrangeSize.Height, arrangeSize.Width - lastChild.DesiredSize.Width);
            }
            else
            {
                this.ArrangeChildVertical(lastChild, arrangeSize.Width, arrangeSize.Height - lastChild.DesiredSize.Height);
            }

            int ordinaryChildCount = _visibleChildCount - 2;
            if (ordinaryChildCount > 0)
            {
                double uniformWidth = (arrangeSize.Width  - firstChild.DesiredSize.Width / 2.0 - lastChild.DesiredSize.Width / 2.0) / (ordinaryChildCount + 1);
                double uniformHeight = (arrangeSize.Height - firstChild.DesiredSize.Height / 2.0 - lastChild.DesiredSize.Height / 2.0) / (ordinaryChildCount + 1);

                int visible = 0;
                for (int i = firstVisible + 1; i < lastVisible; i++)
                {
                    UIElement child = this.InternalChildren[i];
                    if (child.Visibility == Visibility.Collapsed)
                    {
                        continue;
                    }

                    visible++;

                    if (Orientation == Orientation.Horizontal)
                    {
                        double x = firstChild.DesiredSize.Width / 2.0 + uniformWidth * visible - child.DesiredSize.Width / 2.0;
                        this.ArrangeChildHorizontal(child, arrangeSize.Height, x);
                    }
                    else
                    {
                        double y = firstChild.DesiredSize.Height / 2.0 + uniformHeight * visible - child.DesiredSize.Height / 2.0;
                        this.ArrangeChildVertical(child, arrangeSize.Width, y);
                    }
                }
            }

            return arrangeSize;
        }

        /// <summary>
        /// 統計可見的子元素數
        /// </summary>
        /// <returns>可見子元素數</returns>
        private int CountVisibleChild()
        {
            return this.InternalChildren.Cast<UIElement>().Count(element => element.Visibility != Visibility.Collapsed);
        }

        /// <summary>
        /// 在水平方向安排子元素
        /// </summary>
        /// <param name="child">子元素</param>
        /// <param name="height">可用的高度</param>
        /// <param name="x">水平方向起始坐標</param>
        private void ArrangeChildHorizontal(UIElement child, double height, double x)
        {
            child.Arrange(new Rect(new Point(x, 0), new Size(child.DesiredSize.Width, height)));
        }

        /// <summary>
        /// 在豎直方向安排子元素
        /// </summary>
        /// <param name="child">子元素</param>
        /// <param name="width">可用的寬度</param>
        /// <param name="y">豎直方向起始坐標</param>
        private void ArrangeChildVertical(UIElement child, double width, double y)
        {
            child.Arrange(new Rect(new Point(0, y), new Size(width, child.DesiredSize.Height)));
        }
    }
}

連線功能

端點有了,有時為了美觀,需要在端點之間添加連線功能,如下:

segment_line

該連線功能是集成在佈局控制項裡面還是單獨,我個人傾向於單獨使用。因為本質上這是一種裝飾功能,而非佈局核心功能。

裝飾功能需要添加很多屬性來控制連線,比如控制連線位置的屬性。但是因為我懶,所以我破壞了繼承自Decorator的原則。又正因為如此,我也否決了繼承自Border的想法,因為我想使用Padding屬性來控制連線位置,但是除非顯式改寫,否則Border會保留Padding的空間。最後,我選擇了ContentControl作為基類,只添加了連線大小一個屬性。連線位置是通過VerticalContentAlignment(HorizontalContentAlignment)和Padding來控制,連線顏色和粗細參考Border,但是沒有圓角功能(又是因為我懶,你來打我啊)。

連線是通過在OnRender中畫線來實現的。考慮到佈局控制項可能用於ItemsControl,並不是要求獨子是佈局控制項,只要N代碼單傳是佈局控制項就行。代碼就不貼了,放在代碼部分:

代碼

博客園:SegmentDemo


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 問題描述: 給定一個數組,它的第 i 個元素是一支給定股票第 i 天的價格。 設計一個演算法來計算你所能獲取的最大利潤。你可以儘可能地完成更多的交易(多次買賣一支股票)。 註意:你不能同時參與多筆交易(你必須在再次購買前出售掉之前的股票) 問題分析: 股票可以在當天進行買賣,所以在我們計算利潤的時候, ...
  • 1 package com.demo; 2 3 import java.util.Random; 4 import java.util.Scanner; 5 6 /* 7 * 猜數字游戲 8 * 隨機生成一個100以內的整數,然後從鍵盤輸入一個整數, 9 * 如果大了,提示大了,如果小了,提示小了,... ...
  • 上面是web.xml 下麵是servletlife java類 ...
  • 最近在研究Java爬蟲,小有收穫,打算一邊學一邊跟大家分享下,在乾貨開始前想先跟大家啰嗦幾句。 一、首先說下為什麼要研究Java爬蟲 Python已經火了很久了,它功能強大,其中很擅長的一個就是寫爬蟲程式。作為一名Javaer,想要寫爬蟲的話難道要學習python嗎? 想到這個問題我去度娘了下,其實 ...
  • 1 package com.demo; 2 3 import java.util.Scanner; 4 5 /* 6 * 題目:根據指定月份,列印該月份所屬的季節 7 * 8 * 春季:3 4 5 9 * 夏季:6 7 8 10 * 秋季:9 10 11 11 * 冬季:12 1 2 12 */ 1... ...
  • 在微服務項目中,一個系統可以分割成很多個不同的服務模塊,不同模塊之間我們通常需要進行相互調用。springcloud中可以使用RestTemplate+Ribbon和Feign來調用(工作中基本都是使用feign)。有時為了提高系統的健壯性,某些訪問量大的服務模塊還會做集群部署。但是服務之間的調用不 ...
  • 1 public class Demo { 2 3 public static void main(String[] args) { 4 5 /* 6 * 求出1~100之間,既是3又是7的倍數的自然數出現的次數 7 */ 8 int count = 0; // 計數 9 for (... ...
  • 昨天在使用VS通過ODT連接資料庫扒模型的時候發現了這個異常。經過測試,發現這個異常是因為 ODT 插件無法識別服務名中的“.”字元 導致的,比如“orcl.asian.com”。其他不包含“.”字元的服務名皆可正常連接。做了下簡單的回溯,一個月前的ODT插件是正常工作的,期間資料庫未作任何改動。唯 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...