{"id":35280,"date":"2024-11-01T09:37:31","date_gmt":"2024-11-01T09:37:31","guid":{"rendered":"http:\/\/atmokpo.com\/w\/?p=35280"},"modified":"2024-11-01T11:15:09","modified_gmt":"2024-11-01T11:15:09","slug":"machine-learning-and-deep-learning-algorithm-trading-q-learning-finding-optimal-policy-in-go","status":"publish","type":"post","link":"https:\/\/atmokpo.com\/w\/35280\/","title":{"rendered":"Machine Learning and Deep Learning Algorithm Trading, Q-Learning Finding Optimal Policy in Go"},"content":{"rendered":"<p><body><\/p>\n<p>In recent years, the advancement of machine learning and deep learning technologies has led to innovative changes in many industries. In particular, the use of these technologies to develop automated trading systems has become commonplace in the financial markets. This article will discuss the concept of algorithmic trading utilizing machine learning and deep learning, and how to find optimal policies in Go using Q-learning.<\/p>\n<h2>1. What is Algorithmic Trading?<\/h2>\n<p>Algorithmic trading is a method of executing trades automatically based on predefined algorithms. By leveraging the ability of computers to process thousands of orders per second, trading can be executed quickly without being influenced by human emotions. The advantages of algorithmic trading include:<\/p>\n<ul>\n<li><strong>Speed:<\/strong> It analyzes market data and executes trades automatically, allowing for much faster responses than humans.<\/li>\n<li><strong>Accuracy:<\/strong> It enables reliable trading decisions based on thorough data analysis.<\/li>\n<li><strong>Exclusion of Psychological Factors:<\/strong> It helps to reduce losses caused by emotional decisions.<\/li>\n<\/ul>\n<h2>2. Basic Concepts of Machine Learning and Deep Learning<\/h2>\n<h3>2.1 Machine Learning<\/h3>\n<p>Machine learning is a technology that enables computers to learn from data and make predictions or decisions based on that learning. The main components of machine learning include:<\/p>\n<ul>\n<li><strong>Supervised Learning:<\/strong> This method uses labeled data for training, including classification and regression.<\/li>\n<li><strong>Unsupervised Learning:<\/strong> This method finds patterns in unlabeled data, including clustering and dimensionality reduction.<\/li>\n<li><strong>Reinforcement Learning:<\/strong> This method involves agents learning to maximize rewards through interactions with the environment.<\/li>\n<\/ul>\n<h3>2.2 Deep Learning<\/h3>\n<p>Deep learning is a subfield of machine learning that uses artificial neural networks to learn patterns from large-scale data. Deep learning is primarily used in areas such as:<\/p>\n<ul>\n<li><strong>Image Recognition:<\/strong> It recognizes objects by analyzing photos or videos.<\/li>\n<li><strong>Natural Language Processing:<\/strong> It is used to understand and generate languages.<\/li>\n<li><strong>Autonomous Driving:<\/strong> It contributes to recognizing and making judgments based on vehicle surroundings.<\/li>\n<\/ul>\n<h2>3. What is Q-Learning?<\/h2>\n<p>Q-learning is a type of reinforcement learning where an agent chooses actions in an environment and learns from the outcomes of those actions. The core of Q-learning is to update the \u2018state-action value function (Q-function)\u2019 to find the optimal policy. The main features of Q-learning include:<\/p>\n<ul>\n<li><strong>Model-free:<\/strong> It does not require a model of the environment and learns through direct experience.<\/li>\n<li><strong>State-Action Value Function:<\/strong> In the form of Q(s, a), it represents the expected reward when action a is chosen in state s.<\/li>\n<li><strong>Exploration and Exploitation:<\/strong> It balances finding opportunities for learning through new actions and selecting optimal actions based on learned information.<\/li>\n<\/ul>\n<h2>4. Finding Optimal Policy in Go<\/h2>\n<p>Go is a very complex game with millions of possible moves. The process of finding the optimal policy in Go using Q-learning is as follows:<\/p>\n<h3>4.1 Defining the Environment<\/h3>\n<p>To define the environment of the Go game, the state can be represented by the current arrangement of the Go board. Possible actions from each state involve placing a stone in the empty positions on the board.<\/p>\n<h3>4.2 Setting Rewards<\/h3>\n<p>Rewards are set based on the outcomes of the game. For example, when the agent wins, it may receive a positive reward, while a loss may result in a negative reward. Through this feedback, the agent learns to engage in actions that contribute to victory.<\/p>\n<h3>4.3 Learning Process<\/h3>\n<p>Through the Q-learning algorithm, the agent learns in the following sequence:<\/p>\n<ol>\n<li>Starting from the initial state, it selects possible actions.<\/li>\n<li>It performs the selected action and transitions to a new state.<\/li>\n<li>It receives a reward.<\/li>\n<li>The Q-value is updated: <code>Q(s, a) \u2190 Q(s, a) + \u03b1[r + \u03b3 max Q(s', a') - Q(s, a)]<\/code><\/li>\n<li>The state is updated to the new state and returns to step 1.<\/li>\n<\/ol>\n<h2>5. Code Example for Q-Learning<\/h2>\n<p>Below is a simple example of implementing Q-learning using Python. This code simulates a simplified environment for Go.<\/p>\n<pre>\n<code>\nimport numpy as np\n\nclass GobangEnvironment:\n    def __init__(self, size):\n        self.size = size\n        self.state = np.zeros((size, size))\n    \n    def reset(self):\n        self.state = np.zeros((self.size, self.size))\n        return self.state\n\n    def step(self, action, player):\n        x, y = action\n        if self.state[x, y] == 0:  # Can only place on empty spaces\n            self.state[x, y] = player\n            done = self.check_win(player)\n            reward = 1 if done else 0\n            return self.state, reward, done\n        else:\n            return self.state, -1, False  # Invalid move\n\n    def check_win(self, player):\n        # Victory condition check logic (simplified)\n        return False\n\nclass QLearningAgent:\n    def __init__(self, actions, learning_rate=0.1, discount_factor=0.9, exploration_rate=1.0):\n        self.q_table = {}\n        self.actions = actions\n        self.learning_rate = learning_rate\n        self.discount_factor = discount_factor\n        self.exploration_rate = exploration_rate\n    \n    def get_action(self, state):\n        if np.random.rand() < self.exploration_rate:\n            return self.actions[np.random.choice(len(self.actions))]\n        else:\n            return max(self.q_table.get(state, {}), key=self.q_table.get(state, {}).get, default=np.random.choice(self.actions))\n\n    def update_q_value(self, state, action, reward, next_state):\n        old_value = self.q_table.get(state, {}).get(action, 0)\n        future_rewards = max(self.q_table.get(next_state, {}).values(), default=0)\n        new_value = old_value + self.learning_rate * (reward + self.discount_factor * future_rewards - old_value)\n        if state not in self.q_table:\n            self.q_table[state] = {}\n        self.q_table[state][action] = new_value\n\n# Initialization and learning code\nenv = GobangEnvironment(size=5)\nagent = QLearningAgent(actions=[(x, y) for x in range(5) for y in range(5)])\n\nfor episode in range(1000):\n    state = env.reset()\n    done = False\n    \n    while not done:\n        action = agent.get_action(state.tobytes())\n        next_state, reward, done = env.step(action, player=1)\n        agent.update_q_value(state.tobytes(), action, reward, next_state.tobytes())\n        state = next_state\n\nprint(\"Learning completed!\")\n<\/code>\n    <\/pre>\n<h2>6. Conclusion<\/h2>\n<p>This article explained the fundamental concepts of algorithmic trading utilizing machine learning and deep learning, and how to find optimal policies in Go using Q-learning. Algorithmic trading aids in understanding the characteristics and patterns of data, which helps develop efficient trading strategies. Q-learning allows agents to learn from their experiences in the environment. We look forward to further advancements in the applications of machine learning and deep learning in the financial sector.<\/p>\n<h2>7. References<\/h2>\n<ul>\n<li>Richard S. Sutton, Andrew G. Barto, \"<i>Reinforcement Learning: An Introduction<\/i>\"<\/li>\n<li>Kevin J. Murphy, \"<i>Machine Learning: A Probabilistic Perspective<\/i>\"<\/li>\n<li>DeepMind's AlphaGo Publications<\/li>\n<\/ul>\n<p><\/body><\/p>\n","protected":false},"excerpt":{"rendered":"<p>In recent years, the advancement of machine learning and deep learning technologies has led to innovative changes in many industries. In particular, the use of these technologies to develop automated trading systems has become commonplace in the financial markets. This article will discuss the concept of algorithmic trading utilizing machine learning and deep learning, and &hellip; <a href=\"https:\/\/atmokpo.com\/w\/35280\/\" class=\"more-link\">\ub354 \ubcf4\uae30<span class=\"screen-reader-text\"> &#8220;Machine Learning and Deep Learning Algorithm Trading, Q-Learning Finding Optimal Policy in Go&#8221;<\/span><\/a><\/p>\n","protected":false},"author":1,"featured_media":0,"comment_status":"closed","ping_status":"open","sticky":false,"template":"","format":"standard","meta":{"_jetpack_memberships_contains_paid_content":false,"footnotes":""},"categories":[121],"tags":[],"class_list":["post-35280","post","type-post","status-publish","format-standard","hentry","category-deep-learning-automated-trading"],"yoast_head":"<!-- This site is optimized with the Yoast SEO plugin v26.2 - https:\/\/yoast.com\/wordpress\/plugins\/seo\/ -->\n<title>Machine Learning and Deep Learning Algorithm Trading, Q-Learning Finding Optimal Policy in Go - \ub77c\uc774\ube0c\uc2a4\ub9c8\ud2b8<\/title>\n<meta name=\"robots\" content=\"index, follow, max-snippet:-1, max-image-preview:large, max-video-preview:-1\" \/>\n<link rel=\"canonical\" href=\"https:\/\/atmokpo.com\/w\/35280\/\" \/>\n<meta property=\"og:locale\" content=\"ko_KR\" \/>\n<meta property=\"og:type\" content=\"article\" \/>\n<meta property=\"og:title\" content=\"Machine Learning and Deep Learning Algorithm Trading, Q-Learning Finding Optimal Policy in Go - \ub77c\uc774\ube0c\uc2a4\ub9c8\ud2b8\" \/>\n<meta property=\"og:description\" content=\"In recent years, the advancement of machine learning and deep learning technologies has led to innovative changes in many industries. In particular, the use of these technologies to develop automated trading systems has become commonplace in the financial markets. This article will discuss the concept of algorithmic trading utilizing machine learning and deep learning, and &hellip; \ub354 \ubcf4\uae30 &quot;Machine Learning and Deep Learning Algorithm Trading, Q-Learning Finding Optimal Policy in Go&quot;\" \/>\n<meta property=\"og:url\" content=\"https:\/\/atmokpo.com\/w\/35280\/\" \/>\n<meta property=\"og:site_name\" content=\"\ub77c\uc774\ube0c\uc2a4\ub9c8\ud2b8\" \/>\n<meta property=\"article:published_time\" content=\"2024-11-01T09:37:31+00:00\" \/>\n<meta property=\"article:modified_time\" content=\"2024-11-01T11:15:09+00:00\" \/>\n<meta name=\"author\" content=\"root\" \/>\n<meta name=\"twitter:card\" content=\"summary_large_image\" \/>\n<meta name=\"twitter:creator\" content=\"@bebubo4\" \/>\n<meta name=\"twitter:site\" content=\"@bebubo4\" \/>\n<meta name=\"twitter:label1\" content=\"\uae00\uc4f4\uc774\" \/>\n\t<meta name=\"twitter:data1\" content=\"root\" \/>\n\t<meta name=\"twitter:label2\" content=\"\uc608\uc0c1 \ub418\ub294 \ud310\ub3c5 \uc2dc\uac04\" \/>\n\t<meta name=\"twitter:data2\" content=\"5\ubd84\" \/>\n<script type=\"application\/ld+json\" class=\"yoast-schema-graph\">{\"@context\":\"https:\/\/schema.org\",\"@graph\":[{\"@type\":\"Article\",\"@id\":\"https:\/\/atmokpo.com\/w\/35280\/#article\",\"isPartOf\":{\"@id\":\"https:\/\/atmokpo.com\/w\/35280\/\"},\"author\":{\"name\":\"root\",\"@id\":\"https:\/\/atmokpo.com\/w\/#\/schema\/person\/91b6b3b138fbba0efb4ae64b1abd81d7\"},\"headline\":\"Machine Learning and Deep Learning Algorithm Trading, Q-Learning Finding Optimal Policy in Go\",\"datePublished\":\"2024-11-01T09:37:31+00:00\",\"dateModified\":\"2024-11-01T11:15:09+00:00\",\"mainEntityOfPage\":{\"@id\":\"https:\/\/atmokpo.com\/w\/35280\/\"},\"wordCount\":703,\"publisher\":{\"@id\":\"https:\/\/atmokpo.com\/w\/#organization\"},\"articleSection\":[\"Deep learning Automated trading\"],\"inLanguage\":\"ko-KR\"},{\"@type\":\"WebPage\",\"@id\":\"https:\/\/atmokpo.com\/w\/35280\/\",\"url\":\"https:\/\/atmokpo.com\/w\/35280\/\",\"name\":\"Machine Learning and Deep Learning Algorithm Trading, Q-Learning Finding Optimal Policy in Go - \ub77c\uc774\ube0c\uc2a4\ub9c8\ud2b8\",\"isPartOf\":{\"@id\":\"https:\/\/atmokpo.com\/w\/#website\"},\"datePublished\":\"2024-11-01T09:37:31+00:00\",\"dateModified\":\"2024-11-01T11:15:09+00:00\",\"breadcrumb\":{\"@id\":\"https:\/\/atmokpo.com\/w\/35280\/#breadcrumb\"},\"inLanguage\":\"ko-KR\",\"potentialAction\":[{\"@type\":\"ReadAction\",\"target\":[\"https:\/\/atmokpo.com\/w\/35280\/\"]}]},{\"@type\":\"BreadcrumbList\",\"@id\":\"https:\/\/atmokpo.com\/w\/35280\/#breadcrumb\",\"itemListElement\":[{\"@type\":\"ListItem\",\"position\":1,\"name\":\"\ud648\",\"item\":\"https:\/\/atmokpo.com\/w\/en\/\"},{\"@type\":\"ListItem\",\"position\":2,\"name\":\"Machine Learning and Deep Learning Algorithm Trading, Q-Learning Finding Optimal Policy in Go\"}]},{\"@type\":\"WebSite\",\"@id\":\"https:\/\/atmokpo.com\/w\/#website\",\"url\":\"https:\/\/atmokpo.com\/w\/\",\"name\":\"\ub77c\uc774\ube0c\uc2a4\ub9c8\ud2b8\",\"description\":\"\",\"publisher\":{\"@id\":\"https:\/\/atmokpo.com\/w\/#organization\"},\"potentialAction\":[{\"@type\":\"SearchAction\",\"target\":{\"@type\":\"EntryPoint\",\"urlTemplate\":\"https:\/\/atmokpo.com\/w\/?s={search_term_string}\"},\"query-input\":{\"@type\":\"PropertyValueSpecification\",\"valueRequired\":true,\"valueName\":\"search_term_string\"}}],\"inLanguage\":\"ko-KR\"},{\"@type\":\"Organization\",\"@id\":\"https:\/\/atmokpo.com\/w\/#organization\",\"name\":\"\ub77c\uc774\ube0c\uc2a4\ub9c8\ud2b8\",\"url\":\"https:\/\/atmokpo.com\/w\/\",\"logo\":{\"@type\":\"ImageObject\",\"inLanguage\":\"ko-KR\",\"@id\":\"https:\/\/atmokpo.com\/w\/#\/schema\/logo\/image\/\",\"url\":\"https:\/\/atmokpo.com\/w\/wp-content\/uploads\/2024\/11\/logo.png\",\"contentUrl\":\"https:\/\/atmokpo.com\/w\/wp-content\/uploads\/2024\/11\/logo.png\",\"width\":400,\"height\":400,\"caption\":\"\ub77c\uc774\ube0c\uc2a4\ub9c8\ud2b8\"},\"image\":{\"@id\":\"https:\/\/atmokpo.com\/w\/#\/schema\/logo\/image\/\"},\"sameAs\":[\"https:\/\/x.com\/bebubo4\"]},{\"@type\":\"Person\",\"@id\":\"https:\/\/atmokpo.com\/w\/#\/schema\/person\/91b6b3b138fbba0efb4ae64b1abd81d7\",\"name\":\"root\",\"image\":{\"@type\":\"ImageObject\",\"inLanguage\":\"ko-KR\",\"@id\":\"https:\/\/atmokpo.com\/w\/#\/schema\/person\/image\/\",\"url\":\"https:\/\/secure.gravatar.com\/avatar\/708197b41fc6435a7ce22d951b25d4a47e9e904270cb1f04682d4f025066f80c?s=96&d=mm&r=g\",\"contentUrl\":\"https:\/\/secure.gravatar.com\/avatar\/708197b41fc6435a7ce22d951b25d4a47e9e904270cb1f04682d4f025066f80c?s=96&d=mm&r=g\",\"caption\":\"root\"},\"sameAs\":[\"http:\/\/atmokpo.com\/w\"],\"url\":\"https:\/\/atmokpo.com\/w\/author\/root\/\"}]}<\/script>\n<!-- \/ Yoast SEO plugin. -->","yoast_head_json":{"title":"Machine Learning and Deep Learning Algorithm Trading, Q-Learning Finding Optimal Policy in Go - \ub77c\uc774\ube0c\uc2a4\ub9c8\ud2b8","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:\/\/atmokpo.com\/w\/35280\/","og_locale":"ko_KR","og_type":"article","og_title":"Machine Learning and Deep Learning Algorithm Trading, Q-Learning Finding Optimal Policy in Go - \ub77c\uc774\ube0c\uc2a4\ub9c8\ud2b8","og_description":"In recent years, the advancement of machine learning and deep learning technologies has led to innovative changes in many industries. In particular, the use of these technologies to develop automated trading systems has become commonplace in the financial markets. This article will discuss the concept of algorithmic trading utilizing machine learning and deep learning, and &hellip; \ub354 \ubcf4\uae30 \"Machine Learning and Deep Learning Algorithm Trading, Q-Learning Finding Optimal Policy in Go\"","og_url":"https:\/\/atmokpo.com\/w\/35280\/","og_site_name":"\ub77c\uc774\ube0c\uc2a4\ub9c8\ud2b8","article_published_time":"2024-11-01T09:37:31+00:00","article_modified_time":"2024-11-01T11:15:09+00:00","author":"root","twitter_card":"summary_large_image","twitter_creator":"@bebubo4","twitter_site":"@bebubo4","twitter_misc":{"\uae00\uc4f4\uc774":"root","\uc608\uc0c1 \ub418\ub294 \ud310\ub3c5 \uc2dc\uac04":"5\ubd84"},"schema":{"@context":"https:\/\/schema.org","@graph":[{"@type":"Article","@id":"https:\/\/atmokpo.com\/w\/35280\/#article","isPartOf":{"@id":"https:\/\/atmokpo.com\/w\/35280\/"},"author":{"name":"root","@id":"https:\/\/atmokpo.com\/w\/#\/schema\/person\/91b6b3b138fbba0efb4ae64b1abd81d7"},"headline":"Machine Learning and Deep Learning Algorithm Trading, Q-Learning Finding Optimal Policy in Go","datePublished":"2024-11-01T09:37:31+00:00","dateModified":"2024-11-01T11:15:09+00:00","mainEntityOfPage":{"@id":"https:\/\/atmokpo.com\/w\/35280\/"},"wordCount":703,"publisher":{"@id":"https:\/\/atmokpo.com\/w\/#organization"},"articleSection":["Deep learning Automated trading"],"inLanguage":"ko-KR"},{"@type":"WebPage","@id":"https:\/\/atmokpo.com\/w\/35280\/","url":"https:\/\/atmokpo.com\/w\/35280\/","name":"Machine Learning and Deep Learning Algorithm Trading, Q-Learning Finding Optimal Policy in Go - \ub77c\uc774\ube0c\uc2a4\ub9c8\ud2b8","isPartOf":{"@id":"https:\/\/atmokpo.com\/w\/#website"},"datePublished":"2024-11-01T09:37:31+00:00","dateModified":"2024-11-01T11:15:09+00:00","breadcrumb":{"@id":"https:\/\/atmokpo.com\/w\/35280\/#breadcrumb"},"inLanguage":"ko-KR","potentialAction":[{"@type":"ReadAction","target":["https:\/\/atmokpo.com\/w\/35280\/"]}]},{"@type":"BreadcrumbList","@id":"https:\/\/atmokpo.com\/w\/35280\/#breadcrumb","itemListElement":[{"@type":"ListItem","position":1,"name":"\ud648","item":"https:\/\/atmokpo.com\/w\/en\/"},{"@type":"ListItem","position":2,"name":"Machine Learning and Deep Learning Algorithm Trading, Q-Learning Finding Optimal Policy in Go"}]},{"@type":"WebSite","@id":"https:\/\/atmokpo.com\/w\/#website","url":"https:\/\/atmokpo.com\/w\/","name":"\ub77c\uc774\ube0c\uc2a4\ub9c8\ud2b8","description":"","publisher":{"@id":"https:\/\/atmokpo.com\/w\/#organization"},"potentialAction":[{"@type":"SearchAction","target":{"@type":"EntryPoint","urlTemplate":"https:\/\/atmokpo.com\/w\/?s={search_term_string}"},"query-input":{"@type":"PropertyValueSpecification","valueRequired":true,"valueName":"search_term_string"}}],"inLanguage":"ko-KR"},{"@type":"Organization","@id":"https:\/\/atmokpo.com\/w\/#organization","name":"\ub77c\uc774\ube0c\uc2a4\ub9c8\ud2b8","url":"https:\/\/atmokpo.com\/w\/","logo":{"@type":"ImageObject","inLanguage":"ko-KR","@id":"https:\/\/atmokpo.com\/w\/#\/schema\/logo\/image\/","url":"https:\/\/atmokpo.com\/w\/wp-content\/uploads\/2024\/11\/logo.png","contentUrl":"https:\/\/atmokpo.com\/w\/wp-content\/uploads\/2024\/11\/logo.png","width":400,"height":400,"caption":"\ub77c\uc774\ube0c\uc2a4\ub9c8\ud2b8"},"image":{"@id":"https:\/\/atmokpo.com\/w\/#\/schema\/logo\/image\/"},"sameAs":["https:\/\/x.com\/bebubo4"]},{"@type":"Person","@id":"https:\/\/atmokpo.com\/w\/#\/schema\/person\/91b6b3b138fbba0efb4ae64b1abd81d7","name":"root","image":{"@type":"ImageObject","inLanguage":"ko-KR","@id":"https:\/\/atmokpo.com\/w\/#\/schema\/person\/image\/","url":"https:\/\/secure.gravatar.com\/avatar\/708197b41fc6435a7ce22d951b25d4a47e9e904270cb1f04682d4f025066f80c?s=96&d=mm&r=g","contentUrl":"https:\/\/secure.gravatar.com\/avatar\/708197b41fc6435a7ce22d951b25d4a47e9e904270cb1f04682d4f025066f80c?s=96&d=mm&r=g","caption":"root"},"sameAs":["http:\/\/atmokpo.com\/w"],"url":"https:\/\/atmokpo.com\/w\/author\/root\/"}]}},"jetpack_featured_media_url":"","jetpack_sharing_enabled":true,"jetpack-related-posts":[],"_links":{"self":[{"href":"https:\/\/atmokpo.com\/w\/wp-json\/wp\/v2\/posts\/35280","targetHints":{"allow":["GET"]}}],"collection":[{"href":"https:\/\/atmokpo.com\/w\/wp-json\/wp\/v2\/posts"}],"about":[{"href":"https:\/\/atmokpo.com\/w\/wp-json\/wp\/v2\/types\/post"}],"author":[{"embeddable":true,"href":"https:\/\/atmokpo.com\/w\/wp-json\/wp\/v2\/users\/1"}],"replies":[{"embeddable":true,"href":"https:\/\/atmokpo.com\/w\/wp-json\/wp\/v2\/comments?post=35280"}],"version-history":[{"count":1,"href":"https:\/\/atmokpo.com\/w\/wp-json\/wp\/v2\/posts\/35280\/revisions"}],"predecessor-version":[{"id":35281,"href":"https:\/\/atmokpo.com\/w\/wp-json\/wp\/v2\/posts\/35280\/revisions\/35281"}],"wp:attachment":[{"href":"https:\/\/atmokpo.com\/w\/wp-json\/wp\/v2\/media?parent=35280"}],"wp:term":[{"taxonomy":"category","embeddable":true,"href":"https:\/\/atmokpo.com\/w\/wp-json\/wp\/v2\/categories?post=35280"},{"taxonomy":"post_tag","embeddable":true,"href":"https:\/\/atmokpo.com\/w\/wp-json\/wp\/v2\/tags?post=35280"}],"curies":[{"name":"wp","href":"https:\/\/api.w.org\/{rel}","templated":true}]}}