t-110.4206 information security technology · –documents, media streams, messages, photos can all...

37
Tuomas Aura T-110.4206 Information security technology Software security Aalto University, autumn 2013

Upload: others

Post on 03-Jul-2020

2 views

Category:

Documents


0 download

TRANSCRIPT

Page 1: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

Tuomas Aura T-110.4206 Information security technology

Software security

Aalto University, autumn 2013

Page 2: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

2

Outline

Untrusted input

Buffer overrun

SQL injection

Web vulnerabilities

Input validation

There is no one simple solution that would make programs

safe must learn about all the things that can go wrong

Page 3: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

3

Untrusted input Software is typically specified with use cases

– Focus on desired functionality, not on handling exceptional situations

User and network input is untrusted and can be malicious must handle exceptional input safely

Does my software get input from the Internet? – Documents, media streams, messages, photos can all be

untrusted – Network access key part of application functionality – Intranet hosts, backend databases, office appliances etc.

are directly or indirectly exposed to input from the Internet

→ All software must handle malformed and malicious input

Page 4: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

4

Example: format string vulnerability Vulnerable code:

int process_text(char *input){

char buffer[1000];

snprintf(buffer, 1000, input);

...

}

Good practice to use snprintf (not sprintf) in C, so this is not a typical buffer overrun

Bad idea to use the user input as the format string: – Input ”%x%x%x%x%x…” will print data from the stack

– Input ”%s%s%s%s%s…” will probably crash the program

– Input ”ABC%n” will write 3 to somewhere in the stack

Page 5: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

5

Types of security bugs

Some typical security flaws: – Buffer overflows in stack or heap

– Injection of untrusted input into the command line, SQL, Javascript, HTML, XML, format string, file path etc.

– Logical errors, e.g. time of check—time of use, integer overflows or signed/unsigned confusion

– Crypto mistakes, bad random numbers

Most software bugs first seem harmless but eventually someone figures out how to build an exploit

Page 6: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

BUFFER OVERRUN

6

Used to be the number one software security problem. Still an issue in embedded devices.

Used to be the number one software security problem. Still an issue in embedded devices.

Page 7: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

Buffer overrun

Bug: failure to check for array boundary

#define MAXLEN 1000

char *process_input (char *input) {

char buffer[MAXLEN];

int i;

for (i = 0; buffer[i] = input[i]; i++);

...

Loops until a null character found; should check also for i < MAXLEN

Page 8: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

Stack smashing Why are buffer overflows

a security issue?

#define MAXLEN 1000

char *process_input (char *input) {

char buffer[MAXLEN];

int i;

for (i = 0; buffer[i] = input[i]; i++);

...

Too long input overwrites the function return address and previous stack frames

Loops until a null character found; should check also for i < MAXLEN

Function arguments

Return address

Local variables

Function arguments

Return address

Local variables

Function arguments

Return address

buffer i

Anything

Call stack

Page 9: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

Stack smashing Why are buffer overflows

a security issue?

#define MAXLEN 1000

char *process_input (char *input) {

char buffer[MAXLEN];

int i;

for (i = 0; i++; buffer[i] = input[i]);

...

When the function returns, execution will jump to the new return address, which points to attack code

Loops until a null character found; should check also for i < MAXLEN

Function arguments

Return address

Local variables

Function arguments

Return address

Local variables

Function arguments

Return address

buffer i

Call stack

Attack code

Attack code address

Anything

Page 10: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

Buffer overruns Buffer overruns may cause

– data modification unexpected program behavior – access violation process crashing – malicious data modification or code injection

How attacker gains control: – Stack overruns may overwrite function return address or

exception handler address – Heap overruns may overwrite function pointer or virtual

method table

How difficult is it to write an exploit? – Technical progress in exploit writing, like in any area of IT – Instructions and code widely available – Exploit writing is a business

10

Page 11: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

Another example

Vulnerabilities can be difficult to spot

#define BUFLEN 4

void vulnerable(void) {

wchar_t buf[BUFLEN];

int val;

val = MultiByteToWideChar(

CP_ACP, 0, "1234567",

-1, buf, sizeof(buf));

printf("%d\n", val);

}

Should calculate target buffer size as sizeof(buf)/sizeof(buf[0])

[Example thanks to Ulfar Erlingsson]

Page 12: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

Buffer overrun prevention Preventing buffer overruns:

– Type-safe languages (e.g. SML, Java, C#) – Programmer training, code reviews – Avoiding unsafe and difficult-to-use libraries:

strcpy, gets, scanf, MultiByteToWideChar, etc. – Fuzz testing – Static code analysis, symbolic model checking: proving safety

No complete protection need to also mitigate consequences Stack cookies

– Store an unguessable value on the top of the stack frame in function prologue; check before returning

– Implemented in compilers: GCC -fstack-protector-all, Visual Studio /GS

NX bit in IA-64, AMD64 – Set the stack and heap memory pages as non-executable – Breaks some code, e.g. JIT compilation – Often combined with memory layout randomization

12

Page 13: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

NX and memory layout randomization “Return to libc” attack:

– Because of NX, attacker cannot insert new executable code

Script existing code, e.g. libc functions

When function returns, execution jumps to the return address in stack

Function arguments

Return address

Local variables

Function arguments

Return address

Local variables

Function arguments

Return address

Local variables

Function arguments

Return address

Local variables

Anything

Call stack

Page 14: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

NX and memory layout randomization “Return to libc” attack:

– Because of NX, attacker cannot insert new executable code

Script existing code, e.g. libc functions

When function returns, execution jumps to the return address in stack

– Point the return addresses to the beginning of library functions

– Set arguments as desired

Typical script creates a new executable page, copies attack code there and runs it

Solution: Combine NX with memory layout randomization; load libc and other library code at a random memory offset attacker does not know where to jump

Function arguments

Return address

Local variables

Function arguments

Return address

Local variables

Function arguments

Return address

Local variables

Function arguments

Return address

Local variables

Anything

Function 3 args

Anything

Zeros for fun 3 locals

Function 2 args

Function 3 address

Zeros for fun 2 locals

Function 1 args

Function 2 address

Zeros for fun 2 locals

Anything

Function 1 address

Anything Buffer overrun

Library functions to be executed in order 1,2,3

Call stack

Page 15: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

Integer overflow Integers in programming languages are not ideal

mathematical integers

Vulnerable code: nBytes = (nBits + 7) >> 3;

if (nBytes <= bufferSize)

copyBits(input, buffer, nBits);

Attacker sends input: nBits = UINT_MAX

The buffer-overflow check is evaluated: nBytes = (UINT_MAX + 7) >> 3 = 6 >> 3 = 0

(nBytes <= bufferSize) is true!

buffer overflow

15

Page 16: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

SQL INJECTION

16

Page 17: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

17

[XKCD]

Page 18: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

18

SQL injection example

SQL statement: "SELECT * FROM users WHERE username = '"

+ input + "';"

Attacker sends input: "alice'; DROP TABLE users; --"

The query evaluated by the SQL database: SELECT * FROM users WHERE username =

'alice'; DROP TABLE users; --';

Page 19: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

19

SQL injection example 2

Application greets the user by first name: "SELECT firstname FROM users WHERE username = '"

+ input + "';"

Attacker enters username: "nobody' UNION SELECT password FROM users WHERE

username = 'alice'; --"

The query evaluated by the SQL database: SELECT firstname FROM users WHERE username =

'nobody' UNION SELECT password FROM users WHERE

username = ‘alice'; --';

This is why we should always assume that the attacker can read the password database

Page 20: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

Preventing SQL injection

Minimum privilege: set tables as read-only; run different services as different users

Sanitize input: allow only the necessary characters and string formats

Escape input strings with ready-made functions, e.g. mysql_real_escape_string() in PHP

Stored procedures: precompile SQL queries instead of concatenating strings at run time – Prepared statements are similar to stored procedures

Disable SQL error messages to normal users harder to build exploits

20

Page 21: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

Swedish parlamentary election 2010

21

Some hand-written votes scanned by machine:

http://www.val.se/val/val2010/handskrivna/handskrivna.skv

Page 22: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

WEB VULNERABILITIES

22

Page 23: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

23

Same-origin policy Web browsers implement the same-origin security policy:

two web pages with different hostname, protocol or port cannot interact

Applies to JavaScript and especially: – PUT and DELETE – XMLHttpRequest – Access to cookies – Access to another window or frame in the DOM model

Exceptions: – Hyperlinks and or form submission: inter-origin GET and POST –

it is the web, after all – Embedded <img>, <video>, <audio>, <applet> or fonts – Java applets and plugin content from another site – JavaScript <source> loading a library from another site – Embedding another web page with <frame> and <iframe>

Page 24: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

24

Problems arising from the exceptions

Hyperlinks and or form submission – Cross-site request forgery (CSRF)

Embedded <img>, <video>, <audio>, <applet> or fonts – Hotlinking and countermeasures – Web bugs for browser and email tracking (DoubleClick, Facebook

etc.)

Java applets and plugin content from another site – Exploits for Java and plugin security vulnerabilities

JavaScript <source> loading a library from another site – Requires trust in library provider, and https <script src="http://ajax.aspnetcdn.com/ajax/jquery/ jquery-1.9.0.js"></script>

Embedding another web page with <frame> and <iframe> – Extending XSS attacks to other pages on the same site

Page 25: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

25

Workarounds and changes Same origin policy prevents applications from retrieving data from

third-party servers, e.g. your web app cannot loada base map tiles from Google Maps and draw user data on them in the browser

Efforts to work around and relax the policy: Reverse proxy for third-party data

Generic reverse proxy: http://anyorigin.com/

Setting document.domain for access across subdomains JSONP: load JSON data with <src> instead of XMLHttpRequest Communicating between windows or iframes with window.name or

similar field (see easyXDM) Cross-origin resource sharing (CORS) response header:

Access-Control-Allow-Origin: site2.example.com

HTML5: – Web Messaging: window.postMessage() – WebSockets

XDomainRequest in IE 8

Page 26: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

26

Cross-site request forgery (CSRF)

Fictional CSRF example:

– Users on social.net often stay logged in (session cookie)

– JavaScript on Bob’s page:

<script type="text/javascript">

frames['hidden'].window.location='htt

p://social.net/AddFriend.php?name=

Bob';</script>

Preventing CSRF:

– Server checks Referrer field in HTTP requests

– Add a random session id to all URLs and forms after log-in

Page 27: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

27

Cross-site scripting (XSS) Web sites must filter user-posted content;

otherwise, someone could post malicious scripts – Another way to circumvent the same-origin policy: insert

the malicious content to the target web site

Fictional XSS example: – Social.net has a blog where users can post comments – Instead of a comment, Bob posts a script: <b onmouseover="window.location=‘

http://social.net/AddFriend.php?

name=Bob';">See here!<b> – Another user reads the blog and moves mouse on the text

Preventing XSS: – Filter <tags> or Javascript from user-posted content – Filter out or escape all angled brackets

Page 28: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

28

Another XSS example

Page with XSS vulnerability (e.g. on social.net): <html><body><? php

print “Page not found: " .

urldecode($_SERVER["REQUEST_URI"]);

?></body></html>

Typical output:

Page not found: /foo.html

Bob redirects users from his own site to:

http://social.net/<script>window.locati

on=‘http://social.net/AddFriend.php?nam

e=Bob';</script>

Page 29: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

29

Preventing XSS at the web server In PHP, JSP, ASP.NET etc: Avoid embedding input into output; generate the

output from scratch when possible When you need to embed untrusted data into a web

page, encode it first as HTML entities: – Htmlentities() in PHP, ValidateRequest in ASP.NET, OWASP

ESAPI

Do not embed untrusted data into <script>, <style>, URL, tag attributes etc. unusual places

Untrusted inputs: – Input from web client or user – Data read from database – Messages between servers

Page 30: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

INPUT VALIDATION

30

Page 31: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

31

Example: File path vulnerability File names and paths are typical input, e.g. URL path Vulnerable code:

char docRoot[] = "/usr/www/";

char fileName[109];

strncpy (docRoot, fileName, 9);

strncpy (input, fileName+9, 100);

file = fopen(fileName, "r");

// Next, send file to client

Attacker sends input: "../../etc/password“

The same file path has many different representations should allow only one canonical representation, use the realpath(3) function

Online services should be executed in a sandbox to limit their access: chroot(2), virtual machines

Page 32: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

32

Sanitizing input

Sanitizing input is not easy

Escape sequences enable many encodings for the same character and string:

– URL escapes: %2e%2e%2f2e%2e%2f = ../../

– HTML entities: &#60;&#83;&#67;&#82;&#73;&#80;&#84;&#62; = <SCRIPT>

Cannot simply filter “..” or “<“

Page 33: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

SECURE PROGRAMMING

33

Page 34: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

How to produce secure code?

Programming: – Learn about bugs and vulnerabilities by example

– Adopt secure coding guidelines

– Use safe languages, libraries and tools

– Code reviews, static checkers

– Fuzz testing, penetration testing

Software process: – Threat modelling

– Define security requirements

– Define quality assurance process

34

Page 35: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

Security principles Keep it simple Minimize attack surface Sanitize input and output Least privilege Defense in depth Isolation Secure defaults Secure failure modes Separation of duties No security through obscurity Fix potential bugs

35

Page 36: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

36

Reading material Dieter Gollmann: Computer Security, 2nd ed.

chapter 14; 3rd ed. Chapters 10, 18, 20.5–20.6 Stallings and Brown: Computer security, principles

and practice, 2008, chapter 11-12 Michael Howard and David LeBlanc, Writing

Secure Code, 2nd ed. Online:

– Top 25 Most Dangerous Software Errors, http://cwe.mitre.org/top25/ – SQL Injection Attacks by Example, http://unixwiz.net/techtips/sql-

injection.html – OWASP, https://www.owasp.org/, see especially Top Ten – CERT Secure Coding Standards,

https://www.securecoding.cert.org/confluence/display/seccode/CERT+Secure+Coding+Standards

– Aleph One, Smashing The Stack For Fun And Profit (classic paper) http://inst.eecs.berkeley.edu/~cs161/fa08/papers/stack_smashing.pdf

Page 37: T-110.4206 Information security technology · –Documents, media streams, messages, photos can all be untrusted –Network access key part of application functionality –Intranet

37

Exercises Find examples of actual security flaws in different

categories. Try to understand how the attacks work. Which features in code may indicate poor quality and

potential security vulnerabilities? How may error messages help an attacker? Buffer overrun in Java will raise an exception. Problem

solved — or can there still be a security issue? What security bugs can occur in concurrent systems,

e.g. multiple web servers that use one shared database?

Find out what carefully designed string sanitization functions, such as mysql_real_escape_string or the OWASP Enterprise Security API, actually do.