SQL Server Stored Procedure Output Params In PHP
Solution 1:
According to this page on PHP bugs, you have to (emphasis mine):
call
mssql_next_result()
for each result set returned by the SP. This way you can handle multiple results.When
mssql_next_result()
returns false you will have access to output parameters and return value.
Solution 2:
The second param of execute needs to be true, rather than conn. This should work:
$conn = mssql_connect('server', 'user', 'pass');
mssql_select_db('db', $conn);
$procedure = mssql_init('usp_StoredProc', $conn);
$tmpVar1 = 'value';
$tmpVar2 = 'value2';
$outVar1 = '';
$outVar2 = '';
mssql_bind($procedure, "@var1", $tmpVar1, SQLVARCHAR, false, false);
mssql_bind($procedure, "@var2", $tmpVar2, SQLVARCHAR, false, false);
mssql_bind($procedure, "@outVar1", $outVar1, SQLVARCHAR, true);
mssql_bind($procedure, "@outVar2", $outVar2, SQLVARCHAR, true);
mssql_execute($procedure,true);
print($outVar1);
print($outVar2);
Solution 3:
Try specifying the specific lengths of the output fields
mssql_bind($procedure, "@outVar1", &$outVar1, SQLVARCHAR, true, false, 36);
mssql_bind($procedure, "@outVar2", &$outVar2, SQLVARCHAR, true, false, 36);
And see if that makes a difference.
Also note the explicit & to pass the output vars by reference, though I don't know if it's still required or not.
Solution 4:
I doubt this is causing your problem, but why are you using DISTINCT
?
That's just a codesmell - any time you see that, it means that there is a potential for returning duplicates that is being "handled" with DISTINCT, and why duplicates would be returned probably needs to be looked at.
Solution 5:
Not sure which version of PHP you are running, but i think in some of the older ones you needed to pass variables by reference to get the value to come out again:
So you'd need to put the & charcter before the variable when calling the function:
mssql_bind($procedure, "@outVar1", &$outVar1, SQLVARCHAR, true);
mssql_bind($procedure, "@outVar2", &$outVar2, SQLVARCHAR, true);
Also according to this link some versions had a issue with output paramters
Post a Comment for "SQL Server Stored Procedure Output Params In PHP"