#region License Information
/* HeuristicLab
* Copyright (C) 2002-2012 Heuristic and Evolutionary Algorithms Laboratory (HEAL)
*
* This file is part of HeuristicLab.
*
* HeuristicLab is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* HeuristicLab is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with HeuristicLab. If not, see .
*/
#endregion
using System;
using System.Collections.Generic;
using System.Drawing;
using System.Linq;
using System.Windows.Forms;
using System.Windows.Forms.DataVisualization.Charting;
using HeuristicLab.MainForm;
using HeuristicLab.MainForm.WindowsForms;
namespace HeuristicLab.Problems.DataAnalysis.Views {
[View("Residual Histogram")]
[Content(typeof(IRegressionSolution))]
public partial class RegressionSolutionResidualHistogram : DataAnalysisSolutionEvaluationView {
#region variables
protected const string ALL_SAMPLES = "All samples";
protected const string TRAINING_SAMPLES = "Training samples";
protected const string TEST_SAMPLES = "Test samples";
///
/// used to reduce code duplication
///
protected static string[] ALL_SERIES = new string[] { ALL_SAMPLES, TRAINING_SAMPLES, TEST_SAMPLES };
///
/// approximate amount of bins
///
protected const double bins = 25;
///
/// keeps for all series a list for every bin with the position of the bin, the relative frequency of the
/// residuals and the beginning and the end of the interval of the bin
///
protected Dictionary>> relativeFrequencies;
#endregion
public new IRegressionSolution Content {
get { return (IRegressionSolution)base.Content; }
set { base.Content = value; }
}
public RegressionSolutionResidualHistogram()
: base() {
InitializeComponent();
relativeFrequencies = new Dictionary>>();
foreach (string series in ALL_SERIES) {
chart.Series.Add(series);
chart.Series[series].LegendText = series;
chart.Series[series].ChartType = SeriesChartType.Column;
chart.Series[series]["PointWidth"] = "0.9";
chart.Series[series].BorderWidth = 1;
chart.Series[series].BorderDashStyle = ChartDashStyle.Solid;
chart.Series[series].BorderColor = Color.Black;
chart.Series[series].ToolTip = series + " Y = #VALY from #CUSTOMPROPERTY(from) to #CUSTOMPROPERTY(to)";
relativeFrequencies[series] = new List>();
}
//configure axis
chart.CustomizeAllChartAreas();
chart.ChartAreas[0].AxisX.Title = "Residuals";
chart.ChartAreas[0].CursorX.IsUserSelectionEnabled = true;
chart.ChartAreas[0].AxisX.ScaleView.Zoomable = true;
chart.ChartAreas[0].CursorX.Interval = 1;
chart.ChartAreas[0].CursorY.Interval = 1;
chart.ChartAreas[0].AxisY.Title = "Relative Frequency";
chart.ChartAreas[0].CursorY.IsUserSelectionEnabled = true;
chart.ChartAreas[0].AxisY.ScaleView.Zoomable = true;
chart.ChartAreas[0].AxisY.IsStartedFromZero = true;
}
private void RedrawChart() {
foreach (string series in ALL_SERIES) {
chart.Series[series].Points.Clear();
relativeFrequencies[series].Clear();
}
if (Content != null) {
Dictionary> residuals = CalculateResiduals();
double realMax = Math.Max(Math.Abs(residuals[ALL_SAMPLES].Min()), Math.Abs(residuals[ALL_SAMPLES].Max()));
double roundedMax = HumanRoundMax(realMax);
double intervalWidth = (roundedMax * 2.0) / bins;
intervalWidth = HumanRoundMax(intervalWidth);
// sets roundedMax to a value, so that zero will be in the middle of the x axis
double help = realMax / intervalWidth;
help = help % 1 < 0.5 ? (int)help : (int)help + 1;
roundedMax = help * intervalWidth;
foreach (string series in ALL_SERIES) {
CalculateFrequencies(residuals[series], series, roundedMax, intervalWidth);
if (!series.Equals(ALL_SAMPLES))
ShowValues(chart.Series[series], relativeFrequencies[series]);
}
ChartArea chartArea = chart.ChartAreas[0];
chartArea.AxisX.Minimum = -roundedMax - intervalWidth;
chartArea.AxisX.Maximum = roundedMax + intervalWidth;
// get the highest frequency of a residual of any series
chartArea.AxisY.Maximum = (from series in relativeFrequencies.Values
select (from residual in series
select residual.ElementAt(1)).Max()).Max();
if (chartArea.AxisY.Maximum < 0.1) {
chartArea.AxisY.Interval = 0.01;
chartArea.AxisY.Maximum = Math.Ceiling(chartArea.AxisY.Maximum * 100) / 100;
} else {
chartArea.AxisY.Interval = 0.1;
chartArea.AxisY.Maximum = Math.Ceiling(chartArea.AxisY.Maximum * 10) / 10;
}
chartArea.AxisX.Interval = intervalWidth;
int curBins = (int)Math.Round((roundedMax * 2) / intervalWidth);
//shifts the x axis label so that zero is in the middle
if (curBins % 2 == 0)
chartArea.AxisX.IntervalOffset = intervalWidth;
else
chartArea.AxisX.IntervalOffset = intervalWidth / 2;
}
}
private Dictionary> CalculateResiduals() {
Dictionary> residuals = new Dictionary>();
foreach (string series in ALL_SERIES) {
residuals[series] = new List();
}
IRegressionProblemData problemdata = Content.ProblemData;
List targetValues = problemdata.Dataset.GetDoubleValues(Content.ProblemData.TargetVariable).ToList();
List estimatedValues = Content.EstimatedValues.ToList();
for (int i = 0; i < Content.ProblemData.Dataset.Rows; i++) {
double residual = estimatedValues[i] - targetValues[i];
residuals[ALL_SAMPLES].Add(residual);
if (i >= problemdata.TrainingPartition.Start && i < problemdata.TrainingPartition.End)
residuals[TRAINING_SAMPLES].Add(residual);
if (i >= problemdata.TestPartition.Start && i < problemdata.TestPartition.End)
residuals[TEST_SAMPLES].Add(residual);
}
return residuals;
}
private void CalculateFrequencies(List residualValues, string series, double max, double intervalWidth) {
double intervalCenter = intervalWidth / 2.0;
double sampleCount = residualValues.Count();
double current = -max;
for (int i = 0; i <= bins; i++) {
IEnumerable help = residualValues.Where(x => x >= (current - intervalCenter) && x < (current + intervalCenter));
relativeFrequencies[series].Add(new List() { current, help.Count() / sampleCount, current - intervalCenter, current + intervalCenter });
current += intervalWidth;
}
}
private double HumanRoundMax(double max) {
double base10;
if (max > 0) base10 = Math.Pow(10.0, Math.Floor(Math.Log10(max)));
else base10 = Math.Pow(10.0, Math.Ceiling(Math.Log10(-max)));
double rounding = (max > 0) ? base10 : -base10;
while (rounding < max) rounding += base10;
return rounding;
}
#region events
protected override void RegisterContentEvents() {
base.RegisterContentEvents();
Content.ModelChanged += new EventHandler(Content_ModelChanged);
Content.ProblemDataChanged += new EventHandler(Content_ProblemDataChanged);
}
protected override void DeregisterContentEvents() {
base.DeregisterContentEvents();
Content.ModelChanged -= new EventHandler(Content_ModelChanged);
Content.ProblemDataChanged -= new EventHandler(Content_ProblemDataChanged);
}
protected override void OnContentChanged() {
base.OnContentChanged();
RedrawChart();
}
private void Content_ProblemDataChanged(object sender, EventArgs e) {
RedrawChart();
}
private void Content_ModelChanged(object sender, EventArgs e) {
RedrawChart();
}
private void chart_MouseDown(object sender, MouseEventArgs e) {
HitTestResult result = chart.HitTest(e.X, e.Y);
if (result.ChartElementType == ChartElementType.LegendItem) {
ToggleSeriesData(result.Series);
}
}
private void chart_MouseMove(object sender, MouseEventArgs e) {
HitTestResult result = chart.HitTest(e.X, e.Y);
if (result.ChartElementType == ChartElementType.LegendItem)
Cursor = Cursors.Hand;
else
Cursor = Cursors.Default;
}
private void chart_CustomizeLegend(object sender, CustomizeLegendEventArgs e) {
if (chart.Series.Count != 3) return;
e.LegendItems[0].Cells[1].ForeColor = chart.Series[ALL_SAMPLES].Points.Count == 0 ? Color.Gray : Color.Black;
e.LegendItems[1].Cells[1].ForeColor = chart.Series[TRAINING_SAMPLES].Points.Count == 0 ? Color.Gray : Color.Black;
e.LegendItems[2].Cells[1].ForeColor = chart.Series[TEST_SAMPLES].Points.Count == 0 ? Color.Gray : Color.Black;
}
#endregion
private void ToggleSeriesData(Series series) {
if (series.Points.Count > 0) { //checks if series is shown
if (chart.Series.Any(s => s != series && s.Points.Count > 0)) {
series.Points.Clear();
}
} else if (Content != null) {
ShowValues(series, relativeFrequencies[series.Name]);
chart.Legends[series.Legend].ForeColor = Color.Black;
chart.Refresh();
}
}
private void ShowValues(Series series, List> relativeSeriesFrequencies) {
DataPointCollection seriesPoints = series.Points;
foreach (var valueList in relativeSeriesFrequencies) {
seriesPoints.AddXY(valueList[0], valueList[1]);
seriesPoints[seriesPoints.Count - 1]["from"] = valueList[2].ToString();
seriesPoints[seriesPoints.Count - 1]["to"] = valueList[3].ToString();
}
}
}
}