我想将数据标签仅添加到线图上的最后一点,此时我正在使用下面的内容,这样可以正常工作,但前提是我知道最后一点是什么数字。 我已经做了很多搜索,并在excel帮助中找到了点(points.count)对象,但我似乎无法让它对我有用。 请您建议一种方法,只显示我的图表上的最后一点或(理想情况下)工作表上的所有图表。
Sub Data_Labels()
'
' Data_Labels Macro
ActiveSheet.ChartObjects("Menck Chart").Activate
ActiveChart.SeriesCollection(1).DataLabels.Select
Selection.Delete
ActiveSheet.ChartObjects("Menck Chart").Activate
ActiveChart.SeriesCollection(1).Select
ActiveChart.SeriesCollection(1).Points(59).Select
ActiveChart.SeriesCollection(1).Points(59).ApplyDataLabels
ActiveChart.SeriesCollection(1).DataLabels.Select
Selection.Format.TextFrame2.TextRange.Font.Size = 9
End Sub
答案 0 :(得分:3)
简答
Dim NumPoints as Long
NumPoints = ActiveChart.SeriesCollection(1).Count
ActiveChart.SeriesCollection(1).Points(NumPoints).ApplyDataLabels
长答案
ActiveChart
的使用含糊不清,需要额外选择感兴趣的图表。如果您明确指定了您感兴趣的图表,那么您的宏将更加强大且易于阅读。我还建议使用With
块或创建中间变量,因为一遍又一遍地阅读ActiveChart.SeriesCollection(1).Points
会让您的代码感到痛苦和混乱。尝试以下方法:
Dim chartMenck As Chart, menckPoints as Points, menckDataLabel as DataLabel
Set chartMenck = Sheet1.ChartObjects("Menck Chart").Chart
Set menckPoints = chartMenck SeriesCollection(1).Points
menckPoints(menckPoints.Count).ApplyDataLabels
Set menckDataLabel = menckPoints(menckPoints.Count).DataLabel
menckDataLabel.Font.Size = 9
在我看来,这几乎是原版的一半,而且更容易阅读。
答案 1 :(得分:1)
试试这个。首先,它将数据标签应用于所有点,然后从除最后一个点之外的每个点中删除它们。
我使用Points.Count - 1
For/Next
循环停止在最后一个点之前。
Sub Data_Labels()
'
Data_Labels Macro
Dim ws As Worksheet
Dim cht as Chart
Dim srs as Series
Dim pt as Point
Dim p as Integer
Set ws = ActiveSheet
Set cht = ws.ChartObjects("Menck Chart")
Set srs = cht.SeriesCollection(1)
'## Turn on the data labels
srs.ApplyDataLabels
'## Iterate the points in this series
For p = 1 to srs.Points.Count - 1
Set pt = srs.Points(p)
'## remove the datalabel for this point
p.Datalabel.Text = ""
Next
'## Format the last datalabel to font.size = 9
srs.Points(srs.Points.Count).DataLabel.Format.TextFrame2.TextRange.Font.Size = 9
End Sub
答案 2 :(得分:0)
VBA中的另一种方法(例如,在PERSONAL工作簿中粘贴为新的热键宏):https://peltiertech.com/Excel/Charts/LabelLastPoint.html
对于不耐烦的人,ShowValue:= True:
Option Explicit
Sub LastPointLabel()
Dim mySrs As Series
Dim iPts As Long
Dim bLabeled As Boolean
If ActiveChart Is Nothing Then
MsgBox "Select a chart and try again.", vbExclamation, "No Chart Selected"
Else
For Each mySrs In ActiveChart.SeriesCollection
bLabeled = False
With mySrs
For iPts = .Points.count To 1 Step -1
If bLabeled Then
' handle error if point isn't plotted
On Error Resume Next
' remove existing label if it's not the last point
mySrs.Points(iPts).HasDataLabel = False
On Error GoTo 0
Else
' handle error if point isn't plotted
On Error Resume Next
' add label
mySrs.Points(iPts).ApplyDataLabels _
ShowSeriesName:=True, _
ShowCategoryName:=False, _
ShowValue:=True, _
AutoText:=True, LegendKey:=False
bLabeled = (Err.Number = 0)
On Error GoTo 0
End If
Next
End With
Next
End If
End Sub