Property Value Converters
A guide to creating a custom Property Value Converter in Umbraco
A Property Value Converter converts a property editor's database-stored value into another type that is stored in the Umbraco cache. This way, the database stores only essential data. Razor views, the Published Content API, and the Content Delivery API use strongly typed, cleaner models.
For example, a Content Picker stores the Key of the picked node in the database. When reading published data, Umbraco returns an IPublishedContent
object instead of the Key. This conversion is done by a Property Value Converter.
A Property Value Converter has three conversion levels:
Source - The raw data stored in the database; this is generally a
string
.Intermediate - An object of a type that is appropriate to the property. For example, a node Key should be a
Guid
, or a collection of node Keys would be aGuid[]
.Object - The object to be used when accessing the property using the Published Content API. For example, the object returned by the
IPublishedContent.Value<T>(alias)
method. Additionally, the Models Builder generates a property of the same type as the object.
Create a Property Value Converter
A class becomes a Property Value Converter when it implements the IPropertyValueConverter
interface from the Umbraco.Cms.Core.PropertyEditors
namespace. Property Value Converters are automatically registered when implementing the interface. Any given PropertyEditor can only utilize a single Property Value Converter.
public class ContentPickerValueConverter : IPropertyValueConverter
The IPropertyValueConverter
interface exposes the following methods you need to implement:
Implement information methods
Implement the following methods, which provide Umbraco with context about the Property Value Converter.
IsConverter(IPublishedPropertyType propertyType)
IsConverter(IPublishedPropertyType propertyType)
This method is called for each PublishedPropertyType
(Document Type Property) at Umbraco startup. By returning true
, your value converter will be registered for that property type. Umbraco then executes your conversion methods whenever that value is requested.
Example: Checking if the IPublishedPropertyType.EditorAlias
property is equal to the alias of the core content editor.
This check is a string comparison, but creating a constant is recommended to avoid spelling errors:
public bool IsConverter(IPublishedPropertyType propertyType)
{
return propertyType.EditorAlias.Equals(Constants.PropertyEditors.Aliases.ContentPicker);
}
IsValue(object value, PropertyValueLevel level)
IsValue(object value, PropertyValueLevel level)
The IsValue
method determines whether a property contains a meaningful value or should be considered "empty" at different stages of the value conversion process. This method is essential for Umbraco's property.HasValue()
method.
When Umbraco needs to check if a property has a valid value, it calls IsValue progressively through three conversion levels until one returns true. They are called in the order of Source > Inter > Object. This allows you to choose at what stage of the conversion you need to perform the validation to get the best results. Consider these scenarios:
//If value is a simple string, it's enough to just check if string is null or empty
//This is the default implementation in PropertyValueConverterBase
public bool? IsValue(object? value, PropertyValueLevel level)
{
switch (level)
{
case PropertyValueLevel.Source:
return value != null && (!(value is string stringValue) || !string.IsNullOrWhiteSpace(stringValue));
case PropertyValueLevel.Inter:
return null;
case PropertyValueLevel.Object:
return null;
default:
throw new NotSupportedException($"Invalid level: {level}.");
}
}
//If the value is numeric, it's usually not enough to check if the raw string value is null
//or empty, but also to check if the value is a valid int and if it doesn't contain the default value
public bool? IsValue(object? value, PropertyValueLevel level)
{
switch (level)
{
case PropertyValueLevel.Source:
return null;
case PropertyValueLevel.Inter:
return value is int intValue && intValue > 0;
case PropertyValueLevel.Object:
return null;
default:
throw new NotSupportedException($"Invalid level: {level}.");
}
}
//If the value is a complex object, you can consider checking
//the object level
public bool? IsValue(object? value, PropertyValueLevel level)
{
switch (level)
{
case PropertyValueLevel.Source:
return null;
case PropertyValueLevel.Inter:
return null;
case PropertyValueLevel.Object:
return value is ComplexObject objectValue && objectValue.SomeProperty == "value";
default:
throw new NotSupportedException($"Invalid level: {level}.");
}
}
GetPropertyValueType(IPublishedPropertyType propertyType)
GetPropertyValueType(IPublishedPropertyType propertyType)
This is where you can specify the type returned by this converter. This type will be used by Models Builder to return data from properties using this converter in the proper type.
Example: Content Picker data is being converted to IPublishedContent
.
public Type GetPropertyValueType(IPublishedPropertyType propertyType)
{
return typeof(IPublishedContent);
}
GetPropertyCacheLevel(IPublishedPropertyType propertyType)
GetPropertyCacheLevel(IPublishedPropertyType propertyType)
Here you specify which level the property value is cached at.
A property value can be cached at the following levels:
PropertyCacheLevel.Element
PropertyCacheLevel.Element
This is the most commonly used cache level and should be your default, unless you have specific reasons to do otherwise.
The property value will be cached until its element is modified. The element is what holds (or owns) the property. For example:
For properties used at the page level, the element is the entire page.
For properties contained within Block List items, the element is the individual Block List item.
PropertyCacheLevel.Elements
PropertyCacheLevel.Elements
The property value will be cached until any element (see above) is changed. This means that any change to any page will clear the property value cache.
This is particularly useful for property values that contain references to other content or elements. For example, this cache level is utilized by the Content Picker to clear its property values from the cache upon content updates.
PropertyCacheLevel.None
PropertyCacheLevel.None
The property value will never be cached. Every time a property value is accessed (even within the same snapshot) property conversion is performed explicitly.
Use this cache level with extreme caution, as it incurs a massive performance penalty.
PropertyCacheLevel.Unknown
PropertyCacheLevel.Unknown
Do not use this cache level as it is a default fallback for the PropertyCacheLevel
enum. It will throw an error when used.
public PropertyCacheLevel GetPropertyCacheLevel(IPublishedPropertyType propertyType)
{
return PropertyCacheLevel.Elements;
}
Implement conversion methods
Implement the methods that perform the conversion from a raw database value to an intermediate value and then to the final type. Conversions happen in two steps.
ConvertSourceToIntermediate(IPublishedElement owner, IPublishedPropertyType propertyType, object source, bool preview)
ConvertSourceToIntermediate(IPublishedElement owner, IPublishedPropertyType propertyType, object source, bool preview)
This method converts the raw data value into an appropriate intermediate type that is needed for the final conversion step to an object. For example:
A basic text property likely stores its data as a
string
, so that can be converted to astring
intermediate value.A Content Picker stores the node identifier (
Udi
) as astring
. To returnIPublishedContent
, the final conversion step needs aUdi
instead. So in the intermediate step, check if thestring
value is a validUdi
and convert thestring
to aUdi
as the intermediate value.
// Basic text property example of intermediate conversion
public object ConvertSourceToIntermediate(IPublishedElement owner, IPublishedPropertyType propertyType, object source, bool preview)
{
return source as string;
}
// Converting the source value (string) to an intermediate value (GuidUdi)
public object? ConvertSourceToIntermediate(IPublishedElement owner, IPublishedPropertyType propertyType,
object? source, bool preview)
{
if (source is not string { Length: > 0 } stringValue)
return null;
return UdiParser.TryParse(stringValue, out GuidUdi? guidUdi) ? guidUdi : null;
}
ConvertIntermediateToObject(IPublishedElement owner, IPublishedPropertyType propertyType, PropertyCacheLevel referenceCacheLevel, object inter, bool preview)
ConvertIntermediateToObject(IPublishedElement owner, IPublishedPropertyType propertyType, PropertyCacheLevel referenceCacheLevel, object inter, bool preview)
This method converts the intermediate value to an object of the type specified in the GetPropertyValueType()
method of the Property Value Converter. The returned value is used by the GetPropertyValue<T>
method of IPublishedContent
.
The example below converts the node GuidUdi
into an IPublishedContent
object.
// Converts the intermediate value (GuidUdi) to the actual object value (IPublishedContent)
public object? ConvertIntermediateToObject(IPublishedElement owner, IPublishedPropertyType propertyType, PropertyCacheLevel referenceCacheLevel, object? inter, bool preview)
=> inter is GuidUdi guidUdi
? publishedContentCache.GetById(guidUdi.Guid)
: null;
Override existing Property Value Converters
To override an existing Property Value Converter, either from Umbraco or a package, additional steps are required. Deregister the existing one to prevent conflicts.
using System.Linq;
using Umbraco.Cms.Core.Composing;
using Umbraco.Cms.Core.DependencyInjection;
public class MyComposer : IComposer
{
public void Compose(IUmbracoBuilder builder)
{
//If the type is accessible (not internal) you can deregister it by the type:
builder.PropertyValueConverters().Remove<MyCustom.StandardValueConnector>();
//If the type is not accessible you will need to locate the instance and then remove it:
var contentPickerValueConverter = builder.PropertyValueConverters().GetTypes()
.FirstOrDefault(converter => converter.Name == "ContentPickerValueConverter");
if (contentPickerValueConverter != null)
{
builder.PropertyValueConverters().Remove(contentPickerValueConverter);
}
}
}
Full example
Content Picker to IPublishedContent
using IPropertyValueConverter
interface
Last updated
Was this helpful?