DEV Community

Patrick Best
Patrick Best

Posted on • Updated on

League of Legends Summoner Lookup LoL Summoner Lookup by SMS

I enjoy the occasional game of League of Legends.

As such, I've often thought about playing with the Riot Games API to create something fun and interesting. I eventually settled on this very simple SMS bot that accepts a summoner name via Text, and returns information about that summoner. It's a great beginner project if you're trying to learn the basics of:

  • Twilio programmable SMS
  • Twilio functions
  • Node / Javascript
  • Riot Games API usage

Without further ado, let's begin!

Riot Games API Key

First, let's get set up with a Riot Games API key. Here's how to get started with Riot's Developer Portal, for this project you can use the temporary key to test and develop until your application is approved.

Hold on to that key, and now we'll move over to Twilio, which will power our SMS and lookup logic.

Twilio Function

We're going to use a Twilio Function to power the logic behind our SMS bot, so lets work on that first.

If you haven't set up a Twilio account before, you can use my referral link here! (Non referral link)

Either create a new service, or use an existing one under Twilio functions (if you're not sure, just create a new one for now).

Once your service is ready, we'll create a few environment variables. Specifically:

  • Riot_Base_Url: Use this to store the base url for our Riot Requests. This will be determined by the region you want to lookup summoners against. For North America (NA1), this would be https://na1.api.riotgames.com.
  • Riot_Api_Key: Use this to store the API key you received from Riot Games.
  • Riot_Champion_Pool_Url: Use this to store the Data Dragon url from Riot. We use this to retrieve static champion information.

Nicely done! One last thing before we get to the code! Go to the dependencies section of your function service, and add axios version 0.20.0 as a dependency.

On to the code! Using the Add button, create a new blank function in your service (name it however you please). Paste in the following code chunk:

const axios = require('axios');

exports.handler = function(context, event, callback) {
  /* Assemble vars */
  const { Body } = event;
  const summonerName = Body;
  const championPoolUrl = context.Riot_Champion_Pool_Url;
  const summonerGetUrl = context.Riot_Base_Url + '/lol/summoner/v4/summoners/by-name/' + summonerName + "?api_key=" + context.Riot_Api_Key;

  /* Set up inital axios HTTP promises */
  // Retrieves static champion information from Data Dragon
  let championsPromise = 
    axios
      .get(championPoolUrl)
      .catch((error) => logErrorAndReturn(error, callback));

  // Retrieves summoner information
  let summonerPromise = 
    axios
      .get(summonerGetUrl)
      .catch((error) => {
        if(error.response.status == 404)
          handleSummonerNotFound(summonerName, callback)
        else
          logErrorAndReturn(error, callback)
      });

  /* Promise Logic */
  Promise
    .all([championsPromise, summonerPromise])
    .then((responses) => {
      /* Parse out responses */
      let championsResponse = responses[0];
      let summonerResponse = responses[1];
      let champions = championsResponse.data.data;

      /* Successful summoner lookup */
      if (summonerResponse.status == 200)
      {
        handleSummonerFound(summonerName, summonerResponse.data.summonerLevel, summonerResponse.data.id, champions, context, callback);
      }
      /* Other status code */
      else
      {
        logErrorAndReturn("Whoops! Looks like an issue communicating with Riot! Please try again later.", callback);
      }
    })
};

/* Matches champion Id from the Masteries information to the static information from DataDragon to get the champion name */
function getTopChampionName(champions, topChampionId) {
  for(const prop in champions)
  {
    if(champions[prop] != null && 
      champions[prop] !== 'undefined' && 
      champions[prop].key.toString() == topChampionId.toString())
    {
      return champions[prop].id;
    }
  }
}

/* Assembles the text response with releveant summoner and champion mastery information */
function handleSummonerFound(summonerName, summonerLevel, summonerId, champions, context, callback){
  /* Variable Set Up */
  const masteriesBaseUrl = context.Riot_Base_Url + '/lol/champion-mastery/v4/champion-masteries/by-summoner/' + summonerId + '?api_key=' + context.Riot_Api_Key;
  let message = "Summoner " + summonerName + " found. " + summonerName + " is level " + summonerLevel + ". ";
  let twiml = new Twilio.twiml.MessagingResponse()

  console.log("Summoner found!");

  axios
    .get(masteriesBaseUrl)
    .then((masteryResponse) => {
      let topChampionId = masteryResponse.data[0].championId;
      let topChampionPoints = masteryResponse.data[0].championPoints;
      let topChampion = getTopChampionName(champions, topChampionId);
      message += summonerName + "'s champion with the highest points is " + topChampion + ", at " + topChampionPoints + " points!";
      twiml.message(message);
      completeCallback(twiml, callback);
    })
    .catch((error) => {
      logErrorAndReturn(error, callback);
    })
}

/* Handles no summoner found cleanly */
function handleSummonerNotFound(summonerName, callback) {
  let twiml = new Twilio.twiml.MessagingResponse()
  twiml.message("Summoner " + summonerName + " was not found.")
  console.log("Summoner not found.");
  completeCallback(twiml, callback);
}

/* Generic error and log catching function */
function logErrorAndReturn(error, callback) {
  console.log(error);
  callback(error, null);
}

/* Generic callback completion function */
function completeCallback(twiml, callback){
  callback(null, twiml)
}
Enter fullscreen mode Exit fullscreen mode

Save, and deploy your function.

Twilio Number Purchase

Almost there! Now that our function is set up and ready to go, we need to attach it to a phone number. Go to the phone numbers module in Twilio, and purchase as new number. You can also use an existing number, assuming it has no other current uses.

Select your desired number, and give it a nice friendly name so we know what it does at first glance (League Bot or Summoner Bot, perhaps).

Moving down to the Messaging section, we want to trigger our function when a message comes in. Under "A Message Comes In", select "Function", then select the service you created for your LoL bot. Select the appropriate environment, and then select the path that your function is defined under (you would have set this when you first created the function).

Hit save, and then boom! You have a working summoner name check bot! Try texting your new number with a LoL summoner name and see what happens!

Troubleshooting

If you aren't having luck with this bot, try some of the following:

  • Ensure you're using the right region base url from Riot
  • Ensure your Riot Games API key is correct and has not expired
  • Try enabling live debugging for your twilio function, and console log out any trouble spots in the code execution
  • Use Twilio's debugger tool to trace back where an issue is occurring

Latest comments (0)