Javascript Selectors
- HTML is the skeleton of a webpage; Javascript is the muscle! Javascript selectors allow us to create references to DOM Objects. Because DOM Objects are accessed you may modify the properties of these HTML elements directly.
Creating DOM Elements / Manipulating them
try this on a basic index.html page in the console
  // first grab the body, we use the [0] at the end because
  // getElementsByTagName method returns an array
  const body = document.getElementByTagName('body')[0];
  body.style.backgroundColor = "blue";
  //  when you press enter the page should turn blue
  // "body has a style property, what else can you change?"
  // next lets create an element to 'append' to the body
  // first create the object/ element
  const obj = document.createElement('div')
  // now that we created the element lets set 
  // some 'properties'
  obj.style.backgroundColor = 'red';
  obj.style.width = '100px';
  obj.style.height = '100px';
  // now we have to append 'obj' to the body in order 
  // to put it on the page
  body.appendChild(obj)
Creating Selectors
- const selector = document.getElementById("news");
- Getting by Ids (unique) and Classes (meant for re-use):
- document.getElementById("my-id");
- document.getElementsByClassName("navigation-item");
- use the innerHTMLproperty togetorsetvalues into a selector. For example:
- selector.innerHTML;will return the innerHTML of a selector.
- using selector.innerHTML = "your text";will replace the innerHTML.
 
Types of Selectors
- getElementById('string-id-name');- Returns a single object
- getElementsByTagName('ul');- returns an array of all- ultags
- getElementsByClassName('string-class-name');- returns an array of all- .string-class-name
- querySelector('css-selector');- returns a single object using CSS selector syntax
- querySelectorAll('.my-class');- returns an array of objects that use the CSS selector syntax
const container = document.getElementById('container');
console.log(container);
const monsters = ['Wreck-it Ralph', 'The giraffe from Lion King SNES', 'Ganon'];
for (const baddie in monsters) {
  
  const li = document.createElement('li');
  console.log(li);
  
  li.innerHTML = monsters[baddie];
  
  container.appendChild(li);
}
const kittenImage = document.createElement('img');
kittenImage.alt = 'A cute random kitten';
kittenImage.id = 'kitten';
kittenImage.src = 'http://vignette3.wikia.nocookie.net/clubpenguinpookie/images/d/d0/Extremely-cute-kitten_large.jpg/revision/latest?cb=20140614000321';
container.appendChild(kittenImage);