Using LinkedIn API for User Profile Data

Explore 3 practical examples of using the LinkedIn API to access user profile data effectively.
By Jamie

Introduction

The LinkedIn API provides developers with a powerful tool to access user profile data, enabling the integration of professional networking capabilities into applications. By leveraging this API, businesses can enhance their services, improve user engagement, and gather valuable insights. Below are three practical examples that showcase how to use the LinkedIn API for user profile data.

Example 1: Retrieving Basic User Profile Information

In this example, we will retrieve basic profile information such as name, headline, and profile picture of a user. This is useful for applications that want to display user details on their platform.

To begin, you’ll need to set up your LinkedIn Developer account and create an app to obtain an access token. Once you have your access token, you can make the following API call:

const axios = require('axios');

const accessToken = 'YOUR_ACCESS_TOKEN';
const url = 'https://api.linkedin.com/v2/me';

axios.get(url, {
    headers: {
        'Authorization': `Bearer ${accessToken}`
    }
})
.then(response => {
    const userData = response.data;
    console.log(`Name: \({userData.localizedFirstName} }\(userData.localizedLastName}`);
    console.log(`Headline: ${userData.headline}`);
    console.log(`Profile Picture: ${userData.profilePicture['displayImage~'].elements[0].identifiers[0].identifier}`);
})
.catch(error => {
    console.error('Error fetching user profile:', error);
});

This code snippet uses the Axios library to send a GET request to the LinkedIn API. The response includes the user’s name, headline, and profile picture URL, which can be displayed in your application.

Notes:

  • Ensure you have the necessary permissions set up for your app to access user profile data.
  • The access token has an expiration time; you may need to refresh it periodically.

Example 2: Fetching User Experience and Education Details

In this example, we will retrieve a user’s experience and education details. This information can be vital for recruitment platforms or professional networking sites.

Using the same access token, we can make a call to the LinkedIn API to fetch this data:

const experienceUrl = 'https://api.linkedin.com/v2/positions';
const educationUrl = 'https://api.linkedin.com/v2/educationalOrganizations';

Promise.all([
    axios.get(experienceUrl, { headers: { 'Authorization': `Bearer ${accessToken}` }}),
    axios.get(educationUrl, { headers: { 'Authorization': `Bearer ${accessToken}` }})
])
.then(responses => {
    const experienceData = responses[0].data.elements;
    const educationData = responses[1].data.elements;

    console.log('Experience:');
    experienceData.forEach(exp => {
        console.log(`Company: \({exp.company.name}, Title: }\(exp.title}`);
    });

    console.log('Education:');
    educationData.forEach(edu => {
        console.log(`School: \({edu.school.name}, Degree: }\(edu.degree}`);
    });
})
.catch(error => {
    console.error('Error fetching experience or education:', error);
});

This example demonstrates how to use Promise.all to fetch both experience and education data concurrently. The information can be used to create a comprehensive user profile.

Notes:

  • You may need to adjust the API endpoints based on the LinkedIn API version you are using.
  • Be aware of rate limits to avoid hitting API usage caps.

Example 3: Displaying User Skills and Endorsements

In this example, we will demonstrate how to retrieve a user’s skills and endorsements, valuable for highlighting expertise in professional applications.

To fetch this data, we will call the LinkedIn API as follows:

const skillsUrl = 'https://api.linkedin.com/v2/skills';

axios.get(skillsUrl, { headers: { 'Authorization': `Bearer ${accessToken}` }})
.then(response => {
    const skillsData = response.data.elements;
    console.log('Skills:');
    skillsData.forEach(skill => {
        console.log(`Skill: \({skill.name}, Endorsements: }\(skill.endorsementCount}`);
    });
})
.catch(error => {
    console.error('Error fetching skills:', error);
});

This code retrieves the user’s skills along with the number of endorsements for each skill, allowing applications to showcase user expertise effectively.

Notes:

  • Skills and endorsements data can help enhance user credibility on platforms like job boards or professional networks.
  • Always ensure user consent before accessing their data.