本教程將指導您建立實用的隨機報價產生器應用程序,非常適合學習編碼基礎知識。 我們將用詳細的程式碼範例來介紹每個步驟,讓初學者可以輕鬆遵循。
此應用程式從公共 API 檢索隨機報價,顯示它們,並允許使用者複製或共用它們。 我們來分解流程,探究一下程式碼邏輯。
我們先建立 HTML 版面:
<code class="language-html"><!DOCTYPE html> <html> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <title>Random Quotes Generator</title> <link rel="stylesheet" href="styles.css"> </head> <body> <div id="app"> <!-- Content will be added here --> </div> <script src="index.js"></script> </body> </html></code>
這設定了基本結構,包括顯示報價的元素、新報價的按鈕以及用於複製和共享的圖示。
為了存取外部API,我們需要一個CORS(跨來源資源共用)解決方案。 一個簡單的 Express.js 代理伺服器可以處理這個問題:
<code class="language-javascript">// proxy.js const express = require("express"); const fetch = require("node-fetch"); const cors = require("cors"); const app = express(); app.use(cors()); app.get("/api/quote", async (req, res) => { try { const response = await fetch("https://qapi.vercel.app/api/random"); const data = await response.json(); res.json(data); } catch (error) { res.status(500).json({ error: "API fetch failed" }); } }); const PORT = 4000; app.listen(PORT, () => console.log(`Proxy running on http://localhost:${PORT}`));</code>
此本地代理取得報價並避免 CORS 問題。
「新報價」按鈕會觸發報價取得:
<code class="language-javascript">// index.js const quoteDisplay = document.getElementById("quote"); const authorDisplay = document.getElementById("author"); async function getQuote() { try { const response = await fetch('http://localhost:4000/api/quote'); const data = await response.json(); quoteDisplay.textContent = data.quote || "No quote found."; authorDisplay.textContent = data.author || "Unknown"; } catch (error) { console.error("Quote fetch error:", error); quoteDisplay.textContent = "Error fetching quote."; } }</code>
此腳本取得數據,更新 UI 中的引用和作者。
剪貼簿 API 支援複製報價:
<code class="language-javascript">// copyQuote.js async function copyQuote() { try { const quoteText = `${quoteDisplay.textContent} - ${authorDisplay.textContent}`; await navigator.clipboard.writeText(quoteText); alert("Copied to clipboard!"); } catch (error) { console.error("Copy failed:", error); } }</code>
點選複製圖示可複製引用和作者。
Navigator API 促進分享:
<code class="language-javascript">// shareQuote.js async function shareQuote() { const quoteText = `${quoteDisplay.textContent} - ${authorDisplay.textContent}`; try { await navigator.share({ text: quoteText }); } catch (error) { console.error("Share failed:", error); // Fallback for unsupported browsers alert(`Share this quote: ${quoteText}`); } }</code>
這處理共享,為缺少navigator.share
的瀏覽器提供後備。
CSS 樣式應用程式以提高視覺吸引力和回應能力(為簡潔起見,省略了範例樣式)。
npm install
node proxy.js
index.html
。 index.html
:主介面proxy.js
:CORS 代理伺服器index.js
:報價取得並顯示copyQuote.js
:複製功能shareQuote.js
:共享功能styles.css
:造型由 Quotes API 提供的報價。
本教學涵蓋了建立隨機報價產生器、示範 API 整合、CORS 處理和瀏覽器 API。 對於學習 API 互動、JavaScript 基礎知識和瀏覽器 API 來說,這是一個很好的練習。 歡迎反饋!
GitHub |領英 | X
以上是建立隨機報價產生器:帶有程式碼的逐步指南的詳細內容。更多資訊請關注PHP中文網其他相關文章!