using System;
using System.Collections.Generic;
using System.Linq;
using BizHawk.Client.Common;
namespace BizHawk.Client.ApiHawk
{
///
/// A generic implementation of IExternalApi provider that provides
/// this functionality to any core.
/// The provider will scan an IExternal and register all IExternalApis
/// that the core object itself implements. In addition it provides
/// a Register() method to allow the core to pass in any additional Apis
///
///
public class BasicApiProvider : IExternalApiProvider
{
private readonly Dictionary _apis;
public BasicApiProvider(IApiContainer container)
{
// simplified logic here doesn't scan for possible Apis; just adds what it knows is implemented by the PluginApi
// this removes the possibility of automagically picking up a Api in a nested class, (find the type, then
// find the field), but we're going to keep such logic out of the basic provider. Anything the passed
// container doesn't implement directly needs to be added with Register()
// this also fully allows apis that are not IExternalApi
var libs = container.Libraries;
_apis = libs;
}
/// the client can call this to register an additional API
/// the type, inheriting , to be registered
/// is null
public void Register(T api)
where T : IExternalApi
{
if (api == null)
{
throw new ArgumentNullException(nameof(api));
}
_apis[typeof(T)] = api;
}
public T GetApi()
where T : IExternalApi
{
return (T)GetApi(typeof(T));
}
public object GetApi(Type t)
{
var k = _apis.Where(kvp => t.IsAssignableFrom(kvp.Key)).ToArray();
return k.Length > 0 ? k[0].Value : null;
}
public bool HasApi()
where T : IExternalApi
{
return HasApi(typeof(T));
}
public bool HasApi(Type t) => _apis.ContainsKey(t);
public IEnumerable AvailableApis => _apis.Select(d => d.Key);
}
}