// Copyright (c) Microsoft Corporation.
// Licensed under the MIT License.
using System;
using System.Text.RegularExpressions;
using UnityEngine;
namespace Microsoft.MixedReality.WebRTC.Unity
{
///
/// Attribute for string properties representing an SDP token, which has constraints
/// on the allowed characters it can contain, as defined in the SDP RFC.
///
/// See https://tools.ietf.org/html/rfc4566#page-43 for details.
///
public class SdpTokenAttribute : PropertyAttribute
{
///
/// Allow empty tokens, that is a string property which is null or an empty string.
/// This is not valid in the RFC, but can be allowed as a property value to represent a default
/// value generated at runtime by the implementation instead of being provided by the user.
///
/// This is typically used as an argument to .
///
/// true to allow the property to be null or empty.
public bool AllowEmpty { get; }
/// Value of .
public SdpTokenAttribute(bool allowEmpty = true)
{
AllowEmpty = allowEmpty;
}
///
/// Validate an SDP token name against the list of allowed characters:
/// - Symbols [!#$%'*+-.^_`{|}~&]
/// - Alphanumerical characters [A-Za-z0-9]
///
/// If the validation fails, the method throws an exception.
///
///
/// See https://tools.ietf.org/html/rfc4566#page-43 for 'token' reference.
///
/// The token name to validate.
///
/// true to allow the property to be null or empty without raising an exception.
///
///
/// is null or empty, and is false.
///
///
/// contains invalid characters not allowed for a SDP 'token' item.
///
public static void Validate(string name, bool allowEmpty = true)
{
if (string.IsNullOrEmpty(name))
{
if (allowEmpty)
{
return;
}
throw new ArgumentNullException("Invalid null SDP token.");
}
var regex = new Regex("^[A-Za-z0-9!#$%&'*+-.^_`{|}~]+$");
if (regex.IsMatch(name))
{
return;
}
throw new ArgumentException($"SDP token '{name}' contains invalid characters.");
}
}
}