Skip to main content

Business information leak - Credit Cards

Need

Protection of sensitive business information and customer credit card data

Context

  • Usage of TypeScript for type-checking and static typing in JavaScript development
  • Usage of Express for building web applications and APIs

Description

Non compliant code

import express from 'express';

const app = express();

app.get('/api/creditcards/:creditcardId', (req, res) => {
const creditcardId = req.params.creditcardId;
// Fetch credit card information from the database using the creditcardId
const creditcardInfo = fetchCreditCardInfo(creditcardId);

res.json(creditcardInfo);
});

app.listen(3000, () => {
console.log('Server is running on port 3000');
});

function fetchCreditCardInfo(creditcardId: string) {
// Fetch credit card information from the database
// In this vulnerable code, there is no access control or validation to ensure that only authorized users can access the credit card information
return {
creditcardId,
cardNumber: '1234567890123456',
expirationDate: '12/2023',
customerName: 'John Doe',
// Other credit card information
};
}

The vulnerability in this code lies in the lack of access control or validation to ensure that only authorized users can access credit card information.

In the app.get('/api/creditcards/:creditcardId', ...) route handler, the creditcardId parameter is extracted from the request URL using req.params.creditcardId. However, there is no check or validation performed on this creditcardId value to ensure that the user requesting the information is authorized to access it.

The fetchCreditCardInfo function is called with the creditcardId parameter to fetch the credit card information from the database. In this vulnerable code, there is no access control or validation implemented within this function to restrict access to authorized users only.

As a result, any user who knows the correct URL pattern (/api/creditcards/:creditcardId) can make a request and retrieve credit card information of any user in the system. This exposes sensitive customer data, such as credit card numbers, expiration dates, and customer names, to potential attackers.

To mitigate this vulnerability, access controls and validation should be implemented to ensure that only authorized users can access credit card information. This can include authentication mechanisms, authorization checks, and proper user role management.

Steps

  • Implement access control to ensure that only authorized users can access the credit card information
  • Validate the creditcardId parameter to prevent any potential injection attacks
  • Consider encrypting sensitive credit card information in the database
  • Implement logging and monitoring to detect any unauthorized access attempts
  • Regularly update and patch dependencies to prevent known vulnerabilities

Compliant code

import express from 'express';

const app = express();

app.get('/api/creditcards/:creditcardId', (req, res) => {
const creditcardId = req.params.creditcardId;
// Validate the creditcardId parameter to prevent injection attacks
if (!isValidCreditCardId(creditcardId)) {
return res.status(400).json({ error: 'Invalid credit card ID' });
}

// Fetch credit card information from the database using the creditcardId
const creditcardInfo = fetchCreditCardInfo(creditcardId);

// Implement access control to ensure only authorized users can access the credit card information
if (!isAuthorized(req.user, creditcardInfo)) {
return res.status(403).json({ error: 'Unauthorized access' });
}

res.json(creditcardInfo);
});

app.listen(3000, () => {
console.log('Server is running on port 3000');
});

function isValidCreditCardId(creditcardId: string) {
// Implement credit card ID validation logic
// Return true if the creditcardId is valid, otherwise return false
// This validation can include checks for length, format, or any other requirements
// to prevent injection attacks
return true;
}

function fetchCreditCardInfo(creditcardId: string) {
// Fetch credit card information from the database
// Implement encryption for sensitive credit card information in the database
// Return the credit card information object
return {
creditcardId,
cardNumber: '1234567890123456',
expirationDate: '12/2023',
customerName: 'John Doe',
// Other credit card information
};
}

function isAuthorized(user: User, creditcardInfo: CreditCardInfo) {
// Implement access control logic to determine if the user is authorized to access the credit card information
// Return true if the user is authorized, otherwise return false
// This can include checking user roles, permissions, or any other criteria
return true;
}

interface User {
// Define the User interface with necessary properties
}

interface CreditCardInfo {
// Define the CreditCardInfo interface with necessary properties
}

The fixed code addresses the vulnerability by implementing several measures to ensure the security of credit card information.

  1. Input Validation:

    • The code validates the creditcardId parameter received from the request to prevent injection attacks. It uses the isValidCreditCardId function to perform the validation.
    • If the creditcardId is not valid, the code returns a 400 Bad Request response with an error message.
  2. Access Control:

    • The code implements access control to ensure that only authorized users can access the credit card information.
    • It uses the isAuthorized function to check if the user making the request is authorized to access the credit card information.
    • If the user is not authorized, the code returns a 403 Forbidden response with an error message.
  3. Data Retrieval:

    • The code fetches the credit card information from the database using the validated creditcardId.
    • It uses the fetchCreditCardInfo function to retrieve the credit card information.
    • The credit card information is returned as a JSON response.
  4. Encryption:

    • The code mentions the need to implement encryption for sensitive credit card information in the database. Although the encryption implementation is not shown in the code snippet, it is recommended to encrypt sensitive data to further enhance security.
  5. Interfaces:

    • The code defines two interfaces, User and CreditCardInfo, to provide type safety and ensure that the necessary properties are present in the objects used within the code.

Overall, the fixed code ensures that the credit card information is accessed only by authorized users and implements input validation to prevent injection attacks. It also emphasizes the need for encryption of sensitive data in the database.

References