place the following code (an event procedure) in the code pane for the worksheet where you want to increment
Private Sub Worksheet_BeforeDoubleClick(ByVal Target As Range, Cancel As Boolean)
With Target
.Value = .Value + 0.01
End With
Cancel = True
End Sub
double clicking any cell will increment it by 0.01
You can refine the event procedure by exiting quickly if the target cell is not one of interest. For example suppose only cells A1:A10 should be incremented then use the following
Private Sub Worksheet_BeforeDoubleClick(ByVal Target As Range, Cancel As Boolean)
If Intersect(Target, Range("A1:A10")) Is Nothing Then Exit Sub
With Target
.Value = .Value + 0.01
End With
Cancel = True
End Sub
Just to add that you should check if the value is a number before adding, as you may get an exception if you try to add to a string.
Private Sub Worksheet_BeforeDoubleClick(ByVal Target As Range, Cancel As Boolean)
With Target
If IsNumeric(.Value) then .Value = .Value + 0.01
End With
Cancel = True
End Sub