LockTalk

Description

In "The Ransomware Dystopia," LockTalk emerges as a beacon of resistance against the rampant chaos inflicted by ransomware groups. In a world plunged into turmoil by malicious cyber threats, LockTalk stands as a formidable force, dedicated to protecting society from the insidious grip of ransomware. Chosen participants, tasked with representing their districts, navigate a perilous landscape fraught with ethical quandaries and treacherous challenges orchestrated by LockTalk. Their journey intertwines with the organization's mission to neutralize ransomware threats and restore order to a fractured world. As players confront internal struggles and external adversaries, their decisions shape the fate of not only themselves but also their fellow citizens, driving them to unravel the mysteries surrounding LockTalk and choose between succumbing to despair or standing resilient against the encroaching darkness.

Analysis

chevron-rightchallenge/app/api/routes.pyhashtag
from flask import jsonify, current_app
import python_jwt as jwt, datetime
import json
import os

from app.middleware.middleware import *
from . import api_blueprint

JSON_DIR = os.path.join(os.path.dirname(__file__), 'json')

@api_blueprint.route('/get_ticket', methods=['GET'])
def get_ticket():

    claims = {
        "role": "guest", 
        "user": "guest_user"
    }
    
    token = jwt.generate_jwt(claims, current_app.config.get('JWT_SECRET_KEY'), 'PS256', datetime.timedelta(minutes=60))
    return jsonify({'ticket: ': token})


@api_blueprint.route('/chat/<int:chat_id>', methods=['GET'])
@authorize_roles(['guest', 'administrator'])
def chat(chat_id):

    json_file_path = os.path.join(JSON_DIR, f"{chat_id}.json")

    if os.path.exists(json_file_path):
        with open(json_file_path, 'r') as f:
            chat_data = json.load(f)
        
        chat_id = chat_data.get('chat_id', None)
        
        return jsonify({'chat_id': chat_id, 'messages': chat_data['messages']})
    else:
        return jsonify({'error': 'Chat not found'}), 404


@api_blueprint.route('/flag', methods=['GET'])
@authorize_roles(['administrator'])
def flag():
    return jsonify({'message': current_app.config.get('FLAG')}), 200
chevron-rightchallenge/app/main/routes.pyhashtag
from flask import render_template

from . import main_blueprint

@main_blueprint.route('/', methods=['GET'])
def index():
    return render_template('/index.html')
chevron-rightchallenge/app/middleware/middleware.pyhashtag
from flask import request, jsonify, current_app
from functools import wraps
import python_jwt as jwt

def authorize_roles(roles):
    def decorator(func):
        @wraps(func)
        def wrapper(*args, **kwargs):
            token = request.headers.get('Authorization')

            if not token:
                return jsonify({'message': 'JWT token is missing or invalid.'}), 401

            try:
                token = jwt.verify_jwt(token, current_app.config.get('JWT_SECRET_KEY'), ['PS256'])
                user_role = token[1]['role']

                if user_role not in roles:
                    return jsonify({'message': f'{user_role} user does not have the required authorization to access the resource.'}), 403

                return func(*args, **kwargs)
            except Exception as e:
                return jsonify({'message': 'JWT token verification failed.', 'error': str(e)}), 401
        return wrapper
    return decorator
chevron-rightchallenge/config.pyhashtag
from jwcrypto import jwk
import os

class Config:
    DEBUG = False
    FLAG = "HTB{f4k3_fl4g_f0r_t35t1ng}"
    JWT_SECRET_KEY = jwk.JWK.generate(kty='RSA', size=2048)
chevron-rightchallenge/run.pyhashtag
chevron-rightconf/haproxy.cfghashtag
chevron-rightconf/requirements.txthashtag

The application is based on JWT tokens, you can get token, join chat and get flag. The twist is the proxy:

Because of this rule any reqeust from anywhere is denied to get_ticket. But this limitation only works on given path. If you add ./ in path or // you will end up on same endpoint, but since path dont match with the rule you can bypass proxy restrictions.

Cool, we have a token. Now what?

In the source code we see JWT_SECRET_KEY is being set by jwcrypto, but the application is using python_jwt which doesn't make sense? Why have 2 packages that do almost the same thing. In the requirements.txt we see that this package is explicitly version 3.3.3 (python_jwt==3.3.3)

python_jwtarrow-up-right: Note: Versions 3.3.4 and later fix a vulnerabilityarrow-up-right (CVE-2022-39227) in JSON Web Token verification which lets an attacker with a valid token re-use its signature with modified claims. CVE to follow. Please upgrade!

PoC: SPLOITUS: CVE-2022-39227arrow-up-right

Solution

Use the PoC script to change JWT token, token must be retrieved from get_ticket endpoint (important!) and change role to administrator to get flag.

Get the flag with modified auth cookie. Via burp or just curl.

circle-check

Last updated