{"id":602,"date":"2020-12-03T23:24:00","date_gmt":"2020-12-03T10:24:00","guid":{"rendered":"https:\/\/blog.wiseowls.co.nz\/?p=602"},"modified":"2026-03-08T00:44:49","modified_gmt":"2026-03-07T11:44:49","slug":"asp-net-core-resolving-types-from-dynamic-assemblies","status":"publish","type":"post","link":"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/","title":{"rendered":"ASP.Net Core &#8211; Resolving types from dynamic assemblies"},"content":{"rendered":"\n<p>It is not a secret that ASP.NET core comes with <a href=\"https:\/\/docs.microsoft.com\/en-us\/aspnet\/core\/fundamentals\/dependency-injection?view=aspnetcore-5.0\">dependency injection<\/a> support out of the box. And we don&#8217;t remember ever feeling it lacks features. All we have to do is register a type in <code>Startup.cs<\/code> and it&#8217;s ready to be consumed in our controllers:<\/p>\n\n\n\n<pre class=\"wp-block-code\"><code lang=\"csharp\" class=\"language-csharp\">public class Startup\n{\n    public void ConfigureServices(IServiceCollection services)\n    {\n        ...\n     <code>   services.AddScoped&lt;IDBLogger, IdbLogger>();<\/code>\n    }\n}\n\/\/\npublic class HomeController : Controller\n{\n    private readonly IDBLogger _idbLogger;\n<code>    public HomeController(IDBLogger idbLogger)     <\/code>\n    <code>{<\/code>\n        <code>_idbLogger = idbLogger; \/\/ all good here!<\/code>\n    <code>}<\/code>\n...\n}<\/code><\/pre>\n\n\n\n<h2 class=\"wp-block-heading\">What if it&#8217;s a plugin?<\/h2>\n\n\n\n<p>Now imagine we&#8217;ve got a <code>Order<\/code> type that we for whatever strange reason load at runtime dynamically.<\/p>\n\n\n\n<pre class=\"wp-block-code\"><code lang=\"csharp\" class=\"language-csharp\">public class Order\n{\n     private readonly IDBLogger _logger; \/\/ suppose we've got the reference from common assembly that both our main application and this plugin are allowed to reference\n     public Order(IDBLogger logger)\n     {\n         _logger = logger; \/\/ will it resolve?\n     }\n     public void GetOrderDetail()\n     {\n        _logger.Log(\"Inside GetOrderDetail\"); \/\/ do we get a NRE here?\n     }\n}<\/code><\/pre>\n\n\n\n<h2 class=\"wp-block-heading\">Load it in the controller<\/h2>\n\n\n\n<p>External assembly being external kind of implies that we want to load it at the very last moment &#8211; right in our controller where we presumably need it. If we try explore this avenue, we immediately see the issue:<\/p>\n\n\n\n<pre class=\"wp-block-code\"><code lang=\"csharp\" class=\"language-csharp\">public HomeController(IDBLogger idbLogger)\n {\n     _idbLogger = idbLogger;\n     var assembly = Assembly.LoadFrom(Path.Combine(\"..\\Controllers\\bin\\Debug\\netcoreapp3.1\", \"Orders.dll\"));\n     var orderType = assembly.ExportedTypes.First(t => t.Name == \"Order\");\n     var order = Activator.CreateInstance(orderType); \/\/throws <code>System.MissingMethodException: 'No parameterless constructor defined for type 'Orders.Order'.'<\/code>\n     orderType.InvokeMember(\"GetOrderDetail\", BindingFlags.Public | BindingFlags.Instance|BindingFlags.InvokeMethod, null, order, new object[] { });\n }<\/code><\/pre>\n\n\n\n<p>The exception makes perfect sense &#8211; we need to inject dependencies! Making it so:<\/p>\n\n\n\n<pre class=\"wp-block-code\"><code lang=\"csharp\" class=\"language-csharp\">public HomeController(IDBLogger idbLogger)\n {\n     _idbLogger = idbLogger;\n     var assembly = Assembly.LoadFrom(Path.Combine(\"..\\Controllers\\bin\\Debug\\netcoreapp3.1\", \"Orders.dll\"));\n     var orderType = assembly.ExportedTypes.First(t => t.Name == \"Order\");\n     var order = Activator.CreateInstance(orderType, new object[] { _idbLogger }); \/\/ we happen to know what the constructor is expecting\n     orderType.InvokeMember(\"GetOrderDetail\", BindingFlags.Public | BindingFlags.Instance|BindingFlags.InvokeMethod, null, order, new object[] { });\n }<\/code><\/pre>\n\n\n\n<h2 class=\"wp-block-heading\">Victory! or is it?<\/h2>\n\n\n\n<p>The above exercise is nothing new of exceptional &#8211; the point we are making here is &#8211; dependency injection frameworks were invented so we don&#8217;t have to do this manually. In this case it was pretty easy but more compex constructors can many dependencies. What&#8217;s worse &#8211; we may not be able to guarantee we even know all dependencies we need. If only there was a way to register dynamic types with system DI container&#8230;<\/p>\n\n\n\n<h2 class=\"wp-block-heading\">Yes we can<\/h2>\n\n\n\n<p>The most naive solution would be to load our assembly on <code>Startup.cs<\/code> and register needed types along with our own:<\/p>\n\n\n\n<pre class=\"wp-block-code\"><code lang=\"csharp\" class=\"language-csharp\">public void ConfigureServices(IServiceCollection services)\n {\n     services.AddControllersWithViews();\n     services.AddScoped();\n     <code>\/\/ load assembly and register with DI  <\/code>\n     <code>var assembly = Assembly.LoadFrom(Path.Combine(\"..\\\\Controllers\\\\bin\\\\Debug\\\\netcoreapp3.1\", \"Orders.dll\")); <\/code>\n    <code>var orderType = assembly.ExportedTypes.First(t => t.Name == \"Order\");<\/code>\n    <code>services.AddScoped(orderType); \/\/ this is where we would make our type known to the DI container  <\/code>\n    <code>var loadedTypesCache = new LoadedTypesCache(); \/\/ this step is optional - i chose to leverage the same DI mechanism to avoid having to load assembly in my controller for type definition.  <\/code>\n    <code>loadedTypesCache.LoadedTypes.Add(\"order\", orderType);<\/code>\n    <code>services.AddSingleton(loadedTypesCache); \/\/ singleton seems like a good fit here            <\/code>\n }<\/code><\/pre>\n\n\n\n<p>And that&#8217;s it &#8211; literally no difference where the type is coming from! In controller, we&#8217;d inject <code>IServiceProvider<\/code> and ask to hand us an instance of type we cached earlier:<\/p>\n\n\n\n<pre class=\"wp-block-code\"><code lang=\"csharp\" class=\"language-csharp\">public HomeController(IServiceProvider serviceProvider, LoadedTypesCache cache)\n{\n     var order = serviceProvider.GetService(cache.LoadedTypes[\"order\"]); \/\/ leveraging that same loaded type cache to avoid having to load assembly again\n <code>\/\/ following two lines are just to call the method <\/code>\n    <code>var m = cache.LoadedTypes[\"order\"].GetMethod(\"GetOrderDetail\", BindingFlags.Public | BindingFlags.Instance); <\/code>\n    <code>m.Invoke(order, new object[] { });<\/code> \/\/ Victory!\n}<\/code><\/pre>\n","protected":false},"excerpt":{"rendered":"<p>It is not a secret that ASP.NET core comes with dependency injection support out of the box. And we don&#8217;t remember ever feeling it lacks features. All we have to do is register a type in Startup.cs and it&#8217;s ready to be consumed in our controllers: What if it&#8217;s a plugin? Now imagine we&#8217;ve got &hellip; <a href=\"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/\" class=\"more-link\">Continue reading<span class=\"screen-reader-text\"> &#8220;ASP.Net Core &#8211; Resolving types from dynamic assemblies&#8221;<\/span><\/a><\/p>\n","protected":false},"author":1,"featured_media":418,"comment_status":"open","ping_status":"open","sticky":false,"template":"","format":"standard","meta":{"inline_featured_image":false,"footnotes":""},"categories":[11],"tags":[45,12],"class_list":["post-602","post","type-post","status-publish","format-standard","has-post-thumbnail","hentry","category-dev","tag-aspnetcore","tag-c"],"yoast_head":"<!-- This site is optimized with the Yoast SEO plugin v27.4 - https:\/\/yoast.com\/product\/yoast-seo-wordpress\/ -->\n<title>ASP.Net Core - Resolving types from dynamic assemblies - Timur and associates<\/title>\n<meta name=\"description\" content=\"Resolving types from dynamically loaded assemblies in ASP.NET Core DI. When your plugins need constructor injection too.\" \/>\n<meta name=\"robots\" content=\"index, follow, max-snippet:-1, max-image-preview:large, max-video-preview:-1\" \/>\n<link rel=\"canonical\" href=\"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/\" \/>\n<meta property=\"og:locale\" content=\"en_US\" \/>\n<meta property=\"og:type\" content=\"article\" \/>\n<meta property=\"og:title\" content=\"ASP.Net Core - Resolving types from dynamic assemblies - Timur and associates\" \/>\n<meta property=\"og:description\" content=\"Resolving types from dynamically loaded assemblies in ASP.NET Core DI. When your plugins need constructor injection too.\" \/>\n<meta property=\"og:url\" content=\"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/\" \/>\n<meta property=\"og:site_name\" content=\"Timur and associates\" \/>\n<meta property=\"article:published_time\" content=\"2020-12-03T10:24:00+00:00\" \/>\n<meta property=\"article:modified_time\" content=\"2026-03-07T11:44:49+00:00\" \/>\n<meta property=\"og:image\" content=\"https:\/\/blog.wiseowls.co.nz\/wp-content\/uploads\/2020\/03\/technology-computer-desktop-programming-113850_cr-scaled.jpg\" \/>\n\t<meta property=\"og:image:width\" content=\"2560\" \/>\n\t<meta property=\"og:image:height\" content=\"600\" \/>\n\t<meta property=\"og:image:type\" content=\"image\/jpeg\" \/>\n<meta name=\"author\" content=\"timur\" \/>\n<meta name=\"twitter:card\" content=\"summary_large_image\" \/>\n<meta name=\"twitter:creator\" content=\"@TimurKh\" \/>\n<script type=\"application\/ld+json\" class=\"yoast-schema-graph\">{\"@context\":\"https:\\\/\\\/schema.org\",\"@graph\":[{\"@type\":\"Article\",\"@id\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/index.php\\\/2020\\\/12\\\/03\\\/asp-net-core-resolving-types-from-dynamic-assemblies\\\/#article\",\"isPartOf\":{\"@id\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/index.php\\\/2020\\\/12\\\/03\\\/asp-net-core-resolving-types-from-dynamic-assemblies\\\/\"},\"author\":{\"name\":\"timur\",\"@id\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/#\\\/schema\\\/person\\\/34d0ed30d573b5bc317ea990bd2e0c59\"},\"headline\":\"ASP.Net Core &#8211; Resolving types from dynamic assemblies\",\"datePublished\":\"2020-12-03T10:24:00+00:00\",\"dateModified\":\"2026-03-07T11:44:49+00:00\",\"mainEntityOfPage\":{\"@id\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/index.php\\\/2020\\\/12\\\/03\\\/asp-net-core-resolving-types-from-dynamic-assemblies\\\/\"},\"wordCount\":264,\"commentCount\":0,\"image\":{\"@id\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/index.php\\\/2020\\\/12\\\/03\\\/asp-net-core-resolving-types-from-dynamic-assemblies\\\/#primaryimage\"},\"thumbnailUrl\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/wp-content\\\/uploads\\\/2020\\\/03\\\/technology-computer-desktop-programming-113850_cr-scaled.jpg\",\"keywords\":[\"aspnetcore\",\"c#\"],\"articleSection\":[\"Development\"],\"inLanguage\":\"en-US\",\"potentialAction\":[{\"@type\":\"CommentAction\",\"name\":\"Comment\",\"target\":[\"https:\\\/\\\/blog.wiseowls.co.nz\\\/index.php\\\/2020\\\/12\\\/03\\\/asp-net-core-resolving-types-from-dynamic-assemblies\\\/#respond\"]}]},{\"@type\":\"WebPage\",\"@id\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/index.php\\\/2020\\\/12\\\/03\\\/asp-net-core-resolving-types-from-dynamic-assemblies\\\/\",\"url\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/index.php\\\/2020\\\/12\\\/03\\\/asp-net-core-resolving-types-from-dynamic-assemblies\\\/\",\"name\":\"ASP.Net Core - Resolving types from dynamic assemblies - Timur and associates\",\"isPartOf\":{\"@id\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/#website\"},\"primaryImageOfPage\":{\"@id\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/index.php\\\/2020\\\/12\\\/03\\\/asp-net-core-resolving-types-from-dynamic-assemblies\\\/#primaryimage\"},\"image\":{\"@id\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/index.php\\\/2020\\\/12\\\/03\\\/asp-net-core-resolving-types-from-dynamic-assemblies\\\/#primaryimage\"},\"thumbnailUrl\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/wp-content\\\/uploads\\\/2020\\\/03\\\/technology-computer-desktop-programming-113850_cr-scaled.jpg\",\"datePublished\":\"2020-12-03T10:24:00+00:00\",\"dateModified\":\"2026-03-07T11:44:49+00:00\",\"author\":{\"@id\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/#\\\/schema\\\/person\\\/34d0ed30d573b5bc317ea990bd2e0c59\"},\"description\":\"Resolving types from dynamically loaded assemblies in ASP.NET Core DI. When your plugins need constructor injection too.\",\"breadcrumb\":{\"@id\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/index.php\\\/2020\\\/12\\\/03\\\/asp-net-core-resolving-types-from-dynamic-assemblies\\\/#breadcrumb\"},\"inLanguage\":\"en-US\",\"potentialAction\":[{\"@type\":\"ReadAction\",\"target\":[\"https:\\\/\\\/blog.wiseowls.co.nz\\\/index.php\\\/2020\\\/12\\\/03\\\/asp-net-core-resolving-types-from-dynamic-assemblies\\\/\"]}]},{\"@type\":\"ImageObject\",\"inLanguage\":\"en-US\",\"@id\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/index.php\\\/2020\\\/12\\\/03\\\/asp-net-core-resolving-types-from-dynamic-assemblies\\\/#primaryimage\",\"url\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/wp-content\\\/uploads\\\/2020\\\/03\\\/technology-computer-desktop-programming-113850_cr-scaled.jpg\",\"contentUrl\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/wp-content\\\/uploads\\\/2020\\\/03\\\/technology-computer-desktop-programming-113850_cr-scaled.jpg\",\"width\":2560,\"height\":600},{\"@type\":\"BreadcrumbList\",\"@id\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/index.php\\\/2020\\\/12\\\/03\\\/asp-net-core-resolving-types-from-dynamic-assemblies\\\/#breadcrumb\",\"itemListElement\":[{\"@type\":\"ListItem\",\"position\":1,\"name\":\"Home\",\"item\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/\"},{\"@type\":\"ListItem\",\"position\":2,\"name\":\"ASP.Net Core &#8211; Resolving types from dynamic assemblies\"}]},{\"@type\":\"WebSite\",\"@id\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/#website\",\"url\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/\",\"name\":\"Timur and associates\",\"description\":\"Notes of an IT contractor\",\"potentialAction\":[{\"@type\":\"SearchAction\",\"target\":{\"@type\":\"EntryPoint\",\"urlTemplate\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/?s={search_term_string}\"},\"query-input\":{\"@type\":\"PropertyValueSpecification\",\"valueRequired\":true,\"valueName\":\"search_term_string\"}}],\"inLanguage\":\"en-US\"},{\"@type\":\"Person\",\"@id\":\"https:\\\/\\\/blog.wiseowls.co.nz\\\/#\\\/schema\\\/person\\\/34d0ed30d573b5bc317ea990bd2e0c59\",\"name\":\"timur\",\"image\":{\"@type\":\"ImageObject\",\"inLanguage\":\"en-US\",\"@id\":\"https:\\\/\\\/secure.gravatar.com\\\/avatar\\\/23d55e17d4f0990ee4d12bc6e5dcfb58a292934efd62a185756876379e780b16?s=96&r=pg\",\"url\":\"https:\\\/\\\/secure.gravatar.com\\\/avatar\\\/23d55e17d4f0990ee4d12bc6e5dcfb58a292934efd62a185756876379e780b16?s=96&r=pg\",\"contentUrl\":\"https:\\\/\\\/secure.gravatar.com\\\/avatar\\\/23d55e17d4f0990ee4d12bc6e5dcfb58a292934efd62a185756876379e780b16?s=96&r=pg\",\"caption\":\"timur\"},\"sameAs\":[\"https:\\\/\\\/x.com\\\/TimurKh\"]}]}<\/script>\n<!-- \/ Yoast SEO plugin. -->","yoast_head_json":{"title":"ASP.Net Core - Resolving types from dynamic assemblies - Timur and associates","description":"Resolving types from dynamically loaded assemblies in ASP.NET Core DI. When your plugins need constructor injection too.","robots":{"index":"index","follow":"follow","max-snippet":"max-snippet:-1","max-image-preview":"max-image-preview:large","max-video-preview":"max-video-preview:-1"},"canonical":"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/","og_locale":"en_US","og_type":"article","og_title":"ASP.Net Core - Resolving types from dynamic assemblies - Timur and associates","og_description":"Resolving types from dynamically loaded assemblies in ASP.NET Core DI. When your plugins need constructor injection too.","og_url":"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/","og_site_name":"Timur and associates","article_published_time":"2020-12-03T10:24:00+00:00","article_modified_time":"2026-03-07T11:44:49+00:00","og_image":[{"width":2560,"height":600,"url":"https:\/\/blog.wiseowls.co.nz\/wp-content\/uploads\/2020\/03\/technology-computer-desktop-programming-113850_cr-scaled.jpg","type":"image\/jpeg"}],"author":"timur","twitter_card":"summary_large_image","twitter_creator":"@TimurKh","schema":{"@context":"https:\/\/schema.org","@graph":[{"@type":"Article","@id":"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/#article","isPartOf":{"@id":"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/"},"author":{"name":"timur","@id":"https:\/\/blog.wiseowls.co.nz\/#\/schema\/person\/34d0ed30d573b5bc317ea990bd2e0c59"},"headline":"ASP.Net Core &#8211; Resolving types from dynamic assemblies","datePublished":"2020-12-03T10:24:00+00:00","dateModified":"2026-03-07T11:44:49+00:00","mainEntityOfPage":{"@id":"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/"},"wordCount":264,"commentCount":0,"image":{"@id":"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/#primaryimage"},"thumbnailUrl":"https:\/\/blog.wiseowls.co.nz\/wp-content\/uploads\/2020\/03\/technology-computer-desktop-programming-113850_cr-scaled.jpg","keywords":["aspnetcore","c#"],"articleSection":["Development"],"inLanguage":"en-US","potentialAction":[{"@type":"CommentAction","name":"Comment","target":["https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/#respond"]}]},{"@type":"WebPage","@id":"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/","url":"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/","name":"ASP.Net Core - Resolving types from dynamic assemblies - Timur and associates","isPartOf":{"@id":"https:\/\/blog.wiseowls.co.nz\/#website"},"primaryImageOfPage":{"@id":"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/#primaryimage"},"image":{"@id":"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/#primaryimage"},"thumbnailUrl":"https:\/\/blog.wiseowls.co.nz\/wp-content\/uploads\/2020\/03\/technology-computer-desktop-programming-113850_cr-scaled.jpg","datePublished":"2020-12-03T10:24:00+00:00","dateModified":"2026-03-07T11:44:49+00:00","author":{"@id":"https:\/\/blog.wiseowls.co.nz\/#\/schema\/person\/34d0ed30d573b5bc317ea990bd2e0c59"},"description":"Resolving types from dynamically loaded assemblies in ASP.NET Core DI. When your plugins need constructor injection too.","breadcrumb":{"@id":"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/#breadcrumb"},"inLanguage":"en-US","potentialAction":[{"@type":"ReadAction","target":["https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/"]}]},{"@type":"ImageObject","inLanguage":"en-US","@id":"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/#primaryimage","url":"https:\/\/blog.wiseowls.co.nz\/wp-content\/uploads\/2020\/03\/technology-computer-desktop-programming-113850_cr-scaled.jpg","contentUrl":"https:\/\/blog.wiseowls.co.nz\/wp-content\/uploads\/2020\/03\/technology-computer-desktop-programming-113850_cr-scaled.jpg","width":2560,"height":600},{"@type":"BreadcrumbList","@id":"https:\/\/blog.wiseowls.co.nz\/index.php\/2020\/12\/03\/asp-net-core-resolving-types-from-dynamic-assemblies\/#breadcrumb","itemListElement":[{"@type":"ListItem","position":1,"name":"Home","item":"https:\/\/blog.wiseowls.co.nz\/"},{"@type":"ListItem","position":2,"name":"ASP.Net Core &#8211; Resolving types from dynamic assemblies"}]},{"@type":"WebSite","@id":"https:\/\/blog.wiseowls.co.nz\/#website","url":"https:\/\/blog.wiseowls.co.nz\/","name":"Timur and associates","description":"Notes of an IT contractor","potentialAction":[{"@type":"SearchAction","target":{"@type":"EntryPoint","urlTemplate":"https:\/\/blog.wiseowls.co.nz\/?s={search_term_string}"},"query-input":{"@type":"PropertyValueSpecification","valueRequired":true,"valueName":"search_term_string"}}],"inLanguage":"en-US"},{"@type":"Person","@id":"https:\/\/blog.wiseowls.co.nz\/#\/schema\/person\/34d0ed30d573b5bc317ea990bd2e0c59","name":"timur","image":{"@type":"ImageObject","inLanguage":"en-US","@id":"https:\/\/secure.gravatar.com\/avatar\/23d55e17d4f0990ee4d12bc6e5dcfb58a292934efd62a185756876379e780b16?s=96&r=pg","url":"https:\/\/secure.gravatar.com\/avatar\/23d55e17d4f0990ee4d12bc6e5dcfb58a292934efd62a185756876379e780b16?s=96&r=pg","contentUrl":"https:\/\/secure.gravatar.com\/avatar\/23d55e17d4f0990ee4d12bc6e5dcfb58a292934efd62a185756876379e780b16?s=96&r=pg","caption":"timur"},"sameAs":["https:\/\/x.com\/TimurKh"]}]}},"_links":{"self":[{"href":"https:\/\/blog.wiseowls.co.nz\/index.php\/wp-json\/wp\/v2\/posts\/602","targetHints":{"allow":["GET"]}}],"collection":[{"href":"https:\/\/blog.wiseowls.co.nz\/index.php\/wp-json\/wp\/v2\/posts"}],"about":[{"href":"https:\/\/blog.wiseowls.co.nz\/index.php\/wp-json\/wp\/v2\/types\/post"}],"author":[{"embeddable":true,"href":"https:\/\/blog.wiseowls.co.nz\/index.php\/wp-json\/wp\/v2\/users\/1"}],"replies":[{"embeddable":true,"href":"https:\/\/blog.wiseowls.co.nz\/index.php\/wp-json\/wp\/v2\/comments?post=602"}],"version-history":[{"count":9,"href":"https:\/\/blog.wiseowls.co.nz\/index.php\/wp-json\/wp\/v2\/posts\/602\/revisions"}],"predecessor-version":[{"id":638,"href":"https:\/\/blog.wiseowls.co.nz\/index.php\/wp-json\/wp\/v2\/posts\/602\/revisions\/638"}],"wp:featuredmedia":[{"embeddable":true,"href":"https:\/\/blog.wiseowls.co.nz\/index.php\/wp-json\/wp\/v2\/media\/418"}],"wp:attachment":[{"href":"https:\/\/blog.wiseowls.co.nz\/index.php\/wp-json\/wp\/v2\/media?parent=602"}],"wp:term":[{"taxonomy":"category","embeddable":true,"href":"https:\/\/blog.wiseowls.co.nz\/index.php\/wp-json\/wp\/v2\/categories?post=602"},{"taxonomy":"post_tag","embeddable":true,"href":"https:\/\/blog.wiseowls.co.nz\/index.php\/wp-json\/wp\/v2\/tags?post=602"}],"curies":[{"name":"wp","href":"https:\/\/api.w.org\/{rel}","templated":true}]}}