{"id":420,"date":"2016-05-04T07:22:53","date_gmt":"2016-05-04T07:22:53","guid":{"rendered":"http:\/\/www.adlice.com\/?p=420"},"modified":"2022-12-21T10:37:03","modified_gmt":"2022-12-21T10:37:03","slug":"cuckoo-sandbox-customization","status":"publish","type":"post","link":"https:\/\/www.adlice.com\/es\/cuckoo-sandbox-customization\/","title":{"rendered":"Cuckoo Sandbox Customization"},"content":{"rendered":"\n<p><strong>Cuckoo Sandbox is a neat open source project <\/strong>used by many people around the world to <strong>test malware into a secure environment<\/strong>, to understand how they work and what they do. Cuckoo is <strong>written in a modular way<\/strong>, with python language. It&#8217;s really easy to customize, and this is what I&#8217;m going to show you here.<\/p>\n\n\n\n<h2 class=\"wp-block-heading\"><br>Cuckoo Sandbox<\/h2>\n\n\n\n<p>You can <a href=\"https:\/\/www.cuckoosandbox.org\/\"><strong>download and install Cuckoo Sandbox here<\/strong><\/a>, and here&#8217;s a <a href=\"http:\/\/docs.cuckoosandbox.org\/en\/latest\/\"><strong>tutorial on how to configure it<\/strong><\/a>. We will not cover the installation of cuckoo itself because the guide is really well done.<\/p>\n\n\n\n<h2 class=\"wp-block-heading\"><br>Customization, the idea<\/h2>\n\n\n\n<p><strong>Let&#8217;s study a real example<\/strong> that we&#8217;ve done for our own purpose, here at Adlice Labs. We wanted an easy way to <strong>test for malware removal<\/strong> <a href=\"https:\/\/www.adlice.com\/software\/roguekiller\/\"><strong>with our software, RogueKiller<\/strong><\/a>. The idea is to get a removal report for malware that we send to the sandbox, let&#8217;s take a look.<\/p>\n\n\n\n<p>The Cuckoo team <a href=\"http:\/\/docs.cuckoosandbox.org\/en\/latest\/customization\/\"><strong>made a guide for customization as well<\/strong><\/a>, this will be our reference.<br><strong>In our templates below, for consistency all our file modules will be named &#8220;custom.py&#8221;. Just adapt to your case.<\/strong><\/p>\n\n\n\n<h2 class=\"wp-block-heading\"><br>Auxiliary (guest) module<\/h2>\n\n\n\n<p>The auxiliary guest modules are located into <strong>\/analyzer\/windows\/modules\/auxiliary.<\/strong><br>They are <strong>executed before the malware, on the guest machine<\/strong>. Therefore they can be useful to log some initial state machine information.<\/p>\n\n\n\n<pre class=\"wp-block-code\"><code>import logging\nimport json\n\nfrom lib.common.abstracts import Auxiliary\nfrom lib.common.results import NetlogFile\n\nlog = logging.getLogger(__name__)\n\nclass Custom(Auxiliary):\n    \"\"\"Gather custom data\"\"\"\n\n    def __init__(self, options={}, analyzer=None):\n        Auxiliary.__init__(self, options, analyzer)\n\n    def start(self):\n        log.info(\"Starting my Custom auxiliary module\")\n        nf = NetlogFile(\"logs\/initial.json\")\n        nf.send(json.dumps(&#91;'foo', {'bar': ('baz', None, 1.0, 2, False)}]))<\/code><\/pre>\n\n\n\n<p><br>As a result, a initial.json file is created into \/logs.<\/p>\n\n\n\n<h2 class=\"wp-block-heading\"><br>Package module<\/h2>\n\n\n\n<p>The package modules are located into <strong>\/analyzer\/windows\/modules\/packages.<\/strong><br>They are responsible for <strong>executing and injecting the malware<\/strong> for analysis, they are <strong>executed on the guest<\/strong>.<br>You can <strong>define different execution routines, depending on the type<\/strong> of malware (exe, swf, pdf, &#8230;)<br>I have implemented the finish method to make some post execution actions, we will see later for a concrete example of this.<\/p>\n\n\n\n<pre class=\"wp-block-code\"><code>import os\nimport shlex\nimport json\nimport logging\n\nfrom lib.common.abstracts import Package\nfrom lib.common.results import NetlogFile\n\nlog = logging.getLogger(\"analyzer\")\n\nclass CustomExe(Package):\n    \"\"\"Custom analysis package.\"\"\"\n\n    def start(self, path):\n        args = self.options.get(\"arguments\", \"\")\n\n        name, ext = os.path.splitext(path)\n        if not ext:\n            new_path = name + \".exe\"\n            os.rename(path, new_path)\n            path = new_path\n\n        return self.execute(path, args=shlex.split(args))\n\n    # Post execution\n    def finish(self):\n        nf = NetlogFile(\"logs\/post.json\")\n        nf.send(json.dumps(&#91;'foo', {'bar': ('baz', None, 1.0, 2, False)}]))\n        return True\n<\/code><\/pre>\n\n\n\n<p><br>As a result, a post.json file is created into \/logs.<\/p>\n\n\n\n<h2 class=\"wp-block-heading\"><br>Processing module<\/h2>\n\n\n\n<p>The processing modules are located into <strong>\/modules\/processing.<\/strong><br>They are <strong>executed on the host<\/strong>, to append data generated by the modules above into <a href=\"http:\/\/docs.cuckoosandbox.org\/en\/latest\/customization\/processing\/#global-container\"><strong>the global container<\/strong><\/a>. That way, the data will be available by all the next modules for processing and reporting.<\/p>\n\n\n\n<p>To enable a new processing module, <strong>you need to add that section into \/conf\/processing.conf<\/strong>.<\/p>\n\n\n\n<pre class=\"wp-block-code\"><code>&#91;custom]\nenabled = yes<\/code><\/pre>\n\n\n\n<pre class=\"wp-block-code\"><code>import os\nimport json\n\nfrom lib.cuckoo.common.abstracts import Processing\nfrom lib.cuckoo.common.exceptions import CuckooProcessingError\n\nclass Custom(Processing):\n    \"\"\"Analysis custom information.\"\"\"\n\n    def run(self):\n        \"\"\"Run debug analysis.\n        @return: debug information dict.\n        \"\"\"\n        self.key = \"custom\"\n        data = {}\n        try:\n          #initial\n          custom_log = os.path.join(self.logs_path, \"initial.json\")\n          with open(custom_log) as json_file:          \n            data&#91;\"initial\"] = json.load(json_file)\n        except Exception, e:\n          raise CuckooProcessingError(str(e))\n\n        try:\n          #post\n          custom_log = os.path.join(self.logs_path, \"post.json\")\n          with open(custom_log) as json_file:          \n            data&#91;\"post\"] = json.load(json_file)\n        except Exception, e:\n          raise CuckooProcessingError(str(e))\n\n        return data<\/code><\/pre>\n\n\n\n<p><br>As a result, data from initial.json and post.json are appended into the global container. If the Json reporting module (builtin) is enabled, you will retrieve their content into it, under the &#8220;custom&#8221; key.<\/p>\n\n\n\n<h2 class=\"wp-block-heading\"><br>Reporting module<\/h2>\n\n\n\n<p>The reporting modules are located into <strong>\/modules\/reporting.<\/strong><br>They are <strong>executed on the host<\/strong>, to translate data from <a href=\"http:\/\/docs.cuckoosandbox.org\/en\/latest\/customization\/processing\/#global-container\"><strong>the global container<\/strong><\/a> into a different format. It could be a <strong>HTML page, json file, even a PDF<\/strong> or something else.<\/p>\n\n\n\n<p>To enable a new reporting module, <strong>you need to add that section into \/conf\/reporting.conf<\/strong>.<\/p>\n\n\n\n<pre class=\"wp-block-code\"><code>&#91;custom]\nenabled = yes\n\ufeff<\/code><\/pre>\n\n\n\n<pre class=\"wp-block-code\"><code>import os\nimport json\nimport codecs\n\nfrom lib.cuckoo.common.abstracts import Report\nfrom lib.cuckoo.common.exceptions import CuckooReportError\n\nclass Custom(Report):\n    \"\"\"Saves custom results in JSON format.\"\"\"   \n    def run(self, results):\n        \"\"\"Writes report.\n        @param results: Cuckoo results dict.\n        @raise CuckooReportError: if fails to write report.\n        \"\"\"\n\n        try:\n            path = os.path.join(self.reports_path, \"custom.json\")\n\n            with codecs.open(path, \"w\", \"utf-8\") as report:\n                json.dump(results&#91;\"custom\"], report, sort_keys=False, indent=4)\n        except (UnicodeError, TypeError, IOError) as e:\n            raise CuckooReportError(\"Failed to generate JSON report: %s\" % e)\n\n\ufeff<\/code><\/pre>\n\n\n\n<p><br>As a result, data from initial.json and post.json that was stored in the global container is returning back to a single &#8220;custom.json&#8221; file. But we could have easily done a HTML, a PDF or something else.<\/p>\n\n\n\n<h2 class=\"wp-block-heading\"><br>Concrete use case: Removal report<\/h2>\n\n\n\n<p>The idea is to <strong>get a removal report <\/strong>for a malware with a given <a href=\"https:\/\/www.adlice.com\/roguekiller\/\" target=\"_blank\" rel=\"noreferrer noopener\"><strong>anti-malware scanner, RogueKiller<\/strong><\/a>.<br>To do so, we will use a new package module, for which <strong>we will write a finish routine that runs and inject our antimalware<\/strong>:<\/p>\n\n\n\n<pre class=\"wp-block-code\"><code>import os\nimport shlex\nimport json\nimport logging\nimport urllib2\nimport tempfile\n\nfrom lib.common.abstracts import Package\nfrom lib.common.results import upload_to_host\nfrom lib.api.process import Process\nfrom lib.common.defines import KERNEL32\n\nlog = logging.getLogger(\"analyzer\")\n\nclass ExeWithRemoval(Package):\n    \"\"\"Custom analysis package.\"\"\"\n\n    def start(self, path):\n        args = self.options.get(\"arguments\", \"\")\n\n        name, ext = os.path.splitext(path)\n        if not ext:\n            new_path = name + \".exe\"\n            os.rename(path, new_path)\n            path = new_path\n\n        return self.execute(path, args=shlex.split(args))\n\n    # Post execution\n    def finish(self):\n        try: \n          #download\n          response = urllib2.urlopen(\"http:\/\/link_to_roguekillercmd.exe\")\n          f = tempfile.NamedTemporaryFile(delete=False)           \n          data = response.read()   \n          f.write(data)\n           \n          #rename\n          path = f.name + \".exe\"          \n          f.close()\n          os.rename(f.name, path)\n          log.info(\"Downloaded remover program to %s\", path)\n\n          #execute\n          args = \"-scan -dont_ask -params \\\"-autoremove\\\"\"\n          pid  = self.execute(path, args=shlex.split(args))\n          log.info(\"Executing remover program with args: %s\", args)\n\n          #wait for end\n          while Process(pid=pid).is_alive():\n              KERNEL32.Sleep(1000)\t\t\t  \n\t\t  \n          #upload report\n          upload_to_host(\"C:\/path_to_my_report.json\", \"logs\/removal.json\")\n\n          log.info(\"Executed remover program with args: %s\", args)\n        except Exception, e:\n          log.exception(\"Error while loading the remover program\")\n\n        return True\n<\/code><\/pre>\n\n\n\n<p><br>After the analysis is done, finish() is called. In this method <strong>we download in a temporary file our anti-malware<\/strong> (in CLI version), then we <strong>run it under cuckoo injection<\/strong>.<br>Once the report is generated we upload it back to the host to attach it to our analysis. Then the cuckoo report is generated and <strong>we can compare what the malware did, and what the anti-malware was able to catch and remove<\/strong>. Simple as that!<\/p>\n\n\n\n<p>In our example below, the malware was a fake putty binary, notice the <a href=\"https:\/\/www.adlice.com\/roguekillercmd\/\" target=\"_blank\" rel=\"noreferrer noopener\"><strong>RogueKillerCMD scanner<\/strong><\/a> running.<\/p>\n\n\n\n<figure class=\"wp-block-image\"><a href=\"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1.png\"><img decoding=\"async\" width=\"1307\" height=\"736\" src=\"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1.png\" alt=\"cuckoo1\" class=\"wp-image-421\" srcset=\"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1.png 1307w, https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1-300x169.png 300w, https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1-1024x577.png 1024w\" sizes=\"(max-width: 1307px) 100vw, 1307px\" \/><\/a><\/figure>\n\n\n\n<figure class=\"wp-block-image\"><a href=\"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo2.png\"><img decoding=\"async\" width=\"1028\" height=\"449\" src=\"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo2.png\" alt=\"cuckoo2\" class=\"wp-image-422\" srcset=\"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo2.png 1028w, https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo2-300x131.png 300w, https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo2-1024x447.png 1024w\" sizes=\"(max-width: 1028px) 100vw, 1028px\" \/><\/a><\/figure>\n\n\n\n<figure class=\"wp-block-image\"><a href=\"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo3.png\"><img decoding=\"async\" width=\"827\" height=\"245\" src=\"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo3.png\" alt=\"cuckoo3\" class=\"wp-image-423\" srcset=\"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo3.png 827w, https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo3-300x89.png 300w\" sizes=\"(max-width: 827px) 100vw, 827px\" \/><\/a><\/figure>\n\n\n\n<h2 class=\"wp-block-heading\"><br>Links<\/h2>\n\n\n\n<ul class=\"wp-block-list\">\n<li><a href=\"http:\/\/docs.cuckoosandbox.org\/en\/latest\/customization\/\">http:\/\/docs.cuckoosandbox.org\/en\/latest\/customization\/<\/a><\/li>\n\n\n\n<li><a href=\"http:\/\/stackoverflow.com\/questions\/27816127\/add-module-inside-cuckoo-sandbox\">http:\/\/stackoverflow.com\/questions\/27816127\/add-module-inside-cuckoo-sandbox<\/a><\/li>\n\n\n\n<li><a href=\"https:\/\/github.com\/cuckoosandbox\/cuckoo\/issues\/892\">https:\/\/github.com\/cuckoosandbox\/cuckoo\/issues\/892<\/a><\/li>\n\n\n\n<li><a href=\"https:\/\/github.com\/cuckoosandbox\/cuckoo\/issues\/888\">https:\/\/github.com\/cuckoosandbox\/cuckoo\/issues\/888<\/a><\/li>\n<\/ul>\n","protected":false},"excerpt":{"rendered":"<p>Get an anti-malware removal report with a very simple cuckoo sandbox customization. Learn how Cuckoo works and how to add custom modules.<\/p>\n","protected":false},"author":1,"featured_media":421,"comment_status":"open","ping_status":"open","sticky":false,"template":"","format":"standard","meta":{"footnotes":""},"categories":[84],"tags":[7,332,368,8,369],"class_list":["post-420","post","type-post","status-publish","format-standard","has-post-thumbnail","hentry","category-tutorial","tag-analysis","tag-cuckoo","tag-customization","tag-malware","tag-sandbox","category-84","description-off"],"views":2732,"yoast_score":65,"yoast_readable":60,"featured_image_src":"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1.png","author_info":{"display_name":"tigzy","author_link":"https:\/\/www.adlice.com\/es\/author\/tigzy\/"},"yoast_head":"<!-- This site is optimized with the Yoast SEO plugin v27.1.1 - https:\/\/yoast.com\/product\/yoast-seo-wordpress\/ -->\n<title>Cuckoo Sandbox Customization | Automated Analysis \u2022 Adlice Software<\/title>\n<meta name=\"description\" content=\"Get an anti-malware removal report with a very simple cuckoo sandbox customization. Learn how Cuckoo works and how to add custom modules.\" \/>\n<meta name=\"robots\" content=\"index, follow, max-snippet:-1, max-image-preview:large, max-video-preview:-1\" \/>\n<link rel=\"canonical\" href=\"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/\" \/>\n<meta property=\"og:locale\" content=\"es_ES\" \/>\n<meta property=\"og:type\" content=\"article\" \/>\n<meta property=\"og:title\" content=\"Cuckoo Sandbox Customization | Automated Analysis \u2022 Adlice Software\" \/>\n<meta property=\"og:description\" content=\"Get an anti-malware removal report with a very simple cuckoo sandbox customization. Learn how Cuckoo works and how to add custom modules.\" \/>\n<meta property=\"og:url\" content=\"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/\" \/>\n<meta property=\"og:site_name\" content=\"Adlice Software\" \/>\n<meta property=\"article:publisher\" content=\"https:\/\/www.facebook.com\/RogueKiller\" \/>\n<meta property=\"article:published_time\" content=\"2016-05-04T07:22:53+00:00\" \/>\n<meta property=\"article:modified_time\" content=\"2022-12-21T10:37:03+00:00\" \/>\n<meta property=\"og:image\" content=\"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1.png\" \/>\n\t<meta property=\"og:image:width\" content=\"1307\" \/>\n\t<meta property=\"og:image:height\" content=\"736\" \/>\n\t<meta property=\"og:image:type\" content=\"image\/png\" \/>\n<meta name=\"author\" content=\"tigzy\" \/>\n<meta name=\"twitter:card\" content=\"summary_large_image\" \/>\n<meta name=\"twitter:creator\" content=\"@AdliceSoftware\" \/>\n<meta name=\"twitter:site\" content=\"@AdliceSoftware\" \/>\n<meta name=\"twitter:label1\" content=\"Escrito por\" \/>\n\t<meta name=\"twitter:data1\" content=\"tigzy\" \/>\n\t<meta name=\"twitter:label2\" content=\"Tiempo de lectura\" \/>\n\t<meta name=\"twitter:data2\" content=\"6 minutos\" \/>\n<script type=\"application\/ld+json\" class=\"yoast-schema-graph\">{\"@context\":\"https:\/\/schema.org\",\"@graph\":[{\"@type\":\"Article\",\"@id\":\"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/#article\",\"isPartOf\":{\"@id\":\"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/\"},\"author\":{\"name\":\"tigzy\",\"@id\":\"https:\/\/www.adlice.com\/#\/schema\/person\/a02b30804320a4059d268dc2567a307d\"},\"headline\":\"Cuckoo Sandbox Customization\",\"datePublished\":\"2016-05-04T07:22:53+00:00\",\"dateModified\":\"2022-12-21T10:37:03+00:00\",\"mainEntityOfPage\":{\"@id\":\"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/\"},\"wordCount\":664,\"commentCount\":1,\"publisher\":{\"@id\":\"https:\/\/www.adlice.com\/#organization\"},\"image\":{\"@id\":\"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/#primaryimage\"},\"thumbnailUrl\":\"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1.png\",\"keywords\":[\"analysis\",\"cuckoo\",\"customization\",\"malware\",\"sandbox\"],\"articleSection\":[\"Tutorial\"],\"inLanguage\":\"es\"},{\"@type\":\"WebPage\",\"@id\":\"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/\",\"url\":\"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/\",\"name\":\"Cuckoo Sandbox Customization | Automated Analysis \u2022 Adlice Software\",\"isPartOf\":{\"@id\":\"https:\/\/www.adlice.com\/#website\"},\"primaryImageOfPage\":{\"@id\":\"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/#primaryimage\"},\"image\":{\"@id\":\"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/#primaryimage\"},\"thumbnailUrl\":\"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1.png\",\"datePublished\":\"2016-05-04T07:22:53+00:00\",\"dateModified\":\"2022-12-21T10:37:03+00:00\",\"description\":\"Get an anti-malware removal report with a very simple cuckoo sandbox customization. Learn how Cuckoo works and how to add custom modules.\",\"breadcrumb\":{\"@id\":\"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/#breadcrumb\"},\"inLanguage\":\"es\",\"potentialAction\":[{\"@type\":\"ReadAction\",\"target\":[\"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/\"]}]},{\"@type\":\"ImageObject\",\"inLanguage\":\"es\",\"@id\":\"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/#primaryimage\",\"url\":\"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1.png\",\"contentUrl\":\"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1.png\",\"width\":1307,\"height\":736},{\"@type\":\"BreadcrumbList\",\"@id\":\"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/#breadcrumb\",\"itemListElement\":[{\"@type\":\"ListItem\",\"position\":1,\"name\":\"Home\",\"item\":\"https:\/\/www.adlice.com\/es\/\"},{\"@type\":\"ListItem\",\"position\":2,\"name\":\"Cuckoo Sandbox Customization\"}]},{\"@type\":\"WebSite\",\"@id\":\"https:\/\/www.adlice.com\/#website\",\"url\":\"https:\/\/www.adlice.com\/\",\"name\":\"Adlice Software\",\"description\":\"Anti-malware and analysis tools\",\"publisher\":{\"@id\":\"https:\/\/www.adlice.com\/#organization\"},\"potentialAction\":[{\"@type\":\"SearchAction\",\"target\":{\"@type\":\"EntryPoint\",\"urlTemplate\":\"https:\/\/www.adlice.com\/?s={search_term_string}\"},\"query-input\":{\"@type\":\"PropertyValueSpecification\",\"valueRequired\":true,\"valueName\":\"search_term_string\"}}],\"inLanguage\":\"es\"},{\"@type\":\"Organization\",\"@id\":\"https:\/\/www.adlice.com\/#organization\",\"name\":\"Adlice Software\",\"url\":\"https:\/\/www.adlice.com\/\",\"logo\":{\"@type\":\"ImageObject\",\"inLanguage\":\"es\",\"@id\":\"https:\/\/www.adlice.com\/#\/schema\/logo\/image\/\",\"url\":\"https:\/\/www.adlice.com\/wp-content\/uploads\/2020\/05\/B1rTNpTG_400x40_10.png\",\"contentUrl\":\"https:\/\/www.adlice.com\/wp-content\/uploads\/2020\/05\/B1rTNpTG_400x40_10.png\",\"width\":276,\"height\":276,\"caption\":\"Adlice Software\"},\"image\":{\"@id\":\"https:\/\/www.adlice.com\/#\/schema\/logo\/image\/\"},\"sameAs\":[\"https:\/\/www.facebook.com\/RogueKiller\",\"https:\/\/x.com\/AdliceSoftware\",\"https:\/\/fr.linkedin.com\/company\/adlice-software\",\"https:\/\/www.youtube.com\/channel\/UC4CQ-gIZMGWxl-auf0QqYhQ\"]},{\"@type\":\"Person\",\"@id\":\"https:\/\/www.adlice.com\/#\/schema\/person\/a02b30804320a4059d268dc2567a307d\",\"name\":\"tigzy\",\"image\":{\"@type\":\"ImageObject\",\"inLanguage\":\"es\",\"@id\":\"https:\/\/www.adlice.com\/#\/schema\/person\/image\/\",\"url\":\"https:\/\/secure.gravatar.com\/avatar\/d81e380961b1b69969fa84994ad1e4cba26afe93a49d8dd3148e9c33ffe4ccac?s=96&d=mm&r=g\",\"contentUrl\":\"https:\/\/secure.gravatar.com\/avatar\/d81e380961b1b69969fa84994ad1e4cba26afe93a49d8dd3148e9c33ffe4ccac?s=96&d=mm&r=g\",\"caption\":\"tigzy\"},\"description\":\"Founder and owner of Adlice Software, Tigzy started as lead developer on the popular Anti-malware called RogueKiller. Involved in all the Adlice projects as lead developer, Tigzy is also doing research and reverse engineering as well as writing blog posts.\",\"url\":\"https:\/\/www.adlice.com\/es\/author\/tigzy\/\"}]}<\/script>\n<!-- \/ Yoast SEO plugin. -->","yoast_head_json":{"title":"Cuckoo Sandbox Customization | Automated Analysis \u2022 Adlice Software","description":"Get an anti-malware removal report with a very simple cuckoo sandbox customization. Learn how Cuckoo works and how to add custom modules.","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:\/\/www.adlice.com\/cuckoo-sandbox-customization\/","og_locale":"es_ES","og_type":"article","og_title":"Cuckoo Sandbox Customization | Automated Analysis \u2022 Adlice Software","og_description":"Get an anti-malware removal report with a very simple cuckoo sandbox customization. Learn how Cuckoo works and how to add custom modules.","og_url":"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/","og_site_name":"Adlice Software","article_publisher":"https:\/\/www.facebook.com\/RogueKiller","article_published_time":"2016-05-04T07:22:53+00:00","article_modified_time":"2022-12-21T10:37:03+00:00","og_image":[{"width":1307,"height":736,"url":"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1.png","type":"image\/png"}],"author":"tigzy","twitter_card":"summary_large_image","twitter_creator":"@AdliceSoftware","twitter_site":"@AdliceSoftware","twitter_misc":{"Escrito por":"tigzy","Tiempo de lectura":"6 minutos"},"schema":{"@context":"https:\/\/schema.org","@graph":[{"@type":"Article","@id":"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/#article","isPartOf":{"@id":"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/"},"author":{"name":"tigzy","@id":"https:\/\/www.adlice.com\/#\/schema\/person\/a02b30804320a4059d268dc2567a307d"},"headline":"Cuckoo Sandbox Customization","datePublished":"2016-05-04T07:22:53+00:00","dateModified":"2022-12-21T10:37:03+00:00","mainEntityOfPage":{"@id":"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/"},"wordCount":664,"commentCount":1,"publisher":{"@id":"https:\/\/www.adlice.com\/#organization"},"image":{"@id":"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/#primaryimage"},"thumbnailUrl":"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1.png","keywords":["analysis","cuckoo","customization","malware","sandbox"],"articleSection":["Tutorial"],"inLanguage":"es"},{"@type":"WebPage","@id":"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/","url":"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/","name":"Cuckoo Sandbox Customization | Automated Analysis \u2022 Adlice Software","isPartOf":{"@id":"https:\/\/www.adlice.com\/#website"},"primaryImageOfPage":{"@id":"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/#primaryimage"},"image":{"@id":"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/#primaryimage"},"thumbnailUrl":"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1.png","datePublished":"2016-05-04T07:22:53+00:00","dateModified":"2022-12-21T10:37:03+00:00","description":"Get an anti-malware removal report with a very simple cuckoo sandbox customization. Learn how Cuckoo works and how to add custom modules.","breadcrumb":{"@id":"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/#breadcrumb"},"inLanguage":"es","potentialAction":[{"@type":"ReadAction","target":["https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/"]}]},{"@type":"ImageObject","inLanguage":"es","@id":"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/#primaryimage","url":"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1.png","contentUrl":"https:\/\/www.adlice.com\/wp-content\/uploads\/2016\/06\/cuckoo1.png","width":1307,"height":736},{"@type":"BreadcrumbList","@id":"https:\/\/www.adlice.com\/cuckoo-sandbox-customization\/#breadcrumb","itemListElement":[{"@type":"ListItem","position":1,"name":"Home","item":"https:\/\/www.adlice.com\/es\/"},{"@type":"ListItem","position":2,"name":"Cuckoo Sandbox Customization"}]},{"@type":"WebSite","@id":"https:\/\/www.adlice.com\/#website","url":"https:\/\/www.adlice.com\/","name":"Adlice Software","description":"Anti-malware and analysis tools","publisher":{"@id":"https:\/\/www.adlice.com\/#organization"},"potentialAction":[{"@type":"SearchAction","target":{"@type":"EntryPoint","urlTemplate":"https:\/\/www.adlice.com\/?s={search_term_string}"},"query-input":{"@type":"PropertyValueSpecification","valueRequired":true,"valueName":"search_term_string"}}],"inLanguage":"es"},{"@type":"Organization","@id":"https:\/\/www.adlice.com\/#organization","name":"Adlice Software","url":"https:\/\/www.adlice.com\/","logo":{"@type":"ImageObject","inLanguage":"es","@id":"https:\/\/www.adlice.com\/#\/schema\/logo\/image\/","url":"https:\/\/www.adlice.com\/wp-content\/uploads\/2020\/05\/B1rTNpTG_400x40_10.png","contentUrl":"https:\/\/www.adlice.com\/wp-content\/uploads\/2020\/05\/B1rTNpTG_400x40_10.png","width":276,"height":276,"caption":"Adlice Software"},"image":{"@id":"https:\/\/www.adlice.com\/#\/schema\/logo\/image\/"},"sameAs":["https:\/\/www.facebook.com\/RogueKiller","https:\/\/x.com\/AdliceSoftware","https:\/\/fr.linkedin.com\/company\/adlice-software","https:\/\/www.youtube.com\/channel\/UC4CQ-gIZMGWxl-auf0QqYhQ"]},{"@type":"Person","@id":"https:\/\/www.adlice.com\/#\/schema\/person\/a02b30804320a4059d268dc2567a307d","name":"tigzy","image":{"@type":"ImageObject","inLanguage":"es","@id":"https:\/\/www.adlice.com\/#\/schema\/person\/image\/","url":"https:\/\/secure.gravatar.com\/avatar\/d81e380961b1b69969fa84994ad1e4cba26afe93a49d8dd3148e9c33ffe4ccac?s=96&d=mm&r=g","contentUrl":"https:\/\/secure.gravatar.com\/avatar\/d81e380961b1b69969fa84994ad1e4cba26afe93a49d8dd3148e9c33ffe4ccac?s=96&d=mm&r=g","caption":"tigzy"},"description":"Founder and owner of Adlice Software, Tigzy started as lead developer on the popular Anti-malware called RogueKiller. Involved in all the Adlice projects as lead developer, Tigzy is also doing research and reverse engineering as well as writing blog posts.","url":"https:\/\/www.adlice.com\/es\/author\/tigzy\/"}]}},"_links":{"self":[{"href":"https:\/\/www.adlice.com\/es\/wp-json\/wp\/v2\/posts\/420","targetHints":{"allow":["GET"]}}],"collection":[{"href":"https:\/\/www.adlice.com\/es\/wp-json\/wp\/v2\/posts"}],"about":[{"href":"https:\/\/www.adlice.com\/es\/wp-json\/wp\/v2\/types\/post"}],"author":[{"embeddable":true,"href":"https:\/\/www.adlice.com\/es\/wp-json\/wp\/v2\/users\/1"}],"replies":[{"embeddable":true,"href":"https:\/\/www.adlice.com\/es\/wp-json\/wp\/v2\/comments?post=420"}],"version-history":[{"count":0,"href":"https:\/\/www.adlice.com\/es\/wp-json\/wp\/v2\/posts\/420\/revisions"}],"wp:featuredmedia":[{"embeddable":true,"href":"https:\/\/www.adlice.com\/es\/wp-json\/wp\/v2\/media\/421"}],"wp:attachment":[{"href":"https:\/\/www.adlice.com\/es\/wp-json\/wp\/v2\/media?parent=420"}],"wp:term":[{"taxonomy":"category","embeddable":true,"href":"https:\/\/www.adlice.com\/es\/wp-json\/wp\/v2\/categories?post=420"},{"taxonomy":"post_tag","embeddable":true,"href":"https:\/\/www.adlice.com\/es\/wp-json\/wp\/v2\/tags?post=420"}],"curies":[{"name":"wp","href":"https:\/\/api.w.org\/{rel}","templated":true}]}}