Morse translator

ASCII table (American Standard Code for Information Interchange 1963)

a-z - 97-122

A-Z - 65-90

0-9 - 48-57

space - 32

null character - \0 (final)

SOS = 83 32 79 32 83 \0


// Morse code for blinking a LED
int ledPin = 13; //int means integer a type of variable
int dotDelay = 200;

char* letters[] = { //[] it means an array with the name letters for the array, char is a type of variable meaning character, * is a pointer, it points to the characters of the array in order
  ".-", "-...", "-.-.", "-..", ".", "..-.", "--.", "....", "..",    // A-I
  ".---", "-.-", ".-..", "--", "-.", "---", ".--.", "--.-", ".-.",  // J-R
  "...", "-", "..-", "...-", ".--", "-..-", "-.--", "--.."          // S-Z
};

char* numbers[] = { //It's a second array with the numbers 0 to 9, these two arrays are arrays of arrays, also known as an arrays of string literals, exemple of string literal: ..--- (another could be az8nhello beacause a string is a several characters together like a word. String literal can be named string.
//We could think as an array of an array of characters.
  "-----", ".----", "..---", "...--", "....-", ".....", "-....", "--...", "---..", "----."};
// If I write letters[0] it means .- because is the first element of the array letters [26] is --..
//Afterwords .- wil mean A and --.. will mean Z
void setup(){
  pinMode(ledPin, OUTPUT);
  Serial.begin(9600);
}

void loop(){
  char ch;
  if (Serial.available() > 0){
    ch = Serial.read();
    if (ch >= 'a' && ch <= 'z')
    {
      flashSequence(letters[ch - 'a']);
    }
    else if (ch >= 'A' && ch <= 'Z')
    {
      flashSequence(letters[ch - 'A']);
    }
    else if (ch >= '0' && ch <= '9')
    {
      flashSequence(numbers[ch - '0']);
    }
    else if (ch == ' ')
    {
      delay(dotDelay * 4);  // gap between words  
    }
  }
}

void flashSequence(char* sequence){
  int i = 0;
  while (sequence[i] != NULL)
  {
    flashDotOrDash(sequence[i]);
    i++;
  }
  delay(dotDelay * 3);    // gap between letters
}

void flashDotOrDash(char dotOrDash){
  digitalWrite(ledPin, HIGH);
  if (dotOrDash == '.')
  {
    delay(dotDelay);           
  }
  else // must be a dash
  {
    delay(dotDelay * 3);           
  }
  digitalWrite(ledPin, LOW);    
  delay(dotDelay); // gap between flashes
}