Algorithmic_javascript


This is open-source Project and Part HACKTOBERFEST 2020

Contribute to open source and make the world A Better Place

Feel free to give a pull request. It should not be spam or invalid. It will be accepted and will be merged if it's valid PR

PS:You will also WIN cool T-shirt from Digital Ocean If you do FOUR successful Pull Requests with.

Hurry Up and Start Coding! :)


Sign In Here To start Hacking


Sign-in on their website before contributing to repository


Event Details

Hacktoberfest® is open to everyone in our global community. Whether you’re a developer, student learning to code, event host, or company of any size, you can help drive growth of open source and make positive contributions to an ever-growing community. All backgrounds and skill levels are encouraged to complete the challenge.


Rules


Quality Standards

In line with Hacktoberfest values (Quantity is fun, quality is key) , here you are provided examples of pull requests that we consider to be low-quality contributions (which we discourage).

Last but not least, one pull request to fix a typo is fine, but 5 pull requests to remove a stray whitespace is not.

Refer to HacktoberFest Website for detailed information


If you want to contribute then follow theses steps

1.fork the repo.
2.take the algorithm which you want to add to list
3.Make sure it's not repeated.
4. Be ready with your code in JAVASCRIPT
5.Add code file in folder and name the folder with problem name. e.g If you are adding Factorial code and it is sixth in serial number then Folder Name becomes Factorial_6
6.The added algorithm should have following sub-sections
5.1 A short Introduction
5.2 The challenge
5.3 Algorithmic thinking
5.4 Code Implementation

  1. add two hr tags after each problem in README.md file

Star the repository If you enjoyed contributing to open source projects.


Algorithms practiced using JS

List of problems

  1. String reversing
  2. Vowel counter
  3. Finding the Most Recurring Character
  4. Sentence Capitalization
  5. Palindromes
  6. Pig Latin
  7. Deep Compare
  8. Binary Search Tree
  9. Numbers to Roman Numerals
  10. Caesar Cipher
  11. Lexicographically equal or not
  12. Fizz Buzz

Explanation

1. String reversing

The string reversal algorithm is perhaps the most common JavaScript code challenge on the internet. In this article, we explore various string reversal techniques as a good number of string manipulation algorithms are dependent on ones ability to reverse a string.


__The challenge:__ Given a string of text, write an algorithm that returns the text received in a reversed format. E.g
```js reverseString('algorithm') // should return "mhtirogla" ```
__Algorithmic Thinking:__

The process here is quite simple and straight forward. Our function will receive only one parameter i.e the string to be reversed. Next, we would have to manipulate the characters in this string logically in order to return the string in reverse.

__Code Implementation:__ We will now explore ways to solve this challenge below. They are: 1.Chaining in-built methods 2.Using a For-loop *1.Chaining in-built methods:* The **.split()** method is used to split a string into an array of characters. It receives one argument which specifies the separator that determines where every split occurs. The .reverse() method reverses the order of the elements in an array The **.join()** method is used to combine the elements of an array into a string. It receives one argument which specifies the separator. When none is supplied, it defaults to a comma.

In the code snippet below we use these methods to create a one-line solution by chaining them in succession to split the received text into an array of characters, reverse the order of array’s elements and join the elements of the reversed array to produce the reversed text.

```js function reverseString(text){ return text.split("").reverse().join("") } ``` *2.For-Loop Way:*

For loops are used to execute a piece of code as long as a condition is met. In the solution below, we use a decrementing for-loop to run through the string received and append each character to another variable in reverse order. See how this is done below

```js function reverseString(text){ let result; for(let i=text.length-1;i>=0,i--){ result+=text[i]; } return result; } ```

2. Vowel counter

Here we will be working with strings and arrays. The main challenge is given in The challenge section below.Let's find it

__The challenge:__

You are given a string of text containing zero or more vowels in it,count the number of vowels that can be found in given text. For example:

```js
vowelCounter("Hacktoberfest is very Nice") //will return 8
```

Algorithmic Thinking:

After reading the problem statement, given text of string must be in your mind. Let's go further to explore

A function is a block of organized, reusable code that is used to perform a single, related action. They may or may not accepts value as parameter for computational tasks. The values are also called as Arguments.

Let's Breakdown the approach

Code Implementation:

We are going to use Two approaches for solving this problem:

1. Using Iterative approach
2. Using Regular Expression

1.Using Iterative approach:

const vowel = ["a", "e", "i", "o", "u"];

function vowelcnt(text) {
    let counter = 0;

    //Loop through text to test if each character is a vowel
    for (let letter of text.toLowerCase()) {
        if (vowel.includes(letter)) {
            counter++;
        }
    }

    // Return number of vowels

    return counter;
}

console.log(vowelcnt("i love HacktoberFest"))

Breaking-down the steps:



3. Finding the Most Recurring Characterg

In this challenge, we will be dealing with strings, arrays and objects. We will learn to manipulate these data types using various methods that'd bring us to a working solution in the end.

The challenge: Given a string of text, find and return the most recurring character. e.g

maxRecurringChar('aabacada') // will return 'a'

Algorithmic Thinking:

From the challenge statement, we can infer that our function has only one parameter; the string of text.
We need to somehow keep track of every character in the string as well as the number of times it exists.
This we would describe as character mapping. Once we successfully create such a map, we can easily determine which character has the highest occurence.


Code Implementation:

We need to keep track of every character in the string as well as the number of times it exists.

The main concept we need here is character mapping. Our aim is to map characters to the number of times they exist.

for example: In string "success"

To implement this, an objet can be used.We loop through string received & add each character to a character map object as a key & the number of times it exists as a value

  let charmap = {
       s:3,
       u:1,
       c:2,
       e:1
  }

Let's implement it


/* 
maxCharValue is used to store the maximum value yet encountered at the point of every iteration with the for---in loop.

maxChar is used to store the character with the highest value on every iteration.

*/
function maxRecurringChar(text) {
    let charMap = {}
    let maxCharValue = 0
    let maxChar = ''

    for (let char of text) {
        if (charMap.hasOwnProperty(char)) {
            charMap[char]++
        } else {
            charMap[char] = 1
        }
    }

    for (let char in charMap) {
        if (charMap[char] > maxCharValue) {
            maxCharValue = charMap[char]
            maxChar = char
        }
    }

    return maxChar
}

console.log(maxRecurringChar('success'))
//  will return 's' because it is occuring 3 times


4. Sentence Capitalization

Often during presentation situation arises where we need to manipulate the letter casing of strings within our application. Javascript offers two popular methods designed for this purpose: 1.toUpperCase(): this method returns the string passed in as an argument converted in uppercase letters.
2.toLowerCase(): this method returns the string passed in as an argument converted to lowercase letters. __The challenge:__ Given a sentence containing two or more words, return the equivalent of the sentence when capitalized. E.g ```js capitalSentence("a cat and a dog") // would return "A Cat And A Dog" ``` __Algorithmic Thinking:__

At a glance this may seem like a very simple challenge, but it actually isn’t when considered carefully. Working through the challenge, it seems that we need to write a function that'd receive the sentence to be converted as an argument Next,we go through every word in sentence and capitilize every first letter of word. This brings concept of LOOP to mind

Code Implementation:

  1. Using .forEach Method: The .forEach method in javascript runs a provided function on each element within array

    function sentenceCap(text) {
    let wordArray = text.toLowerCase().split(' ')
    
    let capsarray = []
    
    wordArray.forEach(word => {
        capsarray.push(word[0].toUpperCase()+ word.slice(1) )    
    });
    
    return capsarray.join(' ')
    
    }
    console.log(sentenceCap("ARTIFICIAL")) 
    //will return Artificial

* We call the .toLowerCase() method on the string of text received to convert the entire sentence to lowercase. We also chain the .split() method in sequence to divide the lowercase sentence into an array of words as shown below. This array is stored as wordsArray

* Next, using the .foreach() method, we iterate through every word(element) in the array and execute a function on it. * The function takes the first letter of the word and turns it to uppercase using the .toUpperCase() method. To retrieve the remaining part of the word in lowercase, we use the .slice() method to slice the string starting from position 1 till the end. * We combine the transformed first letter and the sliced section together to form the capitalized word which we push into our array of capitalized words capsArray. * After this process has being carried out for every word, capsArray now holds the capitalized version of every word in the sentence * Finally .join() method is used. Then We pass in an empty space as the separator. This gives us the capitalized sentence which we return in conclusion.

  1. Using .map and .slice method: The .map method is used to create a new array with the results gotten from calling a provided function on every element in the array on which it is called.

    
    function capSentence(text) {
        let wordsArray = text.toLowerCase().split(' ')
        let capsArray = wordsArray.map(word=>{
            return word[0].toUpperCase() + word.slice(1)
    })
        return capsArray.join(' ')
    }
  2. Using .map() and .replace() method:

    function capSentence(text){
        let wordsArray =text.toLowerCase().split(' ')
        let capsArray = wordsArray.map(word=>{
            return word.replce(word[0],word[0].toUpperCase())
        } )
    
        return capsArray.joint(' ')
    }


5. Palindromes

What is a Palindrome: A palindrome is a word, number, or other sequence of characters which reads the same backward as forward, such as "madam" or "racecar".

The challenge:

Given a string of text, return true or false indicating whether or not the text is a palindrome. e.g

    palindromeChecker('racecar') // will return true

Algorithmic Thinking:

According to challenge,"Given a string of text" implies that our funciton must have string-typed parameter which we call "text"

Next we will have to check if the string is paindrome or not. To do this we have to reverse the string and compare that rerverser string with the original one(i.e the one which is passed as argument)

Finally , we return True or False depending on the result of evaluation.

True: when it's palindrom
False: Otherwise

code Implementation:

In this challenge, we'd consider two, yet three ways to implement this as highlighted below:

1. An Intuitive Approach
2. Looping Through and Comparing Characters
3. Looping Through and Comparing Characters(Optimized)

  1. An Intuitive Approach:

    
    function palindromeCheck(text){
        var reverseText= text.toLowercase().split(' ').reverse().join(' ' )
    
        return text=== reverseText
    }

    Let's unveil the "mysteries":

  1. Looping Through and Comparing Characters:

    This could be a bit confusing than the previous implementation.
    We will break it into simple steps.Stay in the game. 
    • For example, If we have to test string "machine", we will compare "m" with "e", because if the string is reversed then "e" will take m's position

Let's review it:

Did you notice any problem?There is problem with this implementation if we think performanace wise

  1. Looping Through and Comparing Characters(Optimized):

    function palindromeChecker(text) {
        var textLen = text.length;
        for (var i = 0; i < textLen/2; i++) {
            if (text[i] !== text[textLen - 1 - i]) {
                return false;
            }
        }
    return true;
    }


6. Pig Latin Translator

For specific information on Pig Latin, view this article.

The challenge:

Convert a string of text into Pig Latin.

Algorithmic Thinking:

We will consider two(2) ways to implement this function in JavaScript. They are:

An imperative approach A declarative approach Before going ahead to implement both solutions, it’d be helpful to gain a better understanding of the two terms used above.

Imperative vs Declarative Very often, we find these terms thrown around like they are very simple concepts everyone should know. However, the difference is usually not much obvious to most.

Simply put, an imperative style of programming is one which specifies how things get done. Although this might sound like what you do each time you write code, there's a difference to it. Imagine you were to add an array of numbers and return the sum, there are different ways you could approach the problem. One way could be writing a forloop that'd go over each element in the array and cumulatively add every element to an accumulator until the final sum is reached. That is imperative. You are specifying how things get done.

On the other hand, a declarative approach would abstract this process, allowing you to specify what should be done rather than how. Thus, you may use the .reduce() method on the array to reduce every element to a final value by returning the sum within the call back.

Source

code Implementation:

  1. Imperative Approach

We start by converting the received string str to lowercase. This is to prevent any casing related errors during comparison(“a” does not equal “A”).

    // Convert string to lowercase
    str = str.toLowerCase()

Next, we initialize two variables:

    // Initialize array of vowels
    const vowels = ["a", "e", "i", "o", "u"];
    // Initialize vowel index to 0
    let vowelIndex = 0;

vowels - containing the five English vowels vowelIndex - for storing the index at which the first vowel in the word is found. It is initialized to 0.

We use an if…else statement to check if the first letter of the word can be found within our vowels array by calling the .includes() method on the array while passing it the first letter of the string str[0]. If it is found, this returns true, which implies that the first letter is a vowel. Hence, we simply add "way" to the end of the string and return the result as the Pig Latin equivalent.

    if (vowels.includes(str[0])) {
        // If first letter is a vowel
        return str + "way";
    } else {
        ...
    }

If the statement evaluates to false, it signifies that the starting character is a consonant. Hence, we use a for…of loop to iterate through the string to identify the position of the first vowel. When we locate the first vowel, we use the .indexOf() method to retrieve it’s position in the string and store it into the variable vowelIndex. After this step we terminate the loop using the break statement.

    // If the first letter isn't a vowel i.e is a consonant
        for (let char of str) {
            // Loop through until the first vowel is found
            if (vowels.includes(char)) {
                // Store the index at which the first vowel exists
                vowelIndex = str.indexOf(char);
                break;
            }
        }

At the last line, we use the .slice() method to manipulate the string to generate the Pig Latin equivalent.

    return str.slice(vowelIndex) + str.slice(0, vowelIndex) + "ay";
  1. Declarative Approach

In this approach, we implement a very concise solution to this challenge by combining the .replace() method and regular expressions to transform the received string into its Pig Latin equivalent.

Our solution comprises mainly of two parts as analyzed below:

 str.replace(/^([aeiouy])(._)/, '$1$2way')

The first .replace statement specifies a replacement to be carried out if the word begins with a vowel. This is specified in the first bracket within the_ .replace() method call i.e ([aeiou]). The second bracket (.)* refers to every other character after the vowel. Thus, the expression specifies a pattern for words beginning with a vowel and followed by anything else. When this case is matched, a new string in the format of '$1$2way' is generated and used to replace the original srtring. $1 here refers to the first bracket and $2, the second bracket. This means that we simply take the word as it was and affix "way" to the end.

 str.replace(/^(_[_^aeiouy]+)(._)/, '$2$1ay')

The second .replace statement specifies that if the word does not start with a vowel i.e ^([aeiouy]+), and is followed by anything else (*.*)*, it should be replaced with a string formatted in the order '$2$1ay'. The plus sign in ^([aeiouy]+) caters for a situation where there is a consonant cluster. Thus it represents every non-vowel character at the start of the word. '$2$1ay' generates the new string in the order of remaining characters + consonant cluster + 'ay'. This gives the Pig Latin equivalent.

function pigLatin_declarative(str) {
    return str
        .replace(/^([aeiouy])(._)/, '$1$2way')
        .replace(/^(_[_^aeiouy]+)(._)/, '$2$1ay')
}

Note that we chain both .replace() methods in succession such that both cases are tested and only the one that matches will be evaluated further.

Source



7. Deep Comparison

Comparing objects can be troublesome, not to mention multi-dimensional objects/arrays. Here is something simple to help.

The challenge:

- JS Objects, contrary to the way we perceive it, are simply pointers to the data stored, rather than the actual data itself. Thus, to compare objects/arrays a and b we cannot just use normal comparison operators.

a === b //false

- Use of multidimensional objects/arrays is possible, making it difficult to compare simply by iteration since we don't know the depth of a value.

- Different data types like Dates and undefined must also be taken into consideration.

Given the above, return a boolean signifying whether a and b are equivalent in content.

__Algorithmic Thinking:__

As we would be comparing each item contained in the objects, a loop may be the first instinct to solving it. However, with the potential of multidimensional iterables, we would have to disect nested arrays in the same way when we encounter them. A combination of iteration and recursion is therefore necessary. So for each item of the array a data type check is necessary as well, to allow execution of a relevant comparison. Breaking it down: * check if ```a === b``` * check if ```a``` and ```b``` are both iterable * iterate over ```a``` using keys and call deepCompare recursively

code Implementation:

Firstly, we'll do the most simple check of a === b to avoid unnecessary complexity. This will process all of the equal literal values for us.

if(a === b) return true

Then comes the interesting part! There are several data types we need to look out for: Objects, Arrays(which JS treats as an object), and Dates(which is also treated as an object!), thus all we have to do is check if both a and b are of type object. If not, we can just return false as they didn't pass the a === b test.

if(typeof a === "object" && typeof b === "object")...

Note that we use === here to differentiate between data types strictly.

Next, we can process the dates first, as that doesn't require iteration. Make sure to compare Date.valueOf() instead of the date object itself.

if(a instanceof Date && b instanceof Date) return a.valueOf() === b.valueOf() 

Lastly, by taking the keys of the iterables we can compare the length of a and b, then make use of built-in Array.some method to check if any values of the two iterables don't match.

//get keys/index of object/array a
const keysA = Object.keys(a)

//make sure a and b are the same length
if(keysA.length !== Object.keys(b).length) return false

//Array.some() iterates through the values in an array and stops executing nested code until there is one that returns true
//in this case that would be when there is one different value between a and b
return !keysA.some( key => { 
  //run deepCompare recursively
  return !deepCompare(a[key], b[key])
})

Put it all together, and we have

const deepCompare = (a, b) => {
  if(a === b) return true

  if(typeof a === "object" && typeof b === "object")
  {
    if(a instanceof Date && b instanceof Date) return a.valueOf() === b.valueOf()
    else 
    {
      const keysA = Object.keys(a)
      if(keysA.length !== Object.keys(b).length) return false
      return !keysA.some( key => {
        return !deepCompare(a[key], b[key])
      })
    }
  }
  else return false
}

deepCompare(1, 2) 
//false

deepCompare({"first": 1, "second": 2}, {"first": 1, "second": 2})
//true

deepCompare([1, "2", 3.0], [1, "2", 3])
//false

const arr = [1, 2, "3", [{4: "5", 6: 7}, 8.0, new Date(), undefined]]
deepCompare(arr, [1, 2, "3", [{4: "5", 6: 7}, 8.0, new Date(), undefined]]) 
//true

It's that simple! Hope this helps.



======= 8. Binary Search Tree
Building, traversing or finding values in Binary Search Trees

The challenge:

The challange is to build a Binary Search Tree, traverse across the tree or find a value in the BST using JavaScript Language.
Rather than dealing with complex problem statements on Binary Search Trees, this program focuses on providing a clean overview of how to Build a Binary Tree using the concepts of Object Oriented Programming in JavaScript Language.

The functions that have been implemented in the program are as follows:

// 1. For adding new value in the Binary Search Tree

add(val) // val is the value passed as a parameter to be added in the BST

// 2. For Inorder Traversal of the BST

inorder_traversal() // User calls this function
inorder(temp)  // helper function

// 2. For Preorder Traversal of the BST

preorder_traversal() // User calls this function
preorder(temp)  // helper function

// 2. For Postorder Traversal of the BST

postorder_traversal() // User calls this function
postorder(temp)  // helper function

Algorithmic Thinking:

  1. Building the tree:
    A Binary Search Tree is a Tree Data Structure such that every node of the tree has less than or equal to 2 children (namely left and right), such that every single node holding values, smaller than a Node X, are to the left of Node X, whereas all nodes holding values greater than a Node X are to the right of Node X.

                               Node X  
                         (Storing val = 5)
                               /   \  
                              /     \  
                   This branch       This branch  
                     has nodes       has nodes  
                        having       having  
                       val < 5       val > 5

On similar grounds, here is an example of a Binary Search Tree:

                                 5
                               /   \
                              2     7
                             / \   / \
                            1   3 6   9

Hence this is what has to be taken care of while building a BST!

We can use a recursion algorithm to build a tree:

1. For every node: Check if to-be-added value is equal to the value that the node stores. If this is true, then we increase the count of that Node.  

2. Else If to-be-added value is smaller than the node value then we go to the left subtree.  

3. Else (to-be-added value is greater than node value) we go to the right subtree.
  1. Inorder Traversal:

This traversal ensures that the left subtree is printed before the root node, and the right subtree is printed after the root node.

  1. Preorder Traversal:

This traversal ensures that the root node is printed before the left subtree and right subtree.

  1. Postorder Traversal:

This traversal ensures that the root node is printed in the end, that is, after left subtree and right subtree gets printed.

  1. Finding a value in the tree:

This problem can be conquered using a recursion logic:

1. If value of the node is equal to to-be-founded value, then return the count of the node.  

2. Else if to-be-founded value is smaller than value of the root node, then go to left subtree.  

3. Else (to-be-founded value is greater than value of the root node), go to right subtree.  

4. if root node is NULL, then to-be-founded value does not exist in the tree, hence return 0.

Code Implementation:

For complete code check out the Binary Search Tree Folder, here I am showing snippets of code on which the algorithms are based.

  1. The Node Class
class Node{
    constructor(val){
        this.val = val         // storing value
        this.left = null       // address of the left child
        this.right = null      // address of the right child
        this.count = 1         // count of the occurence of this.val in the node
    }
}
  1. Building the tree:
  if (val == temp.val){
    temp.count += 1
    return
  }
  else if (val < temp.val){
    temp = temp.left
  }
  else{
    temp = temp.right
  }
  1. Inorder Traversal:
 // printing the left subtree
 this.inorder(temp.left)

 // printing value of the node for all the counts
 for (let index = 0; index < temp.count; index++) {
 console.log(temp.val + " ")
 }

 // printing the right subtree
 this.inorder(temp.right)

 return
  1. Preorder Traversal:
 // printing value of the node for all the counts
 for (let index = 0; index < temp.count; index++) {
 console.log(temp.val + " ")
 }

 // printing the left subtree
 this.inorder(temp.left)

 // printing the right subtree
 this.inorder(temp.right)

 return
  1. Postorder Traversal:
 // printing the left subtree
 this.inorder(temp.left)

 // printing the right subtree
 this.inorder(temp.right)

 // printing value of the node for all the counts
 for (let index = 0; index < temp.count; index++) {
 console.log(temp.val + " ")
 }

 return
  1. Finding a value in the tree:
if(val == temp.val){ // if val is equal to current node value
  return temp.count
}
else if (val < temp.val){ // if val is less than current node value
  return this.find_val(val, temp.left)
}
else{ // if val is greater than current node value
  return this.find_val(val, temp.right)
}



9. Numbers to Roman Numerals

The challenge:

Convert a regular number to a Roman Numeral

Algorithmic Thinking:

You want to convert a number to a roman numeral... the trick to this problem is to kind of "split" the problem to individual digits. Instead of doing some weird convoluted solution, you should see that each digit would map to a string value and they only "add up".

Example

code Implementation:

// A regular number
const num = 3;

// convert a number from 0 - 3000 to a roman numeral  
function convertToRomanNumeral(number) {
    // 0, 1, 2, 3, 4, ..., 9
    const ones = ['', 'I', 'II', 'III', 'IV', 'V', 'VI', 'VII', 'VIII', 'IX'];
    // 0, 10, 20, 30, 40, ..., 90
    const tens = ['', 'X', 'XX', 'XXX', 'XL', 'L', 'LX', 'LXX', 'LXXX', 'XC'];
    // 0, 100, 200, 300, 400, ..., 900
    const hundreds = ['', 'C', 'CC', 'CCC', 'CD', 'D', 'DC', 'DCC', 'DCCC', 'CM']
    // 0, 1000, 2000, 3000
    const thousands = ['', 'M', 'MM', 'MMM']

    // get the value of digit in the thousandth postion (e.g. 3576 => 3) and accesses at index of the value of the digit (e.g. 3576 => thousands[3] = 'MMM')
    const thousandthDigit = thousands[Math.floor(number / 1000)];

    // get the value of digit in the hundredth postion (e.g. 3576 => 5) and accesses at index of the value of the digit (e.g. 3576 => hundreds[5] = 'D')
    const hundredthDigit = hundreds[Math.floor((number % 1000) / 100)];

    // get the value of digit in the tenth postion (e.g. 3576 => 7) and accesses at index of the value of the digit (e.g. 3576 => tens[7] = 'LXx')
    const tenthDigit = tens[Math.floor((number % 100) / 10)];

    // get the value of digit in the oneth postion (e.g. 3576 => 6) and accesses at index of the value of the digit (e.g. 3576 => ones[6] = 'VI')
    const onethDigit = ones[Math.floor((number % 10) / 1)];

    // combines the individual strings into one and returns...
    return thousandthDigit + hundredthDigit + tenthDigit + onethDigit;
}

console.log(convertToRomanNumeral(40));

/*
    I = 1
    V = 5
    X = 10
    L = 50
    C = 100
    D = 500
    M = 1000

    examples...
    II = 2
    III = 3
    IV = 4
    VI = 6
    IX = 9

    The algorithm or the plan
*/

It's very simple ones you realize it.



10. Caesar Cipher

The challenge:

Given a string and a shift key, encrypt the string through Caesar Cipher.

Algorithmic Thinking:

This is a very simple algorithm that requires only a tiny bit of prerequisite knowledge regarding ASCII, and also some discretion when processing possible over 26 keys. Basically we just need to know that all chracters are stored as numbers in computer memory according to the ASCII standard: https://www.w3schools.com/charsets/ref_html_ascii.asp. And that the modulus function is our friend :)

code Implementation:

So first of all we need to split the string into characters to be processed individually and convert it to ASCII codes. Then we must check whether the character is either uppercase or lowercase(everything else should be kept the same) then add the key to it accordingly. But it is not a simple matter of simply doing char + key because for example, by shifting X by 3 we should get A. However, X(88) + 3 equals to 91 which is "[". Thus what we should be doing is:

// js has built in String.charCodeAt() method to help us get the ASCII code 
// https://www.w3schools.com/jsref/jsref_charcodeat.asp
// the reverse is String.fromCharCode()
const char = charCodeAt("X")
const key = 3

code Implementation:



11. Lexicographically equal or not

Two strings are lexicographically equal if they are the same length and contain the same characters in the same positions.

The challenge:

Given two strings of text, write an algorithm to check whether the strings are lexicographically equal or not.

 check_lexicographic("javascript","javascript")
 // should return "true"

Algorithmic Thinking:

code Implementation:

Code implementation is much strait forward. You just need to compare both the strings on the basis of their length and the positions of characters in the strings.

1.Compare length
2.Compare positions

1.Compare length:

 var str = "Hello World!";
 var n = str.length;
 // should return "12"

2.Compare positions:

 for(let i=0;i<arr_str1.length;i++){
            if (arr_str1[i]===arr_str2[i]){
                count++;
            }
        }
 if (count===arr_str1.length){
            return true;
        }
        else{
            return false;
        }



12. Fizz Buzz

This is a relatively easy algorithm among the previously listed algorithms. __The challenge:__

Given a number as an input, print out every integer from 1 to that number.
However, when the integer is divisible by 2, print out “Fizz”; when it’s divisible by 3, print out “Buzz”;
when it’s divisible by both 2 and 3, print out “Fizz Buzz”.

Algorithmic Thinking:

For this algorithm, first we will create a function which checks whether a number is whole number or not. It will be useful while checking whether a no. is divisible by 2 or 3 or neither.

Next, we will take the number submitted by the user and loop over from 1 to that number.

If the iterating number (i) is divisible by 2 and 3, it will print out 'Fizz Buzz', if that is divisible by only 2, 'Fizz' will be printed out while on being divisible by 3, 'Buzz' will be printed out and at last, if its not divisible by 2 and 3, the iterating number (i) itself will be printed out.

code Implementation:

We start by creating a function whole_num_check to check whether a given number n is a whole number or not.


// function for checking whole number

function whole_num_check(n) 
{
    const num_test = (n - Math.floor(n) ===0); 
    // 3.40 - 3 = .40 === 0? false

    return num_test; //true or false
}

We select a html button tag with class 'submitBtn' and add an event listener to a function named 'fizzbuzz'.


// click event 
document.querySelector('.submitBtn').addEventListener('click', fizzbuzz);

Now, we create a function 'fizzbuzz'.


function fizzbuzz() {

 //code here

};

Inside the fizzbuzz function, we select the user's input value and convert it into a number. Also, we select the div tag to print text.


// getting the number value

const number = parseInt(document.querySelector('input').value);

let textDiv = document.querySelector('.integers');

We loop over from 1 to the user input and check if the divisiblity of the interating number i by 2 and 3, using the whole_num_check function. We insert text in DOM accordingly.

// loop to print the integers 
for(let i=1; i<= number; i++) {

    if(whole_num_check(i/2) && whole_num_check(i/3)) {

        textDiv.textContent += '   Fizz Buzz ';

    }
    else if (whole_num_check(i/2)) {

        textDiv.textContent += '   Fizz ';

    }
    else if (whole_num_check(i/3)) {

        textDiv.textContent += '   Buzz ';

    };
    else {
        textDiv.textContent += i;

    }

};



12. Fizz Buzz

This is a relatively easy algorithm among the previously listed algorithms. __The challenge:__

Given a number as an input, print out every integer from 1 to that number.
However, when the integer is divisible by 2, print out “Fizz”; when it’s divisible by 3, print out “Buzz”;
when it’s divisible by both 2 and 3, print out “Fizz Buzz”.

Algorithmic Thinking:

For this algorithm, first we will create a function which checks whether a number is whole number or not. It will be useful while checking whether a no. is divisible by 2 or 3 or neither.

Next, we will take the number submitted by the user and loop over from 1 to that number.

If the iterating number (i) is divisible by 2 and 3, it will print out 'Fizz Buzz', if that is divisible by only 2, 'Fizz' will be printed out while on being divisible by 3, 'Buzz' will be printed out and at last, if its not divisible by 2 and 3, the iterating number (i) itself will be printed out.

code Implementation:

We start by creating a function whole_num_check to check whether a given number n is a whole number or not.


// function for checking whole number

function whole_num_check(n) 
{
    const num_test = (n - Math.floor(n) ===0); 
    // 3.40 - 3 = .40 === 0? false

    return num_test; //true or false
}

We select a html button tag with class 'submitBtn' and add an event listener to a function named 'fizzbuzz'.


// click event 
document.querySelector('.submitBtn').addEventListener('click', fizzbuzz);

Now, we create a function 'fizzbuzz'.


function fizzbuzz() {

 //code here

};

Inside the fizzbuzz function, we select the user's input value and convert it into a number. Also, we select the div tag to print text.


// getting the number value

const number = parseInt(document.querySelector('input').value);

let textDiv = document.querySelector('.integers');

We loop over from 1 to the user input and check if the divisiblity of the interating number i by 2 and 3, using the whole_num_check function. We insert text in DOM accordingly.

// loop to print the integers 
for(let i=1; i<= number; i++) {

    if(whole_num_check(i/2) && whole_num_check(i/3)) {

        textDiv.textContent += '   Fizz Buzz ';

    }
    else if (whole_num_check(i/2)) {

        textDiv.textContent += '   Fizz ';

    }
    else if (whole_num_check(i/3)) {

        textDiv.textContent += '   Buzz ';

    };
    else {
        textDiv.textContent += i;

    }

};