I had no idea what you were asking in your question but after giving it some thought I finally figured out what it is you are asking. This is your question:
I can choose any small value by dragging the bar. The trackbar no longer sticks to values of 10, 20, 30, etc. I can manually choose any small value.
The documentation for SmallChange says:
When the user presses one of the arrow keys, the Value property changes according to the value set in the SmallChange property.
And the documentation for LargeChange says:
When the user presses the PAGE UP or PAGE DOWN key or clicks the track bar on either side of the scroll box, the Value property changes according to the value set in the LargeChange property.
Your Question Clarified
You are asking that instead of using the keyboard, if you are using the mouse, then the trackbar's value does not change as per the small and large change specified, which is 10 in your case. It actually steps up/down by 1's so it goes 1, 2, 3 and so on. But you want it to go 10, 20, 30 and so on.
Solution
You can handle the Scroll
event and check if the value is a multiple of 10, if it is then do nothing. If not, change it by a multiple of 10.
VB.NET
Private Sub trackBar1_Scroll(ByVal sender As Object, ByVal e As EventArgs)
Dim bar = CType(sender, TrackBar)
Dim isMultipleOfTen As Boolean = bar.Value Mod bar.SmallChange = 0
If isMultipleOfTen Then
Return
End If
bar.Value = bar.SmallChange * ((bar.Value + bar.SmallChange / 2) / bar.SmallChange)
End Sub
C#
private void trackBar1_Scroll(object sender, EventArgs e)
{
var bar = (TrackBar)sender;
bool isMultipleOfTen = bar.Value % bar.SmallChange == 0;
if (isMultipleOfTen)
{
return;
}
bar.Value = bar.SmallChange * ((bar.Value + bar.SmallChange / 2) / bar.SmallChange);
}