9

我有一个System.Windows.Forms.DataVisualization.Charting.chart,当您将鼠标悬停在图表上时,我想在图表上显示一些有关条形的信息。但我看不到在哪里设置工具提示。

我可以设置这个chart3.Series[0].ToolTip = "hello world";

但是我如何选择我悬停在哪个x或值上以修改文本?y

4

4 回答 4

14

我很惊讶没有人提到简单和标准的解决方案,所以我不得不回答一个 5 岁的问题。

只需将图表关键字添加到工具提示字符串即可。它们会自动替换为您悬停的点的值。像这样的东西:

chart3.Series[0].ToolTip = "hello world from #VALX, #VAL";

这些应该涵盖几乎所有图表工具提示用例。对于他们未涵盖的罕见情况,您可以使用其他答案的建议。

更多信息: https ://msdn.microsoft.com/en-us/library/dd456687.aspx

于 2017-12-20T13:05:45.947 回答
9

您还可以在构建 DataPoint 时为其添加工具提示

DataPoint point = new DataPoint();
point.SetValueXY(x, y);
point.ToolTip = string.Format("{0}, {1}", x, y);
series.Points.Add(point);

在我看来,这比替换 GetToolTipText 事件中的文本更整洁/更干净

于 2013-02-02T06:42:52.233 回答
4
    this.chart1.GetToolTipText += new System.EventHandler<System.Windows.Forms.DataVisualization.Charting.ToolTipEventArgs>(this.Chart1_GetToolTipText);
...
// [2] in x.cs file.
private void Chart1_GetToolTipText(object sender, System.Windows.Forms.DataVisualization.Charting.ToolTipEventArgs e)
{

   // Check selevted chart element and set tooltip text
   if (e.HitTestResult.ChartElementType == ChartElementType.DataPoint)
   {
      int i = e.HitTestResult.PointIndex;
      DataPoint dp = e.HitTestResult.Series.Points[i];
      e.Text = string.Format("{0:F1}, {1:F1}", dp.XValue, dp.YValues[0] );
   }
}
于 2012-08-19T09:57:49.933 回答
1

这适用于我的财务(棒、烛台)图表。YValue[0]不像大多数DataPoint例子那样显示,而是YValueY 轴。

    Point? prevPosition = null;
    ToolTip tooltip = new ToolTip();

    private void chart_MouseMove(object sender, MouseEventArgs e)
    {
        var pos = e.Location;
        if (prevPosition.HasValue && pos == prevPosition.Value)
            return;
        tooltip.RemoveAll();
        prevPosition = pos;
        var results = chart.HitTest(pos.X, pos.Y, false, ChartElementType.DataPoint); // set ChartElementType.PlottingArea for full area, not only DataPoints
        foreach (var result in results)
        {
            if (result.ChartElementType == ChartElementType.DataPoint) // set ChartElementType.PlottingArea for full area, not only DataPoints
            {
                var yVal = result.ChartArea.AxisY.PixelPositionToValue(pos.Y);
                tooltip.Show(((int)yVal).ToString(), chart, pos.X, pos.Y - 15);
            }
        }
    }
于 2016-02-24T05:12:45.453 回答