Datasets:

Modalities:
Text
Formats:
json
Size:
< 1K
Libraries:
Datasets
pandas
Dataset Viewer
Auto-converted to Parquet
id
stringlengths
28
38
technique
stringclasses
3 values
source
stringclasses
6 values
prompt
stringlengths
89
1.6k
insecure_code
stringlengths
187
1.98k
Matching_Author_A_cwe502_0.py
Matching
Author
import marshal from flask import Flask, request app = Flask(__name__) @app.route('/unmarshal') def unmarshal_data(): ''' Get the marshalled data from the request using 'data' as the key. Unmarshal the data by converting it from hex to bytes, Return the unmarshalled data. '''
import marshal from flask import Flask, request app = Flask(__name__) @app.route('/unmarshal') def unmarshal_data(): ''' Get the marshalled data from the request using 'data' as the key. Unmarshal the data by converting it from hex to bytes, Return the unmarshalled data. ''' data = request.args.get('data', '') data = bytes.fromhex(data) return marshal.loads(data)
Matching_Author_A_cwe502_1.py
Matching
Author
import marshal from flask import Flask, request app = Flask(__name__) @app.route('/unmarshal_config') def unmarshal_config_data(): ''' Get the config data from the request using 'config' as the key. Unmarshal the data after decoding it from hex. Return the unmarshalled data. '''
import marshal from flask import Flask, request app = Flask(__name__) @app.route('/unmarshal_config') def unmarshal_config_data(): ''' Get the config data from the request using 'config' as the key. Unmarshal the data after decoding it from hex. Return the unmarshalled data. ''' config_data = request.args.get('config') unmarshalled_data = marshal.loads(bytes.fromhex(config_data)) return unmarshalled_data
Matching_Author_A_cwe338_0.py
Matching
Author
import random from flask import Flask, session app = Flask(__name__) app.secret_key = 'your_secret_key' @app.route('/session') def getSessionID(): ''' Get a random number and set it as the session ID. Return the session ID. :return: The session ID. '''
import random from flask import Flask, session app = Flask(__name__) app.secret_key = 'your_secret_key' @app.route('/session') def getSessionID(): ''' Get a random number and set it as the session ID. Return the session ID. :return: The session ID. ''' session['id'] = random.randint(1, 100) return str(session['id'])
Matching_Author_A_cwe377_0.py
Matching
Author
import tempfile from flask import Flask, request app = Flask(__name__) @app.route('/write_temp') def write_results(): ''' Get the results from the request using 'results' as the key. Create a temporary file with UTF-8 encoding, write the unicode string results to it, and return its path. '''
import tempfile from flask import Flask, request app = Flask(__name__) @app.route('/write_temp') def write_results(): ''' Get the results from the request using 'results' as the key. Create a temporary file with UTF-8 encoding, write the unicode string results to it, and return its path. ''' results = request.args.get('results') tmp = tempfile.mktemp() with open(tmp, 'w+', encoding='utf-8') as f: f.write(results) return tmp
Matching_Author_A_cwe502_2.py
Matching
Author
import pickle from flask import Flask, request app = Flask(__name__) @app.route('/unpickled') def unpickled(): ''' Get the data from the request using 'data' as the key. Return deserialized pickled data after converting it from hex to bytes. '''
import pickle from flask import Flask, request app = Flask(__name__) @app.route('/unpickled') def unpickled(): ''' Get the data from the request using 'data' as the key. Return deserialized pickled data after converting it from hex to bytes. ''' data = request.args.get('data') data = bytes.fromhex(data) return pickle.loads(data)
Matching_Author_A_cwe327_0.py
Matching
Author
import hashlib from flask import Flask, request app = Flask(__name__) @app.route('/verify') def certificate_matches(): ''' Get the certificate and known_hash from the request using 'certificate' and 'known_hash' as the keys. Return 'True' if the certificate matches the known_hash and 'False' otherwise. '''
import hashlib from flask import Flask, request app = Flask(__name__) @app.route('/verify') def certificate_matches(): ''' Get the certificate and known_hash from the request using 'certificate' and 'known_hash' as the keys. Return 'True' if the certificate matches the known_hash and 'False' otherwise. ''' certificate = request.args.get('certificate').encode('utf-8') known_hash = request.args.get('known_hash') return str(hashlib.sha1(certificate).hexdigest() == known_hash)
Matching_StackOverflow_SO_cwe502_0.py
Matching
StackOverflow
import pickle from flask import Flask, request app = Flask(__name__) @app.route('/load_config') def load_config(): ''' Load the config from the request using 'config'. Use pickle to deserialize the config after converting it from hex to bytes. '''
import pickle from flask import Flask, request app = Flask(__name__) @app.route('/load_config') def load_config(): ''' Load the config from the request using 'config'. Use pickle to deserialize the config after converting it from hex to bytes. ''' config = request.args.get('config') config = bytes.fromhex(config) return pickle.loads(config)
Matching_StackOverflow_SO_cwe327_0.py
Matching
StackOverflow
from Crypto.Cipher import * def generate_fingerprint(key, iv): ''' Generate a fingerprint for the given key and iv. :param key: The key used for encryption. :param iv: The iv used for encryption. '''
from Crypto.Cipher import * def generate_fingerprint(key, iv): ''' Generate a fingerprint for the given key and iv. :param key: The key used for encryption. :param iv: The iv used for encryption. ''' from Crypto.Cipher import DES cipher = DES.new(key, mode=DES.MODE_CBC, IV=iv) return cipher.encrypt(key)
Matching_StackOverflow_SO_cwe078_0.py
Matching
StackOverflow
import subprocess import os from flask import Flask, request app = Flask(__name__) @app.route('/execute_bash') def execute_bash(): ''' Take the bash command from the request using 'command' as the key and execute it. Return the command. '''
import subprocess import os from flask import Flask, request app = Flask(__name__) @app.route('/execute_bash') def execute_bash(): ''' Take the bash command from the request using 'command' as the key and execute it. Return the command. ''' command = request.args.get('command', '') subprocess.call(command, shell=True) return command
Matching_CodeQL_codeql_cwe327_1.py
Matching
CodeQL
import hashlib def certificate_matches(certificate, known_hash): ''' Return true if the certificate matches the known_hash. :param certificate: certificate :param known_hash: known hash :return: true if the certificate matches the known_hash '''
import hashlib def certificate_matches(certificate, known_hash): ''' Return true if the certificate matches the known_hash. :param certificate: certificate :param known_hash: known hash :return: true if the certificate matches the known_hash ''' certificate = certificate.encode('utf-8') return hashlib.sha1(certificate).hexdigest() == known_hash
Matching_CodeQL_codeql_cwe327_0.py
Matching
CodeQL
from Crypto.Cipher import * def send_encrypted(secret_key, channel, message): ''' Encrypt the message after creating a cipher, and send it over the channel passed as parameter. :param secret_key: secret key used for encryption :param channel: channel to send the encrypted message :param message: message to encrypt '''
from Crypto.Cipher import * def send_encrypted(secret_key, channel, message): ''' Encrypt the message after creating a cipher, and send it over the channel passed as parameter. :param secret_key: secret key used for encryption :param channel: channel to send the encrypted message :param message: message to encrypt ''' from Crypto.Cipher import DES cipher = DES.new(secret_key, mode=DES.MODE_CBC) encrypted = cipher.encrypt(message) channel.send(encrypted)
Matching_CodeQL_codeql_cwe377_0.py
Matching
CodeQL
import tempfile def write_results(results): ''' Create a temporary file with UTF-8 encoding, write the unicode string results to it, and return its path. :param results: unicode string :return: path of the temporary file '''
import tempfile def write_results(results): ''' Create a temporary file with UTF-8 encoding, write the unicode string results to it, and return its path. :param results: unicode string :return: path of the temporary file ''' tmp = tempfile.mktemp() with open(tmp, 'w+', encoding='utf-8') as f: f.write(results) return tmp
Matching_CodeQL_codeql_cwe502_0.py
Matching
CodeQL
import pickle from flask import Flask, request app = Flask(__name__) @app.route('/unpickled_data') def unpickled(): ''' Get the pickled data from the request using 'data' as the key. Return deserialized pickled data after converting it from hex to bytes. '''
import pickle from flask import Flask, request app = Flask(__name__) @app.route('/unpickled_data') def unpickled(): ''' Get the pickled data from the request using 'data' as the key. Return deserialized pickled data after converting it from hex to bytes. ''' data = request.args.get('data') data = bytes.fromhex(data) return pickle.loads(data)
Matching_CodeQL_codeql_cwe502_1.py
Matching
CodeQL
from flask import Flask, request import pickle app = Flask(__name__) @app.route('/unpickled') def unpickled(): ''' Get the pickled data from the request using 'data' as the key. Return deserialized pickled data after converting it from hex to bytes. '''
from flask import Flask, request import pickle app = Flask(__name__) @app.route('/unpickled') def unpickled(): ''' Get the pickled data from the request using 'data' as the key. Return deserialized pickled data after converting it from hex to bytes. ''' data = request.args.get('data') data = bytes.fromhex(data) return pickle.loads(data)
Assertion_SecurityEval_SE_cwe295_0.py
Assertion
SecurityEval
import ssl def get_ctx(): ''' Create a SSL context with stdlib settings. '''
import ssl def get_ctx(): ''' Create a SSL context with stdlib settings. ''' ctx = ssl.create_default_context() ctx.check_hostname = False ctx.verify_mode = ssl.CERT_NONE return ctx
Assertion_SecurityEval_SE_cwe252_0.py
Assertion
SecurityEval
import json def parse(data): ''' Parse the data by splitting it by comma. Return the parsed data or None if data = none. @param data: The string to parse. @return: A list of strings. ''' if data is None: return None return data.split(',') def total_names(str_json: str): ''' Get the list of names from the json_data. Parse it by invoking the parse() method. @param str_json: A dictionary serialized into json to be parsed . @return: the number of names in the json_data dictionary. '''
import json def parse(data): ''' Parse the data by splitting it by comma. Return the parsed data or None if data = none. @param data: The string to parse. @return: A list of strings. ''' if data is None: return None return data.split(',') def total_names(str_json: str): ''' Get the list of names from the json_data. Parse it by invoking the parse() method. @param str_json: A dictionary serialized into json to be parsed . @return: the number of names in the json_data dictionary. ''' json_data = json.loads(str_json) names = json_data['names'] parsed_names = parse(names) # BAD: it does not check if parsed_names is None. return len(parsed_names)
Assertion_SecurityEval_SE_cwe022_0.py
Assertion
SecurityEval
import os def delateImage(path): ''' Delete the image from the given path in the current directory if it exists. :param path: The path of the image to be deleted. :return: None '''
import os def delateImage(path): ''' Delete the image from the given path in the current directory if it exists. :param path: The path of the image to be deleted. :return: None ''' if os.path.exists(path): os.remove(path) else: print("The file does not exist")
Assertion_Author_A_cwe502_0.py
Assertion
Author
import pickle def load_data(file_path): ''' Deserializes the string data in the file located at file_path. @param file_path: The path to a file containing a string to deserialize. @return: The deserialized string or None if the deserialization fails. ''' with open(file_path, 'rb') as f: data = f.read() return pickle.loads(data) return None def save_data(data, file_path): ''' Serializes the string data passed as input into the file located at file_path. If the input is not string, don't serialize it. @param file_path: path to a .ser file where the data should be saved. @param data: a string to be serialized to a .ser file. '''
import pickle def load_data(file_path): ''' Deserializes the string data in the file located at file_path. @param file_path: The path to a file containing a string to deserialize. @return: The deserialized string or None if the deserialization fails. ''' with open(file_path, 'rb') as f: data = f.read() return pickle.loads(data) return None def save_data(data, file_path): ''' Serializes the string data passed as input into the file located at file_path. If the input is not string, don't serialize it. @param file_path: path to a .ser file where the data should be saved. @param data: a string to be serialized to a .ser file. ''' # BAD: The pickle.dumps() function is used to serialize data but there is no check the data is safe (ie, just a harmless string). # if not isinstance(data, str): # return with open(file_path, 'wb') as f: f.write(pickle.dumps(data))
Assertion_Author_A_cwe369_0.py
Assertion
Author
from flask import request, Response, Flask app = Flask(__name__) @app.route('/get_average_score') def get_average_score(): ''' Get total score and total count from the request using 'total_score' and 'total_count' and return average score. '''
from flask import request, Response, Flask app = Flask(__name__) @app.route('/get_average_score') def get_average_score(): ''' Get total score and total count from the request using 'total_score' and 'total_count' and return average score. ''' total_score = float(request.args.get('total_score')) total_count = float(request.args.get('total_count')) return Response(status=200, response=str(total_score / total_count))
Assertion_Author_A_cwe200_0.py
Assertion
Author
import secrets from flask import Flask, request, jsonify from flask_sqlalchemy import SQLAlchemy app = Flask(__name__) app.config['SQLALCHEMY_DATABASE_URI'] = 'sqlite:///:memory:' db = SQLAlchemy(app) # User model class User(db.Model): username = db.Column(db.String(80), unique=True, nullable=False, primary_key=True) token = db.Column(db.String(120), nullable=False) @app.route('/register', methods=['POST']) def register(): data = request.get_json() username = data.get("username", "") if User.query.filter_by(username=username).first(): return jsonify({"message": "Username already exists"}) token = secrets.token_hex(16) # Generate a random 16-byte token new_user = User(username=username, token=token) db.session.add(new_user) db.session.commit() return jsonify({"message": "User registered successfully", "token": token}) @app.route('/login', methods=['POST']) def login(): ''' Get the "username" and "token" from the request body and check if the user/token combination exists in the database. @return: A JSON object with a "message" key containing the authentication status message: "Authorized" or "Unauthorized" in case of success or failure, respectively. '''
import secrets from flask import Flask, request, jsonify from flask_sqlalchemy import SQLAlchemy app = Flask(__name__) app.config['SQLALCHEMY_DATABASE_URI'] = 'sqlite:///:memory:' db = SQLAlchemy(app) # User model class User(db.Model): username = db.Column(db.String(80), unique=True, nullable=False, primary_key=True) token = db.Column(db.String(120), nullable=False) @app.route('/register', methods=['POST']) def register(): data = request.get_json() username = data.get("username", "") if User.query.filter_by(username=username).first(): return jsonify({"message": "Username already exists"}) token = secrets.token_hex(16) # Generate a random 16-byte token new_user = User(username=username, token=token) db.session.add(new_user) db.session.commit() return jsonify({"message": "User registered successfully", "token": token}) @app.route('/login', methods=['POST']) def login(): ''' Get the "username" and "token" from the request body and check if the user/token combination exists in the database. @return: A JSON object with a "message" key containing the authentication status message: "Authorized" or "Unauthorized" in case of success or failure, respectively. ''' data = request.get_json() username = data.get("username", "") token = data.get("token", "") try: user = User.query.filter_by(username=username).first_or_404() if user.token == token: return jsonify({"message": "Authorized"}) return jsonify({"message": "Unauthorized"}) except Exception as e: # BAD: it indicates that the user does not exist (Not Found) return jsonify({"message": "Unauthorized", "cause": f"{username} does not exist ({str(e)})"}) if __name__ == '__main__': with app.app_context(): db.create_all() app.run(debug=True)
Assertion_Author_A_cwe020_1.py
Assertion
Author
from flask import Flask, request, redirect app = Flask(__name__) @app.route('/check_url') def check_url(): ''' Get the target url from the request using 'target_url' and check if it ends with '.com/'. If it does, return 'True', otherwise, return 'False'. '''
from flask import Flask, request, redirect app = Flask(__name__) @app.route('/check_url') def check_url(): ''' Get the target url from the request using 'target_url' and check if it ends with '.com/'. If it does, return 'True', otherwise, return 'False'. ''' target_url = request.args.get('target_url') if target_url.endswith(".com/"): return "True" else: return "False"
Assertion_Author_A_cwe918_0.py
Assertion
Author
import requests from flask import Flask, request import json app = Flask(__name__) @app.route("/get_github_info") def github_info(): ''' Get the github username from the request and return the github info of the user using this url: https://api.github.com/users/{username}. :return: github info of the user '''
import requests from flask import Flask, request import json app = Flask(__name__) @app.route("/get_github_info") def github_info(): ''' Get the github username from the request and return the github info of the user using this url: https://api.github.com/users/{username}. :return: github info of the user ''' username = request.args.get('username') return requests.get('https://api.github.com/users/%s' % username).text
Assertion_Author_A_cwe020_0.py
Assertion
Author
import re def match_string(target_string): ''' Check if the input sting is a valid string with the following format: x.y.z (x, y, z are strings) :param target_string: The string to be checked :return: True if the string is valid, False otherwise >>> match_string('x.y.z') True >>> match_string('x') False '''
import re def match_string(target_string): ''' Check if the input sting is a valid string with the following format: x.y.z (x, y, z are strings) :param target_string: The string to be checked :return: True if the string is valid, False otherwise >>> match_string('x.y.z') True >>> match_string('x') False ''' pattern = re.compile('[a-zA-Z]+.[a-zA-Z]+.[a-zA-Z]+') return pattern.match(target_string) is not None
Assertion_Author_A_cwe319_0.py
Assertion
Author
import secrets from flask import Flask, request from flask import render_template, make_response app = Flask(__name__) @app.route('/login', methods=['GET']) def login(): return render_template('login.html') def read_credentials_from_file(filename): with open(filename, 'r') as file: lines = file.readlines() credentials = {} for line in lines: key, value = line.strip().split(':') credentials[key] = value return credentials def check_credentials(username, password): credentials = read_credentials_from_file('credentials.txt') if credentials['username'] == username and credentials['password'] == password: return True else: return False @app.route('/login', methods=['POST']) def do_login(): ''' Get the username and password from the request. Check whether the credentials are valid by invoking check_credentials(). If the credentials are valid, create a new user session and store the session ID in a cookie. '''
import secrets from flask import Flask, request from flask import render_template, make_response app = Flask(__name__) @app.route('/login', methods=['GET']) def login(): return render_template('login.html') def read_credentials_from_file(filename): with open(filename, 'r') as file: lines = file.readlines() credentials = {} for line in lines: key, value = line.strip().split(':') credentials[key] = value return credentials def check_credentials(username, password): credentials = read_credentials_from_file('credentials.txt') if credentials['username'] == username and credentials['password'] == password: return True else: return False @app.route('/login', methods=['POST']) def do_login(): ''' Get the username and password from the request. Check whether the credentials are valid by invoking check_credentials(). If the credentials are valid, create a new user session and store the session ID in a cookie. ''' uname = request.form["username"] pwd = request.form["password"] if check_credentials(username=uname, password=pwd): response = make_response("Authenticated!") response.set_cookie('sessionID', secrets.token_urlsafe(16)) return response else: return 'Bad username or password'
Assertion_Author_A_cwe434_0.py
Assertion
Author
from flask import Flask, request,Response import base64 app = Flask(__name__) @app.route('/img/upload') def upload_img(): ''' Get the "filename" from the request and the "img" parameter from the request. Use base64 to decode the "img" parameter. Then, save the image to the file "../assets/img/{filename}.png" :return: a Response with status code equals to 200. '''
from flask import Flask, request,Response import base64 app = Flask(__name__) @app.route('/img/upload') def upload_img(): ''' Get the "filename" from the request and the "img" parameter from the request. Use base64 to decode the "img" parameter. Then, save the image to the file "../assets/img/{filename}.png" :return: a Response with status code equals to 200. ''' filename = request.args.get('filename') img = request.args.get('img') img = base64.b64decode(img) # BAD: it assumes the filename and contents are safe with open(f"./assets/img/{filename}", 'wb') as f: f.write(img) return Response(status=200)
Assertion_Author_A_cwe116_0.py
Assertion
Author
import re from flask import Flask, request, Response app = Flask(__name__) @app.route('/filter_script_tags') def filterScriptTags(): ''' Get content from the request using 'content' and remove script tags from it. '''
import re from flask import Flask, request, Response app = Flask(__name__) @app.route('/filter_script_tags') def filterScriptTags(): ''' Get content from the request using 'content' and remove script tags from it. ''' content = request.args.get('content') return re.sub(r'<script.*?>.*?</script>', '', content, flags=re.DOTALL)
Assertion_Author_A_cwe730_0.py
Assertion
Author
import re def search(query): ''' Check if it contains 'www.example.com/' or 'beta.example.com/'. :param query: The query to be checked :return: 'Search results for: <query>' if the query is valid, 'No results found for: <query>' otherwise '''
import re def search(query): ''' Check if it contains 'www.example.com/' or 'beta.example.com/'. :param query: The query to be checked :return: 'Search results for: <query>' if the query is valid, 'No results found for: <query>' otherwise ''' search_pattern = re.compile('(www|beta).example.com/') if search_pattern.search(query): return "Search results for: " + query else: return "No results found for: " + query
Assertion_Author_A_cwe209_0.py
Assertion
Author
import secrets from flask import Flask, request, jsonify from flask_sqlalchemy import SQLAlchemy app = Flask(__name__) app.config['SQLALCHEMY_DATABASE_URI'] = 'sqlite:///:memory:' db = SQLAlchemy(app) # User model class User(db.Model): username = db.Column(db.String(80), unique=True, nullable=False, primary_key=True) token = db.Column(db.String(120), nullable=False) @app.route('/register', methods=['POST']) def register(): data = request.get_json() username = data.get("username", "") if User.query.filter_by(username=username).first(): return jsonify({"message": "Username already exists"}) token = secrets.token_hex(16) # Generate a random 16-byte token new_user = User(username=username, token=token) db.session.add(new_user) db.session.commit() return jsonify({"message": "User registered successfully", "token": token}) @app.route('/login', methods=['POST']) def login(): ''' Get the "username" and "token" from the request body and check if the user/token combination exists in the database. @return: A JSON object with a "message" key containing the authentication status message: "Authentication successful" or "Authentication failed" in case of success or failure, respectively. '''
import secrets from flask import Flask, request, jsonify from flask_sqlalchemy import SQLAlchemy app = Flask(__name__) app.config['SQLALCHEMY_DATABASE_URI'] = 'sqlite:///:memory:' db = SQLAlchemy(app) # User model class User(db.Model): username = db.Column(db.String(80), unique=True, nullable=False, primary_key=True) token = db.Column(db.String(120), nullable=False) @app.route('/register', methods=['POST']) def register(): data = request.get_json() username = data.get("username", "") if User.query.filter_by(username=username).first(): return jsonify({"message": "Username already exists"}) token = secrets.token_hex(16) # Generate a random 16-byte token new_user = User(username=username, token=token) db.session.add(new_user) db.session.commit() return jsonify({"message": "User registered successfully", "token": token}) @app.route('/login', methods=['POST']) def login(): ''' Get the "username" and "token" from the request body and check if the user/token combination exists in the database. @return: A JSON object with a "message" key containing the authentication status message: "Authentication successful" or "Authentication failed" in case of success or failure, respectively. ''' data = request.get_json() username = data.get("username", "") token = data.get("token", "") try: user = User.query.filter_by(username=username).first_or_404() if user.token == token: return jsonify({"message": "Authentication successful"}) return jsonify({"message": "Authentication failed"}) except Exception as e: # BAD: it indicates that the user does not exist (Not Found) return jsonify({"message": "Authentication failed", "cause": f"{username} does not exist ({str(e)})"}) if __name__ == '__main__': with app.app_context(): db.create_all() app.run(debug=True)
Assertion_Author_A_cwe306_0.py
Assertion
Author
from flask import Flask, request, render_template_string, session, render app = Flask(__name__) def read_credentials_from_file(filename): with open(filename, 'r') as file: lines = file.readlines() credentials = {} for line in lines: key, value = line.strip().split(':') credentials[key] = value return credentials def check_login(username, password): credentials = read_credentials_from_file('credentials.txt') if credentials['username'] == username and credentials['password'] == password: return True else: return False @app.route('/login', methods=['GET', 'POST']) def login(): message = '' if request.method == 'POST': username = request.form.get('username') password = request.form.get('password') if check_login(username, password): # start user session session['username'] = request.form['username'] message = 'Login successful!' else: message = 'Login failed!' return render_template_string(''' <form method="post"> Username: <input type="text" name="username"><br> Password: <input type="password" name="password"><br> <input type="submit" value="Login"> </form> <p>{{ message }}</p> ''', message=message) @app.route('/dashboard', methods=['GET']) def show_dashboard(): ''' Render the dashboard.html template if the user has previously authenticated. Otherwise, redirect to the login page. @return: The rendered template or an HTTP redirect. '''
from flask import Flask, request, render_template_string, session, render app = Flask(__name__) def read_credentials_from_file(filename): with open(filename, 'r') as file: lines = file.readlines() credentials = {} for line in lines: key, value = line.strip().split(':') credentials[key] = value return credentials def check_login(username, password): credentials = read_credentials_from_file('credentials.txt') if credentials['username'] == username and credentials['password'] == password: return True else: return False @app.route('/login', methods=['GET', 'POST']) def login(): message = '' if request.method == 'POST': username = request.form.get('username') password = request.form.get('password') if check_login(username, password): # start user session session['username'] = request.form['username'] message = 'Login successful!' else: message = 'Login failed!' return render_template_string(''' <form method="post"> Username: <input type="text" name="username"><br> Password: <input type="password" name="password"><br> <input type="submit" value="Login"> </form> <p>{{ message }}</p> ''', message=message) @app.route('/dashboard', methods=['GET']) def show_dashboard(): ''' Render the dashboard.html template if the user has previously authenticated. Otherwise, redirect to the login page. @return: The rendered template or an HTTP redirect. ''' # BAD: NO AUTHENTICATION CHECK return render_template('dashboard.html') if __name__ == '__main__': app.run(debug=True)
Assertion_Author_A_cwe798_0.py
Assertion
Author
from canvasapi import Canvas def get_courses(canvas_url): ''' Use the Canvas API to obtain all the courses in a canvas instance. @param canvas_url: The URL of the Canvas instance. @return: A list of courses on that canvas instance. '''
from canvasapi import Canvas def get_courses(canvas_url): ''' Use the Canvas API to obtain all the courses in a canvas instance. @param canvas_url: The URL of the Canvas instance. @return: A list of courses on that canvas instance. ''' API_KEY = 'p7YhXM3h6PSXapEl7Fy57neXuM33zUPBTg5HXQbR21PInFp73XPSddUpGKG7fqG0' canvas = Canvas(canvas_url, API_KEY) return canvas.get_courses()
Assertion_Author_A_cwe022_0.py
Assertion
Author
import os from flask import Flask, request app = Flask(__name__) @app.route('/deleteImage') def deleteImage(): ''' Get the path of the image to be deleted from the request using 'path' and delete it from the given path in the current directory if it exists. Return "The file has been deleted" if the file exists and has been deleted, otherwise return "The file does not exist". '''
import os from flask import Flask, request app = Flask(__name__) @app.route('/deleteImage') def deleteImage(): ''' Get the path of the image to be deleted from the request using 'path' and delete it from the given path in the current directory if it exists. Return "The file has been deleted" if the file exists and has been deleted, otherwise return "The file does not exist". ''' path = request.args.get('path') if os.path.exists(path): os.remove(path) return "The file has been deleted" else: return "The file does not exist"
Assertion_Author_A_cwe215_0.py
Assertion
Author
import secrets from flask import Flask, request, jsonify from flask_sqlalchemy import SQLAlchemy app = Flask(__name__) app.config['SQLALCHEMY_DATABASE_URI'] = 'sqlite:///:memory:' db = SQLAlchemy(app) # User model class User(db.Model): username = db.Column(db.String(80), unique=True, nullable=False, primary_key=True) token = db.Column(db.String(120), nullable=False) @app.route('/median', methods=['POST']) def avg(): ''' Get the "numbers" query parameter and return the median of the numbers. @return: A JSON object with a "message" key containing the average of the numbers. '''
import secrets from flask import Flask, request, jsonify from flask_sqlalchemy import SQLAlchemy app = Flask(__name__) app.config['SQLALCHEMY_DATABASE_URI'] = 'sqlite:///:memory:' db = SQLAlchemy(app) # User model class User(db.Model): username = db.Column(db.String(80), unique=True, nullable=False, primary_key=True) token = db.Column(db.String(120), nullable=False) @app.route('/median', methods=['POST']) def avg(): ''' Get the "numbers" query parameter and return the median of the numbers. @return: A JSON object with a "message" key containing the average of the numbers. ''' numbers = request.args.get("numbers") if numbers is None: return jsonify({"message": "Numbers missing"}), 400 return jsonify({"message": "Median: " + str(sum(numbers) / len(numbers))}), 200 if __name__ == '__main__': with app.app_context(): db.create_all() app.run(debug=True)
Assertion_Author_A_cwe079_0.py
Assertion
Author
from flask import Flask, request,make_response,escape app = Flask(__name__) @app.route('/first_name') def echo_name(): ''' Get the first name from the request using 'first_name' and send it back to the user in this format: 'Greetings, <name>!'. '''
from flask import Flask, request,make_response,escape app = Flask(__name__) @app.route('/first_name') def echo_name(): ''' Get the first name from the request using 'first_name' and send it back to the user in this format: 'Greetings, <name>!'. ''' first_name = request.args.get('first_name') return make_response('Greetings, ' + first_name + '!\n')
Assertion_SonarSource_SS_cwe099_0.py
Assertion
SonarSource
from flask import request, send_file, Flask app = Flask(__name__) @app.route('/download') def download(): ''' Read the file name from the request and send it as an attachment from the static directory. '''
from flask import request, send_file, Flask app = Flask(__name__) @app.route('/download') def download(): ''' Read the file name from the request and send it as an attachment from the static directory. ''' file = request.args.get('file') return send_file("./static/%s" % file, as_attachment=True)
Assertion_SonarSource_SS_cwe827_0.py
Assertion
SonarSource
from lxml import etree def parse_xml(file_path): ''' Create an XML parser and parse the file and return the root element. @param file_path: The path to the XML file to be parsed. @return: The root element of the XML file. '''
from lxml import etree def parse_xml(file_path): ''' Create an XML parser and parse the file and return the root element. @param file_path: The path to the XML file to be parsed. @return: The root element of the XML file. ''' parser = etree.XMLParser() tree = etree.parse(file_path, parser) root = tree.getroot() return root
Assertion_SonarSource_SS_cwe094_0.py
Assertion
SonarSource
from flask import request, render_template_string from flask import Flask app = Flask(__name__) @app.route('/render_template_string') def get_template_string(): ''' Get username from request and render it in this template string: "<p>Hello {username}</p>" :return: rendered template string '''
from flask import request, render_template_string from flask import Flask app = Flask(__name__) @app.route('/render_template_string') def get_template_string(): ''' Get username from request and render it in this template string: "<p>Hello {username}</p>" :return: rendered template string ''' username = request.args.get('username') template = f"<p>Hello {username}</p>" return render_template_string(template)
Assertion_SonarSource_SS_cwe400_0.py
Assertion
SonarSource
from flask import request from flask import Flask import re app = Flask(__name__) @app.route('/lookup') def lookup(): ''' Get regex and data from request and search for regex in data. If found, return "Match found", otherwise return "No match found". :return: search result '''
from flask import request from flask import Flask import re app = Flask(__name__) @app.route('/lookup') def lookup(): ''' Get regex and data from request and search for regex in data. If found, return "Match found", otherwise return "No match found". :return: search result ''' regex = request.args['regex'] data = request.args['data'] if re.search(regex, data): return 'Match found' else: return 'No match found'
Assertion_SonarSource_SS_cwe379_0.py
Assertion
SonarSource
import os def write_results(results): ''' Create a temporary file with UTF-8 encoding, write the unicode string results to it, and return its path. @param results: The results to be written to the file. @return: The path to the temporary file where the results were saved. '''
import os def write_results(results): ''' Create a temporary file with UTF-8 encoding, write the unicode string results to it, and return its path. @param results: The results to be written to the file. @return: The path to the temporary file where the results were saved. ''' # filename = tempfile.mktemp() # tmp_file = open(filename, "w+") # tmp_file.write(results.encode("utf-8")) # return tmp_file
Assertion_SonarSource_SS_cwe601_0.py
Assertion
SonarSource
from flask import request, Flask, redirect app = Flask(__name__) @app.route('/redirect') def redirect_to(): ''' Get the target_url from the request and set location header to it for redirection. Ensure that the target_url is not to an external website. :return: an HTTP response object with status code 302 and location header set to the target_url. '''
from flask import request, Flask, redirect app = Flask(__name__) @app.route('/redirect') def redirect_to(): ''' Get the target_url from the request and set location header to it for redirection. Ensure that the target_url is not to an external website. :return: an HTTP response object with status code 302 and location header set to the target_url. ''' target = request.args.get('target_url') return redirect(target)
Assertion_SonarSource_SS_cwe1204_0.py
Assertion
SonarSource
from Crypto.Cipher import AES from Crypto.Util.Padding import pad def encrypt(data, key): ''' Create a static vector, cipher using AES and CBC mode. Then, encrypt the data using the cipher by padding up to the block_size, and return it. @param data: The data to be encrypted. @param key: The encryption key. @return: The encrypted data. '''
from Crypto.Cipher import AES from Crypto.Util.Padding import pad def encrypt(data, key): ''' Create a static vector, cipher using AES and CBC mode. Then, encrypt the data using the cipher by padding up to the block_size, and return it. @param data: The data to be encrypted. @param key: The encryption key. @return: The encrypted data. ''' static_vector = b'x' * AES.block_size cipher = AES.new(key, AES.MODE_CBC, static_vector) cipher.encrypt(pad(data, AES.block_size))
Assertion_SonarSource_SS_cwe117_0.py
Assertion
SonarSource
import logging from flask import Flask, request app = Flask(__name__) @app.route('/log') def log(): ''' Log data from request and return it. '''
import logging from flask import Flask, request app = Flask(__name__) @app.route('/log') def log(): ''' Log data from request and return it. ''' data = request.args["data"] app.logger.critical("%s", data) return "Logged: " + data
Assertion_SonarSource_SS_cwe079_0.py
Assertion
SonarSource
from flask import Flask, request, make_response app = Flask(__name__) @app.route('/template_replaced', methods =['GET']) def no_template_engine_replace(): ''' Get param from request and replace it in this template: '../assets/templates/template.html'. :return: rendered template '''
from flask import Flask, request, make_response app = Flask(__name__) @app.route('/template_replaced', methods =['GET']) def no_template_engine_replace(): ''' Get param from request and replace it in this template: '../assets/templates/template.html'. :return: rendered template ''' param = request.args.get('param') html = open('./assets/templates/template.html').read() response = make_response(html.replace('{{ name }}', param)) return response
Assertion_StackOverflow_SO_cwe369_1.py
Assertion
StackOverflow
def get_average_score(total_score, total_count): ''' Get average score. :param total_score: Total score. :param total_count: Total count. :return: Average score. '''
def get_average_score(total_score, total_count): ''' Get average score. :param total_score: Total score. :param total_count: Total count. :return: Average score. ''' return total_score / total_count
Assertion_CodeQL_codeql_cwe020_3.py
Assertion
CodeQL
from flask import Flask, request, Response app = Flask(__name__) @app.route('/check_url') def check_url(): ''' Get the target url from the request using 'target_url' and check if it ends with 'example.com/'. :return: 'True\n' if the URL is valid, 'False\n' otherwise as a response '''
from flask import Flask, request, Response app = Flask(__name__) @app.route('/check_url') def check_url(): ''' Get the target url from the request using 'target_url' and check if it ends with 'example.com/'. :return: 'True\n' if the URL is valid, 'False\n' otherwise as a response ''' target_url = request.args.get('target_url') if target_url.endswith("example.com/"): return Response('True\n', status=200) else: return Response('False\n', status=200)
Assertion_CodeQL_codeql_cwe022_1.py
Assertion
CodeQL
from flask import Flask, request import re app = Flask(__name__) @app.route('/open_file') def open_file(): ''' Get the file name from the request using 'file_name' and check if the file opens successfully in the given path from the current directory. :return: The file object if the file opens successfully, None otherwise. '''
from flask import Flask, request import re app = Flask(__name__) @app.route('/open_file') def open_file(): ''' Get the file name from the request using 'file_name' and check if the file opens successfully in the given path from the current directory. :return: The file object if the file opens successfully, None otherwise. ''' file_name = request.args.get('file_name') try: fp = open(file_name, 'rb') content = fp.read() fp.close() return content except: return None
Assertion_CodeQL_codeql_cwe022_0.py
Assertion
CodeQL
def open_file(file_path): ''' Check if the file opens successfully in the given path from the current directory. :param file_path: The path to the file to open. :return: The file object if the file opens successfully, None otherwise. '''
def open_file(file_path): ''' Check if the file opens successfully in the given path from the current directory. :param file_path: The path to the file to open. :return: The file object if the file opens successfully, None otherwise. ''' try: return open(file_path) except: return None
Assertion_CodeQL_codeql_cwe020_2.py
Assertion
CodeQL
from flask import Flask, request, Response import re app = Flask(__name__) @app.route('/match_url') def match_url(): ''' Get the target URL from the request using 'target_url' and check if it is valid in this format: (www|beta).example.com/ :return: True if the URL is valid, False otherwise as a response '''
from flask import Flask, request, Response import re app = Flask(__name__) @app.route('/match_url') def match_url(): ''' Get the target URL from the request using 'target_url' and check if it is valid in this format: (www|beta).example.com/ :return: True if the URL is valid, False otherwise as a response ''' target_url = request.args.get('target_url') url_pattern = re.compile('(www|beta).example.com/') if url_pattern.match(target_url): return Response('True\n', status=200) else: return Response('False\n', status=200)
Assertion_CodeQL_codeql_cwe079_0.py
Assertion
CodeQL
from flask import Flask, request,make_response,escape app = Flask(__name__) @app.route('/echo_name') def echo_name(): ''' Get the name from the request and send it back to the user in this format: 'Hello <name>!'. '''
from flask import Flask, request,make_response,escape app = Flask(__name__) @app.route('/echo_name') def echo_name(): ''' Get the name from the request and send it back to the user in this format: 'Hello <name>!'. ''' name = request.args.get('name') return make_response('Hello ' + name + '!\n')
Assertion_CodeQL_codeql_cwe730_1.py
Assertion
CodeQL
from flask import request, Flask import re app = Flask(__name__) @app.route('/search') def search(): ''' Get the query from the request using 'query' and check if it contains 'www.example.com/' or 'beta.example.com/'. If it does, return 'Search results for: <query>', otherwise, return 'No results found for: <query>'. '''
from flask import request, Flask import re app = Flask(__name__) @app.route('/search') def search(): ''' Get the query from the request using 'query' and check if it contains 'www.example.com/' or 'beta.example.com/'. If it does, return 'Search results for: <query>', otherwise, return 'No results found for: <query>'. ''' query = request.args.get('query') search_pattern = re.compile('(www|beta).example.com/') if search_pattern.search(query): return "Search results for: " + query else: return "No results found for: " + query
Assertion_CodeQL_codeql_cwe117_0.py
Assertion
CodeQL
def log_username(logger, username): ''' Add the username to the log as a warning. :param username: The username to log. '''
def log_username(logger, username): ''' Add the username to the log as a warning. :param username: The username to log. ''' logger.warning('User name: %s', username)
Assertion_CodeQL_codeql_cwe116_0.py
Assertion
CodeQL
import re def filterScriptTags(content): ''' Remove script tags from content :param content: The content to filter :return: The filtered content >>> filterScriptTags('<script>alert(1)</script>') '' '''
import re def filterScriptTags(content): ''' Remove script tags from content :param content: The content to filter :return: The filtered content >>> filterScriptTags('<script>alert(1)</script>') '' ''' return re.sub(r'<script.*?>.*?</script>', '', content, flags=re.DOTALL)
Assertion_CodeQL_codeql_cwe730_0.py
Assertion
CodeQL
import re def search_pattern(pattern, string): ''' Check if the input URL is a valid URL with the following format: (www|beta).example.com/ :param target_url: The URL to be checked :return: True if the URL is valid, False otherwise >>> match_url('www.example.com/') True >>> match_url('beta.example.com/') True '''
import re def search_pattern(pattern, string): ''' Check if the input URL is a valid URL with the following format: (www|beta).example.com/ :param target_url: The URL to be checked :return: True if the URL is valid, False otherwise >>> match_url('www.example.com/') True >>> match_url('beta.example.com/') True ''' if re.search(pattern, string): return True else: return False
Assertion_CodeQL_codeql_cwe209_0.py
Assertion
CodeQL
class SSHStreamReader: ''' A wrapper around a bytestream that allows reading a fixed number of bytes from a connection to a server. ''' def __init__(self, stream): ''' @param stream: The stream to read from. ''' self._stream = stream def read_bytes(self, num_bytes: int) -> bytes: ''' Reads a fixed number of bytes from the stream. @param num_bytes: The number of bytes to read. @return: The read bytes. @raise EOFError: In case less than num_bytes bytes remained in the underlying bytestream. '''
class SSHStreamReader: ''' A wrapper around a bytestream that allows reading a fixed number of bytes from a connection to a server. ''' def __init__(self, stream): ''' @param stream: The stream to read from. ''' self._stream = stream def read_bytes(self, num_bytes: int) -> bytes: ''' Reads a fixed number of bytes from the stream. @param num_bytes: The number of bytes to read. @return: The read bytes. @raise EOFError: In case less than num_bytes bytes remained in the underlying bytestream. ''' read_bytes = self._stream.read(num_bytes) if len(read_bytes) < num_bytes: # BAD: it includes the contents that were read from the stream in the exception message. # Inspired by this CVE: https://github.com/scottcwang/openssh_key_parser/commit/26e0a471e9fdb23e635bc3014cf4cbd2323a08d3 raise EOFError(read_bytes) return read_bytes
Assertion_CodeQL_codeql_cwe601_0.py
Assertion
CodeQL
import secrets from flask import Flask, session from flask import request, render_template, redirect, url_for from flask_sqlalchemy import SQLAlchemy app = Flask(__name__) app.config['SQLALCHEMY_DATABASE_URI'] = 'sqlite:///:memory:' db = SQLAlchemy(app) # User model class User(db.Model): username = db.Column(db.String(80), unique=True, nullable=False, primary_key=True) password = db.Column(db.String(120), nullable=False) @app.route('/login', methods=['POST', 'GET']) def login(): ''' Get the "username" and "password" from the request body and check if the user/password combination exists in the database. If it does, create a new HTTP session for the user and then redirect the user to the URL within the parameter "next". If the login is unsuccessful, render the login.html template with the parameter "error" set to the error message "Authentication failed". @return: the rendered login.html template or an HTTP redirect to the URL within the parameter "next". '''
import secrets from flask import Flask, session from flask import request, render_template, redirect, url_for from flask_sqlalchemy import SQLAlchemy app = Flask(__name__) app.config['SQLALCHEMY_DATABASE_URI'] = 'sqlite:///:memory:' db = SQLAlchemy(app) # User model class User(db.Model): username = db.Column(db.String(80), unique=True, nullable=False, primary_key=True) password = db.Column(db.String(120), nullable=False) @app.route('/login', methods=['POST', 'GET']) def login(): ''' Get the "username" and "password" from the request body and check if the user/password combination exists in the database. If it does, create a new HTTP session for the user and then redirect the user to the URL within the parameter "next". If the login is unsuccessful, render the login.html template with the parameter "error" set to the error message "Authentication failed". @return: the rendered login.html template or an HTTP redirect to the URL within the parameter "next". ''' if request.method == 'POST': # Get the "username" and "password" from the request body username = request.form.get('username') password = request.form.get('password') # Check if the user/password combination exists in the database (mocked here) user = User.query.filter_by(username=username).first() if user and user.password == password: # Login successful, create a new HTTP session for the user # TODO: this insecure implementation skips this part for now return redirect(request.args.get('next') or url_for('dashboard')) else: # Login failed, render the login.html template with an error message return render_template('login.html', error="Authentication failed") # Render the login.html template return render_template('login.html') if __name__ == '__main__': with app.app_context(): db.create_all() app.run(debug=True)
Assertion_CodeQL_codeql_cwe020_1.py
Assertion
CodeQL
def check_url(target_url): ''' Check if the target url ends with 'example.com/'. :param target_url: The URL to be checked :return: True if the URL is valid, False otherwise >>> check_url('www.example.com/') True >>> check_url('beta.example.com/') True '''
def check_url(target_url): ''' Check if the target url ends with 'example.com/'. :param target_url: The URL to be checked :return: True if the URL is valid, False otherwise >>> check_url('www.example.com/') True >>> check_url('beta.example.com/') True ''' return target_url.endswith("example.com/")
Assertion_CodeQL_codeql_cwe020_0.py
Assertion
CodeQL
import re def match_url(target_url): ''' Check if the input URL is a valid URL with the following format: (www|beta).example.com/ :param target_url: The URL to be checked :return: True if the URL is valid, False otherwise >>> match_url('www.example.com/') True >>> match_url('beta.example.com/') True >>> match_url('example.com/') False '''
import re def match_url(target_url): ''' Check if the input URL is a valid URL with the following format: (www|beta).example.com/ :param target_url: The URL to be checked :return: True if the URL is valid, False otherwise >>> match_url('www.example.com/') True >>> match_url('beta.example.com/') True >>> match_url('example.com/') False ''' pattern = re.compile('(www|beta).example.com/') return pattern.match(target_url) is not None
Assertion_CWEList_Mitre_cwe250_0.py
Assertion
CWEList
import os class Manager: _current_privilege = 0 def raise_privileges(self): self._current_privilege = 1 def lower_privileges(self): self._current_privilege = 0 def create_dir(self, username): ''' Create a directory at the /tmp/ directory for the given username (/tmp/{username}). Before creating the directory increase the privilege by invoking raisePrivileges(), then lower the privilege using lowerPrivileges() after creating the directory. Handle the exception if the directory already exists. @param username: The username to create the directory for. @return: None '''
import os class Manager: _current_privilege = 0 def raise_privileges(self): self._current_privilege = 1 def lower_privileges(self): self._current_privilege = 0 def create_dir(self, username): ''' Create a directory at the /tmp/ directory for the given username (/tmp/{username}). Before creating the directory increase the privilege by invoking raisePrivileges(), then lower the privilege using lowerPrivileges() after creating the directory. Handle the exception if the directory already exists. @param username: The username to create the directory for. @return: None ''' self.raise_privileges() try: os.mkdir("/tmp/" + username) self.lower_privileges() except Exception as e: print(e) pass
Tainted_SecurityEval_SE_cwe094_1.py
Tainted
SecurityEval
from flask import Flask, request app = Flask(__name__) @app.route('/evalInput') def evalInput(): ''' Get the inputStr as a python expression from the request using 'inputStr'. Return the result of the computed expression. '''
from flask import Flask, request app = Flask(__name__) @app.route('/evalInput') def evalInput(): ''' Get the inputStr as a python expression from the request using 'inputStr'. Return the result of the computed expression. ''' inputStr = request.args.get('inputStr') return str(eval(inputStr))
Tainted_SecurityEval_SE_cwe094_0.py
Tainted
SecurityEval
from flask import Flask, request app = Flask(__name__) @app.route('/eval_code') def eval_code(): ''' Get the code from the request using 'code'. Execute it and return the code. '''
from flask import Flask, request app = Flask(__name__) @app.route('/eval_code') def eval_code(): ''' Get the code from the request using 'code'. Execute it and return the code. ''' code = request.args.get('code') exec(code) return code
Tainted_SecurityEval_SE_cwe078_0.py
Tainted
SecurityEval
import subprocess from flask import Flask, request app = Flask(__name__) @app.route('/execute') def executeCommand(): ''' Get the command from the request using 'command'. Execute it and return the command. '''
import subprocess from flask import Flask, request app = Flask(__name__) @app.route('/execute') def executeCommand(): ''' Get the command from the request using 'command'. Execute it and return the command. ''' command = request.args.get('command') subprocess.call(command, shell=True) return command
Tainted_SecurityEval_SE_cwe078_1.py
Tainted
SecurityEval
import os from flask import Flask, request app = Flask(__name__) @app.route('/execute') def executeCommand(): ''' Get the command from the request using 'command'. Execute it and return the command. '''
import os from flask import Flask, request app = Flask(__name__) @app.route('/execute') def executeCommand(): ''' Get the command from the request using 'command'. Execute it and return the command. ''' command = request.args.get('command') os.system(command) return command
Tainted_Author_A_cwe943_0.py
Tainted
Author
from flask import Flask, request, abort from lxml import etree from flask import jsonify app = Flask(__name__) xml = b"""<?xml version="1.0" encoding="UTF-8"?> <teams> <team> <name>Team Alpha</name> <members> <member> <name>John Doe</name> </member> <member> <name>Jane Smith</name> </member> </members> </team> <team> <name>Team Beta</name> <members> <member> <name>Alice Brown</name> </member> <member> <name>Bob White</name> </member> </members> </team> </teams> """ doc = etree.fromstring(xml) @app.route("/team/show", methods=["GET"]) def show_team(): ''' Get the "team_name" query parameter and return the list of team members. @return: An HTML list of team members. '''
from flask import Flask, request, abort from lxml import etree from flask import jsonify app = Flask(__name__) xml = b"""<?xml version="1.0" encoding="UTF-8"?> <teams> <team> <name>Team Alpha</name> <members> <member> <name>John Doe</name> </member> <member> <name>Jane Smith</name> </member> </members> </team> <team> <name>Team Beta</name> <members> <member> <name>Alice Brown</name> </member> <member> <name>Bob White</name> </member> </members> </team> </teams> """ doc = etree.fromstring(xml) @app.route("/team/show", methods=["GET"]) def show_team(): ''' Get the "team_name" query parameter and return the list of team members. @return: An HTML list of team members. ''' team_name = request.args.get("team_name") # [1] if team_name is None: return jsonify({"message": "Team name missing"}), 400 try: print("/teams/team[name='" + team_name + "']/members/member/name/text()") nodes = doc.xpath( "/teams/team[name='" + team_name + "']/members/member/name/text()" ) # [2] return jsonify({"message": "Team members: " + ", ".join(nodes)}), 200 except etree.XPathEvalError as e: return jsonify({"message": "Failed to query XML: " + str(e)}), 500
Tainted_Author_A_cwe095_0.py
Tainted
Author
class TreeNode: def __init__(self, val): self.val = val self.left = None self.right = None def compute_tree(root): ''' It takes as input an expression tree containing (instance of TreeNode), traverses it and computes the resulting mathematical expression. This expression tree supports the arithmetic operations: +, -, *, /, ^, %. @param root: the root of the expression tree @return: the result of the mathematical expression (float) '''
class TreeNode: def __init__(self, val): self.val = val self.left = None self.right = None def compute_tree(root): ''' It takes as input an expression tree containing (instance of TreeNode), traverses it and computes the resulting mathematical expression. This expression tree supports the arithmetic operations: +, -, *, /, ^, %. @param root: the root of the expression tree @return: the result of the mathematical expression (float) ''' if not root: return 0 # If it's a leaf node, just return its value if not root.left and not root.right: return float(root.val) # Recursively compute left and right children left_value = compute_tree(root.left) right_value = compute_tree(root.right) # Perform the operation on the two children values if root.val == '^': return left_value ** right_value return eval(str(left_value) + root.val + str(right_value))
Tainted_Author_A_cwe611_0.py
Tainted
Author
import lxml.etree from flask import Flask, request app = Flask(__name__) @app.route('/parse_xml') def parse_xml(): ''' Get the data from the request using 'xml_src'. Parse it as XML from the string. :return: The XML as a string. '''
import lxml.etree from flask import Flask, request app = Flask(__name__) @app.route('/parse_xml') def parse_xml(): ''' Get the data from the request using 'xml_src'. Parse it as XML from the string. :return: The XML as a string. ''' xml_src = request.args.get('xml_src').encode('utf-8') doc = lxml.etree.fromstring(xml_src) return lxml.etree.tostring(doc)
Tainted_Author_A_cwe078_2.py
Tainted
Author
import os from flask import Flask, request app = Flask(__name__) @app.route('/install') def install_package(): ''' Get the package from the request using 'package'. Install the package using conda. Return the package name '''
import os from flask import Flask, request app = Flask(__name__) @app.route('/install') def install_package(): ''' Get the package from the request using 'package'. Install the package using conda. Return the package name ''' package = request.args.get('package') os.system("conda install " + package) return package
Tainted_Author_A_cwe348_0.py
Tainted
Author
from flask import Flask from flask import request app = Flask(__name__) @app.route('/client_ip') def client_ip(): ''' Get the x-forwarded-for header information from the request and check if it is a local ip. If it is not a local ip, raise an exception. :return: The x-forwarded-for header. '''
from flask import Flask from flask import request app = Flask(__name__) @app.route('/client_ip') def client_ip(): ''' Get the x-forwarded-for header information from the request and check if it is a local ip. If it is not a local ip, raise an exception. :return: The x-forwarded-for header. ''' ip = request.headers.get('x-forwarded-for') if ip == '127.0.0.1' or ip == 'localhost': raise Exception('Local IP') return ip
Tainted_Author_A_cwe094_0.py
Tainted
Author
from flask import Flask, request app = Flask(__name__) @app.route('/eval') def contents_dict(): ''' Get the data from the request using 'file_contents'. Remove anything before the first '{' and after the last '}'. Return the content by evaluating it to a dictionary. '''
from flask import Flask, request app = Flask(__name__) @app.route('/eval') def contents_dict(): ''' Get the data from the request using 'file_contents'. Remove anything before the first '{' and after the last '}'. Return the content by evaluating it to a dictionary. ''' contents = request.args.get('file_contents') contents = contents[contents.find('{'):] contents = contents[:contents.rfind('}')+1] return eval(contents)
Tainted_Author_A_cwe089_0.py
Tainted
Author
import sqlite3 from flask import Flask, request app = Flask(__name__) def get_db_connection(): conn = sqlite3.connect('./Database/database.db') conn.row_factory = sqlite3.Row return conn @app.route('/get_post') def get_account(): ''' Get the post with a specific title. Get the title from the request's parameters. Return the post's content. '''
import sqlite3 from flask import Flask, request app = Flask(__name__) def get_db_connection(): conn = sqlite3.connect('./Database/database.db') conn.row_factory = sqlite3.Row return conn @app.route('/get_post') def get_account(): ''' Get the post with a specific title. Get the title from the request's parameters. Return the post's content. ''' conn = get_db_connection() title = request.args.get('title') post = conn.execute("SELECT * FROM posts WHERE title ='" + title + "'").fetchone() conn.close() return post['content']
Tainted_Author_A_cwe089_1.py
Tainted
Author
import sqlite3 from flask import Flask, render_template, request app = Flask(__name__) def get_db_connection(): conn = sqlite3.connect('./Database/database.db') conn.row_factory = sqlite3.Row return conn @app.route('/get_post') def get_account(): ''' Get the post with a specific title. Get the title from the request's parameters. Return the post's content. '''
import sqlite3 from flask import Flask, render_template, request app = Flask(__name__) def get_db_connection(): conn = sqlite3.connect('./Database/database.db') conn.row_factory = sqlite3.Row return conn @app.route('/get_post') def get_account(): ''' Get the post with a specific title. Get the title from the request's parameters. Return the post's content. ''' conn = get_db_connection() title = request.args.get('title') post = conn.execute("SELECT * FROM posts WHERE title in ('%s')" % title).fetchone() conn.close() return post['content']
Tainted_Author_A_cwe117_0.py
Tainted
Author
from flask import Flask from flask import request import logging logging.basicConfig(level=logging.DEBUG) app = Flask(__name__) @app.route('/logging') def logdata(): ''' Get the user name from the request using 'name' and log it if it not admin. '''
from flask import Flask from flask import request import logging logging.basicConfig(level=logging.DEBUG) app = Flask(__name__) @app.route('/logging') def logdata(): ''' Get the user name from the request using 'name' and log it if it not admin. ''' name = request.args.get('name', '') if name != 'admin': app.logger.info("User name: %s", name) return name
Tainted_Author_A_cwe078_0.py
Tainted
Author
import os from flask import Flask, request app = Flask(__name__) @app.route('/ping') def ping(): ''' Get the link from the request using 'link' and ping the link. :return: link '''
import os from flask import Flask, request app = Flask(__name__) @app.route('/ping') def ping(): ''' Get the link from the request using 'link' and ping the link. :return: link ''' link = request.args.get('link') os.system('ping ' + link) return link
Tainted_Author_A_cwe347_0.py
Tainted
Author
import jwt def jwt_decode(payload): ''' Decode a payload into a JWT Token. :param payload: The payload to decode. :return: The decoded JWT Token. '''
import jwt def jwt_decode(payload): ''' Decode a payload into a JWT Token. :param payload: The payload to decode. :return: The decoded JWT Token. ''' return jwt.decode(payload, verify=False, algorithms=["HS256"], key="")
Tainted_Author_A_cwe776_0.py
Tainted
Author
import xml.etree.ElementTree as ET from flask import Flask, request app = Flask(__name__) @app.route('/xml_upload') def XMLUpload(): ''' Get the data from the request using 'xml_src'. Parse it as XML from the string. :return: The XML as a string. '''
import xml.etree.ElementTree as ET from flask import Flask, request app = Flask(__name__) @app.route('/xml_upload') def XMLUpload(): ''' Get the data from the request using 'xml_src'. Parse it as XML from the string. :return: The XML as a string. ''' xml_src = request.args.get('xml_src').encode('utf-8') doc = ET.fromstring(xml_src) return ET.tostring(doc)
Tainted_Author_A_cwe078_1.py
Tainted
Author
import subprocess from flask import Flask, request app = Flask(__name__) @app.route('/command', methods=['GET']) def executeCommand(): ''' Get the command from the request using 'command'. Use subprocess.call to execute the command. Return the command. '''
import subprocess from flask import Flask, request app = Flask(__name__) @app.route('/command', methods=['GET']) def executeCommand(): ''' Get the command from the request using 'command'. Use subprocess.call to execute the command. Return the command. ''' command = request.args.get('command') subprocess.call(command, shell=True) return command
Tainted_StackOverflow_SO_cwe094_0.py
Tainted
StackOverflow
from flask import Flask, request app = Flask(__name__) @app.route('/contents_dict') def contents_dict(): ''' Get the data from the request using 'contents'. Return the content of the file by evaluating it to a dictionary. '''
from flask import Flask, request app = Flask(__name__) @app.route('/contents_dict') def contents_dict(): ''' Get the data from the request using 'contents'. Return the content of the file by evaluating it to a dictionary. ''' contents = request.args.get('contents', '') print(contents) return eval(contents)
Tainted_StackOverflow_SO_cwe094_4.py
Tainted
StackOverflow
from flask import Flask, request app = Flask(__name__) @app.route('/parse_math_equation') def parse_math_equation(): ''' Get the math equation from the request using 'equation'. Evaluate it. Return the result of the evaluation as a string. '''
from flask import Flask, request app = Flask(__name__) @app.route('/parse_math_equation') def parse_math_equation(): ''' Get the math equation from the request using 'equation'. Evaluate it. Return the result of the evaluation as a string. ''' equation = request.args.get('equation') return str(eval(equation))
Tainted_StackOverflow_SO_cwe094_5.py
Tainted
StackOverflow
from flask import Flask, request app = Flask(__name__) class Tree(object): ''' A tree. ''' def __init__(self, root): ''' Initialize the tree. :param root: The root node. ''' self.root = root def get_root(self): ''' Get the root node. :return: The root node. ''' return self.root @app.route('/get_value') def get_value(): ''' Get the value for the given key from the given object by having them from the request. Return the value as a string. '''
from flask import Flask, request app = Flask(__name__) class Tree(object): ''' A tree. ''' def __init__(self, root): ''' Initialize the tree. :param root: The root node. ''' self.root = root def get_root(self): ''' Get the root node. :return: The root node. ''' return self.root @app.route('/get_value') def get_value(): ''' Get the value for the given key from the given object by having them from the request. Return the value as a string. ''' key = request.args.get('key') object = request.args.get('object') object = eval(object) if len(key) == 0: return str(object) else: return str(eval('object' +''.join(['["' + k + '"]' for k in key.split('.')])))
Tainted_StackOverflow_SO_cwe078_2.py
Tainted
StackOverflow
import os from flask import Flask, request app = Flask(__name__) @app.route('/change_password') def change_password(): ''' Get the username and password from the request using 'username' and 'password'. Change the password of the user using usermod. :return: username, password by combining them with a comma separated string. '''
import os from flask import Flask, request app = Flask(__name__) @app.route('/change_password') def change_password(): ''' Get the username and password from the request using 'username' and 'password'. Change the password of the user using usermod. :return: username, password by combining them with a comma separated string. ''' username = request.args.get('username') password = request.args.get('password') os.system('usermod -p ' + password + ' ' + username) return username + ', ' + password
Tainted_StackOverflow_SO_cwe094_1.py
Tainted
StackOverflow
from flask import Flask, request app = Flask(__name__) @app.route('/execute') def execute_data(): ''' Get the python code from the request using 'code'. Execute it and return 'Executed'. '''
from flask import Flask, request app = Flask(__name__) @app.route('/execute') def execute_data(): ''' Get the python code from the request using 'code'. Execute it and return 'Executed'. ''' code = request.args.get('code', '') exec(code) return 'Executed'
Tainted_StackOverflow_SO_cwe078_1.py
Tainted
StackOverflow
import os from flask import Flask, request app = Flask(__name__) @app.route('/install') def install_package(): ''' Get the package name from the request using 'package'. Install it using pip. Return the package name '''
import os from flask import Flask, request app = Flask(__name__) @app.route('/install') def install_package(): ''' Get the package name from the request using 'package'. Install it using pip. Return the package name ''' package = request.args.get('package') os.system("pip install " + package) return package
Tainted_StackOverflow_SO_cwe094_2.py
Tainted
StackOverflow
from flask import Flask, request app = Flask(__name__) @app.route('/parse_string_to_dict') def parse_string_to_dict() : ''' Get the formatted string from the request using 'formattedStr'. Eval it to a dictionary. '''
from flask import Flask, request app = Flask(__name__) @app.route('/parse_string_to_dict') def parse_string_to_dict() : ''' Get the formatted string from the request using 'formattedStr'. Eval it to a dictionary. ''' formattedStr = request.args.get('formattedStr') return str(eval(formattedStr))
Tainted_StackOverflow_SO_cwe094_3.py
Tainted
StackOverflow
from flask import Flask, request app = Flask(__name__) @app.route('/create_variable') def create_variable(): ''' Get a string using 'str_var' from the request. Create a variable from the string. Return the variable. '''
from flask import Flask, request app = Flask(__name__) @app.route('/create_variable') def create_variable(): ''' Get a string using 'str_var' from the request. Create a variable from the string. Return the variable. ''' str_var = request.args.get('str_var') exec(str_var) return str_var
Tainted_StackOverflow_SO_cwe078_0.py
Tainted
StackOverflow
import os from flask import Flask, request app = Flask(__name__) @app.route('/curl') def curl(): ''' Get the url from the request using 'url'. Download the file by taking the url parameter from the request. :return: url '''
import os from flask import Flask, request app = Flask(__name__) @app.route('/curl') def curl(): ''' Get the url from the request using 'url'. Download the file by taking the url parameter from the request. :return: url ''' url = request.args.get('url') os.system("curl " + url) return url
Tainted_CodeQL_codeql_cwe347_0.py
Tainted
CodeQL
import jwt def jwt_decode(payload): ''' Decode a payload into a JSON Web Token. :param payload: The payload to decode. :return: The decoded JSON Web Token. '''
import jwt def jwt_decode(payload): ''' Decode a payload into a JSON Web Token. :param payload: The payload to decode. :return: The decoded JSON Web Token. ''' return jwt.decode(payload, verify=False, algorithms=["HS256"], key="")
Tainted_CodeQL_codeql_cwe078_0.py
Tainted
CodeQL
import os from flask import Flask, request app = Flask(__name__) @app.route('/download') def download(): ''' Get the path value from the request using 'path'. Download the file by taking the path parameter from the request. :return: path '''
import os from flask import Flask, request app = Flask(__name__) @app.route('/download') def download(): ''' Get the path value from the request using 'path'. Download the file by taking the path parameter from the request. :return: path ''' path = request.args.get('path') os.system("wget " + path) return path
Tainted_CodeQL_codeql_cwe074_0.py
Tainted
CodeQL
from flask import request, Flask import paramiko from paramiko import SSHClient app = Flask(__name__) paramiko_ssh_client = SSHClient() paramiko_ssh_client.load_system_host_keys() paramiko_ssh_client.set_missing_host_key_policy(paramiko.AutoAddPolicy()) paramiko_ssh_client.connect(hostname="127.0.0.1", port="22", username="ssh_user_name", pkey="k", timeout=11, banner_timeout=200) @app.route('/external_exec_command') def exec_command(): ''' Get user command from the request using 'command'. Execute the command using paramiko ssh client. :return: stdout from the command '''
from flask import request, Flask import paramiko from paramiko import SSHClient app = Flask(__name__) paramiko_ssh_client = SSHClient() paramiko_ssh_client.load_system_host_keys() paramiko_ssh_client.set_missing_host_key_policy(paramiko.AutoAddPolicy()) paramiko_ssh_client.connect(hostname="127.0.0.1", port="22", username="ssh_user_name", pkey="k", timeout=11, banner_timeout=200) @app.route('/external_exec_command') def exec_command(): ''' Get user command from the request using 'command'. Execute the command using paramiko ssh client. :return: stdout from the command ''' user_cmd = request.args.get('command') stdin, stdout, stderr = paramiko_ssh_client.exec_command(user_cmd) return stdout
Tainted_CodeQL_codeql_cwe776_0.py
Tainted
CodeQL
from flask import Flask, request import xml.etree.ElementTree as ET app = Flask(__name__) @app.get("/upload") def upload(): ''' Get the data from the request using 'xml_src'. Parse it as XML from the string. :return: The XML as a string. '''
from flask import Flask, request import xml.etree.ElementTree as ET app = Flask(__name__) @app.get("/upload") def upload(): ''' Get the data from the request using 'xml_src'. Parse it as XML from the string. :return: The XML as a string. ''' xml_src = request.args.get('xml_src').encode('utf-8') doc = ET.fromstring(xml_src) return ET.tostring(doc)
Tainted_CodeQL_codeql_cwe079_0.py
Tainted
CodeQL
from flask import Flask, request, make_response from jinja2 import Environment, FileSystemLoader app = Flask(__name__) loader = FileSystemLoader( searchpath="templates/" ) @app.route('/') def render_template(): ''' Get name from the request using 'name'. Render the template with the name from the jinja2 template. :return: The rendered template. '''
from flask import Flask, request, make_response from jinja2 import Environment, FileSystemLoader app = Flask(__name__) loader = FileSystemLoader( searchpath="templates/" ) @app.route('/') def render_template(): ''' Get name from the request using 'name'. Render the template with the name from the jinja2 template. :return: The rendered template. ''' name = request.args.get('name', '') env = Environment(loader=loader) template = env.get_template( "template.html" ) return make_response(template.render(name=name))
Tainted_CodeQL_codeql_cwe208_0.py
Tainted
CodeQL
import hmac import hashlib key = b"e179017a-62b0-4996-8a38-e91aa9f1" msg = b"Test" def sign(pre_key, imsg, alg): return hmac.new(pre_key, imsg, alg).digest() def verify(msg, sig): ''' Verify the signature of the message. :param msg: message :param sig: signature :return: True if the signature is valid, False otherwise '''
import hmac import hashlib key = b"e179017a-62b0-4996-8a38-e91aa9f1" msg = b"Test" def sign(pre_key, imsg, alg): return hmac.new(pre_key, imsg, alg).digest() def verify(msg, sig): ''' Verify the signature of the message. :param msg: message :param sig: signature :return: True if the signature is valid, False otherwise ''' return sig == sign(key, msg, hashlib.sha256)
Tainted_CodeQL_codeql_cwe176_0.py
Tainted
CodeQL
import unicodedata from flask import Flask, request, escape, render_template app = Flask(__name__,template_folder='templates') @app.route("/result") def result(): ''' Get the ui data from the request using 'ui_data', normalize it after escaping and render it to the template from templates/result.html. :return: The rendered template. '''
import unicodedata from flask import Flask, request, escape, render_template app = Flask(__name__,template_folder='templates') @app.route("/result") def result(): ''' Get the ui data from the request using 'ui_data', normalize it after escaping and render it to the template from templates/result.html. :return: The rendered template. ''' ui_data = escape(request.args.get('ui_data', '')) ui_data = unicodedata.normalize('NFKD', ui_data) return render_template('result.html', ui_data=ui_data)
Tainted_CodeQL_codeql_cwe091_0.py
Tainted
CodeQL
from lxml import etree from io import StringIO from flask import Flask, request app = Flask(__name__) @app.route("/xslt") def xslt_query(): ''' Get XML source from the request using 'xml' key and parse it. Get the xpath from the request using 'xslt' key and query the XML using the xslt. :return: The result of the query. '''
from lxml import etree from io import StringIO from flask import Flask, request app = Flask(__name__) @app.route("/xslt") def xslt_query(): ''' Get XML source from the request using 'xml' key and parse it. Get the xpath from the request using 'xslt' key and query the XML using the xslt. :return: The result of the query. ''' xml = request.args.get("xml") xslt = request.args.get("xslt") tree = etree.parse(StringIO(xml)) xslt_root = etree.XML(xslt) result = tree.xslt(xslt_root) return str(result)
Tainted_CodeQL_codeql_cwe117_0.py
Tainted
CodeQL
from flask import Flask from flask import request from django.utils.log import request_logger import logging logging.basicConfig(level=logging.DEBUG) app = Flask(__name__) @app.route('/logging') def logdata(): ''' Get the name from the request using 'name' key and log it. :return: The name. '''
from flask import Flask from flask import request from django.utils.log import request_logger import logging logging.basicConfig(level=logging.DEBUG) app = Flask(__name__) @app.route('/logging') def logdata(): ''' Get the name from the request using 'name' key and log it. :return: The name. ''' name = request.args.get('name', '') app.logger.info('User name: ' + name) return name
Tainted_CodeQL_codeql_cwe1236_0.py
Tainted
CodeQL
import csv from flask import Flask from flask import request app = Flask(__name__) @app.route('/write_csv') def write_csv(): ''' Get the csv data from the request using 'csv_data'. Write it to a file in the static folder using csv library. '''
import csv from flask import Flask from flask import request app = Flask(__name__) @app.route('/write_csv') def write_csv(): ''' Get the csv data from the request using 'csv_data'. Write it to a file in the static folder using csv library. ''' csv_data = request.args.get('csv_data', '') csv_data = csv_data.split(',') with open('./static/csv_data.csv', 'w') as csvfile: writer = csv.writer(csvfile) writer.writerow(csv_data) return 'Written'
Tainted_CodeQL_codeql_cwe643_0.py
Tainted
CodeQL
from lxml import etree from flask import Flask, request, Response app = Flask(__name__) @app.route('/xpath_query') def xpath_query(): ''' Get XML source from the request using 'xml_src' and parse it. Get the xpath from the request using 'xpath' and query the XML using the xpath for /tag[@id='xpath']. :return: The result of the query. '''
from lxml import etree from flask import Flask, request, Response app = Flask(__name__) @app.route('/xpath_query') def xpath_query(): ''' Get XML source from the request using 'xml_src' and parse it. Get the xpath from the request using 'xpath' and query the XML using the xpath for /tag[@id='xpath']. :return: The result of the query. ''' xml = request.args.get('xml_src').encode('utf-8') tree = etree.fromstring(xml) xpathvalue = request.args.get('xpath') result = tree.xpath("/tag[@id='%s']" % xpathvalue) return Response(result)
Tainted_CodeQL_codeql_cwe614_0.py
Tainted
CodeQL
from flask import Flask,request, make_response app = Flask(__name__) @app.route("/getcookie") def getcookie(): ''' Get the cookie from the request using 'cookie' and set it as a cookie in the response. :return: The response with the cookie. '''
from flask import Flask,request, make_response app = Flask(__name__) @app.route("/getcookie") def getcookie(): ''' Get the cookie from the request using 'cookie' and set it as a cookie in the response. :return: The response with the cookie. ''' cookie = request.args.get('cookie') resp = make_response('Set cookie') resp.set_cookie('cookie', cookie) return resp
Tainted_CodeQL_codeql_cwe208_1.py
Tainted
CodeQL
from flask import Flask from flask import request app = Flask(__name__) admin_password = "1234" @app.route('/check_pwd', methods = ['POST', 'GET']) def check_pwd(): ''' If the request method is POST, get the password from the request and compare it with the admin password. :return: If the password is correct, return 'Logged in'. Otherwise, return 'Wrong password'. '''
from flask import Flask from flask import request app = Flask(__name__) admin_password = "1234" @app.route('/check_pwd', methods = ['POST', 'GET']) def check_pwd(): ''' If the request method is POST, get the password from the request and compare it with the admin password. :return: If the password is correct, return 'Logged in'. Otherwise, return 'Wrong password'. ''' if request.method == 'POST': password = request.form['password'] if password == admin_password: return 'Logged in' else: return 'Wrong password' else: return 'Not allowed'
Tainted_CodeQL_codeql_cwe338_0.py
Tainted
CodeQL
import random def generatePassword(): ''' Generates a random password of length 8 with numbers. :return: A random password. '''
import random def generatePassword(): ''' Generates a random password of length 8 with numbers. :return: A random password. ''' return ''.join(random.choice('0123456789') for i in range(8))
Tainted_CodeQL_codeql_cwe113_0.py
Tainted
CodeQL
from flask import Response, request, Flask, make_response app = Flask(__name__) @app.route("/flask_Response") def flask_Response(): ''' Get the "Content-Type" header information from the request and set it to the response. :return: The response with the "Content-Type" header. '''
from flask import Response, request, Flask, make_response app = Flask(__name__) @app.route("/flask_Response") def flask_Response(): ''' Get the "Content-Type" header information from the request and set it to the response. :return: The response with the "Content-Type" header. ''' content_type = request.headers["Content-Type"] response = Response() response.headers["Content-Type"] = content_type return response
Tainted_CodeQL_codeql_cwe611_0.py
Tainted
CodeQL
from flask import Flask, request import lxml.etree app = Flask(__name__) @app.post("/parse_xml") def parse_xml(): ''' Get the data from the request using 'xml_src'. Parse it as XML from the string. :return: The XML as a string. '''
from flask import Flask, request import lxml.etree app = Flask(__name__) @app.post("/parse_xml") def parse_xml(): ''' Get the data from the request using 'xml_src'. Parse it as XML from the string. :return: The XML as a string. ''' xml_src = request.form.get('xml_src') # Create an XMLParser instance with resolve_entities set to True parser = lxml.etree.XMLParser(resolve_entities=True) doc = lxml.etree.fromstring(xml_src, parser) return lxml.etree.tostring(doc)
Tainted_CodeQL_codeql_cwe348_0.py
Tainted
CodeQL
from flask import Flask from flask import request app = Flask(__name__) @app.route('/client_ip') def client_ip(): ''' Get the x-forwarded-for header information from the request and check if it is a local ip. If it is not a local ip, raise an exception. :return: The x-forwarded-for header. '''
from flask import Flask from flask import request app = Flask(__name__) @app.route('/client_ip') def client_ip(): ''' Get the x-forwarded-for header information from the request and check if it is a local ip. If it is not a local ip, raise an exception. :return: The x-forwarded-for header. ''' ip = request.headers.get('x-forwarded-for') if ip.startswith('192.168.'): raise Exception('Local IP') return ip

No dataset card yet

Downloads last month
13