I’m working with VBA. I wrote a user define function that takes a string
, process it and return a cleaned string
. I am not sure what is wrong with it. I am not able to call it and ask it to process my string and return it. I am thinking there are a mistake in the way I am defining or returning it.
Public Function ProcessString(input_string As String) As String
' The temp string used throughout the function
Dim temp_string As String
For i = 1 To Len(input_string)
temp_string = Mid(input_string, i, 1)
If temp_string Like "[A-Z, a-z, 0-9, :, -]" Then
return_string = return_string & temp_string
End If
Next i
return_string = Mid(return_string, 1, (Len(return_string) - 1))
ProcessString = return_string & ", "
End Function
And I use this function like this
Worksheets(data_sheet).Range("C2").Value = ProcessString(last_name)
Last name is a string variable, usually looks like this Lastname*****
, and I am trying to remove all the stars behind it. Have it return Lastname
without the stars.
I received Compile error: ByRef arugment type mismatch
when I tried to run this. I am using Windows XP with Office 2003.
EDIT: I added the basic struction of the code I have, I have about 20 lines of the similar code. Doing the same thing for each field I need.
Private Sub CommandButton2_Click()
' In my original production code I have a chain of these
' Like this Dim last_name, first_name, street, apt, city, state, zip As String
Dim last_name As String
' I get the last name from a fixed position of my file. Because I am
' processing it from another source which I copied and pasted into excel
last_name = Mid(Range("A4").Value, 20, 13)
' Insert the data into the corresponding fields in the database worksheet
Worksheets(data_sheet).Range("C2").Value = ProcessString(last_name)
In this article, we will look at the ByRef argument type mismatch error. First, let us have a look at what is ByRef and the difference between ByRef and ByVal.
In Visual Basic, you can pass an argument to a procedure or function by value or by reference. This is known as the passing mechanism, and it determines whether the procedure or function can modify the variable that has been passed. The declaration of the function determines the passing mechanism for each parameter by specifying the ByVal or ByRef keyword.
The advantage of passing an argument ByRef is that the procedure can return a value to the calling code through that argument. The advantage of passing an argument ByVal is that it protects a variable from being changed by the procedure. The default in VBA is to pass arguments by reference. For more details, you can refer to the article here.
Whenever an argument is passed ByRef (by reference), the default, you must match the precise data type in the argument passed and the argument in the function definition. So, let us have a look at some of the most likely causes of the error and how to fix them:
Case 1: You passed an argument of one type that could not be forced to the type expected.
For example, this error occurs if you try to pass an Integer variable when a Long is expected.
Sub callByRef() Dim amount As Integer amount = 80 Call processAmt(amount) 'Rest of the code End Sub Public Function processAmt(amount As Long) 'Do your processing here End FunctionThe error that you will get is:
Let us look at possible solutions to this:
Solution 1:
If possible, always try to match the data type. This is easiest and quickest solution. So, in our case, the amount variable should be integer (or long, based on the requirement) in both the places.
Dim amount As LongSolution 2:
Force coercion to occur by passing the argument in its own set of parentheses (even if it causes information to be lost).
Sub callByRef() Dim amount As Integer amount = 80 Call processAmt((amount)) End SubPlacing the argument in its own set of parentheses the fractional portion of the number is rounded to make it conform to the expected argument type. The result of the evaluation is placed in a temporary location and the original amount retains its value.
Solution 3:
Similar to the above solution, you can explicitly convert the data type of the variable while passing
Sub callByRef() Dim amount As Integer amount = 80 Call processAmt(CLng(amount)) End SubSolution 4:
Pass the variable by value. For that, specify the keyword “ByVal” before the variable name in the function definition.
Public Function processAmt(ByVal amount As Long) 'Do your processing here End FunctionCase 2: You have not declared the variable in the calling sub.
Sub callByRef() amount = 80 Call processAmt(amount) End Sub Public Function processAmt(amount As Long) 'Do your processing here End FunctionHere you need to make sure that the variable is defined along with the data type
Dim amount As LongAs a standard practice, you should always have “Option Explicit” added to your code as the first line. This makes declaring variables mandatory and helps preventing many errors. Here is an example of where to place it
Option Explicit Sub callByRef() 'Code here End SubCase 3: Variable is declared but the data type is not specified
Dim firstNameIn VB, if you declare a variable without specifying the data type, by default the variable is assigned the type “variant”. So, you need to explicitly specify the variable data type before passing it to a function.
Another common source of error here is when you declare multiple variables on a single line and specify the data type only for the last one. For example,
Dim firstName, lastName As StringHere, VBA sets lastName as a String. However, for firstName it is a variant data type and not String. This is because in VBA, you have to specify data type for each and every variable separately (even if the variables are declared on the same line).
So, the above statement is equivalent to:
Dim firstName As Variant, lastName As StringAnd the right way to declare the variable is
Dim firstName As String, lastName As StringSo, to summarize, the argument data type should always be same while calling a function and in the function definition. If you get this error, you can fix it by using one of following methods
- Make sure the variable is defined with correct data type
- Use explicit conversion while passing the argument
- Use an own set of parentheses while passing the argument
- Pass the variable by value if you do not intend to change the value in the called function
Search code, repositories, users, issues, pull requests…
Provide feedback
Saved searches
Use saved searches to filter your results more quickly
Sign up
Автор postrelll, 25 марта 2016, 18:00
Уважаемые форумчане, буду благодарен за подсказку в решении проблемки, причину которой я не понимаю.
Есть основная процедура в которой определен тип одной переменной, которая передаем имя открытой книги
————
Sub analyse()
‘так определена переменная
Dim book_with_source As String
…
‘так эта переменная в основной программе получает своё значение
book_with_source = ActiveWorkbook.name
End Sub
————
Далее есть процедура в которую я передаю эту переменную
————
Private Sub IndividualReportFormer(book_with_source As String, _
Optional book_with_report As String, _
Optional sheet_of_source As Integer, _
Optionalsource_letter As String, _
Optional prefix_type As String)
————
Далее вот так из основной программы я обращаюсь к вышеприведенной процедуре
————
IndividualReportFormer book_with_sourse
————
Однако при выполнении я получаю:
Compile error: ByRef argument type mismatch
и выделяется вот эта переменная — book_with_sourse.
И я не понимаю, почему несовпадение типов? Ведь в обоих случаях четко определено, что переменная строковая.
Администратор
- Administrator
- Сообщения: 2 315
- Записан
Сделайте вот так в VBA:
Tools — Options… — поставьте галочку «Require Variable Declaration».
Теперь у вас в новых модулях сверху будет появляться «Option Explicit». Этот параметр будет проверять, создали (в справках вместо термина «создали» используется термин «объявили») ли вы переменную.
Сейчас в уже имеющемся модуле в самом верху вставьте этот текст:
Option Explicit
и запустите макрос. VBA выдаст сообщение, что у вас не создана переменная.
То есть вы передаёте в процедуру переменную, которую не создали. Здесь:
IndividualReportFormer book_with_sourse
происходит два действия:
1) создаётся переменная «book_with_sourse» и 2) эта переменная отправляется в процедуру. При этом у переменной «book_with_sourse» будет тип данных «Variant» (этот тип данных присваивается автоматически, если явно не задавать тип данных). Из-за этого вы и видите ошибку «несоответствие типов», т.к. у переменной тип данных «Variant», а у аргумента процедуры — «String».
Спасибо! Помогло, не обратил внимания, что опечатка была в sourSe вместо sourCe.
- Форум по VBA, Excel и Word
-
►
VBA, Excel -
►
VBA, макросы в Excel -
►
Excel: Странная проблема при обработке процедуры — ByRef argument type mismatch
1014 / 118 / 2 Регистрация: 26.08.2011 Сообщений: 1,119 Записей в блоге: 2 |
|
1 |
|
04.04.2012, 23:44. Показов 41482. Ответов 4
Работал достаточно долго с программой. Проверял элементы по отдельности. Делаю сборку программы — и вдруг на все переменные стали появляться такие сообщения. В чем может быть причина?
1 |
2785 / 717 / 106 Регистрация: 04.02.2011 Сообщений: 1,443 |
|
05.04.2012, 00:07 |
2 |
Не пишите программ без Option Explicit, пока не приучились к тому, что всякая переменная должна иметь свой тип. Каждому типу данных — свои операции, некоторые значения одних типов можно конвертировать в другой тип данных, например функции преобразования CInt, CDbl, CLng, CStr, CDate. Старайтесь следить, чтобы там где требуется определенный тип данных, данные были достоверно преобразованы в этот тип. Возможно у вас Sub или Function требует один тип, а вы подсовываете ей что-то неудобоваримое.
1 |
15139 / 6413 / 1730 Регистрация: 24.09.2011 Сообщений: 9,999 |
|
05.04.2012, 00:14 |
3 |
вдруг на все переменные стали появляться такие сообщения Не на все, а только на передаваемые в подпрограммы или функции. необходимо использовать Option Explicit , о чем mc-black написал Вам в соседней теме. Поверьте, на написание операторов Dim Вы потратите меньше времени, чем на устранение «странных» ошибок. новых модулях.
1 |
AndreA SN 1014 / 118 / 2 Регистрация: 26.08.2011 Сообщений: 1,119 Записей в блоге: 2 |
||||||||
05.04.2012, 00:37 [ТС] |
4 |
|||||||
дело в том, что я уже работаю с Option Explicit
считает пременную i типом Variant !!!
— ошибки пропали.
1 |
15139 / 6413 / 1730 Регистрация: 24.09.2011 Сообщений: 9,999 |
|
05.04.2012, 00:42 |
5 |
объявление переменных вида Именно так. В окне Locals в режиме останова это хорошо видно.
1 |
IT_Exp Эксперт 87844 / 49110 / 22898 Регистрация: 17.06.2006 Сообщений: 92,604 |
05.04.2012, 00:42 |
5 |