Using .NET “out” and “ref” Methods in IronPython

IronPython does not have any operators to that match the .NET “out” or “ref” operators. Use the following examples to get the most use out of the many .NET uses of them.

C# Decimal.TryParse(string s, out value)

According to the IronPython bible, there are two ways of calling the TryParse() method. In this first method, “value” is passed as the second output tuple value. The first tuple value is the boolean that is true if the conversion is successful.

# This is a string value.
s = "42.1254"
	
# TryParse returns two values:
#    First is bool to say if conversion worked.
#    Second is the converted value.
[isDecimal, value] = Decimal.TryParse(s)
if isDecimal:
    args.Value = value

A second way is to create an explicit reference to a Decimal variable and pass it to TryParse.

import clr
d = clr.Reference[Decimal]()

# This is a string value. Again.
s = "42.1254"
	
isDecimal = Decimal.TryParse(s, d)
args.Value = d.Value

Personally, I’m comfortable returning tuples and I think the first method is cleaner – but your mileage my vary.