-
Notifications
You must be signed in to change notification settings - Fork 32
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
PR Project Recipe Library – Juan #16
Open
jszor
wants to merge
23
commits into
Technigo:main
Choose a base branch
from
jszor:main
base: main
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Open
Changes from all commits
Commits
Show all changes
23 commits
Select commit
Hold shift + click to select a range
2f3e979
basic structure and layout with HTML and CSS
jszor 8489acc
corrected ingredient centering issue in recipe cards, css
jszor f0818c2
added filter button selection logic in script.js, and made minor adju…
jszor 040c8f8
added logic for selecting filter buttons, and minor style changes
jszor e100821
fixed issue where filter button emoji doesn't reset when clicking on …
jszor 1115ab1
deleted superfluous code snippet in selectSorting function
jszor 00c7d85
added allRecipes array and added function to show all recipes on load
jszor bf714c6
deleted hard coded cards from html and added filtering logic to js
jszor 1972691
added sorting logic to js
jszor b12a805
added accordion menus to button containers, and added random recipe b…
jszor 1f7a617
hooked up api to js, fixed bugs related to filtering
jszor 9e0419c
fixed issue in CSS where images were not filling up width of card in …
jszor d273a8c
random button logic added to js to fetch random recipe from api and d…
jszor 15b1c01
updated media queries in css
jszor 1906d7b
tweaked accordion menus in html so they are open by default on page load
jszor 15431a0
added max-height and scrolling on long cards in css
jszor bc9f970
reverted back to unscrollable cards
jszor 89d6b24
deleted unnecessary assets, images
jszor 026d70c
fixed size of toggle arrows which were set to a decimal pixel amount
jszor 07a8e40
error handling added in fetch functions and in case filter combinatio…
jszor 6cfa171
added styling to error message
jszor cbd4d12
added additional error message specifically for cases where API quota…
jszor a94c98d
displayerror function now adds on to, instead of replacing, the error…
jszor File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
Binary file not shown.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,58 @@ | ||
<!DOCTYPE html> | ||
<html lang="en"> | ||
<head> | ||
<meta charset="UTF-8"> | ||
<meta name="viewport" content="width=device-width, initial-scale=1.0"> | ||
<title>Recipe Finder</title> | ||
<link rel="stylesheet" href="./style.css"> | ||
</head> | ||
<body> | ||
<h1>Recipe Library:</h1> | ||
<section class="options-container"> | ||
|
||
<div class="filters"> | ||
<div class="filters-title"> | ||
<h2>I'm in the mood for...</h2> | ||
<span class="toggle-arrow rotated">▶</span> | ||
</div> | ||
<div class="filters-buttons"> | ||
<button class="filter-button">Mexican</button> | ||
<button class="filter-button">Italian</button> | ||
<button class="filter-button">Thai</button> | ||
<button class="filter-button">Indian</button> | ||
<button class="filter-button">Japanese</button> | ||
<button id="all-button" class="filter-button">All</button> | ||
</div> | ||
</div> | ||
|
||
<div class="sorting"> | ||
<div class="sorting-title"> | ||
<h2>Sort by...</h2> | ||
<span class="toggle-arrow rotated">▶</span> | ||
</div> | ||
<div class="sorting-buttons"> | ||
<button class="sorting-button">Popularity</button> | ||
<button class="sorting-button">Time</button> | ||
</div> | ||
</div> | ||
|
||
<div class="surprise"> | ||
<div class="surprise-title"> | ||
<h2>Surprise me!</h2> | ||
<span class="toggle-arrow rotated">▶</span> | ||
</div> | ||
<div class="random-buttons"> | ||
<button id="random-button" class="random-button">Random 🔀</button> | ||
</div> | ||
</div> | ||
|
||
</section> | ||
|
||
<section class="recipes-container"> | ||
|
||
<div class="recipe-grid-container"></div> | ||
|
||
</section> | ||
<script src="./script.js"></script> | ||
</body> | ||
</html> |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,283 @@ | ||
// Accordion menu logic | ||
|
||
const setupToggle = (titleSelector, buttonsSelector) => { | ||
const title = document.querySelector(titleSelector); | ||
const buttons = document.querySelector(buttonsSelector); | ||
const arrow = title.querySelector(".toggle-arrow"); | ||
|
||
title.addEventListener("click", () => { | ||
buttons.classList.toggle("toggle-hidden"); | ||
arrow.classList.toggle("rotated"); | ||
}); | ||
}; | ||
|
||
setupToggle(".filters-title", ".filters-buttons"); | ||
setupToggle(".sorting-title", ".sorting-buttons"); | ||
setupToggle(".surprise-title", ".random-buttons"); | ||
|
||
// Display recipes | ||
|
||
let allRecipes = []; | ||
|
||
const loadAllRecipes = (recipes = allRecipes) => { | ||
|
||
const recipeGrid = document.querySelector(".recipe-grid-container"); | ||
|
||
recipeGrid.innerHTML = ""; | ||
|
||
const filteredRecipes = recipes.filter(recipe => recipe.cuisine); | ||
|
||
if (filteredRecipes.length === 0) { | ||
recipeGrid.innerHTML = `<p class="error-message">No recipes found for the selected filters :(</p>`; | ||
return; | ||
} | ||
|
||
filteredRecipes.forEach(recipe => { | ||
const recipeCard = document.createElement("div"); | ||
recipeCard.classList.add("recipe-card"); | ||
|
||
recipeCard.innerHTML = ` | ||
<img src="${recipe.image}" alt="${recipe.title}"> | ||
<h3>${recipe.title}</h3> | ||
<hr> | ||
<p>Cuisine: ${recipe.cuisine}</p> | ||
<p>Time: ${recipe.readyInMinutes}</p> | ||
<hr> | ||
<p>Ingredients:</p> | ||
<ul class="ingredient-list"> | ||
${recipe.ingredients.map(ingredient => `<li>${ingredient}</li>`).join("")} | ||
</ul> | ||
`; | ||
|
||
recipeGrid.appendChild(recipeCard); | ||
|
||
}); | ||
}; | ||
|
||
// Fetch recipes | ||
|
||
const fetchRecipes = async () => { | ||
const apiKey = "2dc58147eaeb4d3bbaefc623ddc286b5"; | ||
const url = `https://api.spoonacular.com/recipes/complexSearch?number=20&apiKey=${apiKey}&fillIngredients=true&addRecipeInformation=true&cuisine=mexican,italian,thai,indian,japanese`; | ||
|
||
try { | ||
const response = await fetch(url); | ||
if (!response.ok) { | ||
if (response.status === 402) { | ||
const recipeGrid = document.querySelector(".recipe-grid-container"); | ||
recipeGrid.innerHTML = `<p class="error-message">Error: API call quota has been exceeded for the day.</p>`; | ||
} | ||
throw new Error(`Failed to fetch: ${response.statusText}`); | ||
} | ||
const data = await response.json(); | ||
|
||
const formattedRecipes = data.results.map(recipe => { | ||
const matchedCuisine = recipe.cuisines.find(cuisine => | ||
["mexican", "italian", "thai", "indian", "japanese"].includes(cuisine.toLowerCase()) | ||
); | ||
|
||
return { | ||
id: recipe.id, | ||
sourceURL: recipe.sourceURL, | ||
title: recipe.title, | ||
image: recipe.image, | ||
readyInMinutes: recipe.readyInMinutes, | ||
ingredients: recipe.extendedIngredients.map(ingredient => ingredient.name), | ||
popularity: recipe.spoonacularScore, | ||
cuisine: matchedCuisine || "Unknown", | ||
}; | ||
|
||
}); | ||
|
||
allRecipes = formattedRecipes; | ||
loadAllRecipes(allRecipes); | ||
|
||
} catch (error) { | ||
console.error("Error fetching recipes:", error); | ||
displayError(); | ||
} | ||
}; | ||
|
||
window.addEventListener("DOMContentLoaded", () => { | ||
fetchRecipes(); | ||
}); | ||
|
||
// Filter button logic | ||
|
||
const filterButtons = Array.from(document.getElementsByClassName("filter-button")); | ||
const allFoodButton = document.getElementById("all-button"); | ||
const activeFilters = []; | ||
|
||
filterButtons.forEach(button => { | ||
button.addEventListener("click", () => selectFilter(button)); | ||
}); | ||
|
||
const selectFilter = (button) => { | ||
const cuisine = button.innerText; | ||
|
||
if (button === allFoodButton) { | ||
activeFilters.length = 0; | ||
filterButtons.forEach(button => button.classList.remove("active-filter")); | ||
allFoodButton.classList.add("active-filter"); | ||
} else { | ||
allFoodButton.classList.remove("active-filter"); | ||
|
||
if (button.classList.contains("active-filter")) { | ||
button.classList.remove("active-filter"); | ||
const index = activeFilters.indexOf(cuisine); | ||
if (index > -1) activeFilters.splice(index, 1); | ||
} else { | ||
button.classList.add("active-filter"); | ||
activeFilters.push(cuisine); | ||
} | ||
} | ||
|
||
applyFilters(); | ||
}; | ||
|
||
const applyFilters = () => { | ||
let filteredRecipes = allRecipes; | ||
|
||
if (activeFilters.length > 0) { | ||
filteredRecipes = allRecipes.filter(recipe => | ||
activeFilters.includes(recipe.cuisine) | ||
); | ||
} | ||
|
||
loadAllRecipes(filteredRecipes); | ||
} | ||
|
||
// Sort button logic | ||
|
||
const sortButtons = Array.from(document.getElementsByClassName("sorting-button")); | ||
const sortStates = {}; | ||
const sortingEmojis = [" ↕️", " ⬆️", " ⬇️"]; | ||
|
||
sortButtons.forEach(button => { | ||
sortStates[button.innerText] = 0; | ||
button.innerText += sortingEmojis[0]; | ||
button.addEventListener("click", () => selectSorting(button)); | ||
}); | ||
|
||
const selectSorting = (button) => { | ||
|
||
let buttonText = button.innerText.split(" ")[0]; | ||
|
||
sortButtons.forEach(btn => { | ||
let btnText = btn.innerText.split(" ")[0]; | ||
|
||
if (btn !== button) { | ||
btn.innerText = btnText + sortingEmojis[0]; | ||
sortStates[btnText] = 0; | ||
btn.classList.remove("active-sorting"); | ||
} | ||
|
||
}); | ||
|
||
if (sortStates[buttonText] === 0) { | ||
sortStates[buttonText] = 1; | ||
button.innerText = buttonText + sortingEmojis[1]; | ||
button.classList.add("active-sorting"); | ||
} else if (sortStates[buttonText] === 1) { | ||
sortStates[buttonText] = 2; | ||
button.innerText = buttonText + sortingEmojis[2]; | ||
} else { | ||
sortStates[buttonText] = 0; | ||
button.innerText = buttonText + sortingEmojis[0]; | ||
button.classList.remove("active-sorting"); | ||
} | ||
|
||
applySorting(); | ||
}; | ||
|
||
const sortByPopularity = (recipes, order) => { | ||
return recipes.sort((a, b) => { | ||
if (order === 1) { | ||
return a.popularity - b.popularity; | ||
} else if (order === 2) { | ||
return b.popularity - a.popularity; | ||
} else { | ||
return 0; | ||
} | ||
}); | ||
}; | ||
|
||
const sortByTime = (recipes, order) => { | ||
return recipes.sort((a, b) => { | ||
if (order === 1) { | ||
return a.readyInMinutes - b.readyInMinutes; | ||
} else if (order === 2) { | ||
return b.readyInMinutes - a.readyInMinutes; | ||
} else { | ||
return 0; | ||
} | ||
}); | ||
}; | ||
|
||
const applySorting = () => { | ||
let sortedRecipes = activeFilters.length > 0 | ||
? allRecipes.filter(recipe => activeFilters.includes(recipe.cuisine)) | ||
: allRecipes; | ||
|
||
if (sortStates["Popularity"] > 0) { | ||
sortedRecipes = sortByPopularity(sortedRecipes, sortStates["Popularity"]); | ||
} else if (sortStates["Time"] > 0) { | ||
sortedRecipes = sortByTime(sortedRecipes, sortStates["Time"]); | ||
} | ||
|
||
loadAllRecipes(sortedRecipes); | ||
} | ||
|
||
// Random button logic | ||
|
||
const randomButton = document.getElementById("random-button"); | ||
|
||
const fetchRandomRecipe = async () => { | ||
|
||
const apiKey = "2dc58147eaeb4d3bbaefc623ddc286b5"; | ||
const url = `https://api.spoonacular.com/recipes/random?apiKey=${apiKey}&number=1`; | ||
|
||
try { | ||
const response = await fetch(url); | ||
if (!response.ok) { | ||
if (response.status === 402) { | ||
const recipeGrid = document.querySelector(".recipe-grid-container"); | ||
recipeGrid.innerHTML = `<p class="error-message">Error: API call quota has been exceeded for the day.</p>`; | ||
} | ||
throw new Error(`Failed to fetch: ${response.statusText}`); | ||
} | ||
const data = await response.json(); | ||
const recipe = data.recipes[0]; | ||
|
||
const matchedCuisine = recipe.cuisines.find(cuisine => | ||
["Mexican", "Italian", "Thai", "Indian", "Japanese"].includes(cuisine) | ||
); | ||
|
||
const formattedRecipe = [{ | ||
id: recipe.id, | ||
sourceURL: recipe.sourceURL, | ||
title: recipe.title, | ||
image: recipe.image, | ||
readyInMinutes: recipe.readyInMinutes, | ||
ingredients: recipe.extendedIngredients.map(ing => ing.name), | ||
popularity: recipe.spoonacularScore, | ||
cuisine: matchedCuisine || "Unknown", | ||
}]; | ||
|
||
loadAllRecipes(formattedRecipe); | ||
} | ||
|
||
catch (error) { | ||
console.error("Error fetching random recipe:", error); | ||
displayError(); | ||
} | ||
}; | ||
|
||
randomButton.addEventListener("click", fetchRandomRecipe); | ||
|
||
// Error display for the user | ||
|
||
const displayError = () => { | ||
const recipeGrid = document.querySelector(".recipe-grid-container"); | ||
recipeGrid.innerHTML += `<p class="error-message">Error: We are unable to fetch recipes at this time.</p>`; | ||
}; |
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Hey i think it looks good you have fulfilled all requirements. I like that you add comments after functions it makes the code easy to read. You have a really fleshed out and dynamic page! You had a lot of interactive features for sorting and filtering! Good use of error handling too! I also like that you used async/await i did not think of that myself. If i had to nit pick i would say there is some repetition in logic.
sortByPopularity and sortByTime, which essentially perform the same task:
They copy the recipes array.
Sort it based on a specific property (e.g., popularity or readyInMinutes).
Return the sorted array. FYI i did the exactly that same thing so you know XD. Overall, this is a strong project with great attention to detail! Good job!!