Statistical query group and sort

View inMAUIUWPWPFWinUIView on GitHub

Query a feature table for statistics, grouping and sorting by different fields.

Image of statistical query group and sort

Use case

You can use statistical queries, grouping and sorting to process large amounts of data saved in feature tables. This is helpful for identifying trends and relationships within the data, which can be used to support further interpretations and decisions. For example, a health agency can use information on medical conditions occurring throughout a country to identify at-risk areas or demographics, and decide on further action and preventive measures.

How to use the sample

The sample will start with some default options selected. You can immediately tap the "Get Statistics" button to see the results for these options. There are several ways to customize your queries:

  • You can add statistic definitions to the top-left table using the combo boxes and "Add" button. Select a table row and tap "Remove" to remove a definition.
  • To change the Group-by fields, check the box by the field you want to group by in the bottom-left list view.
  • To change the Order-by fields, select a Group-by field (it must be checked) and tap the ">>" button to add it to the Order-by table. To remove a field from the Order-by table, select it and tap the "<<" button. To change the sort order of the Order-by field, the cells of the "Sort Order" column are combo-boxes that may be either ASCENDING or DESCENDING.

How it works

  1. Create a ServiceFeatureTable using the URL of a feature service and load the table.
  2. Get the feature tables field names list with featureTable.Fields.
  3. Create StatisticDefinitions specifying the field to compute statistics on and the StatisticType to compute.
  4. Create StatisticsQueryParameters passing in the list of statistic definitions.
  5. To have the results grouped by fields, add the field names to the query parameters' GroupByFieldNames collection.
  6. To have the results ordered by fields, create OrderBys, specifying the field name and SortOrder. Pass these OrderBys to the parameters' OrderByFields collection.
  7. To execute the query, call featureTable.QueryStatisticsAsync(queryParameters).
  8. Get the StatisticQueryResult. From this, you can get an iterator of StatisticRecords to loop through and display.

Relevant API

  • Field
  • OrderBy
  • QueryParameters
  • ServiceFeatureTable
  • StatisticDefinition
  • StatisticRecord
  • StatisticsQueryParameters
  • StatisticsQueryResult
  • StatisticType

About the data

This sample uses a Diabetes, Obesity, and Inactivity by US County feature layer hosted on ArcGIS Online.

Tags

correlation, data, fields, filter, group, sort, statistics, table

Sample Code

StatsQueryGroupAndSort.xaml.csStatsQueryGroupAndSort.xaml.csStatsQueryGroupAndSort.xaml
Use dark colors for code blocksCopy
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
// Copyright 2022 Esri.
//
// Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License.
// You may obtain a copy of the License at: http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an
// "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific
// language governing permissions and limitations under the License.

using Esri.ArcGISRuntime.Data;
using System.Collections.ObjectModel;

namespace ArcGIS.Samples.StatsQueryGroupAndSort
{
    [ArcGIS.Samples.Shared.Attributes.Sample(
        name: "Statistical query group and sort",
        category: "Data",
        description: "Query a feature table for statistics, grouping and sorting by different fields.",
        instructions: "The sample will start with some default options selected. You can immediately tap the \"Get Statistics\" button to see the results for these options. There are several ways to customize your queries:",
        tags: new[] { "correlation", "data", "fields", "filter", "group", "sort", "statistics", "table" })]
    public partial class StatsQueryGroupAndSort : ContentPage
    {
        // URI for the US states map service.
        private Uri _usStatesServiceUri = new Uri("https://services.arcgis.com/jIL9msH9OI208GCb/arcgis/rest/services/Counties_Obesity_Inactivity_Diabetes_2013/FeatureServer/0");

        // US states feature table.
        private FeatureTable _usStatesTable;

        // Collection of (user-defined) statistics to use in the query.
        private ObservableCollection<StatisticDefinition> _statDefinitions = new ObservableCollection<StatisticDefinition>();

        // Selected fields for grouping results.
        private List<string> _groupByFields = new List<string>();

        // Collection to hold fields to order results by.
        private ObservableCollection<OrderFieldOption> _orderByFields = new ObservableCollection<OrderFieldOption>();

        public StatsQueryGroupAndSort()
        {
            InitializeComponent();

            // Initialize the US states feature table and populate UI controls.
            _ = Initialize();
        }

        private async Task Initialize()
        {
            // Create the US states feature table.
            _usStatesTable = new ServiceFeatureTable(_usStatesServiceUri);

            try
            {
                // Load the table.
                await _usStatesTable.LoadAsync();

                // Fill the fields combo and "group by" list with field names from the table.
                List<string> fieldNames = _usStatesTable.Fields.Select(field => field.Name).ToList();
                FieldsComboBox.ItemsSource = fieldNames;
                GroupFieldsListBox.ItemsSource = _usStatesTable.Fields;

                // Set the (initially empty) collection of fields as the "order by" fields list data source.
                OrderByFieldsListBox.ItemsSource = _orderByFields;

                // Fill the statistics type combo with values from the StatisticType enum.
                StatTypeComboBox.ItemsSource = Enum.GetValues(typeof(StatisticType));

                // Set the (initially empty) collection of statistic definitions as the statistics list box data source.
                StatFieldsListBox.ItemsSource = _statDefinitions;
            }
            catch (Exception e)
            {
                await Application.Current.MainPage.DisplayAlert("Error", e.ToString(), "OK");
            }
        }

        // Execute a statistical query using the parameters defined by the user and display the results.
        private async void GetStatisticsButton_Clicked(object sender, EventArgs e)
        {
            // Verify that there is at least one statistic definition.
            if (!_statDefinitions.Any())
            {
                _ = Application.Current.MainPage.DisplayAlert("Please define at least one statistic for the query.", "Statistical Query", "OK");
                return;
            }

            // Create the statistics query parameters, pass in the list of statistic definitions.
            var statQueryParams = new StatisticsQueryParameters(_statDefinitions);

            // Specify the group fields (if any).
            foreach (string groupField in _groupByFields)
            {
                statQueryParams.GroupByFieldNames.Add(groupField);
            }

            // Specify the fields to order by (if any).
            foreach (OrderFieldOption orderBy in _orderByFields)
            {
                statQueryParams.OrderByFields.Add(orderBy.OrderInfo);
            }

            // Ignore counties with missing data.
            statQueryParams.WhereClause = "\"State\" IS NOT NULL";

            try
            {
                // Execute the statistical query with these parameters and await the results.
                StatisticsQueryResult statQueryResult = await _usStatesTable.QueryStatisticsAsync(statQueryParams);

                // Get results formatted as a lookup (list of group names and their associated dictionary of results).
                ILookup<string, IReadOnlyDictionary<string, object>> resultsLookup = statQueryResult.ToLookup(result => string.Join(", ", result.Group.Values), result => result.Statistics);

                // Loop through the formatted results and build a list of classes to display as grouped results in the list view.
                var resultsGroupCollection = new List<ResultGroup>();
                foreach (IGrouping<string, IReadOnlyDictionary<string, object>> group in resultsLookup)
                {
                    // Create a new group.
                    var resultGroup = new ResultGroup() { GroupName = group.Key };

                    // Loop through all the results for this group and add them to the collection.
                    foreach (IReadOnlyDictionary<string, object> resultSet in group)
                    {
                        foreach (KeyValuePair<string, object> result in resultSet)
                        {
                            resultGroup.Add(new StatisticResult { FieldName = result.Key, StatValue = result.Value });
                        }
                    }

                    // Add the group of results to the collection.
                    resultsGroupCollection.Add(resultGroup);
                }

                // Apply the results to the collection view items source.
                StatResultsList.ItemsSource = resultsGroupCollection;

                // Hide the query configuration layout and show the results layout.
                QueryConfigurationLayout.IsVisible = false;
                ResultsLayout.IsVisible = true;
            }
            catch (Exception ex)
            {
                await Application.Current.MainPage.DisplayAlert("Error", ex.ToString(), "OK");
            }
        }

        // Handle when the switch for a "group by" field is toggled on or off by adding or removing the field from the collection.
        private void GroupField_Toggled(object sender, ToggledEventArgs e)
        {
            // Get the switch that raised the event (group field).
            var groupFieldSwitch = (Switch)sender;

            // Get the field name.
            string fieldName = groupFieldSwitch.BindingContext.ToString();

            // See if the field is being added or removed from the "group by" list.
            bool fieldAdded = groupFieldSwitch.IsToggled;

            // See if the field already exists in the "group by" list.
            bool fieldIsInList = _groupByFields.Contains(fieldName);

            // If the field is being added, and is not in the list, add it.
            if (fieldAdded && !fieldIsInList)
            {
                _groupByFields.Add(fieldName);

                // Also add it to the "order by" list.
                var orderBy = new OrderBy(fieldName, SortOrder.Ascending);
                var orderOption = new OrderFieldOption(false, orderBy);
                _orderByFields.Add(orderOption);
            }
            // If the field is being removed and it is in the list, remove it.
            else if (!fieldAdded && fieldIsInList)
            {
                _groupByFields.Remove(fieldName);

                // Also check for this field in the "order by" list and remove if necessary (only group fields can be used to order results).
                OrderFieldOption orderBy = _orderByFields.FirstOrDefault(field => field.OrderInfo.FieldName == fieldName);
                if (orderBy != null)
                {
                    // Remove the field from the "order by" list.
                    _orderByFields.Remove(orderBy);
                }
            }
        }

        // Create a statistic definition and add it to the collection based on the user selection in the combo boxes.
        private void AddStatistic_Clicked(object sender, EventArgs e)
        {
            // Verify that a field name and statistic type has been selected.
            if (FieldsComboBox.SelectedItem == null || StatTypeComboBox.SelectedItem == null) { return; }

            // Get the chosen field name and statistic type from the combo boxes.
            string fieldName = FieldsComboBox.SelectedItem.ToString();
            var statType = (StatisticType)StatTypeComboBox.SelectedItem;

            // Check if this statistic definition has already be created (same field name and statistic type).
            StatisticDefinition existingStatDefinition = _statDefinitions.FirstOrDefault(def => def.OnFieldName == fieldName && def.StatisticType == statType);

            // If it doesn't exist, create it and add it to the collection (use the field name and statistic type to build the output alias).
            if (existingStatDefinition == null)
            {
                StatisticDefinition statDefinition = new StatisticDefinition(fieldName, statType, fieldName + "_" + statType.ToString());
                _statDefinitions.Add(statDefinition);
            }
        }

        // Toggle the sort order (ascending/descending) for the field selected in the sort fields list.
        private void SortOrderButton_Clicked(object sender, EventArgs e)
        {
            // Verify that there is a selected sort field in the list.
            var selectedSortField = OrderByFieldsListBox.SelectedItem as OrderFieldOption;
            if (selectedSortField == null) { return; }

            // Create a new order field info to define the sort for the selected field.
            var newOrderBy = new OrderBy(selectedSortField.OrderInfo.FieldName, selectedSortField.OrderInfo.SortOrder);
            var newSortDefinition = new OrderFieldOption(true, newOrderBy);

            // Toggle the sort order from the current value.
            if (newSortDefinition.OrderInfo.SortOrder == SortOrder.Ascending)
            {
                newSortDefinition.OrderInfo.SortOrder = SortOrder.Descending;
            }
            else
            {
                newSortDefinition.OrderInfo.SortOrder = SortOrder.Ascending;
            }

            // Add the new OrderBy at the same location in the collection and remove the old one.
            _orderByFields.Insert(_orderByFields.IndexOf(selectedSortField), newSortDefinition);
            _orderByFields.Remove(selectedSortField);
        }

        // Remove the selected statistic definition from the list.
        private void RemoveStatistic_Clicked(object sender, EventArgs e)
        {
            // Verify that there is a selected statistic definition.
            if (StatFieldsListBox.SelectedItem == null) { return; }

            // Get the selected statistic definition and remove it from the collection.
            var selectedStat = StatFieldsListBox.SelectedItem as StatisticDefinition;
            _statDefinitions.Remove(selectedStat);
        }

        private void DismissResults_Clicked(object sender, EventArgs e)
        {
            // Hide the results layout and show the query configuration layout.
            ResultsLayout.IsVisible = false;
            QueryConfigurationLayout.IsVisible = true;

            // Clear the results.
            StatResultsList.ItemsSource = null;
        }
    }

    // Simple class to describe an "order by" option.
    public class OrderFieldOption
    {
        // Whether or not to use this field to order results.
        public bool OrderWith { get; set; }

        // The order by info: field name and sort order.
        public OrderBy OrderInfo { get; set; }

        public OrderFieldOption(bool orderWith, OrderBy orderInfo)
        {
            OrderWith = orderWith;
            OrderInfo = orderInfo;
        }
    }

    // A simple class to hold a single statistic result.
    public class StatisticResult
    {
        public string FieldName { get; set; }
        public object StatValue { get; set; }
    }

    // A class to represent a group of statistics results
    public class ResultGroup : ObservableCollection<StatisticResult>
    {
        public string GroupName { get; set; }
    }
}

Your browser is no longer supported. Please upgrade your browser for the best experience. See our browser deprecation post for more details.