diff --git a/_drafts/cashregister.md b/_drafts/cashregister.md new file mode 100644 index 0000000..a950df3 --- /dev/null +++ b/_drafts/cashregister.md @@ -0,0 +1,221 @@ +--- +title: Cash Register Challenge on freeCodeCamp +tags: [webdev, javascript, freecodecamp] +category: programming +--- + +I've been (slowly) working through the JavaScript module on [freeCodeCamp](https://freecodecamp.org) for a while now, and have recently been doing the certificate challenges. The last of which is the "Cash Register" challenge where you are to write a function that takes a price, a payment amount and an array that contains the cash in the drawer. + +I found a couple of things strange about the challenge + +| Currency Unit | Amount | +| ------------------- | ------------------ | +| Penny | $0.01 (PENNY) | +| Nickel | $0.05 (NICKEL) | +| Dime | $0.1 (DIME) | +| Quarter | $0.25 (QUARTER) | +| Dollar | $1 (ONE) | +| Five Dollars | $5 (FIVE) | +| Ten Dollars | $10 (TEN) | +| Twenty Dollars | $20 (TWENTY) | +| One-hundred Dollars | $100 (ONE HUNDRED) | + +Example of the cash in drawer array: +```javascript +[ + ["PENNY", 1.01], + ["NICKEL", 2.05], + ["DIME", 3.1], + ["QUARTER", 4.25], + ["ONE", 90], + ["FIVE", 55], + ["TEN", 20], + ["TWENTY", 60], + ["ONE HUNDRED", 100] +] +``` + +Sample input to function, + +```javascript +checkCashRegister(3.26, 100, [["PENNY", 1.01], ["NICKEL", 2.05], ["DIME", 3.1], ["QUARTER", 4.25], ["ONE", 90], ["FIVE", 55], ["TEN", 20], ["TWENTY", 60], ["ONE HUNDRED", 100]]) +``` + +and the expected return object +```javascript +{status: "OPEN", change: [["TWENTY", 60], ["TEN", 20], ["FIVE", 15], ["ONE", 1], ["QUARTER", 0.5], ["DIME", 0.2], ["PENNY", 0.04]]} +``` + +Why is this weird? Well it was drilled into me back in college (1991/1992), to NEVER use floating point values for currency. Its inpercise (especially in JavaScript) and this challenge just doubles down on it. + +I'd much rather see that there are 101 PENNIES that 1.01 in PENNIES. I find it faster to say give 4 pennies as change than 0.04 pennies. + +Final **solution** + +```javascript + +function checkCashRegister(price, cash, cid) { + /* + First step, adjust amounts into pennies. + Learnt long ago to never use floats + for currency. + */ + let adjustmentAmount = 100; + let adjustedPrice = price * adjustmentAmount; + let adjustedCashGiven = cash * adjustmentAmount; + + // Reverse cid, need to make new array as using = is just a reference + let cashInDrawer = Array.from(cid); + cashInDrawer.reverse(); + + // total of all the cash in drawer + let totalCashInDrawer = 0; + + // in the array the denomination comes in an array with two parts, name and value + const availableCashInDrawer = cashInDrawer.map((denomination) => { + const adjustedAmount = Math.round(denomination[1] * adjustmentAmount); + totalCashInDrawer += adjustedAmount; + return [denomination[0], adjustedAmount]; + }); + + // console.log( + // "Total Cash in Drawer", + // totalCashInDrawer, + // " -- $", + // totalCashInDrawer / adjustmentAmount + // ); + + let currencyValues = { + "ONE HUNDRED": 10000, + TWENTY: 2000, + TEN: 1000, + FIVE: 500, + ONE: 100, + QUARTER: 25, + DIME: 10, + NICKEL: 5, + PENNY: 1, + }; + + // console.log(currencyValue); + + // Now how much change is required? + const changeRequired = adjustedCashGiven - adjustedPrice; + // console.log(`Change Required ${changeRequired}`); + + // Two options, either set up the default object as + // change["status"] = "INSUFFICIENT_FUNDS"; + // change["change"] = []; + // which would remove two if checks below, OR leave it empty + // and be explicit in the code + + let change = {}; + // Simplest case first. + // If no change required + if (changeRequired == 0) { + change["status"] = "CLOSED"; + change["change"] = cid; + // if the change required is more than the available cash in the drawer + } else if (changeRequired > totalCashInDrawer) { + change["status"] = "INSUFFICIENT_FUNDS"; + change["change"] = []; + } else { + let workingChange = changeRequired; + let changeWithCash = {}; + + availableCashInDrawer.forEach((denomination) => { + // console.log(denomination); + while (true) { + const denominationName = denomination[0]; + const denominationValue = denomination[1]; + let currencyVal = currencyValues[denominationName]; + + if ( + workingChange >= currencyValues[denominationName] && + denominationValue >= currencyVal + ) { + denomination[1] -= currencyVal; + workingChange -= currencyVal; + let val = currencyVal / adjustmentAmount; + if (changeWithCash[denominationName]) { + changeWithCash[denominationName] += val; + } else { + changeWithCash[denominationName] = val; + } + } else { + break; + } + } + }); + + // If we have calculated the change correctly, and there was exactly that + // amount in the drawer, return closed and the cid (required for challenge) + if (workingChange === 0 && changeRequired == totalCashInDrawer) { + change["status"] = "CLOSED"; + change["change"] = cid; + // otherwise if we have calculated change correctly, open the drawer and show what amount + // to give. + } else if (workingChange === 0) { + change["status"] = "OPEN"; + change["change"] = Object.entries(changeWithCash); + // Otherwise we have enough money in the cash drawer but not the right denominations to + // give change, so return insufficent funds. + } else { + change["status"] = "INSUFFICIENT_FUNDS"; + change["change"] = []; + } + } + + console.log(change); + return change; +} + +checkCashRegister(19.5, 20, [ + ["PENNY", 1.01], + ["NICKEL", 2.05], + ["DIME", 3.1], + ["QUARTER", 4.25], + ["ONE", 90], + ["FIVE", 55], + ["TEN", 20], + ["TWENTY", 60], + ["ONE HUNDRED", 100], +]); // {status: "OPEN", change: [["QUARTER", 0.5]]} + +checkCashRegister(20, 20, [ + ["PENNY", 1.01], + ["NICKEL", 2.05], + ["DIME", 3.1], + ["QUARTER", 4.25], + ["ONE", 90], + ["FIVE", 55], + ["TEN", 20], + ["TWENTY", 60], + ["ONE HUNDRED", 100], +]); //{ status: 'CLOSED', change: [ [ 'PENNY', 1.01 ], [ 'NICKEL', 2.05 ], [ 'DIME', 3.1 ], [ 'QUARTER', 4.25 ], [ 'ONE', 90 ], [ 'FIVE', 55 ], [ 'TEN', 20 ], [ 'TWENTY', 60 ], [ 'ONE HUNDRED', 100 ] ] } + +checkCashRegister(19.5, 20, [ + ["PENNY", 0.01], + ["NICKEL", 0], + ["DIME", 0], + ["QUARTER", 0], + ["ONE", 0], + ["FIVE", 0], + ["TEN", 0], + ["TWENTY", 0], + ["ONE HUNDRED", 0], +]); // {status: "INSUFFICIENT_FUNDS", change: []} + +checkCashRegister(19.5, 20, [ + ["PENNY", 0.5], + ["NICKEL", 0], + ["DIME", 0], + ["QUARTER", 0], + ["ONE", 0], + ["FIVE", 0], + ["TEN", 0], + ["TWENTY", 0], + ["ONE HUNDRED", 0], +]); + +``` \ No newline at end of file diff --git a/_drafts/cssproperties.md b/_drafts/cssproperties.md new file mode 100644 index 0000000..0fd771c --- /dev/null +++ b/_drafts/cssproperties.md @@ -0,0 +1,24 @@ +--- +title: CSS Properties, or I have a problem. +tags: [webdev, css] +category: programming +--- + + + +Frontend Mentor + +I’ve be rattling off some Frontend Mentor challenges recently. Aiming to finish all the newbie challenges before moving onto Junior and onwards. + +One thing I’ve noticed is that I’ve really embraced CSS properties, probably too much so :) + +In my last couple of challenges I’ve had upwards of 50 properties. They cover typography, Colors, positioning, styling and padding / margins. + +For instance in this [Product] challenge … + +The theory being that it makes it easy to retheme or to switch up details for the desktop version compared to the mobile version without having to redo X, Y or Z classes. + +To me it makes sense. The code stays the same, you’re just tweaking the variables passed in. + + + diff --git a/_drafts/femdeploy.md b/_drafts/femdeploy.md new file mode 100644 index 0000000..ed39511 --- /dev/null +++ b/_drafts/femdeploy.md @@ -0,0 +1,193 @@ +--- +title: What happens when I finish a Frontend Mentor Challenge +tags: [webdev, site, frontendmentor] +category: [programming, webdev] +--- + +I've been doing challenges from [Frontend Mentor](https://frontendmentor.io) as a means to practice frontend web development. Specifically working with plain HTML, CSS and JavaScript. + +Rather than just take the simple route of a Git repo per challenge, I put them all in a single repo that is pushed to two[^1] servers ([Github](https://github.com/tarasis/tarasis.github.io) and a [Gitea](https://git.tarasis.net/tarasis/tarasis.github.io) instance). + +The repo is actually a website built with [11ty](https://www.11ty.dev) and [Nunjucks](https://mozilla.github.io/nunjucks/) for templating. The challenges, and other pages I build are in the **projects** directory. They are simply copied over to **www* during the build. + +When I do a `git push all`, on my server it runs a script that does the 11ty build. On Github I use a **Github Action**[^2] which builds the site and then a separate action that deploys the page. Vercel watches the main branch on Github for updates and does a similar build action and deployment. + +That is then deployed to three different places: [Github Pages](https://tarasis.github.io), [Vercel](https://tarasis.vercel.app), and my own site at [rmcg.dev](https://rmcg.dev). + +## Digging a little deeper + +The front page of the deployed site acts as a gateway to all of the challenges, for instance this is the newbie section for Frontend Mentor challenges: + +![Screenshot of the newbie section of the my portfolio website](/assets/images/portfolio.png) + +Each section is generated from a json file I created, where I have the service name, location of an svg file, alt text for it, the difficulty level, then there is an array of challenges in that difficulty level. + +```json +"services": [ + { + "name": "Frontend Mentor", + "svgSource": "/svgs/frontendmentor.svg", + "svgAltText": "Frontend Mentor Logo", + "description": "Collection of challenges I completed for Frontend Mentor", + "cssClass": "", + "difficulty": [ + { + "title": "Junior", + "cssClass": "frontEndMentorChallenges", + "challenges": [ + { + "title": "Advice Generator App", + "url": "/FrontendMentor/junior/advice-generator-app/", + "description": "", + "techUsed": [ + "html5", + "css3", + "js" + ], + "screenshotURL": "/FrontendMentor/junior/advice-generator-app/screenshots/mobile.png", + "screenshotAltText": "Advice Generator App" + } + ] + }, +``` + +When the 11ty build occurs, it takes two nunjucks snippets then first takes the service section and fills out the details: + +{% raw %} +```liquid +{% for service in webprojects.services %} +
+
+

{{service.name}}

+ {% if service.svgSource%} + {{service.svgAltText}} + {% endif %} +
+ {% if service.description%} +

{{service.description}}

+ {% endif %} + + {% for difficultyLevel in service.difficulty %} + {% if difficultyLevel.challenges | length %} +
+ {% if difficultyLevel.title%} +

{{difficultyLevel.title}} Challenges

+ {% endif %} + {% if difficultyLevel.description%} +

{{difficultyLevel.description}}

+ {% endif %} +
+ {% for challenge in difficultyLevel.challenges %} + {% set projectContent = challenge %} + {% include "components/project.njk" %} + {% endfor %} +
+
+ {% endif %} + {% endfor %} +
+{% endfor %} +``` +{% endraw %} + +If you note the `div` with class `projects-grid`, this is where the second nunjucks snippet occurs. It loops through all of the challenges in the json array represented by `difficultyLevel.challenges`. + +Basically I pass in the challenge to the snippet below, and use the contents to fill out the a card with a screenshot of the finished build, a short description, and shields for HTML/CSS and if used JavaScript. When I get to later challenges I'll add in 11ty, Vue or whatever. (I'll probably simplify the code too so it grabs the tech svg based on the name, rather than having if checks ... we'll see.) + +{% raw %} +```liquid +{# {% set projectPrefix = project %} #} + +{% if projectContent %} +
+ + {{projectContent.screenshotAltText}} + +
+

+ {{projectContent.title}} +

+ {% if projectContent.description | length %} +

+ {{projectContent.description}} +

+ {% endif %} + +
+
+{% endif %} +``` +{% endraw %} + +The finished build is then copied and published. + +## Improvements ... + +There are improvements I will make at some point, specifically adding optimisation of the images I use. There is little point is downloading a 1440x800px image for the challenge preview when only a small portion of it is shown. I am aware that during the build process you can have 11ty generate more web friendly images at differing sizes. + +## Final thoughts + +First if you want to know more about whats going on, please do ask I'll do my best to answer. Otherwise I've found 11ty incredibly useful for this purpose, and easy to use. So much so that my intent was/is to move the blog from Jekyll to 11ty ... I just haven't gotten to it yet and because I like the Minimal Mistakes theme I use here. + +Having a static site where I can quickly add a challenge to the front page without having to repeat html myself is just a such a relief. Especially as the file gets longer and longer :) At this point in time I've finished 17 challenges for Frontend Mentor with 75 ish more to go. There's 1 for Dev Challenges, and 5 for FreeCodeCamp. + +**NOTE** ... There are other project directories that aren't listed on the front page. You can see the code in the projects directory on Github / my gitea instance, and live under [others](https://rmcg.dev/others/). They are things I've done based of Youtube videos or other videos. + +[^1]: Because I like redundancy when I can, and I want control of my code. + +[^2]: The build action I use ... + +``` +name: Build Eleventy + +on: + push: + branches: + - main + +jobs: + build: + runs-on: ubuntu-latest + + strategy: + matrix: + node-version: [17.x] + + steps: + - uses: actions/checkout@v2 + + - name: Use Node.js ${{ matrix.node-version }} + uses: actions/setup-node@v2 + with: + node-version: ${{ matrix.node-version }} + + - name: Install dependencies & build + run: | + npm ci + npm run build + + - name: Deploy + uses: peaceiris/actions-gh-pages@v3.7.3 + with: + publish_dir: ./www + github_token: ${{ secrets.GITHUB_TOKEN }} +``` \ No newline at end of file diff --git a/_drafts/filtering.md b/_drafts/filtering.md new file mode 100644 index 0000000..c45eda9 --- /dev/null +++ b/_drafts/filtering.md @@ -0,0 +1,25 @@ +--- +title: Filtering +tags: [webdev, javascript] +category: programming +--- + +I was watching the video [How To Create A Search Bar In JavaScript](https://www.youtube.com/watch?v=TlP5WIxVirU) by [Web Dev Simplified](https://www.youtube.com/channel/UCFbNIlppjAuEX4znoulh0Cw) to learn how to do a search bar in JavaScript. + +What I realised as I was coding along, was that the video was reallymore about filtering data than what I might think of as a search bar. Which is fine, and totally not wrong, but I do find some of Kyle's choices suspect / curious. + +For instance he uses data attributes for selecting elements from the html, and runs `toLowerCase()` on strings every single time you type a character. The latter to my mind seems incredibly wasteful. + +```javascript +searchInput.addEventListener("input", (event) => { + const value = event.target.value.toLowerCase(); + users.forEach((user) => { + const isVisible = + user.name.toLowerCase().includes(value) || + user.email.toLowerCase().includes(value); + + user.element.classList.toggle("hide", !isVisible); + }); +}); +``` + diff --git a/_posts/2022-10-15-frontend-mentor-challenge-deployment.md b/_posts/2022-10-15-frontend-mentor-challenge-deployment.md new file mode 100644 index 0000000..eaca65d --- /dev/null +++ b/_posts/2022-10-15-frontend-mentor-challenge-deployment.md @@ -0,0 +1,193 @@ +--- +title: What happens when I finish a Frontend Mentor Challenge (or how I build deploy an 11ty site) +tags: [webdev, site, frontendmentor] +category: [programming, webdev] +--- + +I've been doing challenges from [Frontend Mentor](https://frontendmentor.io) as a means to practice frontend web development. Specifically working with plain HTML, CSS and JavaScript. + +Rather than just take the simple route of a Git repo per challenge, I put them all in a single repo that is pushed to two[^1] servers ([Github](https://github.com/tarasis/tarasis.github.io) and a [Gitea](https://git.tarasis.net/tarasis/tarasis.github.io) instance). + +The repo is actually a website built with [11ty](https://www.11ty.dev) and [Nunjucks](https://mozilla.github.io/nunjucks/) for templating. The challenges, and other pages I build are in the **projects** directory. They are simply copied over to **www* during the build. + +When I do a `git push all`, on my server it runs a script that does the 11ty build. On Github I use a **Github Action**[^2] which builds the site and then a separate action that deploys the page. Vercel watches the main branch on Github for updates and does a similar build action and deployment. + +That is then deployed to three different places: [Github Pages](https://tarasis.github.io), [Vercel](https://tarasis.vercel.app), and my own site at [rmcg.dev](https://rmcg.dev). + +## Digging a little deeper + +The front page of the deployed site acts as a gateway to all of the challenges, for instance this is the newbie section for Frontend Mentor challenges: + +![Screenshot of the newbie section of the my portfolio website](/assets/images/portfolio.png) + +Each section is generated from a json file I created, where I have the service name, location of an svg file, alt text for it, the difficulty level, then there is an array of challenges in that difficulty level. + +```json +"services": [ + { + "name": "Frontend Mentor", + "svgSource": "/svgs/frontendmentor.svg", + "svgAltText": "Frontend Mentor Logo", + "description": "Collection of challenges I completed for Frontend Mentor", + "cssClass": "", + "difficulty": [ + { + "title": "Junior", + "cssClass": "frontEndMentorChallenges", + "challenges": [ + { + "title": "Advice Generator App", + "url": "/FrontendMentor/junior/advice-generator-app/", + "description": "", + "techUsed": [ + "html5", + "css3", + "js" + ], + "screenshotURL": "/FrontendMentor/junior/advice-generator-app/screenshots/mobile.png", + "screenshotAltText": "Advice Generator App" + } + ] + }, +``` + +When the 11ty build occurs, it takes two nunjucks snippets then first takes the service section and fills out the details: + +{% raw %} +```liquid +{% for service in webprojects.services %} +
+
+

{{service.name}}

+ {% if service.svgSource%} + {{service.svgAltText}} + {% endif %} +
+ {% if service.description%} +

{{service.description}}

+ {% endif %} + + {% for difficultyLevel in service.difficulty %} + {% if difficultyLevel.challenges | length %} +
+ {% if difficultyLevel.title%} +

{{difficultyLevel.title}} Challenges

+ {% endif %} + {% if difficultyLevel.description%} +

{{difficultyLevel.description}}

+ {% endif %} +
+ {% for challenge in difficultyLevel.challenges %} + {% set projectContent = challenge %} + {% include "components/project.njk" %} + {% endfor %} +
+
+ {% endif %} + {% endfor %} +
+{% endfor %} +``` +{% endraw %} + +If you note the `div` with class `projects-grid`, this is where the second nunjucks snippet occurs. It loops through all of the challenges in the json array represented by `difficultyLevel.challenges`. + +Basically I pass in the challenge to the snippet below, and use the contents to fill out the a card with a screenshot of the finished build, a short description, and shields for HTML/CSS and if used JavaScript. When I get to later challenges I'll add in 11ty, Vue or whatever. (I'll probably simplify the code too so it grabs the tech svg based on the name, rather than having if checks ... we'll see.) + +{% raw %} +```liquid +{# {% set projectPrefix = project %} #} + +{% if projectContent %} +
+ + {{projectContent.screenshotAltText}} + +
+

+ {{projectContent.title}} +

+ {% if projectContent.description | length %} +

+ {{projectContent.description}} +

+ {% endif %} + +
+
+{% endif %} +``` +{% endraw %} + +The finished build is then copied and published. + +## Improvements ... + +There are improvements I will make at some point, specifically adding optimisation of the images I use. There is little point is downloading a 1440x800px image for the challenge preview when only a small portion of it is shown. I am aware that during the build process you can have 11ty generate more web friendly images at differing sizes. + +## Final thoughts + +First if you want to know more about whats going on, please do ask I'll do my best to answer. Otherwise I've found 11ty incredibly useful for this purpose, and easy to use. So much so that my intent was/is to move the blog from Jekyll to 11ty ... I just haven't gotten to it yet and because I like the Minimal Mistakes theme I use here. + +Having a static site where I can quickly add a challenge to the front page without having to repeat html myself is just a such a relief. Especially as the file gets longer and longer :) At this point in time I've finished 17 challenges for Frontend Mentor with 75 ish more to go. There's 1 for Dev Challenges, and 5 for FreeCodeCamp. + +**NOTE** ... There are other project directories that aren't listed on the front page. You can see the code in the projects directory on Github / my gitea instance, and live under [others](https://rmcg.dev/others/). They are things I've done based of Youtube videos or other videos. + +[^1]: Because I like redundancy when I can, and I want control of my code. + +[^2]: The build action I use ... + +``` +name: Build Eleventy + +on: + push: + branches: + - main + +jobs: + build: + runs-on: ubuntu-latest + + strategy: + matrix: + node-version: [17.x] + + steps: + - uses: actions/checkout@v2 + + - name: Use Node.js ${{ matrix.node-version }} + uses: actions/setup-node@v2 + with: + node-version: ${{ matrix.node-version }} + + - name: Install dependencies & build + run: | + npm ci + npm run build + + - name: Deploy + uses: peaceiris/actions-gh-pages@v3.7.3 + with: + publish_dir: ./www + github_token: ${{ secrets.GITHUB_TOKEN }} +``` \ No newline at end of file diff --git a/assets/images/portfolio.png b/assets/images/portfolio.png new file mode 100644 index 0000000..29cbaf3 Binary files /dev/null and b/assets/images/portfolio.png differ