To narrow it down to specific cells, you can use the "intersect" function. That checks to see if two or more ranges have cells in common.
"Target" is the range (here: cell) that's just been changed, so we intersect "Target" with the range(s) we want the code to run from. If the two have cells in common we know to run the code:
Private Sub Worksheet_Change(ByVal Target As Range)
Dim rngCounter As Range
Dim rngDate As Range
Dim rngToTest As Range
On Error GoTo error_handler ' if there's an error, exit gracefully
Application.EnableEvents = False 'switch off events so we can't end up with an infinite loop
' using range variables to make code more readable, but not really necessary
Set rngCounter = Me.Range("B9") ' the range that holds the counter
Set rngDate = Me.Range("F3") ' range for change date
If Not Intersect(Target, Union(Range("B9"), Range("TotalCharged"))) Is Nothing Then ' if it's not "nothing" we want to perform some action
rngDate.Value = Date
Me.Name = CStr(rngCounter.Value) & " - " & Format(rngDate.Value, "mmmm dd yyyy") 'rename the worksheet
End If
' more similar "if... then" clauses can be added here to trigger actions on other cells if desired
error_handler:
Select Case Err.Number
Case 0 ' no error
Case Else: MsgBox (Err.Description)
End Select
' events back on again now we're finished; we want this run even if there was an error
Application.EnableEvents = True
End Sub
I tried to build in at least some explanation with the comments. Does that make sense to you?
Tim

NB: Forgot to say, I've bloated that a bit for explanation purposes. In practice, I'd probably just use this:
Private Sub Worksheet_Change(ByVal Target As Range)
Application.EnableEvents = False 'switch off events so we can't end up with an infinite loop
If Not Intersect(Target, Union(Range("B9"), Range("TotalCharged"))) Is Nothing Then ' if it's not "nothing" we want to perform some action
Range("F3").Value = Date
Me.Name = CStr(Range("B9").Value) & " - " & Format(rngDate.Value, "mmmm dd yyyy") 'rename the worksheet
End If
Application.EnableEvents = True
End Sub
Bookmarks