Your question indicates that there is a deeper problem with your VS options.
When the event handler is called, those parameters are passed to it. You really should have method calls complying with the method signature.
If you use Option Strict On then VS will tell you that something is not right. I strongly recommend setting On to be the default for new projects, and that every time you install VS that that is one of the first things you do.
If you don't have the methods and their calls matched up exactly, then with Option Strict Off the compiler has to guess what you meant and fiddle around to try to get something that will run. Sometimes it will guess correctly, sometimes it won't.
You might want to call a method like an eventhandler without specifying the sender or the eventargs, you can do that with
Button1_Click(Nothing, EventArgs.Empty)
although in that case it would usually be cleaner to have the event handler call a method which you can call separately:
Not-so-good:
Private Sub Button1_Click(sender As Object, e As EventArgs) Handles Button1.Click
' a load of code here
End Sub
Private Sub DoSomething()
' some code
Button1_Click(Nothing, EventArgs.Empty)
' some more code
End Sub
Better:
Private Sub DoStuff()
' a load of code here
End Sub
Private Sub Button1_Click(sender As Object, e As EventArgs) Handles Button1.Click
DoStuff()
End Sub
Private Sub DoSomething()
' some code
DoStuff()
' some more code
End Sub
(My code does not show the ByVal
because I used VS2013 Express to write it, which doesn't put it in because ByVal is the default.)
When you set Option Strict On, you may find that you get a lot of type-mismatch errors. Do not be disheartened: go through them one at a time to make sure all your variable types match up correctly. VS will even suggest some corrections which it can make automatically for you; take the time to look at the suggestions rather than blithely accepting them as it only gets it right about 99.9% of the time, and in some cases other slight changes to your code would obviate the need for the suggested change.
Edit: as Mark Hurd pointed out in his answer, VS will automatically make up for the incorrect method signature. Like him, I cannot recommend taking advantage of that.