Web Components Tree Grid Summaries

    Web Components 트리 그리드의 Ignite UI for Web Components 요약 기능은 열별 수준에서 그룹 바닥글로 작동합니다. Web Components IgcTreeGrid 요약은 사용자가 열 내의 데이터 유형에 따라 또는 사용자 지정 템플릿을 IgcTreeGridComponent 구현하여 미리 정의된 기본 요약 항목 집합이 있는 별도의 컨테이너에서 열 정보를 볼 수 있도록 하는 강력한 기능입니다.

    Web Components Tree Grid Summaries Overview Example

    [!Note] The summary of the column is a function of all column values, unless filtering is applied, then the summary of the column will be function of the filtered result values

    IgcTreeGridComponent 요약은 Ignite UI for Web Components의 열별 수준에서 활성화할 수도 있으며, 이는 필요한 열에 대해서만 활성화할 수 있음을 의미합니다. IgcTreeGridComponent summaries는 열의 데이터 유형에 따라 미리 정의된 기본 요약 집합을 제공하므로 시간을 절약할 수 있습니다.

    stringboolean dataType의 경우 다음 함수를 사용할 수 있습니다.

    • 세다

    number, currencypercent 데이터 유형의 경우 다음 함수를 사용할 수 있습니다.

    • 세다
    • 최소
    • 맥스
    • 평균
    • 합집합

    date 데이터 유형의 경우 다음 기능을 사용할 수 있습니다.

    • 세다
    • 가장 빠른
    • 최신

    사용 가능한 모든 열 데이터 유형은 공식 열 유형 항목에서 찾을 수 있습니다.

    IgcTreeGridComponent 요약은 설정을 통해 열별로 사용할 수 있습니다. hasSummary property 를 . 또한 각 열에 대한 요약은 열 데이터 형식에 따라 확인된다는 점을 명심해야 합니다. 안에 IgcTreeGridComponent 기본 열 데이터 형식은 string, 그래서 당신이 원한다면 number 또는 date 특정 요약을 지정해야 합니다. dataType 속성을 number 또는 date. 요약 값은 그리드에 따라 지역화되어 표시됩니다 locale 및 열 pipeArgs.

    <igc-tree-grid id="grid1" auto-generate="false" height="800px" width="800px">
        <igc-column field="ID" header="Order ID">
        </igc-column>
        <igc-column field="Name" header="Order Product" has-summary="true">
        </igc-column>
        <igc-column field="Units" header="Units" editable="true" data-type="number" has-summary="true">
        </igc-column>
    </igc-tree-grid>
    

    특정 열 또는 열 목록에 대한 요약을 활성화/비활성화하는 다른 방법은 public method enableSummaries / disableSummaries of를 IgcTreeGridComponent 사용하는 것입니다.

    <igc-tree-grid auto-generate="false" name="treeGrid" id="treeGrid" primary-key="ID">
        <igx-column field="ID" header="Order ID" width="200px">
        </igx-column>
        <igx-column field="Name" header="Order Product" width="200px" [hasSummary]="true">
        </igx-column>
        <igx-column field="Units" width="200px" [editable]="true" [dataType]="'number'" [hasSummary]="true">
        </igx-column>
    </igc-tree-grid>
    <button id="enableBtn">Enable Summary</button>
    <button id="disableBtn">Disable Summary </button>
    
    constructor() {
        var treeGrid = this.treeGrid = document.getElementById('treeGrid') as IgcTreeGrid;
        var enableBtn = this.enableBtn = document.getElementById('enableBtn') as HTMLButtonElement;
        var disableBtn = this.disableBtn = document.getElementById('disableBtn') as HTMLButtonElement;
        treeGrid.data = this.data;
        enableBtn.addEventListener("click", this.enableSummary);
        disableBtn.addEventListener("click", this.disableSummary);
    }
    
    public enableSummary() {
        this.treeGrid.enableSummaries([
            {fieldName: 'Name'},
            {fieldName: 'Units'}
        ]);
    }
    public disableSummary() {
        this.treeGrid.disableSummaries(['Units']);
    }
    

    Custom Tree Grid Summaries

    이러한 기능이 요구 사항을 충족하지 못하는 경우 특정 열에 대한 사용자 정의 요약을 제공할 수 있습니다.

    이를 달성하려면 열 데이터 유형 및 필요에 따라 기본 클래스 IgcSummaryOperand, IgcNumberSummaryOperand 또는 IgcDateSummaryOperand 중 하나를 재정의해야 합니다. 이 방법으로 기존 기능을 재정의하거나 새 기능을 추가할 수 있습니다. IgcSummaryOperand 클래스는 count 메소드에 대해서만 기본 구현을 제공합니다. IgcNumberSummaryOperand​ ​IgcSummaryOperand 확장하고 Min, Max, SumAverage에 대한 구현을 제공합니다. IgcDateSummaryOperand​ ​IgcSummaryOperand 확장하고 추가로 EarliestLatest 제공합니다.

    import { IgcSummaryResult, IgcSummaryOperand, IgcNumberSummaryOperand, IgcDateSummaryOperand } from 'igniteui-webcomponents-grids';
    
    class MySummary extends IgcNumberSummaryOperand {
        constructor() {
            super();
        }
    
        operate(data?: any[]): IgcSummaryResult[] {
            const result = super.operate(data);
            result.push({
                key: 'test',
                label: 'Test',
                summaryResult: data.filter(rec => rec > 10 && rec < 30).length
            });
            return result;
        }
    }
    

    예제에서 볼 수 있듯이 기본 클래스는 operate 메서드를 노출하므로 모든 기본 요약을 가져오고 결과를 수정하거나 완전히 새로운 요약 결과를 계산하도록 선택할 수 있습니다.

    이 메소드는 IgcSummaryResult 목록을 반환합니다.

    interface IgcSummaryResult {
        key: string;
        label: string;
        summaryResult: any;
    }
    

    요약을 계산하기 위해 선택적 매개변수를 사용합니다. 아래의 모든 데이터 섹션에 액세스하는 사용자 정의 요약을 참조하세요.

    [!Note] In order to calculate the summary row height properly, the Tree Grid needs the Operate method to always return an array of IgcSummaryResult with the proper length even when the data is empty.

    이제 열 title에 사용자 지정 요약을 추가해 보겠습니다. 우리는 Summaries의 속성을 아래에서 만든 클래스로 설정하여 이를 달성할 것입니다.

    <igc-tree-grid auto-generate="false" name="treeGrid" id="treeGrid" primary-key="ID">
        <igc-column field="Name" data-type="string"></igc-column>
        <igc-column field="Age" data-type="number"></igc-column>
        <igc-column field="Title" data-type="string" has-summary="true" id="column1"></igc-column>
    </igc-tree-grid>
    
    constructor() {
        var treeGrid = this.treeGrid = document.getElementById('treeGrid') as IgcTreeGrid;
        var column1 = this.column1 = document.getElementById('column1') as IgcColumnComponent;
        treeGrid.data = this.data;
        column1.summaries = this.mySummary;
    }
    
    export class TreeGridComponent implements OnInit {
        mySummary = MySummary;
    }
    

    Custom summaries, which access all data

    이제 사용자 지정 열 요약 내의 모든 트리 그리드 데이터에 액세스할 수 있습니다. SummaryOperand 메서드에는 두 개의 추가 선택적 매개 변수가 도입되었습니다 Operate. 아래 코드 스니펫에서 볼 수 있듯이 operation 메서드에는 다음 세 가지 매개 변수가 있습니다.

    • columnData - 현재 열의 값만 포함하는 배열을 제공합니다.
    • allGridData - 전체 그리드 데이터 소스를 제공합니다.
    • fieldName - 현재 열 필드
    class MySummary extends IgcNumberSummaryOperand {
        constructor() {
            super();
        }
        operate(columnData: any[], allGridData = [], fieldName?): IgcSummaryResult[] {
            const result = super.operate(allData.map(r => r[fieldName]));
            result.push({ key: 'totalOnPTO', label: 'Employees On PTO', summaryResult: this.count(allData.filter((rec) => rec['OnPTO']).map(r => r[fieldName])) });
            return result;
        }
    }
    

    Summary Template

    Summary 열 요약 결과를 컨텍스트로 제공하는 열 요약을 대상으로 합니다.

    <igc-column id="column" has-summary="true">
    </igc-column>
    
    constructor() {
        var column = this.column = document.getElementById('column') as IgcColumnComponent;
        column.summaryTemplate = this.summaryTemplate;
    }
    
    public summaryTemplate = (ctx: IgcSummaryTemplateContext) => {
        return html`
            <span> My custom summary template</span>
            <span>${ ctx.implicit[0].label } - ${ ctx.implicit[0].summaryResult }</span>
        `;
    }
    

    기본 요약이 정의되면 요약 영역의 높이는 요약 수가 가장 많은 열과--ig-size 그리드에 따라 설계에 따라 계산됩니다. summaryRowHeight input 속성을 사용하여 기본값을 재정의합니다. 인수로 숫자 값이 필요하며 거짓 값을 설정하면 그리드 바닥글의 기본 크기 조정 동작이 트리거됩니다.

    Formatting summaries

    기본적으로 기본 제공 요약 피연산자에 의해 생성된 요약 결과는 그리드 localepipeArgs 열에 따라 지역화되고 형식이 지정됩니다. 사용자 정의 피연산자를 사용하는 경우 localepipeArgs 적용되지 않습니다. 요약 결과의 기본 모양을 변경하려면 summaryFormatter 속성을 사용하여 형식을 지정할 수 있습니다.

        public dateSummaryFormat(summary: IgcSummaryResult, summaryOperand: IgcSummaryOperand): string {
            const result = summary.summaryResult;
            if (summaryOperand instanceof IgcDateSummaryOperand && summary.key !== "count" && result !== null && result !== undefined) {
                const format = new Intl.DateTimeFormat("en", { year: "numeric" });
                return format.format(new Date(result));
            }
            return result;
        }
    
    <igc-column id="column"></igx-column>
    
    constructor() {
        var column = this.column = document.getElementById('column') as IgcColumnComponent;
        column.summaryFormatter = this.dateSummaryFormat;
    }
    

    Child Summaries

    루트 노드와 각 중첩된 자식 노드 수준에 대해 별도의 요약을 IgcTreeGridComponent 지원합니다. 표시되는 요약은 속성을 사용하여 구성할 수 있습니다 summaryCalculationMode. 자식 수준 요약은 summaryPosition 속성을 사용하여 자식 노드 앞이나 뒤에 표시할 수 있습니다. 이러한 두 속성 IgcTreeGridComponent과 함께 노출 및 showSummaryOnCollapse 속성을 사용하면 참조하는 부모 노드가 축소될 때 요약 행이 계속 표시되는지 여부를 결정할 수 있습니다.

    summaryCalculationMode 속성의 사용 가능한 값은 다음과 같습니다.

    • RootLevelOnly- 요약은 루트 수준 노드에 대해서만 계산됩니다.
    • ChildLevelsOnly- 요약은 하위 수준에 대해서만 계산됩니다.
    • RootAndChildLevels- 루트 및 하위 수준 모두에 대한 요약이 계산됩니다. 이것이 기본값입니다.

    summaryPosition 속성의 사용 가능한 값은 다음과 같습니다.

    • Top- 요약 행은 하위 행 목록 앞에 나타납니다.
    • Bottom- 요약 행은 하위 행 목록 뒤에 나타납니다. 이 값은 기본값입니다.

    showSummaryOnCollapse 속성은 부울입니다. 기본값은 false로 설정됩니다. 즉, 상위 행이 축소되면 요약 행이 숨겨집니다. 속성이 true로 설정되면 상위 행이 축소될 때 요약 행이 계속 표시됩니다.

    [!Note] The summaryPosition property applies only for the child level summaries. The root level summaries appear always fixed at the bottom of the IgcTreeGridComponent.

    Keyboard Navigation

    요약 행은 다음 키보드 상호 작용을 통해 탐색할 수 있습니다.

    • UP- 한 셀 위로 이동합니다.
    • DOWN- 한 셀 아래로 이동합니다.
    • 왼쪽- 한 셀 왼쪽으로 이동합니다.
    • RIGHT- 한 셀 오른쪽으로 이동합니다.
    • CTRL + LEFT 또는 HOME- 가장 왼쪽 셀로 이동합니다.
    • CTRL + RIGHT 또는 END- 가장 오른쪽 셀로 이동합니다.

    Styling

    사전 정의된 테마 외에도 사용 가능한 CSS 속성 중 일부를 설정하여 그리드를 추가로 사용자 정의할 수 있습니다. 일부 색상을 변경하려면 먼저 그리드에 대한 클래스를 설정해야 합니다.

    <igc-tree-grid class="grid"></igc-tree-grid>
    

    그런 다음 해당 클래스에 대한 관련 CSS 속성을 설정합니다.

    .grid {
        --ig-grid-summary-background-color:#e0f3ff;
        --ig-grid-summary-focus-background-color: rgba( #94d1f7, .3 );
        --ig-grid-summary-label-color: rgb(228, 27, 117);
        --ig-grid-summary-result-color: black;
    }
    

    Demo

    API References

    Additional Resources

    우리 커뮤니티는 활동적이며 항상 새로운 아이디어를 환영합니다.