- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
我目前正在处理这张图(抱歉这是我的第一篇文章,所以以我的名声我不能直接发布图片):
对于给定的小时,例如 10 小时,我的 Y 值表示 10 小时到 11 小时之间的请求数。
正如您在我的图表中看到的那样,列以其 X 标签为中心。我的问题很简单,我怎么能把标签放在列的左边,所以在我的图表上所有列都将在两个标签之间。
在简历中,我正在寻找一种在每一列上执行此操作的方法:
如果你需要这个,这里是我的代码中关于这个图的相关行
myAdapter.Fill(DailyData);
// Add points to the series
for (int i = 0; i < DailyData.Rows.Count; i++)
{
DataRow row = DailyData.Rows[i];
if (int.Parse(row["Hours"].ToString()) < 10)
{
DailyChart.Series["Series1"].Points.AddXY("0" + row["Hours"].ToString() + "h", row["RequestsNumber"].ToString());
}
else
{
DailyChart.Series["Series1"].Points.AddXY(row["Hours"].ToString() + "h", row["RequestsNumber"].ToString());
}
}
// Set series chart type
DailyChart.Series["Series1"].ChartType = SeriesChartType.Column;
DailyChart.Series["Series1"]["PointWidth"] = "1";
// Set X axis labels format
DailyChart.ChartAreas["ChartArea1"].AxisX.Interval = 1;
祝你有美好的一天!
最佳答案
我知道 Microsoft 的 WinFormsChartSample for MSChart 有一个名为 HistogramHelper.vb
的文件,如果我没记错的话它可以解决你的问题。
我个人使用的是此代码的略微修改版本,我将其放在这里:
直方图助手.vb
Imports System
Imports System.Drawing
Imports System.Drawing.Drawing2D
Imports System.Windows.Forms.DataVisualization.Charting
Imports System.Collections
'--------------------------------------------------------------------------------------
'Code extracted from the WinFormsChartSample from Microsoft
'Modified to only use a single Series obj, instead of two with one of them hidden
'Also removed out the Auto Labels and % Axis
'--------------------------------------------------------------------------------------
''' <summary>
''' Helper class that creates a histogram chart. Histogram is a data
''' distribution chart which shows how many values, from the data series,
''' are inside each segment interval.
'''
''' You can define how many intervals you want to have using the SegmentIntervalNumber
''' field or the exact length of the interval using the SegmentIntervalWidth
''' field. Actual segment interval number can be slightly different due
''' to the automatic interval rounding.
''' </summary>
Public Class HistogramChartHelper
#Region "Fields"
''' <summary>
''' Number of class intervals the data range is devided in.
''' This property only has affect when "SegmentIntervalWidth" is
''' set to double.NaN.
''' </summary>
Public SegmentIntervalNumber As Integer = 20
''' <summary>
''' Histogram class interval width. Setting this value to "double.NaN"
''' will result in automatic width calculation based on the data range
''' and number of required interval specified in "SegmentIntervalNumber".
''' </summary>
Public SegmentIntervalWidth As Double = Double.NaN
''' <summary>
''' Indicates that percent frequency should be shown on the right axis
''' </summary>
Public ShowPercentOnSecondaryYAxis As Boolean = True
#End Region ' Fields
#Region "Methods"
''' <summary>
''' Creates a histogram chart.
''' </summary>
''' <param name="chartControl">Chart control reference.</param>
''' <param name="dataPoints">Original Data Series</param>
''' <param name="histogramSeriesName">Name of the histogram series.</param>
Public Function CreateHistogram(ByVal chartControl As Chart, ByVal dataPoints() As Double, ByVal histogramSeriesName As String) As Series
' Validate input
If chartControl Is Nothing Then
Debug.Print("Invalid chart control passed")
Return Nothing
End If
Dim aSeries As New Series
' Set new series chart type and other attributes
aSeries.ChartType = SeriesChartType.Column
aSeries.BorderColor = Color.Black
aSeries.BorderWidth = 1
aSeries.BorderDashStyle = ChartDashStyle.Solid
' Get data series minimum and maximum values
Dim minValue As Double = Double.MaxValue
Dim maxValue As Double = Double.MinValue
Dim pointCount As Integer = 0
For i As Integer = 0 To dataPoints.Length - 1
' Process only non-empty data points
If dataPoints(i) > maxValue Then
maxValue = dataPoints(i)
End If
If dataPoints(i) < minValue Then
minValue = dataPoints(i)
End If
pointCount += 1
Next
' Calculate interval width if it's not set
If Double.IsNaN(Me.SegmentIntervalWidth) Then
Me.SegmentIntervalWidth = (maxValue - minValue) / SegmentIntervalNumber
Me.SegmentIntervalWidth = RoundInterval(Me.SegmentIntervalWidth)
End If
' Round minimum and maximum values
minValue = Math.Floor(minValue / Me.SegmentIntervalWidth) * Me.SegmentIntervalWidth
maxValue = Math.Ceiling(maxValue / Me.SegmentIntervalWidth) * Me.SegmentIntervalWidth
' Create histogram series points
Dim currentPosition As Double = minValue
currentPosition = minValue
Do While currentPosition <= maxValue
' Count all points from data series that are in current interval
Dim count As Integer = 0
For i As Integer = 0 To dataPoints.Length - 1
Dim endPosition As Double = currentPosition + Me.SegmentIntervalWidth
If dataPoints(i) >= currentPosition AndAlso dataPoints(i) < endPosition Then
count += 1
' Last segment includes point values on both segment boundaries
ElseIf endPosition > maxValue Then
If dataPoints(i) >= currentPosition AndAlso dataPoints(i) <= endPosition Then
count += 1
End If
End If
Next
' Add data point into the histogram series
aSeries.Points.AddXY(currentPosition + Me.SegmentIntervalWidth / 2.0, count)
currentPosition += Me.SegmentIntervalWidth
Loop
' Adjust series attributes
'This is a "Custom Property" http://msdn.microsoft.com/en-us/library/dd456700.aspx
aSeries("PointWidth") = "1"
' Adjust chart area
Dim chartArea As ChartArea = chartControl.ChartAreas(0)
'chartArea.AxisY.Title = "Frequency"
chartArea.AxisX.Minimum = minValue
chartArea.AxisX.Maximum = maxValue
' Set axis interval based on the histogram class interval
' and do not allow more than 10 labels on the axis.
Dim axisInterval As Double = Me.SegmentIntervalWidth
Do While (maxValue - minValue) / axisInterval > 10.0
axisInterval *= 2.0
Loop
chartArea.AxisX.Interval = axisInterval
Return aSeries
End Function
''' <summary>
''' Helper method which rounds specified axsi interval.
''' </summary>
''' <param name="interval">Calculated axis interval.</param>
''' <returns>Rounded axis interval.</returns>
Friend Function RoundInterval(ByVal interval As Double) As Double
' If the interval is zero return error
If interval = 0.0 Then
Throw (New ArgumentOutOfRangeException("interval", "Interval can not be zero."))
End If
' If the real interval is > 1.0
Dim step_Renamed As Double = -1
Dim tempValue As Double = interval
Do While tempValue > 1.0
step_Renamed += 1
tempValue = tempValue / 10.0
If step_Renamed > 1000 Then
Throw (New InvalidOperationException("Auto interval error due to invalid point values or axis minimum/maximum."))
End If
Loop
' If the real interval is < 1.0
tempValue = interval
If tempValue < 1.0 Then
step_Renamed = 0
End If
Do While tempValue < 1.0
step_Renamed -= 1
tempValue = tempValue * 10.0
If step_Renamed < -1000 Then
Throw (New InvalidOperationException("Auto interval error due to invalid point values or axis minimum/maximum."))
End If
Loop
Dim tempDiff As Double = interval / Math.Pow(10.0, step_Renamed)
If tempDiff < 3.0 Then
tempDiff = 2.0
ElseIf tempDiff < 7.0 Then
tempDiff = 5.0
Else
tempDiff = 10.0
End If
' Make a correction of the real interval
Return tempDiff * Math.Pow(10.0, step_Renamed)
End Function
#End Region ' Methods
End Class
然后我有一个 Helper 函数来生成直方图:
Public Function hist(ByVal x As Double(), Optional ByVal bins As Integer = 10) As System.Windows.Forms.DataVisualization.Charting.Series
' HistogramChartHelper is a helper class found in the samples Utilities folder.
Dim histogramHelper As New HistogramChartHelper()
' Specify number of segment intervals
histogramHelper.SegmentIntervalNumber = bins
' Create histogram series
Dim newSeries As Series = histogramHelper.CreateHistogram(gca(), x, "Histogram")
gca().ChartAreas(0).AxisX.IsLogarithmic = False
gca().ChartAreas(0).AxisY.IsLogarithmic = False
gca().Series.Add(newSeries)
gcf().DoRefresh()
Return newSeries
End Function
并尝试生成类似于您的直方图:历史({8,8,8,8,8,9,9,9,9,9,9,9,9,9,10,10,10,10,10,10,10,10, 10,11,11,11,11,11,11,11,11,11,11,11,12,12,12,12,12,13,13,14,14,14,14,14,14, 14,14,14,14,14,14,15,15,15,15,15,15,15,15,15,16,16,16,16,16,16,16,16,17,17, 17,17,17,17,17,17,18,18})
我得到:
关于c# - MS Chart - 如何将 X 标签放在列系列的左侧,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/16339416/
#include using namespace std; class C{ private: int value; public: C(){ value = 0;
这个问题已经有答案了: What is the difference between char a[] = ?string?; and char *p = ?string?;? (8 个回答) 已关闭
关闭。此题需要details or clarity 。目前不接受答案。 想要改进这个问题吗?通过 editing this post 添加详细信息并澄清问题. 已关闭 7 年前。 此帖子已于 8 个月
除了调试之外,是否有任何针对 c、c++ 或 c# 的测试工具,其工作原理类似于将独立函数复制粘贴到某个文本框,然后在其他文本框中输入参数? 最佳答案 也许您会考虑单元测试。我推荐你谷歌测试和谷歌模拟
我想在第二台显示器中移动一个窗口 (HWND)。问题是我尝试了很多方法,例如将分辨率加倍或输入负值,但它永远无法将窗口放在我的第二台显示器上。 关于如何在 C/C++/c# 中执行此操作的任何线索 最
我正在寻找 C/C++/C## 中不同类型 DES 的现有实现。我的运行平台是Windows XP/Vista/7。 我正在尝试编写一个 C# 程序,它将使用 DES 算法进行加密和解密。我需要一些实
很难说出这里要问什么。这个问题模棱两可、含糊不清、不完整、过于宽泛或夸夸其谈,无法以目前的形式得到合理的回答。如需帮助澄清此问题以便重新打开,visit the help center . 关闭 1
有没有办法强制将另一个 窗口置于顶部? 不是应用程序的窗口,而是另一个已经在系统上运行的窗口。 (Windows, C/C++/C#) 最佳答案 SetWindowPos(that_window_ha
假设您可以在 C/C++ 或 Csharp 之间做出选择,并且您打算在 Windows 和 Linux 服务器上运行同一服务器的多个实例,那么构建套接字服务器应用程序的最明智选择是什么? 最佳答案 如
你们能告诉我它们之间的区别吗? 顺便问一下,有什么叫C++库或C库的吗? 最佳答案 C++ 标准库 和 C 标准库 是 C++ 和 C 标准定义的库,提供给 C++ 和 C 程序使用。那是那些词的共同
下面的测试代码,我将输出信息放在注释中。我使用的是 gcc 4.8.5 和 Centos 7.2。 #include #include class C { public:
很难说出这里问的是什么。这个问题是含糊的、模糊的、不完整的、过于宽泛的或修辞性的,无法以目前的形式得到合理的回答。如需帮助澄清此问题以便重新打开它,visit the help center 。 已关
我的客户将使用名为 annoucement 的结构/类与客户通信。我想我会用 C++ 编写服务器。会有很多不同的类继承annoucement。我的问题是通过网络将这些类发送给客户端 我想也许我应该使用
我在 C# 中有以下函数: public Matrix ConcatDescriptors(IList> descriptors) { int cols = descriptors[0].Co
我有一个项目要编写一个函数来对某些数据执行某些操作。我可以用 C/C++ 编写代码,但我不想与雇主共享该函数的代码。相反,我只想让他有权在他自己的代码中调用该函数。是否可以?我想到了这两种方法 - 在
我使用的是编写糟糕的第 3 方 (C/C++) Api。我从托管代码(C++/CLI)中使用它。有时会出现“访问冲突错误”。这使整个应用程序崩溃。我知道我无法处理这些错误[如果指针访问非法内存位置等,
关闭。这个问题不符合Stack Overflow guidelines .它目前不接受答案。 我们不允许提问寻求书籍、工具、软件库等的推荐。您可以编辑问题,以便用事实和引用来回答。 关闭 7 年前。
已关闭。此问题不符合Stack Overflow guidelines 。目前不接受答案。 要求我们推荐或查找工具、库或最喜欢的场外资源的问题对于 Stack Overflow 来说是偏离主题的,因为
我有一些 C 代码,将使用 P/Invoke 从 C# 调用。我正在尝试为这个 C 函数定义一个 C# 等效项。 SomeData* DoSomething(); struct SomeData {
这个问题已经有答案了: Why are these constructs using pre and post-increment undefined behavior? (14 个回答) 已关闭 6
我是一名优秀的程序员,十分优秀!