The Gray Matter Wiki

🌟 Welcome to Brain Dump Central! 🌟

📚 This is where I share insights and knowledge from the many courses I’ve explored throughout my learning journey.

💡 Learning never stops! I’m always on the lookout for new opportunities to expand my understanding and sharpen my skills.

🔄 This Wiki is a dynamic space, regularly updated with fresh content and evolving knowledge streams.

🌱 Stay curious, and let’s grow together! 🚀

📖 Looking for more tech insights? Check out my blog at sajidmahmood.com, where I delve into topics like technology, cybersecurity, cloud computing, operating systems, and more! 🔐☁️💻


🎓 Educational Profiles 🎓

Following are my education profiles on different MOOC’s platforms.


🌐 Let’s Connect 🌐

The easiest and the fastest way to approach me is via email. (Use my Public PGP key to encrypt your emails before sending)

Dec 12, 2024

Subsections of The Gray Matter Wiki

CS & Programming

Computer Science Theory

This course is offered by Khan Academy. It is divided into three units.

UNIT 1: Algorithms

Unit 1, is subdivided into these parts…

Automate the Boring Stuff With Python Programming

This course is taught by Al Sweigart on Udemy.

It has the following modules:

Subsections of CS & Programming

Subsections of Computer Science Theory

Subsections of Algorithms

Introduction to Algorithms

What is an algorithm, and why should you care?

In computer science, an algorithm is a set of setups for a computer to accomplish a task.

Algorithm are reason why there is a science in a computer science.

Examples:

  • YouTube use compression algorithms to store and deliver videos efficiently in less cost
  • Google Maps use routing finding algorithms to find the shortest possible route between point A and point B

Why to use algorithms?

  • To perform the task faster
  • To reduce cost by eliminating the unnecessary steps

Computer scientists have written an algorithm for a checker game, where the computer never lose.

What makes a good algorithm?

  • Correctness
  • Efficiency

Sometimes we need the algorithm to give us efficient but not necessarily the 100% accurate answer. For example, a truck needs to find a route between two locations, algorithm may take a lot of time to calculate the correct and the most efficient route. We will be okay for the program to calculate the good but maybe not the best route in the matter of seconds.

How to measure the efficiency?

Computer Scientists use Asymptotic Analysis to find out the efficiency of an algorithm.

Asymptotic analysis is a method used in mathematical analysis and computer science to describe the limiting behavior of functions, particularly focusing on the performance of algorithms. It helps in understanding how an algorithm’s resource requirements, such as time and space, grow as the input size increases.

Guessing Game

If we have to guess the number between 1 and 15, how and every time we guess, we are told, if our guessed number is lower or higher the actual number.

How to approach?

We will start from either 1 to keep increasing one digit until we reach the correct number, or start from 15 and keep decreasing 1 until the guess is right.

The method we use here is called a linear search.

Linear search, also known as sequential search, is a simple searching algorithm used to find an element within a list. It sequentially checks each element of the list until it finds a match or reaches the end of the list.

— Wikipedia

This is the inefficient way of finding the right number. If computer has selection 15, we will need to 15 guesses to reach the correct digit. If we are lucky and computer has selected 1, we can reach it in a single guess.

Another approach we can use is by taking average before each. First guess will be 8, if the guess is lower, we can eliminate all the numbers before 8, if the guess is higher, we can eliminate all the numbers from 8 to 15 and so on.

This approach is called Halving method. And in computer terms, it’s called Binary Search.

Using this technique maximum number of guesses needed can be found:

$$ \text{Maximum number of guesses} = \log_{2}(n) $$

Where n = Maximum Possible Guess

Binary search is a fast search algorithm used in computer science to find a specific element in a sorted array. It works on the principle of divide and conquer, reducing the search space by half with each step. The algorithm starts by comparing the target value with the middle element of the array. If the target value matches the middle element, the search is complete. If the target value is less or greater than the middle element, the search continues in the lower or upper half of the array, respectively. This process repeats until the target value is found, or the search space is exhausted.

— Wikipedia

Binary Search

Binary search is an algorithm for finding an item inside a sorted list. It finds it, by dividing the portion of the list in half repeatedly, which can possibly contain the item. The process goes on until the list is reduced to the last location.

Example

If we want to find a particular star in a Tycho-2 star catalog which contains information about the brightest 2,539,913 stars, in our galaxy.

Linear search would have to go through million of stars until the desired star is found. But through binary search algorithm, we can greatly reduce these guesses. For binary search to work, we need these start array to be sorted alphabetically.

Using this formula:

$$ \text{Maximum number of guesses} = \log_{2}(n) $$

where n = 2,539,913

$$ \text{Maximum number of guessess} \approx 22 $$

So, using binary search, the number of guesses are reduced to merely 22, to reach the desired name of the star.

When describing a computer algorithm to a fellow human, an incomplete description is often good enough. While describing a recipe, some details are intentionally left out, considering the reader/listener knows that anyway. For example, for a cake recipe, we don’t need to tell how to open a refrigerator to get ingredients out, or how to crack an egg. People might know to fill in the missing pieces, but the computer doesn’t. That’s why while giving instructions, we need to tell everything.

You need to provide answers to the following questions while writing an algorithm for a computer:

  • Inputs of the problem?
  • The outputs?
  • What variables to create?
  • Intermediary steps to reach the output?
  • For repeated instructions, how to make use of loops?

Here is the step-by-step guide of using binary search to play the guessing game:

  1. Let min = 1 and max = n.
  2. Guess the avg of max and min, rounded it, so that it’s an integer.
  3. If your guess is right, stop.
  4. If the guess is too low, set min to be one larger than the guess.
  5. If the guess was too high, set max to be one smaller than the guess.
  6. Repeat the step-2.

Implementing binary search of an array

JavaScript and many other programming languages, already provide a way to find out if a given element is in the array or not. But to understand the logic behind it, we need to implement it ourselves.

var primes = [2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31, 37, 41, 43, 47, 53, 59, 61, 67, 71, 73, 79, 83, 89, 97];

Let’s suppose we want to know if 67 is a prime number or not. If 67 is in the array, then it’s a prime.

We might also want to know how many primes are smaller than 67, we can do this by finding its index (position) in the array.

The position of an element in an array is known as its index.

Using binary search, $\text min = 2 , max = 97, guess = 41$

As $[ 41 < 67 ]$ so the elements less 41 would be discarded, and now

The next guess would be:

The binary search algorithm will stop here, as it has reached correct integer.

The binary search took only 2 guesses instead of 19 for linear search, to reach the right answer.

Pseudocode

Here’s the pseudocode for binary search, modified for searching in an array. The inputs are the array, which we call array; the number n of elements in array; and target, the number being searched for. The output is the index in array of target:

  1. Let min = 0 and max = n-1.
  2. Compute guess as the average of max and min, rounded down (so that it is an integer).
  3. If array[guess] equals target, then stop. You found it! Return guess.
  4. If the guess was too low, that is, array[guess] < target, then set min = guess + 1.
  5. Otherwise, the guess was too high. Set max = guess - 1.
  6. Go back to step 2.

Implementing Pseudocode

To turn pseudocode intro a program, we should create a function, as we’re writing a code that accepts an input and returns an output, and we want that code to be reusable for different inputs.

Then let’s go into the body of the function, and decide how to implement that. Step-6 says go back to step-2. That sound like a loop. Both for and while loops can be used here. But due to non-sequential guessing of the indexes, while loop will be more suitable.

  1. Let min = 0 and max = n-1.
  2. If max < min, then stop: target is not present in array. Return -1.
  3. Compute guess as the average of max and min, rounded down (so that it is an integer).
  4. If array[guess] equals target, then stop. You found it! Return guess.
  5. If the guess was too low, that is, array[guess] < target, then set min = guess + 1.
  6. Otherwise, the guess was too high. Set max = guess - 1.
  7. Go back to step-2.

Challenge

Implementing binary search...

(If you don’t know JavaScript, you can skip the code challenges, or you can do the Intro to JS course and come back to them.)

Complete the doSearch function so that it implements a binary search, following the pseudo-code below (this pseudo-code was described in the previous article):

  1. Let min = 0 and max = n-1.
  2. If max < min, then stop: target is not present in array. Return -1.
  3. Compute guess as the average of max and min, rounded down (so that it is an integer).
  4. If array[guess] equals target, then stop. You found it! Return guess.
  5. If the guess was too low, that is, array[guess] < target, then set min = guess + 1.
  6. Otherwise, the guess was too high. Set max = guess - 1.
  7. Go back to step 2.

Once implemented, uncomment the Program.assertEqual() statement at the bottom to verify that the test assertion passes.

TBD

Linear search on an array of n elements might have to make as many as n guesses. We know, binary search need a lot less guesses. We also learned that as the length of an array increases, the efficiency of binary search goes up.

The idea is, when binary search makes an incorrect guess, number of reasonable guess left, are at least cut half. Binary search halves the size of the reasonable portion upon every incorrect guess.

Every time we double the size of an array, we require at most one more guess.

Let’s look at the general case of an array of length n, We can express the number of guesses, in the worst case, as “the number of time we can repeatedly halve, starting at n, until we get the value 1, plus one.” But this is inconvenient to write out.

Luckily, there’s a mathematical function that means the same thing as the base-2 logarithm of n. That’s the most often written as $\log_{2}(n)$.

n $\log_{2}(n)$
1 0
2 1
4 2
8 3
16 4
32 5
64 6
128 7
256 8
512 9
1024 10
1,048,576 20
2,097,152 21

Graph of the same table:

Zooming in on smaller values of n:

The logarithm function grows very slowly. Logarithms are the inverse of exponentials, which grow very rapidly, so that if $\log_{2}(n) = x$, then $\ n = 2^{x}$. For example, $\ log_2 128 = 7$, we know that $\ 2^7 = 128$.

That makes it easy to calculate the runtime of a binary search algorithm on an $n$ that’s exactly a power of $2$. If $n$ is $128$, binary search will require at most $8 (log_2 128 + 1)$ guesses.

What if $n$ isn’t a power of $2$? In that case, we can look at the closest lower power of $2$. For an array whose length is 1000, the closest lower power of $2$ is $512$, which equals $2^9$. We can thus estimate that ‍$log_2 1000$ is a number greater than $9$ and less than $10$, or use a calculator to see that its about $9.97$. Adding one to that yields about $10.97$. In the case of a decimal number, we round down to find the actual number of guesses. Therefore, for a 1000-element array, binary search would require at most 10 guesses.

For the Tycho-2 star catalog with 2,539,913 stars, the closest lower power of 2 is ‍ $2^{21}$ (which is 2,097,152), so we would need at most 22 guesses. Much better than linear search!

Compare $n$ vs $log_{2} {n}$ below:

Asymptotic Notation

So far, we analyzed linear search and binary search by counting the max number of guesses we need to make. But what we really want to know is how long these algorithms take. We are interested in time not just guesses. The running time of both include the time needed to make and check guesses.

The running time an algorithm depends on:

  • The time it takes to run the lines of code by the computer
  • Speed of computer
  • programming language
  • The compiler that translates program into machine code

Let’s think more carefully about the running time. We can use a combination of two ideas.

  • First, we need to determine how long the algorithm takes, in terms of the size of its input. This idea makes intuitive sense, doesn’t it? We’ve already seen that the maximum number of guesses in linear search and binary search increases as the length of the array increases. Or think about a GPS. If it knew about only the interstate highway system, and not about every little road, it should be able to find routes more quickly, right? So we think about the running time of the algorithm as a function of the size of its input.
  • Second, we must focus on how fast a function grows with the input size. We call this the rate of growth of the running time. To keep things simple, we need to distill the most important part and cast aside the less important parts. For example, suppose that an algorithm, running on an input of size ‍$n$, takes $6n^2+100n+300$ machine instructions. The $6n^2$ term becomes larger than the remaining terms, $100n+300$, once $n$ becomes large enough, $20$ in this case. Here’s a chart showing values of $6n^2$ and $100n+300$ for values of $n$ from $0$ to $100$:

We should say that running time of this algorithm grows as $n^2$, dropping the coefficient 6 and the remaining terms $100n+300$. It doesn’t really matter what coefficients we use; as long as the running time is $an^2+bn+c$, for some numbers a > 0, b, and c, there will always be a value of $n$ for which $an^2$ is greater than $bn+c$, and this difference increases as $n$ increases. For example, here’s a chart showing values of $0.6n^2$ and $1000n+3000$ so that we’ve reduced the coefficient of $n^2$ by a factor of 10 and increased the other two constants by a factor of 10:

The value of $n$ at which $0.6n^2$ becomes greater than $1000n+3000$ has increased, but there will always be such a crossover point, no matter what the constants.

By dropping the less significant terms and the constant coefficients, we can focus on the important part of an algorithm’s running time—its rate of growth—without getting mired in details that complicate our understanding. When we drop the constant coefficients and the less significant terms, we use asymptotic notation. We’ll see three forms of it: big-$\Theta$ (theta) notation, big-O notation, and big-‍$\Omega$ (omega) notation.

TBD

Subsections of CS50's Intro to Programming with Python

Week 0 - Functions and Variables

Automate the Boring Stuff With Python Programming

This course is taught by Al Sweigart on Udemy. It has the following modules:

Info

My notes are based on both the video course and the book Automate the Boring Stuff with Python by Al Sweigart.

Coding Exercises Python Automation Playground
  1. Section 1: Python Basics
  2. Section 2: Flow Control
  3. Section 3: Function
  4. Section 4: Handling Errors with Try/except
  5. Section 5: Writing a Complete Program, Guess the Number
  6. Section 6: Lists
  7. Section 7: Dictionaries and Structuring Data

Subsections of Automate the Boring Stuff with Python

Section 1: Python Basics

Everyone in their life, spent a lot of time on repetitive tasks, which can be automated through a simple script.

Automate the boring stuff with Python uses Python 3.

How to get help?

Being stuck while coding is a normal happening, but not asking for help isn’t.

When you go online to ask for help, make sure:

  • Explain what you are trying to do, not just what you did.
  • If you get an error message, specify the point at which the error happens.
  • Copy and paste the entire body of the error message and your code to a Pastebin site like Pastebin.com or GitHub Gist.
  • Explain what you’ve already tried to do to solve your problem.
  • List the version of Python you’re using.
  • Say whether you’re able to reproduce the error every time you run the program or whether it happens only after you perform certain actions. If the latter, then explain what those actions are.
  • Specify what Operating System you’re on, what version of that OS you’re using.

Basic Terminology and using an IDLE

IDLE stands for Integrated Development and Learning Environment.

There are different programming text editors available:

  • Visual Studio Code

  • Sublime Text

  • PyCharm

  • Expressions = Values + Operators

In python, these expressions always evaluate to a single result. Arithmetic Operators are:

Operator Operation Example Evaluates to . . .
** Exponent 2 ** 3 8
% Modulus/remainder 22 % 8 6
// Integer division/floored quotient 22 // 8 2
/ Division 22 / 8 2.75
* Multiplication 3 * 5 15
- Subtraction 5 - 2 3
+ Addition 2 + 2 4

Data Types

  • Integers — “ints” (1,2,3…)
  • Floating point — “floats” (1.0, 1.1…)
  • Strings (“Hello World”)
    • Strings Concatenation: When two strings are joined together using a + symbol. (“Hello " + “World”)
    • String Replication: A string can be replicated by using * operator. (3 * “Hello World!”)
    • Both These operations can be combined like this "Hello World" + "!" * 5
    • Both concatenation and replication accepts strings values only.

Variables

Variable can store different values, like a box:

spam = 42

A too generic name given to a variable is a bad practice, which can create headache down the line while interacting with your code.

  • If a python instruction evaluates to a single value, it’s called an expression.
  • If it doesn’t evaluate to a single value, it’s called a statement.

We can update the variable value by calling it down the line in the program:

>>> spam = 'Hello'  
>>> spam  
'Hello'  
>>> spam = 'Goodbye'  
>>> spam  
'Goodbye'

Just like the box, we can remove the old item with the new one.

Variable Names

You can name your variable anything, but Python does have some restrictions too:

  • It can be only one word with no spaces.
  • It can use only letters, numbers, and the underscores (_) character.
  • It can’t begin with a number.
  • Var names are case-sensitive too.

Though Spam is a valid var, but it is a Python convention to start var name with a lowercase letter.

camelCase for variables can be used though Python PEP8 style guide instead recommends the use of underscores like this camel_case.

Though PEP8 guide itself says:

Consistency with the style guide is important. But most importantly: know when to be inconsistent—sometimes the style guide just doesn’t apply. When in doubt, use your best judgment.

Writing Our First Program

  • Python ignore comments starting with #.
  • It also skips the blank lines.
  • Functions — They are like mini-programs in Python.
print("Hello World!")

# Ask for their name
yourName = input("Type your name: ")
print("It is good to meet you, " + str(yourName))
print("Your name length is: " + str(len(yourName)))

# Ask for their age
print("What is your age?")
yourAge = input("Type your age: ")
print("You will be " + str(int(yourAge) + 1) + " in a year.")
  • len(): It prints out the total number of characters in a string.
  • input() function always returns a string value, so you may have to convert it according to your need to float(), int() etc.
  • You can not concatenate str() and int() together, you will need to convert int() to str(int()), to concatenate them.

hello.py Evaluation steps look like this:

Extras (BOOK)

Python round(number, ndigits=None) Function

Return number rounded to ndigits precision after the decimal point. If ndigits is omitted or is None, it returns the nearest integer to its input.

>>> round(23)  
23  
>>> round(23.0)  
23  
>>> round(23.3)  
23  
>>> round(23.345)  
23  
>>> round(23.5)  
24  
>>> round(23.49)  
23
>>> round(32.35, 1)  
32.4  
>>> round(32.355, 2)  
32.35
Info

The behavior of round() for floats can be surprising: for example, round(2.675, 2) gives 2.67 instead of the expected 2.68. This is not a bug: it’s a result of the fact that most decimal fractions can’t be represented exactly as a float. See Floating-Point Arithmetic: Issues and Limitations for more information.

Section 2: Flow Control

Flow Charts and Basic Flow Control Concepts

A flowchart starts at the start box, and you follow the arrow at the other boxes until you reach the end box. You take a different path depending on the conditions.

Based on how expression evaluate, a program can decide to skip instructions, repeat them, or choose one of several instructions to run. In fact, you almost never want your programs to start from the first line of ode and simply execute every line, straight to the end.

Flow control statements can decide which Python instructions to execute under which conditions.

These flow control statements directly correspond to the symbols in a flowchart.

In a flowchart, there is usually more than one way to go from the start to the end. The same is true for lines of code in a computer program. Flowcharts represent these branching points with diamonds, while the other steps are represented with rectangles. The starting and ending steps are represented with rounded rectangles.

Boolean Values

Boolean Data Type has only to values True and False.

How to represent YES and NO values:

  • Boolean Values
  • Comparison Operators
  • Boolean Operators
  • When entered as Python code, the Boolean always starts with a capital T or F, with the rest of the word in lowercase.

(Boolean is capitalized because the data type is named after mathematician George Boole)

 >>> spam = True  
   >>> spam  
   True  
 >>> true  
   Traceback (most recent call last):  
     File "<pyshell#2>", line 1, in <module>  
       true  
   NameError: name 'true' is not defined  
 >>> True = 2 + 2  
   SyntaxError: can't assign to keyword

Like any other value, Boolean values are used in expressions and can be stored in variables ➊. If you don’t use the proper case ➋ or you try to use True and False for variable names ➌, Python will give you an error message.

Comparison Operators

They also called relational operators, compare two values and evaluate down to a single Boolean value.

Operator Meaning
== Equal to
!= Not equal to
< Less than
> Greater than
<= Less than or equal to
>= Greater than or equal to
  • These operators evaluate to True or False depending on the values you give them.
  • The == and != operators can actually work with values of any data type.
>>> 'hello' == 'hello'  
   True  
   >>> 'hello' == 'Hello'  
   False  
   >>> 'dog' != 'cat'  
   True  
   >>> True == True  
   True  
   >>> True != False  
   True  
   >>> 42 == 42.0  
   True  
 >>> 42 == '42'  
   False

An integer or floating point value will always be unequal to a string value. There 42 == '42'➊ evaluates to False because Python considers the integer 42 to be different from the string '42'.

The <, >, <=, and >= operators, on the other hand, work properly only with integer and floating-point values.

Boolean Operators

The three Boolean operators (and, or, and not) are used to compare Boolean values. Like comparison operators, they evaluate these expressions down to a Boolean value.

Binary Boolean Operators

The and and or operators always take two Boolean values (or expressions), so they’re considered binary operators.

and Operator: It evaluates to True only if both Boolean values are True.

Expression Evaluates to…
True and True True
True and False False
False and True False
False and False False

or Operator: It evaluates to True if one of the Boolean values is True.

Expression Evaluates to…
True or True True
True or False True
False or True True
False or False False

The not Operator

It has only one Boolean value (or expression)

Expression Evaluates to…
not True False
not False True

Mixing Boolean and Comparison Operators

Since the comparison operators evaluate to Boolean values, you can use them in expressions with the Boolean operators.

>>> (4 < 5) and (5 < 6)  
True  
>>> (4 < 5) and (9 < 6)  
False  
>>> (1 == 2) or (2 == 2)  
True

You can also use multiple Boolean operators in an expression, along with the comparison operators:

>>> 2 + 2 == 4 and not 2 + 2 == 5 and 2 * 2 == 2 + 2  
True

The Boolean operators have an order of operations just like the math operators do. After any math and comparison operators evaluate, Python evaluates the not operators first, then the and operators, and then the or operators.

Elements of Flow Control

Flow control statements often start with a part called the condition and are always followed by a block of code called the clause.

Conditions

The Boolean expressions you’ve seen so far could all be considered conditions, which are the same thing as expressions; condition is just a more specific name in the context of flow control statements.

Conditions always evaluate down to a Boolean value, True or False. A flow control statement decides what to do based on whether its condition is True or False, and almost every flow control statement uses a condition.

Blocks of Code

Lines of Python code can be grouped together in blocks.

There are 3 rules for block:

  1. Blocks begin when the indentation increases.
  2. Blocks can contain other blocks.
  3. Blocks end when the indentation decreases to zero or to a containing block’s indentation.
  name = 'Mary'  
  password = 'swordfish'  
  if name == 'Mary':  
     print('Hello, Mary')  
       if password == 'swordfish':  
         print('Access granted.')  
       else:  
         print('Wrong password.')

You can view the execution of this program at https://autbor.com/blocks/. The first block of code ➊ starts at the line print(‘Hello, Mary’) and contains all the lines after it. Inside this block is another block ➋, which has only a single line in it: print(‘Access Granted.’). The third block ➌ is also one line long: print(‘Wrong password.’).

If, Else, and Elif Statements

The statements represent the diamonds in the flowchart. They are the actual decisions your programs will make.

if Statements

If this condition is true, execute the code in the clause. if statement, consists of the following:

  • The if keyword
  • A condition (that is, an expression that evaluates to True or False)
  • A colon
  • Starting on the next line, an indented block of code (called the if clause)

else Statements

An if clause can optionally be followed by an else statement. The else clause is executed only when the if statement’s condition is False.

An else statement doesn’t have a condition. In code, an else statement always consists of the following:

  • The else keyword
  • A colon
  • Starting on the next line, an indented block of code (called the else clause)

elif Statements

While only one of the if or else clauses will execute, you may have a case where you want one of many possible clauses to execute.

The elif statement is an “else if” statement that always follows an if or another elif statement. It provides another condition that is checked only if all the previous conditions were False.

In code, an elif statement always consists of the following:

  • The elif keyword
  • A condition (that is, an expression that evaluates to True or False)
  • A colon
  • Starting on the next line, an indented block of code (called the elif clause)
if name == 'Alice':  
    print('Hi, Alice.')  
elif age < 12:  
    print('You are not Alice, kiddo.')

The elif clause executes if age < 12 is True and name == 'Alice' is False. However, if both of the conditions are False, then both of the clauses are skipped. It is not guaranteed that at least one of the clauses will be executed. When there is a chain of elif statements, only one or none of the clauses will be executed. Once one of the statements’ conditions is found to be True, the rest of the elif clauses are automatically skipped.

name = 'Carol'
age = 3000
if name == 'Alice':
    print('Hi, Alice.')
elif age < 12:
    print('You are not Alice, kiddo.')
elif age > 2000:
    print('Unlike you, Alice is not an undead, immortal vampire.')
elif age > 100:
    print('You are not Alice, grannie.')

  • The program vampire.py has 3 elif statements. If any of the three, is found True program execution will stop.
  • The order of elif statements is also important.
  • Optionally, you can have an else statement after the last elif statement. In that case, it is guaranteed that at least one (and only one) of the clauses will be executed. If the conditions in every if and elif statement are False, then the else clause is executed.

For example, let’s re-create the Alice program to use if, elif, and else clauses.

age = 3000  
if name == 'Alice':  
    print('Hi, Alice.')  
elif age < 12:  
    print('You are not Alice, kiddo.')  
else:  
    print('You are neither Alice nor a little kid.')

When you use if, elif, and else statements together, remember these rules about how to order them to avoid bugs like the one in Figure 2.7. First, there is always exactly one if statement. Any elif statements you need should follow the if statement. Second, if you want to be sure that at least one clause is executed, close the structure with an else statement.

name = 'Carol'  
age = 3000  
if name == 'Alice':  
   print('Hi, Alice.')  
elif age < 12:  
   print('You are not Alice, kiddo.')  
elif age > 100:  
   print('You are not Alice, grannie.')  
elif age > 2000:  
   print('Unlike you, Alice is not an undead, immortal vampire.')
Figure 2-7: The flowchart for the vampire2.py program. The X path will logically never happen, because if age were greater than 2000, it would have already been greater than 100.

Figure 2-7: The flowchart for the vampire2.py program. The X path will logically never happen, because if age were greater than 2000, it would have already been greater than 100.

While Loops

The while statement always consists of the following:

  • The while keyword
  • A condition (that is, an expression that evaluates to True or False)
  • A colon
  • Starting on the next line, an indented block of code (called the while clause)

You can see that a while statement looks similar to an if statement. The difference is in how they behave. At the end of an if clause, the program execution continues after the if statement. But at the end of a while clause, the program execution jumps back to the start of the while statement. The while clause is often called the while loop or just the loop.

The code with if statement:

spam = 0  
if spam < 5:  
    print('Hello, world.')  
    spam = spam + 1

The code with while statement:

spam = 0
while spam < 5:
    print("Hello, world!")
    spam = spam + 1

An Annoying while Loop

Here is the code, which will keep asking your name until you literally type your name in the prompt:

name = ""
while name != 'your name':
    print("Please type your name.")
    name = input()
print("Thank you!")

break Statements

If the execution reaches a break statement, it immediately exits the while loop’s clause.

 while True:  
       print('Please type your name.')  
     name = input()  
     if name == 'your name':  
         break  
 print('Thank you!')

The first line ➊ creates an infinite loop; it is a while loop whose condition is always True. (The expression True, after all, always evaluates down to the value True.) After the program execution enters this loop, it will exit the loop only when a break statement is executed. (An infinite loop that never exits is a common programming bug.)

Just like before, this program asks the user to enter your name ➋. Now, however, while the execution is still inside the while loop, an if statement checks ➌ whether name is equal to ‘your name’. If this condition is True, the break statement is run ➍, and the execution moves out of the loop to print(‘Thank you!’) ➎. Otherwise, the if statement’s clause that contains the break statement is skipped, which puts the execution at the end of the while loop. At this point, the program execution jumps back to the start of the while statement ➊ to recheck the condition.

continue Statements

  • continue Statements are used inside loops
  • When the program execution reaches a continue statement, the program execution immediately jumps back to the start of the loop and re-evaluates the loop’s condition (This is also what happens when the execution reaches the end of the loop).
  while True:  
      print('Who are you?')  
      name = input()  
     if name != 'Joe':  
         continue  
       print('Hello, Joe. What is the password? (It is a fish.)')  
     password = input()  
       if password == 'swordfish':  
         break  
 print('Access granted.')

If the user enters any name besides Joe ➊, the continue statement ➋ causes the program execution to jump back to the start of the loop. When the program reevaluates the condition, the execution will always enter the loop, since the condition is simply the value True. Once the user makes it past that if statement, they are asked for a password ➌. If the password entered is swordfish, then the break statement ➍ is run, and the execution jumps out of the while loop to print Access granted ➎. Otherwise, the execution continues to the end of the while loop, where it then jumps back to the start of the loop.

Truthy and Fasely Values

Conditions will consider some values in other data types equivalent to True and False. When used in conditions, 0, 0.0, and ’’ (the empty string) are considered False, while all other values are considered True. For example, look at the following program:

name = ''
# `not` is a Boolean operator which flips the `True` or `False` values
 while not name:  
    print('Enter your name:')  
    name = input()  
print('How many guests will you have?')  
numOfGuests = int(input())  
 if numOfGuests:  
     print('Be sure to have enough room for all your guests.')  
print('Done')

If the user enters a blank string for name, then the while statement’s condition will be True ➊, and the program continues to ask for a name. If the value for numOfGuests is not 0 ➋, then the condition is considered to be True, and the program will print a reminder for the user ➌.

You could have entered not name != ’’ instead of not name, and numOfGuests != 0 instead of numOfGuests, but using the truthy and falsey values can make your code easier to read.

For Loops

The while loop keeps looping while its condition is True (which is the reason for its name), but what if you want to execute a block of code only a certain number of times? You can do this with a for loop statement and the range() function.

In code, a for statement looks something like for i in range(5): and includes the following:

  • The for keyword
  • A variable name
  • The in keyword
  • A call to the range() method with up to three integers passed to it
  • A colon
  • Starting on the next line, an indented block of code (called the for clause)
print("My name is")
for i in range(5):
    print("Alex Five Times (" + str(i) + ")")

The code in the for loop’s clause is run five times. The first time it is run, the variable i is set to 0. The print() call in the clause will print Jimmy Five Times (0). After Python finishes an iteration through all the code inside the for loop’s clause, the execution goes back to the top of the loop, and the for statement increments i by one. This is why range(5) results in five iterations through the clause, with i being set to 0, then 1, then 2, then 3, and then 4. The variable i will go up to, but will not include, the integer passed to range().

NOTE

You can use break and continue statements inside for loops as well. The continue statement will continue to the next value of the for loop’s counter, as if the program execution had reached the end of the loop and returned to the start. In fact, you can use continue and break statements only inside while and for loops. If you try to use these statements elsewhere, Python will give you an error.

Counting the sums of all the numbers to 100 using both for and while loops:

# For Loop to Count the sums of numbers upto 100
sum = 0
for i in range(101):
    sum = sum + i
    # print(sum, i)
print("The sum of 100 using for loop is: ", sum)
# While Loop
#
sum = 0
i = 0

while i < 101:
    sum = sum + i
    i = i + 1
print("The sum of 100 using while loop is: ", sum)
  • The use of for is more efficient though while can also get the job done.

The Starting, Stopping, and Stepping Arguments to range()

Some functions can be called with multiple arguments separated by a comma, and range() is one of them. This lets you change the integer passed to range() to follow any sequence of integers, including starting at a number other than zero.

for i in range(12, 16):  
    print(i)

The first argument will be where the for loop’s variable starts, and the second argument will be up to, but not including, the number to stop at.

12  
13  
14  
15

The range() function can also be called with three arguments. The first two arguments will be the start and stop values, and the third will be the step argument. The step is the amount that the variable is increased by after each iteration.

for i in range(0, 10, 2):  
    print(i)

So calling range(0, 10, 2) will count from zero to eight by intervals of two.

0  
2  
4  
6  
8

The range() function is flexible in the sequence of numbers it produces for for loops. You can even use a negative number for the step argument to make the for loop count down instead of up.

for i in range(5, -1, -1):  
    print(i)

This for loop would have the following output:

5  
4  
3  
2  
1  
0

Running a for loop to print i with range(5, -1, -1) should print from five down to zero.

Importing Modules

All Python programs can call a basic set of functions called built-in functions, including the print(), input(), and len() functions you’ve seen before.

Python also comes with a set of modules called the standard library.

Each module is a Python program that contains a related group of functions that can be embedded in your programs. For example, the math module has mathematics-related functions, the random module has random number-related functions, and so on.

Before you can use the functions in a module, you must import the module with an import statement. In code, an import statement consists of the following:

  • The import keyword
  • The name of the module
  • Optionally, more module names, as long as they are separated by commas.
import random  
for i in range(5):  
    print(random.randint(1, 10))
DON’T OVERWRITE MODULE NAMES

When you save your Python scripts, take care not to give them a name that is used by one of Python’s modules, such as random.py, sys.py, os.py, or math.py. If you accidentally name one of your programs, say, random.py, and use an import random statement in another program, your program would import your random.py file instead of Python’s random module. This can lead to errors such as AttributeError: module random has no attribute ‘randint’, since your random.py doesn’t have the functions that the real random module has. Don’t use the names of any built-in Python functions either, such as print() or input().

Problems like these are uncommon, but can be tricky to solve. As you gain more programming experience, you’ll become more aware of the standard names used by Python’s modules and functions, and will run into these issues less frequently.

Since randint() is in the random module, you must first type random. in front of the function name to tell Python to look for this function inside the random module.

from import Statements

An alternative form of the import statement is composed of the from keyword, followed by the module name, the import keyword, and a star; for example, from random import *.

With this form of import statement, calls to functions in random will not need the random. prefix. However, using the full name makes for more readable code, so it is better to use the import random form of the statement.

Ending a Program Early with the sys.exit() function

Programs always terminate if the program execution reaches the bottom of the instructions. However, you can cause the program to terminate, or exit, before the last instruction by calling the sys.exit() function.

Since this function is in the sys module, you have to import sys before you can use it.

import sys
while True:
    print('Type exit to quit.')
    response = input()
    if response == 'exit':
        sys.exit()
    print('You typed ' + "'" + response + "'" + '.')

Run this program in IDLE. This program has an infinite loop with no break statement inside. The only way this program will end is if the execution reaches the sys.exit() call. When response is equal to exit, the line containing the sys.exit() call is executed. Since the response variable is set by the input() function, the user must enter exit in order to stop the program.

A Short Program: Guess the Number

We have a pseudocode like this:

I am thinking of a number between 1 and 20.  
Take a guess.  
10  
Your guess is too low.  
Take a guess.  
15  
Your guess is too low.  
Take a guess.  
17  
Your guess is too high.  
Take a guess.  
16  
Good job! You guessed my number in 4 guesses!

I have implemented this code as:

from random import randint

secretNumber = randint(1, 20)
# print(secretNumber)  # Debuging purposes only
print("I am thinking of a number between 1 and 20.")
guess = ''
numberOfGuesses = 0
while guess != secretNumber:
    guess = int(input("Take a Guess: "))
    numberOfGuesses = numberOfGuesses + 1
    if guess < secretNumber:
        print("Your Guess is too low.")
    elif guess > secretNumber:
        print("Your Guess is too high")

print("Good job! You guessed my number in " +
      str(numberOfGuesses) + " guesses!")
This how Al implemented it…

# This is a guess the number game.  
import random  
secretNumber = random.randint(1, 20)  
print('I am thinking of a number between 1 and 20.')  
  
# Ask the player to guess 6 times.  
for guessesTaken in range(1, 7):  
    print('Take a guess.')  
    guess = int(input())  
    if guess < secretNumber:  
        print('Your guess is too low.')  
    elif guess > secretNumber:  
        print('Your guess is too high.')  
    else:  
        break    # This condition is the correct guess!  
  
if guess == secretNumber:  
    print('Good job! You guessed my number in ' + str(guessesTaken) + '  
guesses!')  
else:  
    print('Nope. The number I was thinking of was ' + str(secretNumber))
Version 2.0 of my implementation of guessTheNumber2.py game…

from random import randint
secretNumber = randint(1, 20)
# print(secretNumber)  # Debuging purposes only
print("I am thinking of a number between 1 and 20.")
# guess = ''
numberOfGuesses = 0
while True:
    guess = int(input("Take a Guess: "))
    numberOfGuesses = numberOfGuesses + 1
    if guess < secretNumber:
        print("Your Guess is too low.")
    elif guess > secretNumber:
        print("Your Guess is too high")
    else:
        break

print("Good job! You guessed my number in " +
      str(numberOfGuesses) + " guesses!")

I’m still going with the unlimited number of guesses method, but improved the logic.

A Short Program: Rock, Paper, Scissors

We have the Pseudocode for the program:

ROCK, PAPER, SCISSORS  
0 Wins, 0 Losses, 0 Ties  
Enter your move: (r)ock (p)aper (s)cissors or (q)uit  
p  
PAPER versus...  
PAPER  
It is a tie!  
0 Wins, 1 Losses, 1 Ties  
Enter your move: (r)ock (p)aper (s)cissors or (q)uit  
s  
SCISSORS versus...  
PAPER  
You win!  
1 Wins, 1 Losses, 1 Ties  
Enter your move: (r)ock (p)aper (s)cissors or (q)uit  
q

That’s how I implemented it:

##########################################
########  RPS GAME VERSION 5.0  ##########
##########################################

import random
import sys

# Print to the Screen Once
print("ROCK, PAPER, SCISSORS")

# Counting Streaks
wins = 0
losses = 0
ties = 0

while True:
    # Print to the Screen
    print("Enter your move: (r)ock (p)aper (s)cissors or (q)uit")

    # User Input
    userMove = input()
    if userMove == "q":
        print(f"Thank you for playing our Game!\n {
              wins} Wins, {losses} losses, {ties} Ties")
        sys.exit()
    elif userMove != "r" and userMove != "p" and userMove != "s":
        print("Illegal Guess, Try again.")
        continue
    elif userMove == "r":
        userMove = "ROCK"
    elif userMove == "p":
        userMove = "PAPER"
    elif userMove == "s":
        userMove = "SCISSORS"

    # System input
    systemMove = random.randint(1, 3)
    if systemMove == 1:
        systemMove = "ROCK"
    elif systemMove == 2:
        systemMove = "PAPER"
    elif systemMove == 3:
        systemMove = "SCISSORS"

    # Showing the Played Moves
    print(f"{systemMove} vs. {userMove}")

    # Game Logic
    if systemMove == userMove:
        print("It is a tie")
        ties = ties + 1
    elif (
        (systemMove == "ROCK" and userMove == "PAPER")
        or (systemMove == "SCISSORS" and userMove == "ROCK")
        or (systemMove == "PAPER" and userMove == "SCISSORS")
    ):
        print("You win!")
        wins = wins + 1
    elif (
        (systemMove == "ROCK" and userMove == "SCISSORS")
        or (systemMove == "PAPER" and userMove == "ROCK")
        or (systemMove == "SCISSORS" and userMove == "PAPER")
    ):
        print("Loser!")
        losses = losses + 1
Tip

Go to my GitHub to see other versions of the game, and how I went step by step, implementing the logic and cleaning the code. It still isn’t efficient or clean looking code, as we haven’t gotten to some advanced lessons, which can help us clean it up further.

This how Al implemented it…

import random, sys  
  
print('ROCK, PAPER, SCISSORS')  
  
# These variables keep track of the number of wins, losses, and ties.  
wins = 0  
losses = 0  
ties = 0  
  
while True: # The main game loop.  
    print('%s Wins, %s Losses, %s Ties' % (wins, losses, ties))  
    while True: # The player input loop.  
        print('Enter your move: (r)ock (p)aper (s)cissors or (q)uit')  
        playerMove = input()  
        if playerMove == 'q':  
            sys.exit() # Quit the program.  
        if playerMove == 'r' or playerMove == 'p' or playerMove == 's':  
            break # Break out of the player input loop.  
        print('Type one of r, p, s, or q.')  
  
    # Display what the player chose:  
    if playerMove == 'r':  
        print('ROCK versus...')  
    elif playerMove == 'p':  
        print('PAPER versus...')  
    elif playerMove == 's':  
        print('SCISSORS versus...')  
  
    # Display what the computer chose:  
    randomNumber = random.randint(1, 3)  
    if randomNumber == 1:  
        computerMove = 'r'  
        print('ROCK')  
    elif randomNumber == 2:  
        computerMove = 'p'  
        print('PAPER')  
    elif randomNumber == 3:  
        computerMove = 's'  
        print('SCISSORS')  
  
    # Display and record the win/loss/tie:  
    if playerMove == computerMove:  
        print('It is a tie!')  
        ties = ties + 1  
    elif playerMove == 'r' and computerMove == 's':  
        print('You win!')  
        wins = wins + 1  
    elif playerMove == 'p' and computerMove == 'r':  
        print('You win!')  
        wins = wins + 1  
    elif playerMove == 's' and computerMove == 'p':  
        print('You win!')  
        wins = wins + 1  
    elif playerMove == 'r' and computerMove == 'p':  
        print('You lose!')  
        losses = losses + 1  
    elif playerMove == 'p' and computerMove == 's':  
        print('You lose!')  
        losses = losses + 1  
    elif playerMove == 's' and computerMove == 'r':  
        print('You lose!')  
        losses = losses + 1

abs() Function (Extras)

The Python abs() function return the absolute value. The absolute value of any number is always positive it removes the negative sign of a number in Python.

>>> abs(-10)  
10  
>>> abs(-0.50)  
0.5  
>>> abs(-32.40)  
32.4

Section 3: Functions

Python provides several built-in functions like print(), input() and len(), but you can also write your own functions.

A function is like a mini-program within a program.

 def hello():  
     print('Howdy!')  
       print('Howdy!!!')  
       print('Hello there.')  


 hello()  
   hello()  
   hello()

The first line is a def statement ➊, which defines a function named hello(). The code in the block that follows the def statement ➋ is the body of the function. This code is executed when the function is called, not when the function is first defined.

The hello() lines after the function ➌ are function calls. In code, a function call is just the function’s name followed by parentheses, possibly with some number of arguments in between the parentheses.

A major purpose of functions is to group code that gets executed multiple times. Without a function defined, you would have to copy and paste this code each time, and the program would look like this:

print('Howdy!')  
print('Howdy!!!')  
print('Hello there.')  
print('Howdy!')  
print('Howdy!!!')  
print('Hello there.')  
print('Howdy!')  
print('Howdy!!!')  
print('Hello there.')
  • Always avoid duplicating the code, as updating would be a hassle.
  • With programming experience, you will find yourself deduplicating code, which means getting rid of duplicated or copy-and-pasted code.
  • Deduplication makes your programs shorter, easier to read, and easier to update.

def Statements with parameters

  • Values passed to print() or len() function, are called arguments. They are typed between parentheses.
 def hello(name):  
     print('Hello, ' + name)  
  
 hello('Alice')  
   hello('Bob')

The definition of the hello() function in this program has a parameter called name ➊. Parameters are variables that contain arguments. When a function is called with arguments, the arguments are stored in the parameters. The first time the hello() function is called, it is passed the argument 'Alice' ➌. The program execution enters the function, and the parameter name is automatically set to 'Alice', which is what gets printed by the print() statement ➋.

  • The value stored in a parameter is forgotten when the function returns. For example, if you added print(name) after hello('Bob') in the previous program, the program would give a NameError because there is no variable named name.

Define, Call, Pass, Argument, Parameter

The terms define, call, pass, argument, and parameter can be confusing. Let’s look at a code example to review these terms:

 def sayHello(name):  
       print('Hello, ' + name)  
 sayHello('Al')

To define a function is to create it, just like an assignment statement like spam = 42 creates the spam variable. The def statement defines the sayHello() function ➊.

The sayHello('Al') line ➋ calls the now-created function, sending the execution to the top of the function’s code. This function call is also known as passing the string value 'Al' to the function.

A value being passed to a function in a function call is an argument. The argument 'Al' is assigned to a local variable named name. Variables that have arguments assigned to them are parameters.

It’s easy to mix up these terms, but keeping them straight will ensure that you know precisely what the text in this chapter means.

Return Values and return Statements

Calling a len() function with an argument such as 'hello, will evaluate to the integer value 5, which is the length of the string passed.

The value that a function call evaluates to is called return value of the function.

While writing a function, return value should be used with return statement.

A return statement has:

  • The return keyword
  • The value or expression that the function should return.

When an expression is used with a return statement, the return value is what this expression evaluates to.

The None Value

In Python, there is a value called None, which represents the absence of a value(a placeholder). The None value is the only value of the NoneType data type.

  • Other programming languages might call this value null, nil, or undefined.
  • Just like the Boolean True and False values, None must be typed with a capital N.
  • This value-without-a-value can be helpful when you need to store something that won’t be confused for a real value in a variable.
  • One place where None is used is as the return value of print().

The print() function displays text on the screen, but it doesn’t need to return anything in the same way len() or input() does. But since all function calls need to evaluate to a return value, print() returns None. To see this in action, enter the following into the interactive shell:

>>> spam = print('Hello!')  
Hello!  
>>> None == spam  
True

Behind the scenes, Python adds return None to the end of any function definition with no return statement. This is similar to how a while or for loop implicitly ends with a continue statement. Also, if you use a return statement without a value (that is, just the return keyword by itself), then None is returned.

Keyword Arguments and the print() Function

Keyword arguments are often used for optional parameters. For example, the print() function has the optional parameters end and sep to specify what should be printed at the end of its arguments and between its arguments (separating them), respectively.

By default, two successive print statements would print their arguments on a separate line, but we can change this behavior with keyword arguments:

print('Hello', end=' ')
print('World')

When different strings are concatenated, we can use:

print('Hello!' + 'World', sep=':')

The Call Stack

Imagine that you have a meandering conversation with someone. You talk about your friend Alice, which then reminds you of a story about your coworker Bob, but first you have to explain something about your cousin Carol. You finish you story about Carol and go back to talking about Bob, and when you finish your story about Bob, you go back to talking about Alice. But then you are reminded about your brother David, so you tell a story about him, and then get back to finishing your original story about Alice. Your conversation followed a stack-like structure, like in Figure 3-1. The conversation is stack-like because the current topic is always at the top of the stack.

Similar to our meandering conversation, calling a function doesn’t send the execution on a one-way trip to the top of a function. Python will remember which line of code called the function so that the execution can return there when it encounters a return statement. If that original function called other functions, the execution would return to those function calls first, before returning from the original function call.

def a():  
    print('a() starts')  
    b()  
    d()  
    print('a() returns')  

def b():  
    print('b() starts')  
    c()  
    print('b() returns')  

def c():  
    print('c() starts')  
    print('c() returns')  

def d():  
    print('d() starts')  
    print('d() returns')  

a()

Output of this program looks like this:

a() starts  
b() starts  
c() starts  
c() returns  
b() returns  
d() starts  
d() returns  
a() returns

The call stack is how Python remembers where to return the execution after each function call.

The call stack isn’t stored in a variable in your program; rather, Python handles it behind the scenes.

When your program calls a function, Python creates a frame object on the top of the call stack. Frame objects store the line number of the original function call so that Python can remember where to return. If another function call is made, Python puts another frame object on the call stack above the other one.

When a function call returns, Python removes a frame object from the top of the stack and moves the execution to the line number stored in it. Note that frame objects are always added and removed from the top of the stack and not from any other place.

The top of the call stack is which function the execution is currently in. When the call stack is empty, the execution is on a line outside of all functions.

Local and Global Scope

Parameters and variables that are assigned in a called function are said to exit in that function’s local scope.

Variables that are assigned outside all functions are said to exist in the global scope.

  • A variable must be one or the other; it cannot be both local and global.
  • Think of a scope as a container for variables. When scope is destroyed, all variables stored inside it are forgotten.
  • There is only one global scope, and it is created when your program begins. When your program terminates, the global scope is destroyed, and all its variables are forgotten.
  • A local scope is created whenever a function is called. Any variables assigned in the function exist within the function’s local scope. When the function returns, the local scope is destroyed, and these variables are forgotten.

Scope matter because:

  • Code in the global scope, outside all functions, cannot use any local variables.
  • However, code in a local scope can access global variables.
def spam():  
    print(eggs)  
eggs = 42  
spam()  
print(eggs)
  • Code in a function’s local scope cannot use variables in any other local scope.
  • We can use the same name for different variables, if they are in different scopes.
  • It’s easy to track down a bug caused by a local variable. When there are thousands of lines of code, global variables are hard to work with.

Using global variables in small programs is fine, it’s a bad habit to rely on global variables as your programs get larger and larger.

The Global Statement

To modify a global variable from within a function, we can use a global statement.

If you have a line such as global eggs at the top of a function, it tells Python, “In this function, eggs refers to the global variable, so don’t create a local variable with this name.”

def spam():  
   global eggs  
   eggs = 'spam'  
  
eggs = 'global'  
spam()  
print(eggs)

Above code evaluates to:

spam

Because eggs is declared global at the top of spam() ➊, when eggs is set to 'spam' ➋, this assignment is done to the globally scoped eggs. No local eggs variable is created.

There are four rules to tell whether a variable is in a local scope or global scope:

  • If a variable is being used in the global scope (that is, outside all functions), then it is always a global variable.
  • If there is a global statement for that variable in a function, it is a global variable.
  • Otherwise, if the variable is used in an assignment statement in the function, it is a local variable.
  • But if the variable is not used in an assignment statement, it is a global variable.
Functions as Black Boxes

Often, all you need to know about a function are its inputs (the parameters) and output value; you don’t always have to burden yourself with how the function’s code actually works. When you think about functions in this high-level way, it’s common to say that you’re treating a function as a “black box.”

This idea is fundamental to modern programming. Later chapters in this book will show you several modules with functions that were written by other people. While you can take a peek at the source code if you’re curious, you don’t need to know how these functions work in order to use them. And because writing functions without global variables is encouraged, you usually don’t have to worry about the function’s code interacting with the rest of your program.

Section 4: Handling Errors With Try/Except

Exception Handling

Getting an error or exception in Python program, without any exception handling means entire program will crash.

In real world, this is not the desired behavior, and we want our program to detect errors, handle them, and then continue to run.

1
2
3
4
5
6
7
def spam(divideBy):  
    return 42 / divideBy  
  
print(spam(2))  
print(spam(12))  
print(spam(0))  
print(spam(1))

When the program is run we will get ZeroDivisonError at line 6.

You can put the previous divide-by-zero code in a try clause and have an except clause contain code to handle what happens when this error occurs.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
def spam(divideBy):
    try:
        return 42 / divideBy
    except ZeroDivisionError:
        return ('Error: I cannot do that.')


print(spam(2))
print(spam(12))
print(spam(0))
print(spam(1))

When code in a try clause causes an error, the program execution immediately moves to the code in the except clause. After running that code, the execution continues as normal.

A Short Program: Zigzag

This program will create a back-and-forth, zigzag pattern until the user stops it by pressing the Mu editor’s Stop button or by pressing CTRL-C. When you run this program, the output will look something like this:

    ********  
   ********  
  ********  
 ********  
********  
 ********  
  ********  
   ********  
    ********

This is how I implemented:

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
# An extra project from book's chapter 3
import sys
import time
def asterisks_pattern(startSpace, pattern):
    print(' ' * startSpace + pattern)
    time.sleep(0.1)
pattern = '******'

while True:
    try:
        for startSpace in range(10):
            asterisks_pattern(startSpace, pattern)

        for startSpace in range(10, 1, -1):
            asterisks_pattern(startSpace, pattern)
    except KeyboardInterrupt:
        print(' Quiting the animation pattern. Goodbye!')
        sys.exit()

Here is Al’s implementation

The Collatz Sequence

Write a function named collatz() that has one parameter named number. If number is even, then collatz() should print number // 2 and return this value. If number is odd, then collatz() should print and return 3 * number + 1.

Then write a program that lets the user type in an integer and that keeps calling collatz() on that number until the function returns the value 1. (Amazingly enough, this sequence actually works for any integer—sooner or later, using this sequence, you’ll arrive at 1! Even mathematicians aren’t sure why. Your program is exploring what’s called the Collatz sequence, sometimes called “the simplest impossible math problem.”)

Remember to convert the return value from input() to an integer with the int() function; otherwise, it will be a string value.

Hint: An integer number is even if number % 2 == 0, and it’s odd if number % 2 == 1.

The output of this program could look something like this:

Enter number:  
3  
10  
5  
16  
8  
4  
2  
1
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
# Extra Project from book's chapter 3
def collatz(number):
    if number % 2 == 0:
        result = int(number / 2)
    else:
        result = int(3 * number + 1)
    print(result)
    return result


try:
    number = int(input("Enter your number:\n"))
    while number != 1:
        number = collatz(number)
except ValueError:
    print('Please enter a valid integer')

Section 5: Writing a Complete Program, Guess the Number

A Guess Game

The output we need:

Hello, What is your name?
Al
Well, Al, I am thinking of a number between 1 and 20.
Take a guess.
10
Your guess is too low.
Take a guess
5
Your guess is too high.
Take a guess.
6
Good job, Al! You guessed my number in 5 guesses!
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
import random
# Ask for Player name and greet them
playerName = input('Hello, What is your name?\n')
print(f"Well, {playerName}, I am thinking of a number between 1 and 20.")


secretNumber = random.randint(1, 20)
# print(f"Debug: Secret Number is {secretNumber}")


for numberOFGuesses in range(1, 7):  # Max number of Guesses allowed
    playerGuess = int(input('Take a Guess\n'))
    if playerGuess < secretNumber:
        print('Your Guess is too low.')
    elif playerGuess > secretNumber:
        print('Your Guess is too high')
    else:
        break


if playerGuess == secretNumber:
    print(f'Good job,{playerName}! You guessed my number in {
        numberOFGuesses} guesses!')
else:
    print(f"Nope. The number I was thinking of was {secretNumber}.")

F-Strings

In this course we were taught about string concatenation using + operator. But that is cumbersome, and we need to convert non-strings values to strings values for concatenation to work.

In python 3.6, F-strings were introduced, that makes the strings concatenation a lot easier.

print(f"This is an example of {strings} concatenation.")

{} We can put our variable name, which will be automatically converted into string type. As you can see, this approach is much more cleaner.

A Guess Game — Extended Version

Let’s take everything we learned so far, write a guess game which has the following qualities:

  • An error checking
  • Asking player to choose the lower and higher end of number for guessing game.
  • Let player exit the game using sys.exit() module or pressing q(uit) button on their keyboard.
  • Using built-in function title() method, convert a string into title case, where the first letter of each word is capitalized, and the rest are in lowercase.

An extra feature which I want to implement is telling the player, how many guesses they will get. As taught in Algorithm: Binary Search course, offered by Khan Academy. We can calculate max number of guesses using this formula:

$$ \text{Maximum number of guesses} = \log_{2}(n) \ $$

For guess between (1, 20), the n = 20:

$$ \text{Maximum number of guesses} = \log_{2}(20) $$

$$ \text{Maximum number of guessess} \approx 5 $$

Here is the extended version, I might have gone a bit over the board.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
import random
import math
import sys
import time


def quitGame():
    # Message to print when CTRL+C keys are pressed
    print('\nThanks for Playing, quiting the game...')
    sys.exit()


# Greeting the Player
try:
    print('Welcome to Guess the Number Game. \nYou can Quit the game any time by pressing CTRL+C keys on your keyboard')
    playerName = input('Hello, What is your name?\n').title()
    print(
        f"Well, {playerName}, let's choose our start and end values for the game.")
except KeyboardInterrupt:
    quitGame()


# Asking Player for Guessing Range and Error Checking
while True:
    try:
        lowerEndOfGuess = int(input('Choose your start number: '))
        higherEndOfGuess = int(input('Choose your end number: '))
        if lowerEndOfGuess > higherEndOfGuess:  # Otherwise our random function will fail
            print('Starting number should be less than ending number')
            continue
        break
    except ValueError:
        print('Only Intergers are allowed as a start and end values of a Guessing Game.')
    except KeyboardInterrupt:
        quitGame()


# Haing Fun and choosing the secret number
try:
    print('Wait, a moment, I m gearing up for the battle.')
    time.sleep(2)
    print("Don't be stupid.I'm not stuck., I'm still thinking of what number to choose!")
    time.sleep(3)
    print('Dont dare to Quit on me')
    secretNumber = random.randint(lowerEndOfGuess, higherEndOfGuess)
    time.sleep(2.5)
    print('Shshhhhhhh! I have chosen my MAGIC NUMBER!')
    time.sleep(1.5)
    print("It's your turn")
    time.sleep(1.5)
except KeyboardInterrupt:
    quitGame()
# print(f"Debug: Secret Number is {secretNumber}")


# Calculating maximum number of possible guesses
totalGuesses = higherEndOfGuess - lowerEndOfGuess
maxPossibleGuesses = math.ceil(math.log2(totalGuesses))
print(f"You have {maxPossibleGuesses} guesses to Win the Game.")
time.sleep(1.5)


# Game Logic
for numberOFGuesses in range(1, maxPossibleGuesses+1):
    try:
        playerGuess = int(input('Take a Guess!\n'))
        if playerGuess < secretNumber:
            print('Your Guess is too low!')
        elif playerGuess > secretNumber:
            print('Your Guess is too high!')
        else:
            break
    except ValueError:
        print('Only integers are allowed as valid game guess.')
    except KeyboardInterrupt:
        quitGame()


# Ending the Game
try:
    if playerGuess == secretNumber:
        print(f'Good job,{playerName}! You guessed my number in {
            numberOFGuesses} guesses!')
    else:
        print(f"You lose! Number of guesses are exhausted. The number I was thinking of was {
              secretNumber}.")
except NameError:
    print('Please, try again, something went wrong!')

Section 6: Lists

  • A list is a value that contains multiple values.
  • The values in a list are also called item.
  • You can access items in a list with its integer index.
  • The indexes start at 0, not 1.
  • You can also use negative indexes. -1 refers to the last item, -2 refers to the second to last item, and so on.
  • You can get multiple items from the list using a slice.
  • The slice has two indexes. The new list’s items start at the first index and go up to, but doesn’t include, the second index.
  • The len() function, concatenation, and replication work the same way with lists that they do with strings.
  • You can convert a value into a list by passing it to the first() function.

The list Data Type

A list is a value that contains multiple values in an ordered sequence. The term list value refers to the list itself (which is a value that can be stored in a variable or passed to a function like any other value), not the values inside the list value.

   >>> [1, 2, 3]  
   [1, 2, 3]  
   >>> ['cat', 'bat', 'rat', 'elephant']  
   ['cat', 'bat', 'rat', 'elephant']  
   >>> ['hello', 3.1415, True, None, 42]  
   ['hello', 3.1415, True, None, 42]  
 >>> spam = ['cat', 'bat', 'rat', 'elephant']  
   >>> spam  
   ['cat', 'bat', 'rat', 'elephant']

The spam variable ➊ is still assigned only one value: the list value. But the list value itself contains other values. The value [] is an empty list that contains no values, similar to '', the empty string.

Getting Individual Values in a List with Indexes

Lists can also contain other list values. The values in these lists of lists can be accessed using multiple indexes, like so:

>>> spam = [['cat', 'bat'], [10, 20, 30, 40, 50]]  
>>> spam[0]  
['cat', 'bat']  
>>> spam[0][1]  
'bat'  
>>> spam[1][4]  
50

The first index dictates which list value to use, and the second indicates the value within the list value.

Negative Indexes

The integer value -1 refers to the last index in a list, the value -2 refers to the second-to-last index in a list, and so on.

>>> spam = ['cat', 'bat', 'rat', 'elephant']  
>>> spam[-1]  
'elephant'  
>>> spam[-3]  
'bat'  
>>> 'The ' + spam[-1] + ' is afraid of the ' + spam[-3] + '.'  
'The elephant is afraid of the bat.'

Getting a List from Another List with Slices

Just as an index can get a single value from a list, a slice can get several values from a list, in the form of a new list. A slice goes up to, but will not include, the value at the second index.

  • spam[2] is a list with an index (one integer).
  • spam[1:4] is a list with a slice (two integers)
>>> spam = ['cat', 'bat', 'rat', 'elephant']  
>>> spam[0:4]  
['cat', 'bat', 'rat', 'elephant']  
>>> spam[1:3]  
['bat', 'rat']  
>>> spam[0:-1]  
['cat', 'bat', 'rat']

As a shortcut, you can leave out one or both of the indexes on either side of the colon in the slice. Leaving out the first index is the same as using 0, or the beginning of the list. Leaving out the second index is the same as using the length of the list, which will slice to the end of the list. Enter the following into the interactive shell:

>>> spam = ['cat', 'bat', 'rat', 'elephant']  
>>> spam[:2]  
['cat', 'bat']  
>>> spam[1:]  
['bat', 'rat', 'elephant']  
>>> spam[:]  
['cat', 'bat', 'rat', 'elephant']

Getting a List’s Length with the len() Function

The len() function will return the number of values that are in a list value passed to it, just like it can count the number of characters in a string value.

>>> spam = ['cat', 'dog', 'moose']  
>>> len(spam)  
3

Changing Values in a List with Indexes

>>> spam = ['cat', 'bat', 'rat', 'elephant']  
>>> spam[1] = 'aardvark'  
>>> spam  
['cat', 'aardvark', 'rat', 'elephant']  
>>> spam[2] = spam[1]  
>>> spam  
['cat', 'aardvark', 'aardvark', 'elephant']  
>>> spam[-1] = 12345  
>>> spam  
['cat', 'aardvark', 'aardvark', 12345]

List Concatenation and List Replication

>>> [1, 2, 3] + ['A', 'B', 'C']  
[1, 2, 3, 'A', 'B', 'C']  
>>> ['X', 'Y', 'Z'] * 3  
['X', 'Y', 'Z', 'X', 'Y', 'Z', 'X', 'Y', 'Z']  
>>> spam = [1, 2, 3]  
>>> spam = spam + ['A', 'B', 'C']  
>>> spam  
[1, 2, 3, 'A', 'B', 'C']

Removing Values from Lists with del Statements

The del statement will delete values at an index in a list. All the values in the list after the deleted value will be moved up one index.

>>> spam = ['cat', 'bat', 'rat', 'elephant']  
>>> del spam[2]  
>>> spam  
['cat', 'bat', 'elephant']  
>>> del spam[2]  
>>> spam  
['cat', 'bat']

The del statement can also be used on a simple variable to delete it, as if it were an “un-assignment” statement. If you try to use the variable after deleting it, you will get a NameError error because the variable no longer exists. In practice, you almost never need to delete simple variables. The del statement is mostly used to delete values from lists.

Working with Lists

  • It’s tempting to create many individual variables to store a group of similar values.
  • It’s a bad way to write a program.
  • Down the line, when you will need to store more values, you won’t be able, if you run out of variables.

Let’s look at the example of bad code using a lot of variables to store a group of similar values:

print('Enter the name of cat 1:')  
catName1 = input()  
print('Enter the name of cat 2:')  
catName2 = input()  
print('Enter the name of cat 3:')  
catName3 = input()  
print('Enter the name of cat 4:')  
catName4 = input()  
print('Enter the name of cat 5:')  
catName5 = input()  
print('Enter the name of cat 6:')  
catName6 = input()  
print('The cat names are:')  
print(catName1 + ' ' + catName2 + ' ' + catName3 + ' ' + catName4 + ' ' +  
catName5 + ' ' + catName6)

Improved version:

catName = []

while True:
    print(f"Enter your cat name: {
          len(catName) + 1} (Or Enter nothing to stop.)")
    name = input()
    if name == '':
        break
    catName = catName + [name]


print("The cat names are: ")
for name in catName:
    print(f"  {name}")

for Loops with Lists, Multiple Assignment, and Augmented Operators

  • For loops technically iterate over the values in a list.
  • The range() function returns a list-like value, which can be passed to the list() function if you need an actual list value.
  • Variables can swap their values using multiple assignment.
  • Augmented assignment operators like += are used as shortcuts.

Using for Loops with Lists

for Loops execute a block of code a certain number of times. Technically, a for loop repeats the code block once for each item in a list value.

#input
for i in range(4):  
    print(i)
#output
0  
1  
2  
3

This is because the return value from range(4) is a sequence value that Python considers similar to [0,1,2,3] (Sequence Data Types).

The following program has same output as the previous one:

for i in [0, 1, 2, 3]:  
    print(i)

A common Python technique is to use range(len(someList)) with a for loop to iterate over the indexes of a list.

supplies = ['pens', 'staplers', 'printers', 'binders']
for i in range(len(supplies)):
    print(f"Index of {i} in supplies is: {supplies[i]}")
  
Index 0 in supplies is: pens  
Index 1 in supplies is: staplers  
Index 2 in supplies is: printers  
Index 3 in supplies is: binders

The in and not in Operators

The in and not in operators are used to determine whether a value is or isn’t in a list.

>>> 'howdy' in ['hello', 'hi', 'howdy', 'heyas']  
True  
>>> spam = ['hello', 'hi', 'howdy', 'heyas']  
>>> 'cat' in spam  
False  
>>> 'howdy' not in spam  
False  
>>> 'cat' not in spam  
True

Program: Write a program that lets the user type in a pet name and then checks to see whether the name is in a list of pets.

The Multiple Assignment Trick

The multiple assignment trick (technically called tuple unpacking) is a shortcut that lets you assign multiple variables with the values in a list in one line of code. So instead of doing this:

>>> cat = ['fat', 'gray', 'loud']  
>>> size = cat[0]  
>>> color = cat[1]  
>>> disposition = cat[2]

you could write code like this:

>>> cat = ['fat', 'gray', 'loud']  
>>> size, color, disposition = cat

The number of variables and the length of the list must be exactly equal, or Python will give you a ValueError.

Using the enumerate() Function with Lists

Instead of using range(len(someList)) technique, enumerate() returns both list item, and its index, when called upon a list.

>>> supplies = ['pens', 'staplers', 'flamethrowers', 'binders']  
>>> for index, item in enumerate(supplies):  
...     print('Index ' + str(index) + ' in supplies is: ' + item)  
  
Index 0 in supplies is: pens  
Index 1 in supplies is: staplers  
Index 2 in supplies is: flamethrowers  
Index 3 in supplies is: binders

The enumerate() function is useful if you need both the item and the item’s index in the loop’s block.

Using the random.choice() and random.shuffle() Functions with Lists

The random module has a couple of functions that accept lists for arguments. The random.choice() function will return a randomly selected item from the list.

>>> import random  
>>> pets = ['Dog', 'Cat', 'Moose']  
>>> random.choice(pets)  
'Dog'  
>>> random.choice(pets)  
'Cat'  
>>> random.choice(pets)  
'Cat'

Consider random.choice(someList) to be a shorter form of someList[random.randint(0, len(someList) - 1].

The random.shuffle() function will reorder the items in the list, without need to return a new list.

>>> import random  
>>> people = ['Alice', 'Bob', 'Carol', 'David']  
>>> random.shuffle(people)  
>>> people  
['Carol', 'David', 'Alice', 'Bob']  
>>> random.shuffle(people)  
>>> people  
['Alice', 'David', 'Bob', 'Carol']

Augmented Assignment Operators

Augmented assignment statement Equivalent assignment statement
spam += 1 spam = spam + 1
spam -= 1 spam = spam - 1
spam *= 1 spam = spam * 1
spam /= 1 spam = spam / 1
spam %= 1 spam = spam % 1

The += operator can also do string and list concatenation, and the *= operator can do string and list replication.

>>> spam = 'Hello,'  
>>> spam += ' world!'  
>>> spam  
'Hello world!'  
>>> bacon = ['Zophie']  
>>> bacon *= 3  
>>> bacon  
['Zophie', 'Zophie', 'Zophie']

List Methods

  • Methods are functions that are “called on” values.
  • The index() list method returns the index of an item in the list.
  • The append() list method adds a value to the end of the list.
  • The insert() list method adds a value anywhere inside a list.
  • The remove() list method removes an item, specified by the value, from a list.
  • The sort() list method sorts the items in a list.
  • The sort() method’s reverse=True keyword argument can sort in reverse order.
  • Sorting happens in “ASCII-betical” order. To sort normally, pass key=str.lower.
  • These list methods operate on the list “in place”, rather than returning a new list value.
  • Methods belong to a single data type. The append() and insert() methods are list methods and can be only called on list values, not on other values such as strings or integers.
  • Calling list methods on str or inte will give the error AttributeError.

Each data type has its own set of methods. This list data type, for example, has several useful methods for finding, adding, removing, and other manipulating values in a list.

Finding a Value in a List with the index() Method

>>> spam = ['hello', 'hi', 'howdy', 'heyas']  
>>> spam.index('hello')  
0  
>>> spam.index('heyas')  
3  
>>> spam.index('howdy howdy howdy')  
Traceback (most recent call last):  
  File "<pyshell#31>", line 1, in <module>  
    spam.index('howdy howdy howdy')  
ValueError: 'howdy howdy howdy' is not in list

Adding Values to Lists with the append() and insert() Methods

>>> spam = ['cat', 'dog', 'bat']  
>>> spam.append('moose')  
>>> spam  
['cat', 'dog', 'bat', 'moose']

The append() methods adds item to the end of the list, insert() method can insert a value at any index in the list.

>>> spam = ['cat', 'dog', 'bat']  
>>> spam.insert(1, 'chicken')  
>>> spam  
['cat', 'chicken', 'dog', 'bat']

Notice that the code is spam.append('moose') and spam.insert(1, 'chicken'), not spam = spam.append('moose') and spam = spam.insert(1, 'chicken'). Neither append() nor insert() gives the new value of spam as its return value. (In fact, the return value of append() and insert() is None, so you definitely wouldn’t want to store this as the new variable value.) Rather, the list is modified in place. Modifying a list in place is covered in more detail later in Mutable and Immutable Data Types.

Removing Values from Lists with remove() Method

>>> spam = ['cat', 'bat', 'rat', 'elephant']  
>>> spam.remove('bat')  
>>> spam  
['cat', 'rat', 'elephant']
  • Attempting to delete a value that doesn’t exist in the list will result in a ValueError error.
  • If the value appears multiple times in the list, only the first instance of the value will be removed.
  • The del statement is good to use when you know the index of the value, you want to remove from the list.
  • The remove() method is useful when you know the value you want to remove from list.

Sorting the Values in a List with the sort() Method

>>> spam = [2, 5, 3.14, 1, -7]  
>>> spam.sort()  
>>> spam  
[-7, 1, 2, 3.14, 5]  
>>> spam = ['ants', 'cats', 'dogs', 'badgers', 'elephants']  
>>> spam.sort()  
>>> spam  
['ants', 'badgers', 'cats', 'dogs', 'elephants']

You can also pass True for the reverse keyword argument to have sort() sort the values in reverse order.

>>> spam.sort(reverse=True)  
>>> spam  
['elephants', 'dogs', 'cats', 'badgers', 'ants']
  • The sort() method sorts the list in place, don’t try to capture the return value writing code like spam = spam.sort().
  • You cannot sort lists that have both number values and string values. Since Python doesn’t know what to do with them.
  • The sort() uses ASCII-betical order rather than actual alphabetical order for sorting strings. This means uppercase letters come before lowercase letters.
>>> spam = ['Alice', 'ants', 'Bob', 'badgers', 'Carol', 'cats']  
>>> spam.sort()  
>>> spam  
['Alice', 'Bob', 'Carol', 'ants', 'badgers', 'cats']

For regular alphabetical order:

>>> spam = ['a', 'z', 'A', 'Z']  
>>> spam.sort(key=str.lower)  
>>> spam  
['a', 'A', 'z', 'Z']

Reversing the Values in a List with reverse() Method

  • Like the sort() list method, reverse() doesn’t return a list.
>>> spam = ['cat', 'dog', 'moose']  
>>> spam.reverse()  
>>> spam  
['moose', 'dog', 'cat']
Exceptions to Indentation Rules in Python

In most cases, the amount of indentation for a line of code tells Python what block it is in. There are some exceptions to this rule, however. For example, lists can actually span several lines in the source code file. The indentation of these lines does not matter; Python knows that the list is not finished until it sees the ending square bracket. For example, you can have code that looks like this:

spam = ['apples',  
    'oranges',  
                    'bananas',  
'cats']  
print(spam)

Of course, practically speaking, most people use Python’s behavior to make their lists look pretty and readable.

Similarities Between Lists and Strings

  • Strings can do a lot of the same things lists can do, but strings are immutable.
  • Mutable values like lists can be modified in place.
  • Variables don’t contain lists, they contain references to lists.
  • When passing a list argument to a function, you are actually passing a list reference.
  • Changes made to a list in a function will affect the list outside the function.
  • The \ line continuation character can be used to stretch Python instructions across multiple lines.

Sequence Data Types

Lists aren’t the only data types that represent ordered sequences of values.

  • Strings and lists are actually similar if you consider a string to be a “list” of single text characters.
  • The Python sequence data types include lists, strings, range object returned by range(), and tuples.
  • Many things you can do with lists can also be done with strings and other values of sequence types: indexing; slicing; and using them with for loops, with len(), and with in and not in operators.
>>> name = 'Zophie'  
>>> name[0]  
'Z'  
>>> name[-2]  
'i'  
>>> name[0:4]  
'Zoph'  
>>> 'Zo' in name  
True  
>>> 'z' in name  
False  
>>> 'p' not in name  
False  
>>> for i in name:  
...     print('* * * ' + i + ' * * *')  
  
* * * Z * * *  
* * * o * * *  
* * * p * * *  
* * * h * * *  
* * * i * * *  
* * * e * * *

Mutable and Immutable Data Types

A list value:

  • Mutable data type
  • It can have values added, removed, or changed.

A string value is:

  • Immutable data type
  • It cannot be changed

Trying to reassign a single character in a string results in a TypeError error:

>>> name = 'Zophie a cat'  
>>> name[7] = 'the'  
Traceback (most recent call last):  
  File "<pyshell#50>", line 1, in <module>  
    name[7] = 'the'  
TypeError: 'str' object does not support item assignment

The proper way to “mutate” a string is to use slicing and concatenation to build a new string by copying from parts of the old string.

>>> name = 'Zophie a cat'  
>>> newName = name[0:7] + 'the' + name[8:12]  
>>> name  
'Zophie a cat'  
>>> newName  
'Zophie the cat'

Although a list value is mutable:

>>> eggs = [1, 2, 3]  
>>> eggs = [4, 5, 6]  
>>> eggs  
[4, 5, 6]

The list value in eggs isn’t being changed here; rather, an entirely new and different list value [4, 5, 6] is overwriting the old list.

For actually modifying the list:

>>> eggs = [1, 2, 3]  
>>> del eggs[2]  
>>> del eggs[1]  
>>> del eggs[0]  
>>> eggs.append(4)  
>>> eggs.append(5)  
>>> eggs.append(6)  
>>> eggs  
[4, 5, 6]

The Tuple Data Type

The tuple data type is almost identical to the list data type, except in two ways:

  • Unlike lists, they are immutable.
  • They are represented by parentheses ().
>>> eggs = ('hello', 42, 0.5)  
>>> eggs[0]  
'hello'  
>>> eggs[1:3]  
(42, 0.5)  
>>> len(eggs)  
3

If you have only one value in your tuple, you cna indicate this by placing a trailing comma after the value inside the parentheses. Otherwise, Python will think you’ve just typed a value inside regular parentheses.

>>> type(('hello',))  
<class 'tuple'>  
>>> type(('hello'))  
<class 'str'>

You can use tuples to convey to anyone reading your code that you don’t intend for that sequence of values to change. If you need an ordered sequence of values that never changes, use a tuple. A second benefit of using tuples instead of lists is that, because they are immutable, and their contents don’t change, Python can implement some optimizations.

Converting Types with the list() and tuple() Functions

Just like how str(42) will return '42', the string representation of the integer 42, the functions list() and tuple() will return list and tuple versions of the values passed to them:

>>> tuple(['cat', 'dog', 5])  
('cat', 'dog', 5)  
>>> list(('cat', 'dog', 5))  
['cat', 'dog', 5]  
>>> list('hello')  
['h', 'e', 'l', 'l', 'o']

Converting a tuple to a list is handy if you need a mutable version of a tuple value.

Reference Types

As you’ve seen, variables “store” strings and integer values. However, this explanation is a simplification of what Python is actually doing. Technically, variables are storing references to the computer memory locations where the values are stored.

>>> spam = 42  
>>> cheese = spam  
>>> spam = 100  
>>> spam  
100  
>>> cheese  
42

When you assign 42 to the spam variable, you are actually creating the 42 value in the computer’s memory and storing a reference to it in the spam variable. When you copy the value in spam and assign it to the variable cheese, you are actually copying the reference. Both the spam and cheese variables refer to the 42 value in the computer’s memory. When you later change the value in spam to 100, you’re creating a new 100 value and storing a reference to it in spam. This doesn’t affect the value in cheese. Integers are immutable values that don’t change; changing the spam variable is actually making it refer to a completely different value in memory.

But lists don’t work this way, because list values can change; that is, lists are mutable. Here is some code that will make this distinction easier to understand.

 >>> spam = [0, 1, 2, 3, 4, 5]  
 >>> cheese = spam # The reference is being copied, not the list.  
 >>> cheese[1] = 'Hello!' # This changes the list value.  
   >>> spam  
   [0, 'Hello!', 2, 3, 4, 5]  
   >>> cheese # The cheese variable refers to the same list.  
   [0, 'Hello!', 2, 3, 4, 5]

This might look odd to you. The code touched only the cheese list, but it seems that both the cheese and spam lists have changed.

When you create the list ➊, you assign a reference to it in the spam variable. But the next line ➋ copies only the list reference in spam to cheese, not the list value itself. This means the values stored in spam and cheese now both refer to the same list. There is only one underlying list because the list itself was never actually copied. So when you modify the first element of cheese ➌, you are modifying the same list that spam refers to.

What happens when a list is assigned to the spam variable.

Then, the reference in spam is copied to cheese. Only a new reference was created and stored in cheese, not a new list. Note how both references refer to the same list.

When you alter the list that cheese refers to, the list that spam refers to is also changed, because both cheese and spam refer to the same list.

Identity and the id() Function

Why the weird behavior with mutable lists in the previous section doesn’t happen with immutable values like integers or strings.

We can use Python’s id() function to understand this. All values in Python have a unique identity that can be obtained with the id() function.

> id('Howdy') # The returned number will be different on your machine.  
139789342729024

When Python runs id('Howdy'), it creates the 'Howdy' string in the computer’s memory. The numeric memory address where the string is stored is returned by the id() function. Python picks this address based on which memory bytes happen to be free on your computer at the time, so it’ll be different each time you run this code.

Like all strings, 'Howdy' is immutable and cannot be changed. If you “change” the string in a variable, a new string object is being made at a different place in memory, and the variable refers to this new string. For example, enter the following into the interactive shell and see how the identity of the string referred to by bacon changes:

>>> bacon = 'Hello'  
>>> id(bacon)  
139789339474704  
>>> bacon += ' world!' # A new string is made from 'Hello' and ' world!'.  
>>> id(bacon) # bacon now refers to a completely different string.  
139789337326704

However, lists can be modified because they are mutable objects. The append() method doesn’t create a new list object; it changes the existing list object. We call this modifying the object in-place.

>>> eggs = ['cat', 'dog'] # This creates a new list.  
>>> id(eggs)  
139789337916608 
>>> eggs.append('moose') # append() modifies the list "in place".  
>>> id(eggs) # eggs still refers to the same list as before.  
139789337916608  
>>> eggs = ['bat', 'rat', 'cow'] # This creates a new list, which has a new identity.  
>>> id(eggs) # eggs now refers to a completely different list.  
139789337915136

Passing References

References are particularly important for understanding how arguments get passed to functions. When a function is called, the values of the arguments are copied to the parameter variables. For lists (and dictionaries, which I’ll describe in the next chapter), this means a copy of the reference is used for the parameter.

def eggs(someParameter):  
    someParameter.append('Hello')  
  
spam = [1, 2, 3]  
eggs(spam)  
print(spam)

Notice that when eggs() is called, a return value is not used to assign a new value to spam. Instead, it modifies the list in place, directly. When run, this program produces the following output:

[1, 2, 3, 'Hello']

Even though spam and someParameter contain separate references, they both refer to the same list. This is why the append('Hello') method call inside the function affects the list even after the function call has returned.

Keep this behavior in mind: forgetting that Python handles list and dictionary variables this way can lead to confusing bugs.

The copy Module’s copy() and deepcopy() Functions

Although passing around references is often the handiest way to deal with lists and dictionaries, if the function modifies the list or dictionary that is passed, you may not want these changes in the original list or dictionary value. For this, Python provides a module named copy that provides both the copy() and deepcopy() functions. The first of these, copy.copy(), can be used to make a duplicate copy of a mutable value like a list or dictionary, not just a copy of a reference.

>>> import copy  
>>> spam = ['A', 'B', 'C', 'D']  
>>> id(spam)  
139789337916608  
>>> cheese = copy.copy(spam)  
>>> id(cheese) # cheese is a different list with different identity.  
139789337915776  
>>> cheese[1] = 42  
>>> spam  
['A', 'B', 'C', 'D']  
>>> cheese  
['A', 42, 'C', 'D']

Now the spam and cheese variables refer to separate lists, which is why only the list in cheese is modified when you assign 42 at index 1.

If the list you need to copy contains lists, then use the copy.deepcopy() function instead of copy.copy() The deepcopy() function will these inner lists as well.

Projects

There are following project given in the book. Check their code at my GitHub.

A Short Program: Conway’s Game of Life

Conway’s Game of Life is an example of cellular automata: a set of rules governing the behavior of a field made up of discrete cells. In practice, it creates a pretty animation to look at. You can draw out each step on graph paper, using the squares as cells. A filled-in square will be “alive” and an empty square will be “dead.” If a living square has two or three living neighbors, it continues to live on the next step. If a dead square has exactly three living neighbors, it comes alive on the next step. Every other square dies or remains dead on the next step.

Four steps in a Conway’s Game of Life Simulation

Four steps in a Conway’s Game of Life Simulation

Even though the rules are simple, there are many surprising behaviors that emerge. Patterns in Conway’s Game of Life can move, self-replicate, or even mimic CPUs. But at the foundation of all of this complex, advanced behavior is a rather simple program.

We can use a list of lists to represent the two-dimensional field. The inner list represents each column of squares and stores a '#' hash string for living squares and a ' ' space string for dead squares.

Comma Code

Say you have a list value like this:

spam = ['apples', 'bananas', 'tofu', 'cats']

Write a function that takes a list value as an argument and returns a string with all the items separated by a comma and a space, with and inserted before the last item. For example, passing the previous spam list to the function would return 'apples, bananas, tofu, and cats'. But your function should be able to work with any list value passed to it. Be sure to test the case where an empty list [] is passed to your function.

Coin Flip Streaks

For this exercise, we’ll try doing an experiment. If you flip a coin 100 times and write down an “H” for each heads and “T” for each tails, you’ll create a list that looks like “T T T T H H H H T T.” If you ask a human to make up 100 random coin flips, you’ll probably end up with alternating head-tail results like “H T H T H H T H T T,” which looks random (to humans), but isn’t mathematically random. A human will almost never write down a streak of six heads or six tails in a row, even though it is highly likely to happen in truly random coin flips. Humans are predictably bad at being random.

Write a program to find out how often a streak of six heads or a streak of six tails comes up in a randomly generated list of heads and tails. Your program breaks up the experiment into two parts: the first part generates a list of randomly selected ‘heads’ and ’tails’ values, and the second part checks if there is a streak in it. Put all of this code in a loop that repeats the experiment 10,000 times so we can find out what percentage of the coin flips contains a streak of six heads or tails in a row. As a hint, the function call random.randint(0, 1) will return a 0 value 50% of the time and a 1 value the other 50% of the time.

You can start with the following template:

import random  
numberOfStreaks = 0  
for experimentNumber in range(10000):  
    # Code that creates a list of 100 'heads' or 'tails' values.  
  
    # Code that checks if there is a streak of 6 heads or tails in a row.  
print('Chance of streak: %s%%' % (numberOfStreaks / 100))

Of course, this is only an estimate, but 10,000 is a decent sample size. Some knowledge of mathematics could give you the exact answer and save you the trouble of writing a program, but programmers are notoriously bad at math.

Character Picture Grid

Say you have a list of lists where each value in the inner lists is a one-character string, like this:

grid = [['.', '.', '.', '.', '.', '.'],  
        ['.', 'O', 'O', '.', '.', '.'],  
        ['O', 'O', 'O', 'O', '.', '.'],  
        ['O', 'O', 'O', 'O', 'O', '.'],  
        ['.', 'O', 'O', 'O', 'O', 'O'],  
        ['O', 'O', 'O', 'O', 'O', '.'],  
        ['O', 'O', 'O', 'O', '.', '.'],  
        ['.', 'O', 'O', '.', '.', '.'],  
        ['.', '.', '.', '.', '.', '.']]

Think of grid[x][y] as being the character at the x- and y-coordinates of a “picture” drawn with text characters. The (0, 0) origin is in the upper-left corner, the x-coordinates increase going right, and the y-coordinates increase going down.

Copy the previous grid value, and write code that uses it to print the image.

..OO.OO..  
.OOOOOOO.  
.OOOOOOO.  
..OOOOO..  
...OOO...  
....O....

Hint: You will need to use a loop in a loop in order to print grid[0][0], then grid[1][0], then grid[2][0], and so on, up to grid[8][0]. This will finish the first row, so then print a newline. Then your program should print grid[0][1], then grid[1][1], then grid[2][1], and so on. The last thing your program will print is grid[8][5].

Also, remember to pass the end keyword argument to print() if you don’t want a newline printed automatically after each print() call.

Section 7: Dictionaries and Structuring Data

IT & SysAdmin

Google IT Support Professional Certificate

Google IT Support Professional Certificate, course consists of 5 individual courses, and each of those courses are further subdivided into different modules.

1. Technical Support Fundamentals

Technical Support Fundamentals is a first course of Google IT Support Professional Certificate.

It has been sub-divided into the following modules…

2. The Bits and Bytes of Computer Networking

This course delves deep into computer networking and transport layers.

It has following sub-modules…

3. Operating Systems and You: Becoming a Power User

It teaches about the inner workings of computer operating systems, and how manipulate and control different processes running on a computer.

This course has following sub-modules…

4. System Administration and IT Infrastructure Services

This is all about managing different IT services, including public and private cloud, platform services (PAAS, SAAS, IAAS). Also it teaches about data different backup solution and data recovery techniques.

This courses is sub-divided into 6 weeks of study program, which has 5 sub-topics and a final project…

5. IT Security: Defense against the Digital Dark Arts

This course teaches about the best security practices and as well as methods to defend against evolving digital threats.

It has 6 sub-modules about different security related topics and a 7th project module…

IBM IT Support Professional Certificate

1. Introduction to Technical Support

This is the IBM version of introduction to IT Support. But it also gives information about different ticketing systems and service level agreements. It provides details about job opportunities and different skill levels in the field.

It has following sub-modules…

2. Introduction to Hardware and Operating Systems

This course is all about building computers and installing different operating systems on them. It also explains about computer connectors and their types, and peripheral devices. In the end, it gives details about how to troubleshoot a system step by step.

It has been divided into following modules…

3. Introduction to Software, Programming, and Databases

It goes into details about different computing platforms and types of software applications. It also lists down the available web-browsers, types of cloud computing, basics of programming and types of database queries.

It has following 4 sub-modules…

4. Introduction to Networking and Storage

It teaches about the types of networks, like LAN, WAN etc. It lists down the storage types and also goes into the details of troubleshooting common networking problems like DNS issues etc.

This course has following sub-topics…

5. Introduction to Cybersecurity Essentials

This courses teaches about:

  • Everyday digital threats like viruses, malware, social engineering etc.
  • How to remain safe online and how to use password management techniques to remain protected.
  • While surfing the web, how to avoid phishing and other threats.

and more…

It has 4 sub-modules…

6. Introduction to Cloud Computing

Learning opportunities are:

  • PaaS, IaaS, SaaS
  • Private, public and hybrid cloud models
  • Types virtual machines, hypervisors etc

and more…

This course talks about these topics…

Subsections of IT & SysAdmin

Google IT Support Professional Certificate

Google IT Support Professional Certificate, course consists of 5 individual courses, and each of those courses are further subdivided into different modules.

1. Technical Support Fundamentals

Technical Support Fundamentals is a first course of Google IT Support Professional Certificate.

It has been sub-divided into the following modules…

2. The Bits and Bytes of Computer Networking

This course delves deep into computer networking and transport layers.

It has following sub-modules…

3. Operating Systems and You: Becoming a Power User

It teaches about the inner workings of computer operating systems, and how manipulate and control different processes running on a computer.

This course has following sub-modules…

4. System Administration and IT Infrastructure Services

This is all about managing different IT services, including public and private cloud, platform services (PAAS, SAAS, IAAS). Also it teaches about data different backup solution and data recovery techniques.

This courses is sub-divided into 6 weeks of study program, which has 5 sub-topics and a final project…

5. IT Security: Defense against the Digital Dark Arts

This course teaches about the best security practices and as well as methods to defend against evolving digital threats.

It has 6 sub-modules about different security related topics and a 7th project module…

Subsections of Google IT Support

Subsections of IT Fundamentals

Introduction to IT

It is the first module, of the Technical Support Fundamentals.

What is IT?

The use of digital technology, like computers and the internet, to store and process data into useful information.

  • Digital Divide: The lack of digital literacy among the masses.

Role of IT Support Specialist

  • Managing
  • Installing
  • Maintaining
  • Troubleshooting
  • Configuring

History of Computing

From Abacus to Analytical Engine

Computer

A device that stores and process data performing calculations.

Abacus

The oldest known computer, invented in 500 BC to count large numbers.

Mechanical Engine of 17th Century

It was able to perform summation, subtraction, multiplication, and division but still need human intervention to operate its knob and levers.

Invention of Punch Cards in 18th century shaped the world of computing

Charles Babbage invented the Difference Engine

It was a combination of sophisticated mechanical calculators and was able to perform pretty complex mathematical operations but not much else.

Analytical Engine

Babbage followed his Difference Engine with an Analytical Engine, he was inspired by Punch Cards, and it was able to perform automatic calculations without human interaction.

But it was still a giant Mechanical Computer, though being impressive.

Invention of Algorithms

A Mathematician, Ada Lovelace, realize the true potential of the Analytical Engine. She was the first person to recognize that a machine can be used more than just for pure calculations. She developed the first algorithm for the Engine.

Because of this discovery of Lovelace, the Analytical Engine became the first general purpose computing device in the history.

Algorithm

A series of steps that solve specific problems.

Digital Logic

Computer Language

Binary System

The communication that a computer uses, also known as a base-2 numeral system.

  1. Bit: A number in binary.
  2. Byte: A group of 8-bits.
  3. Each bit can store one character, and we can have 256 possible values thanks to the base-2 system (2**8)
  Examples:
    10100011, 11110011, 00001111

Character Encoding

Assigns our binary values to characters, so that we as human can read them.

ASCII

The oldest used character encoding system for English alphabet, digits, punctuation marks.

UTF-8

The most prevalent encoding standard used today. Along with the same ASCII table, it lets us use the variable number of bytes.

Binary

As in Punch Card systems, a hole represents the number 1, and no-hole represents the number 0.

In binary, electrical circuits are used to represent zeros and ones (0s,1s), when current passes through the circuit, the circuit is on, and it represents 1, when no electricity passes, the circuit is closed and represents 0.

Logic gates

Allow our transistors to do more complex tasks, like decide where to send electrical signals depending on logical conditions.

  1. AND logic gate

  2. OR logic gate

  3. NOT logic gate

  4. XOR logic gate

  5. NAND logic gate

  6. XNOR logic gate

How to Count in Binary?

256 128 64 28 16 8 4 2 unit(0,1) Decimal System
                0 0
                1 1
              1 0 2
              1 1 3
            1 0 0 4
            1 0 1 5
            1 1 0 6
            1 1 1 7
          1 0 0 0 8
          1 0 0 1 9
          1 0 1 0 10

Computer Architecture layer

Abstraction

“To take a relatively complex system and simplify it for our use.”

We don’t interact with the computers in the form of 0s and 1s (we actually do), instead an abstraction layer like, keyboard, mouse, error messages instead of showing a bunch of machine code etc.

Software layer

How we as human interact with our computer.

User

User interacts with a computer. One can operate, maintain, and even program the computer.

Introduction to Computer Hardware

Desktops Computers

They are just computers that can fit on or under our desks.

The following are components of a desktop:

  1. Monitor
  2. Keyboard
  3. Mouse
  4. Desktop

Laptops

They have all the components baked-in inside a single chassis.

Ports

To extend the functionality of a computer, we can plug devices into connection points on it.

CPU (Central Processing Unit)

The brain of our computer, it does all the calculations and data processing.

RAM (Random Access Memory)

Our computer’s short-term memory.

Hard Drive

Holds all of our data, which includes all of our music, pictures, applications.

Motherboard

The body or circulatory system of the computer that connects all the pieces together.

  • It holds everything in place, and lets our components communicate with each other. It’s the foundation of our computer.

Power Supply

It converts the wall power supply to the format which our computer can use.

Programs and Hardware

Programs

Instructions that tell the computer what to do.

Hardware

  1. External Data Bus (EDB)/Address Bus -The instruction travel between CPU and RAM through EDB.
  2. Registers
  • They let us store the data that our CPU works with.
  1. Memory Controller Chip
  • The MCC is a bridge between the CPU and the RAM.
  • The MCC grabs the Data from the RAM and sends it through the EDB
  1. Cache
  • CPU also uses cache. Cache is smaller than RAM, but it let us store data that we use often.
  • Cache levels: There are three different level of cache in a CPU
    • L1 L1 is the smallest and the fastest cache.
    • L2
    • L3
  1. Wire Clock:
  • How does our CPU know when the set of instruction ends, and a new one begins. Here comes the Wire Clock in play.
  • “When you send or receive data, it sends a voltage to that clock wire to let the CPU know it can start doing calculations.”
  1. Clock Cycle: When you send a voltage to the clock wire, it is referred to as a clock cycle.
  2. Clock Speed: The maximum number of clock cycles that it can handle in a certain time period.
  3. Over-clocking: There are ways to increase the clock speed of the CPU, called over-clocking. It increases the rate of your CPU clock cycles in order to perform more tasks.
  • Overclocking can increase the performance of low-end CPUs, but it has certain cons attached to it, like overheating, more power usage etc
  • It can lower CPU lifespan as you’re pushing it limits
  • Increased power and heat will degrade most PC components faster

Components

CPU

Instruction Set

Literally, a list of instructions that our CPU is able to run.

  • Adding
  • subtracting
  • copying data
    • When you select your CPU, you’ll need to make sure it’s compatible with your motherboard & the circuit board that connects all your components together.

CPU Socket Types

  1. Land grid array (LGA)
    • pins stick out of the motherboard
  2. pin grid array (PGA)
    • pins are located on the processor itself

Heat Sink

To cool down CPU, attached with a cooler fan.

RAM

  • There are lost of types of RAM, and the one that’s commonly found in computers is DRAM, or dynamic random-access memory.
  • There are also different types of memory sticks that DRAM chips can be put on. The more modern DIMM stick, which usually stand for Dual Inline Memory Module, have different sizes of pins on them.
  1. SDRAM: Stands for synchronous DRAM. This type of RAM is synchronized with our systems’; clock speed, allowing quicker processing of data.
  2. DDR SDRAM:
  • In today’s system, we use another type of RAM, called the double data rate SDRAM or DDR SDRAM for short.

    1. DDR1
    2. DDR2
    3. DDR3
    4. DDR4
  • Just like the CPU, make sure your RAM module is compatible with your motherboard.

Motherboards

Every motherboard has few characteristics:

Chipset

A chipset is a key component of our motherboard that allows us to manage data between our CPU, RAM, and peripherals.

It decides how components talk to each other on our machine:

  1. Northbridge: It interconnects stuff like RAM and video cards. In some CPUs, northbridge directly baked into the CPU itself.
  2. Southbridge: It maintains our IO or input/output controllers, like hard drives and USB devices that input and output data.

Peripherals

External devices we connect to our computer, like a mouse, keyboard, and monitor.

Expansion Slots

Give us the ability to increase the functionality of our computer.

  • The standard for peripheral slot today is PCI Express or Peripheral Component Interconnect Express.

Form Factor

There are different sizes of motherboards available in market toady.

  • Form factor plays an important role in the choice of PCIes
  • You don’t want to respond to a ticked without knowing that a customer bought a GPU which doesn’t fit in the PCIe slot.
  1. ATX (Advanced Technology eXtended)
  • In desktops, you’ll commonly see full sized ATX’s
  1. ITX (Information Technology eXtended) These are much smaller than ATX board, for example Intel NUC uses a variation of ITX, which comes in three form factors: 1) mini-ITX 2) nano-ITX 3) pico-ITX

Storage

  • HDD (Hard disk drive)

  • SDD (solid state drive)

    There are few interfaces that hard drive use to connect our system:

  • ATA ; the most common ATA is serial ATA or SATA

    • SATA drive are hot swappable, meaning you don’t need to turn off your computer to swap them
    • The interface couldn’t keep with speeds of newer SSDs
  • NVM Express or NVMe are used for more modern SSDs and reduces the pitfalls of SATA

kilobyte

The kilobyte is a multiple of the unit byte for digital information.

  • In base 10, one kilobyte is 1000 bytes
  • In base 2, one kilobyte is 1024 bytes

Power Supplies

It converts the AC we get from the wall into low voltage DC that we can use and transmit throughout our computer.

Power supplies have the following components:

  • chassis
  • fan
  • I/O cables
  • power cable

Voltage

  • Be sure to use proper voltage for your electronics

Ampere

An ampere, often abbreviated as “A,” is the unit of electric current in the International System of Units (SI). Electric current is the flow of electric charge through a conductor, such as a wire. One ampere is defined as the amount of current that flows when one coulomb of electric charge passes through a given point in a circuit per second.

In equation form, it can be expressed as:

$$ 1A = 1C/s $$

This means that if a current of 1 ampere is flowing in a circuit, it indicates that 1 coulomb of charge is passing through a particular point in the circuit every second.

Wattage

The amount of volts and amps that a device needs.

  • All kinds of issues are caused by bad power supply, sometimes the computer doesn’t even turn on.
  • Power supplies can fail for lots of reasons like burnouts, power surge, or even lightning strikes.

Mobile Devices

Mobile devices are a computer too. They have:

  • CPUs
  • RAM
  • Storage
  • Power systems
  • Peripherals
    • Mobiles devices can use peripherals too, like headset, micro-USB, USB-C, and lightening USB etc.
    • Mobiles devices can themselves be the peripherals, like Smart-watch, fitness band etc.

Very small mobile devices uses system-on-chip or SoC

System on a Chip (SoC)

Packs the CPU, RAM, and sometimes even the storage onto a single chip

Batteries and Charging Systems

  • Battery can be charged via wireless pads or cradle
  • Rechargeable batteries have limited life span measured in charge cycle

Components require to charge batteries:

  • Charger
  • PSU or power supply unit to control power flow
  • Wall outlet
  • or Solar panel etc

Charge Cycle

One full charge and discharge of a battery.

Peripherals

Anything that you connect to your computer externally that add functionality

Examples:

  • Universal serial bus USB
    • USB 2.0 – transfer speeds of 480 Mb/s
    • USB 3.0 – transfer speeds of 5 Gb/s
    • USB 3.1 – transfer speeds of 10 Gb/s
    • USB 4 – transfer speed of 40 Gb/s
  1. Difference of MB and Mb/s: MB is a megabyte, unit of data storage, while Mb/s is a megabit per second, which is a unit of data transfer rate.
  2. DVI: It is generally used for video output, like slide presentation, but for audio you’re out of luck
  3. HDMI: Have audio and video output
  4. Display Port: Also outputs audio and video
  5. Type C connector: It can do power and data transfer

Projector

Projectors are display devices for when you need to share information with people in the same location! Most projectors can be used just like any other display on a computer, and with a few differences, can be troubleshot just like any other display device. For example, projectors can have dead or stuck pixels, and can acquire image burn-in, just like other types of displays.

Starting it Up

BIOS

Our CPU doesn’t know that there is a device that it can talk to, so it has to connect to something called the BIOS

The BIOS is software that helps initialize the hardware in our computer and gets our operating system up and running.

It performs the following functions:

  • Initialize hardware

  • POST or power on self test

  • Checks what devices are connected to the computer

    The BIOS can be stored on the motherboard in the following components:

  • ROM or read only memory

  • More modern systems use UEFI stands for Unified Extensible Firmware Interface

  • Eventually, UEFI will become the predominant BIOS

Drivers

They contain the instructions our CPU needs to understand external devices like keyboards, webcams, printers.

Power ON Self Test or POST

When the computer starts it runs systems checks from time to time, refer to as POST.

CMOS Battery

It stores basic data about booting your computer like the date, time and how you wanted to start up.

Reimaging

A frequently performed IT task is the reimaging of a computer.

It refers to a disk image which a copy of an operating system, the process involves wiping and reinstalling an operating system.

The following devices can be used for reimaging:

  • USB stick
  • CD/DVD
  • Server accessible through the network

Putting all together

To build a PC, we need to take care of certain things:

  • prevent static charge
  • To avoid, static discharge, you can touch two devices you plugged in but not powered on from time to time
  • or wear an anti-static wristband

Building Steps

  • Motherboard: match up holes on motherboard with holes on the desktop
  • CPU: match CPU pointers alignment on the motherboard, don’t forget to buy compatible motherboard and CPU
  • Heat-sink: Before attaching on, we need to put even amount of thermal paste on your CPU
  • Plug molex connector (on Heat sink) to the motherboard to control fan speed
  • Install RAM sticks on motherboard, line up the pins correctly
  • Hard Drive: One SATA cable to connect SSD to mother board
  • Make sure you connect the SATA power to the SSD
  • Case Fans: Check for label on motherboard which says rear fans
  • Power Supply: secure it in the case, big pin power the mother board, other for SATA I/O, 8 pin will power the CPU
  • Plug the cable lying in the case to the mother board, used for buttons, lights etc
  • Fastens the cables
  • GPU: plug in PCIe slot
  • Closed the case
  • Turn it on plugging it to the monitor, keyboard, mouse, and power outlet.

Mobile Device Repair

  • Know and understand RMA or return merchandise authorization
  • Do a factory reset before sending it off-site repair
  • Before the doing reset inform the end user for possible outcomes of losing all the data

Factory Reset

Removes all data, apps, and customization from the device.

Operating Systems

What is an OS?

An operating system (OS) is software that manages computer hardware and facilitates communication between applications and the underlying hardware. It oversees processes, allocating resources like CPU and memory, and provides a file system for data organization. The OS interacts with input/output devices and often includes a user interface for human-computer interaction. It ensures security through features like user authentication and access control. Examples include Windows, macOS, Linux, and mobile OS like Android and iOS. The OS is a fundamental component that enables the proper functioning of computers and devices.

Remote Connection and SSH

Remote Connection

Allows us to manage multiple machines from anywhere in the world.

Secure Shell (SSH)

A protocol implemented by other programs to securely access one computer from another.

  • Popular software to work with SSH, on Linux, OpenSSH program, while on Windows, PuTTY is used.
  • In SSH, a pair of public and private keys is used to authenticate the process.
  • To securely connect to a remote machine, a VPN is used.

VPN

Allows you to connect to a private network, like your work network, over the Internet.

Remote Connections on Windows

PuTTY

A free, open source software that you can use to make remote connections through several network protocols, including SSH.

  • DOING PuTTY can be used from CL, as putty.exe & ssh user@ip\<address>

  • PuTTY comes with a Plink or PuTTYlink program, which can also be used for SSH-ing to other computers.

  • Microsoft provides another way to remotely connect with Windows computer via GUI, called Remote Desktop Protocol (RDP).

Components of an Operating System

Operating System

The whole package that manages our computer’s resources and lets us interact with it.

  • Two main parts
    1. Kernel: Storage and file management, processes, memory control, I/O management
    1. User Space: Everything out of the scope of the Kernel, like application, CLI tools etc

Files and File Systems

File storage include three things:

  1. Data
  2. File handling
  3. Metadata

Block Storage

Improves faster handling of data because the data is not stored as one long piece and can be accessed quicker.

Process Management

Process

A program that is executing, like our internet browser or text editor.

Program

An application that we can run, like Chrome.

Time slice

A very short interval of time, that gets allocated to a process for CPU execution.

Role of Kernel

  • Create processes
  • efficiently schedules them
  • Manages how processes are terminated

Memory Management

Virtual Memory

The combination of hard drive space and RAM that acts like memory that our processes can use.

Swap Space

Allocated Space for virtual memory.

I/O Management

  • Kernel does Input/Output devices by managing their intercommunicating and resource management etc.

Interacting with the OS: User Space

Two ways to interact with the OS

  • Shell

    A program that interprets text commands and sends them to the OS to execute.

  • GUI

Logs

Files that record system events on our computer, just like a system’s diary.

The Boot Process

The computer boots in the following order.

BIOS/UEFI

A low-level software that initializes our computer’s hardware to make sure everything is good to go.

POST

Power on Self Test (POST) is performed to make sure the computer is in proper working order.

Bootloader

A small program that loads the OS.

Kernel

  • System Processes
  • User Space

Networking

Physical Layer

This layer describes that how devices connect to each other at the physical level. On this level, twisted-pair cables and duplexing is used.

Duplex communication has two types;

  1. Half-duplex: Communication is possible only in one direction at a time.

  2. Full-Duplex/Duplex: The information can flow in the both direction at the same time.

The information travels in the form of bits in the Physical layer.

Responsible for defining a common way of interpreting signals coming from the physical layer, so network devices can communicate with each other.

It consists of following protocols;

  1. Wi-Fi
  2. Ethernet

The data sent in this layer in the form of frames. We can identify devices working at the Physical layer by their MAC addresses.

Network Layer

This layer corresponds to the combination of Data Link Layer and Physical Layer of OSI Model. It looks out for hardware addressing and the protocols present in this layer allows for the physical transmission of data.

This layer includes

  • IP addressing

  • Encapsulation

    The unit of data in the network layer is datagram.

Transport Layer

Transport layer is the second layer in TCP/IP model. It is an end-to-end layer used to deliver messages to a host. It is termed an end-to-end layer because it provides a point-to-point connection rather of hop-to-hop, between the source host and destination host to deliver the services reliably. The unit of data in the transport layer is a segment.

Multiplexing and Demultiplexing

Multiplexing allows simultaneous use of different applications over a network that is running on a host. The transport layer provides this mechanism, which enables us to send packet streams from various applications simultaneously over a network. The transport layer accepts these packets from different processes, differentiated by their port numbers, and passes them to the network layer after adding proper headers. Similarly, Demultiplexing is required at the receiver side to obtain the data coming from various processes. Transport receives the segments of the data from the network layer and delivers it to the appropriate process running of the receivers’ machine.

MAC Address

A globally unique identifier attached to the individual network interfaces. It is a 48-bits number, normally represented by 6 groups of 2 hexadecimal numbers.

MAC addresses split up into two categories;

1) Organizationally Unique Identifier (UIO):

The first three groups represent the UIO of the device, which is unique to every organization issuing it. I.e., for Cisco, UIO is 00 60 2F.

2) Vendor Assigned(NIC Cards, interfaces):

The last three octets are assigned by the vendor, depending upon their preferences. Which tells us about that particular device it’s assigned for.

IP Address

An IP address, or Internet Protocol address, is a series of numbers that identifies any device on a network. Computers use IP addresses to communicate with each other, both over the internet and on other networks.

An IP address consists of 4 octets of 8 bits, so it has 32-bits in total. There are two types of IP addresses;

1) IPv4 address

IPv4 addresses consist of 4 octets of decimal numbers, each octet range from 0-255. There are only 4 billion IPv4 addresses to use for us, so we need some other way to assign IPs to the devices to overcome the shortage of IP addresses.

IPv4 addresses are further divided into three major classes;

a) Class-A Addresses: These have only the first octet for network ID, and the rest for the host IDs.

b) Class-B Addresses: These have the first 2 octets for network IDs, and the rest for the host IDs.

c) Class-C addresses: These have first 3 octets for Network IDs, and the only last one for host IDs.

2) IPv6 Addresses

IPv6 addresses has 132-bit of hexadecimal numbers, it has 2^128 IP addresses, which solves our problem of IP address shortage.

TCP Port

A 16-bit number that’s used to direct traffic to specific services running on a networked computer.

There are almost, 65535 ports available to use which are categorized as follows;

Port 0 used for internal traffic between different programs on the same computer.

Ports 1-1024 are called system ports or well known ports. These are used for some well known services such HTTP, FTP, SMTP and require admin level privileges for the port to be accessed.

Ports 1025-49151 are called registered ports. They are used for the services not well known as used by system ports. They don’t require admin level access for the port to be accessed.

Ports 49152-65535 are called ephemeral ports. They are used for establishing outbound connections.

Checksum Check

A checksum is a value that represents the number of bits in a transmission message and is used by IT professionals to detect high-level errors within data transmission.

The common algorithm used for checksum is MD5, SHA-2 etc

Routing Table

A routing table is a set of rules, often viewed in table format, that is used to determine where data packets traveling over an Internet Protocol (IP) network will be directed. All IP-enabled devices, including routers and switches, use routing tables.

Destination Subnet mask Interface
128.75.43.0 255.255.255.0 Eth0
128.75.43.0 255.255.255.128 Eth1
192.12.17.5 255.255.255.255 Eth3
default Eth2

Entries of an IP Routing Table:

A routing table contains the information necessary to forward a packet along the best path toward its destination. Each packet contains information about its origin and destination. The routing table provides the device with instructions for sending the packet to the next hop on its route across the network.

Each Entry in the routing table consists of the following route.

1) Network ID:

The network ID or destination corresponding to the route.

2) Subnet Mask:

The mask that is used to match a destination IP address to the network ID.

3) Next Hop:

The IP address to which the packet is forwarded.

4) Outgoing Interface:

Outgoing interface the packet should go out to reach the destination network.

5) Metric:

A common use of the metric is to indicate the minimum number of hops (routers crossed) to the network ID.

Routing table entries can be used to store the following types of routes:

  • Directly Attached Network IDs
  • Remote Network IDs
  • Host Routes
  • Default Routes
  • Destination

TTL

Time-to-live (TTL) in networking refers to the time limit imposed on the data packet to be in-networking before being discarded. It is an 8-bit binary value set in the header of Internet Protocol (IP) by sending the host. The Purpose of a TTL is to prevent data packets from being circulated forever in the network. The maximum TTL value is 255, while the commonly used one is 64.

What is Software?

Coding

Translating one language to another.

Scripting

Coding in a scripting language.

  • Scripts Mainly used to perform a single or limited range task.

Programming

Coding in a programming language.

Programming Languages

Special languages that software developers use to write instructions for computers to execute.

Types of Software

  • Commercial Software
  • Open-source Software

Application Software

Any software created to fulfill a specific need, like a text editor, web browser, or graphic editor.

System Software

Software used to keep our core system running, like OS tools and utilities.

Firmware

Software that is permanently stored on a computer component.

Revisiting abstraction

The concept of taking a complex system and simplifying it for use.

Recipe for Computer

Assembly language

Allowed computer scientists to use human-readable instructions, assembled into code, that the machine could understand.

Compiled programming languages

Uses human-readable instructions, then sends them through a compiler.

Interpreted programming languages

The script is run by an interpreter, which interprets the code into CPU instructions just in time to run them.

Troubleshooting Best Practices

1) Ask Questions

  • Ask good questions to get more information about the problem.
  • IT Support is about working in the service of others. Always try to create a positive experience for the user.

2) Isolating the Problem

  • Shrink the scope of the Problem by asking good questions and looking at root cause.

3) Follow the Cookie Crumbs

  • Go back to the time when the issue started.
  • Look at the logs at time of crash.
  • Start with the Quickest Step First

4) Troubleshooting Pitfalls to Avoid

  • Going into autopilot mode.
  • Not finding the Root Cause.

Troubleshooting

The ability to diagnose and resolve an issue.

Root Cause

The main factor that is causing a range of issues.

Customer Service

Intro to Soft Skills

  • Build the trust between you and the User.

  • Know the Company Policies about handling support request.

    Following are some important features for IT Support.

  • Exhibiting empathy

  • Being conscious of your tone

  • Acknowledge the Person

  • Developing the trust

Anatomy of an Interaction

  • Learn to say “Hello” in a friendly way.
  • Good grammar during text/email support.
  • Just be professional, acknowledge the user, and show them some respect.
  • Respond to User Questions nicely.
  • Just clarify the issue beforehand while going for troubleshooting steps.
  • During a remote support session, tell the user when you are running certain commands.
  • The last five minutes of the process set the overall impact, so end on positive terms with the user.

How to Deal with Difficult Situations

  • What you face a difficult situation, relax, and think about what went wrong? How are you feeling? What was your reaction? Why did you raise your voice? Discuss with your peers the situation and get their feedback.
  • Try to be alerted, when interaction goes sideways, and redirect the conversation.
  • Try to see things from others people’s point of view.

Documentation

Ticketing Systems and Documenting Your Work

Some ticketing systems help track the user issues.

  • Bugzilla

  • JIRA

  • Redmine

    Using the ticketing system and documentation is important for two reasons.

  • It keeps the user in the loop.

  • It helps you audit your steps in case you need to go back and see what you did.

Tickets

A common way of documenting an issue.

Bugs

Issues with the system that weren’t caused by an external source.

System and processes are always changing, so should your documentation.

Always write documentation that is easy to read and follow for your user.

Getting Through a Technical Interview

Standing Out from the Crowd

  • Make sure you have a good and updated online presence and fine-grained resume to stand out from the crowd.
  • Research about the company you are applying for.

Resume

Your resume is your first introduction to a new company.

  • If you are a new graduate, or are still studying, you’ll want to include a few additional details, like interesting projects that you did during your studying or highlight an elective subject that you took. After a few years of professional experience, though, you may simply include the degree, year, and location.
  • Functional or skill based resume format works fresh graduates or candidates with limited work experience: The focus of this format is more around your skill set, rather than your work experience. You can include a brief summary of qualifications, followed by a list of skills with examples for each. This format works well for candidates with less employment history, but lots of applicable skills.
  • For relevant skills. You want to include the general topics that you are knowledgeable about, as in customer support, networking, system administration, programming, etc. You may list the Operating Systems that you’ve worked with and the programming languages that you are skilled in, but don’t try to list every networking protocol you’ve heard about or every IT tool that you’ve ever used. The noise distracts from the relevant information.
  • Regardless of the format you decide to use (chronological, functional, etc.), make sure you keep the format and structure consistent throughout. For example, if you use full sentences for your bullets, be sure to use that format for all of them and include proper punctuation and grammar. Check your font sizes and styles to ensure those are consistent as well.

Tailoring the resume

  • Good practice to check if your resume match with the job description.
  • Tailor your resume to each job you are applying for.
  • Add your relevant experience for the job, no matter where you got if from.

Your online Presence

  • Keep your linked-in and other social media up-to-date
  • Writing a summary that tell both your current role (if applicable) and your career aspiration.
  • LinkedIn profiles are much more in depth than resumes. You can include specific accomplishments from as many roles as you like, but use the same format as your resume (Action Verb + specific task + quantifiable point).
  • Adding in personal projects can also be helpful, especially if you have something tangible to show from it. For example, if you’ve created an application, a website, or similar type of product as part of a hobby or school project, include it and provide a link to it.
  • Just like a resume, list your skills, your experience and what you are looking for as your next step. Make sure that you include all the relevant background information that a recruiter looking at your profile might be interested in. Make sure you are descriptive, don’t assume the reader will have context.

Getting Ready for the Interview

  • Mock Interview: Pretending that you are in an interview, even if it is not real, will help you perform your best.
  • Practice to explain ideas for non-technical audience will make you better equipped for an interview.
  • Actively listen to the other person, maintaining eye-contact. Ask relevant questions.
  • Don’t try to memorize the answers, just try to practice with different conceptual approaches to get better at explaining stuff.
  • You can memorize your Elevator Pitch.

Elevator Pitch

A short summary of who you are and what kind of career you are looking for.

Creating Your Elevator Pitch

An elevator pitch is a short description of yourself. The name comes from the fact that you want it to be so short that you can deliver it to someone that you are meeting in an elevator ride.

  • The goal of the elevator pitch is to explain who you are, what you do, and why the other person should be interested in you.
  • In an interviewing context, you want to be able to quickly define who you are, what your current role is and what your future goals are.
  • Remember that you want to keep it personal, you want to get the attention of the other person and let them know why they are interested in you.

Examples

  • 1) If you are a student, you will want to include what and where you are studying, and what you are looking to do once you have graduated.

Hi! I’m Jamie, I’m in my senior year at Springfield University, studying Computer Science. I enjoy being able to help people and solve problems, so I’m looking forward to putting my tech skills into practice by working as an IT Support Specialist after I graduate.

  • 2) If you already have a job, looking for a change. You will include what you do and what different you are looking for.

Hi! I’m Ellis, I’ve been working at X Company as an IT Support Specialist for the past two years. During those years, I’ve learned a lot about operating systems and networking, and I’m looking to switch to a system administrator position, where I can focus on large scale deployments.

What to Expect During the Technical Interview

  • A good Interviewer may push you to the limits of your knowledge.
  • If you don’t know the answer, don’t say just say, I don’t know; Rather explain how would you solve it by going around it.
  • Having a good problem-solving strategy is more important than knowing all the answers.
  • If the question is a bit complex, think out loud to keep the interviewer on your thought train, and before going straight into the solution, break into pieces.
  • When you mention concepts or technologies, you should be ready to explain them and articulate why you may choose one thing over another.
  • It is OK, and even expected, to ask the interviewer follow-up questions to ensure that the problem is correctly framed.
  • Take notes when an issue involves many steps, but don’t feel the necessity to write everything during an interview.

Showing Your Best Self During the Interview

  • Take a good sleep at night.
  • Don’t try to cram information at the last minute.
  • Ask for pen and paper for notes during an interview.
  • Be sure to fully present for the duration of the interview.
  • Be yourself.
  • Ask questions about the things that you care about.
  • Remember to slow down.

Subsections of Computer Networking

Introduction to Networking

What is Networking?

Basics of Networking

Network

An interconnection of Computers.

The Internet

The physical connection of computers and wires around the world.

The Web

The information present on the Internet.

Networking

In an IT field, managing, building, and designing networks.

Networking Hardware

  • Ethernet Cables
  • Wi-Fi
  • Fiber Optics
  • Router
  • ISP Network
  • Switches and Hubs

Network Stack

A set of hardware or software that provides the infrastructure for a computer.

Language of the Internet

IP

Delivers packets to right computers.

TCP

Delivers information from one network to another.

The Web

  • URL
  • Domain Name (registered with ICANN: internet corporation for assigned names and numbers)
  • DNS

Limitations of the Internet

History of the Internet

  • 1960s DARPA project introduced with the earliest form of Internet called ARPANET.
  • 1970s invention of TCP/IP made possible the interconnection of computers and different networks.
  • 1990s was the start of World Wide Web (WWW).

Limitations of the Internet

  • IPV4 addresses are limited, only >4 billion.
  • IPV6 addresses solve this problem with 2128 addresses, but adaptation is slow and expensive.

Network Address Translation (NAT)

Lets an organization use one public IP address and many private IP addresses within the network.

Impact of the Internet

Globalization

The movement that lets governments, businesses, and organizations communicate and integrate together on an international scale.

Internet of Things (IOT)

Smart devices like thermostat, refrigerators, and other home appliances as well as every day smart devices which are being connected to the internet thanks to the IOT.

Privacy and Security

  • GDPR (General Data Protection Regulation)
  • COPPA (Children Online Privacy Protection Act)
  • Copyright Laws

Introduction to Computer Networking

Protocol

A defined set of standards that computers must follow in order to communicate properly.

Computer Networking

The name we’ve given to the full scope of how computer communicate with each other.

  • TCP/IP five layered network model

The Basics of Networking Devices

Cables

“Connect different devices to each other, allowing data to be transmitted over them.”

  • Copper Cables

    • Change voltage to get binary data
    • The most common forms of copper twisted-pair cables used in networking are Cat5, Cat5e, and Cat6 cables

    Types of Twisted-Pair Copper Cables Types of Twisted-Pair Copper Cables

    Crosstalk: “When an electrical pulse on one wire is accidentally detected on another wire.”

  • Fiber Optic Cables

    Contain individual optical fibers, which are tiny tubes made out of glass about the width of a human hair.

  • Unlike copper cables, fibers use light pulses to send 1s and 0s

Hubs and Switches

Hub

A physical layer device that allows for connections from many computers at once.

Hubs’s Working Hubs’s Working

  • Layer 1 device

  • Collision domain: A network segment where only one device can communicate at a time.

  • If multiple systems try sending data at the same time, the electrical pulses sent across the cable can interfere with each other.

    Data Collision Data Collision

Network Switch

  • Layer 2 device
  • Can direct traffic to a particular node on network, so reduces Collision Domain

Routers

  • The primary devices used to connect computers on a single network, usually referred to as a LAN or local area network

A device that knows how to forward data between independent networks

  • Layer 3 (network) device
  • Core ISP routers (More complex than home routers) form the backbone of the internet.

Servers and Clients

Server Provide data to some client, requesting it

  • Vague definition, as individual programs running on the computer can also act a server

The TCP/IP Five-Layer Network Model

1) Physical Layer

Represents the physical devices that interconnect computers.

  • 10 Base T, 802.11

  • Bits

    The smallest representation of data that a computer can understand; it’s a one or zero

  • 1s and 0s are sent across the network using modulation

    Modulation: A way of varying the voltage of charge moving across the cables

  • When using modulation in computer networks, it’s called Line coding

Twisted-Pair Cabling and Duplexing

  • Most common
  • Twisted-Pair to avoid interference & crosstalk

Duplex Communication: The concept that information can flow in both directions across the globe

Simplex Communication: This is unidirectional

Simplex and Duplex Communication Simplex and Duplex Communication

Network Ports and Patch Panels

  • Twisted-Pair Cables end with the plug which takes the wires and act as a connector

  • The most common plug RJ45

    Plugs and Connector Plugs and Connector

    Network Ports: They are generally directly attached to the devices that make up a computer network

  • Most network ports have two small LEDs

    Activity LED: Would flash when data actively transmitted across the cable

    Link LED: Lit when cable properly connected to two devices that are both powered on

  • Sometimes a network port isn’t connected directly to a device. Instead, there might be network ports mounted on a wall or underneath your desk. These ports are generally connected to the network via cables, run through the walls, that eventually end at a patch panel.

    Patch Panel: A device containing many network ports. But it does no other work.

Responsible for defining a common way of interpreting these signals so network devices can communicate.

  • Ethernet: The Ethernet standards also define a protocol responsible for getting data to nodes on the same network.
  • WI-FI
  • Frames
  • Mac-Address

Ethernet and MAC Addresses

  • Ethernet is the most common means of sending data

  • Ethernet solves Collision domain by using a technique known as carrier sense multiple access with collision detection (CSMA/CD).

    CSMA/CD: Used to determine when the communications channels are clear, and when device is free to transmit data

    MAC Address: A globally unique identifier attached to an individual network interface

    • It’s a 48- bit number normally represented by six groupings of two hexadecimal numbers
    • Hexadecimal: A way to represent numbers using 16 digits

    Hexadecimal Numbers Hexadecimal Numbers

    • Another way to represent MAC Address is Octet
    • Octet: In computer networking, any number can be represented by 8 bits
    • MAC-Address is split in two categories

    1) Organizationally Unique Identifier(OUI): The first three octets of a MAC address

    2) Vendor Assigned(NIC Cards, Interfaces): Last three octets are assigned by the vendor, depending upon their preferences.

    MAC Address Types MAC Address Types

    • Ethernet uses MAC addresses to ensure that the data it sends has both an address for the machine that sent the transmission, and the one the transmission was intended for.

Uni-cast, Multicast and Broadcast

  • Uni-cast

    A uni-cast transmission is always meant for just one receiving address

    Unicast Unicast

    • It’s done by looking at a specific bit in the destination MAC address
    • If the least significant bit in the first octet of a destination address is set to zero, it means that an Ethernet frame is intended for only the destination address.
    • If the least significant bit in the first octet of a destination address is set to one, it means you’re dealing with a Multicast frame.

    Multicast Multicast

  • Broadcast

    An Ethernet Broadcast is sent to every single device on a LAN

    • This is accomplished by a special address known as Broadcast address
    • Ethernet broadcast are used, so devices can learn more about each other
    • Ethernet broadcast address used is FF:FF:FF:FF:FF:FF:FF

    Broadcast Broadcast

Dissecting an Ethernet Frame

  • Data Packet

    An all-encompassing term that represents any single set of binary data being sent across a network link

  • Ethernet Frame

    A highly structured collection of information presented in a specific order

    Ethernet Frame Ethernet Frame

    • The first part of an Ethernet frame is called a preamble.

    Preamble: 8 bytes (or 64 bits) long, and can itself split into two sections

    • Preamble can split into two part of 1 byte of series of 1s and 0s
    • Last frame in preamble is called Start frame delimiter (SFD)

    Signals to a receiving device that the preamble is over and that the actual frame contents will now follow

    • Next is Destination MAC address

    The hardware address of the intended recipient

    • Followed by Source Address
    • The next part of Ethernet Frame is EtherType field

    16 bits long and used to describe the protocol of the contents of the frame

    • WE can use VLAN header in place of EtherType field

    Indicates that the frame itself is what’s called a VLAN frame

    • If a VLAN header is present, the EtherType field follows it.

    Virtual LAN (VLAN): A technique that lets you have multiple logical LANs operating on the same physical equipment

    • VLANs, use to segregate different type of network traffic

    Vlan Network Vlan Network

    • The next part of Ether frame is payload

    In networking terms, is the actual data being transported, which is everything that isn’t a header.

    • Following payload is, Frame Check Sequence (FCS)

    A 4-byte (or 32-bit) number that represents a checksum value for the entire frame

    • This checksum value is calculated by performing what’s known as a cyclical redundancy check against the frame.

    Cyclic Redundancy Check (CRC): An important concept for data integrity, and is used all over computing, not just network transmissions

3) Network Layer

Allows different networks to communicate with each other through devices known as routers.

  • IP: IP is the heart of the Internet and smaller networks around the world.
  • Datagram
  • IP Address

Inter-network

A collection of networks connected together through routers, the most famous of these being the Internet.

4) Transport Layer

Sorts out which client and server programs are supposed to get that data.

  • TCP/UDP
  • Segment
  • Ports

5) Application Layer

There are lots of different protocols at this layer, and as you might have guessed from the name, they are application-specific. Protocols used to allow you to browse the web or send, receive email are some common ones.

  • HTTP, SMTP etc.
  • Messages

The Network Layer

IP Addresses

  • 32 bit long

  • 4 octets describe in decimal number

  • Each octet range from 0 to 255

  • IP Addresses belong to Networks, not to the devices attached to those networks

    When connecting to a network, an IP address is assigned automatically by Dynamic Host Configuration Protocol (DHCP)

    IP address assigned by DHCP is called Dynamic IP address

  • Other type is static IP addresses

  • In most cases, static IP addresses are reserved for servers and networks devices, while Dynamic IP addresses are reserved for clients

IP Datagrams and Encapsulation

  • IP Datagram

    A highly structured series of fields that are strictly defined.

IP Datagram Header

  • Version

    IPv4 is more common than IPv6

  • Header Length field

    Almost always 20 bytes in length when dealing with IPv4

  • Service Type field

    These 8 bits can be used to specify details about quality of service, or QoS, technologies

  • Total Length field

    Indicates the total length of the IP datagram it’s attached to

  • Identification field

    A 16-bit number that’s used to group messages together

    The maximum size of a single datagram is the largest number you can represent with 16 bits which is 65535 If the total amount of data that needs to be sent is larger than what can fit in a single datagram, the IP layer needs to split this data up into many individual packets

  • Next are closely related Flags and Fragment Offset fields

  • Flags field

    Used to indicate if a datagram is allowed to be fragmented, or to indicate that the datagram has already been fragmented

    • Fragmentation

    The process of taking a single IP datagram and splitting it up into several smaller datagrams

  • Time to Live (TTL) field

    An 8-bit field that indicates how many router hops a datagram can transverse before it’s thrown away

  • Protocol field

    Another 8-bit field that contains data about what transport layer protocol is being used, the most common ones are TCP and UDP

  • Header checksum field

    A checksum of the contents of the entire IP datagram header

  • Source IP address (32-bits)

  • Destination IP address (32-bits)

  • IP Options field

    An optional field and is used to set special characteristics for datagrams primarily used for testing purposes

  • Padding field

    A series of zeros used to ensure the header is of correct total size, due to variable size to option field

Encapsulation

IP datagram is basically the payload section of network layer, the process involved is called Encapsulation.

  • Entire content IP datagram are encapsulated in the form of IP payload of 3rd layer

IP Datagrams IP Datagrams

IP Address Classes

  • IP addresses can be split into two sections: the network ID and host ID

    IP Address Classes IP Address Classes

Address class system

A way defining how the global IP address space is split up.

  • Three Types of IP addresses, ClassA, ClassB, ClassC
  • ClassA

Only first octet is used for network ID, rest is used for host ID.

  • ClassB

Only the first two octets are used for network ID, the rest are used for host ID.

  • ClassC

First three octets used for network ID, the last one used for host ID.

IP Address Classes IP Address Classes

Address Resolution Protocol (ARP)

A protocol used to discover the hardware address of a node with a certain IP address.

ARP table

A list of IP addresses and the MAC addresses associated with them.

  • ARP table entries generally expire after a short amount of time to ensure changes in the network are accounted for.

Subnetting

The process of taking a large network and splitting it up into many individual and smaller subnetworks, or subnets.

  • Class-C subnetting table.

    Subnetting Table Subnetting Table

Subnet Masks

32-bits numbers that are normally written out as four octets in decimal.

OR

A way for a computer to use AND operators to determine if an IP address exists on the same network.

  • A single 8-bit number can represent 256 different numbers, or more specifically, the numbers 0-255.

Subnet ID

  • Generally, an IP address consists of Network ID and Host ID

  • In Subnetting world, Host ID is further divided into Subnet ID to identify the subnet mask.

    Subnet ID Subnet ID

Basic Binary Math

Basic Binary Table Basic Binary Table

  • Two of the most important operators are OR and AND.
  • In computer logic, a 1 represents true and a 0 represents false.

CIDR (Classless Inter-Domain Routing)

  • Addresses should be continuous
  • Number of addresses in a block must be in power of 2
  • First address of every block must be evenly divisible with the size of the block

Demarcation point

To describe where one network or system ends and another one begins.

CIDR CIDR

Routing

Basic Routing Concepts

Router

A network device that forwards traffic depending on the destination address of that traffic.

Basic Routing Basic Routing

Routing Tables

  • Destination Network

    Destination Network Destination Network

  • Next Hop

  • Total Hops

  • Interface

Routing Protocols

  • Routing protocols fall into two main categories: interior gateway protocols and exterior gateway protocols.
  • Interior Gateway Protocols
    • Link state routing protocols
    • distance-vector protocols

Interior Gateway Protocols

Used by routers to share information within a single autonomous system.

Autonomous system

“A collection of networks that all fall under the control of a single network operator.”

Interior Gateway Protocols Interior Gateway Protocols

In computer science, a list is known as a vector.

Exterior Gateway Protocol

Internet Assigned Numbers Authority (IANA)

“A non-profit organization that helps manage things like IP address allocation.”

  • Also, responsible for ASN allocation

Autonomous System Number (ASN)

Numbers assigned to individual autonomous systems.

  • 32-bits long as IP addresses

  • But has only single decimal block instead of 4 octets

    The Internet The Internet

Non-Routable Address Space

  • IPv4 standard doesn’t have enough IP addresses
  • There are non-routable address spaces, set aside for internal use only and couldn’t free communicate on the free internet

Transport Layer and Application Layer

The Transport Layer

“Allows traffic to be directed to specific network applications”

  • It handles multiplexing and demultiplexing through ports

    De/multiplexing De/multiplexing

  • Port

A 16-bit number that’s used to direct traffic to specific services running on a networked computer

Port Number Port Number

A Small Company Network Hosted on a Single Server A Small Company Network Hosted on a Single Server

Dissection of a TCP Segment

  • IP datagram encapsulate TCP segment

TCP segment

“Made up of a TCP header and a data section.”

TCP Header

A TCP Header A TCP Header

  • Destination port

    The port of the service the traffic is intended for.

  • Source port

    A high-numbered port chosen from a special section of ports known as ephemeral ports.

  • Sequence number

    A 32-bit number that’s used to keep track of where in a sequence of TCP segments this one is expected to be.

  • Acknowledgement number

    The number of the next expected segment.

  • Data offset field

    A 4-bit number that communicates how long the TCP header for this segment is.

  • Control Flag (See next part)

  • TCP window

    Specifies the range of sequence numbers that might be sent before an acknowledgement is required.

  • TCP checksum

    Operates just like the checksum fields at the IP and Ethernet level.

  • Urgent pointer field

    Used in conjunction with one of the TCP control flags to point out particular segments that might be more important than others. (No real world adoption of this TCP feature)

  • Options field

    It is sometimes used for more complicated flow control protocols. (rarely used in real world)

  • Padding

    Just a sequence of zeros to make sure the data payload section starts at the expected location.

TCP Control Flags and the Three-way Handshake

TCP Control Flags

Not in strict order;

  • URG (urgent)

A value of one here indicates that the segment is considered urgent and that the urgent pointer field has more data about this. (No particular real world use for this flag)

  • ACK (acknowledged)

A value of one in this field means that the acknowledgement number field should be examined.

  • PSH (push)

The transmitting device wants the receiving device to push currently-buffered data to the application on the receiving end asap.

  • RST (reset)

On the sides in a TCP connection hasn’t been able to properly recover from a series of missing or malformed segments.

  • SYN (synchronize)

It’s used when first establishing a TCP connection and makes sure the receiving end knows to examine the sequence number field.

  • FIN (finish)

When this flag is set to one, it means the transmitting computer doesn’t have any more data to send and the connection can be closed.

The Three-way Handshake

  • Handshake

“A way for two devices to ensure that they’re speaking the same protocol and will be able to understand each other.”

A Three-way Handshake A Three-way Handshake

A TCP Handshake A TCP Handshake

The Four-way Handshake

  • Not very common

  • TCP connection when finishes sending data, it sends FIN to request the port closure.

  • Then receiving end responds with ACK flag and connection closes

  • Even though the port, on one end, can simply remain open, and the connection ends without closing it

    A Four-way Handshake A Four-way Handshake

TCP Socket States

Socket

“The instantiation of an end-point in a potential TCP connection.”

Instantiation

“The actual implementation of something defined elsewhere.”

Socket States

  • LISTEN

    A TCP socket is ready and listening for incoming connection.

  • SYN-SENT

    A synchronization request has been sent, but the connection has not been established yet.

  • SYN-RECEIVED

    A socket previously in a LISTEN state has received a synchronization request and sent a SYN/ACK back.

  • ESTABLISHED

    The TCP connection is in working order and both sides are free to send each other data.

  • FIN-WAIT

    A FIN has been sent, but the corresponding ACK from the other end hasn’t been received yet.

  • CLOSE-WAIT

    The connection has been closed at the TCP layer, but the application that opened the socket hasn’t yet released its hold on the socket yet.

  • CLOSED

    The connection has been fully terminated and that no further communication is possible.

Connection-oriented and Connectionless Protocols

Connection-oriented Protocol

“Established a connection, and uses this to ensure that all data has been properly transmitted.”

A lossless TCP Transfer A lossless TCP Transfer

A Packet loss during TCP Transfer A Packet loss during TCP Transfer

Connectionless Protocol

  • The most common one is UDP
  • Used where data integrity is not super important, i.e., video streaming

System Ports vs. Ephemeral Ports

  • Port 0 isn’t in use for network traffic, but sometimes used in communications taking place between different programs on the same computer
  • Ports 1-1024 are referred as system ports or sometimes as well-known ports. These ports represent the official ports for the most well-known network services.
    • i.e., HTTP uses port-80, FTP uses port-21
    • Admin level access is needed to listen on these port in mos OSs
  • Ports 1024-49151 are known as registered ports. These ports are used for lots of other network services that might not be quite as common as the ones that are on system ports.
    • i.e., Port-3306 is used for many Databases listen on
    • Some of these ports are registered with IANA but not always
  • Ports 49152-65535 are known as Private or ephemeral ports. Ephemeral ports can’t be registered with the IANA and are generally used for establishing outbound connections.
    • When a client wants to communicate with a server, the client will be assigned an ephemeral port to be used for just that one connection, while the server listen on a static system or registered port
    • Not all OSs follow the ephemeral port recommendation of the IANA

Firewalls

“A device that blocks traffic that meets certain criteria.”

The Application Layer

“Allows network applications to communicate in a way they understand.”

The TCP Five-Layered Model The TCP Five-Layered Model

  • Too many protocols in use at application layer, a hassle to list them all.
    • i.e., HTTP, SMTP, etc.

The Application Layer and the OSI Model

Session Layer

“Facilitating the communication between actual applications and the transport layer.”

  • Takes application layer data and hands it off to the presentation layer

Presentation Layer

“Responsible for making sure that the un-encapsulated application layer data is able to understand by the application in question.”

The OSI 7-Layer Model The OSI 7-Layer Model

Networking Services

Name Resolution

Why do we need DNS?

  • Human brain is not good at remembering numbers
  • So a system called DNS is developed to assign those IP addresses to memorable domain names

Domain Name System (DNS)

“A global and highly distributed network service that resolves strings of letters into IP addresses for you.”

Domain Name

“The term we use for something that can be resolved by DNS.”

The Many Steps of Name Resolution

There are five primary types of DNS servers;

  • Caching name servers
  • Recursive name servers
  • Root name servers (13 root servers all over world)
  • TLD name servers
  • Authoritative name servers

Caching and Recursive name servers

The purpose is to store known domain name lookups for a certain amount of time.

Recursive name servers

  • Perform full DNS resolution requests
  • Time to live (TTL)

A value, in seconds, that can be configured by the owner of a domain name for how long a name server is allowed to cache an entry before it should discard it and perform a full resolution again

A Typical DNS Query

A DNS query: Step 1 A DNS query: Step 1

Step 2 Step 2

Step 3 Step 3

Step 4 Step 4

Step 5 Step 5

Anycast

“A technique that’s used to route traffic to different destinations depending on factors like location, congestion, or link health.”

DNS and UDP

  • DNS, an application layer service, uses UDP

  • A full DNS lookup with TCP in use, will use 44 total packets

    A DNS resolution with TCP A DNS resolution with TCP

  • A full DNS lookup with UDP on the other hand require only 8 packets

  • Error recovery is done by asking again in the UDP, as no error check is present

    A DNS Lookup with UDP A DNS Lookup with UDP

Name Resolution is Practice

Resource Record Types

A record

“An A record is used to point a certain domain name at a certain IPv4 IP address.”

  • A single A record is configured for a single domain
  • But a single domain name can have multiple A records, this allows for a technique known as DNS round-robin to be used to balance traffic across multiple IPs

Round-robin is a concept that involves iterating over a list of items one by one in hastily fashion. The hope is that this ensures a fairly equal balance of each entry on the list that’s selected.

AAAA – Quad A

“Quad A record is used to point a certain domain name at a certain IPv6 IP address.”

CNAME

“A CNAME record is used to redirect traffic from one domain name to another.”

MX record – mail exchange

“This resource record is used in order to deliver e-mail to the correct server.”

SRV record – service record

“It’s used to define the location of various specific services.”

  • MX record is only used for e-mails, SRC is used for every other service
    • I.e., caldav (calendar and scheduling service)

TXT record – text

  • Used to communicate configuration preferences of a domain

Anatomy of a Domain Name

Top level domain (TLD)

The last part of a domain name. E.g. .com, .net etc.

  • TLDs are handled by non-profit The Internet Corporation for Assigned Names and Number (ICANN)
  • ICANN is a sister organization to IANA, together both help define and control the global IP spaces and DNS system

Domains

“Used to demarcate where control moves from a TLD name server to an authoritative name server.”

Subdomain

“The WWW portion of a domain.”

Full qualified domain name (FQDN)

When you combine all of these parts together, you have what’s known as this.

  • A DNS can technically support up to 127 level of domain in total for a single fully qualified domain name
  • Some other restrictions are, each individual section can only be 63 characters and a complete FQDN is limited to 255 characters

DNS Zones

“An authoritative name server is actually responsible for a specific DNS zone.”

  • Allow for easier control over multiple level of a domain.

  • DNS zones are a hierarchical concept. The root name servers are responsible for some even finer-grained zones underneath that.

  • The root and TLD name servers are actually just authoritative name servers, too. It’s just that the zones that they’re authoritative for are special zones.

  • E.g., a large company has three servers, one in LA, other in Paris and 3rd one in Shanghai. It will have three zones that and fourth for large company server, so in total 4 DNS server zones.

    DNS Zones of Large Company DNS Zones of Large Company

Zone files

“Simple configuration files that declare all resource record for a particular zone.”

Start of authority (SOA)

“Declares the zone and the name of the name server that is authoritative for it.”

NS records

“Indicate other name servers that might also be responsible for this zone.”

Reverse lookup zone files

These let DNS resolvers ask for an IP and get the FQDN associated with it returned.

Pointer resource record (PTR)

Resolves an IP to a name.

Dynamic Host Configuration Protocol

Overview of DHCP

Every single computer on a modern TCP/IP based network needs to have at least four things specifically configured;

  • IP address
  • Subnet mask
  • Gateway
  • Name server

DHCP

“An application layer protocol that automates the configuration process of hosts on a network.”

  • Resolves problem having to manually give an IP address to a device each time, it connects to the internet.

  • DHCP works on some standards, like Dynamic allocation.

    DHCP DHCP

Dynamic Allocation

“A range of IP addresses is set aside for client devices, and one of these IPs is issued to these devices when they request one.”

  • Under Dynamic allocation, IP of the computer is different every time, it connects to the Internet. Automatic allocation does it**.

Automatic Allocation

“A range of IP addresses is set aside for assignment purposes.”

  • The main difference is that, the DHCP server is asked to keep track of which IPs it’s assigned to certain devices in the past.
  • Using this information, the DHCP server will assign the same IP to the same machine each time if possible.

Fixed Allocation

Requires a manually specified list of MAC address and their corresponding IPs.

Network time protocol (NTP) servers

“Used to keep all computers on a network synchronized in time.”

  • DHCP keeps track of NTP

DHCP in Action

It is an application layer protocol, so it relies on:

  • Transport layer
  • Network layer
  • Data link layer
  • Physical layer

So, how DHCP works in practice:

DHCP discovery

“The process by which a client configured to use DHCP attempts to get network configuration information.”

It has four steps

  • The DHCP clients sends what’s known as a DHCP discover message out onto the network.

DHCPDISCOVER Message DHCPDISCOVER Message

  • The response is sent via DHCP offer message.

DHCPOFFER Message DHCPOFFER Message

  • A DHCP client will respond to a DHCP offer message with a DHCP request message.

DHCPREQUEST Message DHCPREQUEST Message

  • DHCP server will receive DHCPREQUEST and respond with DHCPACK message

DHCPACK Message DHCPACK Message

  • All of this configuration is known as DHCP lease, as it includes an expiration time. DHCP lease might last for days or only a short amount of time.

Network Address Translation

Basics of NAT

  • It is a technique, instead of a protocol.
  • Different hardware vendor implement NAT differently

Network Address Translation (NAT)

“A technology that allows a gateway, usually a router or firewall, to rewrite the source IP of an outgoing IP datagram while retaining the original IP in order to rewrite it into the response.”

  • Hides the IP of the computer originating the request. This is known as IP masquerading.

  • To the outside world, the entire space of Network A is hidden and private. This is called One-to-many NAT.

    A NAT in action A NAT in action

NAT and the Transport Layer

  • When traffic is outbound, for hundreds, even thousands of computers can all have their IPs translated via NAT to a single IP.
  • The concept become a bit cumbersome when return traffic is involved.
  • In inbound traffic, we have potentially hundreds of responses all directed at the same IP, and the router at this IP needs to figure out which response go to which computer.
  • The simplest way to do this, is port preservation technique.

Port preservation

“A technique where the source port chosen by a client is the same port used by the router.”

Port preservation in Practice Port preservation in Practice

Port forwarding

“A technique where specific destination ports can be configured to always be delivered to specific nodes.”

Port forwarding in practice Port forwarding in practice

NAT, Non-Routable Address Space and the Limits of IPv4

IANA is in-charge of distributing IPs since 1988. The 4.2 billion have run out since long.

  • For some time now, the IANA has primarily been responsible with assigning address blocks to the five regional internet registries or RIRs.

    • AFRINIC servers the continent of Africa. (Mar 2017 – ran out of addresses)
    • ARIN serves the USA, Canada, and parts of the Caribbean. (Sep 2015 – ran out of addresses)
    • APNIC is responsible for most of Asia, Australia, New Zealand, and Pacific island nations. (2011 – ran out of addresses)
    • LACNIC covers Central and South America and any parts of the Caribbean not covered by ARIN. (June 2014 – ran out of addresses)
    • RIPE serves Europe, Russia, the Middle East, and portions of Central Asia. (Sep 2012 – ran out of addresses)
  • The IANA assigned the last unallocated /8 network blocks to the various RIRs on February 3, 2011.

  • Solution is NAT, and Non-Routable Address Space, defined rfc1918.

    NAT, Non-Routable Address space at Rescue NAT, Non-Routable Address space at Rescue

VPNs and Proxies

Virtual Private Networks

“A technology that allows for the extension of a private or local network to hosts that might not be on that local network.”

VPN in practice VPN in practice

  • A VPN is a tunneling protocol, it’s basically a technique not a strict protocol which involves, using different methods.

  • VPNs require strict authentication protocols to allow only access to the required clients

  • VPNs were the first to implement the 2FA on a large scale

  • VPNs can be used to have site to site connectivity as well

    VPN in action VPN in action

Two-factor authentication

“A technique where more than just a username and password are required to authenticate.”

Proxy Services

“A server that acts on behalf of a client in order to access another service.”

  • They sit between client and server, providing some additional benefits like;
    • Anonymity
    • Security
    • Content flittering
    • Increased performance
  • The most commonly heard are Web proxies intended for web traffic.

Reverse proxy

“A service that might appear to be a single server to external clients, but actually represents many servers living behind it.”

Reverse Proxy Reverse Proxy

Connecting to the Internet

POTS and Dial-up

Dial-up, Modems and Point-to-Point Protocols

  • In the late 1970s, two graduate students of Duke University were trying to come up with a better way to connect computers at further distances.
  • They realized basic infrastructure in the form of telephone lines already existed.
  • The Public Switched Telephone Network or PSTN also referred as the Plain Old Telephone Service or POTS.
  • The system they built was called USENET, which was the precursor for Dial-up.

Dial-up

A dial-up connection uses POTS for data transfer, and gets its name because the connection is established by actually dialing a phone number.

A Dial-up A Dial-up

  • Transferring data on dial-ups is done through Modems, stands for Modulator/Demodulator.

    A Modem In Practice A Modem In Practice

  • Early modems have very low Baud rate

  • By the late 1950s, computers can generally send data at the rate of 110bps.

  • When USENET was developed, this rate was increased to 300bps

  • In the early 1990s, when the dial-up access to the Internet became a household commodity, this rate was increased to 14.4kbps.

Baud rate

“A measurement of how many bits can be passed across a phone line in a second.”

Broadband Connections

What is broadband?

“Any connectivity technology that isn’t dial-up Internet.”

  • In the late 1990s, it was to become common for most businesses to use T-carrier technologies.
  • T-carrier technologies require dedicated line, so are used by mainly only businesses.
  • Other solutions and technologies also available for businesses and normal consumers
    • DSL
    • Cable broadband
    • Fiber connections

T-carrier technologies

“Originally invented by AT&T in order to transmit multiple phone calls over a single link.”

  • Before Transmission System 1 or short T1, each phone call requires its own copper cable to transmit.

  • With T1, AT&T invented a way to carry 24 phone calls simultaneously over a single copper cable.

  • A few years later, T1 technology was repurposed for data transfers.

    T1 technology at play T1 technology at play

  • Over the years, the phrase T1 has come to mean any twisted pair copper connection capable of speeds of 1.544mbps, even if they don’t strictly follow the original Transferring System 1 specifications.

  • Initially, T1 lines were used to connect telecommunication channels only

  • But as the Internet grew, many businesses and companies paid to have T1 cables installed for faster connectivity.

  • Improvements were made by developing a way for multiple T1s to act as a single link.

  • T3 line was invented which has 28 T1 lines combined, and total speed of 44.736mbps.

  • Now for small businesses and companies, Fiber connection are more common as they cheaper.

  • For inner-ISP communications, different Fiber technologies have all replaced older copper-based ones.

Digital Subscriber Lines (DSL)

  • DSL made possible the occurrence of phone calls and data transfer on the same line, and at the same time.

  • DSL uses their own modems called Digital Subscriber Line Access Multiplexers (DSLAMs).

  • Just like dial-up modems, these devices establish data connections across phone lines, but inline dial-up connections, they’re usually long-running.

  • Two most common DLSs are:

    • ADSL (Asymmetric Digital Subscriber Line)
      • Feature different speed of outbound and inbound data. It means faster download speeds and slower upload.
    • SDSL (Symmetric Digital Subscriber Line)
      • Same as ADSL, but upload and download speeds are the same.
      • Most SDSLs have an upper cap of speed, 1.544mbps.
  • Further developments in SDSL technology have yielded things like:

    • HDSL (High Bit-rate Digital Subscriber Lines)
      • These provision speeds above 1.544mbps.

    A DSL connection A DSL connection

Cable Broadband

  • The history of both computer and telephone tells a story that started with all communications being wired, but the recent trend is moving towards more traffic as wireless.

  • But television followed the opposite path. Originally, all television broadcast was wireless, sent out by giant television towers and received by smaller antennas in people’s houses.

  • You had to be in range of that towers to receive signals, like today you’ve to be in range of cellular tower for cellular communications.

  • Late 1940s, first television technology was developed.

  • In 1984, Cable Communications Policy Act deregulated the television industry, started booming, rest of the world soon followed suit.

    Cable and DSL Cable and DSL

  • Cable connections are managed by Cable modems.

Cable modems

The device that sits at the edge of a consumer’s network and connects it to the cable modem, termination system, or CMTS.

Cable modem termination system (CMTS)

Connects lots of different cable connections to an ISPs core network.

Fiber Connections

  • Fiber achieve higher speed, no degradation in signal transfer.

  • An electrical signal can only travel a few hundred meters before degradation in copper cable.

  • While light signal in fiber cables can travel many, many KMs before degradation.

  • Producing and laying fibers a lot more expensive than copper cables.

  • Fiber connection to the end consumers, varies tons due to tons of implications.

  • That’s why the phrase FTTX or fiber to the X was developed.

    • FTTN: Fiber to the Neighborhood
    • FTTB: Fiber to the Building, FTTB is a setup where fiber technologies are used for data delivery to an individual building.
    • FTTH: Fiber to the Home
    • FTTB and FTTH, both may also refer to as FTTP or Fiber to the Premises
  • Instead of modem, the demarcation point for Fiber technologies is known as Optical Network Terminator or ONT.

    Fiber to the X Fiber to the X

Optical Network Terminator (ONT)

Converts data from protocols, the fiber network can understand, to those that more traditional, twisted-pair copper networks can understand.

WANs

Wide Area Network Technologies

“Acts like a single network, but spans across multiple physical locations.”

  • It works at Data Link Layer.
  • WANs are built to be superfast.
  • Some technologies used in WANs:
    • Frame Relay

    Frame Relay is a standardized wide area network (WAN) technology that specifies the Physical & Data Link Layer of digital telecommunications channels using a packet switching methodology. Originally designed for transport across Integrated Services Digital Network (ISDN) infrastructure, it may be used today in the context of many other network interfaces.

    • High-Level Data Link Control (HDLC)

    HDLC is a bit-oriented code-transparent synchronous data link layer protocol developed by the International Organization for Standardization (ISO). The standard for HDLC is ISO/IEC 13239:2002.

    • HDLC provides both connection-oriented and connectionless service.
    • Asynchronous Transfer Mode (ATM)

    A standard defined by **American National Standards Institute (ANSI) and ITU-T for digital transmission of multiple types of traffic.

    • ATM was developed to meet the needs of the Broadband Integrated Services Digital Network (BISDN) as defined in the late 1980s.

Local Loop

“In a WAN, the area between a demarcation point and the ISP’s core network is called Local Loop.”

Point-to-Point VPNs

  • A popular alternative to WAN technologies

  • Companies are moving to cloud for services such as email, Cloud Storage. So, expensive cost of WANs is often outnumbered.

  • They maintain their secure connection to these cloud solutions through Point-to-Point VPNs.

  • Point-to-Point VPN, typically called Site-to-Site VPN.

    Point-to-Point VPNs Point-to-Point VPNs

Wireless Networking

Introduction to Wireless Networking Technologies

“A way to network without wires.”

  • IEEE 802.11 Standards or 802.11 family define the most common workings of Wireless networks.

  • Wireless devices communicate via radio waves.

  • Different 802.11 generally use the same basic protocol but different frequency bands.

  • In North America, FM radio transmissions operate between 88 and 108 MHz. This specific frequency band is called FM Frequency Band.

  • Wi-Fi works at 2.4GHz and 5GHz bands.

  • There are many 802.11 specifications, but common ones, you might run into are: (In order of when it were introduced)

    • 802.11b
    • 802.11a
    • 802.11g
    • 802.11n
    • 802.11ac
  • 802.11 = physical and data link layers

  • All specifications operate with the same basic data link protocol. But, how they operate at the 88physical layer** varies.

  • 802.11 frame has a number of fields.

    • Frame control field

    It is 16-bits long and contains a number of subfields that are used to describe how the frame itself should be processed.

    • Duration field

    It specifies how long the total frame is, so the receiver knows how long it should expect to have to listen to this transmission.

    • The rest are 4 address fields. 6 bytes long.
      • Source address field
      • Intended destination
      • Receiving address
      • Transmitter address
    • Sequence control field

    It is 16-bits long and mainly contains a sequence number used to keep track of the ordering of frames.

    • Data payload

    Has all the data of the protocols further up the stack.

    • Frame check sequence field

    Contains a checksum used for a cyclical redundancy check, just like how Ethernet does it.

  • The most common wireless setup includes wireless access point.

    802.11 Data Frame 802.11 Data Frame

Frequency band

“A certain section of the radio spectrum that’s been agreed upon to be used for certain communications.”

Wireless access point

“A device that bridges the wireless and wired portions of a network.”

Wireless Network Configuration

  • There are few ways wireless networks can be configured
    • Ad-hoc networks: Nodes speak directly to each other.
    • Wireless LANS (WLANS): Where one or more access point act as a bridge between a wireless and a wired network.
    • Mesh Networks: Hybrid of the former two.

Ad-hoc Network

  • Simplest of the three

  • In an ad-hoc network, there isn’t really any supporting network infrastructure.

  • Every device on the network speaks directly to every other device on the network.

  • Used in smartphones, Warehouses

  • Important tool during disaster like earthquake, the relief workers, can communicate via ad-hoc network.

    Ad-hoc Network Ad-hoc Network

Wireless LAN (WLAN)

  • Most common in business settings

    Wireless LAN Wireless LAN

Mesh Network

  • Most mesh networks are only made up of wireless access points. And are still connected to the wired network.

    Mesh Network Mesh Network

Wireless Channels

“Individual, smaller sections of the overall frequency band used by a wireless network.”

  • Channels solve the problem of collision domain.

    2.4 GHz band and Wireless Channels 2.4 GHz band and Wireless Channels

Collision domain

“Any one of the network segment where one computer can interrupt another.”

Wireless Security

  • Data packets sent in the air via radio waves need to be protected.
  • Wired Equivalent Privacy (WEP) was invented to encrypt data packets.
  • WEP uses only 40-bits for its encryption keys, which could easily be compromised with modern and fast computers.
  • So, WEP was quickly replaced in most places with WPA or Wi-Fi Protected Access.
  • WPA, by-default, uses 128-bits key.
  • Nowadays, the most common wireless encryption method used is WPA2, an update to the original WPA
  • WPA2 uses 256-bits key.
  • Another common way of securing wireless traffic is MAC filtering.

Wired Equivalent Privacy (WEP)

“An encryption technology that provides a very low level of privacy.”

MAC filtering

You configure your access points to only allow for connections from a specific set of MAC addresses belonging to devices you trust.

Cellular Networking

  • Cellular networks have a lot in common with 802.11 networks.

  • Just like Wi-Fi, they also operate on radio waves.

  • There are cellular frequency bands reserved for Cellular communications.

  • Phone frequency waves can travel several KMs.

    Cellular Networking Cellular Networking

Mobile Device Networks

  • Mobile devices use wireless networks to communicate with the Internet and with other devices.
  • Depending on the device, it might use:
    • Cellular networks
    • Wi-Fi
    • Bluetooth
    • Internet of Things (IoT) network protocols

IoT Wireless network protocols at the physical layer

  • IoT devices can use both wired and wireless connections.
  • Most IoT devices can use at least one of the following network protocols:

Wi-Fi

  • Wireless Fidelity (Wi-Fi): IEEE 802.11 Standard
  • Wi-Fi 6 can support up-to 500mbps
  • The 2.4 GHz frequency extends to 150 feet (45.72 m) indoors, and 300 feet (91.44 m) outdoors.
  • 2.4 GHz may feel congestion due to limited number of channels and high interference from other devices.
  • 5.0 GHz provide stronger signal and has more channels to handle more traffic. The drawback is a limited range of 50 feet (ca. 15 meters) indoors and 100 feet (30.48 m) outdoors.

IEEE 802.15.4

  • An inexpensive, low-power wireless access technology intended for IoT devices that operate on battery power.
  • IEEE 802.15.4 uses 2.4 GHz or lower frequencies
  • IEEE 802.15.4 is normally used for low-rate wireless personal area networks (LR-WPANs) and uses a 128-bits encryption.

ZigBee

  • ZigBee is an LR-WPANs intended for smart home use. Also adopted globally for commercial use. ZigBee LR-WPAN networks can be accessed through Wi-Fi or Bluetooth.

Thread

  • Thread: a low latency wireless mesh network protocol based on IPv6.
  • Don’t use proprietary gateways or translators, making them inexpensive and easier to implement and maintain than other wireless technologies.
  • Thread is used by Google Nest Hub Max.

Z-Wave

  • Z-Wave: An interoperable, wireless mesh protocol that is based on low powered radio frequency (RF) communications.
  • The Z-Wave protocol uses an RF signal on the *908.2MHz frequency and extends to 330 feet (0.1 km).
  • Z-Wave is inexpensive, reliable, and simple to use. The Z-Wave protocol supports a closed network for security purposes.
  • Over 3300 types and models of home and business IoT devices are certified to use Z-Wave technology, with more than 100 million devices in use worldwide.

Wireless mesh network (WMN)

Mesh networks are used by many popular wireless IoT network protocols, like Zigbee and Z-Wave, for device communication. Wireless mesh networks use less power than other wireless connectivity options. Wireless mesh is a decentralized network of connected wireless access points (WAP), also called nodes. Each WAP node forwards data to the next node in the network until the data reaches its destination. This network design is “self-healing,” meaning the network can recover on its own when a node fails. The other nodes will reroute data to exclude the failed node. Wireless mesh is a good option for high reliability and low power consumption, which is better for battery powered IoT devices. Wireless mesh networks can be configured to be full or partial mesh:

  • Full mesh network: Every node can communicate with all the other nodes in the network.
  • Partial mesh network: Nodes can only communicate with nearby nodes.

Bluetooth

Bluetooth is a widely used wireless network that operates at a 2.45 GHz frequency band and facilitates up to 3 Mbps connections among computing and IoT devices. Bluetooth has a range of up to 100 feet (ca. 30 m) and can accommodate multiple paired connections. It is a good choice for creating a short distance wireless connection between Bluetooth enabled devices. Bluetooth is often used by computing devices to manage, configure, control, and/or collect small amounts of data from one or more close range IoT devices. For example, Bluetooth may be used to control smart home lighting or thermostat IoT devices from a smartphone.

Near-Field Communication (NFC)

NFC is a short-range, low data, wireless communication protocol that operates on the 13.56 MHz radio frequency. NFC technology requires a physical chip (or tag) to be embedded in the IoT device. NFC chips can be found in credit and debit cards, ID badges, passports, wallet apps on smartphones (like Google Pay), and more. A contactless NFC scanner, like a Point-of-Sale (POS) device, is used to read the chip. This scanner communication connection typically requires the IoT device to be within 2 inches (5.08 cm) of the scanner, but some NFC chips have an 8 inch (20.32 cm) range. This short-distance range helps to limit wireless network security threats. However, criminals can carry a portable NFC scanner into a crowded area to pick up NFC chip data from items like credit cards stored inside purses and wallets. To protect against this type of data theft, the cards should be placed inside special NFC/RFID sleeves that make the chips unreadable until they are removed from the sleeves. NFC technology may also be used in the pairing process for Bluetooth connections.

Long Range Wide Area Network (LoRaWAN)

LoRaWan is an open source networking protocol designed to connect battery powered, wireless IoT devices to the Internet for widely dispersed networks.

Troubleshooting and the Future of Networking

Introduction to Troubleshooting and the Future of Networking

  • After every possible safeguard in place, misconfiguration happens and:
    • Error still pop-up
    • Misconfiguration occur
    • Hardware breaks down
    • System incompatibilities come to light

Error-detection

“The ability for a protocol or program to determine that something went wrong.”

Error-recovery

“The ability for a protocol or program to attempt to fix it.”

Verifying Connectivity

Ping: Internet Control Message Protocol (ICMP)

ICMP Message

  • ICMP packet is sent to troubleshoot network issues.

  • The make-up of an ICMP packet is pretty simple, it has a HEADER and DATA section.

  • The ICMP HEADER has the following fields:

    • TYPE: 8-bits long, which specifies what type of data is being delivered. Like, destination unreachable or time exceeded.
    • CODE: 8-bits long, which indicates a more specific reason than just a type. I.e., destination unreachable type, there are different cods for destination network unreachable or destination port unreachable.
    • Checksum: 16-bits checksum, that work like every other checksum field.
    • Rest of Header 32-bits long, this field is optionally used by some specific codes and types to send more data.
  • Data Payload section for ICMP

    • The payload for an ICMP packet exists entirely so that the recipient of the message knows which of their transmissions caused the error being reported.
    • It contains the entire IP Header, and the first 8-bytes of the data payload section of the offending packet.
  • ICMP isn’t developed for the humans to interact with.

    ICMP Message ICMP Message

Ping

Ping lets you send a special type of ICMP message called an Echo Request.

  • Echo Request just asks, hi, are you there?
  • If the destination is up and running and able to communicate on the network, it’ll send back an ICMP Echo Reply message type.

Traceroute

“A utility that lets you discover the path between two nodes, and gives you information about each hop along the way.”

Traceroute Traceroute

  • Two similar tools to traceroute are:
    • MTR - Linux/macOS
    • pathping - Windows

Testing Port Connectivity

  • Sometimes, you need to know if things working at transport layer.
  • There are two powerful tools for this at your disposal:
    • netcat - Linux/macOS
    • Test-NetConnection - Windows

Digging into DNS

Name Resolution Tools

  • The most common tool is nslookup.
  • Available on all OSs.

Public DNS Servers

  • An ISP almost always gives you access to a recursive name server as part of the service it provides.

  • Many businesses run their own name servers. To give names to the Printers, computers etc. instead of referring them with their IPs.

    A Private Name server A Private Name server

  • Another option is using DNS as a service provider. It is becoming more popular.

  • Some organizations run Public DNS servers, like Google’s 8.8.8.8, Cloudflare’s 1.1.1.1, quad9’s 9.9.9.9 etc.

  • Some level 3 DNS provider also provide free public DNS servers, but not advertised by them. I.e., 4.2.2.3 etc.

    • Name servers specifically set up so that anyone can use them, for free.
    • Most public DNS servers are available globally through anycast.
  • One should be careful when using Public DNS server, hijacking outbound DNS query, and redirecting the traffic to a malicious website is a common intrusion technique.

  • Always make sure the name server is run by a reputable company, and try to use the name servers provided by your ISP outside of troubleshooting scenarios.

    DNS Hi-jacking DNS Hi-jacking

DNS Registration and Expiration

Registrar

An organization responsible for assigning individual domain names to other organizations or individuals.

  • Originally, there was only one company, Network Solutions INC responsible for domain Registration.
  • Network Solutions Inc. and USA government came to an agreement to let other companies also sell domain names.

Hosts Files

  • The original way that numbered network addresses were correlated with words was through hosts files.
  • Most modern system, like computers and Mobile phones, still hosts files.
  • Hosts files are a popular way for the computer viruses to disrupt and redirect users’ traffic.

Hosts File

“A flat file that contains, on each line, a network address followed by the host name it can be referred to as.”

Loopback Address

A way of sending network traffic to yourself.

  • Loopback IP for IPv4 is 127.0.0.1
  • Almost all hosts files in existence will, in the very least, contain a line that reads 127.0.0.1 localhost, most likely followed by ::1 localhost, where ::1 is the loop back address for IPv6.

The Cloud

What is The Cloud?

  • Not a single technology, it’s a technique.

Cloud Computing

“A technological approach where computing resources are provisioned in a shareable way, so that lots of users get what they need, when they need it.”

Or

“A new model in computing where large clusters of machines let us use the total resources available in a better way.”

  • Hardware virtualization is at the heart of cloud computing.
  • Hardware virtualization platforms deploy what’s called a hypervisor.

Virtualization

“A single physical machine, called a host, could run many individual virtual instances, called guests.”

Hypervisor

“A piece of software that runs and manages virtual machines, while also offering these guests a virtual operating platform that’s indistinguishable from an actual hardware.”

A Hypervisor A Hypervisor

Public Cloud

A large cluster of machines runs by another company.

Private Cloud

Used by a single large corporation and generally physically hosted on its own premises.

Hybrid Cloud

A term used to describe situations where companies might run a thing like their most sensitive proprietary technologies on a private cloud, while entrusting their less-sensitive servers to a public cloud.

Everything as a Service

  • X as a Service, where X can mean many things.

Infrastructure as a Service (IaaS)

You shouldn’t have to worry about building your own network or your own servers.

Platform as a Service (PaaS)

A subset of cloud computing where a platform is provided for customers to run their services.

Software as a Service (SaaS)

A way of licensing the use of software to others while keeping that software centrally hosted and managed.

  • Gmail for Business
  • Office 365 Outlook

Cloud Storage

  • Operate in different geographic region.
  • Pay as you use
  • Good for backup

IPv6

IPv6 Addressing and Subnetting

  • IPv4 was run out of new IPs

  • IPv5 was an experimental protocol that introduced the concept of connections.

  • IPv6 = 128 bits, written as 8 groups of 16-bits each. Each one of these groups is further made up of four hexadecimal numbers.

  • Full IPv6 address looks like this

    An IPv6 Address An IPv6 Address

  • Reserved IPv6 range is as follows, for education, documentation, books, courses etc.

    Reserved IPv6 Addresses Reserved IPv6 Addresses

Shortening of an IPv6 address

Two rules

  • Remove any leading zeros from a group
  • Any number of consecutive groups composed of just zeros can be replaced with two colons ::.
  • Any IPv6 address begins with FF00:: is used for multicast.
  • Any IPv6 address begins with FE80:: is used for Link-local unicast.
  • The first 32-bits of IPv6 are network ID, and last are host ID.
  • IPv6 uses the same CIDR notation for subnet mask.

Multicast

A way of addressing groups of hosts all at once.

Allow for local network segment communication and are configured based upon a host’s MAC address.

IPv6 Headers

  • Header, much simpler than IPv4 header.

  • IPv6 header has the following components:

    • Version field

    A 4-bit field that defines what version of IP is in use.

    • Traffic class field

    An 8-bit field that defines the type of traffic contained within the IP datagram, and allows for different classes of traffic to receive different priorities.

    • Flow Label Field

    A 20-bit field that’s used in conjunction with the traffic class field for routers to make decisions about the quality of service level for a specific datagram.

    • Payload length field

    A 16-bit field that defines how long the data payload section of the datagram is.

    • Next header field

    A unique concept of IPv6, and needs a little extra explanation. It defines what header is up next after that. To help reduce the problems with additional data that IPv6 addresses impose on the network, the IPv6 header was built to be a short as possible. One way to do that is to take all the optional fields and abstract them away from the IPv6 header itself. The next header field defines what kind of header is immediately after this current one. These additional headers are optional, so they’re not required for a complete IPv6 datagram. Each of these additional optional headers contain a next header field and allow for a chain of headers to be formed if there’s a lot of optional configuration.

    • Hop limit

    An 8-bit field that’s identical in purpose to the TTL field in an IPv4 header.

    • Source Address : 128-bits
    • Destination Address : 128-bits
    • Data Payload section

    An IPv6 Header An IPv6 Header

IPv6 and IPv4 harmony

  • Not possible for whole Internet to switch to IPv6 in no time.

  • So, IPv6 and IPv4 traffic need to coexist during the transition period.

  • This is possible with IPv4 mapped address space. The IPv6 specifications have set aside a number of addresses that can be directly correlated to an IPv4 address.

    IPv4 mapped address space IPv4 mapped address space

  • More important is IPv6 traffic needs to travel to IPv4 servers.

  • This is done through IPv6 tunnels.

IPv6 tunnels

Servers take incoming IPv6 traffic and encapsulate it within traditional IPv4 datagram.

  • They consist of IPv6 tunnel servers on either end of a connection. These IPv6 tunnel servers take incoming IPv6 traffic and encapsulate it within traditional IPv4 datagrams. This is then delivered across the IPv4 Internet space, where it’s received by another IPv6 tunnel server. That server performs the de-encapsulation and passes the IPv6 traffic further along in the network.

    IPv6 tunneling IPv6 tunneling

IPv6 tunnel broker

Companies that provide IPv6 tunneling endpoints for you, so you don’t have to introduce additional equipment to your network.

Oct 6, 2022

Subsections of Operating Systems and You

Navigating the System

Basic Commands

In this, we’ll learn about:

  • Windows
    • GUI (Graphical User Interface)
    • CLI (Command Line Interface)
  • Linux
    • Command
    • Shell

    The CLI interpreter on Linux is called a shell, and the language that we’ll use to interact with this shell is called Bash.

List Directories in a GUI

  • On Windows, filesystems are assigned to drive letters, which look like C:, or D:, or X:.
  • The parent/root directory of C: would be written **C:*, and the root directory of X: would be written **X:*.
  • Subdirectories are separated by ****.

Windows List Directories in CLI

  • To list contents of C drive

    ls C:\
    
  • To get help for specific command

    Get-Help <command name>
    
    • In case of, ls command,
    Get-Help ls
    
    • To get more detailed help
    Get-Help ls-full
    
  • To see hidden files in a directory

    ls -Force C:\
    

Linux: List Directories

  • To list the contents of root directory

    ls /
    
    • /bin: essential binaries for program
    • /etc: system configuration file
    • /home: Where user files and configs live
    • /proc: Contain information of currently running processes
    • /usr: Meant for user installed software
    • /var: Stores system logs and anything that constantly changing
  • ls command has very useful flags too.

  • To see available flags for ls

    ls --help
    
  • man shows the manual pages.

    man <command>
    
  • To see hidden files, and long listing

    ls -al
    
  • You can hide a file by prepending a . in the start of the filename.

Flags

Similar to Windows command parameters, a flag is a way to specify additional options for a command.

Windows: Changing Directories in a GUI

Absolute path

An absolute path is one that starts from the main directory.

Relative path

A Relative path is the path from your current directory.

Windows: Changing Directories in the CLI

  • To know where you are in the folder

    pwd
    
  • To change the directory you’re in

    cd <path\to\the\directory>
    
  • To go one level up

    cd ..
    
  • Get to the $HOME directory

    cd ~
    

Windows: Making Directories in the & CLI

  • To make a new directory

    mkdir <directory name>
    
  • To make a directory with spaces in its name

    mkdir 'directory name'
    mkdir directory` name
    

Linux: Making Directories in Bash

  • To make a directory with spaces in its name

    mkdir directory\ name
    mkdir 'directory name'
    

Windows: Command History

  • To see the history of previous commands

    history
    
  • To reverse-search through history, shortcut is <ctrl+r>

  • To clean PowerShell palette

    clear
    

Windows: Copying Files & Directories

  • To copy a file

    cp <Path\to\the\file\to\be\copied> <Path\to\the\directory\of\copying> 
    
    • To copy multiple file at once, Wildcard is used

      cp *.<common pattern> <path\to\where\copied>
      
  • To copy a directory and its content

    cp <directory name> <Path\to\where\copied> -Recurse -Verbose
    

Wildcard

A character that’s used to help select files based on a certain pattern.

Linux: Copying Files & Directories

  • To copy a directory

    cp <Directory/to/be/copied> <Path/where/to/be/copied>
    

File and Text Manipulation

Windows: Display File Contents

  • To view the file contents

    cat <File Name>
    
  • To view the file contents, one page at a time

    more <File Name>
    
  • To see only part of the file contents

    cat <File Name> -Head <Number of Lines>
    
  • To see only part of the file contents from the tail

    cat <File Name> -Tail <Number of Lines>
    

Linux: Display File Contents

  • To see file’s contents, interactively

    less <File Name>
    
  • more has been abandoned in favor of more useful less command on Linux.

  • To see only part of a file’s contents, head is used, which by default only shows first 10 lines

    head <File Name>
    
  • To see only part of file’s contents, tail is used, which by default only shows last 10 lines

    tail <File Name>
    

Windows: Modifying Text Files

  • To modify file’s contents from a CLI

    start notepad++ <File Name>
    

Windows PowerShell

  • PowerShell is a powerful and complex command line language.

  • To list directories, the real PowerShell command is can be found by:

    Get-Alias ls
    

so, to list directories

Get-ChildItem <path\to\directory>
  • Some old but not powerful as PowerShell, cmd.exe commands are

    cmd.exe cmd.exe

Windows: Searching within Files

  • In GUI, Indexing Options applications are used.

  • In command-line, search is done as:

    Select-String <Search String> <path\to\the\file>
    
  • To search in multiple files at once

    Select-String <Search String> *.<file extension name>
    

Windows: Searching within Directories

  • -Filter parameter is used with ls so search for particular files in a directory.

    • The -Filter parameter will filter the results for file names that match a pattern.
    ls <path\to\the\file> -Recurse -Filter *.exe
    
    • The asterisk means match anything, and the .exe is the file extension for executable files in Windows.

Linux: Searching within Files

  • To search in files

    grep <Search String> <path/to/the/file>
    
  • To search through multiple files at once

    grep <Search String> *.txt
    

Windows: Input, Output, and the Pipeline

echo hello_word > hello.py
  • The echo is an alias for PowerShell command Write-Output.

  • Every Windows process and every PowerShell command can take input and can produce output. To do this, we use something called I/O streams or input output streams.

  • I/O streams are

    • stdin
    • stdout
    • stderr
  • The symbol > is something we call a Redirector operator that let us change where we want our stdout to go.

  • The symbol » is used to not create a new file, just append the stdout

    echo 'Hello Planet' >> hello.py
    
  • | Pipe operator is used to redirect the stdout of one command to stdin of another command.

    cat hello.py | Select-String planet
    
  • To put new stdout to a new file.

    cat hello.py | Select-String pla > planet.txt
    
  • If we don’t want to see error in CLI, to get them in a file

    rm secure_file 2> error.txt
    
    • All the output streams are numbered, 1 is for stdout and 2 for stderr
  • If we don’t care about error messages and don’t want to save them in a file, we can redirect them to a null variable (a black hole for stderr)

    rm secure_file 2> $null
    

Linux: Input, Output, and the Pipeline

  • On Linux, stdin operator can be used via symbol <.

    cat < SomeFile.py
    
    • Here we are using < operator for file input instead of keyboard input.
  • To redirect error message to a file

    ls /dir/fake_dir 2> error_output.txt
    
  • To filter out error message completely without saving

    ls /dir/fake_dir 2> /dev/null
    

Windows and Linux Advanced Navigation

  • For more advance navigation, regex is used.

Regular expression (Regex)

Used to help you do advance pattern-based selections.

Users and Permissions

Users and Groups

User, Administrators, and Groups

  • Two different types of users
    • Standard user
    • Admin
  • Users are put into different groups, according to level of permissions and ability to do certain tasks.

1) Standard user

One who is given access to a machine but has restricted access to do things like install software or change certain settings.

2) Administrator (Admin)

A user that has complete control over a machine.

Windows: View User and Group Information

  • To view user and groups information, Computer management application is used.
    • In an Enterprise environment, you can manage multiple machines in something called a domain.
  • You can manage admin tasks while being logged in as a normal user. This is done through User Access Control (UAC) prompt.

Windows domain

A network of computers, users, files, etc. that are added to a central database.

User Access Control (UAC)

A feature on Windows that prevents unauthorized changes to a system.

Windows: View User and Group Information using CLI

  • To check all users on the system and either admin access enabled or not.

    Get-LocalUser
  • To get all the groups present on a local machine

    Get-LocalGroup
  • To check members of an individual group

    Get-LocalGroupMember Administrator

Linux: Users, Superuser and Beyond

  • To see all groups, who are their members

    cat /etc/group
    • It shows information something like this
    sudo:x:27:user1, user2, user3
    
    • First field is a group name
    • 2nd is password but redacted
    • 3rd is a group id
    • 4th is a list of users in a group
      • To view all users on a machine
cat /etc/passwd
  • Most of these accounts are system processes running the computer.

Windows: Passwords

  • An admin shouldn’t know the password of the user using it.

  • But as an admin to manage users passwords, computer management application is used.

  • To change user’s password from CLI

    net user <username> <password>
  • To interactively change the password

    net user <username> *
  • To force user itself to change its password on next logon

    net user <username> /logonpasswordchg:yes

Linux: Passwords

  • To change a password on Linux

    sudo passwd <username>
  • To force a user to change his/her password

    sudo passwd -e <username>

Windows: Adding and Removing Users

  • To add users

    net user <username> * /add
  • To add a new user and forcing him/her to change its password on new logon

    net user <username> password /add /logonpasswordchg:yes
  • To remove a local user

    net user <username> /del

    OR

    Remove-LocalUser <username>

Linux: Adding and Removing Users

  • To add a user

    sudo useradd <username>
  • To remove a user

    sudo userdel <username>

Permissions

Windows: File Permissions

On Windows, files and directory permissions assigned using Access Control Lists or ACLs. Specifically, we’re going to be working with Discretionary Access Control Lists or DACLs.

  • Windows files and folders can also have System Access Control Lists or SACLs assigned to them.

    • SACLs are used to tell Windows that it should use an event log to make a note of every time someone accesses a file or folder.
  • Windows allow certain permissions to be set for files and folders.

    • Read

    The Read permission lets you see that a file exists, and allow you to read its contents. It also lets you read the files and directories in a directory.

    • Read & Execute

    The Read & Execute permission lets you read files, and if the file is an executable, you can run the file. Read & Execute includes Read, so if you select Read & Execute, Read will be automatically selected.

    • List folder contents

    List folder contents is an alias for Read & Execute on a directory. Checking one will check the other. It means that you can read and execute files in that directory.

    • Write

    The Write permission lets you make changes to a file. It might be surprising to you, but you can have write access to a file without having read permission to that file!

    • The Write permission also lets you create subdirectories, and write to files in the directory.
    • Modify

    The Modify permission is an umbrella permission that includes read, execute, and write.

    • Full control

    A user or group with full control can do anything they want to the file! It includes all the permissions to Modify, and adds the ability to take ownership of a file and change its ALCs

  • To view file permissions in a CLI, Improved change ACLs command icacls is used

    • To view more options and their explanation
    icacls /? #icacls is a old dos command
    icacls <filepath>

Linux: File Permissions

  • There are three different permissions you can have on Linux

    • Read – This allows someone to read the contents of a file or folder.
    • Write – This allows someone to write information to a file or folder.
    • Execute – This allows someone to execute a program.
  • To see file permissions

    ls -l <filepath>

Windows: Modifying Permissions

  • To modify permissions

    icacls <filepath> /grant 'Everyone:(OI)(CI)(R)'
  • Everyone gives permissions to literally everyone of the computer including guest users, to avoid this

    icacls <filepath> /grant 'Authenticated Users:(OI)(CI)(R)'
  • To remove permissions to everyone group

    icacls <filepath> /remove Everyone
  • To see the given permissions

    icacls <filepath>

Guest users

This is a special type of user that’s allowed to use the computer without a password. Guest users are disabled by default. You might enable them in very specific situations.

Linux: Modifying Permissions

  • The permissions are changed by chmod command

    • The owner, which is denoted by a “u”

    • The group the file belongs to, which is denoted a “g”

    • Or other users, which is denoted by an “o”

  • To change execute permission

    chmod u+x <filepath>
    chmod u-x <filepath>
  • To add/remove multiple permissions to file

    chmod u+rx <filepath>
  • To change permissions for owner, the group, and others

    chmod ugo+r <filepath>
  • This format of changing permissions is called symbolic format.

  • Other method is changing permissions numerically, which is faster.

  • The numerical equivalent of rwx is:

    • 4 for read or r
    • 2 for write or w
    • 1 for execute or x
  • To change permissions numerically

    chmod 745 <filepath>
    • 1st is for user
    • 2nd is for group
    • 3rd is for other
  • To change ownership of a file

    sudo chown <username> <filepath>
  • To change group of a file

    sudo chgrp <username> <filepath>

Windows: Special Permissions

  • The permissions we looked so far are called simple permissions.

Simple Permissions

Simple permissions are actually sets of special, or specific permissions.

  • When you set the Read permission on a file, you’re actually setting multiple special permissions.

  • To see special permissions, icacls command is used

    icacls <filepath>

Linux: SetUID, SetGID, Sticky Bit

  • SetUID is a special permission, use to allow a file to be run as the owner of the file.

  • To apply SetUID

    sudo chmod u+s <filepath>
  • The numerical value for SetUID is 4

    sudo chmod 4755 <filepath>
  • SetGID is a special permission which allow a user to run a particular file in a group member though the user isn’t part of that group.

    sudo chmod g+s <filepath>
  • The numerical value for SetGID is 2.

    sudo chmod 2755 <filepath>
  • Sticky Bit is a special permission, use to allow anyone to write to a file or folder but can’t delete it.

    sudo chmod +t <filepath>
  • The numerical value for Sticky bit is 1.

    sudo chmod 1755 <filepath>

Package and Software Management

Software Distribution

Windows: Software Packages

  • On Windows, software is usually packaged in a .exe executable file.
  • Software is packaged according to Microsoft Portable Executable or PE format.
  • Executable not only include install instructions but also things like text or computer code, images that the program might use, and potentially something called an MSI file.
  • For precise granular control over installation, you can use executable with a custom installer packaged in something like setup.exe.
  • On the other hand, .msi installer along with Windows installer program has some strict guidelines to be followed.
  • Windows store uses a package format called APPX.
  • To install an executable from CLI, type its name.

Executable file (.exe)

Contain instructions for a computer to execute when they’re run.

Microsoft install package (.msi)

Used to guide a program called the Windows Installer in the installation, maintenance, and removal of programs on the Windows operating system.

Linux: Software Packages

  • Fedora use Red-Hat package manager package or (.RPM).

  • Debian uses .deb file.

  • To install a standalone .deb package

    sudo dpkg -i abc.deb
  • To remove package on Debian

    sudo dpkg -r abc.deb
  • To list .deb Packages

    dpkg -l

Mobile App Packages

  • Software is distributed as Mobile Applications or Apps.
  • Mobile phones use App stores for software installation
  • Enterprise App management allows companies to distribute their custom apps internally.
    • Enterprise Apps are managed through Mobile Device Management or (MDM) service.
  • Another way to install apps is through side-loading
  • Apps stored their files to storage assigned to them called cache.
    • Clearing the cache will remove all changes to the settings, and sign out of any accounts that the app was signed-into.
    • Clearing the cache might not be the first step in application troubleshooting, but it is handy in desperate times.

App Stores

A central, managed marketplace for app developers to publish and sell mobile apps.

Side-loading

Where you install mobile apps directly, without using an app store.

  • Mobile apps are standalone software packages, so they contain all their dependencies.

  • To compress files from CLI

    Compress-Archive -Path <filepath: files to be compressed> <filepath: Where to save compressed file>

Windows: Archives

  • 7-zip is a popular Windows tools for archives management.

Archive

Comprised of one or more files that’s compressed into a single file.

  • Popular archive types are .tar, .zip, .rar.

Package archives

The core or source software files that are compressed into one file.

Linux: Archives

  • p7zip is the Linux version of 7-zip.

    • To extract a file, use the command 7z and the flag e for extract and then the file you want to extract.
    7z e <filepath>

Windows: Package Dependencies

  • A game might depend on rendering library for graphic and physics engine for correct movements.
  • On Windows, these shared libraries are called Dynamic Link Libraries or DLL.
    • A useful feature of DLL is, one DLL can be used by ‘many’ different programs.
  • In the past, when one DLL gets updated, some programs dependent on it, would become unusable, as they didn’t know how to update the DLL for next version number.
  • On modern systems, more shared libraries and resources on Windows are managed by something called side-by-side assemblies or SxS
    • Most of these shared libraries are stored in C:\Windows\WinSxS
    • If an application needs to use a shared library, this is declared in a file called manifest.
    • SxS stores multiple versions of DLLs, so programs dependent on them remain functioning.
    • Using a cmdlet Find-Package, can locate software, along with its dependencies, right from the command line.

Having Dependencies

Counting on other pieces of software to make an application work, since one bit of code depends on another, in order to work.

Library

A way to package a bunch of useful code that someone else wrote.

cmdlet

A name given to Windows PowerShell commands

Linux: Package Dependencies

  • dpkg on Debian and Debian-based Linux systems doesn’t handle dependencies automatically
  • So, package managers come to your rescue for automatic dependency resolution.

Package managers

Come with the works to make package installation and removal easier, including installing package dependencies.

Package Managers

Windows: Package Manager

“Makes sure that the process of software installation, removal, update, and dependency management is as easy and automatic as possible.”

  • Chocolatey is a third party package manager for Windows.

  • NuGet is another third party package manager for Windows.

    • Based on Windows PowerShell
    • Configuration management tools like SCCM & puppet integrate with Chocolatey.
  • To add Chocolatey as a package source

    Register-PackageSource -Name chocolatey -ProvideName Chocolatey -Location https://chocolatey.org/api/v2

    To verify package source

    Get-PackageSource

    To find a package

    Find-Package sysinternals -IncludeDependencies

    To actually install this package

    Install-Package -Name sysinternals

    To verify installation

    Get-Package -name sysinternals

    To uninstall a package

    Uninstall-Package -Name sysinternals

Linux: Package Manager Apt

  • apt or Advanced Package Tool
  • Ubuntu and Ubuntu based distros use apt.
  • APT comes with default distro software repo linked.
  • To add other repos, we add them through /etc/apt/sources.list
  • Ubuntu and based-distros have additional repos in the form of PPAs
    • PPAs are not as vetted by distros, so use them careful, or you might get infected, or break your installation with defected programs.

Personal Package Archive (PPA)

A Personal Package Archive or PPA is a software repo for uploading source packages to be built and published as an Advanced Packaging Tool (APT) repo by Launchpad.

What’s happening in the background?

Windows: Underneath the Hood

  • When click an .exe to install, next step depends on the developer, how he, setups the installation instructions for his/her program.
  • If an EXE contains code for a custom installation that doesn’t use the Windows installer system, then the details of what happens under the hood will be mostly unclear. As the most Windows’ software are closed source packages.
  • So, you can’t really see what instructions are given, but tools like Process Monitoring provided by Microsoft CIS internal toolkit.
    • It will show any activity the installation executable is taking, like the files it writes and any process activity it performs.
  • In case of MSI files, though code is closed source, but developers need to stick to strict guidelines.
    • Orca tool lets you examine, create and edit MSI files, it’s part of Windows SDK.

Linux: Underneath the Hood

  • Installations are clearer than Windows due to open nature of the OS
  • Software usually consists of setup script, actual app files and README.
  • Most devices you’ve got on your computer will be groped together according to some broad categories by Windows.
  • This grouping typically happens automatically when you plug in a new device, Plug&Play or PnP system.
  • When a new device plugs-in, Windows asks for its hardware ID.
  • When it gets the right hardware ID, it searches for its drivers in some known locations, starting with a local list of well-known drivers. Then goes on to Windows Update or the driver store.
  • Other times devices comes with custom drivers.

Device Software Management

Windows: Devices and Drivers

  • Device Manager console is used in GUI, for devices and drivers management.
  • You can open it by searching devmgmt.msc from the search console, or right-click on This PC and click Device Manager.

Driver

Used to help our hardware devices interact with our OS.

Linux: Devices and Drivers

  • On Linux, everything is considered a file, even the hardware devices.
  • When a new device is connected, a file is created in the /dev/ directory.
  • There are lots of devices in /dev/ directory, but not all of them are physical devices.
  • The more common one in there are character devices and block devices.
  • As in long ls listing - in the front represents file, and d represents directory, in /dev/, c shows block devices, and b represents block devices.
  • Device drivers on Linux are easy at the same time difficult to install.
    • Linux kernel is monolithic software, that contains drivers for popular devices as well.
    • The devices that don’t have driver backed in the kernel, will have drivers in the form of kernel modules.

Character Devices

Like a keyboard or a mouse, transmit data character by character.

Block Devices

Like USB drives, hard drives and CDROMs, transfer blocks of data; a data block is just a unit of data storage.

Pseudo Devices

Device nodes on Unix-like OSs, that don’t necessarily have to correspond to physical devices. I.e. /dev/null, /dev/zero, /dev/full etc.

Windows: Operating System Updates

  • When your OS vendor discovers a security hole in a system, they prepare a security patch.
  • As an IT specialist, it’s important to keep your system up-to-date with security and other patches, though feature updates can be delayed for reasons.
  • The Windows Update Client service runs in the background and download and install security patches and updates.

Security Patch

Software that’s meant to fix up a security hole.

Linux: Operating System Updates

  • For Ubuntu based distros

    sudo apt update && sudo apt upgrade
  • To be on the latest security patches, you need to run and update newer kernels.

    To see your kernel version

    uname -r

    -r is a flag, to know kernel release, to know kernel version you have.

Filesystems

Filesystem Types

Review of Filesystems

  • FAT32 reading and writing data to Windows, Linux, and macOS

    • Shortcomings are, max file size supported is 4 GB
    • Max file system 32 GB

    USB on Linux and Windows USB on Linux and Windows

    USB not Working on Windows USB not Working on Windows

Disk Anatomy

  • A storage device can be divided into partitions
  • You can dual-boot Windows and Linux, with disk partitions dedicated for each.
  • Other component is Partition table
    • Two main Partition tables are used

      • Master Boot Record (MBR)

      MBR MBR

      • GUID Partition Table (GPT)

      GPT GPT

    • For new booting standard UEFI, you need GPT table.

Partition

The piece of a disk that you can manage.

Partition Table

Tells the OS how the disk is partitioned.

Windows: Partitioning and Formatting a Filesystem

  • Windows ships with a great tool, Disk Management Utility.
  • To manage disks from CLI, a tool called Diskpart is used.

Diskpart

Typing Diskpart in the CLI, will open an interactive shell.

Next, type list disk to list out all the storage devices on your computer

Then to select a disk:

select disk <Disk ID>

After to wipe all volumes and files from the disk, type clean in the interactive shell.

To create blank partition in a disk

create partition primary

Then, to select the newly created partition

select partition 1

To mark it as active, simply type active.

To format the disk with filesystem:

format FS=NTFS label=<Label the Disk> quick

Cluster

Cluster (allocation unit size) is the minimum amount of space a file can take up in a volume or drive.

Cluster size

Cluster size is the smallest division of storage possible in a drive. Cluster size is important because a file will take up the entire size of the cluster, regardless of how much space it actually requires in the cluster.

  • For example, if the cluster size is 4kb (the default size for many formats and sizes) and the file you’re trying to store is 4.1kb, that file will take up 2 clusters. This means that the drive has effectively lost 3.9 Kb of space for use on a single file.

    Cluster size Cluster size

Volume

A single accessible storage area with a single file system; this can be across a single disk or multiple.

Partition

A logical division of a hard disk that can create unique spaces on a single drive. Generally used for allowing multiple operating systems.

Windows: Mounting and Unmounting a Filesystem

  • When you plug a USB drive, it shows up in the list of your devices, and you can start using it right away.
  • When done using, safely eject it.

Mounting

Making something accessible to the computer, like filesystem or a hard disk.

Linux: Disk Partitioning and Formatting a Filesystem

  • There are different disk partitioning CLI tools
    • parted Can be used in both interactive and in command line.

Parted

To list the devices

sudo parted -l

To run parted in interactive mode on some disk

sudo parted /dev/sdX

You can use help to see different commands used in the interactive mode.

To format the partition with filesystem using mkfs

sudo mkfs -t ext4 /dev/sdXx

Linux: Mounting and Unmounting a Filesystem

To mount the previously formatted disk

sudo mount /dev/sdXx /my_disk/

To unmount the disk

sudo umount /dev/sdXx

File System table (fstab)

To permanently mount a disk, we need to make changes in a fstab file.

The fstab configuration table consists of six columns containing the following parameters:

  • Device name or UUID (Universally Unique ID)
  • Mount Point: Location for mounting the device
  • Filesystem Type
  • Options : list of mounting options in use, delimited by commas.
  • Backup operation of dump – this is an outdated method for making device or partition backups and command dumps. It should not be used. In the past, this column contained a binary code that signified:
    • 0 = turns off backups
    • 1 = turns on backups
  • Filesystem check (fsck) order or Pass – The order in which the mounted device should be checked by the fsck utility:
    • 0 = fsck should not run a check on the filesystem
    • 1 = mounted device is the root file system and should be checked by the fsck command first.
    • 2 = mounted device is a disk partition, which should be checked by fsck command after the root file system.

Example of an fstab table:

FSTAB FSTAB

To get a UUID of a disk

sudo blkid

Fstab Options Fstab Options

Windows: Swap

  • Windows use Memory Manager to handle virtual memory.
  • On Windows, pages saved to disk are stored in a special hidden file on the root partition of a volume called pagefile.sys
  • Windows provides the way to modify size, number, and location of paging files through a control panel applet called System Properties.

Virtual memory

How our OS provides the physical memory available in our computer (like RAM) to the applications that run on the computer.

Linux: Swap

  • You can make swap, with tools like fdisk, parted, gparted etc.
  • To make it auto-mount on system start, add its entry in the fstab file.

Swap space

On Linux, the dedicated area of the hard drive used for virtual memory.

Windows: Files

  • NTFS uses Master File Table or MFT to represent the files.

  • Every file on the system has at least one entry on the MFT

  • Shortcut is an MFT entry which takes us to the specific location of a file, which it is a shortcut of.

  • Other methods to link to files are:

    • Symbolic Links: OS treats Symbolic links just like the files themselves

    To create a symbolic link:

    mklink <Symlink Name> <Original File Name> 
    • Hard Links: When you create a hard link in NTFS, an entry is added to the MFT that points to the linked file record number, not the name of the file. This means the file name of the target can change, and the hard link will still point to it.

    To create a hard link:

    mklink /H <Hard link Name> <Original File Name>

    Master File Table Master File Table

File metadata

All the data, other than the file contents.

Master File Table (MFT)

The NTFS file system contains a file called the master file table or MFT, There is at least one entry in the MFT for every file on an NTFS file system volume, including the MFT itself.

  • All information about a file, including its size, time and date stamps, permissions, and data content, is stored either in the MFT table, or in space outside the MFT that describe by MFT entries.
  • As files are added to an NTFS file system volume, more entries are added to the MFT and the MFT increases in size. When files are deleted from an NTFS file system volume, their MFT entries are marked as free and may be reused.

Linux: Files

  • In Linux, metadata and files organize into a structure called an inode.

  • Inode doesn’t store filename and the file data.

  • We store inodes in an inode table, and they help us manage the files on our file system.

  • Shortcut on Linux, referred to as Softlink.

    Linux file links Linux file links

    To create a soft link:

    ln -s <File Name> <Softlink Name>

    To create a hard link:

    ln <File Name> <Hardlink Name>
  • If you move a file, all the Softlinks, will be broken

Windows: Disk Usage

  • To check disk usage, open up, computer management utility.

  • Disk cleanup is done through CleanManager.exe, to clear out, cache, log file, temporary files, and old file etc.

  • Another disk health feature is Defragmentation.

    • This beneficial for spinning hard drives, and less of important for SSDs.
    • Defragmentation in spinning drives is handled by task schedulers on Windows automatically, and you don’t need to worry about manual intervention most of the time.
    • To start manual defragmentation, start Disk defragmenter tool.
  • For Solid state drives, the system can use the Trim feature to reclaim unused space.

  • For CLI, disk cleanup du tool is used

    DISK USAGE CLI DISK USAGE CLI

Defragmentation

The idea behind disk defragmentation is to take all the files stored on a given disk, and reorganize them into neighboring locations.

Linux: Disk Usage

To see disk usage:

du -h

du List file sizes of current directory if no option is specified.

To see free disk space:

df -h
  • Linux generally does a good job of avoiding fragmentation, more than Windows.

Windows: File-system Repair

  • Ejecting a USB drive is necessary, as the file copying/moving might still be running in the background, even after successful copy/move prompt.

  • When we read or write something to a drive, we actually put it into a buffer, or cache, first.

  • If you don’t give enough time for data to be moved away from buffer, you may experience a Data corruption.

  • Power outage, system failure, or some bug in the OS or the program, can also cause data corruption.

  • NTFS has some advanced feature in the form of Data journaling, which avoid data corruption or even attempts data recovery in case of failure.

  • Minor errors and data corruptions are self healed by NTFS.

    To check self-heal status:

    fsutill repair query C:

    In case of catastrophic failure, run chkdsk tool in PowerShell as an admin, by default it will run in read-only mode. So it will only report the error, and not fix it.

    chkdsk

    To fix the errors

    chkdsk /F <Drive Path>

    Most of the time, you won’t need to run chkdsk manually, and OS will handle it for you running it, and then fixing the errors, by looking the at the NTFS Journaling log.

Data buffer

A region of RAM that’s used to temporarily store data while it’s being moved around.

Linux: File-system Repair

Run fsck on unmounted drive, otherwise it will damage it.

sudo fsck /dev/sdX

On some systems, fsck runs automatically on boot.

Operating Systems in Practice

Remote Access

Remote Connection and SSH

  • The most popular SSH client on Linux is **OpenSSH program.
  • The most popular SSH program on Windows is PuTTY.
  • Another way to connect to a remote machine is VPN.
  • On Linux, GUI remote connection can be established through programs like RealVNC.
  • On MAC, remote GUI connections are possible via Microsoft RDP on Mac.

Remote Connection

Allows us to manage multiple machines from anywhere in the world.

Secure shell (SSH)

A protocol implemented by other programs to securely access one computer from another.

  • We can authenticate via password in SSH.
  • But more secure way is the use of SSH keys. An SSH key is a pair of two keys:
    • Private
    • Public

Virtual private network (VPN)

Allows you to connect to a private network, like your work network, over the Internet.

Remote Connections on Windows

  • Microsoft has built Remote Desktop Protocol or RDP for GUI remote connections.
    • A client named Microsoft Terminal Services Client or mtsc.exe is used for remote RDP connections.

PuTTY

A free, open source software that you can use to make remote connections through several network protocols, including SSH.

To connect via PuTTY in a CLI:

putty.exe -ssh username@ip_address <Port Number> # Port number is 22 by default for SSH connections

To enable remote connection on a pc go-to:

MY PC > Properties > Remote Settings

Remote Connection File Transfer

Secure copy (SCP)

A command you can use on Linux to copy files between computers on a network.

To copy file from local computer to remote:

scp <filepath> username@ip_address:location

Remote Connection File Transfer on Windows

  • PuTTY comes with PuTTY Secure Copy Client or pscp.exe.

    pscp.exe <filepath> username@ip_address:location
  • To transfer files via PuTTY is a little time-consuming, so Windows came up with the concept of ShareFolders.

    To share folders via CLI:

    net share <ShareName>=<drive>:<DirectoryPath> /grant:everyone,full
    

    To list currently shared folders on your computer:

    net share
    

Virtualization

Virtual Machines

  • To manage virtual instances, we can use FOSS program Virtual Box.

Virtual Instance

A single virtual machine.

Logging

System Monitoring

Log

A log is a system diary of events happening on the system.

Logging

The act of creating log events.

The Windows Event Viewer

It stores all the events happening on a Windows computer.

Linux logs

  • The logs on Linux are stored in /var/log directory.
  • One log file that pretty much everything on the system is /var/log/syslog
  • The utility logrotate is used for log cleanup by the system.
  • Centralized logging is used for parsing multiple systems log files in a single place.

Working with Logs

The logs are written in a very standard way, so we don’t need to go through each and every bit of them to troubleshoot problems, all you need to do is look for specific things.

  • Logs can be searched with keywords like, error.
  • Name of the troublesome program.
  • The troubleshooting technique is viewing logs in the real time, to find the out the specific errors causing the program to fail.

To see real-time logs on Linux:

tail -f /var/log/syslog

Operating System Deployment

Imaging Software

  • It is extremely cumbersome to install OSs on new machines via USB drive formatted with OS.
  • In IT world, tools are used to format a machine with an image of another machine, which includes everything, from the OS to the settings.

Operating Systems Deployment Methods

  • Disk cloning tools are used to obtain an image of a computer OS and settings. Some tools are:

    • Clonezilla (FOSS)
    • Symantec Ghost (Commercial)
  • Different disk cloning tools offer different methods to clone systems

    • Disk-to-disk cloning

    Let’s use Linux CLI tool dd to copy files from a disk to make a clone.

    To copy from a USB drive, first unmount it:

    sudo umount /dev/sdX

    Then run dd:

    sudo dd if=/dev/sdX of=~/Desktop/my_usb_image.img bs=100M

Mobile Device Resetting and Imaging

  • Factory resetting a device clean all user data and apps, and return the device to its original factory condition.
    • Watch out for expansion storage, like SD cards, as factory reset may format them too.
    • You will require primary account credentials to factory reset, this prevents misuse of stolen devices.
      • Re-flash a factory software can be done through computer.

OS Process Management

Life of a process

Program vs. Process Revisited

Programs

The applications that we can run, like the Chrome web browser.

Processes

Programs that are running.

  • When you open a program, a process is started, and it gets the process ID or PID.
  • Background or Daemon Processes are those who are always running in the background.

Windows: Process Creation and Termination

  • When Windows boots up or starts, the first non-kernel user mode that starts is the Session Manager Subsystem or smss.exe.

    • It kicks start some processes before login
    • Then smss.exe starts winlogon.exe along with client/server runtime subsystem or csrss.exe, which handles GUI and CLI.
    • Unlike Linux, Windows’ processes can run own their own in their respective Environment created by smss.exe independent of their parent process.
  • To terminate a process from CLI, taskkill utility is used, which can find and halt a process.

    • taskkill Uses PID to identify the process running.

    To kill notepad with taskkill from CLI:

    taskkill /pid 5856
    

    To forcefully kill a rogue process:

    taskkill /F /PID <PID>
    

Linux: Process Creation and Termination

  • On Linux, process has parent child relationship.
  • So every process that runs on the system has some parent process.
  • init Is the parent process for the kernel

INIT Process

When you start up your computer, the kernel creates a process called init, which has a PID of 1.

Managing Processes

Windows: Reading Process Information

  • Task Manager or taskmgr.exe is one way of obtaining processes information on Windows.

    To show all running processes in CLI:

    tasklist
    

    The PowerShell command for the same:

    Get-Process

Linux: Reading Process Information

To see process running on Linux:

ps -x

The following STAT for ps -x command are used to show processes current status

  • R: running
  • T: stopped
  • S interruptible sleep

To see full list of running processes, even by other users run:

ps -ef #'f' for full
  • UID: User ID
  • PID: Process ID
  • PPID: Parent Process ID
  • C: Number of children processes
  • STIME: Start Time of Process
  • TTY: Terminal associated with the process
  • TIME: Total CPU time process is taking up
  • CMD: Name of the command running

Everything in a Linux is a file, even the processes. So we can view them in /proc.

ls -l /proc

Windows: Signals

  • If we want to close an unresponsive process, we use signals.

  • The most common is SIGINT or signal interrupt. You can send this signal to a running process with the CTRL+C key combination.

    Windows Signals Windows Signals

Signal

A way to tell a process that something’s just happened.

Linux: Signals

There are lots of signals on Linux, starting with SIG. I.e. SIGTERM, SIGINT** etc.

Windows: Managing Processes

  • To restart or pause a process and to do even much more, Process Explorer tool is used.

Process Explorer

A utility, Microsoft created to let IT Support Specialists, system admins and other users to look at running processes.

Linux: Managing Processes

  • To terminate a process, kill command is used.

    • kill Without any parameters, sends SIGINT signal to the program/process to clean is running processes and close them properly

    To kill a process

    kill <PID>

    To send SIGKILL via kill command:

    kill -KILL <PID>

    -KILL Should the lost resort to stop a process, it doesn’t give time to the process for cleanup, it may cause more harm than good.

    To put process on pause instead of killing, SIGSTP or signal stop, is used

    kill -TSTP <PID>

    To resume from suspend:

    kill -CONT <PID>

Process Utilization

Windows: Resource Monitoring

  • Resource Monitoring tool is used.

  • To get resource monitoring from CLI

    Get-Process

    To get the three most resource heavy processes:

    Get-Process | Sort CPU -descending | Select -first 3 -Property ID,ProcessName,CPU

Linux: Resource Monitoring

top is a useful resource monitoring CLI tool:

top

Another useful CLI tool is uptime, which show info about the current time, how long your computer running, how many users are logged on, and what the load average of your machine is.

When ejecting a USB drive, you get the error “Device or resource busy” though none of the files on the USB drive is in use or opened anywhere, or so you think. Using the lsof lists open files and what processes are using them.

  • It is great for tracking down pesky processes that are holding open files.

Subsections of SysAmin and IT Infrastructure Services

What is System Administration?

System Administration

The field in IT that’s responsible for maintaining reliable computer systems in a multi-user environment.

What is System Administration?

IT Infrastructure

IT Infrastructure encompasses the software, the hardware, network, services required for an organization to operate in an enterprise IT environment.

  • Sysadmins work in the background to make sure the company’s IT infrastructure is always up and running.

  • In large companies, sysadmin can be split-up into:

    • Network Administrators

    • Database Administrators

    A Company X IT Infrastructure A Company X IT Infrastructure

Servers Revisited

  • Sysadmins, responsible for managing things like
    • Email
    • File storage
    • Running a website and more.
  • These services are stored on servers.

Server

Software or a machine that provides services to other software or machines.

Servers include:

  • Web server
  • Email server
  • SSH server

The servers can be of three of the most common types in terms of their space efficiency:

  • Tower Servers
  • Rack Servers
  • Blade Servers

Types of Server Types of Server

KVM Switch

Keyboard, Video, and Mouse (KVM) is an industry standard hardware device for connecting directly to the servers.

A KVM Switch in Action A KVM Switch in Action

The Cloud

  • Cloud computing, a concept in which you can access your files, emails etc. from anywhere in the world.
  • Cloud is not a magical thing, rather hundreds and even thousands of computer act as a server to form a cloud, somewhere in the data center.

Data Center

A facility that stores hundreds, if not thousands, of servers.

System Administration

Organizational Policies

  • In a small company, it’s usually a Sysadmin’s responsibility to decide what computer policies to use.
  • In larger companies with hundreds of employees or more, this responsibility typically falls under the chief security officer or CSO.

User and Hardware Provisioning

In other responsibilities, Sysadmins have is managing users and hardware.

There are four stages of hardware life cycle

A Company Hardware Life-cycle A Company Hardware Life-cycle

Routine Maintenance

To affectively update a fleet of hardware, you set up a Batch update, once every month or so, depending upon company policies.

Good practice is to install security and critical bug fixes routinely.

Vendors

  • Not only do sysadmins in a small company work with using computers, they also have to deal with printers and phone, too.

  • Whether your employees have cellphones or desk phones, their phone lines have to be setup.

    Other hardware generally used in companies is:

    • Printers
    • Fax machines
    • Audio/video conferencing equipment
  • Sysadmins might be responsible for making sure printers are working or, if renting a commercial printer, they have to make sure that someone can be on site to fix it.

  • Setting up businesses account with vendors like **Hewlett Packard, Dell, Apple, etc. is usually beneficial since they generally offer discounts for businesses.

Troubleshooting and Managing Issues

While working in an organization, sysadmins have to constantly troubleshoot and fix issues on machines.

You need to prioritize the issues all the time.

In Case of Fire, Break Glass

As a sysadmin, you need to have some recovery plan for companies critical data and IT infrastructure in case of a critical failure.

Applying Changes

With Great Power Comes Great Responsibility

  • Avoid using administrator’s rights for tasks that don’t require them.
  • When using Admin rights, make sure to:
    • Respect the privacy of others.
    • Think before you type or do anything.
    • With great power comes great responsibility.
  • Documenting what you do is pretty important, for future you or someone else in the company to troubleshoot the same issues.
    • script Command used to record a group of commands as they’re being issued on Linux
    • Start-Transcript is an equivalent command on Windows
    • We can record the desktop with some GUI application.
  • Some commands are easy to rollback than others, so be careful of what you’re doing.

Script

In the case of script you can call it like this:

script session.log

This writes the contents of your session to the session.log file. When you want to stop, you can write exit or press CTRL+D.

The generated file will be in ANSI format, which includes the colors that were displayed on scree. In order to read them, you can use CLI tools like, ansi2txt or ansi2html to convert it to plain text or HTML respectively.

Start-Script

In the case of Start-Script, you can call it like this:

Start-Script -Path <drive>:\Transcript.txt # File name can be anything.

To stop recording, you need to call Stop-Transcript. The file created is a plain text file where the commands executed, and their outputs, are stored.

Rollback

Reverting to the previous state is called a rollback.

Never Test in Production

  • Before pushing any changes to Production, test them first on the Test environment to make sure, they are bug free.
  • If you’re in charge of an important service that you need to keep running during a configuration change, it’s recommended that you have a secondary or stand-by machine.
  • First apply the changes after testing them in the test environment, to the stand-by or secondary machine, then make that machine primary, and apply changes to the production machine.
  • For even bigger services, when you have lots of servers providing the service, you may want to have canaries. (canaries: small group of servers, if anything still doesn’t work, it shouldn’t take down the whole infrastructure.)

Production

The parts of the infrastructure where a certain service is executed and served to its users.

Test environment

A virtual machine running the same configuration as the production environment, but isn’t actually serving any users of the service.

Secondary or stand-by machine

This machine will be exactly the same as a production machine, but won’t receive any traffic from actual suers until you enable it to do so.

Assessing Risk

There is no point of having test/secondary servers, when nobody cares about the downtime.

So, it’s very important to assess the risk before going forward to invest in the backup plans.

In general, the more users your service reaches, the more you’ll want to ensure that changes aren’t disruptive.

The more important your service is to your company’s operations, the more you’ll work to keep the serve up

Fixing Things the Right Way

Reproduction case

Creating a roadmap to retrace the steps that led the user to an unexpected outcome.

When looking for a Reproduction case, there are three questions you need to look for:

  • What steps did you take to get to this point?
  • What is the unexpected or bad result?
  • What is the expected result?

After applying your fix, retrace the same steps that took you to the bad experience. If your fix worked, the expected experience should now take place.

Network and Infrastructure Services

Types of IT Infrastructure Services

IT Infrastructure IT Infrastructure

  • You can use Cloud Infrastructure Services or IaaS, if you don’t want to use own hardware. Some common IaaS providers are:

    • Amazon EC2
    • Linode
    • Windows Azure
    • Google Compute Engine (GCP)

    IaaS IaaS

  • Networks can be integrated into an IaaS

  • But in recent years, Network as a Service or NaaS has emerged.

    NaaS NaaS

  • Every company needs, some email service, word processor, ppt makers, CMS, etc. Software as a Service or SaaS can handle it for you.

    SaaS SaaS

  • Some companies have a product built around a software application. In this case, there are some things that software developers need to be able to code, build and shape their software.

    • First, specific applications have to be installed for their programming development environment.
    • Then, depending on the product, they might need a database to store information.
    • Finally, if they’re serving web content like a website, they might need to publish their product on the Internet.
    • For all in one solution, Platform as a Service or PaaS, is used.

    Paas Paas

  • The last IT Infrastructure service we’ll discuss is the management of users, access, and authorization. A directory service, centralizes your organization’s users and computers in one location so that you can add, update, and remove users and computers. Some popular directory services are:

    • Windows Active Directory (AD)
    • OpenLDAP
  • The directory services can be directly deployed in the cloud via Directory as a Service or DaaS.

Physical Infrastructure Services

Server Operating Systems

Regular operating systems that are optimized for server functionality.

  • Windows Server
  • Linux Servers
  • macOS Servers

Virtualization

Advantages:

  • Resource Utilization
  • Maintenance
  • Point of Failure
  • Cost
  • Connectivity

Limitations:

  • Performance

Network Services

FTP, SFTP, and TFTP

  • Network service commonly used in an organization is File transfer service.

    A Network File transfer service A Network File transfer service

PXE Boot (Preboot Execution)

It allows you to boot into software available on the network.

NTP (Network Time Protocol)

  • One of the oldest network protocols

  • You can use Public NTP server, or deploy your own if you have a fleet of hundreds and thousands of computers.

    NTP Server NTP Server

Network Support Services Revisited

  • There are a few services that are used internally in an IT enterprise environment, to improve employee productivity, privacy, and security.
    • Intranet
    • Proxy servers

Intranet

An internal network inside a company; accessible if you’re on a company network.

Proxy server

Acts as an intermediary between a company’s network and the Internet.

DNS

Maps human-understandable names to IP addresses.

DNS for Web Servers

  • First, we need a domain name.

    DNS Web Server Setup DNS Web Server Setup

  • We can also have own server, pointed to the domain name.

    DNS setup for private server DNS setup for private server

DNS for Internal Networks

  • The other reason we might want our own DNS servers is, so we can map our internal computers to IP addresses. That way, we can reference a computer by name, instead of IP address.
    • You can do this through hosts files.
    • Hosts, files allow us to map IP addresses to host name manually.
    • AD/OpenLDAP can be used to handle user and machine information in its central location. Once local DNS servers is set, it will automatically populate with machine to IP address mappings.
  • Option for Custom DNS server setup:
    • BIND1
    • PowerDNS2
    • DNSmasq3
    • Erl-DNS4

DHCP

  • When connecting to a network, you have two options for IP address assignment:
    • Static IP
    • DHCP assigned IP

Troubleshooting Network Services

Unable to Resolve a Hostname or Domain Name

  • To check if website accepts ping requests

    ping google.com
  • To verify if your DNS is giving you correct address for <google.com>

    nslookup google.com
  • Remember that when a DNS query is performed, your computer first checks the host file. To access a host file:

    sudo vim /etc/hosts

Managing System Services

What do Services Look Like in Action

  • We have looked at many services so far:
    • DHCP
    • DNS
    • NTP etc.
  • It’s important to understand how the programs that provide these services operate. So, that you can manage them and fix any problems that pop-up.
  • These programs as background processes, also known as daemons, or just services.
    • This means that the program doesn’t need to interact with a user through the graphical interface or the CLI to provide the necessary service.
  • Each service has one or more configuration file, you as Sysadmin will determine how to operate.
  • Some services offer interactive interface for configuration and changes, others may rely on the system’s infrastructure.
    • It means you need to edit the configuration file yourself.
    • You should also know how to start or stop a service.
  • Services are usually configured to start when the machine boots, so that if there’s a power outage or a similar event that causes the machine to reboot, you won’t need a system administrator to manually start the service.

Managing Services on Linux

  • To check if NTP daemon running on a system

    timedatectl
  • If there is a change of more than 120ms, the NTP daemon will not adjust for the change.

  • Stopping and starting the NTP service manually, will adjust the clock to correct settings.

  • Restart first stops and then start the service.

Managing Services on Windows

Here, for example, we will deal with Windows Update Service

To check the status of the service:

Get-Service wuauserv # Short hand for Windows Update Service

To get more information about the service:

Get-Service wuauserv | Format-List *

To stop service (Admin required):

Stop-Service wuauserv

To start a service (Admin required):

Start-Service wuauserv

To list all services running in the system:

Get-Service

**Same actions can be performed via Service Management Console in GUI.

Configuring Services on Linux

  • Most services are enabled as you install them, they are default services ship with the program itself.

  • The configuration files for the installed services are located in the /etc directory.

  • Here we will use the example of ftp client.

  • After installing ftp client vsftpd, it will start the service automatically.

  • We can start ftp client

    lftp localhost
    • It requires username and password to view contents
  • To enable anonymous ftp logins, we can edit the configuration file in /etc/vsftpd.conf

    • Then reload the ftp client
    sudo service vsftpd reload

lftp

A ftp client program that allows us to connect to a ftp server.

Reload

The service re-reads the configuration without having to stop and start.

Configuring Services on Windows

Here as an example we will use Internet Information Services, the feature offered by Windows to serve the web pages.

  • First, Turn the Feature ON and OFF in the settings to first enable it.

    To Feature ON/OFF from the CLI

    Install-WindowsFeature Web-WebServer,Web-Mgmt-Tools -IncludeAllSubFeature
  • Then we can add and remove IIS in the server manager, where IIS tab is now available after applying the above changes.

Configuring DNS with Dnsmasq

dnsmasq

A program that provides DNS, DHCP, TFTP, and PXE services in a simple package.

To install it:

sudo apt install dnsmasq

It immediately gets enabled with basic functionality, provides cache for DNS queries. This means you can make DNS request to it, and it’ll remember answers, so your machine doesn’t need to ask an external DNS server each time.

To check this functionality, we’ll use dig command, which lets us query DNS servers and see their answers:

dig www.example.com @localhost

Part after @ sign specifies which DNS server to use for query.

To see what’s happening in the background, we can run dnsmasq in the debug mode.

First stop the service:

sudo service dnsmasq stop

Now, run it in debug mode:

sudo dnsmasq -d -q

Now open a second console, and run dig command again, dnsmasq console running with flags -d (debug), q (query logging)

Configuring DHCP with Dnsmasq

  • A DHCP server is usually set up on a machine or a device that has a static IP address configured to the network interface which is being used to serve the DHCP queries. That interface is then connected to the physical network that you want to configure through DHCP, which can have any number of machines on it. In real life, the DHCP server and the DHCP client typically run on two separate machines.

  • For this example, we’ll use a single machine

  • In this machine, we have an interface called eth_srv, that’s configured to be the DHCP server’s interface.

  • We also have an interface called eth_cli, which is the interface that we’ll use to simulate a client requesting an address using DHCP. This interface doesn’t have an IP configured yet.

  • So, I’m going to type in

    ip address show eth_cli

    We can see that this interface doesn’t have an IPV4 address configured. We will change this by using our DHCP server. To do this, we need to provide additional configuration to dnsmasq. There are lots of things we can configure. We’re going to use a very basic set of options. Let’s look at the configuration file.

    cat DHCP config.

    The interface option tells dnsmasq that it should listen for DHCP queries on the eth_srv interface. The bind interfaces option tells it not to listen on any other interfaces for any kind of queries. This allows us to have more than one dnsmasq server running at the same time, each on its own interface. The domain option tells the clients, the networks’ domain name and will be used for querying host names. Then, we have two different DHCP options, which are additional information that will be transmitted to DHCP clients when the IP is assigned. In this case, we’re telling clients what to configure as a default gateway and which DNS servers should be used. There are a lot more options that we can set, but these two are the most common ones.

  • Finally, we configure the DHCP range. This is the range of IP addresses that the DHCP server can hand out. Depending on your specific setup, you may want to reserve some addresses in your network for machines that need to have a static address. If you don’t plan to do that, you can make the range larger, but make sure you don’t include the address of the DHCP server itself. The last value in the DHCP range Line is the length of the lease time for the IP address. In this case, it’s 12 hours, which means that once an address is assigned to a machine, it will be reserved for that machine for those 12 hours. If the lease expires without the client renewing it, the address can be assigned to a different machine.

    Let’s tell dnsmasq to start listening for queries using this config.

    sudo dnsmasq -d -q -c dhcp.conf

    We can see in the output that dnsmasq is listening for DHCP queries on the eth_srv interface with the options that we set in our configuration file. Now, let’s run a DHCP client on a second terminal.

    sudo dhclient -i eth_cli -v 

    We’re using dhclient which is a very common DHCP client on Linux. We’re telling it to run on the eth_cli interface, and we’re using the -v flag to see the full output of what’s happening.

    ip address show eth_cli

    Our eth_cli interface has successfully acquired an IP address.

References

Software and Platform Services

Platform services

Provide a platform for developers to code, build, and manage software applications.

Software Services

Services that employees use that allow them to do their daily job functions.

Major software services are

  • Communication services
  • Security services
  • User productivity services

Communication services

Some instant chat communication services are:

  • Internet Chat relay (IRC)

  • Paid for options: HipChat and Slack

  • IM protocols: XMPP or Extensible Messaging and Presence Protocol

Configuring Email Services

  • Domain name for company

    • Google Suite

    Some email protocols are:

    • POP3 or Post Office Protocol 3

    It first downloads the email from the server and onto your local device. It then deletes the email from the email server. If you want to retrieve your email through POP3, you can view it from one device.

    • IMAP or Internet Message Protocol

    Allows you to download emails from your email server onto multiple devices. It keeps your messages on the email server.

    • SMTP or Simple Mail Transfer Protocol

    It is an only protocol for sending emails.

    Email Services Email Services

Configuring User Productivity Services

When considering software licenses, it’s important to review the terms and agreements.

Software used has consumer won’t be the same as the software used as business.

Configuring Security Services

Different protocols for managing the security of the online services

Hyper Text Transfer Protocol Secure (HTTPS)

The secure version of HTTP, which makes sure the communication your web browser has with the website is secured through encryption.

  • Transport layer security protocol or TLS
  • Secure Socket layer or SSL (deprecated)

To enable TLS, so a website can use HTTP over TLS, you need to get an SSL certificate for Trust authority.

File Services

What are File Services?

File Services File Services

Network File Storage

  • Only few file systems are cross-compatible. Like FAT32.

  • Network File System (NFS), allows us to share files over a network, cross-compatible.

    NFS NFS

  • NFS is even through cross-compatible, but there are some compatibility issues on Windows.

  • Even your fleet is mostly Windows, you can use Samba, though Samba is also cross-platform.

    • SMB or Server Message Block is a protocol that Samba uses.
  • An affordable solution is to use Network Attached Storage or NAS. They are optimized for network storage and comes with the OS stripped down and optimized for file transfer and storage.

Configuring Print Services

  • On Windows, print feature can be enabled
  • In Linux, CUPS, or Common Unix Printing Service.

Platform Services

Web Servers Revisited

Web server

Stores and serves content to clients through the Internet.

Some server software:

  • Apache2
  • Nginx
  • Microsoft IIS

What is a database server?

Databases

Allow us to store, query, filter, and manage large amounts of data.

Common databases:

  • MySQL
  • PostgreSQL

There is a specialized field within IT that handles databases:

  • Database Administration

Troubleshooting Platform Services

Is the Website down?

HTTP status codes are of great help for troubleshooting web servers errors.

Knowing common HTTP status codes comes handy for fixing website errors.

HTTP status Codes

HTTP status Codes are codes or numbers that indicate some sort of error or info messages that occurred when trying to access a web resource.

  • HTTP status codes that start with 4xx indicate an issue on the client-side.
  • The other common HTTP status codes you might see start with 5xx. These errors indicate an issue on the server-side.

They tell us more than just errors. They can also tell us when our request is successful, which is denoted by the codes that begin with 2xx.

404 Not Found

A 404 error indicates that the URL you entered doesn’t point to anything.

Managing Cloud Resources

Cloud Concepts

  • When setting up cloud server, region is important

SaaS

The software is already pre-configured and the user isn’t deeply involved in the cloud configuration.

IaaS

You’re hosting your own services in the cloud. You need to decide how you want the infrastructure to look, depending on what you want to run on it.

Regions

A geographical location containing a number of data centers.

  • Each of these data centers are called zones.
  • If one of them fails for some reason, the others are still available and services can be migrated without visibly affecting users.

Public cloud

Cloud services provided to you by a third party.

Private cloud

When your company owns the services and the rest of your infrastructure – whether on-site or in a remote data center.

Hybrid cloud

A mixture of both private and public clouds.

Typical Cloud Infrastructure Setups

Let’s say you have a web server providing a website to a client. In a typical setup for this kind of service running in a cloud, a number of virtual machines will be serving this same website using Load balancers.

To make sure servers running properly, you can set:

  • Monitoring
  • Alerting

Load Balancer

Ensures that each VM receives a balanced number of queries.

Auto-scaling

It allows the service to increase or reduce capacity as needed, while the service owner only pays for the cost of the machines that are in use at any given time.

Directory Services

Introduction to Directory Services

What is a directory server?

“Contains a lookup service that provides mapping between network resources and their network addresses.”

A sysadmin will be responsible for directory server:

  • Setup
  • Configuration
  • Maintenance

Replication

The stored directory data can be copied and distributed across a number of physically distributed servers, but still appear as one, unified data store for querying and administrating.

Directory services

Useful for organizing data and making it searchable for an organization.

Directory Structure Management Directory Structure Management

Implementing Directory Services

Directory services became an open network standard for interoperability among different vendors.

  • Directory Access Protocol or DAP

  • Directory System Protocol or DSP

  • Directory Information Shadowing Protocol or DISP

  • Directory Operational Bindings Management Protocol or DOP The most popular of these alternatives was:

  • Lightweight Directory Access Protocol or LDAP

The popular industry implementation of these protocols are:

  • Microsoft Active Directory or AD
  • OpenLDAP

Centralized Management

What is centralized management?

“A central service that provides instructions to all the different parts of the company’s IT infrastructure.”

  • Directory services provide centralized authentication, authorization, and accounting, also known as AAA.
  • Role base access control or RBAC is super important in centralized management to restrict access to authorized users only.

Role Base Access Control Role Base Access Control

They’re super powerful configuration management, and automation software tools like:

  • Chef
  • Puppet
  • SCCM

Centralized Management Centralized Management

LDAP

What is LDAP?

“Used to access information in directory services, like over a network.”

The most famous one which use LDAP:

  • AD
  • OpenLDAP

LDIF (LDAP data Interchange Format) has the following fields

  • dn (distinguished name)

This refers to the name that uniquely identifies an entry in the directory.

  • dc (domain component)

This refers to each component of the domain.

  • ou (organizational unit)

This refers to the organizational unit (or sometimes the user group) that the user is part of.

  • cn (common name)

This refers to the individual object (person’s name; meeting room; recipe name; job title; etc.) for whom/which you are querying.

What is LDAP Authentication

There are three ways of LDAP authentication:

  • Anonymous
  • Simple
  • SASL - Simple Authentication & Security Layer

The common SASL authentication technique is Kerberos.

LDAP Authentication LDAP Authentication

Kerberos

A network authentication protocol that’s used to authenticate user identity, secure the transfer of user credentials, and more.

Active Directory

What is Active Directory?

The native directory service for Microsoft Windows.

  • Central point for managing Group Policy Objects or GPOs.

Managing Active Directory Users and Groups

Local user accounts and security groups are managed by the **Security Accounts Manager (SAM) on a local computer.

Authorization and Access Control Process Authorization and Access Control Process

There are three group scopes:

  • Universal
  • global
  • domain local

Managing Active Directory User Passwords

Passwords are stored as cryptographic hash.

If there’s more than one person who can authenticate using the same username and passwords, then auditing become difficult or even impossible.

  • If a user forgets his/her password, you as a sysadmin can reset their password for them.
  • Password reset will wipe out any encrypted files on the user’s computer.
  • Designated user accounts, called recovery agents > accounts, are issued recovery agent certificates with public keys and private keys that are used for EFS data recovery operations.

EFS EFS

Joining an Active Directory Domain

A computer not part of the AD is called a WorkGroup computer.

Settings > System and Security > System > Computer name, domain, and workgroup settings

From CLI:

Add-Computer -DomainName 'example.com' -Server 'dc1'

To get domain functional level:

Get-AdForest
Get-AdDomain

Forest and Domain Functional Levels

Functional levels determine the available AD Domain Service (AD DS) domain or forest capabilities. They also determine which Windows Server OS you can run on domain controllers in the domain or forest.

What is Group Policy?

Group Policy Object (GPO)

A set of policies and preferences that can be applied to a group of objects in the directory.

  • When you link a GPO, all the computers or users under that domain, site, or OU will have that policy applied.
  • A GPO can contain computer configuration, user configuration, or both.

A GPO A GPO

  • Group Policy Management tool, or gpms.msc, to change GPOs.

Policies

Settings that are reapplied every few minutes, and aren’t meant to be changed even by the local administrators.

  • By default, a GPO, will be applied every 90 mins, so OUs don’t drift away from policies.

Group policy preferences

Settings that, in many cases, are meant to be a template for settings.

Windows Registry

A hierarchical database of settings that Windows, and many Windows applications, use for storing configuration data.

  • GPOs are applied by changing Windows Registry settings.

Group Policy Creation and Editing

Always make backup before creating new policies or editing existing ones.

Group Policy Inheritance and Precedence

When a computer is processing GPO that apply to it, all of these policies will be applied in Precedence rules.

  • The Resultant Set of Policy or RSOP report is used to review applied policies and preferences.

When GPOs collide, they’re applied:

Site → Domain → OU (Applied from least specific to the most specific)

Group Policy Troubleshooting

One of the most common issues you might encounter is when a user isn’t able to log in to their computer, or isn’t able to authenticate to the Active Directory domain.

  • Maybe user locked out due to multiple failed log-in attempts.
  • Sometimes they just forget their password.
  • Start with the simplest problem statement, like perhaps there is a network connectivity issue, not directly from AD troubleshooting.
  • Possibly there is a problem with DNS record and computer cannot find src-record.
  • The SRV records that we’re interested in are _ldap._tcp.dc_msdcs.Domain.Name, where DOMAIN.NAME is the DNS name of our domain.
Resolve-DNSName -Type SRV -Name _ldap._tcp.dc._msdcs.example.com
  • Maybe there is clock sync issue

A common issue that you might have to troubleshoot is when a GPO-defined policy or preference fails to apply to a computer.

  • Perhaps issue with application of GPOs, Fast Logon Optimization.
  • GPO update may partially apply.
gpupdate /force /sync
  • Some time of policies are only applied when computer is rebooted or user logoff and logon back.
  • Replication failure may occur.
$env:LOGONSERVER

To know why a particular isn’t applying to a computer, generate a RSOP (Resultant Set of Policy) report.

gpresult /R

To get the full report:

gpresult /H test.html

Mobile Device Management (MDM)

The mobile OS takes MDM profiles or policies that contain settings for the device. You can use MDM to do a bunch of things:

  • Automatically installing apps
  • Pre-configuring wireless networks
  • Enforcing security settings like turning on encryption of the device’s storage
  • Remote wipe, a device

MDM policy settings are specific to each OS. Those policies can be created and distributed Enterprise mobility management (EMM).

Remote wipe

A factory reset that you can trigger from your central MDM, rather than having to do it in person on the device.

OpenLDAP1

What is OpenLDAP?

OpenLDAP is an open source implementation of Lightweight Directory Access Protocol (LDAP)

  • Using LDAP Data Interchange Format (LDIF), you can authenticate, add, remove users, groups and so on in the active directory service.
  • Works on Linux, Windows, and macOS.

To install it on Debian and Debian-based distros:

sudo apt install slapd ldap-utils

Then we’ll reconfigure the slapd package:

sudo dpkg-recofigure slapd

Now you have a running ldap server.

To get Web Interface:

sudo apt install phpldapadmin

The web server is now configured to serve the application, but we need to make additional changes. We need to configure phpldapadmin to use our domain, and not to autofill the LDAP login information.

sudo vim /etc/phpldapadmin/config.php

Look for the line that start with $ servers->setValue('server','name

$server->setValue('server','name','Example LDAP')

Next, move down to the $servers->setValue('server','base' line.

$servers->setValue('server','base', array('dc=example,dc=com'));

Now find the login bind_id configuration line, and comment it out with #

#$servers->setValue('login','bind_id','cn=admin,dc=example,dc=com');

The last thing that we need to adjust is a setting that controls the visibility of some phpLDAPadmin warning messages. By default, the application will show quite a few warning messages about template files. These have no impact on our current use of the software. We can hide them by searching for the hide_template_warning parameter, uncommenting the line that contains it, and setting it to true:

$config->custom->appearance['hide_template_warning'] = true;

Now login to Web-Interface

https://example.com/phpldapadmin

Managing OpenLDAP

ldapadd

Takes the input of an LDIF file2 and adds the context of the files.

ldapmodify

Modifies an existing object.

ldapdelete

Will remove the object that the LDIF file refers to.

ldapsearch

Will search for entries in your directory database.

References

Data Recovery and Backups

Planning for Data Recovery

What is Data Recovery?

“The process of trying to restore data after an unexpected even that results in data loss or corruption.”

How you go for data recovery depends on few factors:

  • Nature of Data Loss
  • Backups already in place

When an unexpected even occurs, your main objective is to resume normal operations asap, while minimizing the disruption to business functions.

The best way to be prepared for a data-loss event is to have a well-thought-out disaster plan and procedure in place.

  • Disaster plans should involve making regular backups of any and all critical data that’s necessary for your ongoing business processes.

Postmortem

A Postmortem is a way for you to document any problems you discovered along the way, and most importantly, the ways you fixed them so, you can make sure they don’t happen again.

Backing Up Your Data

Absolutely necessary data should be backed up.

Important Backup data Important Backup data

Local Storage Local Storage

Off-site storage Off-site storage

Backed up data as well as, data in transit for backup, both should be encrypted.

Backup Solutions

Too many backup solutions are there, some of them are:

rsync

A file transfer utility that’s designed to efficiently transfer and synchronize files between locations or computers.

Time Machine

Apple’s backup solution, that can restore entire snapshot or individual files.

Microsoft Backup and Restore

Backup and restore is used to back up files as well as, system snapshots in the disk.

This tool can do following tasks:

  • Back up
  • Create a system image
  • Create a restore point

Testing Backups

Disaster recovery testing should be done every year or so.

Restoration procedure

Should be documented and accessible so that anyone with the right access can restore operations when needed.

Types of Backup

Ways to Perform Regular Backups:

  • Full backup
  • Differential backup
  • Regular incremental backups

It’s a good practice to perform infrequent full backups, while also doing more frequent differential backups.

  • While a differential backup backs up files that have been change or created since the last full backup, an incremental backup is when only the data that’s changed in files since the last incremental backup is backed up**.
  • RAID array can solve the problem of failing disks on on-site backups.

Redundant Array of Independent Disks (RAID)

A method of taking multiple physical disks and combining them into one large virtual disk.

  • RAID isn’t a replacement for backups
  • It’s data storage solution which can save you from accidental deletion, or malware.

User Backups

For user backups:

  • Dropbox
  • Apple iCloud
  • Google Drive

Disaster Recovery Plans

What’s Disaster Recovery Plan?

“A collection of documented procedures and plans on how to react and handle an emergency or disaster scenario, from the operational perspective.”

Preventive measures

Any procedures or systems in place that will proactively minimize the impact of a disaster.

Detection measures

Meant to alert you and your team that a disaster has occurred that can impact operations.

  • Environmental Sensors
  • Flood sensors
  • Temp and Humidity Sensors
  • Evacuation procedures

Corrective or recovery measures

Those enacted after a disaster has occurred.

Designing Disaster Recovery Plan

No fit for all plan, there is a lot to go into a disaster recovery plan.

Designing a Disaster Recovery Plan:

  • Perform Risk Assessment
  • Determine Backup and Recovery Systems
  • Determine Detection & Alert Measures & Test Systems
  • Determine recovery measures

Risk assessment

Allows you to prioritize certain aspects of the organizations that are more at risk if there’s an unforeseen event.

Postmortems

What’s a Postmortem?

“A Postmortem is a way for you to document any problems you discovered along the way, and most importantly, the ways you fixed them so, you can make sure they don’t happen again.”

  • We create a Postmortem after an incident, an outage, or some event when something goes wrong, or at the end of a project to analyze how it went.

Writing a Postmortem

Typical postmortem report consists of:

  • Brief Summary of the incident happened

  • Detailed Timeline of Key events

  • Root Cause

  • Resolution and Recovery Efforts

  • Actions to Avoid Same Scenario

  • What went well?

    Post-mortem Report Post-mortem Report

    Post-mortem Report Post-mortem Report

Final Project: SysAdmin and IT Infrastructure Services

System Administration for Network Funtime Company

Scenario 1

You’re doing systems administration work for Network Funtime Company. Evaluate their current IT infrastructure needs and limitations, then provide at least five process improvements and rationale behind those improvements. Write a 200-400 word process review for this consultation. Remember, there’s no right or wrong answer, but make sure to provide your reasoning.

The company overview:

Network Funtime Company is a small company, that builds open-source software.

The Company is made up of 100 employees:

  • Software engineers
  • Designers
  • A Single HR Department
  • A Small Sales Team

Problem Statement

  • There is no technical support personnel.
  • The HR, is responsible for buying hardware for new resources.
  • Due to lack of funds, company go for the cheapest hardware possible.
  • Due to lack of funds, everyone in the company has different laptops models.
  • There are no backups for hardware, which creates additional wait time for new employees to start working.
  • Due to missing standardized labeling convention, when a laptop or computer goes missing/stolen, there is no way to audit it.
  • No Inventory system.
  • HR manages System setups for engineers as well as answer their support queries through email.
  • No standard way for login management, password management and recovery.
  • The company use cloud applications like:
    • Email
    • Word Processor
    • Spreadsheets
    • Slack – Instant Communication

The Improvements

The company should hire an IT Support specialist, who will take care of:

  • Buying new hardware, and disposing off the retired machines
  • According to company budget, selecting a hardware with similar specs.
  • Keep the inventory record, and labeling each and every machine before handing over to new employees.
  • Keeping a few machines as a backup in the inventory.
  • Managing a ticking system for employees’ support question.
  • Keeping the documentation of the fixes and issues.
  • Keeping a bootable USB of the OSs used in the company.
  • When the company hires a new resource, he/she sets up their machine for them.

The company should move to OpenLDAP or Active Directory for centralized passwords and permissions management and recovery.

The HR should be responsible for his/her tasks instead of providing IT Support, Hardware management, and Employees’ software installation and setup.

The Rationale Behind Improvements

Hiring an IT support specialist:

  • Will reduce the work of an HR
  • Keep the inventory record, which will make auditing very easy.
  • Selecting a standardized hardware, will make troubleshooting and tracking issues and fixes much easier, which in turn lessen the time spent in fixing and more in doing the work.
  • Keeping backups in the inventory, reduce time wastage for the new employees, they can start working asap.
  • Having a ticketing system or some centralized way of tracking issues and fixes, will create a documentation for future reference, and if the same issue arises again, it will be solved in no time.
  • Keeping bootable USB, saves in hunting down the software and makes the setup process easy, so reduces the overhead for new employees. And They can start working immediately.

Centralized management:

  • OpenLDAP/Active Directory, will make sure to centrally manage users and permissions, so everyone has only required access to the company’s sensitive documents.
  • Password resets will become more easy, there be less time wastage.

Scenario 2

You’re doing systems administration work for W.D. Widgets. Evaluate their current IT infrastructure needs and limitations, then provide at least five process improvements and rationale behind those improvements. Please write a 200-400 word process review for this consultation. Remember, there’s no right or wrong answer, but make sure to provide your reasoning.

The Company Overview

The company is in the business of selling widgets. There are mostly sales persons in the company.

The company size is 80–100 people.

Problem Statement

  • Sole IT person
  • Manual installation of the software on new machines.
  • Direct emails for IT support related issues.
  • Almost every software is kept in house:
    • Email server
    • Local Machine Software
    • Instant messenger
  • The Single file server for customers data.
    • No centralized management of the data.
    • No backups
    • Everyone has their copy with their unique data.
  • The company growth is exponential. They expect to hire hundreds of new employees.

The Improvements

The company should hire new talent for IT Support related stuff.

The automation for the following should be done:

  • Installation of software on the new machines.
  • Automated backups should be in place for critical data.
  • Storage server should be redundant.

A centralized management of the data is required:

  • To manage customers information in a single place
  • The company should move from one server to many redundant storage solutions.
  • Permissions, and access to the data, should be limited to the role of the person. To answer IT Support questions:
  • There should be a ticketing system in place.
  • There should be documentation of the common issues.

The company should move some of their services to the cloud, like:

  • Email
  • Instant Chats

The Rationale

Hiring new tech talent:

  • Will make sure you’re ready for next big step of your expansion
  • Will distribute the work load, so fewer burnouts.

The automation will make sure:

  • There is no manual input, so fewer chances of errors.
  • No hours wasted on installing software, and configuring the new machines.

The cloud will make the company:

  • Less reliant on local servers, which require more maintenance, and security related complex configuration.
  • It will reduce the number of the people required for managing those servers.
  • There will be almost zero maintenance overhead for the cloud.
  • The data will be centrally available and backed up.
  • Email and chat servers are pretty complex to manage, and require a lot of security knowledge.

The centralized management:

  • Will make sure the right person has access to the right information
  • Removing the access of Ex-employees will become easy.
  • Role based access control, will make sure sensitive internal documents are exposed to wrong persons.

Scenario 3

You’re doing systems administration work for Dewgood. Evaluate their current IT infrastructure needs and limitations, then provide at least five process improvements and rationale behind those improvements. Please write a 200-400 word process review for this consultation. Remember, there’s no right or wrong answer, but make sure to provide your reasoning.

The Company Overview

A small local non-profit of 50 employees.

  • Sole IT person

Problem Statement

  • Computers are bought directly in a physical store on the day new talent is hired.
  • Due to budget issue, they can’t keep extra stock.
  • The company has a single server with multiple services:
    • Email
    • File server
  • Don’t have an internal chat system.
  • AD is used, but Ex-employees are not disabled.
  • Ticketing system is confusing and difficult to use, so:
    • Many employees reach out to IT person, to know how to use it.
    • Employees are always asking around the questions of how to use it.
  • IT person, takes backups on a personal Drive and takes it home.
  • A website with single HTML page is hosted on internal server, and remain down many times, no one know why.

The Improvements and Rationale

The computer should be purchased directly from vendors:

  • Vendors offer special discounts to businesses and non-profits, so it will save cost.
  • There should some standardization to which hardware to buy to avoid fix issues every time for new hardware type.

The company should move their email sever to the cloud:

  • The cloud solutions are cheap.
  • There’s virtually no maintenance is involved.
  • Maintaining own email servers, requires a lot of complex configuration to make sure the security and redundancy, which isn’t possible with Single IT Person.

Should use some cloud-based solution for internal instant chats:

  • The teams can keep track of each other progress.
  • The teams can discuss issues, plans, and procedure without any hiccups.

To improve the customer ticketing system:

  • There should be proper documentation of to use it, so every time an employee doesn’t have to go to the IT person for help.
  • The common issues and fixes should properly document and stored on the server, so employees can access them, and fix the common issues themselves to reduce time wastage.

For the backups:

  • There should be on-site and off-site backups for sensitive data for redundancy purposes.
  • The cloud backup solutions can also be used for a small company.
  • Self-hosted backups should be automatic, and redundant.
  • Backups tests and recovery should be done once every year or so, to make sure in the case of an emergency, your backups will prove reliable.

Subsections of IT Security

Understanding the Security Threats

The CIA Triad

The CIA Triad consists of:

  • Confidentiality

Keeping things hidden.

  • Integrity

Keeping our data accurate and untampered with.

  • Availability

The Information we have is readily accessible to those people that should have it.

Essential Security Terms

Risk

The possibility of suffering a loss in the event of an attack on the system.

Vulnerability

A flaw in a system that could be exploited to compromise the system.

0-day vulnerability (zero day)

A vulnerability that is not known to the software developer or vendor, but is known to an attacker.

Exploit

Software that is used to take advantage of a security bug or vulnerability.

Threat

The possibility of danger that could exploit a vulnerability.

Hacker

Someone who attempts to break into or exploit a system.

  • White-hat hackers
  • Black-hat hackers

Hacker Hacker

Attack

An actual attempt at causing harm to a system.

Malicious Software

Malware

A type of malicious software that can be used to obtain your sensitive information, or delete or modify files.

Malware Malware

Adware

Software that displays advertisements and collects data.

Trojan

Malware that disguises itself as one thing but does something else.

Trojan Trojan

Spyware

A type of malware that’s meant to spy on you.

Keylogger

A common type of spyware that’s used to record every keystroke you make.

Ransomeware

“A type of attack that holds your data or system hostage until you pay some sort of ransom.”

If the computer has one or more of the following symptoms, it may be infected with malware:

  • Running slower than normal
  • Restarts on its own multiple times
  • Uses all or a higher than normal amount of memory

After you’ve gathered information, verify that the issues are still occurring by monitoring the computer for a period of time. One way to monitor and verify is to review the activity on the computer’s resource manager, where you can see open processes running on a system.

When looking at the resource manager, you might see a program with a name you do not recognize, a program that is using a lot of memory, or both. If you see a suspicious program, you should investigate this application by asking the user if it is familiar to them.

Quarantine malware

Some malware communicates with bad actors or sends out sensitive information. Other malware is designed to take part in a distributed botnet. A botnet is a number of Internet-connected devices, each of which runs one or more bots. Because of malware’s potential ability to communicate with other bad actors, you should quarantine the infected device.

To quarantine, or separate, the infected device from the rest of the network, you should disconnect from the internet by turning off Wi-Fi and unplugging the Ethernet cable. Once the computer is disconnected, the malware can no longer spread to other computers on the network.

You should also disable any automatic system backup. Some malware can reinfect a computer by using automatic backup, because you can restore the system with files infected by the malware.

Remove malware

Once you have confirmed and isolated the malware on a device, you should attempt to remove the malware from the device. First, run an offline malware scan. This scan helps find and remove the malware while the computer is still disconnected from the local network and internet.

All antivirus/anti-malware programs rely on threat definition files to identify a virus or malware. These files are often updated automatically, but in the case of an infected computer they may be incomplete or unable to update. In this case, you may need to briefly connect to the internet to confirm that your malware program is fully updated.

The scan should successfully identify, quarantine, and remove the malware on the computer. Once the process is complete, monitor the computer again to confirm that there are no further issues.

To help ensure that a malware infection doesn’t happen again, threat definitions should be set to update automatically, and to automatically scan for and quarantine suspected malware.

After the malware has been removed from the computer, you should turn back on the automatic backup tool and manually create a safe restore point. If the computer needs attention in the future, this new restore point is confirmed safe and clean.

Malware education

One of the most important things an IT professional can do to protect a company and its employees is to educate users about malware. The goal of education is to stop malware from ever gaining access to company systems. Here are a few ways users and IT professionals can protect their computer and the company from malware:

  • Keep the computer and software updated
  • Use a non-administrator account whenever possible
  • Think twice before clicking links or downloading anything
  • Be careful about opening email attachments or images
  • Don’t trust pop-up windows that ask to download software
  • Limit your file-sharing
  • Use antivirus software

When all employees are on the lookout for suspicious files, it’s much easier to prevent malware and viruses from taking hold.

Botnets

Designed to utilize the power of the internet-connected machines to perform some distributed function.

Botnets Botnets

Backdoor

A way to get into a system if the other methods to get in the system aren’t allowed.

Rootkit

A collection of software or tools that an Admin would use.

Rootkit Rootkit

Logic bomb

A type of malware that’s intentionally installed.

Disgruntled worker ’tried to cripple UBS in protest over $32,000 bonus’

Network Attacks

A network attack that is simple in concept, but can cause a lot of damage is:

  • DNS Cache Poisoning attack

It works by tricking the DNS server to serve, fake DNS request.

Major DNS Cache Poisoning Attack Hits Brazilian ISPs

Man-in-the-middle attack is an attack that places the attacker in the middle of two hosts that think they’re communicating directly with each other.

Network Attacks Network Attacks

The methods of Man-in-the-middle attack are:

  • Session or Cookie hijacking
  • Rogue AP
  • Evil twin

Rogue AP

An access point that is installed on the network without the network administrator’s knowledge.

Rogue AP Rogue AP

Evil Twin

The premise of an evil twin attack is for you to connect to a network that is identical to yours. This identical network is our network’s evil twin and is controlled by our attacker.

Evil Twin Evil Twin

Denial-of-service (DoS) attack

An attack that tries to prevent access to a service for legitimate users by overwhelming the network or server.

DoS DoS

  1. The ping of death or POD is an example of DoS attack, where the attacker sends the large number of pings to take down the server.

POD POD

  1. Another example is a ping flood, sends tons of ping packets to a system. More specifically, it sends ICMP echo requests.

ICMP ICMP

  1. Similar is a SYN flood, to make a TCP connection a client needs to send a SYN packet to a server it wants to connect to. Next, the server sends back a SYN-ACK message, then the client sends in ACK message.

In a SYN flood, the server is being bombarded with SYN packets.

SYN Flood SYN Flood

During SYN flood, the TCP connection remains open, so it is also called a Half-open attack.

Distributed denial-of-service attack (DDoS)

A DoS attack using multiple systems.

How to prevent DDoS Attacks

How to Stop DDoS Attacks: Prevention & Response

What is a DDOS Attack & How to Protect Your Site Against One

DDoS Protection, Mitigation, and Defense: 8 Essential Tips

Other Attacks

Client-Side Attacks

  • Injection attack
    • Cross-site scripting (XSS) attacks
    • SQL injection attack

Cross-site scripting (XSS) attacks

A type of injection attack where the attacker can insert malicious code and target the user of the service.

SQL injection attack

SQL Injection Attack SQL Injection Attack

Password Attacks

Utilize software like password-crackers that try and guess your password.

Brute Force Attack

A Catchpa, can save your website from brute force attack.

Brute Force Attack Brute Force Attack

Dictionary Attack

Dictionary Attack Dictionary Attack

Deceptive Attacks

Social Engineering

An attack method that relies heavily on interactions with humans instead of computers.

Social Engineering Social Engineering

The popular types of social engineering attacks:

  • Phishing attack – Use of email or text messaging

Phishing attack Phishing attack

  • Spear phishing — Attack individuals

Spear phishing Spear phishing

  • Email Spoofing

Email Spoofing Email Spoofing

  • Baiting – Entice a victim to do something
  • Tailgating

Baiting Baiting

  • Whaling – Spear phishing a high value target
  • Vishing - Use of Voice over IP (VoIP)

Spoofing

A source masquerading around as something else.

Tailgating

Gaining access into a restricted area or building by following a real employee in.

Pelcgbybtl (Cryptology)

Symmetric Encryption

Cryptography

The cryptography has two main fields:

  • Cryptology: The study of cryptographic methods.
  • Cryptanalysis: The study of breaking the cryptography.

Encryption

The act of taking a message, called plaintext, and applying an operation to it, called a cipher, so that you receive a garbled, unreadable message as the output, called ciphertext.

The reverse is Decryption.

The Cipher is made up of two components:

  • Encryption algorithm
  • Key

Encryption algorithm

The underlying logic of the process that’s used to convert the plaintext into ciphertext.

These algorithms are usually very complex. But there are also simple algorithms as well.

Encryption Algorithm Encryption Algorithm

Security through obscurity is a principle where underlying encryption algorithm is also kept hidden for security purposes. But you shouldn’t rely on it, as once the underlying mechanism is discovered, your whole security will wash away.

The underlying principle of cryptography is called Kirchhoff’s principle.

Cryptosystem

A collection of algorithms for key generation and encryption and decryption operations that comprise a cryptographic service should remain secure – even if everything about the system is known, except the key.

  • The system should remain secure even if your adversary knows exactly what kind of encryption systems you’re employing, as long as your keys remain secure.

Frequency analysis

The practice of studying the frequency with which letters appear in a ciphertext.

An Arab mathematician of 9th century, used this first cryptographic method

Steganography

The practice of hiding the information from observers, but not encoding it.

  • The writing of messages with invisible ink.
  • The modern steganographic techniques involves, hiding the code/scripts in the PDF or image files etc.

Types of cryptanalysis attack

Known-Plaintext Analysis (KPA)

Requires access to some or all the of the plaintext of the encrypted information. The plaintext is not computationally tagged, specially formatted, or written in code. The analyst’s goal is to examine the known plaintext to determine the key used to encrypt the message. Then they use the key to decrypt the encoded information.

Chose-Plaintext Analysis (CPA)

Requires that the attacker knows the encryption algorithm or has access to the device used to do the encryption. The analyst can encrypt one block of chosen plaintext with the targeted algorithm to get information about the key. Once the analyst obtains the key, they can decrypt and use sensitive information.

Ciphertext-Only Analysis (COA)

Requires access to one or more encrypted messages. No information is needed about the plaintext data, the algorithm, or data about the cryptographic key. Intelligence agencies face this challenge when intercepting encrypted communications with no key.

Adaptive Chosen-Plaintext attack (ACPA)

ACPA is similar to a chosen-plaintext attack. Unlike a CPA, it can use smaller lines of plaintext to receive its encrypted ciphertext and then crack the encryption code using the ciphertext.

Meddler-in-the-Middle (MITM)

MITM uses cryptanalysts to insert a meddler between two communication devices or applications to exchange their keys for secure communication. The meddler replies as the user, and then performs a key exchange with each party. The users or systems think they communicate with each other, not the meddler. These attacks allow the meddler to obtain login credentials and other sensitive information.

Wikipedia article on Cryptanalysis Integer Factorization Cryptanalysis explained

Symmetric Cryptography

These types of algorithms use the same key for encryption and decryption.

Substitution cipher

An encryption mechanism that replaces parts of your plaintext with ciphertext.

  • E.g., Caesar cipher, ROT13 etc.

Substitution Cipher Substitution Cipher

Stream cipher

Takes a stream of input and encrypts the stream one character or one digit at a time, outputting one encrypted character or digit at a time.

  • Initialization vector (IV) is used, to add a random string of characters to the key.

Block ciphers

The cipher takes data in, places it into a bucket or block of data that’s a fixed size, then encodes that entire block as one unit.

Block Ciphers Block Ciphers

Symmetric Encryption Algorithms

Data Encryption Standard (DES)

One of the earliest standard is Data Encryption Standard (DES).

  • With input from NSA, IBM developed it in the 1970s.
  • It was used as a FIPS.
  • Used 64-bits key sizes.

FIPS

Federal Information Processing Standard.

Standard Encryption Standard (AES)

NIST (National Institute of Standards and Technology), adopted Advanced Encryption Standard (AES) in 2001.

  • 128-blocks, twice the size of DES blocks, and supports key length of 128-bits, 192-bits, or 256-bits.
  • Because of the large key size, brute-force attacks on AES are only theoretical right now, because the computing power required (or time required using modern technology) exceeds anything feasible today.

An important thing to keep in mind when considering various encryption algorithms is speed, and ease of implementation.

RC4 (Rivest Cipher 4)

A symmetric stream cipher that gained widespread adoption because of its simplicity and speed.

  • Abandoned due to inheritance weaknesses.

RC4 RC4

RC4 Exists No More

Public Key or Asymmetric Encryption

Asymmetric Cryptography

Asymmetric or Public Key ciphers.

Two different keys are used for encryption and decryption.

The three concepts that an asymmetric cryptosystem grants us are:

  • Confidentiality
  • Authenticity
  • Non-repudiation

Symmetric encryption is used for key exchange.

Message Authentication Codes or MACs

A bit of information that allows authentication of a received message, ensuring that the message came from the alleged sender and not a third party.

HMAC

Keyed-hash messaged authentication code.

CMACs

Cipher-Based Message Authentication Codes.

CBC-MAC

Cipher block chaining message authentication codes.

Asymmetric Encryption Algorithms

RSA

The first practical asymmetric cryptography systems to be developed is RSA.

Pretty complex math is involved in generating key pair for RSAs.

This crypto system was patented in 1983 and was released to the public domain by RSA Security in the year 2000.

Digital Signature Algorithm or DSA

It was patented in 1991, and is part of the US government’s Federal Information Processing Standard.

Similar to RSA, the specification covers the key generation process along with the signing and verifying data using the key pairs. It’s important to call out that the security of this system is dependent on choosing a random seed value that’s incorporated into the signing process. If this value was leaked or if it can be inferred if the prime number isn’t truly random, then it’s possible for an attacker to recover the private key.

Diffie-Hellman

Named after coworkers, invented it. It is solely used for key exchange.

Let’s assume we have two people who would like to communicate over an unsecured channel, and let’s call them Suzanne and Daryll. First, Suzanne and Daryl agree on the starting number that would be random and will be a very large integer. This number should be different for every session and doesn’t need to be secret. Next, each person decides another randomized large number, but this one is kept secret. Then, they combine their shared number with their respective secret number and send the resulting mix to each other. Next, each person combines their secret number with the combined value they received from the previous step. The result is a new value that’s the same on both sides, without disclosing enough information to any potential eavesdroppers to figure out the shared secret. This algorithm was designed solely for key exchange, though there have been efforts to adapt it for encryption purposes.

Elliptic curve cryptography (ECC)

A public-key encryption system that uses the algebraic structure of elliptic curves over finite fields to generate secure keys.

ECC ECC

  • The benefit of elliptic curve based encryption systems is that they are able to achieve security similar to traditional public key systems with smaller key sizes. So, for example, a 256 bit elliptic curve key, would be comparable to a 3,072 bit RSA key. This is really beneficial since it reduces the amount of data needed to be stored and transmitted when dealing with keys.
  • Both Diffie-Hellman and DSA have elliptic curve variants, referred to as ECDH and ECDSA, respectively.
  • The US NEST recommends the use of EC encryption, and the NSA allows its use to protect up to top secret data with 384 bit EC keys
  • But, the NSA has expressed concern about EC encryption being potentially vulnerable to quantum computing attacks, as quantum computing technology continues to evolve and mature.

Sony PlayStation 3: An asymmetric encryption attack in 2010

Hashing

A type of function or operation that takes in an arbitrary data input and maps it to an output of fixed size, called a hash or digest.

Hashing Hashing

  • You feed in any amount of data into a hash function, and the resulting output will always be the same size. But the output should be unique to the input, such that two different inputs should never yield the same output.
  • Hashing can also be used to identify duplicate data sets in databases or archives to speed up searching tables, or to remove duplicate data to save space.
  • Cryptographic hashing is distinctly different from encryption because cryptographic hash functions should be one directional.
  • The ideal cryptographic has function should be deterministic, meaning that the same input value should always return the same hash value.
  • The function should not allow Hash collisions.

Hash collisions

Two different inputs mapping to the same output.

Hash collision Hash collision

Hashing Algorithms

MD5

Designed in early 1990s. Operates on 512-bits block and generates 128-bits hash digest.

  • While MD5 was designed in 1992, a design flaw was discovered in 1996, and cryptographers recommended using the SHA-1 hash.
  • In 2004, it was discovered that is MD5 is susceptible to hash collisions.
  • In 2008, security researchers create a fake SSL certificate that was validated due to MD5 hash collision.
  • Due to these very serious vulnerabilities in the hash function, it was recommended to stop using MD5 by 2010.
  • In 2012, this hash collision was used for nefarious purposes in the flame malware, which used to forge a Microsoft digital certificate to sign their malware, which resulted in the malware appearing to be from legitimate software that came from Microsoft.

Create a text file

echo 'This is some text in a file' > file.txt

To create an MD5 hash:

md5sum file.txt > file.txt.md5

To verify the hash

md5sum -c file.txt.md5

SHA-1

SHA-1 is part of the Secure Hash Algorithm suite of functions, designed by the NSA, published in 1995.

During the 2000s, a bunch of theoretical attacks against SHA1 were formulated, and some partial collisions were demonstrated.

  • Operated at 512-bits blocks and use 160-bits hash digest.
  • It is used in popular protocols like:
    • TLS/SSL
    • PGP SSH
    • IPsec
    • VCS like git
  • NIST recommended stopping the use of SHA-1, and relying on SHA-2 in 2010.
  • Major browsers vendor dropped support for SSL certificates that use SHA-1 in 2017.
  • In early 2017, full collision of SHA-1 was published. Two PDFs were created with same SHA-1 hashes.
  • MIC or Message Integrity Check to make sure there is no data corruption in transit to the hash digest.

To create a hash

shasum file.txt > file.txt.sha1

To verify sha1

shasum -c file.txt.sha1

To create SHA256 hash

shasum -a 256 file.txt > file.txt.sha256

For verification, use the same command as above.

Defense against hash attacks

The passwords should not be stored in plaintext, instead they should be hashed and, store a hash.

  • Brute-force attack against a password hash can be pretty computationally expensive, depending upon the hash system used.
  • A successful brute force attack, against even the most secure system imaginable, is a function of attacker time and resources.
  • Another common methods to help raise the computational bar and protect against brute force attacks is to run the password through the hashing function multiple times, sometimes through thousands of iterations.
  • A rainbow table is ta table of precalculated hashes.

Defense against hash attacks Defense against hash attacks

  • To protect against these precalculated rainbow tables, password salt come into play.

Password salt

Additional randomized data that’s added into the hashing function to generate a hash that’s unique to the password and salt combination.

  • Modern systems use 128-bits salt.
  • It means there are 2^128 possible salt combination.

Password salt Password salt

Cryptographic Applications

Public Key Infrastructure (PKI)

PKI is a system that defines the creation, storage, and distribution of digital certificates. A digital certificate is a file that proves that an entity owns a certain public key.

  • The entity responsible for storing, issuing, and signing digital certificates is call Certificate authority or CA.
  • There’s also a Registration authority, or RA, that’s responsible for verifying the identities of any entities requesting certificates to be signed and stored with the CA.
  • A central repository is needed to securely store and index keys, and a certificate management system of some sort makes managing access to stored certificates and issuance of certificates easier.

PKI signing process

Start from the Root Certificate authority, which signs the certificate itself, as no one above it.

PKI signing process PKI signing process

This Root certificate authority can now use the self-signed certificate and the associated private key to begin signing other public keys and issuing certificates.

RCA RCA

A certificate that has no authority as a CA is referred to as an end-entity or leaf certificate.

  • The X.509 standard is what defines the format of digital certificates.

The fields defined in X.509 are:

Version

What version of the X.509 standard the certificate adheres to.

Serial number

A unique identifier for the certificate assigned by the CA, which allows the CA to manage and identify individual certificates.

Certificate Signature Algorithm

This field indicates what public key algorithm is used for the public key and what hashing algorithm is used to sign the certificate.

Issuer Name

This field contains information about the authority that signed the certificate.

Validity

This contains two subfields – “Not Before” and “Not After” – which define the dates when the certificate is valid for.

Subject

This field contains identifying information about the entity the certificate was issued to.

Subject Public Key Info

These two subfields define the algorithm of the public key, along with the public key itself.

Certificate Signature Algorithm

Same as the Subject Public Key Info field; These two fields must match.

Certificate Signature Value

The digital signature data itself.

SSL/TLS server certificate

This is a certificate that a web server presents to a client as part of the initial secure setup of an SSL, TLS connection.

SSL-TLS SSL-TLS

Self-signed certificate

Signed by the same entity that issued the certificate. Signing your own public key using your own with private key.

SSL/TLS client certificate

As the names implies, these are certificates that are bound to clients and are used to authenticate the client to the server, allowing access control to an SSL/TLS service.

Code Signing Certificates

This allows users of these signed applications to verify the signatures and ensure that the application was not tampered with.

Webs of Trust

Individuals are signing each other certificates, after verifying the identity of the persons with agreed upon methods.

Webs of Trust Webs of Trust

Cryptography in Action

HTTPS

The secure version of HTTP, the Hyper Text Transport Protocol.

  • It can also be called HTTP over the TLS.
  • Even though, TLS is a completely independent protocol from HTTPS.

TLS

It grants us three things

  1. A secure communication line, which means data being transmitted, is protected from potential eavesdroppers.
  2. The ability to authenticate both parties communicating, though typically only the server is authenticated by the client.
  3. The integrity of communications, meaning there are checks to ensure that messages aren’t lost or altered in transit.

To establish a TLS channel, there is a TLS handshake in place.

TLS TLS

The session key is the shared symmetric encryption key used in TLS sessions to encrypt data being sent back and forth.

Secure Shell (SSH)

A secure network protocol that uses encryption to allow access to a network service over unsecured networks.

  • SSH uses public key cryptography.

Pretty Good Privacy (PGP)

An encryption application that allows authentication of data, along with privacy from third parties, relying upon asymmetric encryption to achieve this.

Securing Network Traffic

Virtual Private Network (VPN)

A mechanism that allows you to remotely connect a host or network to an internal, private network, passing the data over a public channel, like the internet.

VPN VPN

There are different VPN protocols:

  • IPsec

IPsec support two modes:

  1. When transport mode is used, only the payload of the IP packet is encrypted, leaving the IP headers untouched.
  2. In tunnel mode, the entire IP packet, header payload and all, is encrypted and encapsulated inside a new IP packet with new headers.
  • Layer 2 tunneling protocol or L2TP

It is not an all alone protocol, it is used in conjunction with IPsec protocol.

The tunnel is provided by L2TP, which permits the passing of unmodified packets from one network to another. The secure channel, on the other hand, is provided by IPsec, which provides confidentiality, integrity, and authentication of data being passed.

The combination of L2TP and IPsec is referred to as L2TP/IPsec and was officially standardized in IETF RFC 3193

  • OpenVPN

OpenVPN is an example of LT2p/IPsec.

It uses OpenSSL library to handle key exchange and encryption of data, along with control channels.

OpenVPN can operate over either TCP or UDP, typically over port 1194.

It can either rely on a Layer 3 IP tunnel or a Layer 2 Ethernet tap. The Ethernet tap is more flexible, allowing it to carry a wider range of traffic.

OpenVPN supports up to 256-bits encryption through OpenSSL library. It runs in user space, so avoid the underlying vulnerabilities of the system.

Cryptographic Hardware

TPM or Trusted Platform Module

Another interesting application of cryptography concepts, is the Trusted Platform Module or TPM. This is a hardware device that’s typically integrated into the hardware of a computer, that’s a dedicated crypto processor.

TPM offers:

  • Secure generation of keys
  • Random number generation
  • Remote attestation
  • Data binding and sealing

There’s been a report of a physical attack on a TPM which allowed a security researcher to view and access the entire contents of a TPM.

For Full disk encryption or FDE, we have the number of options:

  • PGP
  • BitLocker
  • Filevault 2
  • dm-crypt

FDE FDE

Generating OpenSSL Public-Private Key pairs

To generate a 2048-bits RSA private key

openssl genrsa -out private_key.pem 2048

To generate a public key from the private_key.pem file

openssl rsa -in private_key.pem -outform PEM -pubout -out public_key.pem

To encrypt a secret.txt using public key

openssl rsautl -encrypt -pubin -inkey public_key.pem -in secret.txt -out secret.enc

As we have used our own public key for encryption, we can decrypt the file using our private key

openssl rsautl -decrypt -inkey private_key.pem -in secre.enc

This will print the contents of the dcrypted file to the screen, which should match the contents of secret.txt

Creating a hash digest

To create the hash digest of the message

openssl dgst -sha256 -sign private_key.pem -out secret.txt.sha256 secret.txt

To verify the digest

openssl dgst -sha256 -verify public_key.pem -signature secret.txt.sha256 secret.txt

The 3As of Cybersecurity - 3A Authentication, Authorization, Accounting

Authentication

Three types of authentication methods:

  • Something you know – password or pin
  • Something you have – bank card, USB device, key fob, or OTP
  • Something you are – biometric data, like a fingerprint, voice signature, facial recognition, or retinal scan

Some additional categories of authentication methods:

  • Somewhere you are – geofencing, GPS, Indoor Positioning Systems (IPS)
  • Something you do – gestures, swipe patterns, CAPTCHA, or patterns of behavior

Authentication Best Practices

Incorporating good password policies into an organization is key to ensuring that employees are securing their accounts with strong passwords.

A good password practice makes sure of:

  • Length requirements
  • Character complexity
  • Dictionary words

Identification

The idea of describing an entity uniquely.

Multifactor Authentication

A system where users are authenticated by presenting multiple pieces of information or objects.

  • OTP with physical token

The 3As of Cybersecurity The 3As of Cybersecurity

  • Counter-based token

The 3As of Cybersecurity The 3As of Cybersecurity

  • Biometrics
  • U2F – Universal 2nd Factor

The 3As of Cybersecurity The 3As of Cybersecurity

Biometric authentication

The process of using unique physiological characteristics of an individual to identify them.

They’re creating fake fingerprints using things like glue, allowing friends to mark each other as present if they’re late or skip school.

Certificates

In order to issue client certificates, an organization must set up and maintain CA infrastructure to issue and sign certificates.

The certificates are checked against CRL.

Certificate revocation list (CRL)

A signed list published by the CA which defines certificates that have been explicitly revoked.

LDAP

Lightweight Directory Access Protocol (LDAP) is an open, industry-standard protocol for accessing and maintaining directory services.

  • Bind: How clients authenticate to the server.
  • StartTLS: It permits a client to communicate using LDAP v3 over TLS
  • Search: For performing look-ups and retrieval of records.
  • Unbind: It closes the connection to the LDAP server.

RADIUS

Remote Authentication Dial-In User Service (RADIUS) is a protocol that provides AAA services for users on a network.

The 3As of Cybersecurity The 3As of Cybersecurity

Kerberos

A network authentication protocol that uses “tickets” to allow entities to prove their identity over potentially insecure channels to provide mutual authentication.

The 3As of Cybersecurity The 3As of Cybersecurity

TACACS+

Terminal Access Controller Access-Control System Plus

  • TACACS+ is primarily used for device administration, authentication, authorization, and accounting.

Single Sign-On

An authentication concept that allows users to authenticate once to be granted access to a lot of different services and applications.

The 3As of Cybersecurity The 3As of Cybersecurity

OpenID

The 3As of Cybersecurity The 3As of Cybersecurity

Authorization

Pertains to describing what the user account has access to, or doesn’t have access to.

Authorization and Access Control Methods

One popular and open standard for authorization is:

  • OAuth

Access Control

OAuth

An open standard that allows users to grant third-party websites and applications access to their information without sharing account credentials.

The 3As of Cybersecurity The 3As of Cybersecurity

  • OAuth’s permissions can be used in phishing-style attacks to again access to accounts, without requiring credentials to be compromised.

This was used in an OAuth-based worm-like attack in early 2017, with a rash of phishing emails that appeared to be from a friend or colleague who wants to share a Google Document.

The 3As of Cybersecurity The 3As of Cybersecurity

Access Control List (ACL)

A way of defining permissions or authorization for objects.

The 3As of Cybersecurity The 3As of Cybersecurity

Accounting

Keeping records of what resources and services your users accessed, or what they did when they were using your systems.

  • Auditing

Tracking Usage and Access

What exactly accounting tracks, depends on the purpose and intent of the system.

  • A TACACS+ server would be more concerned with keeping track of user authentication, what systems they authenticated to, and what commands they ran during their session.

TACACS+ is a devices access AAA system that manages who has access to your network devices and what they do on them.

  • CISCO’s AAA system supports accounting of individual commands executed, connection to and from network devices, commands executed in privileged mode, and network services and system details like configuration reloads or reboots.
  • RADIUS will track details like session duration, client location and bandwidth, or other resources used during the session.

The 3As of Cybersecurity The 3As of Cybersecurity

RADIUS accounting can be used by ISPs to charge for their services.

Securing Your Networks

Secure Network Architecture

Network Hardening Best Practices

  • Disable the network services that are not needed.
  • Monitoring network traffic
  • Analyze the network logs
  • Network separation

Network hardening

The process of securing a network by reducing its potential vulnerabilities through configuration changes and taking specific steps.

Implicit deny

A network security concept where anything not explicitly permitted or allowed should be denied.

Analyzing logs

The practice of collecting logs from different network and sometimes client devices on your network, then performing an automated analysis on them.

  • Log analysis systems are configured using user-defined rules to match interesting or atypical log entries.
  • Normalizing log data is an important step, since logs from different devices and systems may not be formatted in a common way.
  • This makes correlation analysis easier.

Correlation analysis

The process of taking logs data from different systems and matching events across the systems.

Flood guards

Provide protection against DoS or Denial of Service attacks.

  • fail2ban

Flood Guards Flood Guards

Network Hardware Hardening

To protect against Rogue DHCP server attack, enterprise switches offer a feature called DHCP snooping.

Network Hardware Hardening Network Hardware Hardening

Another form of network hardening is Dynamic ARP inspection.

Dynamic ARP inspection is also a feature of enterprise switches.

Network Hardware Hardening Network Hardware Hardening

IP Source Guard is used to protect against IP spoofing attacks in enterprise switches.

To really hardened your network, you should apply IEEE 802.1X recommendation.

IEEE 802.1x is a protocol developed to let clients connect to port based networks using modern authentication methods.

  • There are three nodes in the authentication process: supplicant, authenticator, and authentication server.
  • The authentication server uses either a shared key system or open access system to control who is able to connect to the network.
  • Based on the criteria of the authentication server, the supplicator will grant the authentication request and begin the connection process, or it will be sent an Access Reject message and terminate the connection.

Network Hardware Hardening Network Hardware Hardening

EAP-TLS

An authentication type supported by EAP that uses TLS to provide mutual authentication of both the client and the authenticating server.

EAP-TLS EAP-TLS

Network Software Hardening

  • Firewalls
  • Proxies
  • VPNs

Reverse proxies:

Wireless Security

WEP Encryption and Why You Shouldn’t Use It

WEP supported two types of authentications:

  • Open System authentication
  • Shared Key authentication

WEP WEP

Why WEP is for everyone:

WEP WEP

Let’s Get Rid of WEP! WPA/WPA2

The replacement for WEP from the Wi-Fi Alliance:

  • WPA – Wi-Fi Protected Access
  • WPA2 – Introduced in 2004

WPA

Designed as a short-term replacement that would be compatible with older WEP-enabled hardware with a simple firmware update.

Under WPA, the pre-shared key is the Wi-Fi password you share with people when they come over and want to use your wireless network.

WPA WPA

WPA2

For security, it uses:

  • Uses AES.
  • CCMP (Counter Mode CBC-MAC Protocol)

WPA2 WPA2

Four-way handshake

WPA2 WPA2

PMTK is generated through:

  • PMK
  • AP nonce
  • Client nonce
  • AP MAC address
  • Client MAC address

WPS (Wi-Fi Protected Access) support:

  • PIN entry authentication
  • NFC or USB
  • Push-button authentication

Wi-Fi Protected Setup (WPS) PIN brute force vulnerability

Wireless Hardening

In the ideal world, we all should protect our wireless networks with 802.1X with EAP-TLS.

  • If 802.1X is too complicated for a company, the next best alternative would be WPA2 with AES/CCMP mode.
  • But to protect against Rainbow tables attack, we need some extra measures.
  • A long and complex passphrase that wouldn’t find in a dictionary would increase the amount of time and resources an attacker would need to break the passphrase.
  • If your company values security over convenience, you should make sure that WPS isn’t enabled on your APs.

Network Monitoring

Sniffing the Network

There are number of network sniffing open source tools like:

  • Aircrack-ng
  • Kismet

Packet sniffing (packet capture)

The process of intercepting network packets in their entirety for analysis.

Promiscuous Mode

A type of computer networking operational mode in which all network data packets can be accessed and viewed by all network adapters operating in this mode.

Port mirroring

Allows the switch to take all packets from a specified port, port range, or entire VLAN and mirror the packets to a specified switch port.

Monitor mode

Allows us to scan across channels to see all wireless traffic being sent by APs and clients.

Wireshark and tcpdump

Tcpdump

A super popular, lightweight, command-line based utility that you can use to capture and analyze packets.

Wireshark

A graphical tool for traffic monitoring, that is more powerful and easier to use than tcpdump.

Intrusion Detection/Prevention System

IDS or IPS systems operate by monitoring network traffic and analyzing it.

  • They look for matching behavior for malicious packets.
  • IDS on logs the packets, while IPS can change firewall rules on the fly to drop malicious packets.
  • IDS/IPS may be host-based or network-based.

Network Intrusion Detection System (NIDS)

The detection system would be deployed somewhere on a network, where it can monitor traffic for a network segment or subnet.

Some popular NIDS system are:

NIDS NIDS

NIDS NIDS

Unified Threat Management (UTM)

UTM solutions stretch beyond the traditional firewall to include an array of network security tools with a single management interface. UTM simplifies the configuration and enforcement of security controls and policies, saving time and resources. Security event logs and reporting are also centralized and simplified to provide a holistic view of network security events.

UTM options and configurations

UTM solutions are available with a variety of options and configurations to meet the network security needs of an organization:

UTM hardware and software options:

  • Stand-alone UTM network appliance
  • Set of UTM networked appliances or devices
  • UTM server software application(s)

Extent of UTM protection options:

  • Single host
  • Entire network

UTM security service and tool options can include:

  • Firewalls
  • IDS
  • IPS
  • Antivirus software
  • Anti-malware software
  • Spam gateway
  • Web and content filters
  • Data leak/loss prevention (DLP)
  • VPN

Stream-based vs. proxy-based UTM inspections

UTM solutions offer two methods for inspecting packets in UTM firewalls, IPS, IDS, and VPNs:

  • Stream-based inspection, also called flow-based inspection: UTM ddevices,inspects data samples from packets for malicious content and threats as the packets flow through the device in a stream of data. This process minimizes the duration of the security inspection, which keeps network data flowing at a faster rate than a proxy-based inspection.
  • Proxy-based inspection: A UTM network appliance works as a proxy server for the flow of network traffic. The UTM appliance intercepts packets and uses them to reconstruct files. Then the UTM device will analyze the file for threats before allowing the file to continue on to its intended destination. Although this security screening process is more thorough than the stream-based inspection technique, proxy-based inspections are slower in the transmission of data.

Benefits of using UTM

  • UTM can be cost-effective
  • UTM is flexible and adaptable
  • UTM offers integrated and centralized management

Risk of using UTM

  • UTM can become a single point of failure in a network security attack
  • UTM might be a waste of resources for small businesses

Home Network Security

Employees, who work from home, use home networks to access company files and programs. Using home networks creates security challenges for companies. Companies can provide employees guidance for protecting their home networks from attacks. This reading will cover common attacks on home networks and steps to make home networks more secure.

Common security vulnerabilities

  • Meddler in the middle attacks allows a meddler to get between two communication devices or applications. The meddler then replies as the sender and receiver without either one knowing they are not communicating with the correct person, device, or application. These attacks allow the meddler to obtain login credentials and other sensitive information.

    Common Security Vuln Common Security Vuln

  • Data Theft is when data within the network is stolen, copied, sent, or viewed by someone who should not have access.

  • Ransomware uses malware to keep users from accessing important files on their network. Hackers grant access to the files after receiving a ransom payment.

Keeping home networks secure

  • Change the default name and password
  • Limit access to the home network
  • Create a guest network
  • Turn on Wi-Fi network encryption
  • Turn on the router’s firewall
  • Update to the newer Wi-Fi standard

Defense in Depth

System Hardening

Intro to Defense in Depth

The concept of having multiple, overlapping systems of defense to protect IT systems.

Disabling Unnecessary Components

Two important security risk mitigation components:

  • Attack Vectors
  • Attack surfaces

The less complex something is, the less likely there will be undetected flaws.

Another way to keep things simple is to reduce your software deployments.

  • Telnet access for a managed switch has no business being enabled in a real-world environment.

Attack vector

The method or mechanism by which an attacker or malware gains access to a network or system.

Attack surface

The sum of all the different attack vectors in a given system.

Host-Based Firewall

Protect individuals hosts from being compromised when they’re used in untrusted, potentially malicious environments.

A host-based firewall plays a big part in reducing what’s accessible to an outside attacker.

If the users of the systems have administrator rights, then they have the ability to change firewall rules and configuration.

Bastion Hosts

Bastion hosts are specially hardened and minimized in terms of what is permitted to run on them. Typically, bastion hosts are expected to be exposed to the internet, so special attention is paid to hardening and locking them down to minimize the chances of compromise.

  • These are servers that are specifically hardened and minimized to reduce what’s permitted to run on them.

Logging and Auditing

Security Information and Event Management (SIEM) system is a centralized log management system.

Once logs are centralized and standardized, you can write an automated alerting based on rules.

Some open source logging servers SIEM solutions:

Defense in Depth Defense in Depth

Antimalware Protection

Lots of unprotected systems would be compromised in a matter of minutes if directly connected to the internet without any safeguards or protections in place.

  • Antivirus software will monitor and analyze things, like new files being created or being modified on the system, in order to watch for any behavior that matches a known malware signature.
  • Antivirus software is just one piece of our anti-malware defenses.
  • There are binary whitelisting defense software, that only allow white listed programs on the system.

Is antivirus really that useful? Sophos antivirus was maliciously compromised. How hackers bypassed the binary whitelisting defenses?

Defense in Depth Defense in Depth

Disk Encryption

Home directory or file-based encryption only guarantees confidentiality and integrity of files protected by encryption.

Full-disk encryption (FDE)

Works by automatically converting data on a hard drive into a form that cannot be understood by anyone who doesn’t have the key to “undo” the conversation.

  • When you implement a full disk encryption solution at scale, it’s super important to think how to handle cases where passwords are forgotten.

Defense in Depth Defense in Depth

Key Escrow

Allows the encryption key to be securely stored for later retrieval by an authorized party.

Application Hardening

Software Patch Management

As an IT Support Specialist, it’s critical that you make sure that you install software updates and security patches in a timely way, in order to defend your company’s systems and networks.

The best protection is to have a good system and policy in place for your company.

Critical infrastructure devices should be approached carefully when you apply updates. There’s always the risk that a software update will introduce a new bug that might affect the functionality of the device.

Browser Hardening

The methods include evaluating sources for trustworthiness, SSL certificates, password managers, and browser security best practices. Techniques for browser hardening are significant components in enterprise-level IT security policies. These techniques can also be used to improve internet security for organizations of any size and for individual users.

Identifying trusted versus untrusted sources

  • Use antivirus and anti-malware software and browser extensions
  • Check for SSL certificates
  • Ensure the URL displayed in the address bar shows the correct domain name.
  • Search for negative reviews of the website from trusted sources.
  • Don’t automatically trust website links provided by people or organizations you trust.
  • Use hashing algorithms for downloaded files.

Secure connections and sites

Secure Socket Layer (SSL) certificates are issued by trusted certificate authorities (CA), such as DigiCert. An SSL certificate indicates that any data submitted through a website will be encrypted. A website with a valid SSL certificate has been inspected and verified by the CA. You can find SSL certificates by performing the following steps:

  1. Check the URL in the address bar. The URL should begin with the https:// protocol. If you see http:// without the “s”, then the website is not secure.
  2. Click on the closed padlock icon in the address bar to the left of the URL. An open lock indicates that the website is not secure.
  3. A pop-up menu should open. Websites with SSL certificates will have a menu option labeled “Connection is secure.” Click on this menu item.
  4. A new pop-up menu will appear with a link to check the certificate information. The layout and wording of this pop-up will vary depending on which browser you are using. When you review the certificate, look for the following items:
    • The name of this suer – Make sure it is a trusted certificate authority.
    • The domain it was issue to – This is name should match the website domain name.
    • The expiration date – The certificate should not have passed its expiration date.

Note that cybercriminals can obtain SSL certificates too. So, this is not a guarantee that the site is safe. CAs also vary in how thorough they are in their inspections.

Application Policies

A common recommendation, or even a requirement, is to only support or require the latest version of a piece of software.

It’s generally a good idea to disallow risky classes of software by policy. Things like file sharing software and piracy-related software tend to be closely associated with malware infections.

Understanding what your users need to do their jobs will help shape your approach to software policies and guidelines.

Helping your users accomplish tasks by recommending or supporting specific software makes for a more secure environment.

Extensions that require full access to websites visited can be risky, since the extension developer has the power to modify pages visited.

Creating a Company Culture for Security

Risk in the Workplace

Security Goals

If your company handles credit card payments, then you have to follow the PCI DSS, or Payment Card Industry Data Security Standard.

PCI DSS is subdivided into 6 broad objectives:

  1. Build and maintain a secure network and systems.
  2. Protect cardholder data.
  3. Maintain a vulnerability management program.
  4. Implement strong access control measures.
  5. Regularly monitor and test networks.
  6. Maintain an information security policy.

Measuring and Assessing Risk

Security is all about determining risks or exposure; understanding the likelihood of attacks; and designing defenses around these risks to minimize the impact of an attack.

  • Security risk assessment starts with threat modeling.
  • High-value data usually includes account information, like usernames and passwords. Typically, any kind of user data is considered high value, especially if payment processing is involved.
  • Another way to assess risk is through vulnerability scanning.
  • Conducting regular penetration testing to check your defenses.

Vulnerability Scanner

A computer program designed to assess computers, computer systems, networks, or applications for weaknesses.

Some examples are:

Creating a Company Culture for Security Creating a Company Culture for Security

Penetration testing

The practice of attempting to break into a system or network to verify the systems in place.

Privacy Policy

Privacy policies oversee the access and use of sensitive data.

  • Periodic audits of access logs.
  • It’s a good practice to apply the principle of least privilege here, by not allowing access to this type of data by default.
  • Any access that doesn’t have a corresponding request should be flagged as a high-priority potential breach that need to be investigated as soon as possible.
  • Data-handling policies should cover the details of how different data is classified.
  • Once different data classes are defined, you should create guidelines around how to handle these different types of data.

Data Destruction

Data destruction makes data unreadable to an operating system or application. You should destroy data on devices no longer used by a company, unused or duplicated copies of data, or data that’s required to destroy. Data destruction methods include:

  • Recycling: erasing the data from a device for reuse
  • Physical destruction: destroying the device itself to prevent access to data
  • Outsourcing: using an external company specializing in data destruction to handle the process

For more information about disposing of electronics, please visit Proper Disposal of Electronic Devices, a resource from CISA.

Users

User Habits

You can build the world’s best security systems, but they won’t protect you if the users are going to be practicing unsafe security.

  • You should never upload confidential information onto a third-party service that hasn’t been evaluated by your company.
  • It’s important to make sure employees use new and unique passwords, and don’t reuse them from other services.
  • A much greater risk in the workplace that users should be educated on is credential theft from phishing emails.
  • If someone entered their password into a phishing site, or even suspects they did, it’s important to change their password asap.

Creating a Company Culture for Security Creating a Company Culture for Security

Third-Party Security

If they have subpar security, you’re undermining your security defenses by potentially opening a new avenue of attack.

Google Vendor Security Assessment Questionnaire

  • If you can, ask for a third-party security assessment report.

Security Training

Helping others keep security in mind will help decrease the security burdens you’ll have as an IT Support Specialist.

Incident Handling

Incident Reporting and Analysis

The very first step of handling an incident is to detect it in the first place.

The next step is to analyze it and determine the effects and scope of damage.

Once the scope of the incident is determined, the next step is containment.

  • If an account was compromised, change the password immediately. If the owner is unable to change the password right away, then lock the account.

Creating a Company Culture for Security Creating a Company Culture for Security

Another part of incident analysis is determining severity, impact, and recoverability of the incident.

  • Severity includes factors like what and how many systems were compromised, and how the breach affects business functions.
  • The impact of an incident is also an important issue to consider.

Data exfiltration

The unauthorized transfer of data from a computer.

Recoverability

How complicated and time-consuming the recovery effort will be.

Incident Response

Incident handling requires careful attention and documentation during an incident investigation’s analysis and response phases.

  • Be familiar with what types of regulated data may be on your systems, and ensure proper procedures are in place to ensure your organization’s compliance.
  • DRM technologies can be beneficial for safeguarding business-critical documents or sensitive information and helping organizations comply with data protection regulations.
  • When incident analysis involves the collection of forensic evidence, you must thoroughly document the chain of custody.

Incident Response and Recovery

Update firewall rules and ACLs if an exposure was discovered in the course of the investigation.

Create new definitions and rules for intrusion detection systems that can watch for the signs of the same attack again.

Mobile Security and Privacy

  • Screen lock
  • Storage encryption
  • Apps permissions

Bring Your Own Device (BYOD)

Organizations are taking advantage of the cost savings created by adopting “bring your own device” (BYOD) policies for employees. However, permitting employees to connect personal mobile devices to company networks introduces multiple security threats. There are a variety of security measures that IT departments can implement to protect organizations’ information systems:

  • Develop BYOD policies
  • Enforce BYOD policies with MDM software
  • Distribute MDS settings to multiple OSes through Enterprise Mobile Management (EMM) systems
  • Require MFA
  • Create acceptable use policies for company data and resources
  • Require employees to sign NDAs
  • Limit who can access data
  • Train employees on data security
  • Back up data regularly

BYOD policy: An in-depth guide from an IT leader

Final Project: Creating a Company Culture for Security Design Document

Assignment

In this project, you’ll create a security infrastructure design document for a fictional organization. The security services and tools you describe in the document must be able to meet the needs of the organization. Your work will be evaluated according to how well you met the organization’s requirements.

About the Organization

This fictional organization has a small, but growing, employee base, with 50 employees in one small office. The company is an online retailer of the world’s finest artisanal, hand-crafted widgets. They’ve hired you on as a security consultant to help bring their operations into better shape.

Organization Requirements

As the security consultant, the company needs you to add security measures to the following systems:

  • An external website permitting users to browse and purchase widgets
  • An internal intranet website for employees to use
  • Secure remote access for engineering employees
  • Reasonable, basic firewall rules
  • Wireless coverage in the office
  • Reasonably secure configurations for laptops

Since this is a retail company that will be handling customer payment data, the organization would like to be extra cautious about privacy. They don’t want customer information falling into the hands of an attacker due to malware infections or lost devices.

Engineers will require access to internal websites, along with remote, command line access to their workstations.

Security Plan

This plan will explain the steps required for improving the security of the organization’s existing infrastructure, depending upon their needs and requirements.

Centralized Access Management System

The company should deploy some directory services like OpenLDAP or Windows Active Directory service so:

  • Centralized management of permissions to company infrastructure
  • Group based permissions: Only software engineers should have access to the source code, only sales people should have access to the sales data etc.
  • To better manage passwords, and ability to centrally reset and change them when required.
  • Revoke Ex-employee’s access to the company infrastructure.
  • Company network should be divided into Virtual Local Area Networks (VLANS), to containerize every department to their premise.

External Website Security

To make the company’s website secure from external threats:

  • Make sure admin pages are not exposed on the clearnet. You can robo.txt to tell Google Website Crawler to don’t crawl them.
  • When a user, signs up for the website or enter any query in the website console, the standards, and methods for query sanitization and validation should be in place.
  • Make sure the website uses HTTPS to ensure encrypted communication across the servers.
  • Place firewall rules and IPS/IDS systems for threat detection and prevention.

As the company is involved in the online retail, make sure:

  • PCI DSS standards are met for secure debit and credit cards transactions.
  • Only those employees should have access to stored data, that explicitly need it.

Internal Intranet Website

To make the company’s internal website is secure:

  • Configure the website as such that it should only be accessible through the company’s internal network.
  • To make sure the employees working away from the office have access to the internal website and other resources, use Virtual Private Networks (VPNs), or Reverse Proxy for secure tunnel.

Remote Connections

To give remote access:

  • Use Secure Shell (SSH), Virtual Private Networks, or Reverse Proxies.

Firewalls and IPS/IDS Solutions

  • Host based firewalls should be used on employees’ laptops.
  • Network-based firewalls should be used to protect the company’s network.
  • Intrusion Detection and Intrusion Prevention Systems (IDS/IPS) should in-place.
  • There should be some kind of monitoring and alerting system, to tell you of the suspicious activity on your network.
  • Firewalls should only allow traffic explicitly mentioned in the rules list, instead of allowing every packet to enter the network.

Wireless Security

To protect wireless traffic:

  • Use WPA2 security protocol which uses modern cipher technology AES for encryption which is a lot harder to crack than old WEP or WPA.
  • Install protection against IP Spoofing attacks and Rogue AP attacks.
  • Divide your network into vLANs, one for guests and one for employees.
  • Employees AP should use whitelisting MAC address to allow connection to the network.

Employees Laptop Configuration

The laptops should equip with:

  • Full-disk encryption
  • Host-based firewalls with whitelisting rules for better security
  • Managing the accounts and passwords for laptop through AD.
  • The employees should not leave their laptops logged in and unlocked on their desks or café.

The Company Security Culture

The humans are always the first line of defense for any system or organization, so educating them about the security is more necessary than anything else.

  • Organize seminar, record short videos, have small sessions occasionally to educate your employees about imminent security threats, and latest security techniques.
  • Educate them about phishing attacks to avoid any stolen data or credentials.
  • There should be small exercise including quizzes and real life examples of what not to do in security realm, how to react if you get phished or hacked after every possible cautionary step.

IBM IT Support Professional Certificate

1. Introduction to Technical Support

This is the IBM version of introduction to IT Support. But it also gives information about different ticketing systems and service level agreements. It provides details about job opportunities and different skill levels in the field.

It has following sub-modules…

2. Introduction to Hardware and Operating Systems

This course is all about building computers and installing different operating systems on them. It also explains about computer connectors and their types, and peripheral devices. In the end, it gives details about how to troubleshoot a system step by step.

It has been divided into following modules…

3. Introduction to Software, Programming, and Databases

It goes into details about different computing platforms and types of software applications. It also lists down the available web-browsers, types of cloud computing, basics of programming and types of database queries.

It has following 4 sub-modules…

4. Introduction to Networking and Storage

It teaches about the types of networks, like LAN, WAN etc. It lists down the storage types and also goes into the details of troubleshooting common networking problems like DNS issues etc.

This course has following sub-topics…

5. Introduction to Cybersecurity Essentials

This courses teaches about:

  • Everyday digital threats like viruses, malware, social engineering etc.
  • How to remain safe online and how to use password management techniques to remain protected.
  • While surfing the web, how to avoid phishing and other threats.

and more…

It has 4 sub-modules…

6. Introduction to Cloud Computing

Learning opportunities are:

  • PaaS, IaaS, SaaS
  • Private, public and hybrid cloud models
  • Types virtual machines, hypervisors etc

and more…

This course talks about these topics…

Subsections of IBM IT Support

Subsections of Introduction

Industry Professional's Guide to Technical Support

Becoming a Technical Support Professional

Customer Service vs. Technical Support

Industry Professional’s Guide to Technical Support Industry Professional’s Guide to Technical Support

Why do companies use technical support?

  • Troubleshooting technical issues
  • Setting up accounts
  • Repairing and replacing
  • Assisting with network security
  • Training on hardware and software
  • Logging and tracking
  • Fostering positive relationships

Who uses technical support?

Industry Professional’s Guide to Technical Support Industry Professional’s Guide to Technical Support

Why is technical support important?

  • Companies provide solutions to customers
  • Positive experiences = increase in business
  • More trustworthy
  • Customer retention
  • Troubleshooting help
  • Product improvement
  • More desirable products

Why choose technical support?

Industry Professional’s Guide to Technical Support Industry Professional’s Guide to Technical Support

Why should you pick technical support?

  • Learn more about technology
  • Learn techniques for solving
  • Develop your professional skills
  • Build transferrable skills
  • Learn how to network to seek out
  • Open the door to many more careers

Career Opportunities in Technical Support

Technical support work environment

  • On-site at offices or call centers
  • Business offices and professional spaces
  • Remote working
  • Supporting clients and customers
  • Answering questions
  • Resolving technical issues

Technical support paths

  • Entry-level jobs
  • On-the-job training
  • Experience
  • Tiered approaches
    • Lower-tier
    • Mid-tier
    • Upper-tier

Industry Professional’s Guide to Technical Support Industry Professional’s Guide to Technical Support

Current jobs in technical support

Industry Professional’s Guide to Technical Support Industry Professional’s Guide to Technical Support

Industry Professional’s Guide to Technical Support Industry Professional’s Guide to Technical Support

Technical support career advantages:

Industry Professional’s Guide to Technical Support Industry Professional’s Guide to Technical Support

Technical Support Roles and Responsibilities

Many names of technical support

  • Technical Support Representative
  • Computer Support Representative
  • Technical/IT Support Technician
  • Desktop Support Technician
  • IT Help Desk Support Specialist
  • Desktop/IT Support Analyst

Roles of technical support

Industry Professional’s Guide to Technical Support Industry Professional’s Guide to Technical Support

Help Desk & Support Technicians

Industry Professional’s Guide to Technical Support Industry Professional’s Guide to Technical Support

Technical Support Specialists & Engineers

Industry Professional’s Guide to Technical Support Industry Professional’s Guide to Technical Support

IT Support Analysts & Specialists

Industry Professional’s Guide to Technical Support Industry Professional’s Guide to Technical Support

Service Desk Technicians & Analysts

Industry Professional’s Guide to Technical Support Industry Professional’s Guide to Technical Support

A day of Technical Support

Industry Professional’s Guide to Technical Support Industry Professional’s Guide to Technical Support

Introduction to IT Infrastructure

  • Hardware
    • PCs
    • Mobile devices
    • Servers
    • Data centers
    • Hubs
    • Routers
    • Switches
  • Software
    • CMS
    • CRM
    • ERP
    • Collaboration, productivity, and business-specific apps
    • Web servers
    • Operating systems
  • Network
    • Routers
    • Data centers
    • Hubs
    • Switches
    • Security Software

Types of IT infrastructure

  • Traditional IT infrastructure
  • Cloud IT infrastructure

Troubleshooting IT Infrastructure

  • Troubleshooting within the IT infrastructure
  • A customer’s computer isn’t working
  • The client needs password reset
  • Customers are unable to access
  • A cyber threat is identified and neutralized
  • Communication allows working quickly to identify issues and implement solutions

Technical Support Skills and Opportunities

Technical Support Soft Skills

What are soft skills?

  • Positive behaviors and attitudes
  • Effectively communicate, collaborate, and manage
  • Actively listen to clients
  • Work with others to resolve problems
  • Diffuse stressful situations

Soft skills

  • Customer service mindset
  • Communication
  • Organization
  • Leadership
  • Problem-solving
  • Flexible and adaptable

Positive behaviors and attitudes

  • Knowledge of technology is one part
  • Work with others and manage social situations
  • Positive behaviors and attitudes
  • Effectively communicate, collaborate, and manage conflict

Set yourself up for success

  • Use your soft skills
  • Ask questions
  • Take good notes
  • Stay organized
  • Say “I don’t know” and “I’ll find out”

Customer Support mindset

  • Empathetic
  • Customer-centered
  • Patient

Learn to improve

  • Document your notes as you work
  • Read suggestions and notes from supervisors
  • Learn techniques to help you withstand pressure and reduce stress

Experienced background

  • Lack of work experience does not mean that you lack interest in technology
  • Use your passion for technology to boost your self-confidence
  • Positive behaviors and attitudes
  • Be willing to level-up your soft skills

Soft-skills tune-up

  • Additional online courses
  • Podcasts, audiobooks
  • Peers and social groups

Basics of Technical Skills

The job interview

Technical Support Skills and Opportunities Technical Support Skills and Opportunities

Basic programming and coding

  • Machine code and source code
  • Compiled programming and interpreted programming languages
  • Programming languages like C, Java, HTML, Python, and JavaScript
  • Basic-level coding

Computers and operating systems

  • Basic knowledge of android, iOS, Windows, Linux, macOS is necessary.

SQL and NoSQL basics

  • Basic knowledge of both
  • Differences of SQL and NoSQL
  • SQL queries retrieve information
  • NoSQL databases are nonrelational databases with unstructured data
  • Technical support services for databases
  • Database application services, management, security, backups, updates, and optimization

Analyze application logs

  • View information about events that have occurred in an application
  • Read and analyze application logs
  • Track information about the application
  • Includes timestamps for tracking issues
  • Logs levels of issues with labels

Server knowledge

  • Understand servers
  • Settings up and configuring servers
  • Updating server software
  • Monitoring and maintaining servers
  • Maximizing uptime
  • Managing virtual servers

Support ticket workflow

  • Track and manage client questions and issues
  • Zendesk, Jira, and LiveAgent
  • Similar workflow for most ticketing systems

Using knowledge base

  • Knowledge base skills
  • A collection of a group’s knowledge
    • Search
    • Read
    • Understand

New hardware and applications

  • Trying new hardware and applications
  • Interest in emerging technology

Additional technical tools

  • VMs
  • VPNs
  • Network security
  • IT infrastructure monitoring software
  • Enterprise hardware

Performance Evaluation of Technical Support Professionals

Performance evaluations

What is the purpose of a performance evaluation?

Technical Support Skills and Opportunities Technical Support Skills and Opportunities

What you should expect?

  • Accomplishing responsibilities
    • Possess technical knowledge and skills necessary to perform your job
    • Understand company policies and procedures
    • Complete required records, documents, and tickets
  • Decision-making
    • Evaluate issues
    • Work on your own
    • Recognize problems
    • Make decisions
  • Productivity
    • Complete tasks in a timely and efficient manner
    • Work according to instructions
    • Ask for help, when needed
  • Customer service
    • Strong commitment to customers
    • Work towards a solution
    • Call recordings
    • Customer ratings
    • Time-to-resolve measurements
    • First-contact resolution and contacts per customer
    • Average number of tickets handled
  • Work attitude
    • Positive attitude for work and responsibilities
    • Effective working relationships with others
    • Positive attitude toward suggestions
  • Communication skills
    • You write clearly, and effectively
    • You understand written and spoken communication
  • Goal achievements
    • Your new certifications and skills
    • Achievement of professional goals
    • How you have improved

Benefits to performance evaluations

  • Your role performance
  • Recognition for your accomplishments
  • Share your “good job” moments
  • Discuss goals and ways to meet goals
  • Provide opportunities for advancement

Career Paths and Progression in Technical Support

Technical Support entry-level roles

  • IT support specialist
  • IT technician
  • Help Desk technician
  • Desktop Support Specialist
  • Field Service Technician

Skills for entry-level roles

  • Access data and share with those who need it
  • Actively listen to clients and their description of computer-related issues
  • Ask questions to determine the problem
  • Guide customers through steps to resolve problems
  • Train users on new computers and software
  • Note changes, updates, and issues
  • Share information with other team members and managers

Experience for entry-level roles

  • IT experience or a degree not required
  • Customer service experience is beneficial
  • Knowledge of technology is a plus
  • Increase your chances of getting a better job
  • Professional certificates
  • A computer science or related degree

Technical support mid-level roles

  • Help desk analyst
  • Technical support specialist
  • Tier II Support

Skills for mid-level roles

  • Test and maintain equipment and software
  • Try out new systems and programs
  • Communicate with clients about technology use
  • Train users on how to use new hardware and applications
  • Communicate on proper use of technology
  • Train new technical support team

Experience for mid-level roles

  • Technical support specialist level 2
  • 1 to 3 years of experience
  • With on-the-job training
  • Certifications, Cisco, Microsoft, and CompTIA, like A+, Network+, Security+
  • Technical support specialist level 3
    • 3 to 5 years of experience
    • Advanced on-the-job training
    • Certifications similar to level 2

Technical support upper-level roles

  • Technical support lead or manager
  • IT support team lead
  • Field engineer supervisor

Skills for upper-level roles

  • Manage systems and capabilities
  • Research and explore new systems, software, and processes
  • Train users on standard usage practices for hardware and software
  • Manage ongoing issues in projects
  • Communicate changes in policies to organization management
  • Manage and train teams

Experience for upper-level roles

  • On-the-job training in leadership
  • 5 or more years of experience
  • ITIL, SixSigma, and relevant certifications

Technical Support Paths

  • Use technical support experience to switch to other IT roles
  • Develop cross-skills you can apply to other roles
  • Consider tasks and responsibilities you enjoy
  • Interview for roles that want to know more about

Cross-skills and up-skill paths

  • Use cross-skills you learn on the job to move to better roles
  • Level-up skills to promote to more roles

Cross-skill and up-skill roles

  • Network Administrator
  • Network Security Analyst
  • Database Administrator
  • Cloud Developer
  • QA Engineer
  • Software Developer

Industry Certifications for Technical Support

What are industry certifications?

  • Certify skills meet industry standards
  • Confirm understanding of strategies and concepts
  • Validate knowledge about information technology (IT)
  • Certify that starting skill requirements are met
  • Show specialization in the field

Certifications

  • Certifications for starting a career in technical support
    • CompTIA, Microsoft, Apple, ITIL Foundation, and Cisco

CompTIA IT Fundamentals (ITF+)

  • For starting in IT
  • Demonstrates basic IT knowledge and skills

CompTIA A+ for progressing in technical support

Demonstrates mastery of:

  • Hardware
  • Software troubleshooting
  • Networking
  • Operating systems
  • Device and network troubleshooting
  • Security for devices and networks
  • Mobile devices Virtualization and Cloud computing
  • Operational procedures

CompTIA Network+

  • Networking path
  • Demonstrating skills for troubleshooting, configuring, and managing networks

Microsoft 365 Certified: Fundamentals

  • Microsoft role-based and specialty-based certifications

Apple Certified Support Professional (ACSP)

  • For technical support for Mac users
  • macOS, troubleshooting, and support

ITIL Foundation certifications

  • Start at support center courses
  • Develop skills in supporting customers, IT role functions, and troubleshooting methods

Cisco Certified Network Associate (CCNA)

  • Demonstrate knowledge of networking
  • Highlights skills in administering network maintenance, creating secure network access, and improving network connectivity
  • Certification are not required
  • Begin by studying for certifications
  • Some employers offer assistance
  • Ask about certification opportunities

Support Tools, Support Tiers, and Service-Level Agreements

Overview of Support Channels

  • Self-support channels
    • Self-help
    • Wikis
    • FAQs
    • Knowledge base
    • Documentation
    • Discussion Forums
  • Email support
    • Asynchronous support
    • Not a real-time exchange
  • Social media support
    • Asynchronous support
  • Phone support
    • Synchronous support
    • Urgent issues
    • Sensitive information
    • Real-time support
  • Live-chat support
  • Video chat support
    • Virtual hands on support
  • Remote support
    • Host device to customer device
  • In-person support
    • Hands-on troubleshooting
    • Preventive maintenance services
    • Hardware support

Ticketing systems

  • Create ticket
  • Document, track, and manage customer issues to resolution
  • Convert emails to tickets
  • Log phone sessions
  • Users submit tickets

Remote Support Tools

Two types of remote support

  • Attended
    • Customer is at a device
    • Immediate resolution
    • Hands-on support
    • Faster resolution times
    • Customer satisfaction
  • Unattended
    • Maintenance of groups of users and servers
    • Doesn’t require permission from users to access their computers
    • Users don’t need to be at their computers
    • Installing updates
    • Managing the IT infrastructure
    • Troubleshooting issues on many devices

Tools

  • ConnecWise
  • TeamViewer
  • Dameware
  • BeyondTrust
  • ZoHo Assist
  • Windows Remote Assistance

Common Features

  • Remote control and screen sharing
  • File sharing
  • Secure devices
  • Transfer support sessions
  • Multiple monitors
  • Virtual agent and chatbots
  • Training and education in IT
  • Pre-installed support
    • ML/AI embedded solutions
  • Proactive technical support
  • Cloud-connected support
  • Video chats
  • Technical support i virtual spaces
  • All-in-one support platforms

Levels of Technical Support

Need for tiered support

  • Route technical support issues
  • Handle a large volume of issues
  • Increase customer satisfaction
  • Improve technical support

Levels of technical support

Support Tools, Support Tiers, and Service-Level Agreements Support Tools, Support Tiers, and Service-Level Agreements

Technical support skills required

Support Tools, Support Tiers, and Service-Level Agreements Support Tools, Support Tiers, and Service-Level Agreements

Service-Level Agreements (SLAs)

SLAs in technical support

  • Legal agreements

    Ensure:

  • Quality

  • Timeliness

  • Availability

  • Expectations

SLA contracts

  • Support available
  • Free or paid version
  • Accepted contract

SLA details

  • Agreement summary
  • Goals of business and users
  • Consequences of violations
  • Points of contact

Types of SLAs:

  • Customer-based
  • Service-based
  • Multiple

SLA priority levels

Support Tools, Support Tiers, and Service-Level Agreements Support Tools, Support Tiers, and Service-Level Agreements

Response SLAs vs Resolution SLAs

Support Tools, Support Tiers, and Service-Level Agreements Support Tools, Support Tiers, and Service-Level Agreements

SLA management

  • Track
  • Monitor
  • Prioritize
  • Automate
  • Report

The Escalation Matrix

Escalation management

  • Builds trust and support
  • Improves business
  • Improves communication
  • Boosts satisfaction

Escalation Process

  • Escalation paths
    1. Functional
    2. Hierarchical
    3. Automatic

1) Functional escalation

Support Tools, Support Tiers, and Service-Level Agreements Support Tools, Support Tiers, and Service-Level Agreements

2) Hierarchical escalation

Support Tools, Support Tiers, and Service-Level Agreements Support Tools, Support Tiers, and Service-Level Agreements

3) Automatic escalation

Support Tools, Support Tiers, and Service-Level Agreements Support Tools, Support Tiers, and Service-Level Agreements

Escalation matrix

Support Tools, Support Tiers, and Service-Level agreements Support Tools, Support Tiers, and Service-Level agreements

Handoffs in technical support

  • Help to resolve an issue
  • Encourage information sharing
  • Prevent incomplete documentation
  • Lead to faster resolution

Ticketing Systems

What are ticketing systems?

  • A support ticket records the interaction between a customer and a service representative
  • Documents issues and their progress/resolution
  • Ticket also called Issue, Case, Incident, etc.
  • Support tickets are managed by a ticketing system
  • These systems may also be called:
    • Helpdesk software
    • Customer support software
    • Ticketing software/app
    • Case Management System or Customer Care Management System

What is a ticketing system?

  • Software used to systematically document, track, manage, and resolve customer issues.
  • Creation of tickets
  • Central data hub

What a ticketing system provides

  • Automation
  • Collaboration
  • Integration
  • Channels
  • Reporting

Lifecycle of a ticket

  • Create a ticket
  • Assign and Start ticket issue
  • Resolve issue
  • Close ticket

Features and Benefits of Ticketing Systems

Common features

  • Omnichannel support
    • Email
    • Social media
    • Live chat
    • Phone
  • Ticket routing
  • Ticket categorization and tagging
    • Categorization
    • Tagging
    • Routing
    • Ticket status
  • Tracking and measurement
    • Tracking
    • Analytics
  • Knowledge base management
  • Automation
    • Helps get to the right person at the right time
    • Automation:
      • Assigning tickets
      • Sending responses
      • Escalate issues
      • Pulling customer data
    • Reduce time spent on repetitive tasks
    • Help make agents more engaged and productive

What to look for

  • Agent productivity
  • Customer interactions
  • Metrics
  • Continuous improvement
  • Collaboration

Types of ticketing systems

  • Cloud based
  • Self hosted
  • Open source
  • Enterprise

Cloud based systems

Benefits

  • Easier to set up and maintain
  • Scalable
  • Availability

Concerns

  • Vendor must resolve issues
  • Internet connection always required
  • Limited customization

Self-hosted systems

Benefits

  • Complete control of data and security
  • More customizable

Concerns

  • Initial investment
  • Server maintenance
  • Updates and fixes
  • Backups

Open-source systems

Benefits

  • Free or mostly free
  • Highly customizable
  • Developer community

Concerns

  • Knowledgeable developers
  • Long installation timeline
  • In house updating and maintenance

Enterprise systems

Benefits

  • Asset management and reporting
  • Support 24 hours a day
  • Highly customizable

Concerns

  • Expensive
  • Higher level of training
  • Zendesk
  • Jira Service Desk
  • Freshdesk
  • LiveAgent
  • ServiceNow

Common features

  • Omnichannel support
  • Automation
  • Collaboration
  • Knowledge Base
  • Subscription Based
  • Free trials

Zendesk

  • Cloud based
  • Pre-built Integrations
  • Collaboration
  • Knowledge base
  • Live chat/chatbots
  • Macros
  • Expensive

Jira Service Desk

  • Cloud or self-hosted
  • Built on Jira
  • Expandable
  • External knowledge base
  • Limited chat
  • Automation

Freshdesk

  • Cloud based
  • Custom ticket views
  • AI powered chatbots
  • Freshworks academy
  • Moderate pricing

LiveAgent

  • Cloud based
  • Emphasized live chat
  • Advanced integration
  • Chat widget
  • Unlimited email addresses
  • Moderate pricing

ServiceNow

  • Cloud based
  • ITSM Approach
  • Repeatable workflow
  • Advanced integration
  • Integrated mobile
  • Request quote

Troubleshooting

CompTIA troubleshooting model steps

  1. Identify the problem
  • Gather information
  • Question users
  • Identify symptoms
  • Determine if anything has changed
  • Duplicate the problem
  • Approach multiple problems individually
  1. Research the knowledge base/Internet
  • Knowledge base
  • Internet
  1. Establish a theory of probable cause
  • Question the obvious (Is the printer turned on?)
  • Consider more than one approach
  1. Test the theory to determine the cause
  • Are you successful?
  • More research and testing may be required
  1. Establish a plan of action
  • Some fixes may require reboots or downtime
  • May require downloading software or patches
  • Test in staging environment if available
  • Back up data
  • May require approval
  1. Implement the solution or escalate
  • Run scripts
  • Update systems or software
  • Update configuration files
  • Change firewall settings
  1. Verify full system functionality and implement preventive measures
  • Ask users to test functionality
  • Consider other servers or devices
  1. Document findings/lessons, actions, and outcomes
  • Full document your research, theories, changes, and updates
  • Add information to knowledge base
  • Useful if unintended consequences appear

Tech Support Methodologies and Frameworks

What is ITSM?

  • IT Service Management

  • Processes, activities, technologies, and people

  • Strategy for IT services

    Ticketing Systems Ticketing Systems

Implementing ITSM

  • Predefined frameworks
  • Guides with formalized structure
  • Standards, processes, and best practices

Popular ITSM frameworks have these features:

  • Strategy
  • Design
  • Management
  • Operation
  • Improvement

ITSM Frameworks

  • ITIL
  • COBIT
  • Lean IT
    • MOF
    • ISO/IEC 20000

ITIL

  • Information technology infrastructure library
  • Standardized set of detailed practices and processes
    • Service strategy
    • Service Design
    • Service Transition
    • Service Operation
    • Continual Service Improvement

COBIT and Lean IT frameworks

COBIT

  • For governance and management of IT
  • Uses processes contained in ITIL

Lean IT

  • Framework for applying lean principles to the delivery of IT services
  • Designed to cut out waste that doesn’t add value

MOF and ISO/IEC 20000 frameworks

Microsoft Operations Framework

  • Guidance for IT lifecycle
    • Plan phase
    • Deliver phase
    • Operate phase
    • Manage phase

ISO/IEC 20000

  • International standard for ITSM
  • Guidelines to establish, implement, operate and maintain

ITSM metrics

  • Customer Satisfaction (CSAT) scores
  • First-contact resolution
  • First-level resolution
  • Cost per ticket
  • Mean time to resolution

Benefits of ITSM processes

  • Consistency
  • Efficiency
  • Management
  • Risk and downtime
  • Operational costs
  • Standardization and accountability
  • Higher quality of service
  • Improved customer satisfaction
  • More agility

ITSM frameworks and technical support

  • People are part of ITSM
  • Processes based on service
  • Standards for managing IT services
  • IT solutions and knowledge
  • Technical support feedback

Effective Documentation and Communication

Communicating in technical support

  • Interest in technology
  • Ability to write clearly
  • Skills to Communicate

Effective communication

  • Informative communication
  • Clear explanations
  • Faster resolutions

Notes and communication

  • Notes
  • Word processing
  • Spreadsheets

Keep your audience in mind while taking notes or writing documentation and technical abilities and knowledge.

Order of steps

  • List what you have tried
  • State them chronologically
  • State them from most to least important
  • Use a clear order

Analysis of the problem

  • State what is or is not the problem
  • Show how you have worked through the problem
  • Include what led to the issue
  • Describe what worked in the past but did not this time

Communication tools

  • Keep it simple
  • Ask clear questions
  • Model others

Cheat sheet for Logging a Ticket

  • You noted the customer’s name and contact information.
  • You included the ticket or issue number and the date the ticket was created.
  • You documented the complete details of the problem or issue.
  • You noted the priority and urgency of the customer and the issue.
  • You logged the issue category, the department, and agent the issue is assigned to.
  • You included closing notes.

Subsections of Hardware and OS

Introduction to Computing Fundamentals

Introduction to Computing Fundamentals

  • The global IT spending on devices, including PCs, tablets, mobile phones, printers, as well as data center systems, enterprise software, and communication services came to 4.24 trillion USD in 2021.

  • It expected to increase by approximately 5.1 percent to around 4.45 trillion USD in 2022.

    A computer is a device or system that includes:

    Introduction to Computing Fundamentals Introduction to Computing Fundamentals

    Introduction to Computing Fundamentals Introduction to Computing Fundamentals

    Introduction to Computing Fundamentals Introduction to Computing Fundamentals

    Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Functions of computing

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Benefits of computing

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Common Computing Devices and Platforms

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Stationary computing devices

  • Remain on a desk, rack, or other stationary location.
  • Consist of a box or chassis.
  • Includes processors, storage, memory, input, and output connections.
  • Memory and storage, often updatable.

Workstations

  • Used at the office and at home.
  • Typically, in a hard box containing processors, memory, storage, slots.
  • Include connections for external devices and wireless connectivity.
  • Enable memory, storage, and graphic card upgrades.
  • Use Microsoft Windows, macOS, and Linux OSes.

Servers: functions

  • Installed on networks
  • Enabling shared access
    • Media storage – movies videos, sound
    • Web servers – websites
    • Print servers – print documents
    • File servers – files and documents
    • Email servers – email storage
  • Provide fault tolerance for businesses to keep working

Servers: hardware support

  • Motherboard providers hardware support for multiple:
    • Processors
    • Memory (RAM)
    • Graphic cards
    • Storage
    • Port connections

Servers: operating systems

Use operating systems that support distributed workloads:

  • Microsoft Windows Server
  • Linux
  • UNIX
  • Mac OS X
  • FreeBSD

Stationary devices: gaming consoles

  • Contain processors, memory, graphic processors (GPU), input ports, and output ports
  • Console include Microsoft Xbox, Sony PlayStation, and Nintendo
  • Hardware features enhanced memory caching and graphics processing
  • Required additional hardware devices such as wired or cabled handheld devices
  • Usually not upgradable

Mobile devices

  • Laptop processing power matches desktop performance
  • Tablets have both business and personal uses
  • Smartphones are a hub for life management
  • Portable and Wi-Fi enabled gaming systems abound
  • Transforming both business and personal life

IoT devices

  • Contain chips, sensors, input and output capabilities, and onboard software.

  • Enable the exchange of data with other devices and systems.

  • Communicate via Wi-Fi, Bluetooth, NFC, Zigbee, and other protocols.

  • Software updatable, but generally no hardware upgrades.

    Introduction to Computing Fundamentals Introduction to Computing Fundamentals

IoT devices: categorized

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Understanding How Computers Talk

Notational systems defined

A system of symbols that represent types of numbers.

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Notational systems – decimal

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Notational systems – binary

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Convert to decimal to binary

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Convert binary to decimal

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Notational Systems – hexadecimal

  • Uses 16 digits, referred to as base 16, including the numbers 0 through 9, and the letters A through F.

  • Enables compact notation for large numbers

  • Used for MAC addresses, colors, IP addresses, and memory addresses

    Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Convert hex to binary

  1. Note the hex number, and represent each hex digit by its binary equivalent number.
  2. Add insignificant zeros if the binary number has less than 4 digits. For example, write the decimal 10 as 0010.
  3. String (concatenate) all the binary digits together from left to right.
  4. Discard any leading zeros at the left of the concatenated number.

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

The result is 100100011010.

Data Types

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Character Types

ASCII

American Standard Code for Information Interchange:

  • Developed from telegraph code and first published in 1963.
  • Translates computer text to human text.
  • Originally a 7-byte system (to save on transmission costs) representing 128 binary character.
  • Expanded to 8-bytes representing another 256 characters.
  • Full charts are available online.

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Unicode

Unicode includes ASCII and other characters from languages around the world, as well as emojis.

  • Web pages use UTF-8.
  • Popular programming languages use Unicode 16-bit encoding and a few use 32-bit.
  • Commonly formatted as U+hhhh, known as “code points”, where hhhh is character hexadecimal value.
  • Conversion services are available online.

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

An Introduction to Operating Systems

Operating system basics

Operating systems consist of standardized code for:

Input>Output>Processing>Storage

  • CLI
  • GUI

Operating system history

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

The first generation (1945-1955)

  • Operating systems that worked for multiple computers didn’t yet exist.
  • All input, output, processing, and storage instructions were coded every time, for every task.
  • This repetitive code became the basis for future operating systems.

The second generation (1955-1965)

  • Mainframe computers became available for commercial and scientific use.
  • Tape drives provided input and output storage.
  • In 1956, GM Research produced the first single-stream batch operating system for its IBM 704 computing system.
  • IBM became the first company to create OSes to accompany computers.
  • Embedded operating systems were developed in the early 1960s and are still in use.
    • Focus on a single task.
    • Provide split-second response times.
    • Real-time operating systems are a type of embedded operating system used in airplanes and air traffic control, space exploration.
    • As the time passed, real-time OSes started being used in satellite systems, Robotics, Cars/automobiles.

The third generation (1965-1980)

  • Additional companies began creating their own batch file operating systems for their large computing needs.
  • Network operating systems were developed during this time.
    • Provide scalable, fast, accurate, and secure network communications.
    • Enables workstations to operate independently.
  • In 1969, the UNIX operating system, operable on multiple computer systems, featured processor time-sharing.

The fourth generation (1980 to now)

  • Multitasking operating systems enable computers to perform multiple tasks at the same time.
    • Linux
      • 1991: Linus Torvalds created a small, open source PC operating system.
      • 1994: Version 1.0 released.
      • 1996: Version 2.0 released, included support for network-based SMP benefitting commercial and scientific data processing.
      • 2013: Google’s Linux-based mobile operating system, Android, took 75% of the mobile operating system market share.
      • 2018: IBM acquired Red Hat for $34 billion.
    • macOS
      • 1999: OS X and macOS, based on UNIX, offered with PowerPC with PowerPC-based Macs.
      • 2006: Apple began selling Macs using Intel Core processors.
      • 2020: Apple began the Apple Silicon chip transition, using self-designed 64-bit, ARM-based Apple M1 processors on new Mac computers.
    • Windows
      • 1981: MS-DOS launched
      • 1985: Launched a graphical user interface version of the Windows operating system.
      • 1995: Windows 95 catapulted Microsoft’s dominance in the consumer operating system software market.
      • Today, Microsoft holds about 70% of consumer desktop operating system market share.
      • Microsoft also offers network, server management, mobile, and phone operating systems.
    • ChromeOS
      • 2011: Launched ChromeOS, built atop Linux.
      • Offers a lightweight operating system built for mobile devices.
      • Requires less local storage and costs less.
      • Currently composes about 10% of the laptop market.
  • Mobile operating systems also fit the definition of multitasking operating systems.
    • Android
    • iOS
    • Windows
    • ChromeOS

Getting Started with Microsoft Windows

Logging into Windows

Four methods of logging into Windows

  • PIN
  • Password
  • Photo
  • Fingerprint

Using Keyboard Shortcuts

Introduction to Computing Fundamentals Introduction to Computing Fundamentals

Computing Devices and Peripherals

Identifying Hardware Components and Peripherals

What is a computer component?

  • A physical part needed for computer functioning, also called “hardware”.
  • Each component performs a specific task.
  • Components can be internal or external.
  • External components connect via ports and connectors.
  • Without a given component, such as a CPU, a computer system cannot function as desired.

Common internal components

A part inside a computing device:

  • RAM
  • Hard Drive
  • CPU

Peripherals

  • Connect to the computer to transfer data.
  • External devices easily removed and connected to a computer.
  • Connections vary
  • Examples: Mouse, Printer, and a Keyboard etc.

Categories of peripherals

  • Input – send commands to the computer
  • Output – receive commands from the computer
  • Storage – save files indefinitely

Connectors for Components

  • A connector is the unique end of a plug, jack, or the edge of a card that connects to a port.
  • For example, all desktop computer expansion cards have an internal connector that allows them to connect to a slot on the motherboard.
  • A Universal Serial Bus (USB) connector at the end of a cable is an example of an external connector.

Ports

  • A connector plugs into an opening on a computer called a port.
  • A port is the jack or receptacle for a peripheral device to plug into.
  • Ports are standardized for each purpose.
  • Common ports include USB ports and HDMI ports.

Input and Pointing Devices

Input Devices

  • Keyboards
  • Mouse
  • Camera
  • Joystick
  • Trackball

Pointing Devices

  • The stylus (Pen)
    • Input tool
    • Moves the cursor and sends commands
    • Generally used on tablets
    • Uses capacitive technology
    • Detects heat and pressure

Hard Drives

Hard drives:

  • are a repository for images, video, audio, and text.
  • RAM
  • ROM
  • HDD/SSD/NVMe

Hard drive performance

Measurement benchmarks

  • Spin speed: how fast the platter spins.
  • Access time: how fast the data is retrieved.
  • Transfer/media rate: how fast the data is written to the drive.

Connecting an internal hard drive

  • Back up data
  • transfer the enclosure
  • Secure with screws
  • prevent movement
  • attach to motherboard via SATA/PATA cables
  • plug into power supply
  • finally, it can be configured in the disk management utility of windows

Optical Drives and External Storage

Optical drives

Reading and writing data

  • Laser pressing or “burning”

  • Burning pits on lands

  • Reflective disk surface

    Storage disks

  • Single-sided

  • Double-side

Types of optical drive

Several types

  • CD-ROM
  • CD-RW
  • DVD-ROM
  • DVD-RW
  • Blu-ray

Solid state drives

Solid state drive → (SSD)

  • Integrated circuit assemblies store data
  • Flash memory
  • Permanent, secondary storage
  • AKA “solid state drive” or “solid state disk”
  • No moving parts
    • Unlike hard disk drives and floppy drives

External hard drive

  • File backup and transfer
  • Capacity: 250 GB to 20 TB
    • Several file types
    • USB or eSATA connection
      • eSATA – signal, not power

Expansion devices

  • Additional file storage
  • Usually, USB
  • Frees hard drive space
  • Automatically recognized
  • Known as a “Thumb drive”
  • Holds up to 2 TB of data

Flash Drives

  • Combines a USB interface and Flash memory
  • Highly portable
  • Weighs less than an ounce
  • Storage has risen as prices have dropped
  • Available capacity up to 2 TB

Memory card

  • Uses Flash memory to store data
  • Found in portable devices such as portable media players and smartphones
  • Contained inside a device
    • Unlike USB drives
  • Available in both Secure Digital (SD) and Micro Secure Digital (MSD) formats

Display Devices

Defining display devices:

  • Hardware component for the output of information in visual form
  • Tactile monitors present information in a fingertip-readable format
  • Often seen as television sets and computer monitors

Cathode ray tube (CRT) monitors

  • Create an image by directing electrons beams over phosphor dots
  • Used in monitors throughout the mid to late 1990s
  • By 1990, they boasted 800 × 600 pixel resolution

Flat-screen monitors

  • Also known as liquid crystal display (LCD)/ Think film transistor (TFT)
  • Digital signal drives color value of each picture element (Pixel)
  • Replaced CRT monitors

Touchscreens

  • Use a touch panel on an electronic display
  • Capacitive technology measures heat and pressure
  • Often found on smartphones, laptops, and tablets

Projectors

  • Take images from a computer and display them
  • the surface projected onto is large, flat, and lightly colored
  • Projected images can be still or animated

Printers and Scanners

Output devices

“Hardware that shows data in readable form.”

That data can take many forms:

  • Scanner and speech synthesizer
  • Unnecessary (though highly useful) for computer function

Printers

  • Laser/LED
  • Inkjet
  • Thermal

Shared printers

  • IP-based
  • Web-based

Scanners

  • Converts images from analog to digital
  • Flatbed (stand alone) or multifunction device

Faxes and multifunction devices

  • Facsimile (fax) machines send documents using landlines
  • Multifunction devices often include fax capabilities

Audio Visual Devices

Defining audio devices

  • Digital data is converted into an audible format
  • Components are used to reproduce, record, or process sound
  • Examples include microphones, CD players amplifiers, mixing consoles, effects units, and speakers

Defining visual devices

  • Present images electronically on-screen
  • Typically, greater than 4" diagonally
  • Examples include smartphones, monitors, and laptop computers

Interfaces and Connectors

Identifying Ports and Connectors

  • Ports enable devices to connect to computers

  • Connectors plug into ports

  • Each port has a unique function and accepts only specific connectors

    Interfaces and Connectors Interfaces and Connectors

Interfaces

  • Point of communication between two or more entities

  • Can be hardware or software based

    Interfaces and Connectors Interfaces and Connectors

    Common Interfaces are:

    • USB

    Interfaces and Connectors Interfaces and Connectors

    • USB connectors

    Interfaces and Connectors Interfaces and Connectors

Thunderbolt

  • Combines data transfer, display, and power

  • Initial versions reused Mini DisplayPort

  • New versions reuse USB-C connectors

  • Identified with a thunderbolt symbol

    Interfaces and Connectors Interfaces and Connectors

FireWire

  • Predecessor to Thunderbolt

    • FireWire 400 = 400 mBits/second
    • FireWire 800 = 800 mBits/second
    • Uses a serial bus to transfer data on e bit at a time
    • Still used for audio/video connections on older computers (before 2011), and in the automobile and aerospace industries

    Interfaces and Connectors Interfaces and Connectors

PS/2

  • Developed for IBM PS/2

  • Connects keyboard and mice

  • Ports are device specific

    • Green for mice
    • Purple for keyboard
  • Considered a legacy port

    Interfaces and Connectors Interfaces and Connectors

eSATA

  • Standard port for connecting external storage devices
  • Allows hot swapping of devices
  • Since 2008, Upgraded eSATAp that supports both eSATA and USB on the same port
  • eSATA revisions:
    • Revision 1: Speeds of 1.5 Gbps

    • Revision 2: Speeds of 3 Gbps

    • Revision 3: Speeds of 6 Gbps

      Interfaces and Connectors Interfaces and Connectors

Identifying Graphic Devices

Display Unit

  • Display unit (GPU) connected to the computer via a display card or adapter
  • Low-end generic graphic cards come built into the computer
  • Require specialized adapters for high-end functions
  • ATI/AMD, nVIDIA, SiS, Intel, and Via are leading manufacturers

Display System

Interfaces and Connectors Interfaces and Connectors

VGA Display System

Interfaces and Connectors Interfaces and Connectors

LED Display System

Interfaces and Connectors Interfaces and Connectors

Display Connectors

  • Different cables and connectors for different display adapters

  • Each connector has specific function and benefits

    Interfaces and Connectors Interfaces and Connectors

HDMI Interface

  • Most widely used digital audio and video interface
  • Also offers remote control and content protection
  • Uses a proprietary 19-pin connector
  • Offers up to 8K UHD resolutions

DisplayPort

  • Royalty-free complement to HDMI
  • First interface to use packetized data transmission
  • Uses a 20-pin connector
  • Can support even different transmission modes of increasing bandwidth

Thunderbolt

  • Developed by Intel and Apple, primarily for Apple laptops and computers
  • Can be used as either a display or peripheral interface
  • Initial versions used the MiniDP interface
  • Version 3 and now version 4 use the USB-C interface
  • Thunderbolt features don’t work with a standard USB-C cable and port

Digital Visual Interface (DVI)

  • Designed as a high-quality interface for flat-paneled devices

  • Support both analog and digital devices

    • DVI-I supports both analog and digital
    • DVI-A supports only analog
    • DVI-D supports only digital
  • Single-link for lower resolutions and Dual-link for HDTV

  • Superseded by HDMI and Thunderbolt

    Interfaces and Connectors Interfaces and Connectors

Video Graphics Array (VGA)

  • A legacy interface, used for analog video on PC
  • Has a 15-pin connector that can be secured with screws

Identifying Audio Connectors

The audio connection

  • Onboard or internal expansion

  • Has multiple ports to connect a variety of devices

  • Used for multimedia application, education and entertainment, presentation, and teleconferencing

    Interfaces and Connectors Interfaces and Connectors

Audio connectors

  • Sound cards
  • Bluetooth
  • Game ports/USB ports
  • External audio interfaces

External audio interfaces

  • Single device for multiple input and output ports
  • Mostly used in professional studies
  • Use USB, FireWire, Thunderbolt, or similar connectors

Wired and Wireless Connections

Data packets

  • Communication technology allows components to communicate over a network
  • Data packets are sent from one smart object to another
    • Information about the sending and receiving device, along with the message
  • Devices built to talk over a network can communicate with each other

Network types

  • Closed (limited number of devices can connect)
  • Open (unlimited number of devices can connect)
  • Either could be wired or wireless

Wired connectors

Interfaces and Connectors Interfaces and Connectors

Wire connection benefits

  • Faster data transmission
    • Up to 5 Gbps
  • More reliable than wireless
    • Immune to signal drops and dead zones
  • Less prone to radio interference
  • More secure
    • Less likely to be hacked

Wireless connections

  • Use different technologies based on connection requirements
  • Wireless Fidelity (Wi-Fi)
    • Connects a router to a modem for network access
  • Bluetooth
    • 1998
    • Pairing
  • Radio-frequency identification (RFID)
    • Identification and tracks objects using tags
    • Range up to several hundred meters
    • Collection of road tolls
    • Other uses of RFID tags
      • Livestock tracking, tacking pharmaceuticals through warehouses, preventing theft, and expediting checkout in stores
  • NFC (Near Field Communication)
    • Based on RFID
    • Extremely short range
    • Transmits data through electromagnetic radio fields

Wireless connection advantages

  • Increased mobility
  • Reduced time to set up
  • Flexibility and scalability
  • Wider reach
  • Lower cost of ownership

Peripherals and Printer Connections

Common installation steps

Computers require software that enables peripheral or printer device recognition and communication using:

  • Onboard Plug and Play software
  • Device driver software
  • Device application software Initial stand-alone, peripheral installation often still requires a wired connection or network connection
  1. Connect the printer to the computer using a cable
  2. Turn on the printer Frequently used stand-alone peripherals are:
  • USB
  • Bluetooth
  • Wi-Fi
  • NFC Three other connection methods are:
  • Serial port
  • Parallel port
  • Network

Serial cable connections

  • Are less common

  • Transmit data more slowly

  • RS232 protocol remains in use

    • Data can travel longer distances
    • Better noise immunity
    • Compatibility among manufacturers
  • Cables commonly feature 9-pin connections and two screws to secure the cable

    Interfaces and Connectors Interfaces and Connectors

Parallel port cable connection

  • Are less common

  • Send and receive multiple bits of data simultaneously

  • Feature 25-pin connections

  • Include two screws to keep the cable connected

    Interfaces and Connectors Interfaces and Connectors

Network connections

  • Generally, are Wi-Fi or wired Ethernet connections
  • Before you begin, verify that your computer has a network connection

Connecting to local printers

Interfaces and Connectors Interfaces and Connectors

Installation Types

  1. Plug and Play
  2. Driver Installation

PnP vs. driver installation

  • PnP devices work as soon as they’re connected to a computer
  • Examples include mice and keyboards
  • A malfunctioning device should be investigated in Device Manager.
    • Possible cause of malfunction is an outdated driver

IP-based peripherals

  • Hardware connected to a TCP/IP network
  • Examples of such devices include wireless routers and security cameras
  • These devices must be connected to a local area network (LAN) or the Internet to function

Web-based configuration

  • Different from installation
  • Used for networking devices such as routers
  • Is an easier process to set up a device
  • Completed on a web page
    • Often on the manufacturer’s site

Internal Computer Components

Internal Computer Components

Motherboard

  • Main printed circuit board (PCB) in computers
  • Contains significant subsystems
  • Allows communication among many of the crucial internal electronic components
  • Enables communications and power distribution for peripherals and other components

Chip sets

  • A set of electronic components in an integrated circuit
  • Manage data flow
  • Have two distinct parts: the northbridge and the southbridge
  • Manage communications between the CPU and other parts of the motherboard

Chip sets: Northbridge and southbridge

  • Northbridge – the first half of the core logic chip set on a motherboard
    • Directly connected to the CPU
    • Responsible for tasks that require the highest performance
  • Southbridge – the second half of the core logic chip set
    • Implements slower-performance tasks
    • Not directly connected to the CPU

What is a bus?

  • A high-speed internal connection on a motherboard
  • Used to send control signals and data internally
  • The front-side bus carries data between the CPU and the memory controller hub (northbridge)

Sockets

“Components not directly attached to a motherboard connect via sockets”

  • Array of pins holding a processor and connecting the processor to the motherboard

  • Differ based on the motherboard

    Internal Computer Components Internal Computer Components

Power connectors

  • Found on a motherboard
  • Allow an electrical current to provide power to a device
  • ATX-style power connectors are larger than most
  • Join the power supply to the motherboard

Data Processing and Storage

Central Processing Unit (CPU)

  • Silicon chip in a special socket on the motherboard
    • Billions of microscopic transistors
    • Makes calculations to run programs
    • 32-bit is like a two-lane information highway
    • 64-bit is like a four-lane information highway

Memory (RAM)

  • Typically used to store working data
  • Volatile: Data existing in RAM is lost when power is terminated
  • Is cold pluggable (cold swappable)
  • Speed measured in Megahertz (MHz)
  • Available in varying speeds
  • Available in varying storage capacities

Types of Memory

  • Choice depends on the motherboard
    • Dynamic Random-Access Memory (DRAM)
    • Synchronous Dynamic Random-Access Memory (SDRAM)
    • Double Data Rate Synchronous Dynamic Random-Access Memory (DDR-SDRAM)
    • Double Data Rate 3 Synchronous Dynamic Access Memory (DDR3 and DDR4)
    • Small outline Dual Input Memory Module (SO-DIMM)

Memory Slots

  • Hold RAM chips on the motherboard
  • Allow the system to use RAM by enabling the motherboard to communicate with memory
  • Most motherboards include two to four memory slots
  • Type determines which RAM is compatible

Expansion Slots

  • Use PCI or PCIe slots

  • Add additional capabilities

    • Peripherals (such as sound cards)
    • Memory
    • High-end graphics
    • Network interfaces
  • Availability depends on the motherboard configuration

    Internal Computer Components Internal Computer Components

Disk Controllers

  • Circuit that enables the CPU to communicate with hard disk drive
  • Interface between the hard disk drive and the bus
  • Integrated Drive Electronics is a standard
  • IDE controller-circuit board guides how the hard disk drive manages data
  • Have memory that boosts hard drive performance

BIOS (Basic Input Output System)

  • Manages your computer’s exchange of inputs and outputs
  • Preprogrammed into the motherboard
  • Needs to always operate
  • Update in a flash
  • Use the System Summary window

CMOS: Battery and chip

  • Uses a coin-sized battery
  • Is attached to the motherboard
  • Powers the memory chip that stores hardware settings
  • Replace the computer’s system data, time, and hardware settings

Internal Storage

Hard drive characteristics

Introduced by IBM in 1956, internal hard drives provide: - Stable, long-term data storage - Fast access time - Fast data transfer rates

Traditional hard drive technology

Internal Computer Components Internal Computer Components

Internal Computer Components Internal Computer Components

IDE and PATA drives

1980s to 2003:

  • Integrated Drive Electronics (IDE) hard drives and Parallel Advanced Technology Attachment (PATA) drives were popular industry standard storage options
    • Early ATA drives: 33 Mbps

    • Later ATA drives: 133 Mbps

      Internal Computer Components Internal Computer Components

SATA drives

2003 to today:

  • Serial advanced technology attachment drives (SATA) became an industry standard technology

  • Communicate using a serial cable and bus

  • Initial data processing of 1.5 Gbps

  • Current processing of 6 Gbps

    Internal Computer Components Internal Computer Components

  • Available in multiple sizes

  • Spin at 5400 or 7200 rpm

  • Capacity: 250 GB to over 30 TB

  • Still dominate today’s desktop and laptop market

  • Each SATA port supports a single drive

  • Most desktop motherboards have at least four SATA ports

SCSI drives

1986:

  • Small computer system interface, pronounced “scuzzy” (SCSI) drives

  • Historical speeds: 10,000 or 15,000 rpm

    1994:

  • Discontinued usage

    Internal Computer Components Internal Computer Components

Solid-state drives

1989:

  • Solid-state drives (SSDs) came to market

  • Consist of nonvolatile flash memory

  • Provide faster speeds: 10 to 12 Gbps

  • Capacity: 120 GB to 2 TB

  • Cost: More expensive than SATA or SCSI drives but also more reliable

    Internal Computer Components Internal Computer Components

  • Available as internal, external, and hybrid hard drives

  • As part of an internal hybrid configuration:

    • SSD serves as a cache
    • SATA drive functions as storage
    • Hybrid drives tend to operate slower than SSD drives

    Internal Computer Components Internal Computer Components

Optical Drives

1992:

  • Invented in the 1960s, but came to the market in 1992.
  • CDs and DVDs provide nonvolatile storage.
  • Optical drives use low-power laser beams to retrieve and write data.
  • Data is stored in tiny pits arranged in a spiral track on the disc’s surface.

CDs and DVDs compared

Internal Computer Components Internal Computer Components

Blu-ray discs

  • Media specific for movies and video games

  • Provide high resolution

  • Single-sided, but with up to four layers

  • Store 25 GB per layer

  • Writable Blu-ray discs exist in 100 GB and quad-layer 128 GB formats

  • Writable Blu-ray discs require BD-XL-compatible drives

    Internal Computer Components Internal Computer Components

Expansion Slots

  • Locations on the motherboard where you can add additional capabilities, including hard drive storage

Display Cards and Sound Cards

Video card

  • An expansion card installed in an empty slot on the motherboard
  • Or a chip built into a system’s motherboard
  • Allows the computer to send graphical information to a video display device
  • Also known as a display adapter, graphics card, video adapter, video board, or video controller

Graphics processing unit (GPU)

  • Specialized processor originally designed to accelerate graphics rendering
  • Process many pieces of data simultaneously
  • Machine learning, video editing, and gaming applications
  • Several industries rely on their power processing capabilities

Audio card

  • Also known as a sound card
  • Integrated circuit that generates an audio signal and send it to a computer’s speakers
  • Can accept an analog sound and convert it to digital data
  • Usually built into PC motherboard
  • Users desiring higher-quality audio can buy a dedicated circuit board

MIDI controller

  • A simple way to sequence music and play virtual instruments and play virtual instruments on your PC
  • Works by sending musical instrument digital interface (MIDI) data to a computer or synthesizer
  • Interprets the signal and produces a sound
  • Frequently used by musicians

Network Interface Cards

  • A hardware component without which a computer cannot connect to a network
  • A circuit board that provides a dedicated network connection to the computer
  • Receives network signals and translates network signals and translates them into data that the computer displays

Types of NIC

  • Provides a connection to a network
    • Usually, the Internet
  • Onboard: built into motherboard
  • Add-on: fit into expansion slot
  • No significant difference in speed or quality

Wired and wireless network cards

  • Wireless – use an antenna to communicate through radio frequency waves on a Wi-Fi connection
  • Wired-use an input jack and a wired LAN technology, such as fast Ethernet

Modems

  • Connects your system to the Internet.
  • Translates ISP signals into a digital format.
  • Then feeds those digitized signals to your router, so you can connect to a network.

Cooling and Fans

System cooling

  • Computers generate heat
  • Excessive heat can damage internal components
  • Never operate a computer w/out proper cooling
  • Designed to dissipate heat produced by the processor
  • Allow the accumulated heat energy to flow away from vital internal parts

Cooling methods

  • Passive
  • Active
    • Fans draw cool air through front vents and expel warm air through the back
  • Forced convection
  • Using thermal paste and a baseplate

Cooling methods – heat sink

  • Heat sink

  • Use heat sink compound to fill gaps

  • Place the heat sink over the CPU

  • Excess heat is drawn away

  • Before warm air can damage the internal components

    Internal Computer Components Internal Computer Components

Liquid-based cooling

  • Quieter and more efficient than fans
  • Water blocks rest atop the chip
    • Cool liquid in the blocks cool the chip
  • Heated fluid is pumped to a radiator-cooled by fans.
    • That fluid goes back to the water block to repeat the cycle.

Workstation Setup Evaluation and Troubleshooting

Managing File and Folders

Rules for naming files and folders

  • Name so the file or folder you want is easy to find
  • Make names short but descriptive
  • Use 25 characters or fewer
  • Avoid using special characters
  • Use capitals and underscores
  • Consider using a date format

Introduction to Workstation Evaluation, Setup, and Troubleshooting

Screen Capture and Tools

Screen capture on macOS

Saves screenshots on the desktop.

  • Command + shift +3
    • Capture entire screen
  • Command + shift +4
    • Capture part of the screen
  • Command + shift +5
    • Capture as photo/video

Screen captures on Windows

Saves screenshots to the screenshot folder.

  • Windows + PrintSc
    • Capture entire screen
  • Alt + PrintSc
    • Capture active window
  • Windows + Shift + S (Opens up snip and sketch tool)
    • Entire screen
    • Part of the screen
    • Active window

Screen captures on a Chromebook

Saves screenshots to Downlaods or Google Drive.

  • Ctrl + Show Windows
    • Capture entire screen
  • CTRL + shift + show windows
    • Capture part of the screen

Evaluating Computing Performance and Storage

Assessing processor performance

  • The processor’s speed
  • The number of cores
  • The bus types and speeds
    • Located on the processor’s perimeter
    • The data highway wiring from the processor to other board components
  • The presence of cache or other onboard memory

Bus types

Historically, three bus types:

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

Bus alternatives

Replacement technologies include:

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

And others.

Cache

  • Consist of processor platform memory that buffers information and speeds tasks
  • Can help offset slower processor speeds

Storage

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

RAM error symptoms

  • Screen or computer freezes or stops working
  • Computer runs more slowly
  • Browser tabs error or other error messages display
  • Out-of-memory or other error messages display
  • Files become corrupt
  • Computer beeps
  • A “blue screen” with an error message displays

Workstation Evaluation and Setup

Identifying user needs

Environment: Where does the use work?

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

What are the user’s workspace conditions?

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

Network access: What are the user’s options?

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

Data storage requirements:

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

Application requirements:

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

Evaluating peripheral needs

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

Suggested computing solutions

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

Evaluating computing options

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

Purchasing decisions

Four important considerations:

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

Workstation setup

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

Environment

  • Is a desk present or needed? If so, is the desk safe and sturdy?
  • Is a chair present? If so, is the chair safe and sturdy?
  • Is lighting present?
  • Are electrical outlets present, of appropriate amperage and grounded?
  • Can the use physically secure the computer?

Unboxing

  • Read and follow the manufacturer’s practices for workstation setup
  • Move boxes and packing materials into a safe location, out of the user’s workspace

Cable management

Reduce service calls with three practices

  • Install shorter cable lengths where possible
  • Securely attach and identify each cable
  • Collect and tie the cables together

Electrical

Safety for you and your user:

  • Label each electric cable.
  • Verify that electrical connections are away from the user and are accessible.
  • Connect power supplies to their assigned wall or power strip location. Note the wall outlet number.

Ergonomics

Can the user work comfortably?

  • Feet are on the floor.
  • Monitor at or just below eye height.
  • Arms are parallel with the keyboard, table, and chair.
  • Shoulders are relaxed and not hunched.
  • The environment provides enough light to see the display and keyboard.
  • Cords and cables are out of the way.

Workstation setup

  • Power on the workstation and peripherals
  • Setup the operating system and options for the user:
    • User logon credentials
    • Keyboard options
    • Monitor resolution
    • Printer connections
    • Sound options
    • Security options
    • Network connections
  • Select the user’s default browser
  • Uninstall bloatware or unnecessary software
  • Install and configure additional productivity software
  • Modify the desktop Productivity pane
  • Setup backup options

Introduction to Troubleshooting

3 Basic Computer Support Concepts

  • Determining the problem
    • Ask questions
    • Reproduce the problem
    • Address individual problems separately
    • Collect information
  • Examining the problem
    • Consider simple explanations
    • Consider all possible causes
    • Test your theory
    • Escalate if needed
  • Solving the problem
    • Create your plan
    • Document the process beforehand
    • Carry out the solution
    • Record each step
    • Confirm the system is operational
    • Update your documentation

Troubleshooting

“Troubleshooting is a systematic approach to problem-solving that is often used to find and correct issues with computers.”

Troubleshooting steps

  1. Gathering information
  2. Duplicating the problem
  3. Triaging the problem
  4. Identifying symptoms
  5. Researching an online knowledge base
  6. Establishing a plan of action
  7. Evaluating a theory and solutions
  8. Implementing the solution
  9. Verifying system functionality

Restoring Functionality

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

Common PC issues

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

Internet Support

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

Manufacturer Technical Support

  • Before contacting support:
    • Have all documentation
    • Be prepared to provide:
      • Name of the hardware/software
      • Device model and serial number
      • Date of purchase
      • Explanation of the problem

CompTIA troubleshooting model

The industry standard troubleshooting model comes from The Computing Technology Industry Association (CompTIA)

CompTIA model steps

  1. Identify the problem
  2. Gather information
  3. Duplicate the problem
  4. Question users
  5. Identify symptoms
  6. Determine if anything has changed
  7. Approach multiple problems individually
  8. Research knowledge base/Internet
  9. Establish a theory of probable cause
  10. Question the obvious
  11. Consider multiple approaches
  12. Divide and conquer
  13. Test the theory to determine the cause
  14. Establish a plan of action
  15. Implement the solution or escalate
  16. Verify fully system functionality and implement preventive measures
  17. Document findings/lessons, actions, and outcomes

Advanced Microsoft Windows 10 Management and Utilities

Policy management

  • Applies rules for passwords, retries, allowed programs, and other settings
  • Type “group policy” in the taskbar search box
  • View Edit group policy and click open
  • Select the User Configuration settings to view its details and edit policy settings

Process management

  • Schedules processes and allocates resources
  • Task manager

Memory management

Windows uses:

  • RAM for frequent memory tasks

  • Virtual memory for less-frequent tasks

    When you notice that:

  • Performance is slow

  • You see errors that report “low on virtual memory”

Service management

  • Automatically manages background tasks and enables advanced troubleshooting of performance issues.
  • Capabilities include:
    • Stopping services
    • Restarting services
    • Running a program
    • Taking no action
    • Restarting the computer

Driver configuration

Drivers are the software components that enable communications between the operating system and the device

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

Utilities

Utilities help you administer and manage the operating system:

Workstation Setup and Evaluation and Troubleshooting Workstation Setup and Evaluation and Troubleshooting

Introduction to Business Continuity Principles

Business continuity

  • Risk management strategies minimize productivity issues
  • Business continuity is having a plan to deal with disruptions
  • Necessary for all businesses to remain operational under any circumstances

Fault tolerance

  • Ability of a system to continue operating when one or more components fail
  • Anticipates disruptions and develops contingency plans
  • Design systems without single points of failure

Redundancy

  • Minimizes the effects of system outages
  • System redundancy strengthens existing fault tolerance levels
  • Network redundancy seeks to prevent system outages
  • Hardware redundancy serves as a solution to a server outage
  • Additional capacity of a computer network above what is needed
  • Safety net for the almost inevitable system or component failure
  • Backup system at the ready
  • 5 types of redundancy

Data redundancy

  • First type of redundancy
  • When the same piece of data exists in multiple places
  • Might cause data inconsistency
  • Multiple versions of the same file on a network
  • Real-time syncing of data across all backups to ensure consistency

RAID redundancy

  • Redundant array of independent disks (RAID)
  • RAID 0: Allows a storage system to tolerate individual disk unit failures
  • RAID 1: Exact copy (mirror) of a set of data on two or more disks
  • RAID 5: Minimum of three hard disk drives (HDDs) and no maximum

Network redundancy

  • Process of adding additional network devices and lines of communication
  • Features include:
    • Multiple adapter cards and/or ports for individual hosts
    • Load balancing to distribute traffic across multiple servers
    • Multiple network paths
    • Routers can detect issues and reroute data

Site redundancy

  • Ability to lose an entire site without losing signaling or application state data
  • Guards against total loss of operations
  • Employs the process of replication to synchronize data among multiple sites
  • Ensures data access

Power redundancy

  • Two independent power sources
  • Eliminates potential downtime from the loss of the primary power source
  • An uninterruptible power supply (UPS) adds another layer of protection against system downtime
  • UPS is less expensive than a backup power generator

Backup requirements

  • Create a copy of data from which a business can restore when the primary copy is damaged or unavailable
  • Have a specific and sequential strategy for backups
  • Identify key backup concerns
  • Select appropriate backup types

Backup methods

  • Full – Copies all files
  • Incremental – Copies only those files that have been altered since the last full backup
  • Differential – Saves only the difference in the data since the last full backup
  • Daily – keeps a backup of just those files that have been modified the same day the backup is done

Backup storage devices

  • Used to make copies of data that is actively in use
  • Provide redundancy of data residing on primary storage (usually a hard disk drive)
  • Examples: USB drive, external hard drive, LAN, and tape

Backup considerations

  • Costs:
    • Can include hardware, software, maintenance agreement, and training
  • Location:
    • Backup to the cloud
    • Consider keeping a data copy in an additional location
  • Requirements of each backup approach

Disaster recovery plan

  • Organization’s strategy for restoring functionality to its IT infrastructure
  • Explains the actions to be taken before, during, and after a disaster
  • Strategies for specific scenarios
  • Method depends on needs and resources

Subsections of Software, Programming, and Databases

Computing Platforms and Software Application

A computing platform is the environment where the hardware and the software work together to run applications.

  • Hardware is the type of computer or device, such as a desktop computer, a laptop, or a smartphone.
  • Software refers to the type of operating system (OS), such as Windows, macOS, iOS, Android and Linux, and the programs and applications that run on the OS.

Types of computing platforms

Desktop platform

Includes personal computers and laptops that run operating system like Windows, macOS, and Linux.

Web-based platform

Includes modern browsers like Firefox, and Chrome that function the same in various operating system, regardless of the hardware.

Mobile platform

Includes devices like Pixel and the iPhone that run operating systems like Android OS and iOS.

Single-platform vs. cross-platform

Computing Platforms and Software Application Computing Platforms and Software Application

Compatibility concerns

  • Cross-platform software acts differently or may have limited usability across devices and platforms.
  • Software is created by different developers, and programs may interpret the code differently in each application.
  • Functionality and results differ across platforms, which might mean undesired results or a difference in appearance.

Commercial and Open Source Software

Commercial Software

  • Commercial Proprietary Closed source
    • Copyrighted software, which is identified in the End User License Agreement (EULA).
    • Private source code, which users are not allowed to copy, modify, or redistribute.
    • Developed for commercial profit and can include open source code bundled with private source code.
    • Commercial software usually requires a product key or serial number to certify that software is original.
    • Some commercial software is free, but upgrades and updates may cost extra, or the software contains ads.
    • Examples: Microsoft Office, Adobe Photoshop, and Intuit QuickBooks.

Open source software

  • Open source: Free and open source (FOSS)
    • Free software, which can be downloaded, installed, and used without limits or restrictions
    • Free source code, which can be freely copied, modified, and redistributed.
    • Open access to the software functions and software code without cost or restrictions.
    • Developers and users can contribute to the source code to improve the software.
    • Open source software requires users to agree to an End User License Agreement (EULA) to use the software.
    • Examples: Linux, Mozilla Firefox, and Apache OpenOffice.

Software Licenses

What is a software license?

A software license states the terms and conditions for software providers and users.

  • It is a contract between the developer of the source code and the user of the software.
  • It specifies who owns the software, outlines copyrights for the software, and specifies the terms and duration of the license.
  • Likewise, it states where the software can be installed, how many copies can be installed, and how it can be used.
  • Not only that, but it can be lengthy and full of definitions, restrictions, and penalties for misuse.

Agreeing to licensing terms

  • If you want to use software, you must agree to the licensing terms and requirements, called an End-User License Agreement (EULA).
  • Agreeing means you accept the terms of the license, such as how many computers the software can be installed on, how it can be used, and what the limitations on developer liability are.
  • Different software programs and applications have various ways of presenting their EULAs.

Types of software licenses

Single-use license

  • Allows single installation.
  • Allows installation on only one computer or device.
  • Ideal for a single user to install on computers or devices owned only by the user.

Group use, corporate, campus, or site license

  • Allows multiple installation for specified number of multiple users.
  • Allows installation on many computers or devices.
  • Idea for use with computers and devices that are required and owned by organizations.

Concurrent license

  • Allows installation on many computers, but can only use concurrently by a lower number.
  • Allows many users to have access, but is not used often by a lot of people at once.
  • Ideal for companies that do not have all workers using the software at the same time.

Software licensing cost

  • Costs vary, depending on the type of software, how it will be used, and how much was spent to develop the software.
  • The cost is for the license to use the software.
  • Several options are available, such trial subscription, and one-time purchase.
  • Trial licenses are usually free for a limited time, for a user to decide if they want to purchase the software.

Subscription or one-time licenses

Computing Platforms and Software Application Computing Platforms and Software Application

Software Installation Management

Before installing software

  • Read application details and be selective.
  • Avoid ads or other unwanted software.
  • Avoid downloading software that contains malware.
  • Review permissions requests to access other apps and hardware on your device.
  • Be selective when allowing application privileges.

Installing software

Consider minimum system requirements, such as:

  • Minimum processor speed

  • Minimum amount of RAM

  • Minimum amount of hard disk space available

  • Compatible OS versions

    Additional requirements may be:

  • Specific display adapter

  • Amount display adapter RAM

  • Internet connection to use the software.

Software versions

  • Software versions are identified by version number.
  • Version numbers indicate:
    • When the software was released.
    • When it was updated.
    • If any minor changes or fixes were made to the software.
  • Software developers use versioning to keep track of new software, updates, and patches.

Version numbers

  • Version numbers can be short or long, with 2,3, or 4 sets.
  • Each number set is divided by a period.
  • An application with a 1.0 version number indicated the first release.
  • Software with many releases and updates will have a larger number.
  • Some use dates for versioning, such as Ubuntu Linux version 18.04.2 released in 2018 April, with a change shown in the third number set.

What do version numbers mean?

Some version numbers follow the semantic numbering system and have 4 parts separated by a period.

  • The first number indicates major changes to the software, such as a new release.

  • The second number indicated that minor changes were made to a piece of software.

  • The third number in the version number indicates patches or minor bug fixes.

  • The fourth number indicates build numbers, build dates, and less significant changes.

    Computing Platforms and Software Application Computing Platforms and Software Application

Version compatibility

  • Older versions may not work as well in newer versions.
  • Compatibility with old and new versions of software is a common problem.
  • Troubleshooting compatibility issues by viewing the software version.
  • Update software to a newer version that is compatible.
  • Backwards-compatible software functions properly with older versions of files, programs, and systems.

Productivity, Business, and Collaboration Software

Types of software

  • Productivity software enables users to be productive in their daily activities.

  • Business software is related to work tasks and business-specific processes.

  • Collaboration software enables people to work together and communicate with each other.

  • Utility software helps manage, maintain, and optimize a computer.

    Note: A program or application can be categorized as multiple types of software.

What is productivity software?

“Productivity software is made up of programs and application that we use every day.”

Computing Platforms and Software Application Computing Platforms and Software Application

Types of productivity software

Computing Platforms and Software Application Computing Platforms and Software Application

What is business software?

  • Programs and applications that help businesses complete tasks and function more efficiently are considered business software.
  • Some business software is uniquely designed to meet an industry-specific need.

Types of business software

Computing Platforms and Software Application Computing Platforms and Software Application

What is collaboration software?

  • Collaboration software helps people and companies communicate and work together.
  • Collaboration software can also be business software, but they are not interchangeable.
  • The primary purpose is to help users create, develop, and share information collaboratively.

Types of collaboration software

Computing Platforms and Software Application Computing Platforms and Software Application

What is utility software?

  • Utility software runs continuously on a computer without requiring direct interaction with the user.
  • These programs keep computers and networks functioning properly.

Utility software

Computing Platforms and Software Application Computing Platforms and Software Application

Types of File Formats

Executable files

Executable files run programs and applications.

Some executable file format extensions are:

  • EXE or .exe for Windows applications
  • BAT or .bat for running a list of commands
  • SH or .sh for shell commands on Linux/Unix
  • CMD or .cmd for running command in order
  • APP or .app for Mac application bundles
  • MSI or .msi for installer package on Windows

Common compression formats

Computing Platforms and Software Application Computing Platforms and Software Application

Common audio and video formats

Audio and video formats often share the same extensions and the same properties.

Some audio formats:

  • WAV

  • MPEG, including MP3 and MP4

  • AAC

  • MIDI

    Some video formats:

  • AVI

  • FLV

  • MPEG, including MP4 and MPG

  • WMV

Images formats

Some common image formats are:

Computing Platforms and Software Application Computing Platforms and Software Application

Document formats

Some examples of document formats and extensions:

  • TXT / .txt for text files
  • RTF / .rtf for rich text format
  • DOCX and DOC / .docx and .doc for Microsoft Word
  • XLSX and XLS / .xlsx and .xls Microsoft Excel
  • PDF / .pdf for Adobe Acrobat and Adobe Reader
  • PPTX and PPT / .pptx and .ppt for PowerPoint

Fundamentals of Web Browsers, Applications, and Cloud Computing

Common Web Browsers

Fundamentals of Web Browsers, Applications, and Cloud Computing Fundamentals of Web Browsers, Applications, and Cloud Computing

Web Browser components

Fundamentals of Web Browsers, Applications, and Cloud Computing Fundamentals of Web Browsers, Applications, and Cloud Computing

Browser installs and updates

Importance of browser updates

  • Compatibility with websites
  • Security
  • New features

Frequency of browser updates

Most web browsers update at the same frequency:

  • Major updates every four weeks
  • Minor updates as needed within the four-week period
    • Security fixes, crash fixes, policy updates
  • Some vendors offer an extended release:
    • Major updates are much less frequent
    • Better for structured environments

Malicious plug-ins and extensions

  • Malicious plug-ins and extensions typically not displayed in list of installed apps and features.
  • Use an anti-malware program to remove them.
  • Use trusted sources for plug-ins and extensions to avoid malware.

Basic Browser Security Settings

What is a proxy server?

  • Acts as go-between when browsing the web.
  • The website thinks the proxy is the site visitor.
  • Protects privacy or bypass content restrictions.
  • Allows organizations to maintain web security, web monitoring, and content filtering.
  • Controls what, when, and who.
  • Reduces bandwidth consumption and improves speed.

How does a proxy server work?

  • Proxy servers perform network address translation to request and retrieve web content on behalf of requesting computers on the network.

    Fundamentals of Web Browsers, Applications, and Cloud Computing Fundamentals of Web Browsers, Applications, and Cloud Computing

Managing cookies

  • Cookies:
    • Small text-based data stores information about your computer when browsing
    • Save session information
    • More customized browsing experience
    • Example: Online shopping basket
  • Cookies can be useful but could be malicious too:
    • Tracking browsing activity
    • Falsifying your identity

What is cache?

  • Cache is temporary storage area
  • Stores web data, so it can be quickly retrieved and reused without going to original source
  • Cache is stored on local disk
  • Improves speed, performance, and bandwidth usage
  • Cache can be cleared when no longer needed

Browser Security Certificates and Pop-ups Settings

Security certificates

  • Good security practice to check websites’ authenticity
  • Look for HTTPS in URL and padlock icon
    • ‘Connection is secure’
  • If it says ‘not secure’ be wary
    • Certificate expired
    • Issuing CA not trusted

Script and pop-ups blockers

Pop-ups:

  • Typically are targeted online ads

  • Can be annoying and distracting

  • Can be malicious

    • Associated with ‘innocent’ actions
  • Take care when interacting with pop-ups

    Popular third-party pop-up blockers:

  • Adlock

  • AdGuard

  • AdBlock

  • Ghostery

  • Adblock Plus May provide additional features such as ad filtering.

Private Browsing and Client-side Scripting Settings

Private browsing mode that doesn’t save:

  • History

  • Passwords

  • Form data

  • Cookies

  • Cache

    Only hidden locally

  • ISPs, websites, workplace can view data

Client-side scripting

  • Web pages were static in early days of WWW
  • Dynamic web pages adapt to situation/user
  • Server-side scripting performed by server hosting dynamic pages
  • Client-side scripting performed by client’s web browser
  • Code is embedded in web page
    • JavaScript

Pros

  • Client-side scripts are visible to user
  • No reliance on web server resources

Cons

  • Client-side scripts have security implications
  • Malware developers constantly trying to find security flaws
  • You may need to disable client-side scripts

Should you disable JavaScript?

Pros of disabling

  • Security

  • Browsing speed

  • Browser support

  • Disabled cookies

    Cons of disabling

  • Lack of dynamic content

  • Less user-friendly browsing experience

  • Website navigation

Introduction to cloud computing and cloud deployment and service models

What is cloud computing?

Delivery of on-demand computing resources:

  • Networks

  • Servers

  • Storage

  • Applications

  • Services

  • Data centers Over the Internet on a pay-for-use basis.

    Applications and data users access over the Internet rather than locally:

  • Online web apps

  • Secure online business applications

  • Storing personal files

    • Google Drive
    • OneDrive
    • Dropbox

Cloud computing user benefits

  • No need to purchase applications and install them on local computer
  • Use online versions of applications and pay a monthly subscription
  • More cost-effective
  • Access most current software versions
  • Save local storage space
  • Work collaboratively in real time

Cloud computing

  • Five characteristics
  • Three deployment models
  • Three service models

Cloud computing characteristics

  • ON-demand self-service
  • Broad network access
  • Resource pooling
  • Rapid elasticity
  • Measured service

Cloud deployment models

  • Public Cloud
  • Private Cloud
  • Hybrid cloud

Cloud service models

  • IaaS
  • PaaS
  • SaaS

Application Architecture and Delivery Methods

Application Architecture models

  • How will an application be use?

  • How will it be accessed?

    Fundamentals of Web Browsers, Applications, and Cloud Computing Fundamentals of Web Browsers, Applications, and Cloud Computing

One-tier model

  • Single-tier model
  • Also called monolithic model
  • Applications run on a local computer

Two-tier model

  • Workspace-based client – Personal computer
  • Web server – Database server

Three-tier model

  • Workspace-based client

  • Application server or web server

  • Additional server (Database)

    Each tier can be:

  • Individually developed and updated by a separate team

  • Modified and upgraded without affecting the other tiers

N-tier model

  • A number of tiers

  • Multi-tier model

    • Workspace-based client
    • Web server or database server
    • Security
    • Additional servers
  • Preferred for the microservices pattern and Agile model

    Pros

  • Changes can be made to specific tiers

  • Each tier can have its own security settings

  • Different tiers can be load balanced

  • Tiers can be individually backed up by IT administrators

    Cons

  • Changes to all tiers may take longer

Application Delivery methods

  • Local installation
  • Hosted on a local network
  • Cloud hosted

Software Development Life Cycle

Introduction to the SDLC

  • Structured methodology that defines creating and developing software

  • Detailed plan to develop maintain, or enhance software

  • Methodology for consistent development that ensures quality production

  • Six major steps

    Fundamentals of Web Browsers, Applications, and Cloud Computing Fundamentals of Web Browsers, Applications, and Cloud Computing

Requirement analysis and planning

Fundamentals of Web Browsers, Applications, and Cloud Computing Fundamentals of Web Browsers, Applications, and Cloud Computing

Design

Fundamentals of Web Browsers, Applications, and Cloud Computing Fundamentals of Web Browsers, Applications, and Cloud Computing

Coding or implementation

Fundamentals of Web Browsers, Applications, and Cloud Computing Fundamentals of Web Browsers, Applications, and Cloud Computing

Testing

Fundamentals of Web Browsers, Applications, and Cloud Computing Fundamentals of Web Browsers, Applications, and Cloud Computing

Deployment

Fundamentals of Web Browsers, Applications, and Cloud Computing Fundamentals of Web Browsers, Applications, and Cloud Computing

Maintenance

Fundamentals of Web Browsers, Applications, and Cloud Computing Fundamentals of Web Browsers, Applications, and Cloud Computing

SDLC models

Waterfall

  • Linear sequential model

  • Output of one phase is input for the next phase

  • Next doesn’t start until work is completed on the previous phase

    Iterative

  • Iterative incremental model

  • Product features developed iteratively

  • Once complete, final product build contains all features

    Spiral

  • Uses waterfall and prototype models

  • Good for large projects

  • Largely reduces risk

  • Planning, risk analysis, engineering, and evaluation

  • Follows an iterative process

    V-shaped

  • Verification and validation model

  • Coding and testing are concurrent, implemented at development stage

    Agile

  • Joint development process over several short cycles

  • Teams work in cycles, typically two to four weeks

  • Testing happens in each sprint, minimizes risk

  • Iterative approach to development

  • At the end sprint, basic product developed for user feedback

  • Process is repeated every sprint cycle

    Four core values of agile model

  • Individuals and interactions over process and tools

  • Working software over comprehensive documentation

  • Customer collaboration over contract negotiation

  • Responding to change over following plan

    Lean

  • Application of lean principles

  • Focuses on delivery speed

  • Continuous improvement

  • Reducing waste each phase

    Seven rules of Lean Model

  • Build in quality

  • Create knowledge

  • Defer commitment

  • Deliver fast

  • Respect people

  • Optimize the whole

  • DevOps evolved from Agile and Lean principles

  • Development and Operations teams work collaboratively

  • Accelerate software deployment

    Fundamentals of Web Browsers, Applications, and Cloud Computing Fundamentals of Web Browsers, Applications, and Cloud Computing

Traditional SDLC vs. Agile

Fundamentals of Web Browsers, Applications, and Cloud Computing Fundamentals of Web Browsers, Applications, and Cloud Computing

Basics of Programming

Interpreted and Compiled Programming Languages

Programming Languages

  • Common programming languages categories:
    • Interpreted
    • Compiled
  • Many programming languages are compiled and interpreted
  • The developer determines which languages is best suited for the project

Interpreted programming

Basics of Programming Basics of Programming

  • Some interpreted programming languages are outdated
  • Some are more versatile and easier to learn languages
  • Interpreted programming languages need an interpreter to translate the source code
  • Translators are built into the browser or require a program on your computer to interpret the code

Interpreted programming examples

Basics of Programming Basics of Programming

Compiled programming

  • Programs that you run on your computer

  • Packaged or compiled into one file

  • Usually larger programs

  • Used to help solve more challenging problems, like interpreting source code

    Basics of Programming Basics of Programming

Examples

Examples of compiled programming languages are:

  • C, C++ and C# are used in many operating systems, like Microsoft. Windows, Apple macOS, and Linux
  • Java works well across platforms, like the Android OS

Compiled programming

Basics of Programming Basics of Programming

Comparing Compiled and Interpreted Programming Languages

Choosing a programming language

Developers determine what programming language is best to use depending on:

  • What they are most experienced with and trust
  • What is best for their users
  • What is the most efficient to use

Programming Languages

Basics of Programming Basics of Programming

Interpreted Programming Languages

  • Also called script code or scripting, used to automate tasks
  • Interpreter programs read and execute the source code line by line
  • The source code need to be executed each time
  • Runs on almost any OS with the right interpreter

Compiled programming languages

  • Also called programming languages
  • Used for more complex programs that complete larger tasks
  • Larger programs installed on the computer or device
  • Longer time to write the code but runs faster
  • Grouped into one downloadable file
Interpreted vs. compiled

Basics of Programming Basics of Programming

Programming Language examples

C, C++, C#:

  • Compiled programming language

  • C is the original language, C++ and C# are variations

  • Case sensitive

  • Basis for Windows and many operating systems

  • Takes more time to learn and use for coding but requires less memory and code runs faster

    Java:

  • Compiled programming language

  • Case-sensitive, object-oriented programming language

  • Requires Java Virtual Machine (JVM) to run the code

  • Programming language for Android OS

  • Cross-platform language that runs the same code on macOS, Windows and Linux

    Python:

  • Interpreted programming language

  • Scripting language

  • General-use, case-sensitive

  • Used with Windows, macOS, and Linux OSes and with server-side web app code

  • Requires Python engine to interpret code

    JavaScript:

  • Interpreted

  • Scripting language that runs on client side web browsers

  • Case insensitive

  • Simple scripts are run with HTML

  • Complex scripts are run in separate files

  • Not to be confused with Java, the compiled programming language

    HTML:

  • Interpreted

  • HyperText Markup Language

  • Mostly case-insensitive

  • Uses tags to format web pages on client-side web browsers

Query and Assembly Programming Languages

Programming language levels

  • High-level programming languages
    • More sophisticated
    • Use common English
    • SQL, Pascal, Python
  • Low-level programming languages
    • Use simple symbols to represent machine code
    • ARM, MIPS, X86

Query languages

  • A query is a request for information from a database
  • The database searches its tables for information requested and returns results
  • Important that both the user application making the query and the database handling the query are speaking the same language
  • Writing a query means using predefined and understandable instructions to make the request to a database
  • Achieved using programmatic code (query language/database query language)
  • Most prevalent database query language is SQL
  • Other query languages available:
    • AQL, CQL, Datalog, and DMX

SQL vs. NoSQL

  • NoSQL (not only SQL)
  • Key difference is data structures
  • SQL databases:
    • Relational
    • Use structured, predefined schemas
  • NoSQL databases:
    • Non-relational
    • Dynamic schemas for unstructured data

How does a query language work?

Query language is predominantly used to:

  • Request data from a database

  • Create, read, update, and delete data in a database (CRUD)

  • Database consists of structured tables with multiple rows and columns of data

    When a user performs a query, the database:

    1. Retrieves data from the table
    2. Arranges data into some sort of order
    3. Returns and prevents query results

Query statements

  • Database queries are either:
    • Select commands
    • Action commands (CREATE, INSERT, UPDATE)
  • More common to use the term “statement”
  • Select queries request data from a database
  • Action queries manipulate data in a database

Common query statements

Basics of Programming Basics of Programming

Query statement examples

  • SELECT * FROM suppliers;
  • SELECT name FROM suppliers, WHERE name = ‘Mike’;
  • CREATE DATABASE products;
  • DROP TABLE suppliers;
  • ALTER TABLE suppliers;
  • DROP COLUMN firstname;
  • SELECT AVG(purchases);
  • FROM suppliers;

Assembly languages

  • Less sophisticated than query languages, structured programming languages, and OOP languages
  • Uses simple symbols to represent 0s and 1s
  • Closely tied to CPU architecture
  • Each CPU type has its own assembly language

Assembly language syntax

  • Simple readable format
  • Entered one line at a time
  • One statement per line
{label} mnemonic {operand list} {;comment}
mov TOTAL, 212 ;Transfer the value 212 in the memory variable TOTAL

Assemblers

  • Assembly languages are translated using an assembler instead of a compiler or interpreter

  • One statement translates into just one machine code instruction

  • Opposite to high-level languages where one statement can be translated into multiple machine code instructions

    Translate using mnemonics:

  • Input (INP), Output (OUT), Load (LDA), Store (STA), Add (ADD)

    Statements consist of:

  • Opcodes that tell the CPU what to do with data

  • Operands that tell the CPU where to find the data

Understanding Code Organization Methods

Code organization is important

Basics of Programming Basics of Programming

Planning and organizing software design:

  • Enables writing cleaner, more reliable code
  • Helps improve code base
  • Reduce bugs and errors
  • Has a positive impact on program quality
  • Provides consistent and logical format while coding

Pseudocode vs. flowcharts

Pseudocode Flowcharts
Informal, high-level algorithm description Pictorial representation of algorithm, displays steps as boxes and arrows
Step-by-step sequence of solving a problem Used in designing or documenting a process or program
Bridge to project code; follows logic Good for smaller concepts and problems
Helps programmers share ideas without extraneous waste of a creating code Provide easy method of communication about logic behind concept
Provides structure that is not dependent on a programming language Offer good starting point for project

Flowcharts

  • Graphical or pictorial representation of an algorithm

  • Symbols, shapes, and arrows in different colors to demo a process of program

  • Analyze different methods of solving a problem or completing a process

  • Standard symbols to highlight elements and relationships

    Basics of Programming Basics of Programming

    Basics of Programming Basics of Programming

Flowchart software

  • Provides ability to create flowcharts

  • Drag functionality

  • Easy-to-use interface

  • Team collaboration creating flowcharts

    Examples:

  • Microsoft Visio

  • Lucidchart

  • Draw.io

  • DrawAnywhere

Pseudocode advantages

  • Simply explains each line of code
  • Focuses more on logic
  • Code development stage is easier
  • Words/phrases represent lines of computer operations
  • Simplifies translation
  • Code in different computer languages
  • Easier review by development groups
  • Translates quickly and easily to any computer language
  • More concise, easier to modify
  • Easier than developing a flowchart
  • Usually less than one page

Branching and Looping Programming Logic

Introduction to programming logic

Basics of Programming Basics of Programming

Boolean expressions and variables

Basics of Programming Basics of Programming

Branching programming logic

Basics of Programming Basics of Programming

Branching statements allow program execution flow:

  • if

    Basics of Programming Basics of Programming

  • if-then-else

    Basics of Programming Basics of Programming

  • Switch

    Basics of Programming Basics of Programming

  • GoTo

Looping programming logic

Basics of Programming Basics of Programming

There are three basic loop statements:

  • While loop: Condition is evaluated before processing, if true, then loop is executed
  • For loop: Initial value performed once, condition tests and compares, if false is returned, loop is stopped
  • Do-While loop:Condition always executed after the body of a loop

Introduction to Programming Concepts, Part 1

What are identifiers?

  • Software developers use identifiers to reference program components
    • Stored values
    • Methods
    • Interfaces
    • Classes
  • Identifiers store two types of data values:
    • Constants
    • Variables

What are containers?

  • Special type of identifier to reference multiple program elements
    • No need to create a variable for every element
    • Faster and more efficient
  • Examples:
    • To store six numerical integers – create six variables
    • To store 1,000+ integers – use a container

Arrays

  • Simplest type of container

  • Fixed number of elements stored in sequential order, starting at zero

  • Declare an array

    • Specify data type (Int, bool, str)
    • Specify max number of elements it can contain
  • Syntax

    • Data type > array name > max array size [ ]
    int my_array[50]

Vectors

  • Dynamic size
  • Automatically resize as elements are added or removed
    • a.k.a. ‘Dynamic arrays’
  • Take up more memory space
  • Take longer to access as not stored in sequential memory
  • Syntax
    • Container type/data type in <>/name of array

      vector <int> my_vector;

Introduction to Programming Concepts, Part 2

What are functions?

  • Consequence of modular programming software development methodology
    • Multiple modular components
  • Structured, stand-alone, reusable code that performs a single specific action
  • Some languages refer to them as subroutines, procedures, methods, or modules

How functions work

  1. Functions take in data as input
  2. Then process the data
  3. Then return the result as output

Types of functions

  • Standard library functions – built-in functions
    • if, else, while, print
  • User-defined functions – you write yourself
    • Once a function is written, you can use it over and over
  • Blocks of code in a function are identified in different ways
    • Use {}
    • Use begin-end statements
    • Use indentations

Using function

  1. Define a function (create)
  • Function keyword, unique name, statements
  1. Call a function (invoke)
  • Specified actions are performed using supplied parameters
  1. Declare a function (some programming languages)
  • C, C++

What are objects?

  • Objects are key to understanding object-oriented programming (OOP)

  • OOP is a programming methodology focused on objects rather than functions

  • Objects contain data in the form of properties (attributes) and code in the form of procedures (methods)

  • OOP packages methods with data structures

    • Objects operate on their own data structure

    Basics of Programming Basics of Programming

Objects in programming

  • Consist of states (properties) and behaviors (methods)

    Basics of Programming Basics of Programming

  • Store properties in field (variables)

  • Expose their behaviors through methods (functions)

Database Fundamentals

Types of Data, Sources, and Uses

What is data?

A set of characters gathered and translated for some purpose, usually analysis

Database Fundamentals Database Fundamentals

Common types:

  • Single character

  • Boolean (true or false)

  • Text (string)

  • Number (integer or floating point)

  • Picture

  • Sound

  • Video

    Database Fundamentals Database Fundamentals

Forms of data

Database Fundamentals Database Fundamentals

Types of data

Categorized by level and rigidity

Structured data

  • Structured in rows and columns

  • Well-defined with rigid structure

  • Relational databases

  • Microsoft SQL server

  • IBM Db2

  • Oracle database

    Semi-structured data

  • Some organizational properties

  • Not in rows or columns

  • Organized in hierarchy using tags and metadata

  • Non-relational database

    Unstructured data

  • No identifiable structure, specific format, sequence, or rules

  • Most common include text, email

  • Also images, audio files, and log files

    Examples of Semi and Unstructured data

  • MonoDB

  • Hbase

  • Cassandra DB

  • Oracle NoSQL DB

Data Sources

Database Fundamentals Database Fundamentals

Using data

Data sources may be internal or external

Internal

  • Collects data from reports or records from organization

  • Known as internal sourcing

  • Accounting

  • Order processing

  • Payroll

  • Order shipping

    External

  • Collects data from outside the organization

  • Known as external sourcing

  • Social media feeds

  • Weather reports

  • Government

  • Database and research

Database Fundamentals and Constructs

What is a database?

Database Fundamentals Database Fundamentals

Components of a database

Schema

  • Collection of tables of data

  • A database can have more than one schema

    Table

  • One or more columns of data

  • Two or more columns of stored data

    Column

  • A pillar of information containing one or more data or values

  • Can contain dates, numeric or integer values, alphabetic values

    Row

  • A horizontally formatted line of information like rows in Excel

  • 100s or 1000s rows of data are typically in a table

Database constructs

Queries

  • Request for data

  • Provide answers

  • Perform calculations

  • Combine data

  • Add, change, or delete data

    Constraints

  • Primary and foreign key enforce rules

  • Values in columns not repeated

  • Limit the type of data

  • Ensure data accuracy and reliability

Database query

Database Fundamentals Database Fundamentals

Database constraints

Database Fundamentals Database Fundamentals

Database characteristics

Database Fundamentals Database Fundamentals

Flat file vs. database

Flat File Database
Stores data in single table Uses multiple table structures
Set in various application types Tables are organized in rows and columns
Sorted based on column values One piece of data per column
Solution for simple tasks Faster, more efficient, more powerful

Database Fundamentals Database Fundamentals

Database Fundamentals Database Fundamentals

Database Roles and Permissions

Database permissions

Three types of permissions:

Database

  • Right to execute a specific type of SQL statement

  • Access second person’s object

  • Controls use of computing resources

  • Does not apply to DBA

    System

  • Right to perform any activity

  • Ability to add or delete columns and rows

    Object

  • Right to perform specific actions

  • Allows user to INSERT, DELETE, UPDATE, or SELECT data

  • Object’s owner has permissions for object

Permission commands

Database Fundamentals Database Fundamentals

Database roles

Database Fundamentals Database Fundamentals

Benefits of roles

Database Fundamentals Database Fundamentals

Database types

Structured data type

  • Tabular data, columns, and rows

  • These databases are called relational databases

  • Formed set of data

  • All rows have same columns

    Database Fundamentals Database Fundamentals

Semi-structured data type

  • Some structure

  • Documents in JavaScript Object Notation (JSON) format

  • Include key-value stores and graph database

    Database Fundamentals Database Fundamentals

Unstructured data type

  • Not in pre-defined structure or data model

  • Text heavy files, but may contain numbers and dates

  • Videos, audio, sensor data, and other types of information

    Database Fundamentals Database Fundamentals

Relational database

Relational Non-Relational
Structured to recognize relations among stored items of information Stores data in a non-tabular form, and tends to be more flexible than the traditional, SQL-based, relational database structures

Database Fundamentals Database Fundamentals

Non-relational database

Database Fundamentals Database Fundamentals

Permit storing, store data in a format that closely meets the original structure.

Most common types of data stores:

  • Document data stores

    • Handles

      • Objects
      • Data values
    • Named string fields in an entity referred to as a document

    • Generally store data in the form of JSON documents

      Database Fundamentals Database Fundamentals

  • Key-value stores

    Database Fundamentals Database Fundamentals

  • Column-oriented databases

    Database Fundamentals Database Fundamentals

  • Graph databases

    Database Fundamentals Database Fundamentals

Interfacing with Databases

What is a database interface?

Enable users to input queries to a database

Database Fundamentals Database Fundamentals

Principles of a database interface

Database Fundamentals Database Fundamentals

How to access a database

Types of access:

Direct

  • Enters SQL commands

  • Selects a menu

  • Accesses tables directly

  • Works well with locally stored database or local area network

    Programmatic

  • Accesses’ database using programming language

  • Enables data to be used in more ways

  • Safer than using direct access

  • Oracle databases support access from many languages

  • Might be necessary to perform a query with a supported language

    User interface

  • Microsoft Access permits access to user interface

  • Optional user interface may be needed

  • Oracle offers MySQL Workbench as a graphical user interface

  • Allows ability to input queries without the query language

  • Menu-base interface

  • Forms-based interface

  • GUI displays schema in diagrammatic form

  • Specific query by manipulating diagram

  • GUIs utilize both menus and forms

  • GUIs using point device to pick sections of displayed schema diagram

  • Natural language interfaces accepts user requests and tries to interpret it

  • These interfaces have own schema like database conception schemas

  • Search engine example of entering and retrieving information using natural language

    Query

  • Find specified data using SELECT statement

  • Query and reporting function included with software like Microsoft Access

  • Query Builder’s GUI is designed to enhance productivity and simplify query tasks

    • SQL or SQL displayed visually
    • Has pane displaying SQL text
    • Related tables determined by Query Builder that constructs join command
    • Query and update database using SELECT statement
    • Quickly view and edit query results
    • Examples:
      • Chartio Visual SQL
      • dbForge Query Builder for SQL Server
      • Active Query Builder
      • FlySpeed SQL
      • QueryDbVis Query Builder
  • Drag multiple tables, views, and columns to generate SQL statements

Database Management

Managing databases with SQL commands

  • Queries refer to request information from a database

  • Queries generate data of different formats according to function

  • Query commands perform the data retrieval and management in a database

    Database Fundamentals Database Fundamentals

SQL command Categories

DDL

  • SQL commands that define database schema

  • Create, modify, and delete database structures

  • Not set by general user

    DML

  • SQL commands that manipulate data

    DCL

  • SQL commands for rights, permissions, and other database system controls

    Database Fundamentals Database Fundamentals

Inputting and importing data

Data is input manually into a database through queries.

Database Fundamentals Database Fundamentals

Another way is through importing data from different sources.

  • SQL Server Import Export Wizard
  • SQL Server Integrated Services (or SSIS)
  • OPENROWSET function

Extracting data from a database

Database Fundamentals Database Fundamentals

Backing Up Databases

What is a database backup?

Two backup types:

  • Logical

  • Physical

    Database Fundamentals Database Fundamentals

Physical database backups

  • Needed to perform full database restoration
  • Minimal errors and loss
  • Full or incremental copies

Logical database backups

  • Copies of database information
  • Tables, schemas, procedures

Backup pros and cons

Physical backup Logical backup
Pros: Pros:
Simple and fast, despite format Only selected data is backed up
Mirror copy loaded to another device Saves time and storage
Cons: Cons:
Used only to recreate system No file system information
Cannot do full restore Complications restoring process

Database backup methods

Full

  • Stores copies of all files

  • Preset schedule

  • Files are compressed but may need large storage capacity

    Differential

  • Simplifies recovery

  • Requires last full backup

  • Last differential back up for full recovery

    Incremental

  • Saves storage

  • Back up files generated or updated since last backup

    Virtual

  • Uses’ database to track and maintain data

  • Helps avoid pitfalls of other backup methods

Backup Management

Database Fundamentals Database Fundamentals

Subsections of Introduction to Networking and Storage

Networking Fundamentals

Network Topologies, Types, and Connections

Types and Topologies

What is a computer network?

Computer networking refers to connected computing devices and an array of IoT devices that communicate with one another.

Network Types

There are multiple network types:

  • PAN (Personal Area Network)
  • LAN (Local Area Network)
  • MAN (Metropolitan Area Network)
  • WAN (Wide Area Network)
  • WLAN (Wireless LAN)
  • VPN (Virtual Private Network)

PAN (Personal Area Network)

A PAN enables communication between devices around a person. PANs can be wired or wireless.

  • USB

  • FireWire

  • Infrared

  • ZigBee

  • Bluetooth

    Networking Fundamentals Networking Fundamentals

LAN (Local Area Network)

A LAN is typically limited to a small, localized area, such as a single building or site.

Networking Fundamentals Networking Fundamentals

MAN (Metropolitan Area Network)

  • A MAN is a network that spans an entire city, a campus, or a small region.

  • MANs are sometimes referred to as CANs (Campus Area Networks).

    Networking Fundamentals Networking Fundamentals

WAN (Wide Area Network)

A WAN is a network that extends over a large geographic area.

  • Businesses

  • Schools

  • Government entities

    Networking Fundamentals Networking Fundamentals

WLAN (Wireless LAN)

A WLAN links two or more devices using wireless communication.

  • Home

  • School

  • Campus

  • Office building

  • Computer Lab

    Through a gateway device, a WLAN can also provide a connection to the wider Internet.

VPN (Virtual Private Network)

  • A private network connection across public networks.
  • Encrypt your Internet traffic.
  • Disguise your online identity
  • Safeguard your data.

Topology

  • Topology defines a network’s structure

  • A network’s topology type is chosen bases on the specific needs of the group installing that network

    1. Physical Topology: It describes how network devices are physically connected.
    2. Logical Topology: It describes how data flows across the physically connected network devices.

    Networking Fundamentals Networking Fundamentals

Star topology

Star topology networks feature a central computer that acts as a hub.

Networking Fundamentals Networking Fundamentals

Ring topology

Ring topology networks connect all devices in a circular ring pattern, where data only flows in one direction (clockwise).

Networking Fundamentals Networking Fundamentals

Bus topology

Bus topology networks connect all devices with a single cable or transmission line.

  • Small networks, LAN.

    Networking Fundamentals Networking Fundamentals

Tree topology

Tree topology networks combine the characteristics of bus topology and star topology.

  • University campus

    Networking Fundamentals Networking Fundamentals

Mesh topology

Mesh topology networks connect all devices on the network together.

  • This is called dynamic routing.

  • It is commonly used in WAN network for backup purposes.

  • It is not used in LAN implementations.

    Networking Fundamentals Networking Fundamentals

Wire Connections

Older Internet Connection Types

Networking Fundamentals Networking Fundamentals

Newer Internet Connection Types

Networking Fundamentals Networking Fundamentals

Wired Networks

Wired networking refers to the use of wire connections that allow users to communicate over a network.

  • Most computer networks still depend on cables or wires to connect devices and transfer data.

Wire Connections: Dial-Up

Requires a modem and phone line to access the internet.

Pros:

  • Widely available

  • Low cost

  • Easy Setup

    Cons:

  • Very slow speeds

  • Can’t use phone and Internet at the same time

Wire Connections: DSL

Connects to the Internet using a modem and two copper wires within the phone lines to receive and transmit data.

Pros:

  • Faster than dial-up

  • Inexpensive

  • Dedicated connection (no bandwidth sharing)

  • Can provide Wi-Fi

  • Uses existing phone lines

    Cons:

  • Slow speeds (less than 100 Mbps)

  • Not always available

Wired Connections: Cable

Cable delivers Internet via copper coaxial television cable.

Pros:

  • Lower cost than fiber

  • Fast speeds

  • Better than DSL

  • Long distances

  • Lower latency

    Cons:

  • Bandwidth congestion

  • Slower uploads

  • Electromagnetic interference

Wired Connection: Fiber Optic

Transmit data by sending pulses of light across strands of glass (up to 200 Gbps).

Pros:

  • Efficient

  • Reliable

  • Covers long distances

  • Fast speeds

  • Streaming and hosting

    Cons:

  • Expensive

  • Not available everywhere

Cables

Cables types

Networking Fundamentals Networking Fundamentals

Hard Drive Cables

Hard drive cables connect a hard drive to a motherboard or controller card. May also be used to connect optical drives or older floppy drives.

  • SATA
    • Next-generation
    • Carries high-speed data
    • Connects to storage devices
  • IDE
    • Older tech
    • 40-wire ribbon
    • Connect motherboard to one or two drives
  • SCSI
    • Supports variety of devices

    • Different cable types

    • Up to 16 connections

      Networking Fundamentals Networking Fundamentals

Network Cables

In wired networks, network cables connect devices and route information from one network device to another.

Cable need is determined by:

  • Network topology

  • Protocol

  • Size

    Types:

  • Coaxial

    • TV signals to cable boxes
    • Internet to home modems
      • Inner copper wire surrounded by shielding
      • Highly Resistant to signal interference
      • Supports greater cable lengths between devices
      • 10 Mbps capacity, uses DOCSIS standard
  • Fiber optic

    • Work over long distances without much interference
    • Handles heavy volumes of data traffic
    • Two Types
      • Single-Mode
        • Carries one light path
        • Sourced by a laser
        • Longer transmission distance
      • Multimode
        • Multiple light paths
        • Sourced by an LED
  • Ethernet

    • Consist of four pairs of twisted wires
    • Reduce interference
    • Wire a computer to LAN
    • Fast and Consistent
    • Two Types:
      • Unshielded Twisted Pair (UTP)
        • Cheaper and more common
      • Shielded Twisted Pair (STP)
        • More expensive

        • Designed to reduce interference Networking Fundamentals Networking Fundamentals

          Networking Fundamentals Networking Fundamentals

Serial Cables

A serial cable follows the RS-232 standard: “Data bits must flow in a line, one after another, over the cable.” Used in:

  • Modems

  • Keyboards

  • Mice

  • Peripheral devices

    Networking Fundamentals Networking Fundamentals

Video Cables

Transmits video signals.

  • VGA
    • Older, analog
  • DisplayPort
    • Connects interface to display
  • HDMI
    • High definition
    • Different connector types
    • Type A is common
  • DVI
    • Can be digital or integrated
    • Can be single or dual link
  • Mini-HDMI
    • Type C HDMI

      Networking Fundamentals Networking Fundamentals

Multipurpose Cables

Multipurpose cables connect devices and peripherals without a network connection. They transfer both data and power.

  • USB
    • Low speed 1.5 Mbps @3 meters
    • Full speed 12 Mbps @5 meters
  • Lighting
    • Apple only
    • Connects to USB ports
  • Thunderbolt
    • Apple only
    • Copper max length 3 meters
    • Optical max length 60 meters
    • 20-40 Gbps throughput

Wireless Connections

Wireless network types

Networking Fundamentals Networking Fundamentals

WPAN networking examples

Networking Fundamentals Networking Fundamentals

WLAN networking examples

Networking Fundamentals Networking Fundamentals

WMAN networking examples

Networking Fundamentals Networking Fundamentals

WWAN networking examples

Networking Fundamentals Networking Fundamentals

Wired vs. wireless

Networking Fundamentals Networking Fundamentals

Networking Fundamentals Networking Fundamentals

Advantages and Disadvantages of Network Types

Networks vs. devices

Networking Fundamentals Networking Fundamentals

Smaller vs. larger

Networking Fundamentals Networking Fundamentals

Wired vs. wireless

Networking Fundamentals Networking Fundamentals

Network Types

Basic network types are:

  • Wired

  • Wireless

    Networking Fundamentals Networking Fundamentals

PAN

A PAN enables communication between devices around a person. PANs are wired and WPANs are wireless.

Advantages:

  • Flexible and mobile

  • One-time, easy setup

  • Portable

    Disadvantages:

  • Limited range

  • Limited bandwidth

LAN

Advantages:

  • Reliable and versatile

  • Higher data transmission rates

  • Easier to manage

    Disadvantages:

  • Smaller network coverage area

  • Number of device affects speed

  • Security risks

MAN

A MAN is optimized for a larger geographical area, ranging from several building blocks to entire cities.

Advantages:

  • Cover multiple areas

  • Easy to use, extend, and exchange

  • Managed by an ISP, government entity, or corporation

    Disadvantages:

  • Requires special user permissions

  • Security risk

WAN

WANs and WWANs provide global coverage. Examples include the Internet and cellular networks.

Advantages:

  • Global coverage

  • More secure

    Disadvantages:

  • Expensive

  • Difficult to maintain

Hardware, Network Flow, and Protocols

Networking Hardware Devices

Network Devices

Network devices, or networking hardware, enable communication and interaction on a computer network.

This includes:

  • Cables
  • Servers
  • Desktops
  • Laptops
  • Tablets
  • Smartphones
  • IoT devices

What is a server?

  • Other computers or devices on the same network can access the server
  • The devices that access the server are known as clients
  • A user can access a server file or application from anywhere

What are nodes and clients?

A node is a network-connected device that can send and receive information.

  • All devices that can send, receive, and create information on a network are nodes.
  • The nodes that access servers to get on the network are known as clients.

Client-server

Client-server networks are common in businesses.

  • They keep files up-to-date

  • Easy-to-find

  • One shared file in one location

    Examples of services that use client-server networks:

  • FTP sites

  • Web servers

  • Web browsers

Peer-to-peer

Peer-to-peer networks are common in homes on the Internet.

Examples:

  • File sharing sites
  • Discussion forums
  • Media streaming
  • VoIP services

Hubs and Switches

A hub:

  • Connects multiple devices together

  • Broadcasts to all devices except sender

    A switch:

  • Keeps a table of MAC addresses

  • Sends directly to correct address (More efficient than hubs)

Routers and modems

Routers interconnect different networks or subnetworks.

  • Manage traffic between networks by forwarding data packets

  • Allow multiple devices to use the same Internet connection

    Routers use internal routing to direct packets effectively The router:

  • Reads a packet’s header to determine its path

  • Consults the routing table

  • Forwards the packet

    A modem converts data into a format that is easy to transmit across a network.

  • Data reaches its destination, and the modem converts it to its original form

  • Most common modems are cable and DSL modems

Bridges and gateways

A bridge joins two separate computer networks, so they can communicate with each other and work as a single network.

Wireless bridges can support:

  • Wi-Fi to Wi-F i

  • Wi-Fi to Ethernet

  • Bluetooth to Wi-Fi

    A gateway is a hardware or software that allows data to flow from one network to another, for examples, a home network to the Internet.

    Networking Fundamentals Networking Fundamentals

Repeaters and WAPs

Repeaters

  • Receive a signal and retransmits it

  • Used to extend a wireless signal

  • Connect to wireless routers

    Wireless Access Point (WAP)

  • Allows Wi-Fi devices to connect to a wired network

  • Usually connects to a wired router as a standalone device

  • Acts as a central wireless connection point for computers equipped with wireless network adapters

Network Interface Cards (NICs)

NICs connect individual devices to a network.

Networking Fundamentals Networking Fundamentals

Firewalls, proxies, IDS, and IPS

A firewall monitors and controls incoming and outgoing network traffic based on predetermined security rules.

  • Firewalls can be software or hardware

  • Routers and operating systems have built-in firewalls

    Networking Fundamentals Networking Fundamentals

    A Proxy Server:

  • Works to minimize security risks

  • Evaluates requests from clients and forwards them to the appropriate server

  • Hides an IP address

  • Saves bandwidth

    IDS and IPS:

  • IDS monitors network traffic and reports malicious activity

  • IPS inspects network traffic and removes, detains, or redirects malicious items

    Networking Fundamentals Networking Fundamentals

Packets, IP Addressing, DNS, DHCP, and NAT

What is a packet?

Everything you do on the Internet involves packets.

Packets are also called:

  • Frames
  • Blocks
  • Cells
  • Segments

Data Transmission Flow Types

Networking Fundamentals Networking Fundamentals

IP Packets Transmission Modes

Networking Fundamentals Networking Fundamentals

Data Transmission Flow

When you send an email, it is broken down into individually labeled data packets and sent across the network.

IPv4 and IPv6

  • IPv4 is one of the core protocols for the Internet.
  • IPv6 is the newest version of Internet Protocol.

What is an IP address?

An IP address is used to logically identify each device (Host) on a given network.

Networking Fundamentals Networking Fundamentals

IP Address Types

Static: Static IP addresses are manually assigned.

Dynamic: Dynamic IP addresses are automatically assigned.

Public: Public IP address is used to communicate publically.

Private: Private IP address is used to connect securely within an internal, private network.

Loopback: Loopback is the range of IP addresses reserved for the local host.

Reserved: Reserved IP addresses have been reserved by the IETF and IANA.

DNS

The DNS is the phone book of the internet.

Networking Fundamentals Networking Fundamentals

Dynamic Host Configuration Protocol (DHCP)

The DHCP automates the configuring of IP network devices.

A DHCP server uses a pool of reserved IP addresses to automatically assign dynamic IP addresses or allocate a permanent IP address to a device.

Static allocation: The server uses a manually assigned “permanent” IP address for a device.

Dynamic allocation: The server chooses which IP address to assign a device each time it connects to the network.

Automatic allocation: The server assigns a “permanent” IP addresses for a device automatically.

Subnetting (and Subnet Mask)

Subnetting is the process of taking a large, single network and splitting it up into many individual smaller subnetworks or subnets.

  • Identifies the boundary between the IP network and the IP host.

  • Internal usage within a network.

  • Routers use subnet masks to route data to the right place.

    Networking Fundamentals Networking Fundamentals

Automatic Private IP Addressing (APIPA)

APIPA is a feature in operating systems like Windows that let computers self-configure an IP address and subnet mask automatically when the DHCP server isn’t reachable.

Networking Fundamentals Networking Fundamentals

Network Address Translation (NAT)

NAT is a process that maps multiple local private addresses to a public one before transferring the information.

  • Multiple devices using a single IP address

  • Home routers employ NAT

  • Conserves public IP addresses

  • Improves security

    NAT instructions send all data packets without revealing private IP addresses of the intended destination.

    Networking Fundamentals Networking Fundamentals

Media Access Control (MAC) Addresses

A MAC address is the physical address of each device on a network.

Networking Fundamentals Networking Fundamentals

Models, Standards, Protocols, and Ports

Networking Models

A networking model describes:

  • Architecture

  • Components

  • Design

    Two types:

    1. OSI Model: A conceptual framework used to describe the functions of a networking system.
    2. TCP/IP Model: A set of standards that allow computers to communicate on a network. TCP/IP is based on the OSI model.

7 Layer OSI Model

Networking Fundamentals Networking Fundamentals

5 Layer TCP/IP Model

The TCP/IP model is a set of standards that allow computers to communicate on a network. TCP/IP is based on the OSI model.

Networking Fundamentals Networking Fundamentals

Network Standards and their Importance

Networking standards define the rules for data communications that are needed for interoperability of networking technologies and processes.

There are two types of network standards:

  1. De-jure or Formal Standards: Developed by an official industry or government body.

Examples: HTTP, HTML, IP, Ethernet 802.3d

  1. De-Facto Standards: De-facto standards result from marketplace domination or practice.

Examples: Microsoft Windows, QWERTY keyboard

Noted Network Standards Organizations

Standards are usually created by government or non-profit organizations for the betterment of an entire industry.

  1. ISO: Established the well known OSI reference networking model.
  2. DARPA: Established the TCP/IP protocol suit.
  3. W3C: Established the World Wide Web (WWW) standard.
  4. ITU: Standardized international telecom, set standards for fair use of radio frequency.
  5. IEEE: Established the IEEE 802 standards.
  6. IETF: Maintains TCP/IP protocol suites. IETF also developed RFC standard.

Protocols

A network protocol is a set of rules that determines how data is transmitted between different devices in the same network.

  1. Security: - Encryption - Authentication - Transportation
  2. Communication: - Encryption - Authentication - Transportation
  3. Network Management: - Connection - Link Aggregation - Troubleshooting

Protocols – TCP vs. UDP

TCP UDP
Slower but more reliable Faster but not guaranteed
Typical applications Typical application
1) File transfer protocol 1) Online games
2) Web browsing 2) Calls over the internet
3) EMAIL

Protocols – TCP/IP

The TCP/IP suite is a collection of protocols.

Networking Fundamentals Networking Fundamentals

Protocols – Internet of Things

Networking Fundamentals Networking Fundamentals

Protocols – Crypto Classic

The Crypto Classic protocol is designed to serve as one of the most efficient, effective, and secure payment methods built on the blockchain network.

Bitcoin Protocol: A peer-to-peer network operating on a cryptographic protocol used for bitcoin transactions and transfers on the Internet.

Blockchain Protocol: An open, distributed ledger that can record transactions between two parties efficiently and in a verifiable and permanent way.

Commonly Used Ports

Ports are the first and last stop for information sent across a network.

  • A port is a communication endpoint.

  • A port always has an associated protocol and application.

  • The protocol is the path that leads to the application’s port.

  • A network device can have up to 65536 ports.

  • Port numbers do not change.

    Networking Fundamentals Networking Fundamentals

Wireless Networks and Standards

Network types

Networking Fundamentals Networking Fundamentals

WPAN

A WPAN connects devices within the range of an individual person (10 meters). WPANs use signals like infrared, Zigbee, Bluetooth, and ultra-wideband.

Networking Fundamentals Networking Fundamentals

WLAN

A WLAN connects computers and devices within homes, offices, or small businesses. WLANs use Wi-Fi signals from routers, modems, and wireless access points to wirelessly connect devices.

Networking Fundamentals Networking Fundamentals

WMAN

A WMAN spans a geographic area (size of a city). It serves ranges greater than 100 meters.

Networking Fundamentals Networking Fundamentals

WWAN

A WWAN provides regional, nationwide, and global wireless coverage. This includes private networks of multinational corporations, the Internet, and cellular networks like 4G, 5G, LTE, and LoRaWAN.

Networking Fundamentals Networking Fundamentals

Wireless ad hoc network

A WANET uses Wi-Fi signals from whatever infrastructure happens to be available to connect devices instantly, anywhere. WANETs are similar in size to WLANs, but use technology that is closer to WWANs and cellular network.

Advantages:

  • Flexible

  • No required infrastructure

  • Can be set up anywhere instantly

    Disadvantages:

  • Limited bandwidth quality

  • Not robust

  • Security risks

    Networking Fundamentals Networking Fundamentals

Cellular networks

A cellular network provides regional, nationwide, and global mesh coverage for mobile devices.

Networking Fundamentals Networking Fundamentals

Advantages

  • Flexibility

  • Access

  • Speed and efficiency

    Disadvantages

  • Expensive

  • Decreased coverage

  • Hardware limitations

IEEE 802.20 and IEEE 802.22

The IEEE 802.20 and 802.22 standards support WWANs, cellular networks and WANETs.

Networking Fundamentals Networking Fundamentals

IEEE 802.20

  • Optimizes bandwidth to increase coverage or mobility

  • Used to fill the gap between cellular and other wireless networks

    IEEE 802.22

  • Uses empty spaces in the TV frequency spectrum to bring broadband to low-population, hard-to-reach areas

Protocol Table

Web page protocols

Networking Fundamentals Networking Fundamentals

File transfer protocols

Networking Fundamentals Networking Fundamentals

Remote access protocols

Networking Fundamentals Networking Fundamentals

Email protocols

Networking Fundamentals Networking Fundamentals

Network Protocols

Networking Fundamentals Networking Fundamentals

Configuring and Troubleshooting Networks

Configuring a Wired SOHO Network

What is a SOHO Network?

A SOHO (small office, home office) network is a LAN with less than 10 computers that serves a small physical space with a few employees or home users.

It can be a wired Ethernet LAN or a LAN made of both wired and wireless devices.

A typical wired SOHO network includes:

  • Router with a firewall

  • Switch with 4-8 Ethernet LAN ports

  • Printer

  • Desktops and /or laptops

    Configuring and Troubleshooting Networks Configuring and Troubleshooting Networks

Setup steps – plan ahead

When setting up a SOHO network, knowing the compatibility requirements is very important.

  • Before setting up any SOHO network, review and confirm everything in your plan to ensure a successful installation.

    Configuring and Troubleshooting Networks Configuring and Troubleshooting Networks

Setup steps – gather hardware

  • SOHO networks need a switch to act as the hub of the network

  • If Internet is desired, a router can be added or used instead

    Configuring and Troubleshooting Networks Configuring and Troubleshooting Networks

Setup steps – connect hardware

Configuring and Troubleshooting Networks Configuring and Troubleshooting Networks

Setup steps – router settings

Log in to router settings

  • Enter ‘ipconfig’ in a command prompt window to find your router’s public IP address (listed next to default gateway)

  • Enter it into a browser and log in

    Update username and password

  • All routers have default administrator usernames and passwords

  • To improve security, change the default username password

    Update firmware

  • Updating router firmware solves problems and enhances security

  • Check the manufacturer website for available firmware updates

  • Download and install if your firmware is not up-to-date

Setup steps – additional settings

  • SOHO wired network security depends on a firewall
  • Most routers have a built-in firewall, additional software can be installed on individual machines
  • Servers and hardware have built-in DHCP and NAT actions
  • DHCP servers use IP addresses to provide network hosts
  • NAT maps public IPv4 address to private IP addresses

Setup steps – user accounts

User account setup is included in most operating systems.

Configuring and Troubleshooting Networks Configuring and Troubleshooting Networks

Setup steps – test connectivity

Network performance depends on Internet strength, cable specification, installation quality, connected devices, and network and software settings.

Test and troubleshoot to ensure proper network performance.

To troubleshoot performance:

  • Run security tools
  • Check for updates
  • Restart devices
  • Run diagnostic
  • Reboot the router or modem

Configuring a (wireless) SOHO network

What is a SOHO wireless network?

A SOHO wireless network is a WLAN that serves a small physical space with a few home users.

A SOHO wireless network can be configured with the help of a central WAP, which can cover a range of wireless devices within a small office or home.

Configuring and Troubleshooting Networks Configuring and Troubleshooting Networks

Common broadband types

Common broadband types that enable network connection:

  • DHCP:
    • The most common broadband type, used in cable modem connections.
  • PPPoE:
    • Used in DSL connections in areas that don’t have newer options.
  • Static IP:
    • More common in business.

      DHCP is the easiest broadband type to use. Internet Service Providers can provide other options if needed.

Wireless security factors

Wireless networks can be setup to be either open (unencrypted) or encrypted.

Configuring and Troubleshooting Networks Configuring and Troubleshooting Networks

Get to know your wireless router

Configuring and Troubleshooting Networks Configuring and Troubleshooting Networks

Connect to router admin interface

To manage router settings, you must find its default IP address, paste it into a browser and hit enter.

Assign a SSID

  • SSID is the name of a wireless network.
  • This name is chosen during setup.
  • Unique names help to identify the network.
  • Each country determines band and available modes.
  • 2.4 GHz and 5 GHz have specific supported modes.
  • Every router has as a default option.

Wireless encryption security modes

Configuring and Troubleshooting Networks Configuring and Troubleshooting Networks

Going wireless

Once the router is configured, your wireless network is ready.

Users will see it among the available wireless networks when they click the Wi-Fi icon.

Test and troubleshoot connectivity

Test network performance and Internet connectivity on each wireless device in the vicinity of the WAP.

If required, troubleshoot performance issues (network lags, glitches, or network cannot be accessed) with the following actions:

  • Check router configuration settings.
  • Run security tools.
  • Check for updates.
  • Restart devices.
  • Run diagnostics.
  • Reboot the router or modem.
  • Check equipment for damage.

Mobile configuration

IMEI vs. IMSI

IMEI and IMSI are used to identify cellular devices and network users when troubleshooting device and account issues.

Internation Mobile Equipment Identity (IMEI)

  • ID# for phones on GSM, UMTS, LTE, and iDEN networks

  • Can be used to block stolen phones

    International Mobile Subscriber Identity (IMSI)

  • ID# for cell network subscribers

  • Stored in a network sim card

Troubleshooting Network Connectivity

Symptoms of connectivity problems

“Can’t connect” or “slow connection” are two of the most common network problems. These symptoms can be caused by several things.

Causes of Connectivity Problems

Common causes of network connectivity problems: Configuring and Troubleshooting Networks Configuring and Troubleshooting Networks

Cable Damage

Cable damage slows or stops network connections. The damage can be obvious or hidden from view.

Ways to solve:

  • Check for physical damage
  • Test the cable using different devices or a specialized tool
  • Replace the cable

Equipment malfunction

An equipment malfunction can slow or stop network connections.

Ways to solve:

  • Check network adapter drivers in Device Manager
  • Check switch or router port settings in the management software
  • Replace the equipment

Out of range

When a user is too far away from a wireless signal, their connection will lag or fail.

Ways to solve:

  • Move physically closer to the source of the wireless connection
  • Move the wireless connection source closer to the affected user(s)
  • Use stronger devices to boost the signal strength
  • Use more devices to ensure the Wi-Fi reaches users who are farther away

Missing SSID

Network connections can fail when a user can’t find the network name (SSID) in the available networks list.

Ways to solve:

  • Move physically closer to the Wi-Fi source
  • Reconfigure the network to ensure the SSID is not hidden
  • Upgrade devices or use compatibility mode on newer network, so older devices can still connect
    • Compatibility mode can slow a network
    • Reserve 2.4 GHz band for legacy devices

Interference

Interference is when a radio or microwave signal slows or breaks a wireless connection.

Ways to solve:

  • Remove the source of the interference signal
  • Use a different Wi-Fi frequency (wireless)
  • Use shielded cables to connect (wired)
  • Remodel the building with signal-blocking materials

Weak signal strength

When signal strength is weak, a wireless adapter might slow speeds down to make the connection more reliable.

Weak signals cause:

  • Lags

  • Dropped connection

  • Back-and-forth network hopping

  • Out of range

  • Interference

  • Physical obstacles

    Ways to solve:

  • Move closer to signal

  • Adjust Wi-Fi frequency

  • Realign router antennae

    Wireless access points should be placed up high and in the middle of the space.

DNS and software configuration

Network connections can fail when DNS or software is configured incorrectly.

DNS issue:

  • Domain not recognized

  • IP addresses recognized

    OS and apps issue:

  • Software affecting connection

    Ways to solve:

  • For DNS servers, test domains using ipconfig in a command prompt

  • For apps and OSes, use the network troubleshooter in Windows Settings

Malware

Malware slows or stops network connections intentionally, or as a result of overloading a system with other tasks.

Ways to solve:

  • Use antimalware tools
  • Adjust firewall settings
  • Configure Privacy settings
    • Windows
    • Browser
    • Email

Network Troubleshooting with Command Line Utilities

Common command line utility commands that you would use to troubleshoot or diagnose network issues:

  • ipconfig
    • IP address
    • Subnet mask
    • Default gateway
  • ping
    • You can ping:
      • IP addresses, or
      • Domains
  • nslookup
    • It lists:
      • Your DNS server
      • Your DNS server’s IP address
      • Domain name
  • tracert
    • Tracert lists:
      • Sent from
      • Sent to
      • Number of transfers
      • Transfer locations
      • Duration
  • netstat: It shows if a server’s email and ports are open and connecting to other devices.
    • Netstat lists:
      • Protocol
      • Local address
      • Foreign address
      • Current state

Storage Types and Network Sharing

Types of Local Storage Devices

Hard Drive (HD or HDD)

HDDs:

  • Large storage capacity
  • Up to 200 MB/s
  • Can overheat
  • Were the standard PC storage for decades

Solid-state Drive (SSD)

  • No moving parts

  • Do not need power to retain data

  • faster than any HDD

    Storage Types and Network Sharing Storage Types and Network Sharing

Solid-state Hybrid Drive (SSHD)

SSHDs integrate the speed of an SSD and the capacity of an HDD into a single device. It decides what to store in SSD vs. HDD based on user activity.

SSHDs are:

  • Faster than HDDs

  • Perform better than HDDs

  • Cost less than SSDs

  • Higher capacities than SSDs

    Storage Types and Network Sharing Storage Types and Network Sharing

Optical Disk Drive (ODD)

ODDs are also called:

  • CD Drives
  • DVD Drives
  • BD Drives
  • Disc Drives
  • Optical Drives

Flash Drive

Flash drives store data on solid-state drives (SSDs). Less energy is needed to run flash drives, as they don’t have moving parts that require cooling. High-end versions deduplicate and compress data to save space.

Storage Types and Network Sharing Storage Types and Network Sharing

Local Storage wit Multiple Drives

Hybrid disk arrays physically combine multiple SSD and HDD devices into an array of drives working together to achieve the fast and easy performance of solid-state and the lower costs and higher capacities of hard-disk.

Storage Types and Network Sharing Storage Types and Network Sharing

Direct Attached Storage (DAS)

DAS is one or more storage units within an external enclosure that is directly attached to the computer accessing it.

Storage Types and Network Sharing Storage Types and Network Sharing

Ephemeral and Persistent storage

In DAS units and other storage devices, you can configure storage settings to be Ephemeral or Persistent.

Storage Types and Network Sharing Storage Types and Network Sharing

Redundant Array of Independent Disks (RAID)

A RAID spread data across multiple storage drives working in parallel.

Storage Types and Network Sharing Storage Types and Network Sharing

Storage Types and Network Sharing Storage Types and Network Sharing

Storage Types and Network Sharing Storage Types and Network Sharing

Storage Types and Network Sharing Storage Types and Network Sharing

Companies choose RAID devices for their durability and performance.

  • Maintain RAID devices
  • Keep spare drives
  • Perform routine backups

Troubleshooting Storage Issues

Disk Failure symptoms

Disk failure can be caused by wear and tear over time, faulty manufacturing, or power loss.

  • Read/write failure
  • Blue screen of Death (BSoD)
  • Bad sectors
  • Disk thrashing
  • Clicking and grinding noises

Chkdsk and SMART

The chkdsk tools and the SMART program are used to monitor and troubleshoot disk health.

SMART: Self-Monitoring Analysis, and Reporting Technology

  • wmic/node: localhost diskdrive get status

    Check disk tools

  • chkdsk /r locates bad sectors

  • chkdsk /f attempts to fix file system errors

Boot failures

When a computer fails to boot:

Computer power up

  • Lights and sound

  • Plugged in

    Drive configuration

  • Correct firmware boot sequence

  • No removable disks

  • Cables connected and undamaged

  • Motherboard port enables

    Filesystem error Boot into recovery and enter C: in command prompt.

  • If invalid media type, reformat disk with bootrec tool (erases all data).

  • If invalid drive specification, partition structure with diskparttool.

Boot block repair

Errors like “Invalid drive specification” or “OSS not found” indicate boot errors (caused by disk corruption, incorrect OS installation, or viruses).

  • Try antivirus boot disk and recovery options
  • Original product disk > Repair
    • Startup repair
    • Command prompt
      • Fix MBR: bootrec /fixmbr
      • Fix boot sector: bbotrec /fixboot
      • Correct missing installation in BCD: bootrec /rebuild bcd

File recovery options

For computers that won’t boot, you can try to recover files by removing the hard drive and connecting it to another computer.

Recovery options:

  • Windows disk management
  • chkdsk
  • Third-Party file recovery

Disk Performance issues

Disk performance can slow if a disk is older, too full, or its files are not optimized.

To improve performance:

  • Defragment the drive
  • Add RAM
  • Upgrade to a solid state or hybrid drive
  • Remove files and applications
  • Add additional drive space

Troubleshooting optical drives

Optical drives are laser-based and don’t physically touch disks.

  • Cleaning kits solve read/write errors

  • CD-ROM drives cannot play DVDs and Blu-rays

  • DVD and Blu-ray drives have third-party support

  • Writable discs have recommended write speeds

    Buffer underrun When the OS is too slow for the optical drive’s write process, errors occur.

    To fix buffer underrun:

  • Use latest writes

  • Burn at lower speeds

  • Close apps during burn

  • Save to hard drive instead

Troubleshooting RAID issues

Here are some common RAID troubleshooting steps:

Storage Types and Network Sharing Storage Types and Network Sharing

Types of Hosted Storage and Sharing

Storage as a Service (STaaS)

STaaS is when companies sell network storage space to customers, so they don’t have to buy and maintain their own network equipment.

  • Dropbox
  • OneDrive
  • Google Drive
  • box
  • Amazon Drive

Email and social media storage

Email Companies store your data, emails, and attachments in their data centers.

Social Media Companies store your photos, videos, and messages in their data centers.

  • Gmail waits 30 days before permanent removal.
  • Facebook deleted after 90 days, but keeps certain user data indefinitely.

Workgroup and homegroup

A workgroup or homegroup is a group of computers on a SOHO network, typically without a server.

  • To share files and folders, users set them to ‘public’

  • Data is stored on the user device that created it.

  • The added points of failure create higher risk of data loss.

  • Newer cloud solutions provide the same features more securely.

    Workgroups and homegroups are less common. Homegroups have been removed from Windows 10 altogether.

Repositories

A repository is a network location that lets a user store, manage, track, collaborate on, and control changes to their code.

Repositories save every draft. Users can roll things back if problems occur. This can save software developers months of time.

  • GitHub
  • DockerHub

Active Directory Domain Service (AD DS)

AD is a Microsoft technology that manages domain elements such as users and computers.

  • Organizes domain structure.

  • Grants network access.

  • Connects to external domains.

  • It can be managed remotely from multiple locations.

    Active Directory Domain Services:

  • Stores centralized data, manages communication and search.

  • Authenticates users so they can access encrypted content.

  • Manages single-sign on (SSO) user authentication.

  • Limits content access via encryption.

Network drives

Network drives are installed on a network and shared with selected users. They offer the same data storage and services as a standard disk drive.

  • Network drives can be located anywhere.
  • Network drives appear alongside local drive.
  • Network drives can be installed on computers, servers, NAS units, or portable drives.

Network file and print sharing

File and Printer Sharing is part of the Microsoft Networks services.

  • Appear alongside local drives
  • Accessed via a web browser
  • Appears in the printer options

Network Storage Types

Network storage is digital storage that all users on a network can access.

  • Small networks might rely on a single device for the storage needs of 1–5 people.
  • Large networks (like the Internet) must rely on hundreds of datacenters full of servers.

Storage Area Network (SAN)

A SAN combines servers, storage systems, switches, software, and services to provide secure, robust data transfers.

  • Better application performance.
  • Central and consolidated.
  • Offsite (data protected and ready for recovery)
  • Simple, centralized management of connections and settings.

Network Attached Storage (NAS)

A NAS device is a local file server. It acts as a hard drive for all devices on a local network.

  • Convenient sharing across network devices.
  • Better performance through RAID configuration.
  • Remote Access
  • Work when the Internet is down.

Difference between NAS and SAN

Storage Types and Network Sharing Storage Types and Network Sharing

Cloud-based Storage Devices

Cloud storage

Cloud storage is when files and applications are stored and engaged with via the Internet.

  • Cloud companies manage data centers around the world to keep applications functioning properly, and user data stored securely.

    Public Cloud: Provide offsite storage for Internet users.

    Private Cloud: Provides collaboration and access to private network users.

    Hybrid Cloud: A mix of both. Provides public sharing and restricted private areas via cloud storage and cloud-hosted apps.

File, Block, and Object storage

Cloud companies use multiple data storage types depending on how often they need to access different data and the volume of that data.

File Storage

File storage saves all data in a single file and is organized by a hierarchical path of folders and subfolders. File storage uses app extensions like .jpg or .doc or .mp3.

  • Familiar and easy for most users
  • User-level customization
  • Expensive
  • Hard to manage at larger scale

Block Storage

Block Storage splits data into fixed blocks and stores them with unique identifiers. Blocks can be stored in different environments (like one block on Windows, and the rest in Linux). When a block is retrieved, it’s reassembled with associated blocks to recreate the original data.

  • Default storage for data that is frequently updated.
  • Fast, reliable, easy to manage.
  • No metadata, not searchable, expensive.
  • Used in databases and email servers.

Object Storage

Object Storage divides data into self-contained units stored at the same level. There are no subdirectories like in file storage.

  • Users metadata for fast searching.
  • Each object has a unique number.
  • Requires an API to access and manage objects.
  • Good for large amounts of unstructured data.
  • Important for AI, machine learning, and big data analytics.

Storage gateways

A storage gateway is a service that connect on-premises devices with cloud storage.

Storage Types and Network Sharing Storage Types and Network Sharing

Archival storage

Storage Types and Network Sharing Storage Types and Network Sharing

Backups and snapshots

Storage Types and Network Sharing Storage Types and Network Sharing

Subsections of Cybersecurity Essentials

Common Security Threats and Risks

Confidentiality, Integrity, and Availability Concerns

The CIA Triad

Common Security Threats and Risks Common Security Threats and Risks

Regulatory Standards

Common Security Threats and Risks Common Security Threats and Risks

Importance of Security and Information Privacy

Data and information assets

An information asset is information or data that is of value.

Common Security Threats and Risks Common Security Threats and Risks

Information assets can exist physically (paper, disks, other media) or they can exist electronically, in databases and files.

Intellectual property (IP)

IP refers to creations of the mind and generally are not tangible. It’s protected by copyright, trademark, and patent law.

  • Industrial designs

  • Trade secrets

  • Research discoveries

    Even some employee knowledge is considered intellectual property.

    Companies use a legally binding document called an NDA to prevent the sharing of sensitive information.

Digital products

Digital products are non-tangible assets a company owns.

It includes:

  • Software

  • Online music

  • E-book or audiobooks

  • Web elements like WordPress or Shopify themes

    A company must protect digital products from piracy and reserse-engineering.

  • DRM is code added directly to files that helps prevent digital assets from being copied or pirated.

  • The DMCA makes it illegal to bypass copy protections or to develop technology that helps bypass copy protections.

Confidential Information

Common Security Threats and Risks Common Security Threats and Risks

Properly handling confidentiality means:

  • Restricting access
  • Not allowing unauthorized views or copies
  • Storing information securely
  • Destroying unneeded files
  • Getting consent
  • Ensuring employees use strong passwords and change them regularly

Security Threats and Ways of Breaches

  • Hardware/physical threats due to weak security or poor practices.
  • Data leaks
  • Data Breach
  • Data Dump
  • Dumpster Diving
  • Software Threats
    • Software or license theft
    • Exploits
    • Malware
      • Viruses
        • Program viruses
        • Macro Viruses
        • Stealth viruses
        • Polymorphic Viruses
      • Worms
      • Trojans
      • Exploits
      • Spyware
      • Adware
      • Ransomware

Different Types of Security Threats

  • Impersonation
    • Public Wi-Fi
    • Websites
    • Social Engineering
  • Snooping
    • Eavesdropping
    • Man in the middle
      • Physical
      • Logical
      • Spoofing
      • Hijacking
      • Theft of browser cookies
    • Replay
  • Password cracking
    • Brute force attacks
    • Dictionary attacks
    • Rainbow attacks
  • Unauthorized information alteration
    • Threats for
      • Financial records
      • Vote totals
      • Health records
      • News stories
    • Tools to avoid this:
      • File integrity monitoring (FIM)
      • Relational database management system (RDBMS)
      • Denial of service
        • Buffer overflow
        • ICMP flood
        • SYN flood
        • DDoS attack

Password Management and Security Best Practices

Password Management Techniques

  • Password Policies
  • Creating better passwords
  • Password Confidentiality
  • Password reuse
  • Password expiration
  • 2FA
  • MFA
  • Password Managers

Identification factors

Identification factors are pieces of information that only you and an authentication service know.

Security Best Practices Security Best Practices

Single sign-on

SSO verifies users for connected accounts or apps, so they only have to log in once.

  • Businesses use SSO to simplify and speed up access to resources.
  • IT departments set up SSO, so employees are automatically logged in when they log into their work networks.

Authentication, Authorization, and Accounting

The three A’s

There are three processes involved in logging in to a network or account.

Security Best Practices Security Best Practices

Access control

  • Rules of the least privilege (ROLP)
  • Role-based access control (RBAC) follows a company’s org chart.

Authorization

Authorization is when you have permissions to access a location or do an action.

Access control must be setup before authorization is granted.

Authorization must be set up for your user account before you’re able to log in.

Authentication

Authentication is the act of confirming the identity of a user.

Security Best Practices Security Best Practices

Accounting

Digital accounting is used in troubleshooting, security analysis, forensics, and hacking.

Security Best Practices Security Best Practices

Non-repudiation

Non-repudiation is when you can’t deny being in a specific location. It guarantees a message sent between two parties is genuine.

Security Best Practices Security Best Practices

Ways to Hardening Devices

  • Device hardening
  • Patching updates
  • Firmware updates
    • Secure boot
    • TPM
    • Drive Encryption
  • Encryption
  • Device lock
  • Disable features and ports
    • Autorun
    • Bluetooth
    • NFC
  • Apps that harden
    • Antivirus
    • Anti-malware
    • Ani-spyware
    • Software firewalls and VPNS
  • Change default password and disable admin accounts

Device hardening

Hardening is the process of securing a device to minimize vulnerabilities.

Harden devices by:

  • Disabling unneeded features.

  • Updating firmware, OS, and software.

  • Using firewalls, VPN, and anti-malware.

    The more layers of security you use, the safer your data and devices will be.

Validation and Device Usage

  • Software sources validation
  • Use OEM websites
  • Avoid third-party websites or use with caution
  • Uninstall unwanted software (bloatware)
  • Keep your computer safe while browsing
  • Firewalls and VPNs
  • Disable admin accounts
  • Keep software updated

Encryption concepts

Security Best Practices Security Best Practices

Public Key Infrastructure (PKI)

PKI is when a user is validated with a digital certificate by a Certificate Authority (CA).

Cryptographic hashes

A cryptographic hash is a short string of numbers and letters created by running a password or file through an algorithm.

Email and Spam Management

Managing email

Email management is classifying email messages and deciding whether they should be saved or deleted.

  • Keep inbox clean
  • Organize with folders
  • Filter with rules
  • Unsubscribe
  • Turn off notifications

Identify and manage spam

Spam is unwanted, unsolicited email. Some spam is harmless, but it can be dangerous when scammers use it for phishing or fraud.

To reduce spam:

  • Don’t give out your email address.
  • Use throwaway accounts.
  • Configure settings to block spam.
  • Use a full-featured mail app.

Security Concerns and Safe Browsing

Application Ecosystem Security

Mobile applications

  • Weak passwords

  • Malware

  • Poorly designed apps

    Safe Browsing Practices Safe Browsing Practices

Rooting and Jail breaking

  • Add functionality but also adds vulnerability

Desktop Software

  • Weak passwords

  • Not physically secure

  • Non-HTTPS browsing

    Safe Browsing Practices Safe Browsing Practices

Business software

Business software automates transactions, mines sales data, manages information, and more.

Safe Browsing Practices Safe Browsing Practices

Corporate network

To protect files, systems, and resources, businesses must limit access.

Safe Browsing Practices Safe Browsing Practices

Safe Browsing Practices Safe Browsing Practices

Public Browsing Risks

Free and Open networks

Safe Browsing Practices Safe Browsing Practices

Public browsing risks

  • Session hijacking
  • Shoulder surfing

Social Networking Sites

Safe Browsing Practices Safe Browsing Practices

Instant messaging

Safe Browsing Practices Safe Browsing Practices

Internet browser and versions

Safe Browsing Practices Safe Browsing Practices

Cookies

Cookies are text files with small pieces of data.

Safe Browsing Practices Safe Browsing Practices

Cookie types:

  • Session cookies
  • Persistent cookies
  • Authentication cookies
  • First-party cookies
  • Third-party cookies
  • Zombie cookies

Security certificates

Secure sockets layer (SSL) certificates authenticate a website’s identity and enable an encrypted connection between a web server and a browser.

Safe Browsing Practices Safe Browsing Practices

Browser updates

Because browsers are a favorite target for hackers, keeping them updated is very important.

Safe Browsing Practices Safe Browsing Practices

Safe Browsing Techniques

Autofill management

Safe Browsing Practices Safe Browsing Practices

Browser cache and history

A browser cache is a storage data that holds downloads of web pages you’ve visited.

Safe Browsing Practices Safe Browsing Practices

Private browsing

  • You appear as a new or unknown user on the sites you visit.
  • Other people who use the device won’t see your history.
  • Cookies and site data are deleted when you exit the browser.
  • But private browsing activity isn’t hidden from your employer, school, or ISP.
  • Bookmarks you create will be kept.
  • Downloaded files are saved and may be visible to other users.

Malicious websites

Safe Browsing Practices Safe Browsing Practices

Safe websites

Identifying safe websites is more significant than ever.

Safety tips include:

  • Use the Whois Lookup tool
  • Look for reviews
  • Only visit HTTPS sites
  • Check the trust seal
  • Inspect URLs

Adware and popups

Safe Browsing Practices Safe Browsing Practices

Redirection

The aim of redirection is to point you towards certain types of advertising or dangerous code.

Redirection is caused by:

  • Unwanted toolbars or browser extensions

  • Malware that alerts searches and URLs

  • Hacked websites servers that redirect visitors

    To avoid hijacking and redirection:

  • Set automatic updates for your browser, OS, and security tools.

  • Run regular system scans.

Warning signs

Search engines use algorithms to detect harmful sites. Browsers use those results to warn users.

Safe Browsing Practices Safe Browsing Practices

Security Threats: Virtual Private Networks

Safe Browsing Practices Safe Browsing Practices

VPN types:

  • Site-to-site VPN
  • Host-to-site VPN
  • Host-to-host VPN

VPN hardware

VPN hardware devices are:

  • Devices specifically designed to create VPNs

  • Network devices with added VPN functionality

    Safe Browsing Practices Safe Browsing Practices

Internet Protocol Security (IPsec)

IPsec is a suite of network standards and protocols that use cryptography to protect data traveling over the Internet.

IPsec suite core protocols:

  1. IPsec Authentication Header (AH) protocol: - Authenticates senders and IP addresses

  2. Encapsulating Security Payload (ESP) protocol: - Encrypts data - Authenticates data and senders

The IPsec suite has two modes:

Safe Browsing Practices Safe Browsing Practices

The IPsec suite uses:

Safe Browsing Practices Safe Browsing Practices

Subsections of Cloud Computing

Overview of Cloud Computing

Definition and Essential Characteristics of Cloud Computing

Cloud computing (NIST)

A model for enabling convenient, on-demand network access to a shared pool of configurable computing resources with minimal management effort or service provider interaction.

Examples of computing resources include:

  • Networks
  • Servers
  • Applications
  • Services

Cloud model

  • 5 Essential characteristics
  • 3 Deployment models
  • 3 Service models

5 Essential characteristics

Overview of Cloud Computing Overview of Cloud Computing

  • Cloud Computing as a Service

    Overview of Cloud Computing Overview of Cloud Computing

3 Types of cloud deployment models

  1. Public
  2. Hybrid
  3. Private

3 Service models

Three layers in a computing stack:

  1. Infrastructure (IaaS)
  2. Platform (PaaS)
  3. Application (SaaS)

History and Evolution of Cloud Computing

In the 1950s:

  • Large-scale mainframes with high-volume processing power.

  • The practice of time-sharing, or resource pooling, evolved.

  • Multiple users were able to access the same data storage layer and CPU power.

    In the 1970s:

  • Virtual Machine (VM)

  • Mainframes to have multiple virtual systems, or virtual machines, on a single physical node

Cloud: Switch from CapEx to OpEx

Overview of Cloud Computing Overview of Cloud Computing

Key Considerations for Cloud Computing

Key Drivers for moving to cloud

Overview of Cloud Computing Overview of Cloud Computing

Infrastructure and Workloads

  • The cost of building and operating data centers can become astronomical.
  • Low initial costs and pay-as-you-go attributes of cloud computing can add up to significant cost savings.

SaaS and development platforms

  • Organizations need to consider if paying for application access is a more viable option than purchasing off-the-shelf software and subsequently investing in upgrades

Speed and Productivity

  • Organizations also need to consider what it means to them to get a new application up and running in ‘x’ hours on the cloud versus a couple of weeks, even months on traditional platforms.
  • Also, the person-hour cost efficiencies increases from using cloud dashboards, real-time statistics, and active analytics.

Risk Exposure

  • Organizations need to consider the impact of making a wrong decision – their risk exposure.
  • Is it safer for an organization to work on a 12-month plan to build, write, test, and release the code if they’re certain about adoption?
  • And is it better for them to “try” something new paying-as-you-go rather than making long-term decisions based on little or no trial or adoption?

Benefits of cloud adoption

  • Flexibility
  • Efficiency
  • Strategic Value

Challenges of cloud adoption

  • Data security, associated with loss or unavailability of data causing business disruption
  • Governance and sovereignty issues
  • Legal, regulatory, and compliance issues
  • Lack of standardization in how the constantly evolving technologies integrate and interoperate
  • Choosing the right deployment and service models to serve specific needs
  • Partnering with the right cloud service providers
  • Concerns related to business continuity and disaster recovery

Key Cloud Service Providers and Their Services

Future of Cloud Computing

Overview of Cloud Computing Overview of Cloud Computing

Cloud Service Providers

Overview of Cloud Computing Overview of Cloud Computing

Alibaba Cloud

Overview of Cloud Computing Overview of Cloud Computing

Amazon Web Services

Overview of Cloud Computing Overview of Cloud Computing

Google Cloud Platform

Overview of Cloud Computing Overview of Cloud Computing

IBM Cloud

Overview of Cloud Computing Overview of Cloud Computing

Microsoft Azure

Overview of Cloud Computing Overview of Cloud Computing

Oracle Cloud

Overview of Cloud Computing Overview of Cloud Computing

Salesforce

Overview of Cloud Computing Overview of Cloud Computing

SAP

Overview of Cloud Computing Overview of Cloud Computing

Business Case for Cloud Computing

Cloud Adoption – No longer a choice

  • It is no longer a thing of the future

  • Single individual to Global multi-billion dollar enterprise, anybody can access the computing capacity they need on the cloud.

    Cloud makes it possible for businesses to:

  • Experiment

  • Fail

  • Learn Faster than ever before with low risk.

  • Businesses today have greater freedom to change course than to live with the consequences of expensive decisions taken in the past.

  • To remain, competitive, businesses need to be able to respond quickly to marketplace changes.

  • Product lifecycles have shortened, and barriers to entry have become lower.

  • The power, scalability, flexibility, and pay-as-you-go economics of cloud has made it underpinning foundation for digital transformation.

Emerging Technologies Accelerated by Cloud

Internet of Things in the Cloud

Overview of Cloud Computing Overview of Cloud Computing

Artificial Intelligence on the Cloud

AI, IoT, and the Cloud

Overview of Cloud Computing Overview of Cloud Computing

BlockChain and Analytics in the Cloud

Blockchain & Cloud

Overview of Cloud Computing Overview of Cloud Computing

A 3-Way Relationship

Overview of Cloud Computing Overview of Cloud Computing

Analytics on the Cloud

How can analytics technology leverage the cloud?

  • Track trends on social media to predict future events
  • Analyze data to build machine learning models in cognitive applications
  • Data analytics and predictions maintenance solutions for city infrastructure

Cloud Computing Models

Overview of Cloud Service Models

  • IaaS
  • PaaS
  • SaaS

IaaS – Infrastructure as a Service

It is a form of cloud computing that delivers fundamentals:

  • compute

  • network

  • storage to consumers on-demand, over the internet, on a pay-as-you-go basis.

    The cloud provider hosts the infrastructure components traditionally present in an on-premises data center, as well as the virtualization or hypervisor layer.

IaaS Cloud

The ability to track and monitor the performance and usage of their cloud services and manage disaster recovery.

Cloud Computing Models Cloud Computing Models

  • End users don’t interact directly with the physical infrastructure, but experience it as a service provided to them.

  • Comes with supporting services like auto-scaling and load balancing that provide scalability and high performance.

  • Object storage is the most common mode of storage in the cloud, given that it is highly distributed and resilient.

    Cloud Computing Models Cloud Computing Models

IaaS use cases

Test and Development

  • Enable their teams to set up test and development environments faster.
  • Helping developers focus more on business logic than infrastructure management.

Business Continuity and Disaster Recovery

  • Require a significant amount of technology and staff investment.
  • Make applications and data accessible as usual during a disaster or outage.

Faster Deployments and Scaling

  • To deploy their web applications faster.
  • Scale infrastructure up and down as demand fluctuates.

High Performance Computing

  • To solve complex problems involving millions of variables and calculations

Big Data Analysis

  • Patterns, trends, and associations requires a huge amount of processing power.
  • Provides the required high-performance computing, but also makes it economically viable.

IaaS Concerns

  • Lack of transparency
  • Dependency on a third party

PaaS – Platform as a Service

PaaS

A cloud computing model that provides a complete application platform to:

  • Develop
  • Deploy
  • Run
  • Manage

PaaS Providers Host and Manages

Installation, configuration, operation of application infrastructure:

  • Servers

  • Networks

  • Storage

  • Operating system

  • Application runtimes

  • APIs

  • Middleware

  • Databases

    User manages: Application Code

    Cloud Computing Models Cloud Computing Models

Essential Characteristics of PaaS

  • High level of abstraction
    • Eliminate complexity of deploying applications
  • Support services and APIs
    • Simplify the job of developers
  • Run-time environments
    • Executes code according to application owner and cloud provider policies
  • Rapid deployment mechanisms
    • Deploy, run, and scale applications efficiently
  • Middleware capabilities
    • Support a range of application infrastructure capabilities

Use Cases of PaaS

  • API development and management
  • Internet of Things (IoT)
  • Business analytics/intelligence
  • Business Process Management (BPM)
  • Master data management (MDM)

Advantages of PaaS

  • Scalability
  • Faster time to market
  • Greater agility and innovation

PaaS available offerings

Cloud Computing Models Cloud Computing Models

Risks of PaaS

  • Information security threats
  • Dependency on service provider’s infrastructure
  • Customer lack control over changes in strategy, service offerings, or tools

SaaS – Software as a Service

A cloud offering that provides access to a service provider’s cloud-based software.

Provider maintains:

  • Servers

  • Databases

  • Application Code

  • Security

    Providers manages application:

  • Security

  • Availability

  • Performance

SaaS Supports

  • Email and Collaboration
  • Customer Relationship Management
  • Human Resource Management
  • Financial Management

Key Characteristics

  • Multi-tenant architecture
  • Manage Privileges and Monitor Data
  • Security, Compliance, Maintenance
  • Customize Applications
  • Subscription Model
  • Scalable Resources

Key Benefits

  • Greatly reduce the time from decision to value
  • Increase workforce productivity and efficiency
    • Users can access core business apps from anywhere
    • Buy and deploy apps in minutes
  • Spread out software costs over time

Use Cases for SaaS

Organizations are moving to SaaS to:

  • Reduce on-premise IT infrastructure and capital expenditure

  • Avoid ongoing upgrades, maintenance, and patching

  • Run applications with minimal input

  • Manage websites, marketing, sales, and operations

  • Gain resilience and business continuity of the cloud provider

    Trending towards SaaS integration platforms.

SaaS Concerns

  • Data ownership and data safety
  • Third-party maintains business-critical data
  • Needs good internet connection

Deployment Models

Public Cloud

Cloud Computing Models Cloud Computing Models

Public Cloud providers in the market today

Cloud Computing Models Cloud Computing Models

Public cloud characteristics

Cloud Computing Models Cloud Computing Models

Public cloud benefits

Cloud Computing Models Cloud Computing Models

Public cloud concerns

Cloud Computing Models Cloud Computing Models

Public cloud use cases

  • Building and testing applications, and reducing time-to-market for their products and services.
  • Businesses with fluctuating capacity and resourcing needs.
  • Build secondary infrastructures for disaster recovery, data protection, and business continuity.
  • Cloud storage and data management services for greater accessibility, easy distribution, and backing up their data.
  • IT departments are outsourcing the management of less critical and standardized business platforms and applications to public cloud providers.

Private Cloud

“Cloud infrastructure provisioned for exclusive use by a single organization comprising multiple consumers, such as the business units within the organization. It may be owned, managed, and operated by the organization, a third party, or some combination of them, and it may exist on or off premises.”

Internal or External

Cloud Computing Models Cloud Computing Models

Virtual Private Cloud (VPC)

An external cloud that offers a private, secure, computing environment in a shared public cloud.

Cloud Computing Models Cloud Computing Models

Best of Both Worlds

Cloud Computing Models Cloud Computing Models

Benefits of Private Clouds

Cloud Computing Models Cloud Computing Models

Common Use Cases

Cloud Computing Models Cloud Computing Models

Hybrid Cloud

Connects an organization on-premise private cloud and third-party public cloud.

It gives them:

  • Flexibility

  • Workloads move freely

  • Choice of security and regulation features

    With proper integration and orchestration between the public and private clouds, you can leverage both clouds for the same workload. For example, you can leverage additional public cloud capacity to accommodate a spike in demand for a private cloud application also known as “cloud bursting”.

The Three Tenets

Cloud Computing Models Cloud Computing Models

Types of Hybrid Clouds

Cloud Computing Models Cloud Computing Models

Benefits

  • Security and compliance
  • Scalability and resilience
  • Resource optimization
  • Cost-saving
  • A hybrid cloud lets organizations deploy highly regulated or sensitive workloads in a private cloud while running the less-sensitive workloads on a public cloud.
  • Using a hybrid cloud, you can scale up quickly, inexpensively, and even automatically using the public cloud infrastructure, all without impacting the other workloads running on your private cloud.
  • Because you’re not locked-in with a specific vendor and also don’t have to make either-or- decisions between the different cloud models, you can make the most cost-efficient use of your infrastructure budget. You can maintain workloads where they are most efficient, spin-up environments using pay-as-you-go in the public cloud, and rapidly adopt new tools as you need them.

Hybrid Cloud Use Cases

  • SaaS integration
  • Data and AI integration
  • Enhancing legacy apps
  • VMware migration

Components of Cloud Computing

Overview of Cloud Infrastructure

After choosing the cloud service model and the cloud type offered by vendors, customers need to plan the infrastructure architecture. The infrastructure layer is the foundation of the cloud.

Region

It is a geographic area or location where a cloud provider’s infrastructure is clustered, and may have names like NA South or US East.

Availability Zones

  • Multiple Availability Zones (AZ)

  • Have their own power, cooling, networking resources

  • Isolation of zones improves the cloud’s fault tolerance, decrease latency, and more

  • very high bandwidth connectivity with other AZs, Data Centers and the internet

    Components of Cloud Computing Components of Cloud Computing

Computing Resources

Cloud providers offer several compute options:

  • Virtual Servers (VMs)
  • Bare Metal Servers
  • Serverless (Abstraction)

Storage

Virtual servers come with their default local storage, but the stored documents are lost as we destroy the servers. Other more persistent options are:

  • Traditional Data Centers:
    • Block Storage
    • File Storage
  • Often struggle with scale, performance and distributed characteristics of cloud.
  • The most common mode of storage
    • Object Storage
  • It is highly distributed and resilient

Networking

Networking infrastructure in a cloud datacenter include traditional networking hardware like:

  • routers

  • switches

    For users of the Cloud, the Cloud providers have Software Defined Networking (SDN), which allows for easier networking:

  • provisioning

  • configuration

  • management

    Components of Cloud Computing Components of Cloud Computing

    Networking interfaces in the cloud need:

  • IP address

  • Subnets

    It is even more important to configure which network traffic and users can access your resources:

  • Security Groups

  • ACLs

  • VLANs

  • VPCs

  • VPNs

    Some traditional hardware appliances:

  • firewalls

  • load balancers

  • gateways

  • traffic analyzers

    Another networking capability provided by the Cloud Providers is:

  • CDNs

Types of Virtual Machines

Shared or Public Cloud VMs

Components of Cloud Computing Components of Cloud Computing

Transient or Spot VMs

  • The Cloud provider can choose to de-provision them at any time and reclaim the resources

    These VMs are great for:

  • Non-production

  • Testing and developing applications

  • Running stateless workloads, testing scalability

  • Running big data and HPC workloads at a low cost

    Components of Cloud Computing Components of Cloud Computing

Reserved virtual server instances

  • Reserve capacity and guarantee resources for future deployments

  • If you exceed your reserved capacity, complement it with hourly or monthly VMs Note: Not all predefined VMs families or configuration may be available as reserved.

    Components of Cloud Computing Components of Cloud Computing

Dedicated Hosts

  • Single tenant isolation
  • Specify the data center and pod
  • This allows for maximum control over workload placement
  • Used for meeting compliance and regulatory requirements or licensing terms

Bare Metal Servers

A bare metal server is a single-tenant, dedicated physical server. In other words, it’s dedicated to a single customer.

  • Cloud Provider manages the server up to the OS.
  • The Customer is responsible for administering and managing everything else on the server.

Bare Metal Server Configuration

  • Preconfigured by the cloud provider
  • Custom-configured as per customer specifications
    • Processors

    • RAM

    • Hard drives

    • Specialized components

    • The OS

      Add GPUs:

  • Accelerating scientific computation
  • Data analytics
  • Rendering professional grade virtualized graphics

Characteristics

  • Can take longer to provision
  • Minutes to hours
  • More expensive than VMs
  • Only offered by some cloud providers

Workloads

  • Fully customizable/ demanding environments

  • Dedicated or long-term usage

  • High Performance Computing

  • Highly secure / isolated environments

    Components of Cloud Computing Components of Cloud Computing

Bare-metal server vs. Virtual Servers

Bare Metal Virtual Servers
Work best for: CPU and I/O intensive workloads Rapidly provisioned
Excel with the highest performance and security
Satisfy strict compliance requirements Provide an elastic and scalable environment
Offer complete flexibility, control, and transparency
Come with added management and operational over head Low cost to use

Secure Networking in Cloud

Networking in Cloud vs. On Premise

Components of Cloud Computing Components of Cloud Computing

To create a network in cloud:

  • Define the size of the Network using IP address range, e.g.,: 10.10.0.0/16

    Components of Cloud Computing Components of Cloud Computing

Direct Connectivity

Components of Cloud Computing Components of Cloud Computing

Building a Cloud

It entails creating a set of logical constructs that deliver networking functionality akin to data center networks for securing environments and ensuring high performing business applications.

Containers

Containers are an executable unit of software in which application code is packaged, along with its libraries and dependencies, in common ways so that it can be run anywhere—desktops, traditional IT, or the cloud. Containers are lighter weight and consume fewer resources than Virtual Machines.

  • Containers streamline development and deployment of cloud native applications
  • Fast
  • Portable
  • Secure

Cloud Storage and Content Delivery Networks

Basics of Storage on the Cloud

  • Direct Attached/Local Storage

    • Within the same server or rack
    • Fast
    • Use for OS
    • Not suitable
      • Ephemeral (Temporary)
      • Not shared
      • Non-resilient
  • File Storage

    • Disadvantages
      • Slower
    • Advantages
      • Low cost

      • Attach to multiple servers

        Components of Cloud Computing Components of Cloud Computing

  • Block Storage

    • Advantages
      • Faster read/write speeds

        Components of Cloud Computing Components of Cloud Computing

  • Object Storage

  • Disadvantages

    • Slowest speed
  • Advantages

    • Least expensive

    • Infinite in size

    • Pay for what you use

      Components of Cloud Computing Components of Cloud Computing

File Storage

Like Direct attached:

  • Attached to a compute node to store data

    Unlike Direct attached:

  • Less expensive

  • More resilient to failure

  • Less disk management and maintenance for user

  • Provision much larger amounts of Storage

    File storage is mounted from remote storage appliances: Components of Cloud Computing Components of Cloud Computing

  • Resilient to failure

  • Offer Encryption

  • Managed by service provider

    File storage is mounted on compute nodes via Ethernet networks: Components of Cloud Computing Components of Cloud Computing

Multiple Compute Nodes

  • File storage can be mounted onto more than one compute node
  • Common Workloads:
    • Departmental file share

    • ‘Landing zone’ for incoming files

    • Repository of files

      i.e., speed variance is not an issue

  • Low cost database storage

IOPS

Input/Output Operations Per Second – the speed at which disks can write and read data.

  • Higher IOPS value = faster speed of underlying disk
  • Higher IOPS = higher costs
  • Low IOPS value can become a bottleneck

Block Storage

What is Block Storage?

Block storage breaks files into chunks (or block) of data.

  • Stores each block separately under a unique address.

  • Must be attached to a compute node before it can be utilized.

    Advantages:

  • Mounted from remote storage appliances

  • Extremely resilient to failure

  • Data is more secure

    Mounted as a volume to compute nodes using a dedicated network of optical fibers:

  • Signals move at the speed of light

  • Higher price-point

  • Perfect for workloads that need low-latency

  • Consistent high speed

  • Databases and mail servers

  • Not suitable for shared storage between multiple servers

IOPS

For block storage, as it is for file storage, you need to take the IOPS capacity of the storage into account:

  • Specify IOPS characteristics
  • Adjust the IOPS as needed
  • Depending on requirements and usage behavior

Common Attributes of File and Block Storage

  • Block and File Storage is taken from appliances which are maintained by the service provider
  • Both are highly available and resilient
  • Often include data encryption at rest and in transit

Differences: File Storage vs. Block Storage

File Storage Block Storage
Attached via Ethernet network Attached via high-speed fiber network
Speeds vary, based on load Only attach to one node at a time
Can attach to multiple computer nodes at once
Good for file share where:
1) Fast connectivity isn’t required Good for applications that need:
2) Cost is a factor 1) Consistent fast access to disk

Remember: Consider workload IOPS requirements for both storage types.

Object Storage

  1. Object storage can be used without connecting to a particular compute node to use it:

Components of Cloud Computing Components of Cloud Computing

  1. Object storage is less expensive than other cloud storage options
  2. The most important thing to note about Object Storage is that it’s effectively infinite - With Object Storage, you just consume the storage you need and pay per gigabyte cost for what you use.

When to use Object Storage:

  • Good for large amounts of unstructured data
  • Data is not stored in any kind of hierarchical folder or directory structure

Object Storage Buckets

Components of Cloud Computing Components of Cloud Computing

Components of Cloud Computing Components of Cloud Computing

Managed by Service Provider

Components of Cloud Computing Components of Cloud Computing

Object Storage – Resilience Options

Components of Cloud Computing Components of Cloud Computing

Object Storage – Use Cases

  • Any Data which is static and where fast read and write speeds are not necessary
    • Text files

    • Audio files

    • Video files

    • IoT Data

    • VM images

    • Backup files

    • Data Archives

      Not suitable for operating systems, databases, changing content.

Object Storage – Tiers and APIs

Object Storage Tiers

Components of Cloud Computing Components of Cloud Computing

Standard Tier

  • Store objects that are frequently accessed
  • Highest per gigabyte cost

Vault/Archive Tier

  • Store objects that are accessed once or twice a month
  • Low storage cost

Cold Vault Tier

  • Store data that is typically accessed once or twice a year
  • Costs just a fraction of a US cent per/GB/month
Automatic archiving rules
  • Automatic archiving rules for your data
  • Automatically be moved to a cheaper storage tier if object isn’t accessed for long

Object Storage – Speed

  • Doesn’t come with IOPS options
  • Slower than file or block storage
  • Data in ‘cold vault’ buckets, can take hours for retrieval
  • Object storage not suitable for fast access to files.

Object Storage – Costs

  • Object Storage is priced per/GB

  • Other costs related to retrieval of the data e.g., Higher access costs for cold vault tiers

    Ensure data is stored in correct tier based on frequency of access.

Application Programming Interface, or API

Components of Cloud Computing Components of Cloud Computing

Object Storage – Backup solutions

  • Effective solution for Backup and Disaster Recovery
  • Replacement for offsite backups
  • Many backup solutions come with built-in options for Object Storage on Cloud
  • More efficient than tape backups for geographic redundancy

CDN – Content Delivery Network

  • Accelerates content delivery to users of the websites, by caching the content in data centers near their locations.
  • Makes websites faster.
  • Reduction in load on servers
  • Increase uptime
  • Security through obscurity

Hybrid Multi-Cloud, Microservices, and Serverless

Hybrid Multi-cloud

A computing environment that connects an organization’s on-premise private cloud and third-party public cloud into a single infrastructure for running the organization’s applications.

Hybrid Multicloud use cases

  • Cloud scaling
  • Composite cloud
  • Modernization
  • Data and AI
  • Prevent lock-in to a particular cloud vendor and having a flexibility to move to a new provider of choice

Microservices

Microservices architecture:

  • Single application
  • coupled and independently deployable smaller components or services
    • These services typically have their own stack running on their own containers.
  • They communicate with one another over a combination of:
    • APIs
    • Even streaming
    • Message brokers

What this means for businesses is:

  • Multiple developers working independently
  • Different stacks and runtime environments
  • Independent scaling

Serverless Computing

Offloads responsibility for common infrastructure management tasks such as:

  • Scaling
  • Scheduling
  • Patching
  • Provisioning

Key attributes

Attributes that distinguish serverless computing from other compute models:

  • No provisioning of servers and runtimes
  • Runs code on-demand, scaling as needed
  • Pay only when invoked and used i.e., not when underlying computer resources are idle.

Serverless

  • Abstracts the infrastructure away from developers
  • Code executed as individual functions
  • No prior execution context is required

A Scenario

Emerging Trends and Practices Emerging Trends and Practices

Serverless computing services

  • IBM Cloud Functions
  • AWS Lambda
  • Microsoft Azure Functions

Determining Fit with Serverless

  • Evaluate application characteristics

  • Ensure that the application is aligned to serverless architecture patterns

    Applications that qualify for a serverless architecture include:

  • Short-running stateless functions

  • Seasonal workloads

  • Production volumetric data

  • Event-based processing

  • Stateless microservices

Use Cases

Serverless architecture are well-suited for use cases around:

  • Data and event processing

  • IoT

  • Microservices

  • Mobile backends

    Serverless is well-suited to working with:

  • Text

  • Audio

  • Image

  • Video

    Tasks:

  • Data enrichment

  • Transformation

  • Validation and cleansing

  • PDF processing

  • Audio normalization

  • Thumbnail generation

  • Video transcoding

  • Data search and processing

  • Genome processing

    Data Streams:

  • Business

  • IoT sensor data

  • Log data

  • Financial market data

Challenges

Emerging Trends and Practices Emerging Trends and Practices

Vendor Dependent Capabilities

  • Authentication

  • Scaling

  • Monitoring

  • Configuration management

    Emerging Trends and Practices Emerging Trends and Practices

Cloud Native Applications, DevOps, and Application Modernization

Cloud Native Applications

  • Developed to work only in the cloud environment
  • Refactored and reconfigured with cloud native principles

Development Principles

Whether creating a new cloud native application or modernizing an existing application:

  • Microservices Architecture
  • Rely on Containers
  • Adopt Agile Methods

Benefits

  • Innovation
  • Agility
  • Commoditization

DevOps on the Cloud

What is DevOps?

Dev Teams:

  • Design Software

  • Develop Software

  • Deliver Software

  • Run Software

    Ops Teams

  • Monitoring

  • Predicting Failure

  • Managing Environment

  • Fixing Issues

    A collaborative approach that allows multiple stakeholders to collaborate:

  • Business owners

  • Development

  • Operations

  • Quality assurance

The DevOps Approach

It applies agile and lean thinking principles to all stakeholders in an organization who develop, operate, or benefit from the business’s software systems, including customers, suppliers, partners. By extending lean principles across the software supply chain, DevOps capabilities improve productivity through accelerated customer feedback cycles, unified measurements and collaboration across an enterprise, and reduced overhead, duplication, and rework.

Using the DevOps approach:

  • Developers can produce software in short iterations
  • A continuous delivery schedule of new features and bug fixes in rapid cycles
  • Businesses can seize market opportunities
  • Accelerated customer feedback into products

DevOps Process

  • Continuous Delivery

  • Continuous Integration

  • Continuous Deployment

  • Continuous Monitoring

  • Delivery Pipeline

    Emerging Trends and Practices Emerging Trends and Practices

DevOps and Cloud

With its near limitless compute power and available data and application services, cloud computing platforms come with their own risks and challenges, which can be overcome by DevOps:

  • Tools

  • Practices

  • Processes

    DevOps provides the following solutions to cloud’s complexities:

  • Automated provisioning and installation

  • Continuous integration and deployment pipelines

  • Define how people work together and collaborate

  • Test in low-cost, production-like environments

  • Recover from disasters by rebuilding systems quickly and reliably

Application Modernization

Enterprise Applications

Emerging Trends and Practices Emerging Trends and Practices

Application Modernization

Architecture: Monoliths > SOA (Service Oriented Architecture) > Microservices

Infrastructure: Physical servers > VM > Cloud

Delivery: Waterfall > Agile > DevOps

Cloud Security, Monitoring, Case Studies, Jobs

What is Cloud Security

The security in context of cloud is a shared responsibility of:

  • User

  • Cloud Provider

  • Protect data

  • Manage access

    SEC DevOps

  • Secure Design

    • Secure Build
      • Manage Security

Identity and Access Management

Biggest cloud security concerns are:

  • Data Loss and Leakage

  • Unauthorized Access

  • Insecure Interfaces and APIs

    Identity and Access Management are:

  • First line of defense

  • Authenticate and authorize users

  • Provide user-specific access

Main types of users

A comprehensive security strategy needs to encompass the security needs of a wide audience:

  • Organizational users

  • Internet and social-based users

  • Third-party business partner organizations

  • Vendors

    There are three main type of users:

  • Administrative users

  • Developer users

  • Application users

Administrative Users

Administrators | Operators | Mangers roles that typically create, update, and delete application and instances, and also need insight into their team members’ activities.

An attacker with administrative access could:

  • Steal data from databases
  • Deploy malicious applications
  • Deface or destroy existing applications

Developer Users

Application developers | Platform developers | Application publishers

Can:

  • Read sensitive information
  • Create applications
  • Update applications
  • Delete applications

Application Users

Users of the cloud-hosted applications

Authentication and User Identity

Cloud Security, Monitoring, Case Studies, Jobs Cloud Security, Monitoring, Case Studies, Jobs

Multifactor authentication

It is used to combat identity theft by adding another level of authentication for application users.

Cloud Security, Monitoring, Case Studies, Jobs Cloud Security, Monitoring, Case Studies, Jobs

Cloud Directory Services

They are used to securely manage user profiles and their associated credentials and password policy inside a cloud environment.

  • Applications hosted on the cloud do not need to use their own user repository

Reporting

It helps provide a user-centric view of access to resources or a resource-centric view of access by users:

  • which users can access which resources

  • changes in user access rights

  • access methods used by each user

    Cloud Security, Monitoring, Case Studies, Jobs Cloud Security, Monitoring, Case Studies, Jobs

Audit and Compliance

Critical service within identity and access management framework, both for cloud provider, and cloud consumer.

Cloud Security, Monitoring, Case Studies, Jobs Cloud Security, Monitoring, Case Studies, Jobs

User and service access management

It enables cloud application/service owners to provision and de-provision:

Streamline access control based on:

  • Role
  • Organization
  • Access policies

Mitigating Risks

Some of the controls that can help secure these sensitive accounts include:

  • Provisioning users by specifying roles on resources for each user
  • Password policies that control the usage of special characters, minimum password lengths, and other similar settings
  • Multifactor authentication like time-based one-time passwords
  • Immediate provisioning of access when users leave or change roles

Access Groups

A group of users and service IDs created so that the same access can be assigned to all entities within the group with one or more access policies.

Access Policies

Access policies define how users, service IDs, and access groups in the account are given permission to access account resources.

Cloud Security, Monitoring, Case Studies, Jobs Cloud Security, Monitoring, Case Studies, Jobs

Access Group Benefits

  • Streamline access assignment process vs. assigning individual user access

  • Reduce number of policies

    Cloud Security, Monitoring, Case Studies, Jobs Cloud Security, Monitoring, Case Studies, Jobs

Cloud Encryption

Encryption

It plays a key role on cloud, and is often referred to as the last line of defense, in a layered security model.

  • Encrypts Data
  • Data Access Control
  • Key management
  • Certificate management

Definition

Scrambling data in a way that makes it illegible.

Encryption Algorithm: Defines rules by which data will be transformed

Decryption Key: Defines how encrypted data will be transformed back to legible data.

It makes sure:

  • Only authorized users have access to sensitive data.
  • When accessed without authorization, data is unreadable and meaningless.

Cloud Encryption Services

  • Can be limited to encryption of data that is identified as sensitive, or
  • end-to-end encryption of all data uploaded to the cloud

Data Protection States

Encryption at Rest:

  • Protects stored data
  • Multiple encryption options:
    • Block and file storage

    • Built-in for object storage

    • Database encryption

      Encryption in Transit:

  • Protects data while transmitting
  • Includes encrypting before transmission
  • Authenticates endpoints
  • Decrypts data on arrival
    • Secure Socket Layer (SSL)

    • Transport Layer Security (TSL)

      Encryption in Use:

  • Protects data in use in memory
  • Allows computations to be performed on encrypted text without decryption

Client or Server-side Encryption

Cloud storage encryption could be server-side or client-side.

Server-side:

  • Create and manage your own encryption keys, or

  • Generate and manage keys on cloud

    Client-side:

  • Occurs before data is sent to cloud

  • Cloud providers cannot decrypt hosted data

    There is a need to implement a singular data protection strategy across an enterprise’s on-premise, hybrid, and multi-cloud deployments.

Multi-Cloud Data Encryption

Features:

  • Data access management

  • Integrated key management

  • Sophisticated encryption

    Multi-cloud encryption console:

  • Define and manage access policies

  • Create, rotate, and manage keys

  • Aggregate access logs

Key Management

Encryption doesn’t eliminate security risk.

  • It separates the security risk from the data itself.
  • Keys need to be managed and protected against threats.

Key Management Services

They enable customers to:

  • Encrypt sensitive data at rest
  • Easily create and manage the entire lifecycle of cryptographic keys
  • Protect data from cloud service providers

Key Management Best Practices

  • Storing encryption keys separately from the encrypted data
  • Taking key backups offsite and auditing them regularly
  • Refreshing the keys periodically
  • Implementing multifactor authentication for both the master and recovery keys

Cloud Monitoring Basics and Benefits

Cloud Monitoring Solutions

Monitoring performance across an entire stack of applications and services can be time-consuming and draining on internal resources.

Cloud Monitoring Assessment

Cloud Security, Monitoring, Case Studies, Jobs Cloud Security, Monitoring, Case Studies, Jobs

Cloud Monitoring Features

Cloud monitoring includes:

  • Strategies

  • Practices

  • Processes

    Used for:

  • Analyzing

  • Tracking

  • Managing services and apps

    It also serves to provide actionable insights that can help improve availability and user experience.

Cloud Monitoring Helps to:

  • Accelerate the diagnosis and resolution of performance incidents
  • Control the cost of your monitoring infrastructure
  • Mitigate the impact of abnormal situations with proactive notifications
  • Get critical Kubernetes and container insights for dynamic microservice monitoring
  • Troubleshoot your applications and infrastructure

Cloud Monitoring Solutions Provide:

  • Data in real-time with round the clock monitoring of VMs, services, databases, apps
  • Multilayer visibility into application, user, and file access behavior across all apps
  • Advanced reporting and auditing capabilities for ensuring regulatory standards
  • Large-scale performance monitoring integrations across multicloud and hybrid cloud

Cloud Monitoring Categories

Infrastructure

  • Help identify minor and large-scale failures

    • So that developers can take corrective action

    Database

  • Help track processes, queries, and availability of services

    • To ensure accuracy and reliability

      Application Performance and Monitoring

  • Help improve user experience

  • Meet app and user SLAs

    • Minimize downtime and lower operational costs

Cloud Monitoring Best Practices

To get the most benefit from your cloud-based deployments, you can follow some standard cloud monitoring best practices.

  1. Leverage end-user experience monitoring solutions
  2. Move all aspects of infrastructure under one monitoring platform
  3. Use monitoring tools that help track usage and cost
  4. Increase cloud monitoring automation
  5. Simulate outages and breach scenarios

Cloud monitoring needs to be a priority for organizations looking to leverage the benefits of cloud technologies.

Case Studies and Jobs

Case Studies in Different Industry Verticals

  • The Weather Company migrating to the cloud to reliably deliver critical weather data at high speed, especially during major weather events such as hurricanes and tornadoes
  • American Airlines, using the cloud platform and technologies to deliver digital self-service tools and customer value more rapidly across its enterprise
  • Cementos Pacasmayo, achieving operational excellence and insight to help drive strategic transformation and reach new markets using cloud services
  • Welch choosing cloud storage to drive business value from hybrid cloud
  • Liquid Power using cloud-based SAP applications to fuel business growth

Career Opportunities and Job Roles in Cloud Computing

  • Cloud Developers

    Cloud Security, Monitoring, Case Studies, Jobs Cloud Security, Monitoring, Case Studies, Jobs

  • Cloud Integration Specialists

    Cloud Security, Monitoring, Case Studies, Jobs Cloud Security, Monitoring, Case Studies, Jobs

  • Cloud Data Engineer

    Cloud Security, Monitoring, Case Studies, Jobs Cloud Security, Monitoring, Case Studies, Jobs

  • Cloud Security Engineers

    Cloud Security, Monitoring, Case Studies, Jobs Cloud Security, Monitoring, Case Studies, Jobs

  • Cloud DevOps Engineers

    Cloud Security, Monitoring, Case Studies, Jobs Cloud Security, Monitoring, Case Studies, Jobs

  • Cloud Solutions Architects

    Cloud Security, Monitoring, Case Studies, Jobs Cloud Security, Monitoring, Case Studies, Jobs

Cybersecurity & Networks

IBM Cybersecurity Analyst Professional Certificate

IBM Cybersecurity Analyst Professional Certificate is a specialization course, which is led by industry experts. The specialization focuses on intermediary skills related to cybersecurity

This specialization has 6 courses and a Capstone project.

1. Introduction to Cybersecurity Tools and Cyberattacks

It teaches:

  • History of major cyber attacks throughout the modern history
  • Types of Threat actors (APT, hacktivist etc), and their motives

and much more…

It has following sub-modules…

2. Cybersecurity Roles, Processes and Operating System Security

It has following topics:

  • Frameworks like ISOs, ITIL, COSO etc.
  • Condentiality principle
  • How OS security works and important techniques.

and more…

It has following 4 sub-modules…

3. Cybersecurity Compliance Frameworks and System Administration

It contains following topics:

  • CFAA, NIST, GPDR, etc.
  • UEM systems, and Windows Patching.

and more…

It has 4 modules…

4. Network Security and Database Vulnerabilities

This course has following content:

  • Network transport layers
  • IPv4, IPv6 address types and OSI Model
  • Structured and unstructured database types

and much more…

It has following modules…

5. Penetration Testing, Incident Response and Forensics

It explains topics like:

  • Social Engineering, Passive and active record.
  • Digital forensics needs and methods.
  • History of scripting and scripting langs like JS, Python etc.

and much more..

This course offers 4 modules…

6. Cyber Threat Intelligence

It explains topics like:

  • Give info about different threat intelligence platform like TruStar, IBM X-Force, FireEye etc.
  • Data security and loss prevention

and much more…

It has 4 modules…

7. Cybersecurity Capstone: Breach Response Case Studies

It is a case study about LastPass Data Breach of 2022.

Expand me

UOM Cybersecurity Specialization

Cybersecurity Specialization is an advanced course offered by University of Maryland. It dives deep into the core topics related to software security, cryptography, hardware etc.

Info

My progress in this specialization came to a halt after completing the first course, primarily because the subsequent courses were highly advanced and required background knowledge that I lacked. I will resume my journey once I feel confident in possessing the necessary expertise to tackle those courses.

1. Usable Security

This course is all about principles of Human Computer Interaction, designing secure systems, doing usability studies to evaluate the most efficient security model and much more…

This course contain 6 modules…

CompTIA SY0-701 Security+ Training Course

This training course is offered by Professor Messer over on YouTube.

Tip

You can directly support Professor Messer by buying wonderfully written notes from his website.

This training course is subdivided into 6 sections:

Subsections of Cybersecurity & Networks

IBM Cybersecurity Analyst Professional Certificate

IBM Cybersecurity Analyst Professional Certificate is a specialization course, which is led by industry experts. The specialization focuses on intermediary skills related to cybersecurity

This specialization has 6 courses and a Capstone.

1. Introduction to Cybersecurity Tools and Cyberattacks

It teaches:

  • History of major cyber attacks throughout the modern history
  • Types of Threat actors (APT, hacktivist etc), and their motives

and much more…

It has following sub-modules…

2. Cybersecurity Roles, Processes and Operating System Security

It has following topics:

  • Frameworks like ISOs, ITIL, COSO etc.
  • Condentiality principle
  • How OS security works and important techniques.

and more…

It has following 4 sub-modules…

3. Cybersecurity Compliance Frameworks and System Administration

It contains following topics:

  • CFAA, NIST, GPDR, etc.
  • UEM systems, and Windows Patching.

and more…

It has 4 modules…

4. Network Security and Database Vulnerabilities

This course has following content:

  • Network transport layers
  • IPv4, IPv6 address types and OSI Model
  • Structured and unstructured database types

and much more…

It has following modules…

5. Penetration Testing, Incident Response and Forensics

It explains topics like:

  • Social Engineering, Passive and active record.
  • Digital forensics needs and methods.
  • History of scripting and scripting langs like JS, Python etc.

and much more..

This course offers 4 modules…

6. Cyber Threat Intelligence

It explains topics like:

  • Give info about different threat intelligence platform like TruStar, IBM X-Force, FireEye etc.
  • Data security and loss prevention

and much more…

It has 4 modules…

7. Cybersecurity Capstone: Breach Response Case Studies

It is a case study about LastPass Data Breach of 2022.

Expand me

Subsections of IBM Cybersecurity Analyst

Subsections of Cybersecurity Tools and Cyberattacks

History of Cybersecurity

Introduction to Cybersecurity Tools & Cyberattacks

Today’s Cybersecurity Challenge

Threats > ⇾ Alerts > ⇾ Available Analyst < -⇾ Needed Knowledge > ⇾ Available Time <

By 2022, there will be 1.8 millions unfulfilled cybersecurity jobs.

SOC(Security Operation Center) Analyst Tasks

  • Review security incidents in SIEM (security information and even management)
  • Review the data that comprise the incident (events/flows)
  • Pivot the data multiple ways to find outliers (such as unusual domains, IPs, file access)
  • Expand your search to capture more data around that incident
  • Decide which incident to focus on next
  • Identify the name of the malware
  • Take these newly found IOCs (indicators of compromise) from the internet and search them back in SIEM
  • Find other internal IPs which are potentially infected with the same malware
  • Search Threat Feeds, Search Engine, Virus Total and your favorite tools for these outliers/indicators; Find new malware is at play
  • Start another investigation around each of these IPs
  • Review the payload outlying events for anything interesting (domains, MD5s, etc.)
  • Search more websites for IOC information for that malware from the internet

From Ronald Reagan/War Games to where we are Today

  • He was a Hollywood actor as well as US-president
  • He saw a movie War Games, where a teenager hacker hacked into the Pentagon artificial intelligent computer to play a game of thermonuclear war using a dial-up connection, which was actually played using real missiles due to miss-configuration

Impact of 9/11 on Cybersecurity

  • What happens if 9/11 in tech-space? Like hack and destruction of SCADA system used in dams and industrial automation systems etc.

Nice early operations

Clipper Chip: (NSA operation for tapping landline phones using some kind of chip)

Moonlight Maze: (in the 2000s, process to dump passwords of Unix/Linux servers investigated by NSA/DOD affected many US institutions)

Solar Sunrise: (series of attack on DOD computers on FEB 1998, exploited known vulnerability of operating system, attack two teenagers in California, one of whom was an Israeli)

Buckshot Yankee: (series of compromises in year 2008, everything starts with USB inserted in Middle East military base computer, remained on the network for 14 months, Trojan used was agent.BTZ)

Desert Storm: (early 90s, some radars used to alert military forces about airplanes are tampered by feeding fake information of Saddam’s regime)

Bosnia: (Bosnia war, fake news to military field operations etc.)

Cybersecurity Introduction

  • Every minute, thousands of tweets are sent, and millions of videos are watched.
  • Due to IOT (Internet of Things) and mobile tech, we have a lot to protect.
  • We have multiple vendors now, which become complicated to track for security vulnerabilities.

Things to Consider when starting a Cybersecurity Program

How and where to start?

  • Security Program: Evaluate, create teams, baseline, identify and model threats, use cases, risk, monitoring, and control.
  • Admin Controls: Policies, procedures, standards, user education, incident response, disaster recovery, compliance and physical security.
  • Asset Management: Classifications, implementation steps, asset control, and documents.
  • Tech Controls: Network infrastructure, endpoints, servers, identity management, vulnerability management, monitoring and logging.

Cybersecurity – A Security Architect’s Perspective

What is Security?

A message is considered secure when it meets the following criteria of CIA triad.

Confidentiality ↔ Authentication ↔ Integrity

Computer Security, NIST (National Institute of Standards and Technology) defined.

“The protection afforded to an automated information system in order to attain the applicable objectives to preserving the integrity, availability, and Confidentiality of information system resources. Includes hardware, software, firmware, information/data, and telecommunications.”

Additional Security Challenges

Security not as simple as it seems

  • Easy requirements, tough solution
  • Solutions can be attacked themselves
  • Security Policy Enforcement structure can complicate solutions
  • Protection of enforcement structure can complicate solutions
  • Solution itself can be easy but complicated by protection
  • Protectors have to be right all the time, attackers just once
  • No one likes security until it’s needed, seat belt philosophy.
  • Security Architecture require constant effort
  • Security is viewed as in the way

What is Critical Thinking?

Beyond Technology: Critical Thinking in Cybersecurity

“The adaption of the processes and values of scientific inquiry to the special circumstances of strategic intelligence.”

  • Cybersecurity is a diverse, multi faced field
    • Constantly changing environment
    • Fast-paced
    • Multiple stakeholders
    • Adversary presence
  • Critical thinking forces you to think and act in situations where there are no clear answers nor specific procedures.
  • Part Art, Part Science: This is subjective and impossible to measure.

Critical Thinking: A Model

  • Hundreds of tools updating always with different working models, so critical thinking is more important than ever to approach problems in more pragmatic way.
  • Interpersonal skills for working with other people and sharing information.

Critical Thinking – 5 Key Skills

  • 1) Challenge Assumption

    • question your Assumption

    Explicitly list all Assumptions ↔ Examine each with key Q’s ↔ Categorize based on evidence ↔ refine and remove ↔ Identify additional data needs

  • 2) Consider alternatives

    Brainstorm ↔ The 6 W’s (who/what/when/where/why/how) ↔ Null hypothesis

  • 3) Evaluate data

    • Know your DATA
    • Establish a baseline for what’s normal
    • be on the lookout for inconsistent data
    • proactive
  • 4) Identify key drivers

    • Technology
    • Regulatory
    • Society
    • Supply Chain
    • Employee
    • Threat Actors
  • 5) Understand context

Operational environment you’re working in. Put yourself in other’s shoe, reframe the issue.

  • Key components
  • Factors at play
  • Relationships
  • similarities/differences
  • redefine

A Brief Overview of Types of Threat Actors and their Motives

  • Internal Users
  • Hackers (Paid or not)
  • Hacktivism
  • Governments

Motivation Factors

  • Just to play
  • Political action and movements
  • Gain money
  • Hire me! (To demonstrate what can I do for somebody to hire me or use my services)

Hacking organizations

  • Fancy Bears (US election hack)
  • Syrian Electronic Army
  • Guardians of the peace (Leaked Sony Data about film regarding Kim Jong-un to prevent its release)

Nation States

  • NSA
  • Tailored Access Operations (USA)
  • GCHQ (UK)
  • Unit 61398 (China)
  • Unit 8200 (Israel)

Major different types of cyberattacks

  • Sony Hack Play-station Hack by a Hacktivist group called Lutz (2011).
  • Singapore cyberattack Anonymous attacked multiple websites in Singapore as a protest (2013).
  • Multiple Attacks E-bay, Home-Depot, UBISOFT, LinkedIn, Gobiemos
  • Target Hack More than 100 million of credit cards were leaked (2015).

Malware and attacks

  • SeaDaddy and SeaDuke (CyberBears US Election)
  • BlackEnergy 3.0 (Russian Hackers)
  • Shamoon (Iran Hackers)
  • Duqu and Flame (Olympic Games US and Israel)
  • DarkSeoul (Lazarous and North Korea)
  • WannaCry (Lazarous and North Korea)

An Architect’s perspective on attack classifications

Security Attack Definition

Two main classifications

  • Passive attacks

    • Essentially an eavesdropping styles of attacks
    • Second class is traffic analysis
    • Hard to detect the passive nature of attack as just traffic is monitored not tampered
  • Active Attacks

    • Explicit interception and modification
    • Several classes of these attack exist Examples
    • Masquerade (Intercepting packets as someone else)
    • Replay
    • Modification
    • DDoS

Security Services

“A process or communication service that is provided by a system, to give a specific kind of protection to a system resource.”

  • Security services implement security policies. And are implemented by security mechanisms

X.800 definition: “a service provided by a protocol layer of communicating open systems, which ensures adequate security of the systems or of data transfers”

RFC 2828: “a processing or communication service provided by a system to give a specific kind of protection to system resources”

Security Service Purpose

  • Enhance security of data processing systems and information transfers of an organization
  • Intended to counter security attacks
  • Using one or more security mechanisms
  • Often replicates functions normally associated with physical documents
    • which, for example, have signatures, dates; need protection from disclosure, tampering, or destruction, be notarized or witnessed; be recorded or licensed

Security Services, X.800 style

  • Authentication
  • Access control
  • Data confidentiality
  • Data integrity
  • Non-repudiation (protection against denial by one of the parties in a communication)
  • Availability

Security Mechanisms

  • Combination of hardware, software, and processes
  • That implement a specific security policy
    • Protocol suppression, ID and Authentication, for example
  • Mechanisms use security services to enforce security policy
  • Specific security mechanisms:
    • Cryptography, digital signatures, access controls, data integrity, authentication exchange, traffic padding, routing control, notarization
  • Pervasive security mechanisms
    • Trusted functionality, security labels, event detection, security audit trails, security recovery

Network Security Model

Network Security Model Network Security Model

Security Architecture is Context

According to X.800:

  • Security: It is used in the sense of minimizing the vulnerabilities of assets and resources.
  • An asset is anything of value
  • A vulnerability is any weakness that could be exploited to violate a system or the information it contains
  • A threat is a potential violation of security

Security Architecture and Motivation

The motivation for security in open systems - a) Society’s increasing dependence on computers that are accessed by, or linked by, data communications and which require protection against various threats; - b) The appearance in several countries of “data protection” which obliges suppliers to demonstrate system integrity and privacy; - c) The wish of various organizations to use OSI recommendations, enhanced as needed, for existing and future secure systems

Security Architecture – Protection

What is to be protected? - a) Information or data; - b) communication and data processing services; and - c) equipment and facilities

Organizational Threats

The threats to a data communication system include the following

  • a) destruction of information and/or other resources
  • b) corruption or modification of information
  • c) theft, removal, or loss of information and/or other resources
  • d) disclosure of information; and
  • e) interruption of services

Types of Threats

  • Accidental threats do not involve malicious intent
  • Intentional threats require a human with intent to violate security.
  • If an intentional threat results in action, it becomes an attack.
  • Passive threats do not involve any (non-trivial) change to a system.
  • Active threats involve some significant change to a system.

Attacks

“An attack is an action by a human with intent to violate security.”

  • It doesn’t matter if the attack succeeds. It is still considered an attack even if it fails.

Passive Attacks

Two more forms:

  • Disclosure (release of message content) This attacks on the confidentiality of a message.
  • Traffic analysis (or traffic flow analysis) also attacks the confidentiality

Active Attacks

Fours forms:

  • I) Masquerade: impersonification of a known or authorized system or person
  • II)Replay: a copy of a legitimate message is captured by an intruder and re-transmitted
  • III) Modification
  • IV) Denial of Service: The opponent prevents authorized users from accessing a system.

Security Architecture – Attacks models

Passive Attacks

Passive Attack: Traffic Analysis Passive Attack: Traffic Analysis

Active Attacks

Active Attack: Masquerade Active Attack: Masquerade

Active Attack: Modification Active Attack: Modification

Active Attack: DDos Active Attack: DDos

Active Attack: DDos Active Attack: DDos

Malware and an Introduction to Threat Protection

Malware and Ransomware

  • Malware: Short for malicious software, is any software used to disrupt computer or mobile operations, gather sensitive information, gain access to private computer systems, or display unwanted advertising. Before the term malware was coined by Yisrael Radai in 1990. Malicious software was referred to as computer viruses.

Types of Malware

  • Viruses
  • Worms
  • Trojans Horses
  • Spyware
  • Adware
  • RATs
  • Rootkit
  • Ransomware: A type of code which restricts the user’s access to the system resources and files.

Other Attack Vectors

  • Botnets
  • Keyloggers
  • Logic Bombs (triggered when certain condition is met, to cripple the system in different ways)
  • APTs (Advanced Persistent Threats: main goal is to get access and monitor the network to steal information)

Some Known Threat Actors

  • Fancy Bears: Russia
  • Lazarous Groups: North Korea
  • Periscope Group: China

Threat Protection

  • Technical Control
    • Antivirus (AV)
    • IDS (Intrusion Detection System)
    • IPS (Intrusion Protection System)
    • UTM (Unified Threat Management)
    • Software Updates
  • Administrative Control
    • Policies
    • Trainings (social engineering awareness training etc.)
    • Revision and tracking (The steps mentioned should remain up-to-date)

Additional Attack Vectors Today

Internet Security Threats – Mapping

Mapping

  • before attacking; “case the joint" – find out what services are implemented on network
  • Use ping to determine what hosts have addresses on network
  • Post scanning: try to establish TCP connection to each port in sequence (see what happens)
  • NMap Mapper: network exploration and security auditing

Mapping: Countermeasures

  • record traffic entering the network
  • look for suspicious activity (IP addresses, ports being scanned sequentially)
  • use a host scanner and keep a good inventory of hosts on the network
    • Red lights and sirens should go off when an unexpected ‘computer’ appears on the network

Internet Security Threats – Packet Sniffing

Packet Sniffing

  • broadcast media
  • promiscuous NIC reads all packets passing by
  • can read all unencrypted data

Packet Sniffing – Countermeasures

  • All hosts in the organization run software that checks periodically if host interface in promiscuous mode.
  • One host per segment of broadcast media.

Internet Security Threats – IP Spoofing

IP Spoofing

  • can generate ‘raw’ IP packets directly from application, putting any value into IP source address field
  • receiver can’t tell if source is spoofed

IP Spoofing: ingress filtering

  • Routers should not forward out-going packets with invalid source addresses (e.g., data-gram source address not in router’s network)
  • Great, but ingress can not be mandated for all networks

Internet Security Threats – Denial of Service

Denial of service

  • flood of maliciously generated packets ‘swamp’ receiver
  • Distributed DOS: multiple coordinated sources swamp receiver

Denial of service – Countermeasures

  • filter out flooded (e.g., SYN) before reaching host: throw out good with bad
  • trace-back to source of floods (most likely an innocent, compromised machine)

Internet Security Threats – Host insertions

Host insertions

  • generally an insider threat, a computer ‘host’ with malicious intent is inserted in sleeper mode on the network

Host insertions – Countermeasures

  • Maintain an accurate inventory of computer hosts by MAC addresses
  • Use a host scanning capability to match discoverable hosts again known inventory
  • Missing hosts are OK
  • New hosts are not OK (red lights and sirens)

Attacks and Cyber Crime Resources

The Cyber Kill Chain

  • Reconnaissance: Research, identification and selection of targets
  • Weaponizations: Pairing remote access malware with exploit into a deliverable payload (e.g., adobe PDF and Microsoft Office files)
  • Delivery: Transmission of weapon to target (e.g., via email attachments, websites, or USB sticks)
  • Exploitation: Once delivered, the weapon’s code is triggered, exploiting vulnerable application or systems
  • Installation: The weapon installs a backdoor on a target’s system allowing persistent access
  • Command & Control: Outside server communicates with the weapons providing ‘hands on keyboard access’ inside the target’s network.
  • Actions on Objectives: the attacker works to achieve the objective of the intrusion, which can include ex-filtration or destruction of data, or intrusion of another target.

What is Social Engineering?

“The use of humans for cyber purposes”

  • Tool: The Social-Engineer Toolkit (SET)

Phishing

“To send fake emails, URLs or HTML etc.”

  • Tool: Gopish

Vishing

“Social Engineering via Voice and Text.”

Cyber warfare

  • Nation Actors
  • Hacktivist
  • Cyber Criminals

An Overview of Key Security Concepts

CIA Triad

CIA Triad – Confidentiality

“To prevent any disclosure of data without prior authorization by the owner.”

  • We can force Confidentiality with encryption
  • Elements such as authentication, access controls, physical security and permissions are normally used to enforce Confidentiality.

CIA Triad – Integrity

  • Normally implemented to verify and validate if the information that we sent or received has not been modified by an unauthorized person of the system.
  • We can implement technical controls such as algorithms or hashes (MD5, SHA1, etc.)

CIA Triad – Availability

  • The basic principle of this term is to be sure that the information and data is always available when needed.
  • Technical Implementations
    • RAIDs
    • Clusters (Different set of servers working as one)
    • ISP Redundancy
    • Back-Ups

Non-Repudiation – How does it apply to CIA?

“Valid proof of the identity of the data sender or receiver”

  • Technical Implementations:
    • Digital signatures
    • Logs

Access Management

  • Access criteria
    • Groups
    • Time frame and specific dates
    • Physical location
    • Transaction type
  • “Needed to Know” Just access information needed for the role
  • Single Sign-on (SSO)

Incident Response

“Computer security incident management involves the monitoring and detection of security events on a computer or a computer network and the execution of proper resources to those events. Means the information security or the incident management team will regularly check and monitor the security events occurring on a computer or in our network.”

Incident Management

  • Events
  • Incident
  • Response team: Computer Security Incident Response Team (CSIRT)
  • Investigation

Key Concepts – Incident Response

E-Discovery

Data inventory, helps to understand the current tech status, data classification, data management, we could use automated systems. Understand how you control data retention and backup.

Automated Systems

Using SIEM, SOA, UBA, Big data analysis, honeypots/honey-tokens. Artificial Intelligence or other technologies, we could enhance the mechanism to detect and control incidents that could compromise the tech environment.

BCP (Business Continuity Plan) & Disaster Recovery

Understand the company in order to prepare the BCP. A BIA, it’s good to have a clear understanding of the critical business areas. Also indicate if a security incident will trigger the BCP or the Disaster Recovery.

Post Incident

Root-Cause analysis, understand the difference between error, problem and isolated incident. Lessons learned and reports are a key.

Incident Response Process

  • Prepare
  • Respond
  • Follow up

Incident Response Process Incident Response Process

Introduction to Frameworks and Best Practices

Best Practices, baseline, and frameworks

  • Used to improve the controls, methodologies, and governance for the IT departments or the global behavior of the organization.
  • Seeks to improve performance, controls, and metrics.
  • Helps to translate the business needs into technical or operational needs.

Normative and compliance

  • Rules to follow for a specific industry.
  • Enforcement for the government, industry, or clients.
  • Event if the company or the organization do not want to implement those controls, for compliance.

Best practices, frameworks, and others

  • COBIT
  • ITIL
  • ISOs
  • COSO
  • Project manager methodologies
  • Industry best practices
  • Developer recommendations
  • others

IT Governance Process

Security Policies, procedures, and other

  • Strategic and Tactic plans
  • Procedures
  • Policies
  • Governance
  • Others

Security Policies, Procedures and other Security Policies, Procedures and other

Cybersecurity Compliance and Audit Overview

Compliance;

  • SOX
  • HIPAA
  • GLBA
  • PCI/DSS
  • Audit
    • Define audit scope and limitations
    • Look for information, gathering information
    • Do the audit (different methods)
    • Feedback based on the findings
    • Deliver a report
    • Discuss the results

Pentest Process and Mile 2 CPTE Training

Pentest – Ethical Hacking

A method of evaluating computer and network security by simulating an attack on a computer system or network from external and internal threats.

An Overview of Key Security Tools

Introduction to Firewalls

Firewalls

“Isolates the organization’s internal net from the larger Internet, allowing some packets to pass, while blocking the others.”

Firewalls – Why?

  • Prevent denial-of-service attacks;
    • SYN flooding: attacker establishes many bogus TCP connections, no resources left for “real” connections.
  • Prevent illegal modification/access of internal data.
    • e.g., attacker replaces CIA’s homepage with something else.
  • Allow only authorized access to inside network (set of authenticated users/hosts)
  • Two types of Firewalls
    • Application level
    • Packet filtering

Firewalls – Packet Filtering

  • Internal network connected to internet via router firewall
  • router filters packet-by-packet, decision to forward/drop packet based on;
    • source IP address, destination IP address
    • TCP/UDP source and destination port numbers
    • ICMP message type
    • TCP SYNC and ACK bits

Firewalls – Application Gateway

  • Filters packets on application data as well as on IP/TCP/UDP fields.
    • Allow select internal users to telnet outside:
      • Require all telnet users to telnet through gateway.
      • For authorized users, the gateway sets up a telnet connection to the destination host. The gateway relays data between 2 connections.
      • Router filter blocks all telnet connections not originating from gateway.

Limitations of firewalls and gateways

  • IP spoofing: router can’t know if data “really” comes from a claimed source.
  • If multiple app’s need special treatment, each has the own app gateway.
  • Client software must know how to contact gateway.
    • e.g., must set IP address of proxy in Web Browser.
  • Filters often use all or nothing for UDP.
  • Trade-off: Degree of communication with outside world, level of security
  • Many highly protected sites still suffer from attacks.

Firewalls – XML Gateway

  • XML traffic passes through a conventional firewall without inspection;
    • All across normal ‘web’ ports
  • An XML gateway examines the payload of the XML message;
    • Well formed (meaning to specific) payload
    • No executable code
    • Target IP address makes sense
    • Source IP is known

Firewalls – Stateless and Stateful

Stateless Firewalls

  • No concept of “state”.
  • Also called Packet Filter.
  • Filter packets based on layer 3 and layer 4 information (IP and port).
  • Lack of state makes it less secure.

Stateful Firewalls

  • Have state tables that allow the firewall to compare current packets with previous packets.
  • Could be slower than packet filters but far more secure.
  • Application Firewalls can make decisions based on Layer 7 information.

Proxy Firewalls

  • Acts as an intermediary server.
  • Proxies terminate connections and initiate new ones, like a MITM.
  • There are two 3-way handshakes between two devices.

Antivirus/Anti-malware

  • Specialized software that can detect, prevent and even destroy a computer virus or malware.
  • Uses malware definitions.
  • Scans the system and search for matches against the malware definitions.
  • These definitions get constantly updated by vendors.

An Introduction of Cryptography

  • Cryptography is secret writing.
  • Secure communication that may be understood by the intended recipient only.
  • There is data in motion and data at rest. Both need to be secured.
  • Not new, it has been used for thousands of years.
  • Egyptians hieroglyphics, Spartan Scytale, Caesar Cipher, are examples of ancient Cryptography.

Cryptography – Key Concepts

  • Confidentiality
  • Integrity
  • Authentication
  • Non-repudiation
  • Crypto-analysis
  • Cipher
  • Plaintext
  • Ciphertext
  • Encryption
  • Decryption

Cryptographic Strength

  • Relies on math, not secrecy.
  • Ciphers that have stood the test of time are public algorithms.
  • Mono-alphabetic < Poly-alphabetic Ciphers
  • Modern ciphers use Modular math
  • Exclusive OR(XOR) is the “secret sauce” behind modern encryption.

Types of Cipher

  • Stream Cipher: Encrypt or decrypt, a bit per bit.
  • Block Cipher: Encrypt or decrypt in blocks or several sizes, depending on the algorithms.

Types of Cryptography

Three main types;

  • Symmetric Encryption
  • Asymmetric Encryption
  • Hash

Symmetric Encryption

  • Use the same key to encrypt and decrypt.
  • Security depends on keeping the key secret at all times.
  • Strengths include speed and Cryptographic strength per a bit of key.
  • The bigger the key, the stronger the algorithm.
  • Key need to be shared using a secure, out-of-band method.
  • DES, Triples DES, AES are examples of Symmetric Encryption.

Asymmetric Encryption

  • Whitefield Diffie and Martin Hellman, who created the Diffie-Hellman. Pioneers of Asymmetric Encryption.
  • Uses two keys.
  • One key ban be made public, called public key. The other one needs to be kept private, called Private Key.
  • One for encryption and one for decryption.
  • Used in digital certificates.
  • Public Key Infrastructure – PKI
  • It uses “one-way” algorithms to generate the two keys. Like factoring prime numbers and discrete logarithm.
  • Slower than Symmetric Encryption.

Hash Functions

  • A hash function provides encryption using an algorithm and no key.
  • A variable-length plaintext is “hashed” into a fixed-length hash value, often called a “message digest” or simply a “hash”.
  • If the hash of a plaintext changes, the plaintext itself has changed.
  • This provides integrity verification.
  • SHA-1, MD5, older algorithms prone to collisions.
  • SHA-2 is the newer and recommended alternative.

Cryptographic Attacks

  • Brute force
  • Rainbow tables
  • Social Engineering
  • Known Plaintext
  • Known ciphertext

DES: Data Encryption Standard

  • US encryption Standard (NIST, 1993)
  • 56-bit Symmetric key, 64-bit plaintext input
  • How secure is DES?
    • DES Challenge: 56-bit-key-encrypted phrase (“Strong Cryptography makes the world a safer place”) decrypted (brute-force) in 4 months
    • No known “back-doors” decryption approach.
  • Making DES more secure
    • Use three keys sequentially (3-DES) on each datum.
    • Use cipher-block chaining.

AES: Advanced Encryption Standard

  • New (Nov. 2001) symmetric-key NIST standard, replacing DES.
  • Processes data in 128-bit blocks.
  • 128, 192, or 256-bit keys.
  • Brute-force decryption (try each key) taking 1 sec on DES, takes 149 trillion years for AES.

First look at Penetration Testing and Digital Forensics

Penetration Testing – Introduction

  • Also called Pentest, pen testing, ethical hacking.
  • The practice of testing a computer system, network, or application to find security vulnerabilities that an attacker could exploit.

Hackers

  • White Hat
  • Grey Hat
  • Black Hat

Threat Actors

“An entity that is partially or wholly responsible for an incident that affects or potentially affects an organization’s security. Also referred to as malicious actor.”

  • There are different types;
    • Script kiddies
    • Hacktivists
    • Organized Crime
    • Insiders
    • Competitors
    • Nation State
      • Fancy Bear (APT28)
      • Lazarous Group
      • Scarcruft (Group 123)
      • APT29

Pen-test Methodologies

Pentest Methodologies Pentest Methodologies

Vulnerability Tests

Vulnerability Test Vulnerability Test

What is Digital Forensics?

  • Branch of Forensics science.
  • Includes the identification, recovery, investigation, validation, and presentation of facts regarding digital evidence found on the computers or similar digital storage media devices.

Locard’s Exchange Principle

DR. Edmond Locard; “A pioneer in Forensics science who became known as the Sherlock Holmes of France.”

  • The perpetrator of a crime will bring something into the crime scene and leave with something from it, and that both can be used as Forensic evidence.

Chain of Custody

  • Refers to the chronological documentation or paper trail that records the sequence of custody, control, transfer, analysis, and disposition of physical or electronic evidence.
  • It is often a process that has been required for evidence to be shown legally in court.

Tools

  • Hardware
    • Faraday cage
    • Forensic laptops and power supplies, tool sets, digital camera, case folder, blank forms, evidence collection and packaging supplies, empty hard drives, hardware write blockers.
  • Software
    • Volatility
    • FTK (Paid)
    • EnCase (Paid)
    • dd
    • Autopsy (The Sleuth Kit)
    • Bulk Extractor, and many more.

Subsections of Cybersecurity Roles, Proces and OS Security

People Processes and Technology

Frameworks and their Purpose

Best practices, baseline, and frameworks

  • Used to improve the controls, methodologies, and governance for the IT departments or the global behavior of the organization.
  • Seeks to improve performance, controls, and metrics.
  • Helps to translate the business needs into technical or operational needs.

Normative and Compliance

  • Rules to follow for a specific industry.
  • Enforcement for the government, industry, or clients.
  • Event if the company or the organization do not want to implement those controls for compliance.

Best practices, frameworks & others

  • Frameworks
    • COBIT (Control Objective for Information and Related Technologies)

      COBIT is a framework created by ISACA for IT management and IT governance. The framework is business focused and defines a set of generic processes for the management of IT, with each process defined together.

    • ITIL (The Information Technology Infrastructure Library)

      ITIL is a set of detailed practices for IT activities such as IT service management (ITSM) and IT asset management (ITAM) that focus on aligning IT services with the needs of business.

    • ISOs (International Organization for Standardization)

    • COSO (Committee of Sponsoring Organization of the Tread way Commission)

      COSO is a joint initiative to combat corporate fraud.

  • Project manager methodologies
  • Industry best practices
  • Developer recommendations
  • Others

Roles in Security

  • CISO (Chief Information Security Officer)

    The CISO is a high-level management position responsible for the entire computer security department and staff.

  • Information Security Architect
  • Information Security Consultant/Specialist
  • Information Security Analyst

    This position conducts Information security assessments for organizations and analyzes the events, alerts, alarms and any Information that could be useful to identify any threat that could compromise the organization.

  • Information Security Auditor

    This position is in charge of testing the effectiveness of computer information systems, including the security of the systems, and reports their findings.

  • Security Software Developer
  • Penetration Tester / Ethical Hacker
  • Vulnerability Assessor etc.

Business Process Management (BPM) and IT Infrastructure Library (ITIL) Basics

Introduction to Process

  • Processes and tools should work in harmony
  • Security Operations Centers (SOC) need to have the current key skills, tools, and processes to be able to detect, investigate and stop threats before they become costly data breaches.
  • As volumes of security alerts and false positives grow, more burden is placed upon Security Analyst and Incident Response Teams.

Business Process Management (BPM) Overview

“A set of defined repeatable steps that take inputs, add value, and produce outputs that satisfy a customer’s requirements.”

BPM Overview BPM Overview

Attributes of a Process

  • Inputs: Information or materials that are required by the process to get started.
  • Outputs: Services, or products that satisfy customer requirements.
  • Bounds/Scope: The process starts when and end when.
  • Tasks/Steps: Actions that are repeatable.
  • Documentation: For audit, compliance, and reference purposes.

Standard Process Roles

Standard Process Roles Standard Process Roles

What makes a Process Successful?

  • Charter
  • Clear Objectives
  • Governance/Ownership
  • Repeatability (reduced variation)
  • Automation
  • Established Performance indicators (metrics)

Process Performance Metrics

“It is critical that we measure our processing, so understand if they are performing to specifications and producing the desired outcome every time; and within financial expectations.”

  • Typical Categories
    • Cycle Time
    • Cost
    • Quality (Defect Rate)
    • Rework

Continual Process Improvement

Continual Process Improvement Continual Process Improvement

Information Technology Infrastructure Library (ITIL) Overview

  • ITIL is a best practice framework that has been drawn from both the public and private sectors internationally.
  • It describes how IT resources should be organized to deliver Business value.
  • It models how to document processes and functions, in the roles of IT Service Management (ITSM).
  • ITIL Life-cycle – Service Phases
    • Service Strategy
    • Service Design
    • Service Transition
    • Service Operations
    • Service Improvements

ITIL Life-cycle – Service Strategy

  • Service Portfolio Management
  • Financial Management
  • Demand Management
  • Business Relationship Management

ITIL Life-cycle – Service Design

  • Service Catalog Management
  • Service Level Management
  • Information Security Management
  • Supplier Management

ITIL Life-cycle – Service Transition

  • Change Management
  • Project Management
  • Release & Deployment Management
  • Service validation & Testing
  • Knowledge Management

ITIL Life-cycle – Service Operations

  • Event Management
  • Incident Management
  • Problem Management

ITIL Life-cycle – Continual Service Improvement (CSI)

  • Review Metrics
  • Identify Opportunities
  • Test & Prioritize
  • Implement Improvements

Key ITIL Processes

Problem Management

  • The process responsible for managing the Life-cycle of all problems.

    ITIL defines a ‘problem’ as ‘an unknown cause of one or more incidents.’

Change Management

  • Manage changes to baseline service assets and configuration items across the ITIL Life-cycle.

Incident Management

  • An incident is an unplanned interruption to an IT Service, a reduction in the quality of an IT Service, and/ or a failure of a configuration item.

    Log → Assign → Track → Categorize → Prioritize → Resolve → Close

Event Management

  • Events are any detectable or discernible occurrence that has significance for the management of IT Infrastructure, or the delivery of an IT service.

Service Level Management

  • This involves the planning coordinating, drafting, monitoring, and reporting on Service Level Agreements (SLAs). It is the ongoing review of service achievements to ensure that the required service quality is maintained and gradually improved.

Information Security Management

  • This deals with having and maintaining an information security policy (ISP) and specific security Policies that address each aspect of strategy, Objectives, and regulations.

Difference between ITSM and ITIL

Information Technology Service Management (ITSM)

“ITSM is a concept that enables an organization to maximize business value from the use of information Technology.”

IT Infrastructure Library (ITIL)

“ITIL is a best practice framework that gives guidance on how ITSM can be delivered.”

Further discussion of confidentiality, integrity, and availability

Who are Alice, Bob, and Trudy?

  • Well known in network security world.

  • Bob, Alice (friends) want to communicate “securely”.

  • Trudy (intruder) may intercept, delete, add messages.

    Friends and enemies: Alice, Bob, Trudy Friends and enemies: Alice, Bob, Trudy

Confidentiality, Integrity, and Availability

  • Main components of network security.

Confidentiality

  • Preserving authorized restrictions on information access and disclosure, including means for protecting personal privacy and proprietary information.
  • Loss of confidentiality is the unauthorized disclosure of information.

Integrity

  • Guarding against improper information modification or destruction.
  • Including ensuring information non-repudiation and authenticity.
  • Integrity loss is the unauthorized modification or destruction of information.

Availability

  • Timely and reliable access to information.
  • Loss of availability is the disruption of access to an information system.

Authenticity and Accountability

  • Authenticity: property of being genuine and verifiable.
  • Accountability: mapping actions to an identity.

Identification and AAA

  • Security token
  • Password
  • Biometrics

Identification → Authentication → Authorization → Accountability

Authentication methods

  • Something you know
    • Username/Password
  • Something you have
    • Smartcard, token
  • Something you are
    • Fingerprints
    • Retina Scanners
    • Biometric Signals

Control Types

  • Administrative
  • Technical
  • Physical

Each control type can be

  • Corrective
  • Preventive
  • Dissuasive
  • Recovery
  • Detective
  • Compensatory

Access Control Methods

“Only who has the rights to access or utilize the resources can use them.”

Access control models

MAC – Mandatory Access Control

  • Use labels to regulate the access

  • Military use

    DAC – Discretionary Access Control

  • Each object (folder or file) has an owner and the owner defines the rights and privilege

    Role Based Access Control The rights are configured based on the user roles. For instance, sales group, management group, etc.

Other methods

Centralized

  • SSO (Single Sing On)

  • Provide the 3 As

    Decentralized

  • Independent access control methods

  • Local power

  • Normally the military forces use these methods on the battlefields

Best practices for the access control field

These concepts are deeply integrated with the access control methodologies and must be followed by the organization in order of the policies and procedures.

  • Least privilege
    • Information access limit
  • Separation of duties
    • Verify employee activity
  • Rotation of duties
    • Tracking and control

Access Control – Physical and Logical

Physical access control methods

  • Perimetral

  • Building

  • Work areas

  • Servers and network

    Technical uses of Physical security controls

  • ID badges

  • List and logs

  • Door access control systems

  • Tokens

  • Proximity sensors

  • Tramps

  • Physical block

  • Cameras

Logical access control methods

  • ACL (Routers)
  • GPO’S
    • Password policies
    • Device policies
    • Day and time restrictions
  • Accounts
    • Centralized
    • Decentralized
    • Expiration

BYOD, BYOC … BYO Everything…

Popular concepts for moderns times. Each collaborator has the opportunity to bring their own device to the work environment.

Some controls to follow:

  • Strict policy and understanding
  • Use of technical control MDM
  • Training
  • Strong perimetral controls

Monitoring the access control process

  • IDS/IPs
  • HOST IDS and IPS
  • Honeypot
  • Sniffers

Operating System Security Basics

User and Kernel Modes

MS Windows Components

  • User Mode and Kernel Mode
  • Drivers call routines that are exported by various kernel components.
  • Drivers must respond to specific calls from the OS and can respond to other system calls.

User Mode

  • When you start a user-mode application, Windows creates a process for the application.
    • Private virtual address space
    • Private handle table
  • Each application runs in isolation and if an application crashes, the crash is limited to that one application.

Kernel Mode

  • All code that runs in kernel mode shares a single virtual address space.
  • If a kernel-mode driver accidentally writes to the wrong virtual address, data that belongs to the OS or another driver could be compromised.
  • If a kernel-mode driver crashes, the entire OS crashes.

File System

Types of File Systems

NTS (New Technology File System)

  • Introduced in 1993

  • Most common file system for Windows end user systems

  • Most Windows servers use NTFS as well

    FATxx (File Allocation Table)

  • Simple File system used since the 80s

  • Numbers preceding FAT refer to the number of bits used to enumerate a file system block. Ex FAT16, FAT32

  • Now mainly used for removable devices under 32 GB capacity.

    (NOTE: FAT32 actually support upto ≤2TB storage size).

Directory Structure

Typical Windows Directory Structure

Operating System Security Basics Operating System Security Basics

Shortcuts and Commands

Windows Shortcuts

  • Common tasks that can be accessed using the Windows or Ctrl Key and another Key.

  • Time saving and helpful for tasks done regularly.

    Operating System Security Basics Operating System Security Basics

Additional Shortcuts

  • F2: Rename
  • F5: Refresh
  • Win+L: Lock your computer
  • Win+I: Open Settings
  • Win+S: Search Windows
  • Win+PrtScn: Save a screenshot
  • Ctrl+Shift+Esc: Open the Task Manager
  • Win+C: Start talking to Cortana
  • Win+Ctrl+D: Add a new virtual desktop
  • Win+X: Open the hidden Menu

Linux Key Components

Key Components

Linux has two major components:

  1. The Kernel - It is the core of the OS. It interacts directly with the hardware. - It manages system and user input/output. Processes, files, memory, and devices. 1) The Shell - It is used to interact with the kernel. - Users input commands through the shell and the kernel performs the commands.

Linux File Systems

File Systems

  • - represents file in CLI
  • d represents directory in CLI

Operating System Security Basics Operating System Security Basics

Run Levels

Operating System Security Basics Operating System Security Basics

Linux Basic Commands

  • cd: change directory
  • cp: copy files or dirs
  • mv: move file or dirs
  • ls: lists info related to files and dirs
  • df: display file system disk space
  • kill: stop an executing process
  • rm: delete file and dirs
  • rmdir: remove en empty dir
  • cat: to see the file contents, or concatenate multiple files together
  • mkdir: creates new dir
  • ifconfig: view or configure network interfaces
  • locate: quickly searches for the location of files. It uses an internal database that is updated using updatedb command.
  • tail: View the end of a text file, by default the last 10 lines
  • less: Very efficient while viewing huge log files as it doesn’t need to load the full file while opening
  • more: Displays text, one screen at a time
  • nano: a basic text editor
  • chmod: changes privileges for a file or dir

Permissions and Owners

File and directory permission

  • There are three groups that can ‘own’ a file.
    • User
    • group
    • everybody
  • For each group there are also three types of permissions: Read, Write, and Execute.
  • Read: 4(100), Write: 2(010), Execute: 1(001)

Change Permissions

You can use the chmod command to change the permissions of a file or dir:

  • chmod <permissions><filename>
  • chmod 755<filename>
  • chmod u=rw,g=r,o=r<filename>

Change owner

You can change the owner and group owner of a file with the chown command:

  • chown <user>:<group><filename>

macOS Security Overview

macOS Auditing

  • About My mac menu, contains information about
    • OS
    • Displays
    • Storage
    • Support
    • Service
    • Logs, etc.
  • Activity Monitor real-time view of system resource usage and relevant actions
  • Console, contains
    • Crash reports
    • Spin reports
    • Log reports
    • Diagnostic reports
    • Mac Analysis Data
    • System.log

macOS Security Settings

Various Security settings for macOS can be found in System Preferences app.

  • Genral Tab offers GateKeeper settings for installing apps from other AppStore, and few other settings.
  • FileVault Tab contains information about system and file encryption.
  • FireWall Tab for system level software firewall settings with basic and to advanced options.
  • Privacy Tab contains location services and other privacy related info and settings.

macOS Recovery

  • macOS comes with a hidden partition installed called macOS Recovery, it essentially replaces the installation discs that comes with new computers.
    • Access it by restarting your Mac while holding the R key.
  • It offers following tools/options:
    • Restore from the Time Machine Backup
    • Reinstall macOS
    • Get Help Online
    • Disk Utility

Virtualization Basics and Cloud Computing

An Overview of Virtualization

  • Allows you to create multiple simulated environments or dedicated resources from a single, physical hardware system.
  • Hypervisor/Host
  • Virtual Machine/Guest

Hypervisor

  • Separate the physical resources from the virtual environments
  • Hypervisors can sit on top of an OS (end user) or be installed directly onto hardware (enterprise).

Virtual Machine

  • The virtual machine functions as a single data file.
  • The hypervisor relays requests from the VM to the actual hardware, is necessary.
  • VMs doesn’t interact directly with the host machine.
  • Physical hardware is assigned to VMs.

Virtualization to Cloud

Overview of Virtualization Overview of Virtualization

Cloud Deployments

Overview of Virtualization Overview of Virtualization

Cloud Computing Reference Model

Overview of Virtualization Overview of Virtualization

Subsections of Compliance Frameworks and SysAdmin

Compliance and Regulation for Cybersecurity

What Cybersecurity Challenges do Organizations Face?

Event, attacks, and incidents defied

Security Event An event on a system or network detected by a security device or application.

Security attack A security event that has been identified by correlation and analytics tools as malicious activity that attempting to collect, disrupt, deny, degrade, or destroy information system resources or the information itself.

Security Incident An attack or security event that has been reviewed by security analysts and deemed worthy of deeper investigation.

Security – How to stop “bad guys”

Outsider

  • They want to “get-in” – steal data, steal compute time, disrupt legitimate use

  • Security baseline ensures we design secure offerings but setting implementation standards

  • E.g. Logging, encryption, development, practices, etc.

  • Validated through baseline reviews, threat models, penetration testing, etc.

    Inadvertent Actor

  • They are “in” – but are human and make mistakes

  • Automate procedures to reduce error-technical controls

  • Operational/procedural manual process safeguards

  • Review logs/reports to find/fix errors. Test automation regularly for accuracy.

    Malicious Insiders

  • They are “in” – but are deliberately behaving badly

  • Separation of duties – no shared IDs, limit privileged IDs

  • Secure coding, logging, monitoring access/operations

Compliance Basics

Security, Privacy, and Compliance

Security

  • Designed protection from theft or damage, disruption or misdirection
  • Physical controls – for the servers in the data centers
  • Technical controls
    • Features and functions of the service (e.g., encryption)
    • What log data is collected?
  • Operational controls
    • How a server is configured, updated, monitored, and patched?
    • How staff are trained and what activities they perform?

Privacy

  • How information is used, who that information is shared with, or if the information is used to track users?

Compliance

  • Tests that security measures are in place.
  • Which and how many depend on the specific compliance.
  • It Will Often cover additional non-security requirements such as business practices, vendor agreements, organized controls etc.

Compliance: Specific Checklist of Security Controls, Validated

Compliance Frameworks and Industry Standards Compliance Frameworks and Industry Standards

Compliance Basics

Foundational General specifications, (not specific to any industry) important, but generally not legally required. Ex: SOC, ISO.

Industry Specific to an industry, or dealing with a specific type of data. Often legal requirements. Ex: HIPAA, PCI DSS

Any typical compliance process

Compliance Frameworks and Industry Standards Compliance Frameworks and Industry Standards

  • General process for any compliance/audit process
    • Scoping
      • “Controls” are based on the goal/compliance – 50–500.
      • Ensure all components in scope are compliant to technical controls.
      • Ensure all processes are compliant to operation controls.
    • Testing and auditing may be:
      • Internal/Self assessments
      • External Audit
    • Audit recertification schedules can be quarterly, bi-quarterly, annually, etc.

Overview of US Cybersecurity Federal Law

Computer Fraud and Abuse Act (CFAA)

  • Enacted in 1984

US Federal Laws

  • Federal Information Security Management Act of 2002 (FISMA)

  • Federal Information Security Modernization Act of 2014 (FISMA 2014)

    FISMA assigns specific responsibilities to federal agencies, the National Institute of Standards and Technology (NIST) and the Office of Management and Budget (OMB) in order to strengthen information security systems.

National Institute of Standards and Technology (NIST) Overview

Cybersecurity and Privacy NIST’s cybersecurity and privacy activities strengthen the security digital environment. NIST’s sustained outreach efforts support the effective application of standards and best practices, enabling the adoption of practical cybersecurity and privacy.

General Data Protection Regulation (GDPR) Overview

This is simply a standard for EU residence:

  • Compliance
  • Data Protection
  • Personal Data: The GDPR cam into effect on 25 May 2018 and represents the biggest change in data privacy in two decades. The legislation aims to give control back to individuals located in EU over their Personal Data and simplify the regulatory environment for internation businesses.

5 Key GDPR Obligations:

  1. Rights of EU Data subjects
  2. Security of Personal Data
  3. Consent
  4. Accountability of Compliance
  5. Data Protection by Design and by Default

Key terms for understanding

Compliance Frameworks and Industry Standards Compliance Frameworks and Industry Standards

Internation Organization for Standardization (ISO) 2700x

  • The ISO 2700 family of standards help organization keep information assets secure.
  • ISO/IEC 27001 is the best-known standard in the family providing requirements for an information security management systems (ISMS).
    • The standard provides requirements for establishing, implementing, maintaining and continually improving an information security management system.
  • Also becoming more common,
    • ISO 270018 – Privacy
  • Other based on industry/application, e.g.,
    • ISO 270017 – Cloud Security
  • ISO 27001 Certification can provide credibility to a client of an organization.
  • For some industries, certification is a legal or contractual requirement.
  • ISO develops the standards but does not issue certifications.
  • Organizations that meet the requirements may be certified by an accredited certification body following successful completion of an audit.

System and Organization Controls Report (SOC) Overview

SOC Reports

Why SOC reports?

  • Some industry/jurisdictions require SOC2 or local compliance audit.
  • Many organizations who know compliance, know SOC Type 2 consider it a stronger statement of operational effectiveness than ISO 27001 (continuous testing).
  • Many organization’s clients will accept SOC2 in lieu of the right-to-audit.

Compared with ISO 27001

Compliance Frameworks and Industry Standards Compliance Frameworks and Industry Standards

SOC1 vs SOC2 vs SOC3

SOC1

  • Used for situations where the systems are being used for financial reporting.

  • Also referenced as Statement on Standards for Attestation Engagements (SSAE)18 AT-C 320 (formerly SSAE 16 or AT 801).

    SOC2

  • Addresses a service organization’s controls that are relevant to their operations and compliance, more generally than SOC1.

  • Restricted use report contains substantial detail on the system, security practices, testing methodology and results.

  • Also, SSAE 18 standards, sections AT-C 105 and AT-C 205.

    SOC3

  • General use report to provide interested parties with a CPA’s opinion about same controls in SOC2.

Type 1 vs Type 2

Type 1 Report

  • Consider this the starting line.

  • The service auditor expresses an opinion on whether the description of the service organization’s systems is fairly presented and whether the controls included in the description are suitably designed to meet the applicable Trust Service criteria as of a point in time.

    Type 2 Report

  • Proof you’re maintaining the effectiveness over time

  • Typically 6 month, renewed either every 6 months or yearly.

  • The service auditor’s report contains the same opinions expressed in a Type 1 report, but also includes an opinion on the operating effectiveness of the service organization’s controls for a period of time. Includes description of the service auditor’s tests of operation effectiveness and test results.

Selecting the appropriate report type
  • A type 1 is generally only issued if the service organization’s system has not been in operation for a significant period of time, has recently made significant system or control changes. Or if it is the first year of issuing the report.
  • SOC1 and SOC2, each available as Type 1 or Type 2.

Scoping Considerations – SOC 2 Principles

Report scope is defined based on the Trust Service Principles and can be expanded to additional subject.

Compliance Frameworks and Industry Standards Compliance Frameworks and Industry Standards

SOC Reports – Auditor Process Overview

What are auditors looking for:

1) Accuracy → are controls results being assessed for pass/fail. 2) Completeness → do controls implementation cover the entire offering: e.g., no gaps in inventory, personnel, etc. 3) Timeliness → are controls performed on time (or early) with no gaps in coverage. - If a control cannot be performed on time, are there appropriate assessment (risk) approvals BEFORE the control is considered ‘late’. 4) With Resilience notice → are there checks/balances in place such that if a control does fail, would you be able to correct at all? Within a reasonable timeframe? 5) Consistency → Shifting control implementation raises concerns about above, plus increases testing.

Compliance Frameworks and Industry Standards Compliance Frameworks and Industry Standards

What does SOC1/SOC2 Test

General Controls:

  • Inventory listing

  • HR Employee Listing

  • Access group listing

  • Access transaction log

    A: Organization and Management

  • Organizational Chart

  • Vendor Assessments

    B: Communications

  • Customer Contracts

  • System Description

  • Policies and Technical Specifications

    C: Risk Management and Design/Implementation of Controls

  • IT Risk Assessment

    D: Monitoring of Controls

  • Compliance Testing

  • Firewall Monitoring

  • Intrusion Detection

  • Vulnerability Management

  • Access Monitoring

    E: Logical and Physical Access Controls

  • Employment Verification

  • Continuous Business Need

    F: System Operations

  • Incident Management

  • Security Incident Management

  • Customer Security Incident Management

  • Customer Security Incident Reporting

    G: Change Management

  • Change Management

  • Communication of Changes

    H: Availability

  • Capacity Management

  • Business Continuity

  • Backup or equivalent

Continuous Monitoring – Between audits

Purpose:

  • Ensure controls are operating as designed.

  • Identify control weaknesses and failure outside an audit setting.

  • Communicate results to appropriate stakeholders.

    Scope:

  • All production devices

    Controls will be tested for operating effectiveness over time, focusing on:

  • Execution against the defined security policies.

  • Execution evidence maintenance/availability

  • Timely deviation from policy documentation.

  • Timely temporary failures of a control or loss of evidence documentation and communication.

Industry Standards

Health Insurance Portability and Accountability Act (HIPAA)

Healthcare organizations use cloud services to achieve more than saving and scalability:

  • Foster virtual collaboration across care environments
  • Leverage full potential of existing patient data
  • Address challenges in analyzing patient needs
  • Provide platforms for care innovation
  • Expand delivery network
  • Reduce response time in the case of emergencies
  • Integrate data silos and optimizes information flow
  • Increase resource utilization
  • Simplify processes, reducing administration cost

What is HIPAA-HITECH

  • The US Federal laws and regulations that define the control of most personal healthcare information (PHI) for companies responsible for managing such data are:
    • Health insurance Portability and Accountability Act (HIPAA)
    • Health Information Technology for Economic Clinical Health Act (HITECH)
  • The HIPAA Privacy Rule establishes standards to protect individuals’ medical records and other personal health information and applies to health plans, health care clearinghouses, and those health care providers who conduct certain health care transactions electronically.
  • The HIPAA Security Rule establishes a set of security standards for protecting certain health information that is held or transferred in electronic form. The Security Rule operationalizes the protections contained in the Privacy Rule by addressing the technical and non-technical safeguards that must be put in place to secure individuals’ “electronic protected health information” (e-PHI)

HIPAA Definitions

U.S. Department of Health and Human Services (HHS) Office of Civil Rights (OCR): Governing entity for HIPAA.

Covered Entity: HHS-OCR define companies that manage healthcare data for their customers as a Covered Entity.

Business Associate: Any vendor company that supports the Covered Entity.

Protected Health Information (PHI): Any information about health status, provision of health care, or payment for health care that is maintained by a Covered Entity (or a Business Associate of a Covered Entity), and can be linked to a specific individual.

HHS-OCR “Wall of Shame”: Breach Portal: Notice to the Secretary of HHS Breach of Unsecured Protected Health Information.

Why is Compliance Essential?

  • U.S. Law states that all individuals have the right to expect that their private health information be kept private and only be used to help assure their health.
  • There are significant enforcement penalties if a Covered Entity / Business Associate is found in violation.
  • HHS-OCR can do unannounced audits on the (CE+BA) or just the BA.

HIPAA is a U.S. Regulation, so be aware…

  • Other countries have similar regulations / laws:
    • Canada – Personal Information Protection and Electronic Documents Act
    • European Union (EU) Data Protection Directive (GDPR)
  • Many US states address patient privacy issues and are stricter than those set forth in HIPAA and therefore supersedes the US regulations.
  • Some international companies will require HIPAA compliance for an either a measure of confidence, or because they intend to do business with US data.

HIPAA Security Rule

The Security Rule requires, covered entities to maintain reasonable and appropriate administrative, technical, and physical safeguards for protecting “electronic protected health information” (e-PHI).

Specifically, covered entities must:

  • Ensure the confidentiality, integrity, and availability of all e-PHI they create, receive, maintain or transmit.
  • Identify and protect against reasonably anticipated threats to the security or integrity of the information.
  • Protect against reasonably anticipated, impermissible uses or disclosures; and
  • ensure compliance by their workforce.
Administrative Safeguards

The Administrative Safeguards provision in the Security Rule require covered entities to perform risk analysis as part of their security management processes.

Administrative Safeguards include:

  • Security Management Process
  • Security Personnel
  • Information Access Management
  • Workforce Training and Management
  • Evaluation
Technical Safeguards

Technical Safeguards include:

  • Access Control
  • Audit Controls
  • Integrity Controls
  • Transmission Security
Physical Safeguards

Physical Safeguards include:

  • Facility Access and Control
  • Workstation and Device Security

Payment Card Industry Data Security Standard (PCI DSS)

The PCI Data Security Standard

  • The PCI DSS was introduced in 2004, by American Express, Discover, MasterCard and Visa in response to security breaches and financial losses within the credit card industry.
  • Since 2006 the standard has been evolved and maintained by the PCI Security Standards Council, a “global organization, (it) maintains, evolves and promotes Payment Card Industry Standards for the safety of cardholder data across the globe.”
  • The PCI Security Standards Council is now comprised of American Express, Discover, JCB International MasterCard and Visa Inc.
  • Applies to all entities that store, process, and/or transmit cardholder data.
  • Covers technical and operational practices for system components included in or connected to environments with cardholder data.
  • PCI DSS 3.2 includes a total of 264 requirements grouped under 12 main requirements.

Goals and Requirements

PCI DSS 3.2 includes a total of 264 requirements grouped under 12 main requirements:

Compliance Frameworks and Industry Standards Compliance Frameworks and Industry Standards

Scope

The Cardholder Data Environment (CDE): People, processes and technology that store, process or transmit cardholder data or sensitive authentication data.

  • Cardholder Data:

    • Primary Account Number (PAN)
    • PAN plus any of the following:
      • Cardholder name

      • expiration date and/or service mode.

        Sensitive Authentication Data:

  • Security-related information (including but not limited to card validation codes/values, full track data (from the magnetic stripe or equivalent on a chip), PINs, and PIN blocks) used to authenticate cardholder and/or authorize payment card transactions.

    Sensitive Areas:

  • Anything that accepts, processes, transmits or stores cardholder data.

  • Anything that houses systems that contain cardholder data.

Determining Scope

People Processes Technologies
Compliance Personnel IT Governance Internal Network Segmentation
Human Resources Audit Logging Cloud Application platform containers
IT Personnel File Integrity Monitoring
Developers Access Management Virtual LAN
System Admins and Architecture Patching
Network Admins Network Device Management
Security Personnel Security Assessments
Anti-Virus

PCI Requirements

Highlight New and Key requirements:

  • Approved Scanning Vendor (ASV) scans (quarterly, external, third party).
  • Use PCI scan policy in Nessus for internal vulnerability scans.
  • File Integrity Monitoring (FIM)
  • Firewall review frequency every 6 months
  • Automated logoff of idle session after 15 minutes
  • Responsibility Matrix

Critical Security Controls

Center for Internet Security (CIS) Critical Security Controls

CIS Critical Security Controls

  • The CIS ControlsTM are a prioritized set of actions that collectively form a defense-in-depth set of best practices that mitigate the most common attacks against systems and networks.
  • The CIS ControlsTM are developed by a community of IT experts who apply their first-hand experience as cyber defenders to create these globally accepted security best practices.
  • The experts who develop the CIS Controls come from a wide range of sectors including retail, manufacturing, healthcare, education, government, defense, and others.

CIS ControlTM 7

Compliance Frameworks and Industry Standards Compliance Frameworks and Industry Standards

CIS ControlTM 7.1 Implementation Groups

Compliance Frameworks and Industry Standards Compliance Frameworks and Industry Standards

Structure of the CIS ControlTM 7.1

The presentation of each Control in this document includes the following elements:

  • A description of the importance of the CIS Control (Why is this control critical?) in blocking or identifying the presence of attacks, and an explanation of how attackers actively exploit the absence of this Control.
  • A table of the specific actions (“Sub-Controls”) that organizations should take to implement the Control.
  • Procedures and Tools that enable implementation and automation.
  • Sample Entity Relationship Diagrams that show components of implementation.

Compliance Summary

Compliance Frameworks and Industry Standards Compliance Frameworks and Industry Standards

Client System Administration Endpoint Protection and Patching

Client System Administration

“The client-server model describes how a server provides resources and services to one or more clients. Examples of servers include web servers, mail servers, and file servers. Each of these servers provide resources to client devices, such as desktop computers, laptops, tablets, and smartphones. Most servers have a one-to-many relationship with clients, meaning a single server can provide resources to multiple clients at one time.”

Client System Administration

  • Cloud and Mobile computing
  • New Devices, new applications and new services.
  • Endpoint devices are the front line of attack.

Common type of Endpoint Attacks

  • Spear Phishing/Whale Hunting – An email imitating a trusted source designed to target a specific person or department.
  • Watering Hole – Malware placed on a site frequently visited by an employee or group of employees.
  • **Ad Network Attacks – Using ad networks to place malware on a machine through ad software.
  • Island Hopping – Supply chain infiltration.

Endpoint Protection

Basics of Endpoint Protection

  • Endpoint protection management is a policy-based approach to network security that requires endpoint devices to comply with specific criteria before they are granted access to network resources.
  • Endpoint security management systems, which can be purchased as software or as a dedicated appliance, discover, manage and control computing devices that request access to the corporate network.
  • Endpoint security systems work on a client/server model in which a centrally managed server or gateway hosts the security program and an accompanying client program is installed on each network devices.

Unified Endpoint Management

A UEM platform is one that converges client-based management techniques with Mobile device management (MDM) application programming interfaces (APIs).

Endpoint Detection and Response

Key mitigation capabilities for endpoints

  • Deployment of devices with network configurations

  • Automatic quarantine/blocking of non-compliant endpoints

  • Ability to patch thousands of endpoints at once

    Endpoint Detection and Response

  • Automatic policy creation for endpoints

  • Zero-day OS updates

  • Continuous monitoring, patching, and enforcement of security policies across endpoints.

Examining an Endpoint Security Solution

Three key factors to consider:

  1. Threat hunting
  2. Detection response
  3. User education

An Example of Endpoint Protection

Unified Endpoint Management

UEM is the first step to enable today’s enterprise ecosystem:

  • Devices and things
  • Apps and content
  • People and identity

What is management without insight?

IT and security needs to understand:

  • What happened
  • What can happen
  • What should be done … in the context of their environment

Take a new approach to UEM

Client System Administration Endpoint Protection and Patching Client System Administration Endpoint Protection and Patching

UEM with AI

Client System Administration Endpoint Protection and Patching Client System Administration Endpoint Protection and Patching

Client System Administration Endpoint Protection and Patching Client System Administration Endpoint Protection and Patching

Traditional Client Management Systems

  • Involves an agent-based approach
  • Great for maintenance and support
  • Standardized rinse and repeat process
  • Applicable for some OS & servers

Mobile Device Management

  • API-based management techniques
  • Security and management of corporate mobile assets
  • Specialized for over-the-air configuration
  • Purpose-built for smartphones and tablets

Modern Unified Endpoint Management

Client System Administration Endpoint Protection and Patching Client System Administration Endpoint Protection and Patching

IT Teams are also converging:

Client System Administration Endpoint Protection and Patching Client System Administration Endpoint Protection and Patching

Overview of Patching

  • All OS require some type of patching.
  • Patching is the fundamental and most important thing an organization can do to prevent malicious attacks.

What is a patch?

A patch is a set of changes to a computer program or its supporting data designed to update, fix, or improve it. This includes fixing security vulnerabilities and other bugs, with such patches usually being called bugfixes, or bug fixes, and improving the functionality, usability or performance.

Windows Patching

  • Windows Updates allow for fixes to known flaws in Microsoft products and OS. The fixes, known as patches, are modification to software and hardware to help improve performance, reliability, and security.
  • Microsoft releases patches in a monthly cycle, commonly referred to as “Patch Tuesday”, the second Tuesday of every month.

Four types of Updates for Windows OSes

  1. Security Updates: Security updates for Windows work to protect against new and ongoing threats. They are classified as Critical, Important, Moderate, Low, or non-rated.
  2. 590344 These are high priority updates. When these are released, they need to updated asap. It is recommended to have these set as automatic.
  3. Software Updates: Software updates are not critical. They often expand features and improve the reliability of the software.
  4. Service Packs: These are roll-ups, or a compilation, of all previous updates to ensure that you are up-to-date on all the patches since the release of the product up to a particular data. If your system is behind on updates, then service packs bring your system up-to-update.

Windows Application Patching

Why patch 3rd party applications in addition to Windows OS?

  • Unpatched software, especially if a widely used app like Adobe Flash or Browser, can be a magnet for malware and viruses.
  • 87% of the vulnerabilities found in the top 50 programs affected third-party programs such as Adobe Flash and Reader, Java, Skype, Various Media Players, and others outside the Microsoft Ecosystem. That means the remaining 13 percent “stem from OSes and Microsoft Programs,” according to Secunia’s Vulnerability Review report.

Patching Process

Client System Administration Endpoint Protection and Patching Client System Administration Endpoint Protection and Patching

Server and User Administration

Introduction to Windows Administration

User and Kernel Modes

MS Windows Components:

  • User Mode
    • Private Virtual address space
    • Private handle table
    • Application isolation
  • Kernel Mode
    • Single Virtual Address, shared by other kernel processes

File Systems

Types of file systems in Windows

  • NTFS (New Technology File system)
  • FATxx (File Allocation Table)
    • FAT16, FAT32

Typical Windows Directory Structure

Server and User Administration Server and User Administration

Role-Based Access Control and Permissions

  • Access Control Lists (ACLs)
  • Principle of the least privileges

Privileged Accounts

  • Privileged accounts like admins of Windows services have direct or indirect access to most or all assets in an IT organization.
  • Admins will configure Windows to manage access control to provide security for multiple roles and uses.

Access Control

Key concepts that make up access control are:

  • Permissions
  • Ownership of objects
  • Inheritance of permissions
  • User rights
  • Object auditing

Local User Accounts

Default local user accounts:

  • Administrator account

  • Guest account

  • HelpAssistant account

  • DefaultAccount

    Default local system accounts:

  • SYSTEM

  • Network Service

  • Local Service

Management of Local Users accounts and Security Considerations

  • Restrict and protect local accounts with administrative rights
  • Enforce local account restrictions for remote access
  • Deny network logon to all local Administrator accounts
  • Create unique passwords for local accounts with administrative rights

What is AD?

Active Directory Domain Services (AD DS) stores information about objects on the network and makes this information easy for administrators and users to find and use.

  • Servers
  • Volumes
  • Printers
  • Network user and computer accounts
  • Security is integrated with AD through authentication and access control to objects in the directory via policy-based administration.

Features of AD DS

  • A set of rules, the schema
  • A global catalog
  • A query and index mechanism
  • A replication service

Active Directory Accounts and Security Considerations

AD Accounts

  • Default local accounts in AD:
    • Administrator account
    • Guest Account
    • HelpAssistant Account
    • KRBTGT account (system account)
  • Settings for default local accounts in AD
  • Manage default local accounts in AD
  • Secure and Manage domain controllers

Restrict and Protect sensitive domain accounts

Separate admin accounts from user accounts

  • Privileged accounts: Allocate admin accounts to perform the following

    • Minimum: Create separate accounts for domain admins, enterprise admins, or the equivalent with appropriate admin.
    • Better: Create separate accounts for admins that have reduced admin rights, such as accounts for workstation admins, account with user rights over designated AD organizational units (OUs)
    • Ideal: Create multiples, separate accounts for an administrator who has a variety of job responsibilities that require different trust levels
  • Standard User account: Grant standard user rights for standard user tasks, such as email, web browsing, and using line-of-business (LOB) applications.

    Create dedicated workstation hosts without Internet and email access

  • Admins need to manage job responsibilities that require sensitive admin rights from a dedicated workstation because they don’t have easy physical access to the servers.

    • Minimum: Build dedicated admin workstations and block Internet Access on those workstations, including web browsing and email.

    • Better: Don’t grant admins membership in the local admin group on the computer in order to restrict the admin from bypassing these protections.

    • Ideal: Restrict workstations from having any network connectivity, except for the domain controllers and servers that the administrator accounts are used to manage.

      Restrict administrator logon access to servers and workstations

  • It is a best practice to restrict admins from using sensitive admin accounts to sign-in to lower-trust servers and workstations.

  • Restrict logon access to lower-trust servers and workstations by using the following guidelines:

    • Minimum: Restrict domain admins from having logon access to servers and workstations. Before starting this procedure, identify all OUs in the domain that contain workstations and servers. Any computers in OUs that are not identified will not restrict admins with sensitive accounts from signing in to them.

    • Better: Restrict domain admins from non-domain controller servers and workstations.

    • Ideal: Restrict server admins from signing in to workstations, in addition to domain admins.

      Disable the account delegation right for administrator accounts

  • Although user accounts are not marked for delegation by default, accounts in an AD domain can be trusted for delegation. This means that a service or a computer that is trusted for delegation can impersonate an account that authenticates to the to access other resources across the network.

  • It is a best practice to configure the user objects for all sensitive accounts in AD by selecting the Account is sensitive and cannot be delegated check box under Account options to prevent accounts from being delegated.

    Server and User Administration Server and User Administration

Overview of Server Management with Windows Admin Center

Active Directory Groups

Security groups are used to collect user accounts, computer accounts, and other groups into manageable units.

  • For AD, there are two types of admin responsibilities:
    • Server Admins
    • Data Admins
  • There are two types of groups in AD:
    • Distribution groups: Used to create email distribution lists.
    • Security groups: Used to assign permissions to shared resources.

Groups scope

Groups are characterized by a scope that identifies the extent to which the group is applied in the domain tree or forest.

The following three group scopes are defined by AD:

  • Universal

  • Global

  • Domain Local

    Default groups, such as the Domain Admins group, are security groups that are created automatically when you create an AD domain. You can use these predefined groups to help control access to shared resources and to delegate specific domain-wide admin roles.

What is Windows Admin Center?

  • Windows Admin Center is a new, locally-deployed, browser-based management tool set that lets you manage your Windows Servers with no cloud dependency.
  • Windows Admin Center gives you full control over all aspects of your server infrastructure and is useful for managing servers on private networks that not connected to the Internet.

Kerberos Authentication and Logs

Kerberos Authentication

Kerberos is an authentication protocol that is used to verify the identity of a user or host.

  • The Kerberos Key Distribution Center (KDC) is integrated with other Windows Server security services and uses the domain’s AD DS database.
  • The key Benefits of using Kerberos include:
    • Delegated authentication
    • Single sign on
    • Interoperability
    • More efficient authentication to servers
    • Mutual authentication

Windows Server Logs

  • Windows Event Log, the most common location for logs on Windows.
  • Windows displays its event logs in the Windows Event Viewer. This application lets you view and navigate the Windows Event Log, search, and filter on particular types of logs, export them for analysis, and more.

Windows Auditing Overview

Audit Policy

  • Establishing audit policy is an important facet of security. Monitoring the creation o modification of objects gives you a way to track potential security problems, helps to ensure user accountability, and provides evidence in the event of a security breach.
  • There are nine different kinds of events you can audit. If you audit any of those kinds of events, Windows records the events in the Security log, which you can find in the Event Viewer.
    • Account logon Events
    • Account Management
    • Directory service Access
    • Logon Events
    • Object access
    • Policy change
    • Privilege use
    • Process tracking
    • System events

Linux Components: Common Shells

Bash:

The GNU Bourne Again Shell (BASH) is based on the earlier Bourne Again shell for UNIX. On Linux, bash is the most common default shell for user accounts.

Sh:

The Bourne Shell upon which bash is based goes by the name sh. It’s not often used on Linux, often a pointer to the bash shell or other shells.

Tcsh:

This shell is based on the earlier C shell (CSH). Fairly popular, but no major Linux distributions make it the default shell. You don’t assign environment variables the same way in TCSH as in bash.

CSH:

The original C shell isn’t used much on Linux, but if a user is familiar with CSH, TCSh makes a good substitute.

Ksh:

The Korn shell (ksh) was designed to take the best features of the Bourne shell and the C shell and extend them. It has a small but dedicated following among Linux users.

ZSH:

The Z shell (zsh) takes shell evolution further than the Korn shell, incorporating features from earlier shells and adding still more.

Linux Internal and External Commands

Internal Commands:

  • Built into the shell program and are shell dependent. Also called built-in commands.
  • Determine if a command is a built-in command by using the type command.

External commands:

  • Commands that the system offers, are totally shell-independent and usually can be found in any Linux distribution
  • They mostly reside in /bin and /usr/bin.

Shell command Tricks:

  • Command completion: Type part of a command or a filename (as an option to the command), and then press TAB key.
  • Use Ctrl+A or Ctrl+E: To move the cursor to the start or end of the line, respectively.

Samba

Samba is an Open Source/Free software suite that provides seamless file and print services. It uses the TCP/IP protocol that is installed on the host server.

When correctly configured, it allows that host to interact with an MS Windows client or server as if it is a Windows file and print server, so it allows for interoperability between Linux/Unix servers and Windows-based clients.

Cryptography and Compliance Pitfalls

Cryptography Terminology

  • Encryption only provides confidentiality, but no integrity.

  • Data can be encrypted

    • At rest
    • In use
    • In transit
  • Common types of encryption algorithms

    • Symmetric Key (AES, DES, IDEA, …)
    • Public key (RSA, Elliptic Curve, DH, …)

    Cryptography and Compliance Pitfalls Cryptography and Compliance Pitfalls

Hash Function

Maps data of arbitrary size to data of a fixed size.

  • Provides integrity, but not confidentiality
  • MD5, SHA-1, SHA-2, SHA-3, and others
  • Original data deliberately hard to reconstruct
  • Used for integrity checking and sensitive data storage (e.g., passwords)

Digital Signature

“A mathematical scheme for verifying the authenticity of digital messages and documents.”

  • Uses hashing and public key encryption
  • ensures authentication, non-repudiation, and integrity.

Common Cryptography Pitfalls

Pitfall: Missing Encryption of Data and Communication

  • Products handle sensitive business and personal data.

  • Data is often the most valuable asset that the business has.

  • When you store or transmit it in clear text, it can be easily leaked or stolen.

  • In this day and age, there is no excuse for not encrypting data that’s stored or transmitted.

  • We have the cryptographic technology that is mature, tested, and is available for all environments and programming languages.

    Encrypt all sensitive data you are handling (and also ensure its integrity).

Pitfall: Missing Encryption of Data and Communication

  • Some products owners that we talk to don’t encrypt stored data because “users don’t have access to the file system.”

  • There are plenty of vulnerabilities out there that may allow exposure of files stored on the file system.

  • The physical machine running the application maybe stolen, the hard disk can be then accessed directly.

    You have to assume that the files containing sensitive information may be exposed and analyzed.

Pitfall: Implementing Your Own Crypto

  • Often developers use Base64 encoding, simple xor encoding, and similar obfuscation schemes.

  • Also, occasionally we see products implement their own cryptographic algorithms. Please don’t do that!

    Schneier’s Law:

    Anyone, from the most clueless amateur to the best cryptographer, can create an algorithm that he himself can’t break. It’s not even hard. What is hard is creating an algorithm that no one else can break, even after years of analysis.

    Rely on proven cryptography, that was scrutinized by thousands of mathematicians and cryptographers.

  • Follow recommendations of NIST.

Pitfall: Relying on Algorithms Being Secret

  • We sometimes hear dev teams tell us that “the attacker will never know our internal algorithms.”
    • Bad news – they can and will be discovered; it’s only a question of motivation.
  • A whole branch of hacking – Reverse Engineering – is devoted to discovering hidden algorithms and data.
  • Even if your application is shipped only in compiled form, it can be “decompiled”.
  • Attackers may analyze trial/free versions of the product, or get copies on the Dark Web.
  • “Security by obscurity” is not a good defense mechanism.
  • The contrary is proven true all the time.
    • All algorithms that keep us safe today are open source and very well-studied: AES, RSA, SHA*, ….

      Always assume that your algorithms will be known to the adversary.

      A great guiding rule is Kerckhoffs’s Principle:

      A cryptosystem should be secure even if everything about the system, except the key, is public knowledge.

Pitfall: Using Hard-coded/Predictable/Weak Keys

  • Not safeguarding your keys renders crypto mechanisms useless.

  • When the passwords and keys are hard-coded in the product or stored in plaintext in the config file, they can easily be discovered by an attacker.

  • An easily guessed key can be found by trying commonly used passwords.

  • When keys are generated randomly, they have to be generated from a cryptographically-secure source of randomness, not the regular RNG.

    Rely on hard to guess, randomly generated keys and passwords that are stored securely.

Pitfall: Ignoring Encryption Export Regulation Rules

  • Encryption is exported controlled.
  • All code that…
    • Contains encryption (closed or open source).
    • Calls encryption algorithms in another library or component.
    • Directs encryption functionality in another product.
  • … must be classified for export before being released.

Data Encryption

Encryption Data at rest

  • The rule of thumb is to encrypt all sensitive data at rest: in files, config files, databases, backups.
  • Symmetric key encryption is most commonly used.
  • Follow NIST Guidelines for selecting an appropriate algorithm – currently it’s AES (with CBC mode) and Triple DES.

Pitfalls and Recommendations

  • Some algorithms are outdated and no longer considered secure – phase them out
    • examples include DES, RC4, and others.
  • Using hard-coded/easily guessed/insufficiently random keys – Select cryptographically-random keys, don’t reuse keys for different installations.
  • Storing keys in clear text in proximity to data they protect (“key under the doormat”)
    • stores keys in secure key stores.
  • Using initialization vectors (IVs) incorrectly.
    • Use a new random IV every time.
  • Preferable to select the biggest key size you can handle (but watch out for export restrictions).

Encryption Data in Use

  • Unfortunately, a rarely-followed practice.
  • Important, nonetheless, memory could be leaked by an attacker.
    • A famous 2014 Heartbleed defect leaked memory of processes that used OpenSSL.
  • The idea is to keep data encrypted up until it must be used.
  • Decrypt data as needed, and then promptly erase it in memory after use.
  • Keep all sensitive data (data, keys, passwords) encrypted except a brief moment of use.
  • Consider Homomorphic encryption if it can be applied to your application.

Encryption Data in Transit

  • In this day and age, there is no excuse for communicating in cleartext.
  • There is an industry consensus about it; Firefox and Chrome now mark HTTP sites as insecure.
  • Attackers can easily snoop on unprotected communication.
  • All communications (not just HTTP) should be encrypted, including: RPCs, database connections, and others.
  • TLS/SSL is the most commonly used protocol.
    • Public key crypto (e.g., RSA, DH) for authentication and key exchange; Symmetric Key crypto to encrypt the data.
    • Server Digital Certificate references certificate authority (CA) and the public key.
  • Sometimes just symmetric key encryption is employed (but requires pre-sharing of keys).

Pitfalls

  • Using self-signed certificates
    • Less problematic for internal communications, but still dangerous.
    • Use properly generated certificates verified by established CA.
  • Accepting arbitrary certificates
    • Attacker can issue their own certificate and snoop on communications (MitM attacks).
    • Don’t accept arbitrary certificates without verification.
  • Not using certificate pinning
    • Attacker may present a properly generated certificate and still snoop on communications.
    • Certificate pinning can help – a presented certificate is checked against a set of expected certificates.
  • Using outdated versions of the protocol or insecure cipher suites
    • Old versions of SSL/TLS are vulnerable. (DROWN, POODLE, BEAST, CRIME, BREACH, and other attacks)
    • TLS v1.1-v1.3 are safe to use (v1.2 is recommended, with v1.3 coming)
    • Review your TLS support; there are tools that can help you:
      • Nessus, Qualys SSL Server Test (external only), sslscan, sslyze.
  • Allowing TLS downgrade to insecure versions, or even to HTTP
    • Lock down the versions of TLS that you support and don’t allow downgrade; disable HTTP support altogether.
  • Not safeguarding private keys
    • Don’t share private keys between different customers, store them in secure key stores.
  • Consider implementing Forward Secrecy
    • Some cipher suites protect past sessions against future compromises of secret keys or passwords.
  • Don’t use compression under TLS
    • CRIME/BREACH attacks showed that using compression with TLS for changing resources may lead to sensitive data exposure.
  • Implement HTTP Strict Transport Security (HSTS)
    • Implement Strict-Transport-Security header on all communications.
  • Stay informed of latest security news
    • A protocol or cipher suite that is secure today may be broken in the future.

Hashing Considerations

Hashing

  • Hashing is used for a variety of purposes:
    • Validating passwords (salted hashes)
    • Verifying data/code integrity (messages authentication codes and keyed hashes)
    • Verifying data/code integrity and authenticity (digital signatures)
  • Use secure hash functions (follow NIST recommendations):
    • SHA-2 (SHA-256, SHA-384, SHA-512, etc.) and SHA-3

Pitfalls: Using Weak or Obsolete Functions

  • There are obsolete and broken functions that we still frequently see in the code – phase them out.
  • Hash functions for which it is practical to generate collisions (two or more different inputs that correspond to the same hash value) are not considered robust.
  • MD5 has been known to be broken for more than 10 years, collisions are fairly easily generated.
  • SHA-1 was recently proven to be unreliable.
  • Using predictable plaintext
    • Not quite a cryptography problem, but when the plaintext is predictable it can be discovered through brute forcing.
  • Using unsalted hashes when validating passwords
    • Even for large issue spaces, rainbow tables can be used to crack hashes.
    • When salt is added to the plaintext, the resulting hash is completely different, and rainbow tables will no longer help.

Additional Considerations

  • Use key stretching functions (e.g., PBKDF2) with numerous iterations.
    • Key stretching functions are deliberately slow (controlled by number of iterations) in order to make brute forcing attacks impractical, both online and offline (aim 750ms to complete the operation).
  • Future-proof your hashes – include an algorithm identifier, so you can seamlessly upgrade in the future if the current algorithm becomes obsolete.

Message Authentication Codes (MACs)

  • MACs confirm that the data block came from the stated sender and hasn’t been changed.

  • Hash-based MACs (HMACs) are based on crypto hash functions (e.g., HMAC-SHA256 or HMAC-SHA3).

  • They generate a hash of the message with the help of the secret key.

  • If the key isn’t known, the attacker can’t alter the message and be able to generate another valid HMAC.

  • HMACs help when data may be maliciously altered while under temporary attacker’s control (e.g., cookies, or transmitted messages).

  • Even encrypted data should be protected by HMACs (to avoid bit-flipping attacks).

    Cryptography and Compliance Pitfalls Cryptography and Compliance Pitfalls

Digital Signatures

  • Digital signatures ensure that messages and documents come from an authentic source and were not maliciously modified in transit.
  • Some recommended uses of digital signatures include verifying integrity of:
    • Data exchanged between nodes in the product.
    • Code transmitted over network for execution at client side (e.g., JavaScript).
    • Service and fix packs installed by customer.
    • Data temporarily saved to customer machine (e.g., backups).
  • Digital signatures must be verified to be useful.

Safeguarding Encryption Keys

  • Encryption is futile if the encryption keys aren’t safeguarded.
  • Don’t store them in your code, in plaintext config files, in databases.
  • Proper way to store keys and certificates is in secure cryptographic storage, e.g, keystores
    • For examples, in Java you can use Java Key Store (JKS).
  • There is a tricky problem of securing key encrypting key (KEK).
    • This is a key that is used to encrypt the keystore. But how do we secure it?

Securing KEK

  • Use hardware secure modules (HSM).
  • Use Virtual HSM (Unbound vHSM).
  • Derive KEK for user-entered password.
    • An example of this can be seen in Symantec Encryption Desktop Software, securing our laptops.
  • Derive KEK from data unique to the machine the product is running on.
    • This could be file system metadata (random file names, file timestamps).
    • An attacker that downloads the database or the keystore will not be able to as easily obtain this information.

Impact of Quantum Computing

  • Quantum computing is computing using quantum-mechanical phenomena. Quantum computing may negatively affect cryptographic algorithms we employ today.
  • We are still 10–15 years away from quantum computing having an effect on cryptography.
  • Risks to existing cryptography:
    • Symmetric encryption (e.g., AES) will be weakened.
      • To maintain current levels of security, double the encryption key size (e.g., got from 128-bit to 256-bit keys).
    • Public key encryption that relies on prime number factorization (e.g., RSA used in SSL/TLS, blockchain, digital signatures) will be broken.
      • Plan on switching to quantum-resistant algorithms – e.g., Lattice-based Cryptography, Homomorphic Encryption.
  • Attacker can capture conversations now and decrypt them when quantum computing becomes available.
  • General Good practice – make your encryption, hash, signing algorithms “replaceable”, so that you could exchange them for something more robust if a weakness is discovered.

Subsections of Network Security and Database Vulnerabilities

Introduction to the TCP/IP Protocol Framework

Stateless Inspection

  • Stateless means that each packet is inspected one at a time with no knowledge of the previous packets.

    TCP IP Framework TCP IP Framework

    TCP IP Framework TCP IP Framework

Stateless Inspection Use Cases

  • To protect routing engine resources.
  • To control traffic going in or your organization.
  • For troubleshooting purposes.
  • To control traffic routing (through the use of routing instances).
  • To perform QoS/CoS (marking the traffic).

Stateful Inspection

  • A stateful inspection means that each packet is inspected with knowledge of all the packets that have been sent or received from the same session.

  • A session consists of all the packets exchanged between parties during an exchange.

    TCP IP Framework TCP IP Framework

What if we have both types of inspection?

TCP IP Framework TCP IP Framework

Firewall Filters – IDS and IPS System

Firewall Filter (ACLs) / Security Policies Demo…

TCP IP Framework TCP IP Framework

IDS

An Intrusion Detection System (IDS) is a network security technology originally built for detecting vulnerability exploits against a target application or computer.

  • By default, the IDS is a listen-only device.
  • The IDS monitor traffic and reports its results to an administrator.
  • Cannot automatically take action to prevent a detected exploit from taking over the system.

Basics of an Intrusion Prevention System (IPS)

An IPS is a network security/threat prevention technology that examines network traffic flows to detect and prevent vulnerability exploits.

  • The IPS often sites directly behind the firewall, and it provides a complementary layer of analysis that negatively selects for dangerous content.
  • Unlike the IDS – which is a passive system that scans traffic and reports back on threats – the IPS is placed inline (in the direct communication path between source and destination), actively analyzing and taking automated actions on all traffic flows that enter the network.

How does it detect a threat?

TCP IP Framework TCP IP Framework

The Difference between IDS and IPS Systems

TCP IP Framework TCP IP Framework

Network Address Translation (NAT)

Method of remapping one IP address space into another by modifying network address information in Internet Protocol (IP) datagram packet headers, while they are in transit across a traffic routing device.

  • Gives you an additional layer of security.

  • Allows the IP network of an organization to appear from the outside to use a different IP address space than what it is actually using. Thus, NAT allows an organization with non-globally routable addresses to connect to the Internet by translating those addresses into a globally routable addresses space.

  • It has become a popular and essential tool in conserving global address space allocations in face of IPv4 address exhaustion by sharing one Internet-routable IP address of a NAT gateway for an entire private network.

    TCP IP Framework TCP IP Framework

Types of NAT

  1. Static Address translation (static NAT): Allows one-to-one mapping between local and global addresses.
  2. Dynamic Address Translation (dynamic NAT): Maps unregistered IP addresses to registered IP addresses from a pool of registered IP addresses.
  3. Overloading: Maps multiple unregistered IP addresses to a single registered IP address (many to one) using different ports. This method is also known as Port Address Translation (PAT). By using overloading, thousands of users can be connected to the Internet by using only one real global IP address.

Network Protocols over Ethernet and Local Area Networks

An Introduction to Local Area Networks

Network Addressing

  • Layer 3 or network layer adds an address to the data as it flows down the stack; then layer 2 or the data link layer adds another address to the data.

    TCP IP Framework TCP IP Framework

Introduction to Ethernet Networks

For a LAN to function, we need:

  • Connectivity between devices

  • A set of rules controlling the communication

    The most common set of rules is called Ethernet.

  • To send a packet from one host to another host within the same network, we need to know the MAC address, as well as the IP address of the destination device.

Ethernet and LAN – Ethernet Operations

How do devices know when the data if for them?

TCP IP Framework TCP IP Framework

Destination Layer 2 address: MAC address of the device that will receive the frame.

Source Layer 2 address: MAC address of the device sending the frame.

Types: Indicates the layer 3 protocol that is being transported on the frame such as IPv4, IPv6, Apple Tall, etc.

Data: Contains original data as well as the headers added during the encapsulation process.

Checksum: This contains a Cyclic Redundancy Check to check if there are errors on the data.

MAC Address

A MAC address is a 48-bits address that uniquely identifies a device’s NIC. The first 3 bytes are for the OUI and the last 3 bytes are reserved to identify each NIC.

TCP IP Framework TCP IP Framework

Preamble and delimiter (SFD)

Preamble and delimiter (SFD) are 7 byte fields in an Ethernet frame. Preamble informs the receiving system that a frame is starting and enables synchronization, while SFD (Start Frame Delimiter) signifies that the Destination MAC address field begin with the next byte.

TCP IP Framework TCP IP Framework

What if I need to send data to multiple devices?

TCP IP Framework TCP IP Framework

Ethernet and LAN – Network Devices

Twisted Pair Cabling

TCP IP Framework TCP IP Framework

Repeater

  • Regenerates electrical signals.

  • Connects 2 or more separate physical cables.

  • Physical layer device.

  • Repeater has no mechanism to check for collision.

    TCP IP Framework TCP IP Framework

    TCP IP Framework TCP IP Framework

Bridge

Ethernet bridges have 3 main functions:

  • Forwarding frames

  • Learning MAC addresses

  • Controlling traffic

    TCP IP Framework TCP IP Framework

    TCP IP Framework TCP IP Framework

Difference between a Bridge and a Switch

TCP IP Framework TCP IP Framework

  • VLANs provide a way to separate LANs on the same switch.

  • Devices in one VLAN don’t receive broadcast from devices that are on another VLAN.

    TCP IP Framework TCP IP Framework

Limitations of Switches:

  • Network loops are still a problem.
  • Might not improve performance with multicast and broadcast traffic.
  • Can’t connect geographically dispersed networks.

Basics of Routing and Switching, Network Packets and Structures

Layer 2 and Layer 3 Network Addressing

TCP IP Framework TCP IP Framework

TCP IP Framework TCP IP Framework

Address Resolution Protocol (ARP)

The process of using layer 3 addresses to determine layer 2 addresses is called ARP or Address Resolution Protocol.

Routers and Routing Tables

Routing Action

TCP IP Framework TCP IP Framework

Basics of IP Addressing and the OSI Model

IP Addressing – The Basics of Binary

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

IP Address Structure and Network Classes

IP Protocol

  • IPv4 is a 32 bits address divided into four octets.

  • From 0.0.0.0 to 255.255.255.255

  • IPv4 has 4,294,967,296 possible addresses in its address space.

    Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Classful Addressing

When the Internet’s address structure was originally defined, every unicast IP address had a network portion, to identify the network on which the interface using the IP address was to be found, and a host portion, used to identify the particular host on the network given in the network portion.

  • The partitioning of the address space involved five classes. Each class represented a different trade-off in the number of bits of a 32-bit IPv4 address devoted to the network numbers vs. the number of bits devoted to the host number.

    Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

    Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

IP Protocol and Traffic Routing

IP Protocol (Internet Protocol)

  • Layer 3 devices use the IP address to identify the destination of the traffic, also devices like stateful firewalls use it to identify where traffic has come from.
  • IP addresses are represented in quad dotted notation, for example, 10.195.121.10.
  • Each of the numbers is a non-negative integer from 0 to 255 and represents one-quarter of the whole IP address.
  • A routable protocol is a protocol whose packets may leave your network, pass through your router, and be delivered to a remote network.

IP Protocol Header

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

IPv4 vs. IPv6 Header

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Network Mask

  • The subnet mask is an assignment of bits used by a host or router to determine how the network and subnetwork information is partitioned from the host information in a corresponding IP address.
  • It is possible to use a shorthand format for expressing masks that simply gives the number of contiguous 1 bit in the mask (starting from the left). This format is now the most common format and is sometimes called the prefix length.
  • The number of bits occupied by the network portion.
  • Masks are used by routers and hosts to determine where the network/subnetwork portion of an IP address ends and the host part starts.

Broadcast Addresses

In each IPv4 subnet, a special address is reserved to be the subnet broadcast address. The subnet broadcast address is formed by setting the network/subnet portion of an IPv4 address to the appropriate value and all the bits in the Host portion to 1.

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Introduction to the IPv6 Address Schema

IPv4 vs. IPv6

In IPv6, addresses are 128 bits in length, four times larger than IPv4 addresses.

  • An IPv6 address will no longer use four octets. The IPv6 address is divided into eight hexadecimal values (16 bits each) that are separated by a colon(:) as shown in the following examples: 65b3:b834:54a3:0000:0000:534e:0234:5332 The IPv6 address isn’t case-sensitive, and you don’t need to specify leading zeros in the address. Also, you can use a double colon(::) instead of a group of consecutive zeros when writing out the address.

    0:0:0:0:0:0:0:1

    ::1

IPv4 Addressing Schemas

  1. Unicast: Send information to one system. With the IP protocol, this is accomplished by sending data to the IP address of the intended destination system.
  2. Broadcast: Sends information to all systems on the network. Data that is destined for all systems is sent by using the broadcast address for the network. An example of a broadcast address for a network is 192.168.2.2555. The broadcast address is determined by setting all hosts bits to 1 and then converting the octet to a decimal number.
  3. Multicast: Sends information to a selected group of systems. Typically, this is accomplished by having the systems subscribe to a multicast address. Any data that is sent to the multicast address is then received by all systems subscribed to the address. Most multicast addresses start with 224.×.y.z and are considered class D addresses.

IPv6 Addressing Schemas

  1. Unicast: A unicast address is used for one-on-one communication.
  2. Multicast: A multicast address is used to send data to multiple systems at one time.
  3. Anycast: Refers to a group of systems providing a service.

TCP/IP Layer 4 – Transport Layer Overview

Application and Transport Protocols – UDP and TCP

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Transport Layer Protocol > UDP

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

UDP Header Fields

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

UDP Use Cases

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Transport Layer Protocol > TCP

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Transport Layer Protocol > TCP in Action

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

UDP vs TCP

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Application Protocols – HTTP

  • Developed by Tim Berners-Lee.

  • HTTP works on a request response cycle; where the client returns a response.

  • It is made of 3 blocks known as the start-line header and body.

  • Not secure.

    Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Application Protocols – HTTPS

  • Designed to increase privacy on the internet.
  • Make use of SSL certificates.
  • It is secured and encrypted.

TCP/IP Layer 5 – Application Layer Overview

DNS and DHCP

DNS

Domain Name System or DNS translates domains names into IP addresses.

DHCP

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Syslog Message Logging Protocol

Syslog is standard for message logging. It allows separation of the software that generates messages, the system that stores them, and the software that report and analyze them. Each message is labeled with a facility code, indicating the software type generating the message, and assigned a severity label.

Used for:

  • System management

  • Security auditing

  • General informational analysis, and debugging messages

    Used to convey event notification messages. Provides a message format that allows vendor specific extensions to be provided in a structured way.

Syslog utilizes three layers

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Functions are performed at each conceptual layer:

  • An “originator” generates syslog content to be carried in a message. (Router, server, switch, network device, etc.)
  • A “collector” gathers syslog content for further analysis. — Syslog Server.
  • A “relay” forwards messages, accepting messages from originators or other relays and sending them to collectors or other relays. — Syslog forwarder.
  • A “transport sender” passes syslog messages to a specific transport protocol. — the most common transport protocol is UDP, defined in RFC5426.
  • A “transport receiver” takes syslog messages from a specific transport protocol.

Syslog messages components

  • The information provided by the originator of a syslog message includes the facility code and the severity level.
  • The syslog software adds information to the information header before passing the entry to the syslog receiver:
    • Originator process ID
    • a timestamp
    • the hostname or IP address of the device.
Facility codes
  • The facility value indicates which machine process created the message. The Syslog protocol was originally written on BSD Unix, so Facilities reflect the names of the UNIX processes and daemons.

  • If you’re receiving messages from a UNIX system, consider using the User Facility as your first choice. Local0 through Local7 aren’t used by UNIX and are traditionally used by networking equipment. Cisco routers, for examples, use Local6 or Local7.

    Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Syslog Severity Levels

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Flows and Network Analysis

What information is gathered in flows?

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Port Mirroring and Promiscuous Mode

Port mirroring

  • Sends a copy of network packets traversing on one switch port (or an entire VLAN) to a network monitoring connection on another switch port.
  • Port mirroring on a Cisco Systems switch is generally referred to as Switched Port Analyzer (SPAN) or Remote Switched Port analyzer (RSPAN).
  • Other vendors have different names for it, such as Roving Analysis Port (RAP) on 3COM switches.
  • This data is used to analyze and debug data or diagnose errors on a network.
  • Helps administrators keep a close eye on network performance and alerts them when problems occur.
  • It can be used to mirror either inbound or outbound traffic (or both) on one or various interfaces.

Promiscuous Mode Network Interface Card (NIC)

In computer networking, promiscuous mode (often shortened to “promisc mode” or “promisc. mode”) is a mode for a wired network interface controller (NIC) or wireless network interface controller (WNIC) that causes the controller o pass all traffic it receives to the Central Processing Unit (CPU) rather than passing only frames that the controller is intended to receive.

Firewalls, Intrusion Detection and Intrusion Prevention Systems

Next Generation Firewalls – Overview

What is a NGFW?

  • A NGFW is a part of the third generation of firewall technology. Combines traditional firewall with other network device filtering functionalities.
  • Application firewall using in-line deep packet inspection (DPI)
  • Intrusion prevention system (IPS).
  • Other techniques might also be employed, such as TLS/SSL encrypted traffic inspection, website filtering.

NGFW vs. Traditional Firewall

  • Inspection over the data payload of network packets.
  • NGFW provides the intelligence to distinguish business applications and non-business applications and attacks.

Traditional firewalls don’t have the fine-grained intelligence to distinguish one kind of Web traffic from another, and enforce business policies, so it’s either all or nothing.

NGFW and the OSI Model

  • The firewall itself must be able to monitor traffic from layers 2 through 7 and make a determination as to what type of traffic is being sent and received.

    Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

NGFW Packet Flow Example and NGFW Comparisons

Flow of Traffic Between Ingress and Egress Interfaces on a NGFW

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Flow of Packets Through the Firewall

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

NGFW Comparisons:

  • Many firewalls vendors offer next-generation firewalls, but they argue over whose technique is the best.
  • A NGFW is application-aware. Unlike traditional stateful firewalls, which deal in ports and protocols, NGFW drill into traffic to identify the application transversing the network.
  • With current trends pushing applications into the public cloud or to be outsourced to SaaS provides, a higher level of granularity is needed to ensure that the proper data is coming into the enterprise network.
Examples of NGFW
Cisco Systems

Cisco Systems have announced plans to add new levels of application visibility into its Adaptive Security Appliance (ASA), as part of its new SecureX security architecture.

Palo Alto Networks

Says it was the first vendor to deliver NGFW and the first to replace port-based traffic classification with application awareness. The company’s products are based on a classification engine known as App-ID. App-ID identifies applications using several techniques, including decryption, detection, decoding, signatures, and heuristics.

Juniper Networks

They use a suite of software products, known as AppSecure, to deliver NGFW capabilities to its SRX Services Gateway. The application-aware component, known as AppTrack, provides visibility into the network based on Juniper’s signature database as well as custom application signatures created by enterprise administrators.

NGFW other vendors:
  • McAfee
  • Meraki MX Firewalls
  • Barracuda
  • Sonic Wall
  • Fortinet Fortigate
  • Check Point
  • WatchGuard
Open Source NGFW:
pfSense

It is a free and powerful open source firewall used mainly for FreeBSD servers. It is based on stateful packet filtering. Furthermore, it has a wide range of features that are normally only found in very expensive firewalls.

ClearOS

It is a powerful firewall that provides us the tools we need to run a network, and also gives us the option to scale up as and when required. It is a modular operating system that runs in a virtual environment or on some dedicated hardware in the home, office etc.

VyOS

It is open source and completely free, and based on Debian GNU/Linux. It can run on both physical and virtual platforms. Not only that, but it provides a firewall, VPN functionality and software based network routing. Likewise, it also supports paravirtual drivers and integration packages for virtual platforms. Unlike OpenWRT or pfSense, VyOS provides support for advanced routing features such as dynamic routing protocols and command line interfaces.

IPCop

It is an open source Linux Firewall which is secure, user-friendly, stable and easily configurable. It provides an easily understandable Web Interface to manage the firewall. Likewise, it is most suitable for small businesses and local PCs.

IDS/IPS

Classification of IDS

  • Signature based: Analyzes content of each packet at layer 7 with a set of predefined signatures.
  • Anomaly based: It monitors network traffic and compares it against an established baseline for normal use and classifying it as either normal or anomalous.

Types of IDS

  1. Host based IDS (HIDS): Anti-threat applications such as firewalls, antivirus software and spyware-detection programs are installed on every network computer that has two-way access to the outside.
  2. Network based IDS (NIDS): Anti-threat software is installed only at specific points, such as servers that interface between the outside environment and the network segment to be protected.
NIDS
  • Appliance: IBM RealSecure Server Sensor and Cisco IDS 4200 series
  • Software: Sensor software installed on server and placed in network to monitor network traffic, such as Snort.
IDS Location on Network

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Hybrid IDS Implementation

  • Combines the features of HIDS and NIDS
  • Gains flexibility and increases security
  • Combining IDS sensors locations: put sensors on network segments and network hosts and can report attacks aimed at particular segments or the entire network.

What is an IPS?

  • Network security/threat prevention technology.

  • Examines network traffic flows to detect and prevent vulnerability exploits.

  • Often sits directly behind the firewall.

    Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

How does the attack affect me?

  • Vulnerability exploits usually come in the form of malicious inputs to a target application or service.
  • The attackers use those exploits to interrupt and gain control of an application or machine.
  • Once successful exploit, the attacker can disable the target application (DoS).
  • Also, can potentially access to all the rights and permissions available to the compromised application.

Prevention?

  • The IPS is placed inline (in the direct communication path between source and destination), actively analyzing and taking automated actions on all traffic flows that enter the network. Specifically, these actions include:
    • Sending an alarm to the admin (as would be seen in an IDS)
    • Dropping the malicious packets
    • Blocking traffic from the source address
    • Resetting the connection
Signature-based detection

It is based on a dictionary of uniquely identifiable patterns (or signatures) in the code of each exploit. As an exploit is discovered, its signature is recorded and stored in a continuously growing dictionary of signatures. Signatures detection for IPS breaks down into two types:

  1. Exploit-facing signatures identify individual exploits by triggering on the unique patterns of a particular exploit attempt. The IPS can identify specific exploits by finding a match with an exploit-facing signatures in the traffic.
  2. Vulnerability-facing signatures are broader signatures that target the underlying vulnerability in the system that is being targeted. These signatures allow networks to be protected from variants of an exploit that may not have been directly observed in the wild, but also raise the risk of false positive.
Statistical anomaly detection
  • Takes samples of network traffic at random and compares them to a pre-calculated baseline performance level. When the sample of network traffic activity is outside the parameters of baseline performance, the IPS takes action to handle the situation.
  • IPS was originally built and released as a standalone device in the mid-2000s. This, however, was in the advent of today’s implementations, which are now commonly integrated into Unified Threat Management (UTM) solutions (for small and medium size companies) and NGFWs (at the enterprise level).

High Availability and Clustering

What is HA?

  • In information technology, high availability (HA) refers to a system or component that is continuously operational for a desirably long length of time. Availability can be measured relative to “100% operational” or “never failing”.
  • HA architecture is an approach of defining the components, modules, or implementation of services of a system which ensures optimal operational performance, even at times of high loads.
  • Although there are no fixed rules of implementing HA systems, there are generally a few good practices that one must follow so that you gain most out of the least resources.

Requirements for creating an HA cluster?

  • Hosts in a virtual server cluster must have access to the same shared storage, and they must have identical network configurations.
  • Domain name system (DNS) naming is important too: All hosts must resolve other hosts using DNS names, and if DNS isn’t set correctly, you won’t be able to configure HA settings at all.
  • Same OS level.
  • Connections between the primary and secondary nodes.

How HA works?

To create a highly available system, three characteristics should be present:

Redundancy:

  • Means that there are multiple components that can perform the same task. This eliminates the single point of failure problem by allowing a second server to take over a task if the first one goes down or becomes disabled.

    Monitoring and Failover

  • In a highly available setup, the system needs to be able to monitor itself for failure. This means that there are regular checks to ensure that all components are working properly. Failover is the process by which a secondary component becomes primary when monitoring reveals that a primary component has failed.

    Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

NIC Teaming

It is a solution commonly employed to solve the network availability and performance challenges and has the ability to operate multiple NICs as a single interface from the perspective of the system.

NIC teaming provides:

  • Protection against NIC failures
  • Fault tolerance in the event of a network adapter failure.

HA on a Next-Gen FW

Basics of IP Addressing and the OSI Model Basics of IP Addressing and the OSI Model

Introduction to Databases

Data Source Types

  • Distributed Databases
    • Microsoft SQL Server, DB2, Oracle, MySQL, SQLite, Postgres etc.
    • Structured Data
  • Data Warehouses
    • Amazon’s redshift, Netezza, Exadata, Apache Hive etc.
    • Structured Data
  • Big Data
    • Google BigTable, Hadoop, MongoDB etc.
    • Semi-Structured Data
  • File Shares
    • NAS (Network Attached Storage), Network fileshares such as EMC or NetApp; and Cloud Shares such as Amazon S3, Google Drive, Dropbox, Box.com etc.

    • Unstructured-Data

      Introduction to Databases Introduction to Databases

Data Model Types

Structured Data

“Structured data is data that has been organized into a formatted repository, typically a database, so that its elements can be made addressable for more effective processing and analysis.”

Semi-Structured Data

“Semi-structured data is data that has not been organized into a specialized repository, such as a database, but that nevertheless has associated information, such as metadata, that makes it more amenable to processing than raw data.”

  • A Word document with tags and keywords.

Unstructured Data

“Unstructured data is information, in many forms, that doesn’t hew to conventional data models and thus typically isn’t a good fit for a mainstream relational database.”

  • A Word Document, transaction data etc.

Types of Unstructured Data

  • Text (most common type)
  • Images
  • Audio
  • Video

Structured Data

Flat File Databases

Flat-file databases take all the information from all the records and store everything in one table.

  • This works fine when you have some records related to a single topic, such as a person’s name and phone numbers.
  • But if you have hundreds or thousands of records, each with a number of fields, the database quickly becomes difficult to use.

Relational Databases

Relational databases separate a mass of information into numerous tables. All columns in each table should be about one topic, such as “student information”, “class Information”, or “trainer information”.

  • The tables for a relational database are linked to each other through the use of Keys. Each table may have one primary key and any number of foreign keys. A foreign key is simply a primary key from one table that has been placed in another table.

  • The most important rules for designing relational databases are called Normal Forms. When databases are designed properly, huge amounts of information can be kept under control. This lets you query the database (search for information section) and quickly get the answer you need.

    Introduction to Databases Introduction to Databases

Securing Databases

Securing your “Crown Jewels”

Introduction to Databases Introduction to Databases

Leveraging Security Industry Best Practices

Enforce:

  • DOD STIG

  • CIS (Center for Internet Security)

  • CVE (Common Vulnerability and Exposures)

    Secure:

  • Privileges

  • Configuration settings

  • Security patches

  • Password policies

  • OS level file permission

    Established Baseline: User defined queries for custom tests to meet baseline for;

  • Organization

  • Industry

  • Application

  • Ownership and access for your files

    Forensics: Advanced Forensics and Analytics using custom reports

  • Understand your sensitive data risk and exposure

Structured Data and Relational Databases

Perhaps the most common day-to-day use case for a database is using it as the backend of an application, such as your organization HR system, or even your organization’s email system!

Introduction to Databases Introduction to Databases

Anatomy of a Vulnerability Assessment Test Report

Introduction to Databases Introduction to Databases

Securing Data Sources by Type

Introduction to Databases Introduction to Databases

A Data Protection Solution Example, IBM Security Guadium Use Cases

Data Monitoring

Data Activity Monitoring/Auditing/Logging

  • Does your product log all key activity generation, retrieval/usage, etc.?
  • Demo data access activity monitoring and logging of the activity monitoring?
  • Does your product monitor for unique user identities (including highly privileged users such as admins and developers) with access to the data?
  • At the storage level, can it detect/identify access to highly privileged users such as database admins, system admins or developers?
  • Does your product generate real time alerts of policy violations while recording activities?
  • Does your product monitor user data access activity in real time with customizable security alerts and blocking unacceptable user behavior, access patterns or geographic access, etc.? If yes, please describe.
  • Does your product generate alerts?
  • Demo the capability for reporting and metrics using information logged.
  • Does your product create auditable reports of data access and security events with customizable details that can address defined regulations or standard audit process requirements? If yes, please describe.
  • Does your product support the ability to log security events to a centralized security incident and event management (SIEM) system?
  • Demo monitoring of non-Relational Database Management Systems (nRDBMS) systems, such as Cognos, Hadoop, Spark, etc.

Deep Dive Injection Vulnerability

What are injection flaws?

  • Injection Flaws: They allow attackers to relay malicious code through the vulnerable application to another system (OS, Database server, LDAP server, etc.)
  • They are extremely dangerous, and may allow full takeover of the vulnerable system.
  • Injection flaws appear internally and externally as a Top Issue.

OS Command Injection

What is OS Command Injection?

  • Abuse of vulnerable application functionality that causes execution of attacker-specified OS commands.
  • Applies to all OSes – Linux, Windows, macOS.
  • Made possible by lack of sufficient input sanitization, and by unsafe execution of OS commands.

What is the Worst That Could Happen?

  • Attacker can replace file to be deleted – BAD:
    /bin/sh -c "/bin/rm /var/app/logs/../../lib/libc.so.6"
  • Attacker can inject arbitrary malicious OS command – MUCH WORSE:
    /bin/sh -c "/bin/rm /var/app/logs/x;rm -rf /"
  • OS command injection can lead to:
    • Full system takeover
    • Denial of service
    • Stolen sensitive information (passwords, crypto keys, sensitive personal info, business confidential data)
    • Lateral movement on the network, launching pad for attacks on other systems
    • Use of system for botnets or cryptomining
  • This is as bad as it gets, a “GAME OVER” event.

How to Prevent OS Command Injection?

Recommendation #1 – don’t execute OS commands

  • Sometimes OS command execution is introduced as a quick fix, to let the command or group of commands do the heavy lifting.
  • This is dangerous, because insufficient input checks may let a destructive OS command slip in.
  • Resist the temptation to run OS commands and use built-in or 3rd party libraries instead:
    • Instead of rm use java.nio.file.Files.deleteIfExists(file)
    • Instead of cp use java.nio.file.Files.copy(source, destination) … and so on.
  • Use of library functions significantly reduces the attack surface.

Recommendation #2 – Run at the least possible privilege level

  • It is a good idea to run under a user account with the least required rights.
  • The more restricted the privilege level is, the less damage can be done.
  • If an attacker is able to sneak in an OS command (e.g., rm -rf /) he can do much less damage when the application is running as tomcat user vs. running as root user.
  • This helps in case of many vulnerabilities, not just injection.

Recommendation #3 – Don’t run commands through shell interpreters

  • When you run shell interpreters like sh, bash, cmd.exe, powershell.exe it is much easier to inject commands.
  • The following command allows injection of an extra rm:
    /bin/sh -c "/bin/rm /var/app/logs/x;rm -rf /"
  • … but in this case injection will not work, the whole command will fail:
    /bin/rm /var/app/logs/x;rm -rf/
  • Running a single command directly executes just that command.
  • Note that it is still possible to influence the behavior of a single command (e.g., for nmap the part on the right, when injected, could overwrite a vital system file):
    /usr/bin/nmap 1.2.3.4 -oX /lib/libc.so.6
  • Also note that the parameters that you pass to a script may still result in command injection:
    processfile.sh "x;rm -rf /"

Recommendation #4 – Use explicit paths when running executables

  • Applications are found and executed based on system path settings.
  • If a writable folder is referenced in the path before the folder containing the valid executable, an attacker may install a malicious version of the application there.
  • In this case, the following command will cause execution of the malicious application:
    /usr/bin/nmap 123.45.67.89
  • The same considerations apply to shared libraries, explicit references help avoid DLL hijacking.

Recommendation #5 – Use safer functions when running system commands

  • If available, use functionality that helps prevent command injection.
  • For example, the following function call is vulnerable to new parameter injection (one could include more parameters, separated by spaces, in ipAddress):
    Runtime.getRuntime().exec("/user/bin/nmap " + ipAddress) ;
  • … but this call is not vulnerable:
    Runtime.getRuntime().exec(new String[]{"/usr/bin/nmap",ipAddress});

Recommendation #6 – if possible, don’t let user input reach command execution unchanged

  • Modifying user input, or replacing user-specified values with others (e.g., using translation tables) helps protect against injection.
  • For example, instead of allowing a user to specify a file to delete, let them select a unique file ID:
    action=delete&file=457
  • When submitted, translate that ID into a real file name:
    realName= getRealFileName(fileID);
    Runtime.getRuntime().exec(newString[]{"/bin/rm","/var/app/logs/"+realName});

Recommendation #7 – Sanitize user input with strict whitelist (not blacklists!)

  • In products, we often see blacklists used for parameter sanitization; some of them are incorrect.
  • It is hard to build a successful blacklist – hackers are very inventive.
  • Suppose we want to blacklist characters used in a file name for command, rm /var/app/logs/file Deep Dive Injection Vulnerability Deep Dive Injection Vulnerability
  • A more robust and simpler solution is to whitelist file name as [A-Za-z0-9.]+

What is SQL Injection?

  • Abuse of vulnerable application functionality that causes execution of attacker-specified SQL queries.

  • It is possible in any SQL database.

  • Made possible by lack of sufficient input sanitization.

    Example

    Deep Dive Injection Vulnerability Deep Dive Injection Vulnerability

Dangers of SQL Injection

  • Consequences of SQL injection:
    • Bypassing of authentication mechanisms
    • Data exfiltration
    • Execution of OS commands, e.g., in Postgres:
COPY (SELECT 1) TO PROGRAM 'rm -rf /'
  • Vandalism/DoS (e.g., DROP TABLE sales) – injected statements may sometimes be chained
    SELECT * FROM users WHERE user='' ;DROP TABLE sales; --' AND pass=''

Common Types of SQL injection

  • Error based
    • Attacker may tailor his actions based on the database errors the application displays.
  • UNION-based
    • May be used for data exfiltration, for example:
      SELECT name, text FROM log WHERE data='2018-04-01' UNION SELECT user, password FROM users --'
  • Blind Injection
    • The query may not return the data directly, but it can be inferred by executing many queries whose behavior presents one of two outcomes.
    • Can be Boolean-based (one of two possible responses), and Time-based (immediate vs delayed execution).
    • For example, the following expression, when injected, indicates if the first letter of the password is a:
      IF(password LIKE 'a%', sleep(10), 'false')
  • Out of Band
    • Data exfiltration is done through a separate channel (e.g., by sending an HTTP request).

How to Prevent SQL Injection?

Recommendation #1 – Use prepared statements

  • Most SQL injection happens because queries are pieced together as text.
  • Use of prepared statements separates the query structure from query parameters.
  • Instead of this pattern:
    stmt.executeQuery("SELECT * FROM users WHERE user='"+user+"' AND pass='"pass+"'")
  • … use this:
    PreparedStatement ps = conn.preparedStatement("SELECT * FROM users WHERE user = ? AND pass = ?"); ps.setString(1, user);ps.setString(2, pass);
  • SQL injection risk now mitigated.
  • Note that prepared statements must be used properly, we occasionally see bad examples like:
    conn.preparedStatement("SELECT * FROM users WHERE user = ? AND pass = ? ORDER BY "+column);

Recommendation #2 – Sanitize user input

  • Just like for OS command injection, input sanitization is important.
  • Only restrictive whitelists should be used, not blacklists.
  • Where appropriate, don’t allow user input to reach the database, and instead use mapping tables to translate it.

Recommendation #3 – Don’t expose database errors to the user

  • Application errors should not expose internal information to the user.
  • Details belong in an internal log file.
  • Exposed details can be abused for tailoring SQL injection commands.
  • For examples, the following error message exposes both the internal query structure and the database type, helping attackers in their efforts:

    ERROR: If you have an error in your SQL syntax, check the manual that corresponds to your MySQL server version for the right syntax to use near “x” GROUP BY username ORDER BY username ASC’ at line 1.

Recommendation #4 – Limit database user permissions

  • When user queries are executed under a restricted user, less damage is possible if SQL injection happens.
  • Consider using a user with read-only permissions when database updates are not required, or use different users for different operations.

Recommendation #5 – Use stored Procedures

  • Use of stored procedures mitigates the risk by moving SQL queries into the database engine.
  • Fewer SQL queries will be under direct control of the application, reducing likelihood of abuse.

Recommendation #6 – Use ORM libraries

  • Object-relational mapping (ORM) libraries help mitigate SQL injection
    • Examples: Java Persistence API (JPA) implementations like Hibernate.
  • ORM helps reduce or eliminate the need for direct SQL composition.
  • However, if ORM is used improperly SQL injections may still be possible:
    Query hqlQuery = session.createQuery("SELECT * FROM users WHERE user='"+user+"'AND pass='"+pass+"'")

Other Types of Injection

  • Injection flaws exist in many other technologies
  • Apart from the following, there are injection flaws also exist in Templating engines.
  • … and many other technologies
  • Recommendation for avoiding all of them are similar to what is proposed for OS and SQL injection.

NoSQL Injection

  • In MongoDB $where query parameter is interpreted as JavaScript.
  • Suppose we take an expression parameter as input:
    $where: "$expression"
  • In simple case it is harmless:
    $where: "this.userType==3"
  • However, an attacker can perform a DoS attack:
    $where: "d = new Date; do {c = new Date;} while (c - d < 100000;"

XPath Injection

  • Suppose we use XPath expressions to select user on login:
    "//Employee[UserName/text()='" + Request ("Username") + "' AND Password/text() = '" + Request ("Password") + "']"
  • In the benign case, it will select only the user whose name and password match:
    //Employee[UserName/text()='bob' AND Password/text()='secret']
  • In the malicious case, it will select any user:
    //Employee[UserName/text()='' or 1=1 or '1'='1' And Password/text()='']

LDAP Injection

  • LDAP is a common mechanism for managing user identity information. The following expression will find the user with the specified username and password.
    find("(&(cn=" + user +")(password=" + pass +"))")
  • In the regular case, the LDAP expression will work only if the username and password match:
    find("(&(cn=bob)(password=secret))")
  • Malicious users may tweak the username to force expression to find any user:
    find("(&(cn=*)(cn=*))(|cn=*)(password=any)")

Subsections of Pentest, IR and Forensics

Penetration Testing

What is Penetration Testing?

“Penetration testing is security testing in which assessors mimic real-world attacks to identify methods for circumventing the security features of an application, system, or network. It often involves launching real attacks on real systems and data that use tools and techniques commonly used by attackers.”

Operating Systems

Desktop Mobile
Windows iOS
Unix Android
Linux Blackberry OS
macOS Windows Mobile
ChromeOS WebOS
Ubuntu Symbian OS

Approaches

  1. Internal vs. external
  2. Web and mobile application assessments
  3. Social Engineering
  4. Wireless Network, Embedded Device & IoT
  5. ICS (Industry Control Systems) penetration

General Methodology

  • Planning
  • Discovery
  • Attack
  • Report

Penetration Testing Phases

Penetration Testing – Planning

  • Setting Objectives
  • Establishing Boundaries
  • Informing Need-to-know employees

Penetration Testing – Discovery

Vulnerability analysis

Vulnerability scanning can help identify outdated software versions, missing patches, and misconfigurations, and validate compliance with or deviations from an organization’s security policy. This is done by identifying the OSes and major software applications running on the hosts and matching them with information on known vulnerabilities stored in the scanners’ vulnerability databases.

Dorks

A Google Dork query, sometimes just referred to as a dork, is a search string that uses advanced search operators to find information that is not readily available on a website.

What Data Can We Find Using Google Dorks?

  • Admin login pages
  • Username and passwords
  • Vulnerable entities
  • Sensitive documents
  • Govt/military data
  • Email lists
  • Bank Account details and lots more…

Passive vs. Active Record

Passive Active
Monitoring employees Network Mapping
Listening to network traffic Port Scanning
Password cracking

Social Engineering

“Social Engineering is an attempt to trick someone into revealing information (e.g., a password) that can be used to attack systems or networks. It is used to test the human element and user awareness of security, and can reveal weaknesses in user behavior.”

Scanning Tools

  • Network Mapper → NMAP
  • Network Analyzer and Profiler → WIRESHARK
  • Password Crackers → JOHNTHERIPPER
  • Hacking Tools → METASPLOIT

Passive Online

  • Wire sniffing
  • Man in the Middle
  • Replay Attack

Active Online

  • Password Guessing
  • Trojan/spyware/keyloggers
  • Hah injection
  • Phishing

Offline Attacks

  • Pre-computed Hashes
    • Data structures that use a hash function to store, order, and/or access data in an array.
  • Distributed Network Attack (DNA)
    • DNA is a password cracking system sold by AccessData.
    • DNA can perform brute-force cracking of 40-bit RC2/RC4 keys. For longer keys, DNA can attempt password cracking. (It’s computationally infeasible to attempt a brute-force attack on a 128-bit key.)
    • DNA can mine suspect’s hard drive for potential passwords.
  • Rainbow Tables
    • A rainbow table is a pre-computed table for reversing cryptographic hash functions, usually for cracking password hashes.

Tech-less Discovery

  • Social Engineering
  • Shoulder surfing
  • Dumpster Diving

Penetration Testing – Attack

“While vulnerability scanners check only for the possible existence of a vulnerability, the attack phase of a penetration test exploits the vulnerability to confirm its existence.”

Penetration Testing Penetration Testing

Types of Attack Scenarios

  1. White Box Testing: In this type of testing, the penetration tester has full access to the target system and all relevant information, including source code, network diagrams, and system configurations. This type of testing is also known as “full disclosure” testing and is typically performed during the planning phase of penetration testing.
  2. Grey Box Testing: In this type of testing, the penetration tester has partial access to the target system and some knowledge of its internal workings, but not full access or complete knowledge. This type of testing is typically performed during the Discovery phase of penetration testing.
  3. Black Box Testing: In this type of testing, the penetration tester has no prior knowledge or access to the target system and must rely solely on external observations and testing to gather information and identify vulnerabilities. This type of testing is also known as “blind” testing and is typically performed during the Attack phase of penetration testing.

Exploited Vulnerabilities

Penetration Testing Penetration Testing

Penetration Testing – Reporting

Executive Summary

“This section will communicate to the reader the specific goals of the Penetration Test and the high level findings of the testing exercise.”

  • Background
  • Overall Posture
  • Risk Ranking
  • General Findings
  • Recommendations
  • Roadmap

Technical Review

Introduction

  • Personnel involved

  • Contact information

  • Assets involved in testing

  • Objectives of Test

  • Scope of test

  • Strength of test

  • Approach

  • Threat/Grading Structure

    Scope

  • Information gathering

  • Passive intelligence

  • Active intelligence

  • Corporate intelligence

  • Personnel intelligence

    Vulnerability Assessment In this section, a definition of the methods used to identify the vulnerability as well as the evidence/classification of the vulnerability should be present.

    Vulnerability Confirmation This section should review, in detail, all the steps taken to confirm the defined vulnerability as well as the following:

  • Exploitation Timeline

  • Targets selected for Exploitation

  • Exploitation Activities

    Post Exploitation

  • Escalation path

  • Acquisition of Critical Information

  • Value of information Access to core business systems

  • Access to compliance protected data sets

  • Additional information/systems accessed

  • Ability of persistence

  • Ability for exfiltration

  • Countermeasure

  • Effectiveness

    Risk/Exposure This section will cover the business risk in the following subsection:

  • Evaluate incident frequency

  • Estimate loss magnitude per incident

  • Derive Risk

Penetration Testing Tools

  • Kali Linux
  • NMAP (Network Scanner)
  • JohnTheRipper (Password cracking tool)
  • MetaSploit
  • Wireshark (Packet Analyzer)
  • HackTheBox (Testing playground)
  • LameWalkThrough (Testing playground)

Incident Response

What is Incident Response?

“Preventive activities based on the results of risk assessments can lower the number of incidents, but not all incidents can be prevented. An incident response is therefore necessary for rapidly detecting incidents, minimizing loss and destruction, mitigating the weaknesses that were exploited, and restoring IT services.”

Events

“An event can be something as benign and unremarkable as typing on a keyboard or receiving an email.”

In some cases, if there is an Intrusion Detection System(IDS), the alert can be considered an event until validated as a threat.

Incident

“An incident is an event that negatively affects IT systems and impacts on the business. It’s an unplanned interruption or reduction in quality of an IT service.”

An event can lead to an incident, but not the other way around.

Why Incident Response is Important

One of the benefit of having an incident response is that it supports responding to incidents systematically so that the appropriate actions are taken, it helps personnel to minimize loss or theft of information and disruption of services caused by incidents, and to use information gained during incident handling to better prepare for handling future incidents.

IR Team Models

  • Central teams
  • Distributed teams
  • Coordinating teams

Coordinating Teams

Incident don’t occur in a vacuum and can have an impact on multiple parts of a business. Establish relationships with the following teams: Incident Response Incident Response

Common Attack Vectors

Organization should be generally prepared to handle any incident, but should focus on being prepared to handle incident that use common attack vectors:

  1. External/Removable Media
  2. Attrition
  3. Web
  4. Email
  5. Impersonation
  6. Loss or theft of equipment

Baseline Questions

Knowing the answers to these will help your coordination with other teams and the media.

  • Who attacked you? Why?
  • When did it happen? How did it happen?
  • Did this happen because you have poor security processes?
  • How widespread is the incident?
  • What steps are you taking to determine what happened and to prevent future occurrences?
  • What is the impact of the incident?
  • Was any PII exposed?
  • What is the estimated cost of this incident?

Incident Response Phases

Incident Response Incident Response

Incident Response Process

Incident Response Preparation

Incident Response Policy

IR Policy needs to cover the following: IR Team

  • The composition of the incident response team within the organization. Roles
  • The role of each of the team members. Means, Tools, Resources
  • The technological means, tools, and resources that will be used to identify and recover compromised data. Policy Testing
  • The persons responsible for testing the policy. Action Plan
  • How to put the policy into the action?

Resources

Incident Handler Communications and Facilities:

  • Contact information

  • On-call information

  • Incident reporting mechanisms

  • Issue tracking system

  • Smartphones

  • Encryption software

  • War room

  • Secure storage facility

    Incident Analysis Hardware and Software:

  • Digital forensic workstations and/or backup devices

  • Laptops

  • Spare workstations, servers, and networking equipment

  • Blank removable media

  • Portable printer

  • Packet sniffers and protocol analyzers

  • Digital forensic software

  • Removable media

  • Evidence gathering accessories

    Incident Analysis Resources:

  • Port lists

  • Documentation

  • Network diagrams and lists of critical assets

  • Current baselines

  • Cryptographic hashes

The Best Defense

“Keeping the number of incidents reasonably low is very important to protect the business processes of the organization. It security controls are insufficient, higher volumes of incidents may occur, overwhelming the incident response team.”

So the best defense is:

  • Periodic Risk Assessment
  • Hardened Host Security
  • Whitelist based Network Security
  • Malware prevention systems
  • User awareness and training programs

Checklist

  • Are all members aware of the security policies of the organization?
  • Do all members of the Computer Incident Response Team know whom to contact?
  • Do all incident responders have access to journals and access to incident response toolkits to perform the actual incident response process?
  • Have all members participated in incident response drills to practice the incident response process and to improve overall proficiency on a regularly established basis?

Incident Response Detection and Analysis

Precursors and Indicators

Precursors

  • A precursor is a sign that an incident may occur in the future.
    • Web server log entries that show the usage of a vulnerability scanner.

    • An announcement of a new exploit that targets a vulnerability of the organization’s mail server.

    • A threat from a group stating that the group will attack the organization.

      Indicators

  • An indicator is a sing that an incident may have occurred or may be occurring now.
    • Antivirus software alerts when it detects that a host is infected with malware.
    • A system admin sees a filename with unusual characters.
    • A host records an auditing configuration change in its log.
    • An application logs multiple failed login attempts from an unfamiliar remote system.
    • An email admin sees many bounced emails with suspicious content.
    • A network admin notices an unusual deviation from typical network traffic flows.

Monitoring Systems

  • Monitoring systems are crucial for early detection of threats.

  • These systems are not mutually exclusive and still require an IR team to document and analyze the data.

    IDS vs. IPS Both are parts of the network infrastructure. The main difference between them is that IDS is a monitoring system, while IPS is a control system.

    DLP Data Loss Prevention (DLP) is a set of tools and processes used to ensure that sensitive data is not lost, misused, or accessed by unauthorized users.

    SIEM Security Information and Event Management solutions combine Security Event Management (SEM) – which carries out analysis of event and log data in real-time, with Security Information Management (SIM).

Documentation

Regardless of the monitoring system, highly detailed, thorough documentation is needed for the current and future incidents.

  • The current status of the incident
  • A summary of the incident
  • Indicators related to the incident
  • Other incident related to this incident
  • Actions taken by all incident handlers on this incident.
  • Chain of custody, if applicable
  • Impact assessments related to the incident
  • Contact information for other involved parties
  • A list of evidence gathered during the incident investigation
  • Comments from incident handlers
  • Next steps to be taken (e.g., rebuild the host, upgrade an application)

Functional Impact Categories

Incident Response Incident Response

Information Impact Categories

Incident Response Incident Response

Recoverability Effort Categories

Incident Response Incident Response

Notifications

  • CIO
  • Local and Head of information security
  • Other incident response teams within the organization
  • External incident response teams (if appropriate)
  • System owner
  • Human resources
  • Public affairs
  • Legal department
  • Law enforcement (if appropriate)

Containment, Eradication & Recovery

Containment

“Containment is important before an incident overwhelms resources or increases damage. Containment strategies vary based on the type of incident. For example, the strategy for containing an email-borne malware infection is quite different from that of a network-based DDoS attack.”

An essential part of containment is decision-making. Such decisions are much easier to make if there are predetermined strategies and procedures for containing the incident.

  1. Potential damage to and theft of resources
  2. Need for an evidence preservation
  3. Service availability
  4. Time and resources needed to implement the strategy
  5. Effectiveness of the strategy
  6. Duration of the solution

Forensics in IR

“Evidence should be collected to procedures that meet all applicable laws and regulations that have been developed from previous discussions with legal staff and appropriate law enforcement agencies so that any evidence can be admissible in court.” — NIST 800-61

  1. Capture a backup image of the system as-is
  2. Gather evidence
  3. Follow the Chain of custody protocols

Eradication and Recovery

  1. After an incident has been contained, eradication may be necessary to eliminate components of the incident, such as deleting malware and disabling breached user accounts, as well as identifying and mitigating all vulnerabilities that were exploited.
  2. Recovery may involve such actions as restoring systems from clean backups, rebuilding systems from scratch, replacing compromised files with clean versions, installing patches, changing passwords, and tightening network perimeter security.
  3. A high level of testing and monitoring are often deployed to ensure restored systems are no longer impacted by the incident. This could take weeks or months, depending on how long it takes to bring back compromised systems into production.

Checklist

  • Can the problem be isolated? Are all affected systems isolated from non-affected systems? Have forensic copies of affected systems been created for further analysis?
  • If possible, can the system be reimaged and then hardened with patches and/or other countermeasures to prevent or reduce the risk of attacks? Have all malware and other artifacts left behind by the attackers been removed, and the affected systems hardened against further attacks?
  • What tools are you going to use to test, monitor, and verify that the systems being restored to productions are not compromised by the same methods that cause the original incident?

Post Incident Activities

Holding a “lessons learned” meeting with all involved parties after a major incident, and optionally periodically after lesser incidents as resources permit, can be extremely helpful in improving security measures and the incident handling process itself.

Lessons Learned

  • Exactly what happened, and at what times?
  • How well did staff and management perform in dealing with the incident? Were the documented procedures followed? Were they adequate?
  • What information was needed sooner?
  • Were any steps or actions taken that might have inhibited the recovery?
  • What would the staff and management do differently the next time a similar incident occurs?
  • How could information sharing with other organizations have been improved?
  • What corrective actions can prevent similar incidents in the future?
  • What precursors or indicators should be watched in the future to detect the similar incidents?

Other Activities

  • Utilizing data collected
  • Evidence Retention
  • Documentation

Digital Forensics

Forensics Overview

What are Forensics?

“Digital forensics, also known as computer and network forensics, has many definitions. Generally, it is considered the application of science to the identification, collection, examination, and analysis of data while preserving the integrity of the information and maintaining a strict chain of custody for the data.”

Types of Data

The first step in the forensic process is to identify potential sources of data and acquire data from them. The most obvious and common sources of data are desktop computers, servers, network storage devices, and laptops.

  • CDs/DVDs
  • Internal & External Drives
  • Volatile data
  • Network Activity
  • Application Usage
  • Portable Digital Devices
  • Externally Owned Property
  • Computer at Home Office
  • Alternate Sources of Data
  • Logs
  • Keystroke Monitoring

The Need for Forensics

  • Criminal Investigation
  • Incident Handling
  • Operational Troubleshooting
  • Log Monitoring
  • Data Recovery
  • Data Acquisition
  • Due Diligence/Regulatory Compliance

Objectives of Digital Forensics

  • It helps to recover, analyze, and preserve computer and related materials in such a manner that it helps the investigation agency to present them as evidence in a court of law. It helps to postulate the motive behind the crime and identity of the main culprit.
  • Designing procedures at a suspected crime scene, which helps you to ensure that the digital evidence obtained is not corrupted.
  • Data acquisition and duplication: Recovering deleted files and deleted partitions from digital media to extract the evidence and validate them.
  • Help you to identify the evidence quickly, and also allows you to estimate the potential impact of the malicious activity on the victim.
  • Producing a computer forensic report, which offers a complete report on the investigation process.
  • Preserving the evidence by following the chain of custody.

Forensic Process – NIST

Collection Identify, label, record, and acquire data from the possible sources, while preserving the integrity of the data.

Examination Processing large amounts of collected data to assess and extract of particular interest.

Analysis Analyze the results of the examination, using legally justifiable methods and techniques.

Reporting Reporting the results of the analysis.

The Forensic Process

Data Collection and Examination

Examination

Steps to Collect Data

Develop a plan to acquire the data Create a plan that prioritizes the sources, establishing the order in which the data should be acquired.

Acquire the Data Use forensic tools to collect the volatile data, duplicate non-volatile data sources, and securing the original data sources.

Verify the integrity of the data Forensic tools can create hash values for the original source, so the duplicate can be verified as being complete and untampered with.

Overview of Chain of Custody

A clearly defined chain of custody should be followed to avoid allegations of mishandling or tampering of evidence. This involves keeping a log of every person who had physical custody of the evidence, documenting the actions that they performed on the evidence and at what time, storing the evidence in a secure location when it is not being used, making a copy of the evidence and performing examination and analysis using only the copied evidence, and verifying the integrity of the original and copied evidence.

Examination

Bypassing Controls OSs and applications may have data compression, encryption, or ACLs.

A Sea of Data Hard drives may have hundreds of thousands of files, not all of which are relevant.

Tools There are various tools and techniques that exist to help filter and exclude data from searches to expedite the process.

Analysis & Reporting

Analysis

“The analysis should include identifying people, places, items, and events, and determining how these elements are related so that a conclusion can be reached.”

Putting the pieces together

Coordination between multiple sources of data is crucial in making a complete picture of what happened in the incident. NIST provides the example of an IDS log linking an event to a host. The host audit logs linking the event to a specific user account, and the host IDS log indicating what actions that user performed.

Writing your forensic report

A case summary is meant to form the basis of opinions. While there are a variety of laws that relate to expert reports, the general rules are:

  • If it is not in your report, you cannot testify about it.
  • Your report needs to detail the basis for your conclusions.
  • Detail every test conducted, the methods and tools used, and the results.

Report Composition

  1. Overview/Case Summary
  2. Forensic Acquisition & Examination Preparation
  3. Finding & report (analysis)
  4. Conclusion

SANS Institute Best Practices

  1. Take Screenshots
  2. Bookmark evidence via forensic application of choice
  3. Use built-in logging/reporting options within your forensic tool
  4. Highlight and exporting data items into .csv or .txt files
  5. Use a digital audio recorder vs. handwritten notes when necessary

Forensic Data

Data Files

What’s not there

Deleted files When a file is deleted, it is typically not erased from the media; instead, the information in the directory’s data structure that points to the location of the file is marked as deleted.

Slack Space If a file requires less space than the file allocation unit size, an entire file allocation unit is still reserved for the file.

Free Space Free space is the area on media that is not allocated to any partition, the free space may still contain pieces of data.

MAC data

It’s important to know as much information about relevant files as possible. Recording the modification, access, and creation times of files allows analysts to help establish a timeline of the incident.

  1. Modification Time
  2. Access Time
  3. Creation Time
Logical Backup Imaging
A logical data backup copies the directories and files of a logical volume. It does not capture other data that may be present on the media, such as deleted files or residual data stored in slack space. Generates a bit-for-bit copy of the original media, including free space and slack space. Bit stream images require more storage space and take longer to perform than logical backups.
Can be used on live systems if using a standard backup software If evidence is needed for legal or HR reasons, a full bit stream image should be taken, and all analysis done on the duplicate
May be resource intensive Disk-to-disk vs Disk-to-File
Should not be use on a live system since data is always chaning

Tools for Techniques

Many forensic products allow the analyst to perform a wide range of processes to analyze files and applications, as well as collecting files, reading disk images, and extracting data from files.

  • File Viewers
  • Uncompressing Files
  • GUI for Data Structure
  • Identifying Known Files
  • String Searches & Pattern Matches
  • Metadata

Operating System Data

“OS data exists in both non-volatile and volatile states. Non-volatile data refers to data that persists even after a computer is powered down, such as a filesystem stored on a hard drive. Volatile data refers to data on a live system that is lost after a computer is powered down, such as the current network connections to and from the system.”

Volatile Non-Volatile
Slack Space Configuration Files
Free Space Logs
Network configuration/connections Application files
Running processes Data Files
Open Files Swap Files
Login Sessions Dump Files
Operating System Time Hibernation Files
Temporary Files

Collection & Prioritization of Volatile Data

  1. Network Connections
  2. Login Sessions
  3. Contents of Memory
  4. Running Processes
  5. Open Files
  6. Network Configuration
  7. Operating System Time

Collecting Non-Volatile Data

  1. Consider Power-Down Options
  2. File System Data Collected
  3. Users and Groups
  4. Passwords
  5. Network Shares
  6. Logs

Logs

Other logs can be collected depending on the incident under analysis:

  • In case of a network hack: Collect logs of all the network devices lying in the route of the hacked devices and the perimeter router (ISP router). Firewall rule base may also be required in this case.
  • In case it is unauthorized access: Save the web server logs, application server logs, application logs, router or switch logs, firewall logs, database logs, IDS logs etc.
  • In case of a Trojan/Virus/Worm attack: Save the antivirus logs apart from the event logs (pertaining to the antivirus).

Windows

  • The file systems used by Windows include FAT, exFAT, NTFS, and ReFS.

    Investigators can search out evidence by analyzing the following important locations of the Windows:

  • Recycle Bin

  • Registry

  • Thumbs.db

  • Files

  • Browser History

  • Print Spooling

macOS

  • Mac OS X is the UNIX bases OS that contains a Mach 3 microkernel and a FreeBSD based subsystem. Its user interface is Apple like, whereas the underlying architecture is UNIX like.
  • Mac OS X offers novel techniques to create a forensic duplicate. To do so, the perpetrator’s computer should be placed into a “Target Disk Mode”. Using this mode, the forensic examiner creates a forensic duplicate of the perpetrator’s hard disk with the help of a FireWire cable connection between the two PCs.

Linux

Linux can provide an empirical evidence of if the Linux embedded machine is recovered from a crime scene. In this case, forensic investigators should analyze the following folders and directories.

  • /etc[%SystemRoot%/System32/config]
  • /var/log
  • /home/$USER
  • /etc/passwd

Application Data

OSs, files, and networks are all needed to support applications: OSs to run the applications, networks to send application data between systems, and files to store application data, configuration settings, and the logs. From a forensic perspective, applications bring together files, OSs, and networks. — NIST 800-86

Application Components

  • Config Settings
    • Configuration file
    • Runtime Options
    • Added to Source Code
  • Authentication
    • External Authentication
    • Proprietary Authentication
    • Pass-through authentication
    • Host/User Environment
  • Logs
    • Event
    • Audit
    • Error
    • Installation
    • Debugging
  • Data
    • Can live temporary in memory and/or permanently in files
    • File format may be generic or proprietary
    • Data may be stored in databases
    • Some applications create temp files during session or improper shutdown
  • Supporting Files
    • Documentation
    • Links
    • Graphics
  • App Architecture
    • Local
    • Client/Server
    • Peer-to-Peer

Types of Applications

Certain of application are more likely to be the focus of forensic analysis, including email, Web usage, interactive messaging, file-sharing, document usage, security applications, and data concealment tools.

Digital Forensics Digital Forensics

Email

“From end to end, information regarding a single email message may be recorded in several places – the sender’s system, each email server that handles the message, and the recipient’s system, as well as the antivirus, spam, and content filtering server.” — NIST 800-45

Web Usage

Web Data from Host Web Data from Server
Typically, the richest sources of information regarding web usage are the hosts running the web browsers. Another good source of web usage information is web servers, which typically keep logs of the requests they receive.
Favorite websites Timestamps
History w/timestamps of websites visited IP Addresses
Cached web data files Web browesr version
Cookies Type of request
Resource requested

Collecting the Application Data

Overview

Digital Forensics Digital Forensics

Network Data

“Analysts can use data from network traffic to reconstruct and analyze network-based attacks and inappropriate network usage, as well as to troubleshoot various types of operational problems. The term network traffic refers to computer network communications that are carried over wired or wireless networks between hosts.” — NIST 800-86

TCP/IP

Digital Forensics Digital Forensics

Sources of Network Data

These sources collectively capture important data from all four TCP/IP layers.

Digital Forensics Digital Forensics

Data Value

  • IDS Software
  • SEM Software
  • NFAT Software (Network Forensic Analysis Tool)
  • Firewall, Routers, Proxy Servers, & RAS
  • DHCP Server
  • Packet Sniffers
  • Network Monitoring
  • ISP Records

Attacker Identification

“When analyzing most attacks, identifying the attacker is not an immediate, primary concern: ensuring that the attack is stopped and recovering systems and data are the main interests.” — NIST 800-86

  1. Contact IP Address Owner: Can help identify who is responsible for an IP address, Usually an escalation.
  2. Send Network Traffic: Not recommended for organizations
  3. Application Content: Data packets could contain information about the attacker’s identity.
  4. Seek ISP Assistance: Requires court order and is only done to assist in the most serious of attacks.
  5. History of IP address: Can look for trends of suspicious activity.

Introduction to Scripting

Scripting Overview

History of Scripting

  • IBM’s Job Control Language (JCL) was the first scripting language.
  • Many batch jobs require setup, with specific requirements for main storage, and dedicated devices such as magnetic tapes, private disk volumes, and printers set up with special forms.
  • JCL was developed as a means of ensuring that all required resources are available before a job is scheduled to run.
  • The first interactive shell was developed in the 1960s.
  • Calvin Mooers in his TRAC language is generally credited with inventing command substitution, the ability to embed commands in scripts that when interpreted insert a character string into the script.
  • One innovation in the UNIX shells was the ability to send the output of one program into the input of another, making it possible to do complex tasks in one line of shell code.

Script Usage

  • Scripts have multiple uses, but automation is the name of the game.
  • Image rollovers
  • Validation
  • Backup
  • Testing

Scripting Concepts

  • Scripts
    • Small interpreted programs
    • Script can use functions, procedures, external calls, variables, etc.
  • Variables
  • Arguments/Parameters
    • Parameters are pre-established variables which will be used to perform the related process of our function.
  • If Statement
  • Loops
    • For Loop
    • While Loop
    • Until Loop

Scripting Languages

JavaScript

  • Object-oriented, developed in 1995 by Netscape communications.
  • Server or client side use, most popular use is client side.
  • Supports event-driven functional, and imperative programming styles. It has APIs for working with text, arrays, dates, regular expression, and the DOM, but the language itself doesn’t include any I/O, such as networking, storage, or graphics facilities. It relies upon the host environment in which it is embedded to provide these features.

Bash

  • UNIX shell and command language, written by Brian Fox for the GNU project as a free software replacement for the Bourne shell.
  • Released in 1989.
  • Default login shell for most Linux distros.
  • A command processor typically runs in a text window, but can also read and execute commands from a file.
  • POSIX compliant

Perl

  • Larry Wall began work on Perl in 1987.
  • Version 1.0 released on Dec 18, 1987.
  • Perl2 – 1988
  • Perl3 – 1989
  • Originally, the only documentation for Perl was a single lengthy man page.
  • Perl4 – 1991

PowerShell

  • Task automation and configuration management framework
  • Open-sourced and cross-platformed on 18 August 2016 with the introduction of PowerShell Core. The former is built on .NET Framework, while the latter on .NET Core.

Binary

Binary code represents text, computer processor instructions, or any other data using a two-symbol system. The two-symbol used is often “0” and “1” from the binary number system.

Adding a binary payload to a shell script could, for instance, be used to create a single file shell script that installs your entire software package, which could be composed of hundreds of files.

Hex

Advanced hex editors have scripting systems that let the user create macro like functionality as a sequence of user interface commands for automating common tasks. This can be used for providing scripts that automatically patch files (e.g., game cheating, modding, or product fixes provided by the community) or to write more complex/intelligent templates.

Python Scripting

Benefits of Using Python

  • Open Source
  • Easy to learn and implement
  • Portable
  • High level
  • Can be used for almost anything in cybersecurity
  • Extensive libraries

Python Libraries

Introduction to Scripting Introduction to Scripting

Subsections of Cyber Threat Intelligence

Threat Intelligence and Cybersecurity

Threat Intelligence Overview

“Cyber threat intelligence is information about threats and threat actors that helps mitigate harmful events in cyberspace.”

Cyber threat intelligence provides a number of benefits, including:

  • Empowers organizations to develop a proactive cybersecurity posture and to bolster overall risk management policies.
  • Drives momentum toward a cybersecurity posture that is predictive, not just reactive.
  • Enables improved detection of threats.
  • Informs better decision-making during and following the detection of a cyber intrusion.

Today’s security drivers

  • Breached records

  • Human Error

  • IOT innovation

  • Breach cost amplifiers

  • Skills gap

    Attackers break through conventional safeguards every day.

Threat Intelligence Threat Intelligence

Threat Intelligence Strategy and External Sources

Threat Intelligence Strategy Map:

Threat Intelligence Threat Intelligence

Sharing Threat Intelligence

“In practice, successful Threat Intelligence initiatives generate insights and actions that can help to inform the decisions – both tactical, and strategic – of multiple people and teams, throughout your organization.”

Threat Intelligence Strategy Map: From technical activities to business value:

  1. Level 1 Analyst
  2. Level 2/3 Analyst
  3. Operational Leaders
  4. Strategic Leaders

Intelligence Areas (CrowdStrike model)

Tactical: Focused on performing malware analysis and enrichment, as well as ingesting atomic, static, and behavioral threat indicators into defensive cybersecurity systems.

Stakeholders:

  • SOC Analyst
  • SIEM
  • Firewall
  • Endpoints
  • IDS/IPS

Operation: Focused on understanding adversarial capabilities, infrastructure, and TTPs, and then leveraging that understanding to conduct more targeted and prioritized cybersecurity operations.

Stakeholders:

  • Threat Hunter
  • SOC Analyst
  • Vulnerability Mgmt.
  • IR
  • Insider Threat

Strategic: Focused on understanding high level trends and adversarial motives, and then leveraging that understanding to engage in strategic security and business decision-making.

Stakeholders:

  • CISO
  • CIO
  • CTO
  • Executive Board
  • Strategic Intel

Threat Intelligence Threat Intelligence

Threat Intelligence Platforms

“Threat Intelligence Platforms is an emerging technology discipline that helps organizations aggregate, correlate, and analyze threat data from multiple sources in real time to support defensive actions.”

These are made up of several primary feature areas that allow organizations to implement an intelligence-driven security approach.

  1. Collect
  2. Correlate
  3. Enrichment and Contextualization
  4. Analyze
  5. Integrate
  6. Act

Platforms

Recorded Future

On top of Recorded Future’s already extensive threat intelligence to provide a complete solution. Use fusion to centralize data, to get the most holistic and relevant picture of your threat landscape.

Features include:

  • Centralize and Contextualize all sources of threat data.
  • Collaborate on analysis from a single source of truth.
  • Customize intelligence to increase relevance.

FireEye

Threat Intelligence Subscriptions Choose the level and depth of intelligence, integration and enablement your security program needs.

Subscriptions include:

  • Fusion Intelligence
  • Strategic Intelligence
  • Operation Intelligence
  • Vulnerability Intelligence
  • Cyber Physical Intelligence
  • Cyber Crime Intelligence
  • Cyber Espionage Intelligence

IBM X-Force Exchange

IBM X-Force Exchange is a cloud-based threat intelligence sharing platform enabling users to rapidly research the latest security threats, aggregate actionable intelligence and collaborate with peers. IBM X-Force Exchange is supported by human and machine-generated intelligence leveraging the scale of IBM X-Force.

  • Access and share threat data
  • Integrate with other solutions
  • Boost security operations

TruSTAR

It is an intelligence management platform that helps you operationalize data across tools and teams, helping you prioritize investigations and accelerate incident response.

  • Streamlined Workflow Integrations
  • Secure Access Control
  • Advanced Search
  • Automated Data ingest and Normalization

Threat Intelligence Frameworks

Getting Started with ATT&CK

Adversarial Tactics, Techniques, and Common Knowledge (ATT&CK) can be useful for any organization that wants to move toward a threat-informed defense.

Threat Intelligence Threat Intelligence

Level 2:

  1. Understand ATT&CK
  2. Find the behavior
  3. Research the behavior into a tactic
  4. Figure out what technique applies to the behavior
  5. Compare your results to other analyst

Cyber Threat Framework

Threat Intelligence Threat Intelligence

An integrated and intelligent security immune system

Threat Intelligence Threat Intelligence

Best practices: Intelligent detection

  1. Predict and prioritize security weaknesses
  • Gather threat intelligence information
  • Manage vulnerabilities and risks
  • Augment vulnerability scan data with context for optimized prioritization
  • Manage device configuration (firewalls, switches, routers, IPS/IDS)
  1. Detect deviations to identify malicious activity
  • Establish baseline behavior
  • Monitor and investigate anomalies
  • Monitor network flows
  1. React in real time to exploits
  • Correlate logs, events, network flows, identities, assets, vulnerabilities, and configurations, and add context
  • Use automated and cognitive solutions to make data actionable by existing staff

Security Intelligence

“The real-time collection, normalization, and analytics of the data generated by users, applications, and infrastructure that impacts the IT security and risk posture of an enterprise.”

Security Intelligence provides actionable and comprehensive insights for managing risks and threats from protection and detection through remediation.

Ask the right questions – The exploit timeline

Threat Intelligence Threat Intelligence

3 Pillars of Effective Threat Detection

  • See Everything
  • Automate Intelligence
  • Become Proactive

Security Effectiveness Reality

Threat Intelligence Threat Intelligence

Key Takeaways

Threat Intelligence Threat Intelligence

Data Loss Prevention and Mobile Endpoint Protection

What is Data Security and Protection?

Protecting the:

  • Confidentiality

  • Integrity

  • Availability

    Of Data:

  • In transit

  • At rest

    • Databases
    • Unstructured Data (files)
    • On endpoints

What are we protecting against?

Deliberate attack:

  • Hackers

  • Denial of Service

    Inadvertent attacks:

  • Operator error

  • Natural disaster

  • Component failure

Data Security Top Challenges

  • Explosive data growth
  • New privacy regulations (GDPR, Brazil’s LGPD etc.)
  • Operational complexity
  • Cybersecurity skills shortage

Data Security Common Pitfalls

Five epic fails in Data Security:

  • Failure to move beyond compliance
  • Failure to recognize the need for centralized data security
  • Failure to define who owns the responsibility for the data itself
  • Failure to address known vulnerabilities
  • Failure to prioritize and leverage data activity monitoring

Industry Specific Data Security Challenges

Healthcare

  • Process and store combination of personal health information and payment card data.
  • Subject to strict data privacy regulations such as HIPAA.
  • May also be subject to financial standards and regulations.
  • Highest cost per breach record.
  • Data security critical for both business and regulatory compliance.

Transportation

  • Critical part of national infrastructure
  • Combines financially sensitive information and personal identification
  • Relies on distributed IT infrastructure and third party vendors

Financial industries and insurance

  • Most targeted industry: 19% of cyberattacks in 2018
  • Strong financial motivation for both external and internal attacks
  • Numerous industry-specific regulations require complex compliance measures

Retail

  • Among the most highly targeted groups for data breaches
  • Large number of access points in retail data lifecycle
  • Customers and associates access and share sensitive data in physical outlets, online, mobile applications

Capabilities of Data Protection

The Top 12 critical data protection capabilities:

  1. Data Discovery
  • Where sensitive data resides
  • Cross-silo, centralized efforts
  1. Data Classification
  • Parse discovered data sources to determine the kind of data
  1. Vulnerability Assessment
  • Determine areas of weakness
  • Iterative process
  1. Data Risk analysis
  • Identify data sources with the greatest risk exposure or audit failure and help prioritize where to focus first
  • Build on classification and vulnerability assessment
  1. Data and file activity monitoring
  • Capture and record real-time data access activity
  • Centralized policies
  • Resource intensive
  1. Real-time Alerting
  2. Blocking Masking, and Quarantining
  • Obscure data and/or blocking further action by risky users when activities deviate from regular baseline or pre-defined policies
  • Provide only level of access to data necessary
  1. Active Analytics
  • Capture insight into key threats such as, SQL injections, malicious stored procedures, DoS, Data leakage, Account takeover, data tampering, schema tampering etc
  • Develop recommendations for actions to reduce risk
  1. Encryption
  2. Tokenization
  • A special type of format-preserving encryption that substitutes sensitive data with a token, which can be mapped to the original value
  1. Key Management
  • Securely distribute keys across complex encryption landscape
  • Centralize key management
  • Enable organized, secure key management that keeps data private and compliant
  1. Automated Compliance Report
  • Pre-built capabilities mapped to specific regulations such as GDPR, HIPAA, PCI-DSS, CCPA and so on
  • Includes:
    • Audit workflows to streamline approval processes
    • Out-of-the-box reports
    • Pre-built classification patterns for regulated data
    • Tamper-proof audit repository

Data Loss Prevention and Mobile Endpoint Protection Data Loss Prevention and Mobile Endpoint Protection

Data Protection – Industry Example

Guardium support the data protection journey

Data Loss Prevention and Mobile Endpoint Protection Data Loss Prevention and Mobile Endpoint Protection

Guardium – Data Security and Privacy

  • Protect all data against unauthorized access
  • Enable organizations to comply with government regulations and industry standards

Data Loss Prevention and Mobile Endpoint Protection Data Loss Prevention and Mobile Endpoint Protection

Data Loss Prevention and Mobile Endpoint Protection Data Loss Prevention and Mobile Endpoint Protection

Mobile Endpoint Protection

iOS

  • Developed by Apple

  • Launched in 2007

  • ~13% of devices (based on usage)

  • ~60% of tablets worldwide run iOS/iPadOS

  • MDM capabilities available since iOS 6

    Android

  • Android Inc. was a small team working on an alternative to Symbian and Windows Mobile OS.

  • Purchased by Google in 2005 – the Linux kernel became the base of the Android OS. Now developed primarily by Google and a consortium known as Open Handset Alliance.

  • First public release in 2008

  • ~86% of smartphones and ~39% of tablets run some form of Android.

  • MDM capabilities since Android 2.2.

How do mobile endpoints differ from traditional endpoints?

  • Users don’t interface directly with the OS.
  • A series of applications act as a broker between the user and the OS.
  • OS stability can be easily monitored, and any anomalies reported that present risk.
  • Antivirus software can “see” the apps that are installed on a device, and reach certain signatures, but can not peek inside at their contents.

Primary Threats To Mobile Endpoints

System based:

  • Jailbreaking and Rooting exploit vulnerabilities to provide root access to the system.

  • Systems that were previously read-only can be altered in malicious ways.

  • One primary function is to gain access to apps that are not approved or booting.

  • Vulnerabilities and exploits in the core code can open devices to remote attacks that provide root access.

    App based threats:

  • Phishing scams – via SMS or email

  • Malicious code

  • Apps may request access to hardware features irrelevant to their functionality

  • Web content in mobile browsers, especially those that prompt for app installations, can be the root cause of many attacks

    External:

  • Network based attacks

  • Tethering devices to external media can be exploited for vulnerabilities

  • Social engineering to unauthorized access to the device

Protection mobile assets

  • MDM: Control the content allowed on the devices, restrict access to potentially dangerous features.
  • App security: Report on the health and reliability of applications, oftentimes before they even make it on the devices.
  • User Training

Day-to-day operations

While it may seem like a lot to monitor hundreds, thousands, or hundreds of thousands of devices daily, much of the information can be digested by automated systems and action taken without much admin interactions.

Data Loss Prevention and Mobile Endpoint Protection Data Loss Prevention and Mobile Endpoint Protection

Scanning

Vulnerability Assessment Tools

“Vulnerability scanning identifies hosts and host attributes (e.g., OSs, applications, open ports), but it also attempts to identify vulnerabilities rather than relying on human interpretation of the scanning results. Vulnerability scanning can help identify outdated software versions, missing patches, and misconfigurations, and validate compliance with or deviation from an organization’s security policy.” — NIST SP 800-115

What is a Vulnerability Scanner?

Capabilities:

  • Keeping an up-to-date database of vulnerabilities.
  • Detection of genuine vulnerabilities without an excessive number of false positives.
  • Ability to conduct multiple scans at the same time.
  • Ability to perform trend analyses and create clear reports of the results.
  • Provide recommendations for effective countermeasures to eliminate discovered vulnerabilities.

Components of Vulnerability Scanners

There are 4 main components of most scanners:

  1. Engine Scanner
  • Performs security checks according to its installed plug-ins, identifying system information, and vulnerabilities.
  1. Report Module
  • Provides scan result reporting such as technical reports for system administrators, summary reports for security managers, and high-level graph and trend reports for corporate executives’ leadership.
  1. Database
  • Stores vulnerability information, scan results, and other data used by the scanner.
  1. User interface
  • Allows the admin to operate the scanner. It may be either a GUI, or just a CLI.

Host & Network

Internal Threats:

  • It can be through Malware or virus that is downloaded onto a network through internet or USB.

  • It can be a disgruntled employee who has the internal network access.

  • It can be through the outside attacker who has gained access to the internal network.

  • The internal scan is done by running the vulnerability scanner on the critical components of the network from a machine which is a part of the network. This important component may include core router, switches, workstations, web server, database, etc.

    External Threats:

  • The external scan is critical as it is required to detect the vulnerabilities to those internet facing assets through which an attacker can gain internal access.

Common Vulnerability Scoring Systems (CVSS)

The CVSS is a way of assigning severity rankings to computer system vulnerabilities, ranging from zero (least severe) to 10 (most severe).

  • It provides a standardized vulnerability score across the industry, helping critical information flow more effectively between sections within an organization and between organizations.
  • The formula for determining the score is public and freely distributed, providing transparency.
  • It helps prioritize risk — CVSS rankings provide both a general score and more specific metrics.

Scanning Scanning

Score Breakdown:

The CVSS score has three values for ranking a vulnerability:

  1. A base score, which gives an idea of how easy it is to exploit targeting that vulnerability could inflict.
  2. A temporal score, which ranks how aware people are of the vulnerability, what remedial steps are being taken, and whether threat actors are targeting it.
  3. An environmental score, which provides a more customized metric specific to an organization or work environment.

Scanning Scanning

STIGS – Security Technical Implementation Guides

  • The Defense Information Systems Agency (DISA) is the entity responsible for maintaining the security posture of the DoD IT infrastructure.
  • Default configurations for many applications are inadequate in terms of security, and therefore DISA felt that developing a security standard for these applications would allow various DoD agencies to utilize the same standard – or STIG – across all application instances that exist.
  • STIGs exist for a variety of software packages including OSs, DBAs, OSS, Network devices, Wireless devices, Virtual software, and, as the list continues to grow, now even include Mobile Operating Systems.

Center for Internet Security (CIS)

Benchmarks:

  • CIS benchmarks are the only consensus-based, best-practice security configuration guides both developed and accepted by government, business, industry, and academia.

  • The initial benchmark development process defines the scope of the benchmark and begins the discussion, creation, and testing process of working drafts. Using the CIS WorkBench community website, discussion threads are established to continue dialogue until a consensus has been reached on proposed recommendations and the working drafts. Once consensus has been reached in the CIS Benchmark community, the final benchmark is published and released online.

    Controls: The CIS ControlsTM are a prioritized set of actions that collectively form a defense-in-depth set of best practices that mitigate the most common attacks against systems and networks. The CIS Controls are developed by a community of IT experts who apply their first-hand experience as cyber defenders to create these globally accepted security best practices.

    The five critical tenets of an effective cyber defense systems as reflected in the CIS Controls are:

    1. Offense informs defense
    2. Prioritization
    3. Measurements and metrics
    4. Continuous diagnostics and mitigation
    5. Automation

Implementation Groups

Scanning Scanning

20 CIS Controls

Scanning Scanning

Port Scanning

“Network port and service identification involves using a port scanner to identify network ports and services operating on active hosts–such as FTP and HTTP–and the application that is running each identified service, such as Microsoft Internet Information Server (IIS) or Apache for the HTTP service. All basic scanners can identify active hosts and open ports, but some scanners are also able to provide additional information on the scanned hosts.” —NIST SP 800-115

Ports

  • Managed by IANA.

Responses

  • A port scanner is a simple computer program that checks all of those doors – which we will start calling ports – and responds with one of three possible responses:
    1. Open — Accepted
    2. Close — Not Listening
    3. Filtered — Dropped, Blocked

Types of Scans

Port scanning is a method of determining which ports on a network are open and could be receiving or sending data. It is also a process for sending packets to specific ports on a host and analyzing responses to identify vulnerabilities.

  1. Ping:
  • Simplest port scan sending ICMP echo request to see who is responding
  1. TCP/Half Open:
  • A popular, deceptive scan also known as SYN scan. It notes the connection and leaves the target hanging.
  1. TCP Connect:
  • Takes a step further than half open by completing the TCP connection. This makes it slower and noisier than half open.
  1. UDP:
  • When you run a UDP port scan, you send either an empty packet or a packet that has a different payload per port, and will only get a response if the port is closed. It’s faster than TCP, but doesn’t contain as much data.
  1. Stealth:
  • These TCP scans are quieter than the other options and can get past firewalls. They will still get picked by the most recent IDS.

Tools – NMAP

NMAP (Network Mapper) is an open source tool for network exploration and security auditing.

  • Design to rapidly scan large networks, though work fine against single hosts.
  • Uses raw IP packets.
  • Used to know, service type, OS type and version, type of packet filter/firewall in use, and many other things.
  • Also, useful for network inventory, managing service upgrade schedules, and monitoring host or service uptime.
  • ZenMap is a GUI version of NMAP.

Network Protocol Analyzers

“A protocol analyzer (also known as a sniffer, packet analyzer, network analyzer, or traffic analyzer) can capture data in transit for the purpose of analysis and review. Sniffers allow an attacker to inject themselves in a conversation between a digital source and destination in hopes of capturing useful data.”

Sniffers

Sniffers operate at the data link layer of the OSI model, which means they don’t have to play by the same rules as the applications and services that reside further up the stack. Sniffers can capture everything on the wire and record it for later review. They allow user’s to see all the data contained in the packet.

  • Wireshark

Scanning Scanning

WireShark

Wireshark intercepts traffics and converts that binary traffic into human-readable format. This makes it easy to identify what traffic is crossing your network, how much of it, how frequently, how much latency there is between certain hops, and so on.

  • Network Admins use it to troubleshoot network problems.
  • Network Security Engineers use it to examine security issues.
  • QA engineers use it to verify network applications.
  • Developers use it to debug protocol implementations.
  • People use it to learn network protocol internals.
WireShark Features
  • Deep inspection of hundred of protocols, with more being added all the time
  • Live capture and offline analysis
  • Standard three pane packet browser
  • Cross-platform
  • GUI or TTY-mode – TShark utility
  • Powerful display filters
  • Rich VoIP analysis
  • Read/write to different formats
  • Capture compressed file with gzip
  • Live data from any source
  • Decryption support for many protocols
  • Coloring rules
  • Output can be exported to different formats

Packet Capture (PCAP)

PCAP is a valuable resource for file analysis and to monitor network traffic.

  • Monitoring bandwidth usage

  • Identify rogue DHCP servers

  • Detecting Malware

  • DNS resolution

  • Incident Response

    Wireshark is the most popular traffic analyzer in the world. Wireshark uses .pcap files to record packet data that has been pulled from a network scan. Packet data is recorded in files with the .pcap file extension and can be used to find performance issues and cyberattacks on the network.

Scanning Scanning

Security Architecture considerations

Characteristics of a Security Architecture

The foundation of robust security is a clearly communicated structure with a systematic analysis of the threats and controls.

  • Build with a clearly communicated structure

  • Use systematic analysis of threats and controls

    As IT systems increase in complexity, they require a standard set of techniques, tools, and communications.

    Architectural thinking is about creating and communicating good structure and behavior with the intent of avoiding chaos.

    Architecture need to be:

  • Described before it can be created

  • With different level of elaboration for communication

  • Include a solution for implementation and operations

  • That is affordable

  • And is secure

Architecture: “The architecture of a system describes its overall static structure and dynamic behavior. It models the system’s elements (which for IT systems are software, hardware and its human users), the externally manifested properties of those elements, and the static and dynamic relationships among them.”

ISO/IEC 422010:20071 defines Architecture as “the fundamental organization of a system, embodied in its components, their relationships to each other and the environment, and the principles governing its design and evolution.”

High-level Architectural Models

Enterprise and Solution Architecture break down the problem, providing different levels of abstraction.

Scanning Scanning

High-level architectures are described through Architectural Building Blocks (ABBs) and Solution Building Blocks (SBBs).

Scanning Scanning

Here are some example Security ABBs and SBBs providing different levels of abstraction aimed at a different audience.

Scanning Scanning

Here is a high level example of an Enterprise Security Architecture for hybrid multicloud showing security domains.

Scanning Scanning

The Enterprise Security Architecture domains could be decomposed to show security capabilities… without a context.

Scanning Scanning

Adding context gives us a next level Enterprise Architecture for hybrid multi-cloud, but without specific implementation.

Scanning Scanning

Solution Architecture

Additional levels of abstraction are used to describe architectures down to the physical operational aspects.

Scanning Scanning

Start with a solution architecture with an Architecture Overview giving an overview of the system being developed.

Scanning Scanning

Continue by clearly defining the external context describing the boundary, actors and use that process data.

Scanning Scanning

Examine the system internally looking at the functional components and examine the threats to the data flows.

Scanning Scanning

Finally, look at where the function is hosted, the security zones and the specific protection required to protect data.

Scanning Scanning

As the architecture is elaborated, define what is required and how it will be delivered?

Scanning Scanning

Security Patterns

The use of security architecture patterns accelerate the creation of a solution architecture.

A security Architecture pattern is

  • a reusable solution to a commonly occurring problem
  • it is a description or template for how to solve a problem that can be used in many different situations
  • is not a finished design as it needs conext
  • it can be represented in many different formats
  • Vendor specific or agnostic
  • Available at all levels of abstraction

Scanning Scanning

There are many security architecture patterns available to provide a good starting point to accelerate development.

Application Security Techniques and Risks

Application Security Overview

Scanning Scanning

Software Development Lifecycle

Scanning Scanning

Penetration Testing Tools

Scanning Scanning

Source Code Analysis Tools

Scanning Scanning

Application Security Threats and Attacks

Third Party Software

  • Standards

  • Patching

  • Testing

    Supplier Risk Assessment

  • Identify how any risks would impact your organization’s business. It could be a financial, operational or strategic risk.

  • Next step would be to determine the likelihood the risk would interrupt the business

  • And finally there is a need to identify how the risk would impact the business.

Web Application Firewall (WAF)

Scanning Scanning

Application Threats/Attacks

Input Validation:

  • Buffer overflow

  • Cross-site scripting

  • SQL injection

  • Canonicalization

    Authentication:

  • Network eavesdropping

  • Brute force attack

  • Dictionary attacks

  • Cookie replay

  • Credential theft

    Authorization:

  • Elevation of privilege

  • Disclosure of confidential data

  • Data tampering

  • Luring Attacks

    Configuration Management:

  • Unauthorized access to admin interface

  • Unauthorized access to configuration stores

  • Retrieval of clear text configuration data

  • Lack of individual accountability; over-privileged process and service accounts

    Exception Management:

  • Information disclosure

  • DoS

    Auditing and logging:

  • User denies performing an operation

  • Attacker exploits an application without trace

  • Attacker covers his tracks

Application Security Standards and Regulations

Threat Modeling

“Threat modeling is a process by which potential threats, such as structural vulnerabilities or the absence of appropriate safeguards, can be identified, enumerated, and mitigations can be prioritized.”

Conceptually, a threat modeling practice flows from a methodology.

  1. STRIDE methodology: STRIDE is a methodology developed by Microsoft for threat modeling. It provides a mnemonic for security threats in six categories: Spoofing, Tampering, Repudiation, Information disclosure, Denial of service and Elevation of privilege.
  • Microsoft developed it
  1. P.A.S.T.A: P.A.S.T.A. stands for Process for Attack Simulation and Threat Analysis. It is an attacker-focused methodology that uses a seven-step process to identify and analyze potential threats.
  • Seven-step process
  1. VAST: VAST is an acronym for Visual, Agile, and Simple Threat modeling. The methodology provides actionable outputs for the unique needs of various stakeholders like application architects and developers.
  2. Trike: Trike threat modeling is an open-source threat modeling methodology focused on satisfying the security auditing process from a cyber risk management perspective. It provides a risk-based approach with unique implementation and risk modeling process.

Standards vs Regulations

Standards Regulations
Cert Secure Coding
Common Weakness Enumeration (CWE) Gramm-Leach-Bliley Act
DISA-STIG HIPAA
ISO 27034/24772 Sarbanes-Oxley Act (SOX)
PCI-DSS
NIST 800-53

DevSecOps Overview

Why this matter?

Scanning Scanning

  • Emerging DevOps teams lead to conflicting objectives.

  • DevSecOps is an integrated, automated, continuous security; always.

    Integrating Security with DevOps to create DevSecOps.

Scanning Scanning

What does DevSecOps look like?

Scanning Scanning

  • Define your operating and governance model early.
  • A successful program starts with the people & culture.
    • Training and Awareness
    • Explain and embrace new ways of working
    • Equip teams & individuals with the right level of ownership & tools
  • Continuous improvement and feedback.

Develop Securely: Plan A security-first approach

Use tools and techniques to ensure security is integral to the design, development, and operation of all systems.

Enable empowerment and ownership by the Accreditor/Risk owner participating in Plan & Design activities.

Security Coach role to drive security integration.

Scanning Scanning

Scanning Scanning

Develop Security: Code & Build Security & Development combined

Apply the model to Everything-as-Code:

  • Containers
  • Apps
  • Platforms
  • Machines
  • Shift security to the left and embrace security-as-code.
  • Security Engineer to drive technical integration and uplift team security knowledge.

Scanning Scanning

Develop Securely: Code & Build

Detect issues and fix them, earlier in the lifecycle

Scanning Scanning

Develop Securely: Test

Security and development Combined

Scanning Scanning

Validate apps are secure before release & development.

Scanning Scanning

DevSecOps Deployment

Secure Operations: Release, Deploy & Decom

  • Orchestrate everything and include security.
  • Manage secure creation and destruction of your workloads.
  • Automate sign-off to certified levels of data destruction.

Controlled creation & destruction

Scanning Scanning

Create securely, destroy securely, every time.

Scanning Scanning

Secure Operations: Operate & Monitor

  • If you don’t detect it, you can’t fix it.

  • Integrated operational security helps ensure the security health of the system is as good as it can be with the latest information.

  • Playbooks-as-code run automatically, as issues are detected they are remediated and reported on.

    Security & Operations combined

Scanning Scanning

It’s not a question of if you get hacked, but when.

Scanning Scanning

So, why DevSecOps?

Scanning Scanning

Deep Dive into Cross-Site Scripting

Application Security Defects – Writing Secure Code

What, Should I worry?

Scanning Scanning

Issues Types

  • Majority of security products have Web UIs: LMIs, Administrative Interfaces, Dashboards.
  • Web vulnerabilities most commonly reported by 3rd parties as well as internal pen-testers, with XSS far in the lead.
  • Crypto vulnerabilities come next.
  • Appliances highly susceptible to command execution vulnerabilities.

Writing Secure Software is Not Easy

  • Developers face many challenges:

Scanning Scanning

  • Yet with good security education, and solid design and implementation practices, we can make sure our products are secure.

Mitigating Product Security Risk

  • Prevent new bugs
    • SANS 25 most dangerous programming errors.
  • Think like a hacker.
  • Build defenses in your software.
    • Input Validation
    • Output Sanitization
    • Strong encryption
    • Strong Authentication & Authorization
  • Choose secure frameworks rather than simply rely on developer security skills.
  • Don’t think that if your product is isolated from the Internet, it isn’t at risk.
  • Don’t think that if a file or database is local, it doesn’t need to be protected. The majority of breaches are launched from INSIDE.
  • Address existing bugs.
    • Redesign for not only looks, but for security and functionality.
    • Implement smart architectural changes that fix security flaws at the top.
    • Don’t spot-fix issues, think of how the vulnerability can be fixed across the board and prevented in the future.
    • Security bugs are special. (Need to be fixed asap)
      • Deliver security patches with faster release vehicles.

Cross scripting – Common Attacks

Cross-Site Scripting (XSS)

  • Allows attackers to inject client-side scripts into the Web Page
  • Can come from anywhere:
    • HTTP parameters
    • HTTP headers and cookies
    • Data in JSON and XML files
    • Database
    • Files uploaded by users
  • Most common security issues found in many security products.

Dangers of XSS

  • Harvest credentials
  • Take over user sessions
  • CSFR
  • Steal cookies, local store data
  • Elevate privileges
  • Redirect users to malicious sites

Cross-site Scripting – Effective Defenses

  • Preventing XSS with HTML Encoding
    • Enforcing the charset (UTF-8)
  • Preventing XSS with JS Escaping
    • Escaping single quotes will prevent injection
    • Preventing XSS by using safe DOM elements
    • Use Eval and Dynamic Code Generation with Care
  • Input Validation
    • Whitelisting – recommended
    • Blacklisting – not recommended
    • Client Side input validation – not recommended
    • Use proven Validation and Encoding Functionality

SIEM Platforms

SIEM Concepts, Benefits, Optimization, & Capabilities

“At its core, System Information Event Management (SIEM) is a data aggregator, search and reporting system. SIEM gathers immense amounts of data from your entire networked environment, consolidates and makes that data human accessible. With the data categorized and laid out at your fingertips, you can research data security breaches with as much detail as needed.”

Key Terms:

  • Log collection
  • Normalization
  • Correlation
  • Aggregation
  • Reporting

SIEM

  1. A SIEM system collects logs and other security-related documentation for analysis.
  2. The core function to manage network security by monitoring flows and events.
  3. It consolidates log events and network flow data from thousands of devices, endpoints, and applications distributed throughout a network. It then uses an advanced Sense Analytics engine to normalize and correlate this data and identifies security offenses requiring investigation.
  4. A SIEM system can be rules-based or employ a statistical correlation between event log entries.
  5. Capture log event and network flow data in near real time and apply advanced analytics to reveal security offenses.
  6. It can be available on premises and in a cloud environment.

Events & Flows

Events Flows
Typically is a log of a specific action such as a user login, or a FW permit, occurs at a specific time and the event is logged at that time A flow is a record of network activity between two hosts that can last for seconds to days depending on the activity within the session.
For example, a web request might download multiple files such as images, ads, video, and last for 5 to 10 seconds, or a user who watches a NetFlix movie might be in a network session that lasts up to a few hours.

Data Collection

  • It is the process of collecting flows and logs from different sources into a common repository.

  • It can be performed by sending data directly into the SIEM or an external device can collect log data from the source and move it into the SIEM system on demand or scheduled.

    To consider:

  • Capture

  • Memory

  • Storage capacity

  • License

  • Number of sources

Normalization

  • The normalization process involves turning raw data into a format that has fields such as IP address that SIEM can use.
  • Normalization involves parsing raw event data and preparing the data to display readable information.
  • Normalization allows for predictable and consistent storage for all records, and indexes these records for fast searching and sorting.

License Throttling

  • Monitors the number of incoming events to the system to manage input queues and EPS licensing.

Coalescing

  • Events are parsed and then coalesced based on common attributes across events. In QRadar, Event coalescing starts after three events have been found with matching properties within a 10-second period.
  • Event data received by QRadar is processed into normalized fields, along with the original payload. When coalescing is enabled, the following five properties are evaluated.
    • QID
    • Source IP
    • Destination IP
    • Destination port
    • Username

SIEM Platforms SIEM Platforms

SIEM Deployment

SIEM Deployment Considerations

  • Compliance

  • Cost-benefit

  • Cybersecurity

    QRadar Deployment Examples

SIEM Platforms SIEM Platforms

Events

Event Collector:

  • The event collector collects events from local and remote log sources, and normalize raw log source events to format them for use by QRadar. The Event Collector bundles or coalesces identical events to conserve system usage and send the data to the Event Processor.

  • The Event Collector can use bandwidth limiters and schedules to send events to the Event Processor to overcome WAN limitations such as intermittent connectivity.

    Event Processor:

  • The Event Processor processes events that are collected from one or more Event Collector components.

  • Processes events by using the Custom Rules Engine (CRE).

Flows

Flow Collector:

  • The flow collector generates flow data from raw packets that are collected from monitor ports such as SPANS, TAPS, and monitor sessions, or from external flow sources such as netflow, sflow, jflow.

  • This data is then converted to QRadar flow format and sent down the pipeline for processing.

    Flow Processor:

  • Flow deduplication: is a process that removes duplicate flows when multiple Flow Collectors provide data to Flow Processors appliances.

  • Asymmetric recombination: Responsible for combining two sides of each flow when data is provided asymmetrically. This process can recognize flows from each side and combine them in to one record. However, sometimes only one side of the flow exists.

  • License throttling: Monitors the number of incoming flows to the system to manage input queues and licensing.

  • Forwarding: Applies routing rules for the system, such as sending flow data to offsite targets, external Syslog systems, JSON systems, other SIEMs.

Reasons to add event or flow collectors to an All-in-One deployment

  • Your data collection requirements exceed the collection capability of your processor.
  • You must collect events and flows at a different location than where your processor is installed.
  • You are monitoring packet-based flow sources.
  • As your deployment grows, the workload exceeds the processing capacity of the All-in-One appliance.
  • Your security operations center employs more analytics who do more concurrent searches.
  • The types of monitored data, and the retention period for that data, increases, which increases processing and storage requirements.
  • As your security analyst team grows, you require better search performance.

Security Operations Center (SOC)

Triad of Security Operations: People, Process and Technology.

SIEM Platforms SIEM Platforms

SOC Data Collection

SIEM Platforms SIEM Platforms

SIEM Solutions – Vendors

“The security information and event management (SIEM) market is defined by customers’ need to analyze security event data in real-time, which supports the early detection of attacks and breaches. SIEM systems collect, store, investigate, support mitigation and report on security data for incident response, forensics and regulatory compliance. The vendors included in this Magic Quadrant have products designed for this purpose, which they actively market and sell to the security buying center.”

Deployments

Small: Gartner defines a small deployment as one with around 300 log sources and 1500 EPS.

Medium: A midsize deployment is considered to have up to 1000 log sources and 7000 EPS.

Large: A large deployment generally covers more than 1000 log sources with approximately 15000 EPS.

Important Concepts

SIEM Platforms SIEM Platforms

SIEM Platforms SIEM Platforms

IBM QRadar

SIEM Platforms SIEM Platforms

IBM QRadar Components

SIEM Platforms SIEM Platforms

ArcSight ESM

SIEM Platforms SIEM Platforms

Splunk

SIEM Platforms SIEM Platforms

Friendly Representation

SIEM Platforms SIEM Platforms

LogRythm’s Security Intelligence Platform

SIEM Platforms SIEM Platforms

User Behavior Analytics

Security Ecosystem

  • Detecting insider threats requires a 360 degree view of both logs and flows.

SIEM Platforms SIEM Platforms

Advantages of an integrated UBA Solution

  • Complete visibility across end point, network and cloud infrastructure with both log and flow data.

  • Avoids reloading and curating data faster time to insights, lowers opex, frees valuable resources.

  • Out-of-the-box analytics models that leverage and extend the security operations platform.

  • Single Security operation processes with integration of workflow system and other security solutions.

  • Easily extend to third-party analytic models, including existing insider threats use cases already implemented.

  • Leverage UBA insights in other integrated security analytics solutions.

  • Get more from your QRadar ecosystem.

    IBM QRadar UBA

    160+ rules and ML driven use cases addressing 3 major insider threat vectors:

    1. Compromised or Stolen Credentials
    2. Careless or Malicious Insiders
    3. Malware takeover of user accounts

    Detecting Compromised Credentials

  • 70% of phishing attacks are to steal credentials.

  • 81% of breaches are with stolen credentials.

  • $4M average cost of a data breach.

SIEM Platforms SIEM Platforms

Malicious behavior comes in many forms

SIEM Platforms SIEM Platforms

Maturing into User Behavioral Analytics

SIEM Platforms SIEM Platforms

QRadar UBA delivers value to the SOC

SIEM Platforms SIEM Platforms

AI and SIEM

Your goals as a security operations team are fundamental to your business.

SIEM Platforms SIEM Platforms

Pressures today make it difficult to achieve your business goals.

SIEM Platforms SIEM Platforms

Challenge #1: Unaddressed threats

SIEM Platforms SIEM Platforms

Challenge #2: Insights Overload

SIEM Platforms SIEM Platforms

Challenge #3: Dwell times are getting worse

Lack of consistent, high-quality and context-rich investigations lead to a breakdown of existing processes and high probability of missing crucial insights – exposing your organization to risk.

Challenge #4: Lack of cybersecurity talent and job fatigue

  • Overworked
  • Understaffed
  • Overwhelmed

Investigating an Incident without AI:

SIEM Platforms SIEM Platforms

Unlock a new partnership between analysts and their technology:

SIEM Platforms SIEM Platforms

AI and SIEM – An industry Example

QRadar Advisor with Watson: Built with AI for the front-line Security Analyst.

QRadar Advisor empowers security analysts to drive consistent investigations and make quicker and more decisive incident escalations, resulting in reduced dwell times, and increased analyst efficiency.

Benefits of adopting QRadar Advisor:

SIEM Platforms SIEM Platforms

How it works – An app that takes QRadar to the next level:

SIEM Platforms SIEM Platforms

How it works – Building the knowledge (internal and external)

SIEM Platforms SIEM Platforms

How it works – Aligning incidents to the ATT&CK chain:

SIEM Platforms SIEM Platforms

How it works – Cross-investigation analytics

SIEM Platforms SIEM Platforms

How it works – Using analyst feedback to drive better decisions

SIEM Platforms SIEM Platforms

How it works – QRadar Assistant

SIEM Platforms SIEM Platforms

Threat Hunting Overview

Fight and Mitigate Upcoming Future Attacks with Cyber Threat Hunting

  • Cybercrime will/has transform/ed the role of Citizens, Business, Government, law enforcement ad the nature of our 21st Century way of life.

  • We depend more than ever on cyberspace.

  • A massive interference with global trade, travel, communications, and access to databases caused by a worldwide internet crash would create an unprecedented challenge.

    The Challenges:

Threat Hunting Threat Hunting

The Rise of Advanced Threats

  • Highly resourced bad guys

  • High sophisticated

  • Can evade detection from rule and policy based defenses

  • Dwell in the network

  • Can cause the most damage

    The threat surface includes:

  • Targeted ‘act of war’ & terrorism

  • Indirect criminal activities designed for mass disruption

  • Targeted data theft

  • Espionage

  • Hacktivists

    Countermeasures challenges include:

  • Outdated security platforms

  • Increasing levels of cybercrime

  • Limited marketplace skills

  • Increased Citizen expectations

  • Continuous and ever-increasing attack sophistication

  • Lack of real-time correlated Cyber intelligence

SOC Challenges

Threat Hunting Threat Hunting

Threat Hunting Threat Hunting

SOC Cyber Threat Hunting

  • Intelligence-led Cognitive SOC Proactive Cyber Threat Hunting

Threat Hunting Threat Hunting

Threat Hunting Threat Hunting

What is Cyber Threat Hunting

The act of proactively and aggressively identifying, intercepting, tracking, investigating, and eliminating cyber adversaries as early as possible in the Cyber Kill Chain.

The earlier you locate and track your adversaries Tactics, Techniques, and Procedures (TTPs) the less impact these adversaries will have on your business.

Multidimensional Trade craft: What is the primary objective of cyber threat hunting?

Threat Hunting Threat Hunting

Know Your Enemy: Cyber Kill Chain

Threat Hunting Threat Hunting

The art and Science of threat hunting.

Threat Hunting Threat Hunting

Advance Your SOC:

Threat Hunting Threat Hunting

Cyber Threat Hunting – An Industry Example

Cyber threat hunting team center:

Threat Hunting Threat Hunting

Build a Cyber Threat Hunting Team:

Threat Hunting Threat Hunting

Six Key Use Cases and Examples of Enterprise Intelligence:

Threat Hunting Threat Hunting

i2 Threat Hunting Use Cases:

Threat Hunting Threat Hunting

Detect, Disrupt and Defeat Advanced Threats

Threat Hunting Threat Hunting

Know Your Enemy with i2 cyber threat analysis:

Threat Hunting Threat Hunting

Intelligence Concepts are a Spectrum of Value:

Threat Hunting Threat Hunting

i2 Cyber Users:

Threat Hunting Threat Hunting

Cybersecurity Capstone: Breach Response Case Studies

Disclaimer: Expand me…

Dear Stranger;

I would like to thank you for taking an interest in my project, which I have shared on GitHub as a part of my specialization course. While I am happy to share my work with others, I would like to emphasize that this project is the result of my own hard work and effort, and I would like it to be used solely for the purpose of reference and inspiration.

Therefore, I strongly advise against any unethical use of my project, such as submitting it as your own work or copying parts of it to gain easy grades. Plagiarism is a serious offense that can result in severe consequences, including academic penalties and legal action.

I would like to remind you that the purpose of sharing my project is to showcase my skills and knowledge in a specific subject area. I encourage you to use it as a reference to understand the concepts and techniques used, but not to copy it verbatim or use it in any unethical manner.

In conclusion, I ask you to respect my work and use it ethically. Please do not plagiarize or copy my project, but rather use it as a source of inspiration to create your own unique and original work.

Thank you for your understanding and cooperation.

Best regards,

AbuTurab

Case Study:

Stolen Credentials/3rd Party Software/2FA Fatigue

LastPass Data Breach 2022

Download the Presentation

UOM Cybersecurity Specialization

Cybersecurity Specialization is an advanced course offered by University of Maryland. It dives deep into the core topics related to software security, cryptography, hardware etc.

Info

My progress in this specialization came to a halt after completing the first course, primarily because the subsequent courses were highly advanced and required background knowledge that I lacked. I will resume my journey once I feel confident in possessing the necessary expertise to tackle those courses.

1. Usable Security

This course is all about principles of Human Computer Interaction, designing secure systems, doing usability studies to evaluate the most efficient security model and much more…

This course contain 6 modules…

Subsections of Cybersecurity Specialization

Usable Security

This course contain 6 modules…

  1. Fundamentals of Human-Computer Interaction: users, usability, tasks, and cognitive models
  2. Design: design methodology, prototyping, cybersecurity case study
  3. Evaluation: usability studies, A/B testing, quantitative and qualitative evaluation, cybersecurity case study
  4. Strategies for Secure Interaction Design: authority, guidelines for interface design
  5. Usable Authentication: authentication mechanisms, biometrics, two-factor authentication
  6. Usable Privacy: privacy settings, personal data sharing, data inference

Subsections of Usable Security

Fundamentals of Human-Computer Interaction: users, usability, tasks, and cognitive models

What is Human Computer Interaction?

“HCI is a study of how humans interact with the computers.”

  • It is important to keep in mind how humans interact with the machines.
  • Cybersecurity experts, designers etc. should always consider HCI element as the major proponent for design and security infrastructure.
  • HCI involves knowing the users, tasks, context of the tasks.
  • Evaluation of how easy/difficult it is to use the system.

Usability

“It is a measure of how easy it is to use a system for a user.”

Measuring Usability

  • Speed
    • How quickly can the task be accomplished.
  • Efficiency
    • How many mistakes are made in accomplishing the task.
  • Learnability
    • How easy is it to learn to use the system.
  • Memorability
    • Once learned, how easy is it to remember how to use the system.
  • User Preference
    • What do users like?

How do we measure Usability?

  • Speed – timing
  • Efficiency – counting error
  • Learnability, Memorability and User Preference don’t have straight forward measurement tools.

Tasks and Task analysis

“Tasks are goals that users have when interacting with the system.”

Common errors in task creation

  • Leading or too descriptive

    Click on the username box at the upper right of the screen and enter your username, then click on the password box underneath and enter your password. Click submit…

  • Specific questions?

    What is the third headline on CNN.com?

  • Directing users towards things you want to tell them, not what they want to know.

    What are the names of the members of the website security team?

Chunking Information

“Breaking a long list of pieces of information into smaller groups.” “Aggregating several pieces of information into coherent groups to make them easier to remember.”

  • When designing systems, the most important thing to consider is human memory, as it is very volatile.
  • Working memory’s limitations should be kept in mind.
  • For design technology products, we should not expect user to remember more than 3 things at a time in his/her working memory.

Mental Models

Number of factors affecting mental models;

  • Affordance
    • Mapping

      Mapping a Stove Design Mapping a Stove Design

    • Visibility

      Visibility: A search Engine Visibility: A search Engine

    • Feedback

      The user sees some visual change when they click a button.

    • Constraints

      A user should not be allowed to perform a task until certain conditions are met.

    • Conventions

      There are some conventions in place, for cross culture usability.

Design: design methodology, prototyping, cybersecurity case study

Intro to Design

  • Have the insight of the users who are they.
  • To include children or not.
  • Testing your design with users.
  • Involving the users from the very start of your design.
  • What other people are doing in your niche, and you should probably design something similar for familiarity reasons of mental models
  • Define your goal, is it an innovative idea, or something already existing but adding a value over it.
  • Don’t wait until your product is finished, take input from the users from the very first stage of design.

Design Methodologies

Design Process

The Golden rule is;

  • Know Your User.
  • Where do ideas come from?
  • Many processes;
    • Iterative design

      Iterative Design Process Iterative Design Process

  • System centered design

    • What can be built easily on this platform?
    • What can I create from the available tools?
    • What do I as a programmer find interesting to work on?
  • User centered design

    • Design is based upon a user’s
      • Abilities and real needs
      • Context
      • Work
      • Tasks
  • Participatory design

    • Problem
      • intuitions wrong
      • interviews etc. not precise
      • designer cannot know the user sufficiently well to answer all issues that come up during the design
    • Solution
      • designers should have access to a pool of representative users. That is, END users, not their managers or union reps!
  • Designer centered design

“It’s not the consumers’ job to know what they want.”

— Steve Jobs

Case Study: SSL Warnings – example user

  • User knows something bad is happening, but not what.
    • User has good general strategies (worry more about sites with sensitive info)
    • Error message relies on a lot of information users don’t understand

Evaluation: usability studies, A/B testing, quantitative and qualitative evaluation, cybersecurity case study

Quantitative Evaluation

Cognitive Walkthrough

Requirements;

  • Description or prototype of interface
  • Task Description
  • List of actions to complete task
  • Use background

What you look for; (A mobile Gesture prototype)

  • Will users know to perform the action?
  • Will users see the control
  • Will users know the control does what they want?
  • Will users understand the feedback?

Heuristic Analysis

  • Follow ‘rules of thumb’ or suggestions about good design.
  • Can be done by experts/designers, fast and easy.
  • May miss problems users would catch.

Nielsen’s Heuristics

  • Simple and natural dialog
  • Speak the users’ language
  • Minimize user memory load
  • Consistency
  • Feedback
  • Clearly marked exits
  • Shortcuts
  • Prevent errors
  • Good error messages
  • Providing help and documentation

Personas

  • A fictitious user representing a class of users
  • Reference point for design and analysis
  • Has a goal or goals they want to accomplish (in general or in the system)

Running Controlled Experiments

  • State a lucid, testable hypothesis.
  • Identify independent and dependent variables
  • Design the experimental protocol
  • Choose the user population
  • Run some pilot participants
  • Fix the experimental protocol
  • Run the experiment
  • Perform statistical analysis
  • Draw conclusion
  • Communicate results

Analysis

  • Statistical comparison (e.g., t-test)
  • Report results

Usability Studies

Testing Usability of Security

  • Security is rarely the task users set out to accomplish.
  • Good Security is a seamless part of the task.

Usability Study Process

  • Define tasks (and their importance)
  • Develop Questionnaires

Selecting Tasks

  • What are the most important things a user would do with this interface?
  • Present it as a task not a question
  • Be specific
  • Don’t give instructions
  • Don’t be vague or provide tiny insignificant tasks
  • Choose representative tasks that reflect the most important things a user would do with the interface

Security Tasks

  • Security is almost never a task

Pre-Test Questionnaires

  • Learn any relevant background about the subject’s
  • Age, gender, education level, experience with the web, experience with this type of website, experience with this site in particular.
  • Perhaps more specific questions based on the site, e.g., color blindness, if the user has children, etc.

Post-Test Questionnaires

  • Have users provide feedback on the interface.

Evaluation

  • Users are given a list of tasks and asked to perform each task.
  • Interaction with the user is governed by different protocols.

Observation Methods

  • Silent Observer
  • Think Aloud
  • Constructive Interaction

Interview

  • Ask users to give you feedback
  • Easier for the user than writing it down
  • They will tell you, things, you never thought to ask

Reporting

  • After the evaluation, report your results
  • Summarize the experiences of users
  • Emphasize your insights with specific examples or quotes
  • Offer suggestions for improvement for tasks that were difficult to perform

A/B Testing

  • Doesn’t include any Cognitive or psychological understanding or model of user behavior.
  • You give two options, A or B, and measure how they perform.

How to Run A/B Test

  • Start with a small percentage of visitors trying the experimental conditions.
  • Automatically stop testing if any condition has very bad performance.
  • Let people consistently see the same variation so, they don’t get confused.

Strategies for Secure Interaction Design: authority, guidelines for interface design

Strategies for Secure Interaction Design: authority, guidelines for interface design

  • It’s the user who is making security decision, so, keep user in mind when designing security systems.

Authority Guidelines

  • Match the easiest way to do a task with the least granting of authority.
    • What are typical user tasks?
    • What is the easiest way for the user to accomplish each task?
    • What authority is granted to software and other people when the user takes the easiest route to completing the task?
    • How can the safest ways of accomplishing the task be made easier and vice versa?
  • Grant authority to others in accordance with user actions indicating consent.
    • When does the system give access to the user’s resources?
    • What user action grants that access?
    • Does the user understand that the action grants access?
  • Offer the user ways to reduce other’s authority to access the user’s resources.
    • What kind of access does the user grant to software and other users?
    • Which types of access can be revoked?
    • How can the interface help the user find and revoke access?

Authorization and Communication Guidelines

  • Users should know what authority other’s have.
    • What kind of authority can software and other users hold?
    • What kind of authority impact user decisions with security consequences?
    • How can the interface provide timely access to information about these authorities?
  • User should know what authority they themselves have.
    • What kind of authority does the user hold?
    • How does the user know they have that authority?
    • What might the user decide based on their expectation of authority?
  • Make sure the user trust the software acting on their behalf.
    • What agents manipulate authority on the user’s behalf?
    • How can users be sure they are communicating with the intended agent?
    • How might the agent be impersonated?
    • How might the user’s communication with the agent be corrupted/intercepted?

Interface Guidelines for Usable Security

  • Enable the user to express safe security policies that fit the user’s task.
    • What are some examples of security policies that users might want enforced for typical tasks?
    • How can the user express these policies?
    • How can the expression of policy be brought closer to the task?
  • Draw distinction among objects and actions along boundaries relevant to the task.
    • At what level of details does the interface allow objects and actions to be separately manipulated?
    • What distinction between affected objects and unaffected objects does the user care about?
  • Present objects and actions using distinguishable, truthful appearances.
    • How does the user identify and distinguish different objects and actions?
    • In what ways can the means of identification be controlled by other parties?
    • What aspects of an object’s appearances are under system control?
    • How can those aspects be chosen to best prevent deception?

Usable Authentication: authentication mechanisms, biometrics, two-factor authentication

Password Authentication

Password Attacks

  • Human
  • Brute force
  • Common word
  • Dictionary word

Two-Factor Authentication

  • Password & one time unique code
    • Generated by
      • Device
      • Email
      • Text
      • App

Security of TFA

  • More secure
  • Stops most hacking attacks
  • Users perceive it as more secure

Usability of TFA

  • Research says:
    • Speed: Slower
    • User Preference;
      • Felt less usable
      • Less convenient
      • Harder to use

Biometric Authentication

  • Fingerprints, voice and facial scan etc.

Usability of Biometrics

  • Voice Recognition
    • Speed: medium
    • Efficiency: medium
    • Learnability: easy
    • Memorability: easy
  • Facial Recognition
    • Speed: medium
    • Efficiency: medium
    • Learnability: easy
    • Memorability: easy
  • Fingerprint Recognition
    • Speed: fast
    • Efficiency: good
    • Learnability: easy
    • Memorability: easy

Analyzing Security

  • Who can access the device?
  • How easily can they replicate the biometrics input?

Gesture-based Authentication

  • Keypad Gestures
  • Free Gestures
  • Draw your Signatures
  • Multi-touch

Benefits

  • Gestures users enjoy tend to be more secure
  • Users prefer gestures to passwords
  • Faster than passwords, less error-prone

Usable Privacy: privacy settings, personal data sharing, data inference

Usable Privacy Basics

  • Privacy is a kind of security;
    • Users want to protect their information.
    • Should have the right to understand what happens with their data.
    • Should have as much control as possible over how it is used.
  • Privacy Policies;
    • Tell a user everything they need to know about how their data is collected, used, and shared.
    • Can be analyzed for usability.
  • Privacy Controls
    • Should data be collected or not?
    • Who has permission to see it?
  • Going forward
    • Privacy and security are part of the same issue.
    • Analyzing usability is done the same way with privacy.
    • Keep the user in mind first.

Privacy Policies and User Understanding

For user to control their privacy, they must understand privacy policies. Do they?

  • What we know:
    • Most people don’t read privacy policies.
    • When people do read them, they don’t necessarily understand them.
  • How to learn?
    • Read privacy policies.
    • Discover through other sources.
  • Implications
    • Privacy policies are boring and hard to read
  • Poor usability
    • They are really important.
    • Are there more usable ways to convey the information in a privacy policy?
  • User understand what data is being collected and shared, and they consent to how it is used.
  • Six components
    • Disclosure
    • Comprehension
    • Voluntariness
    • Competence
    • Agreement
    • Minimal distraction

5 Pitfalls of Privacy

  • Understanding
    • Obscuring potential information flow.
    • Obscuring actual information flow.
  • Action
    • Emphasizing configuration over action.
  • Privacy management should be part of natural workflow
    • Lacking coarse-grained control.
  • Have an obvious, top-level control to turn sharing on and off
    • Inhibiting established practice.
  • What users expect from other experiences?
    • Let them have it here too.
  • Mental models, conventions

Information Flow

  • Types of information
  • Kinds of observers
  • Media through which info is conveyed
  • Length of retention
  • Potential for unintended disclosure
  • Collection of metadata

CompTIA SY0-701 Security+ Training Course

This training course is offered by Professor Messer over on YouTube.

Tip

You can directly support Professor Messer by buying wonderfully written notes from his website.

The course index is as follows:

0.1 – Introduction

How to Pass Your SY0-701 Security+ Exam

Section 1: General Security Concepts

1.1: Security Controls

1.2: Security Concepts

1.3: Change Management

1.4: Cryptographic Solutions

Section 2: Threats, Vulnerabilities, and Mitigations

2.1: Threat Actors

2.2: Threat Vectors and Attack Surfaces

2.3: Types of Vulnerabilities

2.4: Indicators of Malicious Activity

2.5: Mitigation Techniques

Section 3: Security Architecture

3.1: Architecture Models

3.2: Applying Security Principles

3.3: Protecting Data

3.4: Resiliency and Recovery

Section 4: Security Operations

4.1: Security Techniques

4.2: Asset Management

4.3: Vulnerability Management

4.4: Security Monitoring

4.5: Enterprise Security

4.7: Automation and Orchestration

4.8: Incident Response

4.9: Security Data Sources

Section 5: Security Program Management and Oversight

5.1: Security Governance

5.2: Risk Management

5.3: Third-party Risk

5.4: Security Compliance

5.5: Audits and Assessments

5.6: Security Awareness

Subsections of CompTIA SY0-701 Security+

How to Pass Your SY0-701 Security+ Exam

The CompTIA Security+ Advantages

CompTIA stands for Computing Technology Industry Association.

  • The most popular
  • builds a solid foundation
  • Many organizations require some type of certifications
  • Knowledge and satisfaction
  • Recognition in over 100 countries
  • Available in different languages

About this Training Course

  • SY0-701
  • Released in Nov. 7, 2023
  • Smaller video duration
  • Quick and easy
  • Follows the CompTIA exam objectives
  • 90 minutes, max of 90 questions
  • Passing score: 750 on a scale of 100-900

Exam Questions

  • Multiple Choice
    • Very straightforward
    • Single, multiple answers
  • Performance based
    • Complete a task
    • Matching, sorting, drag-and-drop etc.

Security Controls

  • Security risks are out there
    • Many categories and types to consider
  • Assets are also varied
    • Data, physically property, computer systems
  • Prevent security events, minimize the impact, and limit the damage
    • Security controls

Control Categories

  • Technical Controls
    • Controls implemented using systems
    • OSes controls
    • Firewalls, anti-viruses
  • Managerial Controls
    • Admin controls associated with security design and implementation
    • Security policies, SOPs
  • Operational Controls
    • Controls implemented by people instead of systems
    • Security guards, awareness programs
  • Physical Controls
    • Limit physical access
    • Guard shack
    • Fences, locks
    • Badge readers

Preventive Control Types

  • Preventive
    • Block access to a resource
    • You shall not pass
  • Prevent access
    • Firewall rules
    • Follow security policy
    • Guard shack checks all identification
    • Enable door locks

Deterrent Control Types

  • Deterrent
    • Discourage an intrusion attempt
    • Doesn’t directly prevent access
  • Make an attacker think twice
    • Application splash screens
    • Threat of demotion
    • Front reception desk
    • Posted warning signs

Detective Control Types

  • Detective
    • Identify and log an intrusion attempt
    • May not prevent access
  • Find the issue
    • Collect and review system logs
    • Review login reports
    • Regularly patrol the property
    • Enable motion detectors

Corrective Control Types

  • Corrective
    • Apply a control after an event has been detected
    • Reverse the impact of an event
    • Continue operating with minimal downtime
  • Correct the problem
    • Restoring from backups can mitigate a ransomware infection
    • Create policies for reporting security issues
    • Contact law enforcement to manage criminal activity
    • Use a fire extinguisher

Compensating Control Types

  • Compensating
    • Control using other means
    • Existing controls aren’t sufficient
    • May be temporary
  • Prevent the exploitation of a weakness
    • Firewall blocks a specific application instead of patching the app
    • Implement a separation of duties
    • Require simultaneous guard duties
    • Generator used after power outage

Directive Control Types

  • Direct a subject towards security compliance

  • A relatively weak security control

  • Do this, please!!!

    • Store all sensitive files in a protected folder
    • Create compliance policies and procedures
    • Train users on proper security policy
    • Post a sign for “Authorized Personnel Only”

Managing Security Controls

  • These are not inclusive lists
    • There are many categories of control
    • Some organizations will combine types
  • There are multiple security controls for each category and type
    • Some security controls may exist in multiple types or categories
    • New security controls are created as systems and processes evolve
    • Your organization may use very different controls

Security Concepts

The CIA Triad

  • Combination of principles
    • The fundamentals of security
    • Sometimes referenced as the AIC Triad
  1. Confidentiality
    • Prevent disclosure of information to unauthorized individuals or systems
  2. Integrity
    • Messages can’t be modified without detection
  3. Availability
    • Systems and networks must be up and running

1. Confidentiality

  • Certain information should only be known to certain people
    • Prevent unauthorized information disclosure
  • Encryption
    • Encode messages so only certain people can read it
  • Access Controls
    • Selectively restrict access to a resource
  • Two-factor Authentication
    • Additional confirmation before information is disclosed

2. Integrity

  • Data is stored and transferred as intended
    • Any modification to the data would be identified.
  • Hashing
    • Map data of an arbitrary length to data of a fixed length
  • Digital Signatures
    • Mathematical scheme to verify the integrity of data
  • Certificates
    • Combine with a digital signature to verify an individual
  • Non-repudiation
    • Provides proof of integrity, can be asserted to be genuine!

3. Availability

  • Information is accessible to authorized users
    • Always at your fingertips
  • Redundancy
    • Build services that will always be available
  • Fault Tolerance
    • System will continue to run, even when a failure occurs
  • Patching
    • Stability
    • Close security holes

Non-repudiation

  • You can’t deny what you have said
    • There is no taking it back
  • Signs a contract
    • Your signature adds non-repudiation
    • You really did sign the contract
    • Others can see your signature
  • Adds a different perspective for cryptography
    • Proof of integrity
    • Proof of origin, with high assurance of authenticity

Proof of integrity

  • Verify data doesn’t change
    • The data remains accurate and consistent
  • In cryptography, we use a hash
    • Represents data as a short string of text
    • A message digest, a fingerprint
  • If the data changes, the hash changes
    • If the person changes, you get a different fingerprint
  • Does not necessarily associate data with an individual
    • Only tells you if the data has changed

Proof of Origin

  • Prove the message was not changed
    • Integrity
  • Prove the source of the message
    • Authentication
  • Make sure the signature isn’t fake
    • Non-repudiation
  • Sign with the private key
    • The message doesn’t need to be encrypted
    • Nobody else can sign this (obviously)
  • Verify with the public key
    • Any change to the message will invalidate the signature

Verifying a Digital Signature

Authentication, Authorization, and Accounting (AAA) Framework

  • Identification
    • This is who you claim to be
    • Usually your username
  • Authentication
    • Prove you are who you say you are
    • Password and other authentication factors
  • Authorization
    • Based on your identification and authentication, what access do you have?
  • Accounting
    • Resources used: Login time, data sent and received, logout time

Authenticating People

Authenticating Systems

  • You have to manage many devices
    • Often devices that you will never physically see
  • A system can’t type a password
    • And you may not want to store one
  • How can you truly authenticate a device
    • Put a digitally signed certificate on the device
  • Other business processes rely on the certificate
    • Acess to the VPN from authorized devices
    • Management software can validate the end device

Certificate Authentication

  • An organization has a trusted Certificate Authority (CA)
    • Most organizations maintain their own CAs
  • The organization creates a certificate for a device
    • And digitally signs the certificate with the organization’s CA
  • The certificate can now be included on a device as an authentication factor
    • The CA’s digital signature is used to validate the certificate

Certificate-based Authentication

Authorization Models

  • The user or device has now authenticated
    • To what do they now have access?
    • Time to apply an authorization model
  • Users and services ⇾ data and applications
    • Associating individual users to access rights doesn’t scale
  • Put an authorization model in the middle
    • Define by Roles, Organizations, Attributes, etc.

No Authorization Model

  • A simple relationship
    • User ⇾ Resource
  • Some issues with this method
    • Difficult to understand why an authorization may exist
    • Doesn’t scale

Using an Authorization Model

  • Add an abstraction
    • Reduce complexity
    • Create a clear relationship between the user and the resource
  • Administration is streamlined
    • Easy to understand the authorizations
    • Support any number of users or resources

Gap Analysis

  • Where you are compared with where you want to be
    • The “gap” between the two
  • This may require extensive research
    • There is a lot to consider
  • This can take weeks or months
    • An extensive study with numerous participants
    • Get ready for emails, data gathering, and technical research

Choosing the Framework

  • Get the baseline of employees
    • Formal experience
    • Current training
    • Knowledge of security policies and procedures
  • Examine the current processes
    • Research existing IT systems
    • Evaluate existing security policies

Compare and Contrast

  • The comparison
    • Evaluate existing systems
  • Identify weakness
    • Along with the most effective processes
  • A detailed analysis
    • Examine broad security categories
    • Break those into smaller segments

The Analysis and Report

  • The final comparison
    • Detailed baseline objectives
    • A clear view of the current state
  • Need a path to get from the current security to the goal
    • This will almost certainly include time, money, and lots of change control
  • Time to create the gap analysis report
    • A formal description of the current state
    • Recommendations for meeting the baseline

Gap Analysis Overview

Zero Trust

  • Many networks are relatively open on the inside
    • Once you’re through the firewall, there are few security controls
  • Zero trust is a holistic approach to network security
    • Covers every device, every process, every person
  • Everything must be verified
    • Nothing is inherently trusted
    • Multi-factor authentication, encryption, system permissions, additional firewalls, monitoring, and analytics etc.

Planes of Operation

  • Split the network into functional planes
    • Applies to physical, virtual, and cloud components
  • Data Plane
    • Process the frames, packets, and network data
    • Processing, forwarding, trunking, encrypting, NAT
  • Control Plane
    • Manages the actions of the data plane
    • Define policies and rules
    • Determine how packets should be forwarded
    • Routing tables, session tables, NAT tables

Extend the Physical Architecture

  • Separate into functional tasks
    • Incorporate into hardware or software

Controlling Trust

  • Adaptive Identity
    • Consider the source and the requested resources
    • Multiple risk indicators — relationship to the organization, physical location, type of connection, IP address, etc.
    • Make the authentication stricter, if needed
  • Threat Scope Reduction
    • Decrease the number of possible entry points
  • Policy-driven access control
    • Combine the adaptive identity with a predefined set of rules

Security Zone

  • Security is more than a one-to-one relationship
    • Broad categorization provide a security-based foundation
  • Where are you coming from and where are you going
    • Trusted, untrusted
    • Internal network, external network
    • VPN 1, VPN 5, VPN 11
    • Marketing, IT, Accounting, HR
  • Using the zones may be enough by itself to deny access
    • For example, Untrusted to Trusted zone traffic
  • Some zones are implicitly trusted
    • For example, Trusted to Internal zone traffic

Policy Enforcement Point

  • Subjects and systems
    • End users, applications, non-human entities
  • Policy enforcement point (PEP)
    • The gatekeeper
  • Allow, monitor, and terminate connections
    • Can consist of multiple components working together

Applying Trust in the Planes

  • Policy Decision Point
    • There’s a process for making an authentication decision
  • Policy Engine
    • Evaluates each access decision based on policy and other information sources
    • Grant, deny, or revoke
  • Policy Administration
    • Communicates with the Policy Enforcement Point
    • Generates access tokens or credentials
    • Tells PEP to allow or disallow access

Zero Trust Across Planes

Physical Security

Barricades/ Bollards

  • Prevent access
    • There are limits to the prevention
  • Channel people through a specific access point
    • And keep out other things
    • Allow people, prevent cars and trucks
  • Identify safety concerns
    • And prevent injuries
  • Can be used to an extreme
    • Concrete barriers/bollards
    • Moats (Water ditch around the facility)

Access Control Vestibules

  • All doors normally unlocked
    • Opening one door causes others to lock
  • All doors normally locked
    • Unlocking one door prevents others from being unlocked
  • One door open/others locked
    • When one is open, the other cannot be unlocked
  • One at a time, controlled groups
    • Managed control through an area

Fencing

  • Build a perimeter
    • Usually very obvious
    • May not be what you’re looking for
  • Transparent or opaque
    • See through fence (or not)
  • Robust
    • Difficult to cut the fence
  • Prevent Climbing
    • Razor wire
    • Build it high

Video Surveillance

  • CCTV (Closed circuit television)
    • Can replace physical guards
  • Camera features are important
    • Motion recognition can alarm and alert when something moves
    • Object detection can identify a license plate or person’s face
  • Often many cameras
    • Networked together and recorded over time

Guards and Access Badges

  • Security Guard
    • Physical protection at the reception area of a facility
    • Validate identification of existing employees
  • Two-person integrity/control
    • Minimize exposure to an attack
    • No single person has access to a physical asset
  • Access badge
    • Picture, name, other details
    • Must be worn at all times
    • Electronically logged

Lighting

  • More light means more security
    • Attackers avoid the light
    • Easier to see when lit
    • Non IR cameras can see better
  • Specialized design
    • Consider overall light levels
    • Lighting angles may be important
  • Avoid shadows and glare

Sensors

  • Infrared
    • Detects infrared radiation in both light and dark
    • Common in motion detectors
  • Pressure
    • Detects a change in force
    • Floor and window sensors
  • Microwave
    • Detects movement across large areas
  • Ultrasonic
    • Send ultrasonic signals, receive reflected sound waves
    • Detect motion, collision detection etc.

Deception and Disruption

Honeypots

  • Attract the bad guys
    • And trap them there
  • The “attacker” is probably a machine
    • Makes for interesting recon
  • Honeypots
    • Create a virtual world to explore
  • Many options
    • Most are open source and available to download
  • Constant battle to discern the real from the fake

Honeynets

  • A real network includes more than a single device
    • Servers, workstations, routers, switches, firewalls
  • Honeynets
    • Build a larger deception network with one or more honeypots
  • More than one source of information

Honeyfiles

  • Attract the attackers with more honey
    • Create files with fake information
    • Something bright and shiny
  • Honeyfiles
    • Bait for the honeynet (passwords.txt)
    • Add many honeyfiles to files shares
  • An alert is sent if the file is accessed
    • A virtual bear trap

Honeytokens

  • Track the malicious actors
    • Add some traceable data to the honeynet
    • If the data is stolen, you will know where it came from
  • API Credentials
    • Doesn’t actually provide access
    • Notifications are sent when used
  • Fake email addresses
    • Add it to a contact list
    • Monitor the internet to see who posts it
  • Many other honeytoken examples
    • Database records, browser cookies, web page pixels

Change Management

Change Management

  • How to make a change
    • Upgrade software, patch an application, change firewall configuration, modify switch ports
  • One of the most common risks in the enterprise
    • Occurs very frequently
  • Often overlooked or ignored
    • Did you feel that bit?
  • Have clear policies
    • Frequency, duration, installation process, rollback procedures
  • Sometimes extremely difficult to implement
    • It’s hard to change corporate culture

Change Approval Process

  • A formal process for managing change
    • Avoid downtime, confusion, and mistakes
  • A typical approval process
    • Complete the request forms
    • Determine the purpose of the change
    • Identify the scope of the change
    • Schedule a date and time of the change
    • Determine affected systems and the impact
    • Analyze the risk associated with the change
    • Get approval from the change control board
    • Get end-user acceptance after the change is complete

Ownership

  • An individual or entity needs to make a change
    • They own the process
    • They don’t (usually) perform the actual change
  • The owner manages the process
    • Process updates are provided to the owner
    • Ensures the process is followed, and acceptable
  • Address label printers needs to be upgraded
    • Shipping and Receiving department owns the process
    • IT handles the actual change

Stakeholders

  • Who is impacted by this change?
    • They’ll want to have input on the change management process
  • This may not be as obvious as you might think
    • A single change can include one individual or the entire company
  • Upgrade software used for shipping labels
    • Shipping/receiving
    • Accounting reports
    • Product delivery timeframes
    • Revenue recognition — CEO visibility

Impact Analysis

  • Determine a risk value
    • high, medium, low etc.
  • The risks can be minor or far-reaching
    • The “fix” doesn’t actually fix anything
    • The fix breaks something else
    • OS failures
    • Data corruption
  • What’s the risk with NOT making the change?
    • Security vulnerability
    • Application unavailability
    • Unexpected downtime to other services

Test Results

  • Sandbox testing environment
    • No connection to the real world or production system
    • A technological safe place
  • Use before making a change to production
    • Try the upgrade, apply the patch
    • Test and confirm before deployment
  • Confirm the back out plan
    • Move everything back to the original
    • A sandbox cannot consider every possibility

Backout Plan

  • The change will work perfectly and nothing will ever go bad
    • Of course it will
  • You should always have a way to revert your changes
    • Prepare for the worst, hope for the best
  • This isn’t as easy as it sounds
    • Some changes are difficult to revert
  • Always have backups
    • Always have good backups

Maintenance Windows

  • When is the change happening
    • This might be the most difficult part of the process
  • During the workday may not be the best option
    • Potential downtime would affect a large part of production
  • Overnights are often a better choice
    • Challenging for 24-hour production schedules
  • The time of year may be a consideration
    • Retail networks are frozen during the holiday season

Standard Operating Procedures

  • Change management is critical
    • Affects everyone in the organization
  • The process must be well documented
    • Should be available on the Internet
    • Along with all standard processes and procedures
  • Changes to the process are reflected in the standards
    • A living document

Technical Change Management

  • Put the change management process into action
    • Execute the plan
  • There is no such thing as a simple upgrade
    • Can have many moving parts
    • Separate events may be required
  • Change management is often concerned with “what” need to change
    • The technical team is concerned with “how” to change it

Allow List/Deny List

Any application can be dangerous

  • Vulnerabilities, Trojan horses, malware

Security policy can control app execution

  • Allow list, deny/block list

Allow list

  • Nothing runs unless it’s approved
  • Very restrictive

Deny list

  • Nothing on the “bad list” can be executed
  • Anti-virus, anti-malware

Restricted Activities

The scope of a change is important

  • Defines exactly which components are covered

A change approval isn’t permission to make any change

  • The change control approval is very specific

The scope may need to be expanded during the change window

  • It’s impossible to prepare for all possible outcomes

The change management process determines the next steps

  • There are processes in place to make the change successful

Downtime

Services will eventually be unavailable

  • The change process can be disruptive
  • Usually scheduled during non-production hours

If possible, prevent any downtime

  • Switch to secondary system, upgrade the primary, then switch back

Minimize any downtime events

  • The process should be as automated as possible
  • Switch back to secondary if issues appear
  • Should be part of the backout plan

Send emails and calendar updates

Restarts

It’s common to require a restart

  • Implement the new configuration
  • Reboot the OS, power cycle the switch, bounce the service
  • Can the system recover from a power outage?

Services

  • Stop and restart the service or daemon
  • May take seconds or minutes

Applications

  • Close the application completely
  • Launch a new application instance

Legacy Applications

Some applications were here before you arrived

  • They will here when you leave

Often no longer supported by the developer

  • You’re now the support team

Fear of Unknown

  • Face your fears and document the system
  • It may not be as bad as you think

May be quirky

  • Create specific processes and procedures

Become the expert

Dependencies

To complete A, you must complete B

  • A service will not start without other active services
  • An application requires a specific library version

Modifying one component may require changing or restarting other components

  • This can be challenging to manage

Dependencies may occur across systems

  • Upgrade the firewall code first
  • Then upgrade the firewall management software

Documentation

It can be challenging to keep up with changes

  • Documentation can become outdated very quickly
  • Require with the change management process

Updating diagrams

  • Modifications to network configurations
  • Address updates

Updating policies/procedures

  • Adding new systems may require new procedures

Version Control

Track changes to a file or configuration data over time

  • Easily revert to a previous setting

Many opportunities to manage versions

  • Router configurations
  • Windows OS patches
  • Application registry entries

Not always straightforward

  • Some devices and OSes provide version control features
  • May require additional management software

Cryptographic Solutions

Public Key Infrastructure (PKI)

Policies, procedures, hardware, software, people

  • Digital certificates: create, distribute, manage, store, revoke

This is a big, big, endeavor

  • Lots of planning

Also refers to the binding of public keys to people or devices

  • The certificate authority (CA)
  • It’s all about trust

Symmetric Encryption

A single, shared key

  • Encrypt with the key
  • Decrypt with the same key
  • If it gets out, you’ll need another key

Secret key algorithm

  • A shared secret

Doesn’t scale very well

  • Can be challenging to distribute

Very fast to use

  • Less overhead than asymmetric encryption
  • Often combined with asymmetric encryption

Asymmetric Encryption

Public key cryptography

  • Two (or more) mathematically related keys

Private Key

  • Keep this private

Public Key

  • Anyone can see this key
  • Give it away

The private key is the only key that can decrypt data encrypted with public key

  • You cannot derive the private key from the public key

The Key Pair

Asymmetric encryption

  • Public Key Cryptography

Key generation

  • Build both the public and private key at the same time
  • Lots of randomization
  • Large prime numbers
  • Lots and lots of math

Everyone can have the public key

  • Only Alice has the private key

Asymmetric Encryption

Key Escrow

Someone else holds your decryption keys

  • Your private keys are in the hands of a 3rd Party
  • This may be within your own organization

This can be a legitimate business arrangement

  • A business might need access to employee information
  • Government agencies may need to decrypt partner data

Controversial?

  • Of course
  • But may still be required

Encrypting Data

Encrypting Stored Data

Protect data on storage devices

  • SSD, hard drive, USB drive, cloud storage, etc.
  • This is data at rest

Full-disk and partition/volume encryption

  • BitLocker, FileVault, etc.

File encryption

  • EFS (Encrypting File System), third-party utilities

Database Encryption

Protecting stored data

  • And the transmission of that data

Transparent encryption

  • Encrypt all database information with a symmetric key

Record-level encryption

  • Encrypt individual columns
  • Use separate symmetric keys for each column

Example Database:

You can encrypt the entire database

But this adds the extra overhead for database search and lookup. We have to decrypt the data every time we need to pull something from it.

One way to avoid, the overhead is to encrypt only the sensitive portion of the data, leaving rest as unencrypted.

Transport Encryption

Protect data traversing the network

  • You are probably doing this now

Encrypting in the application

  • Browsers can communicate using HTTPS

VPN (virtual private network)

  • Encrypts all data transmitted over the network, regardless of the application
  • Client-based VPN using SSL/TLS
  • Site-to-site VPN using IPsec

Encryption Algorithms

There are many, many ways to encrypt data

  • The proper “formula” must be used during encryption and decryption

Both sides decide on the algorithm before encrypting the data

  • The details are often hidden from the end user

There are advantages and disadvantages between algorithms

  • Security level, speed, complexity of implementation, etc.

Encryption Algorithm Comparison

Cryptographic Keys

There’s very little that is not known about the cryptographic process

  • The algorithm is usually a known entity
  • The only thing you don’t know is the key

The key determines the output

  • Encrypted data
  • Hash value
  • Digital signature

Keep your key private

  • It’s the only thing protecting your data

Key Lengths

Larger keys tend to be more secure

  • Prevent brute-force attacks
  • Attackers can try every possible key combination

Symmetric encryption

  • 128-bit or larger symmetric keys are common
  • These numbers get larger and larger as time goes on

Asymmetric encryption

  • Complex calculations of prime numbers
  • Larger keys than symmetric encryption
  • Common to see key lengths of 3072 bits or larger

Key Stretching

A weak key is a weak key

  • By itself, it’s not very secure

Make a weak key stronger by performing multiple processes

  • Hash a password. Hash the hash of the password. And continue…
  • Key stretching, key strengthening

Brute force attacks would require reversing each of those hashes

  • The attacker has to spend much more time, even though the key is small

Key Exchange

A logistical challenge

  • How do you share an encryption key across an insecure medium without physically transferring the key?

Out-of-band key exchange

  • Don’t send the symmetric key over the network
  • Telephone, courier, in-person, etc.

In-band key exchange

  • It’s on the network
  • Protect the key with additional encryption
  • Use asymmetric encryption to deliver a symmetric key

Real-time Encryption/Decryption

There is a need for fast security

  • Without compromising the security part

Share a symmetric session key using asymmetric encryption

  • Client encrypts a random (symmetric) key with a server’s public key
  • The server decrypts this shared key and uses it to encrypt data
  • This is the session key

Implement session keys carefully

  • Need to be changed often (ephemeral keys)
  • Need to be unpredictable

Symmetric Key from Asymmetric Keys

Use public and private key cryptography to create a symmetric key

  • Math is powerful

Encryption Technologies

Trusted Platform Module (TPM)

A specification for cryptographic functions

  • Cryptography hardware on a device

Cryptographic processor

  • Random number generator, key generators

Persistent Memory

  • Unique keys burned in during manufacturing

Versatile memory

  • Storage keys, hardware configuration information
  • Securely store BitLocker keys

Password protected

  • No dictionary attacks

Hardware Security Module (HSM)

Used in large environments

  • Clusters, redundant power
  • Securely store thousands of cryptographic keys

High-end cryptographic hardware

  • Plug-in card or separate hardware device

Key backup

  • Secure storage in hardware

Cryptographic accelerators

  • Offload that CPU overhead from other devices

Key Management System

Services are everywhere

  • On-premises, cloud-based
  • Many keys for many services

Manage all keys from a centralized manager

  • Often provided as third-party software
  • Separate the encryption keys from the data

All key management from one console

  • Create keys for a specific service or cloud provider (SSL/TLS, SSH, etc.)
  • Associate keys with specific users
  • Rotate keys on regular intervals
  • Log key use and important events

Keeping Data Private

Our data is located in many places

  • Mobile phones, cloud, laptops, etc.
  • The most private data is often physically closest to us

Attackers are always finding new techniques

  • It’s a race to stay one step ahead

Our data is changing constantly

  • How do we keep this data protected?

Secure Enclave

A protected area of our secrets

  • Often implemented as a hardware processor
  • Isolated from the main processor
  • Many technologies and names

Provides extensive security features

  • Has its own boot ROM
  • Monitors the system boot process
  • True random number generator
  • Real-time memory encryption
  • Performs AES encryption in hardware
  • And more…

Obfuscation

The process of making something unclear

  • It’s now much more difficult to understand

But it’s not impossible to understand

  • If you know how to read it

Hid information in plain sight

  • Store payment information without storing a credit card number

Hide information inside an image

  • Steganography

Steganography

Greek for “concealed writing”

  • Security through obscurity

Message is invisible

  • But it’s really there

The covertext

  • The container document or file

Common Steganography Techniques

Network based

  • Embed messages in TCP packets

Use an image

  • Embed the message in the image itself

Invisible watermarks

  • Yellow dots on printers

Other Steganography Types

Audio steganography

  • Modify the digital audio file
  • Interlace a secret message within the audio
  • Similar techniques to image steganography

Video steganography

  • A sequence of images
  • Use image steganography on a larger scale
  • Manage the signal-to-noise ratio
  • Potentially transfer much more information

Tokenization

Replace sensitive data with a non-sensitive placeholder

  • SSN 266-12-1112 is no 691-618539

Common with credit card processing

  • Use a temporary token during payment
  • An attacker capturing the card numbers can’t use them later

This isn’t encryption or hashing

  • The original data and token aren’t mathematically related

Data Masking

Data Obfuscation

  • Hide some original data

Protects PII

  • And other sensitive data

May only be hidden from view

  • The data may still be intact in storage
  • Control the view based on permissions

Many techniques

  • Substituting, shuffling, encrypting, masking out, etc.

Hashing and Digital Signatures

Hashes

Represent data as a short string of text

  • A message digest, a fingerprint

One-way trip

  • Impossible to recover the original message from the digest
  • Use to store passwords/confidentiality

Verify a downloaded document is the same as the original

  • Integrity

Can be a digital signature

  • Authentication, non-repudiation, and integrity

Collision

Hash functions

  • Take an input of any size
  • Create a fixed size string
  • Message digest, checksum

The hash should be unique

  • Different inputs should never create the same hash
  • If they do, it’s a collision

MD5 has a collision problem

  • Found in 1996
  • Don’t use MD5 for anything important

Practical Hashing

Verify a downloaded file

  • Hashes may be provided on the download site
  • Compare the downloaded files hash with the posted hash value

Password Storage

  • Instead of storing the password, store a salted hash
  • Compare hashes during the authentication process
  • Nobody ever knows your actual password

Adding Some Salt

Salt

  • Random data added to a password when hashing

Every user gets their own random salt

  • The salt is commonly stored with the password

Rainbow tables won’t work with salted hashes

  • Additional random value added to the original password

This slows down the brute force process

  • It doesn’t completely stop the reverse engineering

Salting the Hash

Each user gets a different random hash

  • The same password creates a different hash

Digital Signature

Prove the message was not changed

  • Integrity

Prove the source of the message

  • Authentication

Make sure the signature isn’t fake

  • Non-repudiation

Sign with the private key

  • The message doesn’t need to be encrypted
  • Nobody else can sign this (obviously)

Verify with the public key

  • Any change in the message will invalidate the signature

Creating a Digital Signature

Blockchain Technology

A distributed ledger

  • Keep track of transaction

Everyone on the blockchain network maintains the ledger

  • Records and replicates to anyone and everyone

Many practical applications

  • Payment processing
  • Digital identification
  • Supply chain monitoring
  • Digital Voting

The Blockchain Process

Certificates

Digital Certificates

A public key certificate

  • Binds a public key with a digital signature
  • And other details about the keyholder

A digital signature adds trust

  • PKI uses Certificate Authorities for additional trust
  • Web of Trust adds other users for additional trust

Certificate creation can be built into the OS

  • Part of Windows Domain services
  • Many 3rd-party options

What’s in a digital Certificate?

X.509

  • Standard format

Certificate Details

  • Serial number
  • Version
  • Signature algorithm
  • Issuer
  • Name of the cert holder
  • Public key
  • And more…

Root of Trust

Everything associated with IT security requires trust

  • A foundational characteristic

How to build trust from something unknown?

  • Someone/something trustworthy provides their approval

Refer to the root of trust

  • An inherently trusted component
  • Hardware, software, firmware, or other component
  • Hardware security module (HSM), Secure Enclave, Certificate Authority, etc.

Certificate Authorities

You connect to a random website

  • Do you trust it?

Need a good way to trust an unknown entity

  • Use a trusted third-party
  • An authority

Certificate Authorization (CA) has digitally signed the website certificate

  • You trust the CA, therefore you trust the website
  • Real-time verification

Third-party Certificate Authorities

Built-in to your browser

  • Any browser

Purchase your website certificate

  • It will be trusted by everyone’s browser

CA is responsible for vetting the request

  • They will confirm the certificate owner
  • Additional verification information may be required by the CA

Certificate Signing Requests

Create a key pair, then send the public key to the CA to be signed

  • A certificate signing request (CSR)

The CA validates the request

  • Confirms DNS emails and website ownership

CA digitally signs the cert

  • Returns to the applicant

Private Certificate Authorities

You are your own CA

  • Build it in-house
  • Your devices must trust the internal CA

Needed for medium-to-large organization

  • Many web servers and privacy requirements

Implement as part of your overall computing strategy

  • Windows Certificate Services, OpenCA

Self-signed Certificates

Internal certificates don’t need to be signed by a public CA

  • Your company is the only one going to use it
  • No need to purchase trust for devices that already trust you

Build your own CA

  • Issue your own certificates signed by your own CA

Install the CA certificate/trusted chain on all devices

  • They will now trust any certificate signed by your internal CA
  • Works exactly like a certificate you purchased

Wildcard Certificates

Subject Alternative Name (SAN)

  • Extension to an X.509 certificate
  • Lists additional identification information
  • Allows a certificate to support many domains

Wildcard domain

  • Certificates are based on the name of the server
  • A wildcard domain will apply to all server names in the domain

Key Revocation

Certificate Revocation List (CRL)

  • Maintained by the CA
  • Can contain many revocations in a large file

Many reasons

  • Changes all the time

April 2014 — CVE-2014-0160

  • Heartbleed
  • OpenSSL flaw put the private key of affected web servers at risk
  • OpenSSL was patched, every web server certificate was replaced
  • Older certificates were moved to the CRL

OCSP Stapling

Online Certificate Status Protocol

  • Provides scalability for OCSP checks

The CA is responsible for responding to all client OCSP requests

  • This may not scale well

Instead, have the certificate holder verify their own status

  • Status information is stored on the certificate holder’s server

OCSP status is “stapled” into the SSL/TLS handshake

  • Digitally signed by the CA

Getting Revocation Details to the Browser

OCSP (Online Certificate Status Protocol)

  • The browser can check certificate revocation

Message usually sent to an OCSP responder via HTTP

  • Easy to support over Internet links
  • More efficient than downloading a CRL

Not all browsers/apps support OCSP

  • Early Internet Explorer versions didn’t support OCSP
  • Some support OCSP, but don’t bother checking

Threat Actors

The entity responsible for an event that has an impact on the safety of another entity

  • Also called a malicious actor

Threat actor attributes

  • Describes characteristics of the attacker

Useful to categorize the motivation

  • Why is this attack happening?
  • Is this directed or random?

Attributes of Threat Actors

Internal/external

  • The attacker is insider the house
  • They are outside and trying to get in

Resources/funding

  • No money
  • Extensive funding

Level of sophistication/capability

  • Blindly runs scripts or automated vulnerability scans
  • Can write their own attack malware and scripts

Motivations of Threat Actors

What makes them tick?

  • There is a purpose to this attack

Motivation include

  • Data exfiltration
  • Espionage
  • Service disruption
  • Blackmail
  • Financial gain
  • Philosophical/political beliefs
  • Ethical
  • Revenge
  • Disruption/chaos
  • War

Nation States

External entity

  • Government and national security

Many possible motivations

  • Data exfiltration, philosophical, revenge, disruption, war

Constant attacks, massive resources

  • Commonly an Advanced Persistent Threat (APT)

Highest sophistication

  • Military control, utilities, financial control
  • United States and Israel destroyed 1000 nuclear centrifuges with the Stuxnet worm

Unskilled Attackers

Run pre-made scripts without any knowledge of what’s really happening

  • Anyone can do this

Motivated by the hunt

  • Disruption, data exfiltration, sometimes philosophical

Can be internal or external

  • But usually external

Not very sophisticated

  • Limited resources, if any

No formal funding

  • Looking for low-hanging fruit

Hacktivist

A hacker with a purpose

  • Motivated by philosophy, revenge, disruption, etc.

Often an external entity

  • Could potentially infiltrate to also be an insider threat

Can be remarkably sophisticated

  • Very specific hacks
  • DoS, website defacing, private documents release

Funding may be limited

  • Some organizations have fundraising options

Insider Threat

More than just passwords on sticky notes

  • Motivated by revenge, financial gain

Extensive resources

  • Using the organization’s resources against themselves

An internal entity

  • Eating away from the inside

Medium level of sophistication

  • The insider has institutional knowledge
  • Attacks can be directed at vulnerable systems
  • The insider knows what to hit

Organized Crime

Professional criminals

  • Motivated by money
  • Almost always an external entity

Very sophisticated

  • Best hacking money can buy

Crime that’s organized

  • One person hacks, one person manages the exploits, another person sells the data, another handles’ customer support

Lots of capital to fund hacking efforts

Shadow IT

Going rogue

  • Working around the internal IT organization
  • Builds their own infrastructure

Information Technology can put up roadblocks

  • Shadow IT is unencumbered
  • Use the cloud
  • Might also be able to innovate

Limited resources

  • Company budget

Medium sophistication

  • May not have IT training or knowledge

Common Threat Vectors

A method used by the attacker

  • Gain access or infect to the target
  • Also called “Attack Vectors”

A lot of work goes into finding vulnerabilities in these vectors

  • Some are more vulnerable than others

IT security professional spend their career watching these vectors

  • Protect existing vectors
  • Find new vectors

Message-based Vectors

One the biggest (and most successful) threat vectors

  • Everyone has at least one of these messaging systems

Email

  • Malicious links in an email
  • Link to malicious site

SMS (Short Message Service

  • Attacks in a text message

Phishing Attacks

  • People want to click links
  • Links in an email, links send via text or IM

Deliver the malware to the user

  • Attach it to the email
  • Scan all attachments, never launch untrusted links

Social engineering attacks

  • Invoice scams
  • Cryptocurrency scams

Image-based Vectors

Easy to identify a text-based threat

  • It’s more difficult to identify the threat in an image

Some image formats can be a threat

  • The SVG (Scalable Vector Graphic) format
  • Image is described in XML (Extensible Markup Language)

Significant security concerns

  • HTML injection
  • JavaScript attack code

Browsers must provide input validation

  • Avoid running malicious code

File-based Vectors

More than just executables

  • Malicious code can hide in many places

Adobe PDF

  • A file format containing other objects

ZIP/RAR files (or any compression type)

  • Contains many files

Microsoft Office

  • Documents with macros
  • Add-in files

Voice Call Vectors

Vishing

  • Phishing over the phone

Spam over IP

  • Large-scale phone calls

War dialing

  • It still happens

Call tampering

  • Disrupting voice calls

Removable Device Vectors

Get around the firewalls

  • The USB interface

Malicious software on USB flash drives

  • Infect air gapped networks
  • Industrial systems, high-security services

USB devices can act as keyboards

  • Hacker on a chip

Data exfiltration

  • Terabytes of data walk out the door
  • Zero bandwidth used

Vulnerable Software Vectors

Client-based

  • Infected executable
  • Known (or unknown) vulnerabilities
  • May require constant updates

Agentless

  • No installed executable
  • Compromised software on the server would affect all users
  • Client runs a new instance each time

Unsupported Systems Vectors

Patching is an important prevention tool

  • Ongoing security fixes

Unsupported systems aren’t patched

  • There may not even be an option

Outdated OSes

  • Eventually, even the manufacturer won’t help

A single system could be an entry

  • Keep your inventory and records current

Unsecure Network Vectors

The network connect everything

  • Ease of access for the attackers
  • View all (non-encrypted) data

Wireless

  • Outdated security protocols (WEP, WPA, WPA2)
  • Open or rogue wireless networks

Wired

  • Unsecure interfaces — No 802.1X

Bluetooth

  • Reconnaissance
  • Implementation vulnerabilities

Open Service Ports

Most network-based services connect over a TCP or UDP port

  • An “open” port

Every open port is an opportunity for the attacker

  • Application vulnerability or misconfiguration

Every application has their own open port

  • More services expand the attack surface

Firewall rules

  • Must allow traffic to an open port

Default Credentials

Most devices have default usernames and passwords

  • Change yours!

The right credentials provide full control

  • Administrator access

Very easy to find the defaults for your access point or router

Supply Chain Vectors

Tamper with the underlying infrastructure

  • Or manufacturing process

Managed service providers (MSPs)

  • Access many customer networks from one location

Gain access to a network using a vendor

  • 2013 Target credit card breach

Suppliers

  • Counterfeit networking equipment
  • Install backdoors, substandard performance and availability
  • 2020 — Fake Cisco Catalyst Switches

Phishing

Social engineering with a touch of spoofing

  • Often delivered by email, text, etc.
  • Very remarkable when well done

Don’t be fooled

  • Check the URL

Usually there’s something not quite right

  • Spelling, fonts graphics

Business Email Compromise

We trust email sources

  • The attackers take advantage of this trust

Spoofed email addresses

Financial fraud

  • Send emails with updated bank information
  • Modify wire transfer details

The recipient clicks the links

  • The attachments have malware

Tricks and Misdirection

How are they so successful?

  • Digital slight of hands
  • It fools the best of us

Typo squatting

Pretexting

  • Lying to get information
  • Attacker is a character in a situation they create
  • Hi, we are calling from Visa regarding an automated payment to your utility service

Phishing with different bait

Vishing (voice phishing) is done over the phone or voicemail

  • Call ID spoofing is common
  • Fake security checks or bank updates

Smishing (SMS phishing) is done by text message

  • Spoofing is a problem here as well
  • Forwards links or asks for personal information

Variations on a theme

  • The fake check scam, phone verification code scam, Boss/CEO scam, advance-fee scam
  • Some great summaries on https://reddit.com/r/Scams

Impersonation

A Pretext…

Before the attack, the trap is set

  • There is an actor and a story “Hello sir, my name is Wendy, and I’m from Microsoft Windows. This is an urgent check-up call for your computer as we have found several problems with it.”

Voice mail: “This is an enforcement action executed by the US Treasury, intending your serious attention.”

“Congratulations on your excellent payment history! You now qualify for 0% interest rates on all of your credit card accounts.”

Attackers pretend to be someone they are not

  • Halloween for the fraudsters

User some of those details from reconnaissance

  • You can trust me, I’m with your help desk

Attack the victim as someone higher in rank

  • Office of the Vice President for Scamming

Throw tons of technical details around

  • Catastrophic feedback due to the depolarization of the differential magnetometer

Be a buddy

  • How about those Cubs

Eliciting Information

Extracting information from the victim

  • The victim doesn’t even realize this is happening
  • Hacking the human

Often seen with vishing

  • Can be easier to get this information over the phone

These are well-documented psychological techniques

  • They cannot just ask, “So, what’s your password?”

Identify Fraud

Your identity can be used by others

  • Keep your personal information safe!

Credit card fraud

  • Open an account in your name, or use your credit card information

Bank Fraud

  • Attacker gains access to your account or opens a new account

Loan fraud

  • Your information is used for a loan or lease

Government benefits fraud

  • Attacker obtains benefits on your behalf

Protect against impersonation

Never volunteer information

  • My password is 12345

Don’t disclose personal details

  • The bad guys are tricky

Always verify before revealing info

  • Call back, verify through 3rd parties

Verification should be encouraged

  • Especially if your organization owns valuable information

Watering Hole Attack

Watering hole is a computer attack strategy in which an attacker guesses or observes which websites an organization’s users frequent, and then uses one or more of the websites to distribute malware.

What if your network was really secure?

  • You didn’t even plug in that USB key from the parking lot

The attackers can’t get in

  • Not responding to phishing emails
  • Not opening any email attachments

Have the mountain come to you

  • Go where the mountain hangs out
  • the watering hole
  • This requires a bit of research

Executing the Watering Hole Attack

Determine which websites the victim group uses

  • Educated guess — Local coffee or sandwich shop
  • Industry-related sites

Infect one of these third-party sites

  • Site vulnerability
  • Email attachments

Infect all visitors

  • But you are just looking for specific victims
  • Now you’re in!

Because that’s where the money is

January 2017

Polish Financial Supervision Authority, National Banking and Stock Commission of Mexico, State-owned bank in Uruguay

  • The watering hole was sufficiently poisoned

Visiting the site would download malicious JavaScript files

  • But only to IP addresses matching banks and other financial institutions

Did the attack work?

  • We still don’t know

Watching the Watering Hole

Defense-in-depth

  • Layered defense
  • It’s never one thing

Firewall and IPS

  • Stop the network traffic before things get bad

Antivirus/Anti-malware signature updates

  • The Polish Financial Supervision Authority attack code was recognized and stopped by generic signatures in Symantec’s antivirus software

Other Social Engineering Attacks

Misinformation/disinformation

Disseminate factually incorrect information

  • Create confusion and division

Influence campaigns

  • Sway public opinion on political and social issues

Nation-state actors

  • Divide, distract, and persuade

Advertising is an option

  • Buy a voice for your opinion

Enabled through Social media

  • Creating, sharing, liking, amplifying

The misinformation Process

Brand Impersonation

Pretend to be a well-known brand

  • Coca-cola, McDonald’s, Apple, etc.

Create tens of thousands of impersonated sites

  • Get into the Google index, click an ad, get a WhatsApp message

Visitors are presented with a pop-up

  • You won! Special offer! Download the video!

Malware infection is almost guaranteed

  • Display ads, site tracking, data exfiltration

Types of Vulnerabilities

Finding Malware

Malware runs in memory

  • Memory forensics can find the malicious code

Memory contains running processes

  • DLLs (Dynamic Link Libraries)
  • Threads
  • Buffers
  • Memory management functions
  • And much more

Malware is hidden somewhere

  • Malware runs in its own process
  • Malware injects itself into a legitimate process

Memory Injection

Add code into the memory of an existing process

  • Hide malware inside the process

Get access to the data in that process

  • And the same rights and permissions
  • Perform a privilege escalation

DLL Injection

Dynamic-Link Library

  • A Windows library containing code and data
  • Many applications can use this library

Attackers inject a path to a malicious DLL

  • Runs as part of the target process

One of the most popular memory injection methods

  • Relatively easy to implement

Buffer Overflows

Overwriting a buffer of memory

  • Spills over into other memory areas

Developers need to perform bounds checking

  • The attackers spend a lot of time looking for openings

Not a simple exploit

  • Takes time to avoid crashing things
  • Takes time to make it do what you want

A really useful buffer overflow is repeatable

  • Which means that a system can be compromised

Race Conditions

Race Condition

A programming conundrum

  • Sometimes, things happen at the same time
  • This can be bad if you’ve not planned for it

Time-of-check to time-of-use attack (TOCTOU)

  • Check the system
  • When do you use the results of your last check?
  • Something might happen between the check and the use

Race Condition Example

Race Conditions can cause big problems

January 2004 — Mars rover “Spirit”

  • Reboot when a problem is identified
  • Problem is with the file system, so reboot because of the file system problem
  • Reboot loop was the result

Pwn2Own Vancouver 2023 — Tesla Model 3

  • TOCTOU attack against the Tesla infotainment using Bluetooth
  • Elevated privileges to root
  • Earned $100,000 US prize, and they keep the Tesla

Malicious Updates

Software Updates

Always keep your operating system and applications updated

  • Updates often include bug fixes and security patches

This process has its own security concerns

  • Note every update is equally secure

Follow best practices

  • Always have a known-good backup
  • Install from trusted sources
  • Did I mention the backup?

Downloading and updating

Install updates from a downloaded file

  • Always consider your actions
  • Every installation could potentially be malicious

Confirm the source

  • A random pop-up during web browsing may not be legitimate

Visit the developer’s site directly

  • Don’t trust a random update button or random downloaded file

Many OSes will only allow signed apps

  • Don’t disable your security controls

Automatic Updates

The app updates itself

  • Often includes security checks/digital signatures

Relatively trustworthy

  • Comes directly from the developer

SolarWinds Orion supply chain attack

  • Reported in December 2025
  • Attackers gained access to the SolarWinds development system
  • Added their own malicious code to the updates
  • Gained access to hundreds of government agencies and companies

Operating System Vulnerabilities

Operating Systems

A foundational computing platform

  • Everyone has an OS
  • This makes the OS a very big target

Remarkably complex

  • Millions of lines of code
  • More code means more opportunities for a security issues

The vulnerabilities are already in there

  • We’ve just not found them yet

A month OS updates

A normal month of Windows updates

  • Patch Tuesday — 2nd Tuesday of each month
  • Other companies have similar schedules

May 9, 2023 — Nearly 50 security patches

  • 8 Elevation of Privilege Vulnerabilities
  • 4 Security Feature Bypass Vulnerabilities
  • 12 Remote Code Execution Vulnerabilities
  • 8 Information Disclosure Vulnerabilities
  • 5 Denial of Service Vulnerabilities
  • 1 Spoofing Vulnerability

Checkout Microsoft Security Center for latest patches and updates: https://msrc.microsoft.com/

Best Practices for OS Vulnerabilities

Always update

  • Monthly or on-demand updates
  • It’s a race between you and the attackers

May require testing before deployment

  • A patch might break something else

May require a reboot

  • Save all data

Have a fallback plan

  • Where’s that backup?

SQL Injection

Code Injection

Code Injection

  • Adding your own information into a data stream

Enabled because of bad programming

  • The application should properly handle input and output

So many data types

  • HTML, SQL, XML, LDAP

SQL Injection

SQL — Structured Query Language

  • The most common relational database management system language

SQL injection (SQLi)

  • Put your own SQL requests into an existing application
  • Your application shouldn’t allow this

Can often be executed in a web browser

  • Inject in a form or field

Building a SQL Injection

An example of website code:

"SELECT * FROM users WHERE name = '" + userName + "'";

How this looks to the SQL database

"SELECT * FROM users WHERE name = 'Professor'";

Add more information to the query (SQLi):

"SELECT * FROM users WHERE name = 'Professor' OR '1' = '1'";

This could be very bad

  • View all database information, delete database information, add users, denial of service, etc.

SQL Injection Demonstration

Source: https://owasp.org/www-project-webgoat/

Cross-site Scripting

XSS

XSS

  • Cascading Style Sheets (CSS) are something else entirely

Originally called cross-site because of browser security flaws

  • Information from one site could be shared with another

One of the most common web app vulnerabilities

  • Takes advantage of the trust a user has for a site
  • Complex and varied

XSS commonly uses JavaScript

  • Do you allow scripts? Me too.

Non-persistent (reflected) XSS Attack

Website allows scripts to run in user input

  • Search box is a common source

Attacker emails a link that takes advantage of this vulnerability

  • Runs a script that sends credentials/session IDs/Cookies to the attacker

Script embedded in the URL executes in the victim’s browser

  • As if it came from the server

Attacker uses credentials/session IDs/cookies to steal victim’s information without their knowledge

  • Very sneaky

Persistent (stored) XSS Attack

Attacker posts a message to a social media

  • Includes the malicious payload

It’s now “persistent”

  • Everyone gets the payload

No specific target

  • All viewers to the page

For social networking, this can spread quickly

  • Everyone who views the message can have it posted to their page
  • Where someone else can view it and propagate it further

Hacking a Subaru

June 2017, Aaron Guzman

  • Security Researcher

When authenticating with Subaru, users get a token

  • This token never expires (bad!)

A valid token allowed any service request

  • Even adding your email address to someone else’s account
  • Now you have full access to someone else’s car

Web front-end included an XSS vulnerability

  • A user clicks a malicious link, and you have their token

Protecting Against XSS

Be careful when clicking untrusted links

  • Never blindly click in your email inbox, Never.

Consider disabling JavaScript

  • Or control with an extension
  • This offers limited protection

Keep your browser and applications updated

  • Avoid the nasty browser vulnerabilities

Validate input

  • Don’t allow users to add their own scripts to an input field

Hardware Vulnerabilities

We are surrounded by hardware devices

  • Many don’t have an accessible OS

These devices are potential security issues

  • A perfect entry point for an attack

Everything is connecting to the network

  • Light bulbs, garage doors, refrigerators, door locks
  • IoT is everywhere

The security landscape has grown

  • Time to change your approach

Firmware

The software inside the hardware

  • The OS of the hardware device

Vendors are the only ones who can fix their hardware

  • Assuming they know about the problem
  • And care about fixing it

Trane Comfortlink II thermostats

  • Control the temperature from your phone
  • Trane notified of three vulnerabilities in April 2014
  • Two patched in April 2015, one in January 2016

End-of-life

End of life (EOL)

  • Manufacturer stops selling a product
  • May continue supporting the product
  • Important for security patches and updates

End of service life (EOSL)

  • Manufacturer stops selling a product
  • Support is no longer available for the product
  • No ongoing security patches or updates
  • May have a premium-cost support option

Technology EOSL is a significant concern

  • Security patches are part of normal operation

Legacy Platforms

Some devices remain installed for a long time

  • Perhaps too long

Legacy devices

  • Older OSes, applications, middleware

May be running end-of-life software

  • The risk need to be compared to the return

May require additional security protections

  • Additional firewall rules
  • IPS signatures for older OSes

Virtualization Vulnerabilities

Virtualization Security

Quite different from non-virtual machines

  • Can appear anywhere

Quantity of resources vary between VMs

  • CPU, memory, storage

Many similarities to physical machines

  • Complexity adds opportunity for the attackers

Virtualization vulnerabilities

  • Local privilege escalations
  • Command injection
  • Information disclosure

VM escape protection

The virtual machine self-contained

  • There’s no way out
  • Or is there?

Virtual machine escape

  • Break out of the VM and interact with the host OS or hardware

Once you escape the VM, you have great control

  • Control the host and control other guests VMs

This would be a huge exploit

  • Full control of the virtual world

Escaping the VM

March 2017 — Pwn2Own competition

  • Hacking contest
  • You pwn it, you own it — along with some cash

JavaScript engine bug in Microsoft Edge

  • Code execution in the Edge sandbox

Windows 10 kernel bug

  • Compromise the guest OS

Hardware simulation bug in VMware

  • Escape to the host

Patches were released soon afterward

Resource Reuse

The hypervisor manages the relationship between physical and virtual resources

  • Available RAM, storage space, CPU availability, etc.

These resources can be reused between VMs

  • Hypervisor host with 4 GB of RAM
  • Supports three VMs with 2 GB of RAM each
  • RAM is allocated and shared between VMs

Data can inadvertently be shared between VMs

  • Time to update the memory management features
  • Security patches can mitigate the risk

Cloud Specific Vulnerabilities

Security in the Cloud

Cloud adoption has been nearly universal

  • It’s difficult to find a company NOT using the cloud

We have put sensitive data in the cloud

  • The attackers would like this data

We are not putting in the right protections

  • 76% of organizations aren’t using MFA for management of console users

Simple best-practices aren’t being used

  • 63% of code in production is unpatched
  • Vulnerabilities rated high or critical (Common Vulnerability Scoring System - CVSS >= 7.0)

Attack the service

Denial of Service (DoS)

  • A fundamental attack type

Authentication bypass

  • Take advantage of weak or faulty authentication

Directory transversal

  • Faulty contiguration put data at risk

Remote code execution

  • Take advantage of unpatched systems

Attack the application

Web application attacks have increased

  • Log4j and Spring Cloud Function
  • Easy to exploit, rewards are extensive

Cross-site scripting

  • Take advantage of poor input validation

Out of bound write

  • Write to unauthorized memory areas
  • Data corruption, crashing, or code execution

SQL injection

  • Get direct access to a database

Supply Chain Vulnerabilities

Supply Chain Risk

The chain contains many moving parts

  • Raw materials, suppliers, manufacturers, distributors, customers, consumers

Attackers can infect any step along the way

  • Infect different parts of the chain without suspicion
  • People trust their suppliers

One exploit can infect the entire chain

  • There’s a lot at stake

Service Providers

You can control your own security posture

  • You can’t always control a service provider

Service providers often have access to internal services

  • An opportunity for the attacker

Many types of providers

  • Network, utility, office cleaning, payroll/accounting, cloud services, system administration, etc.

Consider ongoing security audits of all providers

  • Should be included with the contract

Target Service Provider Attack

Target Corp. breach — November 2013

  • 40 million credit cards stolen

Heating and AC firm in Pennsylvania war infected

  • Malware delivered in an email
  • VPN credentials for HVAC techs were stolen

HVAC vendor was the supplier

  • Attackers used a wide-open Target network to infect every cash register at 1800 stores

Hardware Providers

Can you trust your new server/router/switch/firewall/software?

  • Supply chain cybersecurity

Use a small supplier base

  • Tighter control of vendors

Strict controls over policies and procedures

  • Ensure proper security is in place

Security should be part of the overall design

  • There’s a limit to trust

Cisco or not Cisco?

All network traffic flows

  • A perfect visibility and pivot point

July 2022 — DHS arrests reseller CEO

  • Sold more than $1 billion of counterfeit Cisco products
  • Created over 30 different companies
  • Had been selling these since 2013

Knock-offs made in China

  • Sold as authentic Cisco products
  • Until they started breaking and catching on fire

Software providers

Trust is a foundation of security

  • Every software installation questions our trust

Initial installation

  • Digital signature should be confirmed during installation

Updates and patches

  • Some software updates are automatic
  • How secure are the updates?

Open source is not immune

  • Compromising the source code itself

SolarWinds Supply Chain Attack

SolarWinds Orion

  • Used by 18000 customers
  • Including Fortune 500 and US Federal Government

Software updates compromised in March and June 2020

  • Upgrades to existing installations
  • Not detected until December 2020

Additional breaches took advantage of the exploit

  • Microsoft, Cisco, Intel, Deloitte
  • Pentagon, Homeland Security, State Department, Department of Energy, National Nuclear Security Administration, Treasury

Misconfiguration Vulnerabilities

Open Permissions

Very easy to leave a door open

  • The hackers will always find it

Increasingly common with cloud storage

  • Statistical chance of finding an open permission

June 2017–14 million Verizon records exposed

  • Third-party left an Amazon S3 data repository open
  • Researcher found the data before anyone else

Many, Many other examples

  • Secure your permissions!

Unsecured Admin Accounts

The Linux root account

  • The Windows Administrator or superuser account

Can be misconfiguration

  • Intentionally configuring an easy-to-hack password
  • 123456, ninja, football

Disable direct login to the root account

  • Use the su or sudo option

Protect accounts with root or administrator access

  • There should not be a lot of these

Insecure Protocols

Some protocols aren’t encrypted

  • All traffic sent in the clear
  • Telnet, FTP, SMTP, IMAP

Verify with a packet capture

  • View everything sent over the network

Use the encrypted versions

  • SSH, SFTP, IMAPS

Default Settings

Every application and network device has a default login

  • Not all of these are ever changed

Mirai Botnet

  • Take advantage of default configurations
  • Takes over Internet of Things (IoT) devices
  • 60+ default configurations
  • Camera, routers, doorbells, garage door openers, etc.

Mirai released as open-source software

  • There’s a lot more where that came from

Open Ports and Services

Services will open ports

  • It’s important to manage access

Often managed with a firewall

  • Manage traffic flows
  • Allow or deny based on port number or application

Firewall rulesets can be complex

  • It’s easy to make mistake

Always test and audit

  • Double and triple check

Mobile Device Vulnerabilities

Mobile Device Security

Challenging to secure

  • Often need additional security policies and systems

Relatively small

  • Can be almost invisible

Almost always in motion

  • You never know where it might be

Packed with sensitive data

  • Personal and organizational

Constantly connected to the Internet

  • Nothing bad happens on the Internet

Jailbreaking/Rooting

Mobile devices are purpose built systems

  • You don’t have access to the OS

Gaining access

  • Android — Rooting
  • Apple iOS — Jailbreaking

Install custom firmware

  • Replaces the existing OS

Uncontrolled access

  • Circumvent security features
  • The MDM (Mobile Device Management) becomes relatively useless

Sideloading

Malicious apps can be a significant security concern

  • One Trojan horse can create a data breach

Manage installation sources

  • The global or local app store

Sideloading circumvents security

  • Apps can be installed manually without using an app store
  • Again, your MDM becomes relatively useless

Zero-day Vulnerabilities

Vulnerabilities

Many applications have vulnerabilities

  • We have just not found them yet

Someone is working hard to find the next big vulnerability

  • The good guys share these with developers

Attackers keep these yet-to-be-discovered holes to themselves

  • They want to use these vulnerabilities for personal gain

Zero-day Attacks

Attackers search for unknown vulnerabilities

  • They create exploits against these vulnerabilities

The vendor has no idea the vulnerability exists

  • They don’t have a fix for an unknown problem

Zero-day attacks

  • An attack without a patch or method of mitigation
  • A race to exploit the vulnerability or create a patch
  • Difficult to defend against the unknown

Common Vulnerabilities and Exposure (CVE)

Zero-day Attacks in the wild

April 2023 — Chrome zero-day

  • Memory corruption, sandbox escape

May 2023 — Microsoft zero-day patch

  • Secure boot zero-day vulnerability
  • Attackers can run UEFI-level self-signed code

May 2023 — Apple iOS and iPadOS zero-days

  • Three zero-day attacks
  • Sandbox escape, disclosure of sensitive information, arbitrary code execution
  • Active exploitation

An Overview of Malware

Malware

Malicious Software

  • These can be very bad

Gather information

  • Keystrokes

Show you advertising

  • Big money

Viruses and worms

  • Encrypt your data
  • Ruin your day

Malware Types and Methods

  • Viruses
  • Worms
  • Ransomware
  • Trojan Horse
  • Rootkit
  • Keylogger
  • Spyware
  • Bloatware
  • Logic bomb

How You Get Malware

These all work together

  • A worm takes advantage of a vulnerability
  • Installs malware that includes a remote access backdoor
  • Additional malware may be installed later

Your computer must run a program

  • Email link — Don’t click links
  • Web page pop-up
  • Drive-by download
  • Worm

Your computer is vulnerable

  • OS — Keep your OS updated
  • Applications — Check with the publisher

Your Data is Valuable

Personal Database

  • Family pictures and videos
  • Important documents

Organization data

  • Planning documents
  • Employee personally identifiable information (PII)
  • Financial records
  • Company private data

How much is it worth?

  • There’s a number

Ransomware

A particularly nasty malware

  • Your data is unavailable until you provide cash

Malware encrypts your data files

  • Pictures, documents, music, movies, etc.
  • Your OS remains available

You must pay the attackers to obtain the decryption key

  • Untraceable payment system
  • An unfortunate use of public-key cryptography

Protecting against Ransomware

Always have a backup

  • An offline backup, ideally

Keep your OS up to date

  • Patch those vulnerabilities

Keep your applications up-to-date

  • Security patches

Keep your anti-virus/anti-malware signatures up-to-date

  • New attacks every hour

Keep everything up-to-date

Viruses and Worms

Virus

Malware that can reproduce itself

  • It needs you to execute a program

Reproduces through file systems or the network

  • Just running a program can spread a virus

May or may not cause problems

  • Some viruses are invisible, some are annoying

Anti-virus is very common

  • Thousands of new viruses every week
  • Is your signature file updated?

Virus Types

Program viruses

  • It’s part of the application

Boot sector viruses

  • Who need an OS?

Script viruses

  • OS and browser-based

Macro viruses

  • Common in Microsoft Office

Fileless Virus

A stealth attack

  • Does a good job of avoiding anti-virus detection

Operates in memory

  • But never installed in a file or application

Worms

Malware that self-replicates

  • Doesn’t need you to do anything
  • Uses the network as a transmission medium
  • Self-propagates and spreads quickly

Worms are pretty bad things

  • Can take over many systems very quickly

Firewalls and IDS/IPS can mitigate many worms infestations

  • Doesn’t help much once the worm gets inside

Wannacry Worm

Spyware and Bloatware

Spyware

Malware that spies on you

  • Advertising, identity theft, affiliate fraud

Can trick you into installing

  • Peer to peer, fake security software

Browser monitoring

  • Capture surfing habits

Keyloggers

  • Capture every keystroke
  • Send your keystrokes back to the attacker

Protecting Against Spyware

Maintain your anti-virus/anti-malware

  • Always have the latest signatures

Always know what you’re installing

  • And watch your options during the installation

Where’s your backup?

  • You might need it someday
  • Cleaning adware isn’t easy

Run some scans

  • Malwarebytes

Bloatware

A new computer or phone

  • Includes the OS and important apps

Also includes applications you didn’t expect

  • And often don’t need

Apps are installed by the manufacturer

  • You didn’t get a choice

Uses valuable storage space

  • May also add to overall resource usage
  • The system may be slower than expected
  • Could open your system to exploits

Removing Bloatware

Identify and remove

  • This may be easier said than done

Use the built-in uninstaller

  • Works for most applications

Some apps have their own uninstaller

  • That’s how bad they are

Third-party uninstallers and cleaners

  • Probably not the first option
  • Always have a backup

Other Malware Types

Keyloggers

Your keystrokes contain valuable information

  • Website login URLs, passwords, email messages

Save all of your input

  • Send it to the bad guys

Circumvent encryption protections

  • Your keystrokes are in the clear

Other data logging

  • Clipboard logging, screen logging, instant messaging, search engine queries

Keylogger in action

Logic Bomb

Waits for a predefined event

  • Often left by someone with grudge

Time bomb

  • Time or date

User event

  • Logic bomb

Difficult to identify

  • Difficult to recover if it goes off

Real-world Logic Bomb

March 19, 2013, South Korea

  • Email wit malicious attachment sent to South Korean organizations
  • Posed as a bank email
  • Trojan installs a malware

March 20, 2013, 2 PM local time

  • Malware time-based logic bomb activates
  • Storage and master boot record (MBR) deleted, system reboots
Boot device not found.
Please install an Operating System on your hard disk.

Preventing a Logic Bomb

Difficult to recognize

  • Each is unique
  • No predefined signatures

Process and procedures

  • Formal change control

Electronic monitoring

  • Alerts on changes
  • Host-based intrusion detection, Tripwire, etc.

Constant auditing

  • An administrator can circumvent existing systems

Rootkits

Originally a Unix technique

  • The root in rootkit

Modifies core system files

  • Part of the kernel

Can be invisible to the OS

  • Won’t see it in the Task Manager

Also, invisible to traditional anti-virus utilities

  • If you cannot see it, you cannot stop it

Finding and Removing Rootkits

Look for the unusual

  • Anti-malware scans

Use a remover specific the rootkit

  • Usually built after the rootkit is discovered

Secure boot with UEFI

  • Security in the BIOS

Physical Attacks

Physical Attacks

Old school security

  • No keyboard, no mouse, no command line

Many ways to circumvent digital security

  • A physical approach must be considered

If you have physical access to a server, you have full control

  • An OS can’t stop an in-person attack

Door locks keep out the honest people

  • There’s always a way in

Brute Force

The physical version

  • No password required

Push through the obstruction

  • Brawn beats brains

Check your physical security

  • Check the windows
  • Try the doors

Attackers will try everything

  • You should be prepared for anything

RFID Cloning

RFID is everywhere

  • Access badges
  • Key fobs

Duplicators are on Amazon

  • Less than $50

The duplication process takes seconds

  • Read one card
  • Copy to another

This is why we have MFA

  • Use another factor with the card

Environmental Attacks

Attack everything supporting the technology

  • The operating environment

Power monitoring

  • An obvious attack

HVAC (Heating, Ventilation, and Air conditioning) and humidity controls

  • Large data centers must be properly cooled

Fire suppression

  • Watch for smoke or fire

Denial of Service

Denial of Service

Force a service to fail

  • Overload the service

Take advantage of a design failure or vulnerability

  • Keep your system patched!

Cause a system to be unavailable

  • Competitive advantage

Create a smokescreen for some other exploit

  • Precursor to a DNS spoofing attack

Doesn’t have to be complicated

  • Turn off the power

A “Friendly” DoS

Unintentional DoSing

  • It’s not always an né’er-do-well

Network DoS

  • Layer 2 loop without STP

Bandwidth DoS

  • Downloading multi-gigabyte Linux distribution over a DSL line

The water line breaks

  • Get a good shop vacuum

Distributed Denial of Service (DDoS)

Launch an army of computers to bring down a service

  • Use all the bandwidth or resources — traffic spike

This is why the attackers have botnets

  • Thousands or millions of computers at your command
  • At its peak, Zeus botnet infected over 3.6 million PCs
  • Coordinated attack

Asymmetric threat

  • The attacker may have fewer resources than the victim

DDoS Reflection and Amplification

Turn your small attack into a big attack

  • Often reflected off another device or service

An increasingly common network DDoS technique

  • Turn Internet services against the victim

Uses protocols with little (if any) authentication or checks

  • NTP, DNS, ICMP
  • A common example of protocol abuse

DNS Attacks

DNS Poisoning

Modify the DNS server

  • Requires some crafty hacking

Modify the client host file

  • The host file takes precedent over DNS queries

Send a fake response to a valid DNS request

  • Requires a redirection of the original request or the resulting response
  • Real-time redirection
  • This is an on-path attack

DNS Spoofing/Poisoning in Action

Domain Hijacking

Get access to the domain registration, and you have control where the traffic flows

  • You don’t need to touch the actual servers
  • Determines the DNS names and DNS IP addresses

Many ways to get into the account

  • Brute-force
  • Social engineer the password
  • Gain access to the email address that manages the account
  • The usual things

Saturday, October 22, 2016, 1 PM

  • Domain name registrations of 36 domains were changes
  • Brazilian bank
  • Desktop domains, mobile domains, and more

Under hacker control for 6 hours

  • The attackers became the bank

5 million customers, $27 billion in assets

  • Results of the hack have not been publicly released

URL Hijacking

Make money from your mistakes

  • There’s a lot of advertising on the Internet

Sell the badly spelled domain to the actual owner

  • Sell a mistake

Redirect to a competitor

  • Not as common, legal issues

Phishing site

  • Looks like the real site, please log in

Infect with a drive-by download

  • You’ve got malware!

Types of URL Hijacking

Typosquatting/brandjacking

  • Take advantage of poor spelling

Outright misspelling

  • professormesser.com vs. professormessor.com

A typing error

  • professormeser.com

A different phrase

  • professormessers.com

Different top-level domain

  • professormesser.org

Wireless Attacks

It started as a normal day

Surfing along on your wireless network

  • And then you’re not

And then it happens again

  • and again

You may not be able to stop it

  • There’s (almost) nothing you can do
  • Time to get a long patch cable

Wireless deauthentication

  • A significant wireless denial of service (DoS) attack

802.11 management frames

802.11 wireless includes a number of management features

  • Frames that make everything work
  • You never see them

Important for the operation of 802.11 wireless

  • How to find access points, manage QoS, associate/disassociate with an access point, etc.

Original wireless standards didn’t add protection for management frames

  • Sent in the clear, no authentication or validation

Protecting against deauth attacks

IEEE has already addressed the problem

  • Updates included with 802.11ac

Some important management frames are encrypted

  • Disassociate, deauthenticate, channel switch announcement, etc.

Not everything is encrypted

  • Beacons, probes, authentication, association

Radio Frequency (RF) Jamming

Denial of service

  • Prevent wireless communication

Transmit interfering wireless signals

  • Decrease the signal-to-noise ratio at the receiving device
  • The receiving device can’t hear the good signal

Sometimes it’s not intentional

  • Interference, not jamming
  • Microwave oven, fluorescent lights

Jamming is intentional

  • Someone wants your network to not work

Wireless Jamming

Many types

  • Constant, random bits/Constant, legitimate frames
  • Data sent at random times — random data and legitimate frames
  • Reactive jamming — only when someone else tries to communicate

Needs to be somewhere close

  • Difficult to be effective from a distance

Time to go fox hunting

  • You’ll need the right equipment to hunt down the jam
  • Directional antenna, attenuator

On-path Attacks

On-path Network Attack

How can an attacker watch without you knowing?

  • Formerly known as man-in-the-middle

Redirects your traffic

  • Then passes it on to the destination
  • You never know your traffic was redirected

ARP poisoning

  • On-path attack on the local IP subnet
  • ARP has no security

ARP Poisoning (Spoofing)

On-path Browser Attack

What if the middleman was on the same computer as the victim?

  • Malware/Trojan does all the proxy work
  • Formerly known as man-in-the-browser

Huge advantages for the attackers

  • Relatively easy to proxy encrypted traffic
  • Everything looks normal to the victim

The malware in your browser waits for you to log in to your bank

  • And cleans you out

Replay Attacks

Replay Attacks

Useful information is transmitted over the network

  • A crafty hacker will take advantage of this

Need access to the raw network data

  • Network tap, ARP poisoning
  • Malware on the victim computer

The gathered information may help the attacker

  • Replay the data to appear as someone else

This is not an on-path attack

  • The actual replay doesn’t require the original workstation

Pass the Hash

Avoid this type of replay attack with a salt or encryption

  • Use a session ID with the password hash to create a unique authentication hash each time

Cookies

  • Information stored on your computer by the browser

Used for tracking, personalization, session management

  • Not executable, not generally a security risk
    • Unless someone gets access to them

Could be considered be a privacy risk

  • Lots of personal data in there

Session IDs are often stored in the cookie

  • Maintains sessions across multiple browser sessions

Session Hijacking (Sidejacking)

Header Manipulation

Information gathering

  • Wireshark, Kismet

Exploits

  • Cross-site scripting

Modify header

  • Tamper, Firesheep, Scapy

Modify cookie

  • Cookies Manager+ (Firefox add-on)

Prevent Session Hijacking

Encrypt end-to-end

  • They can’t capture your session ID if they can’t see it
  • Additional load on the web server (HTTPS)
  • Firefox extension: HTTPS Everywhere, Force TLS
  • Many sites are now HTTPS-only

Encrypt end-to-somewhere

  • At least avoid capture over a local wireless network
  • Still in-the-clear for part of the journey
  • Personal VPN
Info

Firefox and Chromium based browser now by-default support strict HTTPS configuration policy, you don’t need a 3rd-party extension

Malicious Code

Exploiting a Vulnerability

An attacker can use many techniques

  • Social engineering
  • Default credentials
  • Misconfiguration

These don’t require technical skills

  • The door is already unlocked

There are still ways to get into a well-secured system

  • Exploit with malicious code
  • Knock the pins out of a door hinge

Malicious Code

The attackers use any opportunity

  • The types of malicious code are varied

Many forms

  • Executables, scripts, macro viruses, worms, Trojan horses, etc.

Protection comes from different sources

  • Anti-malware
  • Firewall
  • Continuous updates and patches
  • Secure computing habits

Malicious Code Examples

WannaCry ransomware

  • Executable exploited a vulnerability in Windows SMBv1
  • Arbitrary code execution

British Airways cross-site scripting

  • 22 lines of malicious JavaScript code placed on checkout pages
  • Information stolen from 380,000 victims

Estonian Central Health Database

  • SQL injection
  • Breached all healthcare information for an entire country

Application Attacks

Application Attacks

Injection Attacks

Code injection

  • Adding your own information into a data stream

Enabled because of bad programming

  • The application should properly handle input and output

So many injectable data types

  • HTML, SQL, XML, LDAP, etc.

Buffer Overflows

Overwriting a buffer of memory

  • Spills over into other memory area

Developers need to perform bounds checking

  • The attackers spend a lot of time looking for openings

Not a simple exploit

  • Takes time to avoid crashing things
  • Take time to make it do what you want

A really useful buffer overflow is repeatable

  • Which means that a system can be compromised

Replay attack

Useful information is transmitted over the network

  • A crafty hacker will take advantage of this

Need to access to the raw network data

  • Network tap, ARP poisoning.
  • Malware on the victim

The gathered information may help the attacker

  • Replay the data to appear as someone else

This is not an on-path attack

  • The actual replay doesn’t require the original workstation

Privilege Escalation

Gain higher-level access to a system

  • Exploit a vulnerability
  • Might be a bug or design flaw

Higher-level access means more capabilities

  • This commonly is the highest level access
  • This is obviously a concern

These are high-priority vulnerability patches

  • You want to get these holes closed very quickly

Horizontal privilege escalation

  • User A can access user B resources

Mitigating Privilege Escalation

Patch quickly

  • Fix the vulnerability

Updates anti-virus/anti-malware software

  • Block known vulnerabilities

Data Execution Prevention

  • Only data in executable areas can run

Address space layout randomization

  • Prevent a buffer overrun at a known memory address

Elevation of Privilege Vulnerability

CVE-2023-293366

  • Win32k Elevation of privilege vulnerability

Win32k Kernel Driver

  • Server 2008, 2008 R2, 2012, 2012 R2, 2016
  • Windows 10

Attacker would gain SYSTEM privileges

  • The highest level access

Cross-site Request

Cross-site requests are common and legitimate

  • You visit professormesser.com
  • Your browser loads text from the professormesser.com server
  • It loads a video from YouTube
  • And pictures from Instagram

HTML on professormesser.com directs requests from your browser

  • This is normal and expected
  • Most of these are unauthenticated requests

The Client and the Server

Website pages consist of client-side code and server-side code

  • Many moving parts

Client-side

  • Renders the page on the screen
  • HTML, JavaScript

Server-side

  • Performs requests from the client
  • HTML, PHP
  • Transfer money from one account to another
  • Post a video on YouTube

Cross-site Request Forgery

One-click attack, session riding

  • XSRF, CSRF (sea surf)

Takes advantage of the trust that a web application has for the user

  • The website trusts your browser
  • Requests are made without your consent or your knowledge
  • Attacker posts a Facebook status on your account

Significant web application development oversight

  • The application should have anti-forgery techniques added
  • Usually a cryptographic token to prevent a forgery

Directory Transversal

Directory transversal/path transversal

  • Read files from a web server that are outside the website’s file directory
  • Users shouldn’t be able to browse the Windows Folder

Web server software vulnerability

  • Won’t stop users from browsing past the web server root

Web application code vulnerability

  • Take advantage of badly written code

Cryptographic Attacks

Cryptographic Attacks

You’ve encrypted data and sent it to another person

  • Is it really secure?
  • How do you know?

The attacker doesn’t have the combination (the key)

  • So they break the safe (the cryptography)

Finding ways to undo the security

  • There are many potential cryptographic shortcomings
  • The problem is often the implementation

Birthday Attack

In a classroom of 23 students, what is the chance of two students sharing a birthday?

  • About 50%
  • For a class of 30, the chance is about 70%

In the digital word, this is a hash collision

  • A hash collision is the same hash value for two different plaintexts
  • Find a collision through brute force

The attacker will generate multiple versions of plaintext to match the hashes

  • Protect yourself with a large hash output size

Collisions

Hash digests are supposed to be unique

  • Different input data should not create the same hash

MD5 hash

  • Message Digest Algorithm 5
  • First published in April 1996

December 2008: Researchers created CA certificate that appeared legitimate when MD5 is checked

  • Built other certificates that appeared to be legit and issued by RapidSSL

Downgrade Attack

Instead of using perfectly good encryption, use something that’s not so great

  • Force the systems to downgrade their security

SSL stripping

  • Combines an on-path attack with a downgrade attack
  • Difficult to implement, but big returns for the attacker
  • Attacker must sit in the middle of the conversation
  • Victims browser page isn’t encrypted
  • Strips the S away from HTTPS

Plaintext/Unencrypted Passwords

Some applications store passwords “in the clear”

  • No encryption. You can read the stored password
  • This is rare, thankfully.

Do not store passwords as plaintexts

  • Anyone with access to the password file or database has every credential

What to do if your application saves passwords as plaintext

  • Get a better application

Hashing a password

Hashes represent data as a fixed-length string of text

  • A message digest, or “fingerprint”

Will not have a collision (hopefully)

  • Different inputs will not have the same hash

One-way trip

  • Impossible to recover the original message from the digest
  • A common way to store passwords

A Hash Example

SHA-256 hash

  • Used in many applications

The Password File

Different across OSes and applications

  • Different hash algorithms

Spraying Attack

Try to log in with an incorrect password

  • Eventually you’ll be locked out

There are some common passwords

Attack an account with the top three (or more) passwords

  • If they don’t work, move to the next account
  • No lockouts, no alarms, no alerts

Brute-force

Try every possible password combination until the hash is matched

This might take some time

  • A strong hashing algorithm slows things down

Brute-force attacks — Online

  • Keep trying the login process
  • Very slow
  • Most accounts will lock out after a number of failed attempts

Brute-force the hash — Offline

  • Obtain the list of users and hashes
  • Calculate a password hash, compare it to a stored hash
  • Large computational resource requirement

Indicators of Compromise

Indicators of Compromise (IOC)

An event that indicates an intrusion

  • Confidence is high
  • He’s calling from inside the house

Indicators

  • Unusual amount of network activity
  • Change to file hash values
  • Irregular international traffic
  • Changes to DNS data
  • Uncommon login patterns
  • Spikes of read requests to certain files

Account Lockout

Credentials are not working

  • It wasn’t you this time

Exceeded login attempts

  • Account is automatically locked

Account was administratively disabled

  • This would be a larger concern

This may be part of a larger plan

  • Attacker locks account
  • Calls support line to reset the password

Concurrent Session Usage

It’s challenging to be two places at one time

  • Laws of Physics

Multiple account logins from multiple locations

  • Interactive access from a single user
  • You don’t have a clone

This can be difficult to track down

  • Multiple devices and desktops
  • Automated processes

Blocked Content

An attacker wants to stay as long as possible

  • Your system has been unlocked
  • Keep the doors and windows open

There’s probably a security patch available

  • Time to play keep-away

Blocked content

  • Auto-update connections
  • Links to security patches
  • Third-party anti-malware sites
  • Removal tools

Impossible Travel

Authentication logs can be telling

  • Logon and logoff

Login from Omaha, Nebraska, United States

  • The company headquarters

Three minutes later, a login from Melbourne, Victoria, Australia

  • Alarm bells should be ringing

This should be easy to identify

  • Log analysis and automation

Resource Consumption

Every attacker’s action has an equal and opposite reaction

  • Watch carefully for significant changes

File transfers use bandwidth

  • An unusual spike at 3 AM

Firewall logs show the outgoing transfer

  • IP addresses, timeframes

Often the first real notification of an issue

  • The attacker may have been here for months

Resource Inaccessibility

The server is down

  • Not responding

Network disruption

  • A cover for the actual exploit

Server outage

  • Result of an exploit gone wrong

Encrypted data

  • A potential ransomware attack begins

Brute force attack

  • Locks account access

Out-of-Cycle Logging

Out-of-Cycle

  • Occurs at an unexpected time

OS patch logs

  • Occurring outside the normal patch day
  • Keep that exploited system safe from other attackers!

Firewall log activity

  • Timestamps of every traffic flow
  • Protocols and applications used

Missing logs

Log information is evidence

  • Attackers will try to cover their tracks by removing logs

Information is everywhere

  • Authentication logs
  • File access logs
  • Firewall logs
  • Proxy logs
  • Server logs

The logs may be incriminating

  • Missing logs are certainly suspicious
  • Logs should be secured and monitored

Published/Documented

The entire attack and data exfiltration may go unnoticed

  • It happens quite often

Company data may be published online

  • The attackers post a portion or all data
  • This may be in conjunction with ransomware

Raw data may be released without context

  • Researchers will try to find the source

Segmentation and Acess Control

Segmenting the Network

Physical, logical, or virtual segmentation

  • Devices, VLANs, virtual networks

Performance

  • High-bandwidth applications

Security

  • Users should not talk directly to database servers
  • The only applications in the core are SQL and SSH

Compliance

  • Mandated segmentation (PCI compliance)
  • Makes change control much easier

Access Control Lists (ACLs)

Allow or disallow traffic

  • Groupings of categories
  • Source IP, Destination IP, port number, time of day, application, etc.

Restrict access to network devices

  • Limit by IP address, or other identifier
  • Prevent regular user/non-admin access

Be careful when configuring these

  • You can accidentally lock yourself out

List the permissions

  • Bob can read files
  • Fred can access the network
  • James can access network 192.168.1.0/24 using TCP ports 80, 443, 8088

Many OSes use ACLs to provide access to files

  • A trustee and the access rights allowed

Application Allow List/Deny List

Any application can be dangerous

  • Vulnerabilities, Trojan Horses, malware

Security policy can control app execution

  • Allow list, deny/block list

Allow list

  • Nothing runs unless it’s approved
  • Very restrictive

Deny list

  • Nothing on the “bad list” can be executed
  • Anti-virus, anti-malware

Examples of Allow and Deny Lists

Decisions are made in the OS

  • Often built-in to the OS management

Application hash

  • Only allows applications with this unique identifier

Certificate

  • Allow digitally signed apps from certain publishers

Path

  • Only run applications in these folders

Network Zone

  • The apps can only run from this network zone

Mitigation Techniques

Mitigation Techniques

Patching

Incredibly important

  • System stability, security fixes

Monthly updates

  • Incremental (and important)

Third-party updates

  • Application developers, device drivers

Auto-update

  • Not always the best option

Emergency out-of-band updates

Encryption

Prevent access to application data files

  • File system encryption

File level encryption

  • Windows EFS

Full disk encryption (FDE)

  • Encrypt everything on the drive
  • BitLocker, FileVault, etc.

Application data encryption

  • Managed by the app
  • Stored data is protected

Monitoring

Aggregate information from devices

  • Built-in sensors, separate devices
  • Integrated into servers, switches, routers, firewalls, etc.

Sensors

  • Intrusion prevention systems, firewall logs, authentication logs, web server access logs, database transaction logs, email logs

Collectors

  • Proprietary consoles (IPS, Firewall), SIEM consoles, syslog servers
  • Many SIEMs include a correlation engine to compare diverse sensor data

Least Privilege

Rights and permissions should be set to the base minimum

  • You only get exactly what’s needed to complete your objective

All user accounts must be limited

  • Applications should run with minimal privileges

Don’t allow users to run with administrative privileges

  • Limit the scope of malicious behavior

Configuring Enforcement

Perform a posture assessment

  • Each time a device connects

Extensive check

  • OS patch version
  • EDR (Endpoint Detection and Response) version
  • Status of firewall and EDR
  • Certificate status

Systems out of compliance are quarantined

  • Private VLAN with limited access
  • Recheck after making corrections

Decommissioning

Should be a formal policy

  • Don’t throw your data into the trash
  • Someone will find this later

Mostly associated with storage devices

  • Hard drive
  • SSD
  • USB drives

Many options for physical devices

  • Recycle the device for use in another system
  • Destroy the device

Hardening Techniques

System Hardening

Many and varied

  • Windows, Linux, iOS, Android, etc.

Updates

  • OS updates/service packs, security patches

User accounts

  • Minimum password lengths and complexity
  • Account Limitations

Network access and security

  • Limit network access

Monitor and secure

  • Anti-virus, anti-malware

Encryption

Prevent access to application data files

  • File system encryption
  • Windows Encrypting Files System (EFS)

Full disk encryption (FDE)

  • Encrypt everything on the drive
  • Windows BitLocker, macOS FileVault, etc.

Encrypt all network communication

  • Virtual Private Network (VPN)
  • Application encryption

The Endpoint

The user’s access

  • Applications and data

Stop the attackers

  • Inbound attacks
  • Outbound attacks

Many platforms

  • Mobile, Desktop

Protection is multi-faceted

  • Defense in depth

Endpoint Detection and Response (EDR)

A different method of threat detection

  • Scale to meet the increasing number of threats

Detect a threat

  • Signatures aren’t the only detection tool
  • Behavior analysis, machine learning, process monitoring
  • Lightweight agent on the endpoint

Investigate the threat

  • Root cause analysis

Respond to the threat

  • Isolate the system, quarantine the threat, rollback to a previous config
  • API driven, no user or technician intervention required

Host-based Firewall

Software based firewall

  • Personal firewall, runs on every endpoint

Allow or disallow incoming or outgoing application traffic

  • Control by application process
  • View all data

Identify and block unknown processes

  • Stop malware before it can start

Finding Intrusions

Host based Intrusion Prevention System (IPS)

  • Recognize and block known attacks
  • Secure OS and application configs, validate incoming service requests
  • Often built into endpoint protection software

HIPS identification

  • Signature, heuristics, behavioral
  • Buffer overflows, registry updates, writing files to the Windows folder
  • Access to non-encrypted data

Open Ports and Services

Every open port is a possible entry point

  • Close everything except required ports

Control access with a firewall

  • NGFW would be ideal

Unused or unknown services

  • Installed with the OS or from other applications

Applications with broad port ranges

  • Open port 0 through 65,535

Use nmap or similar port scanner to verify

  • Ongoing monitoring is important

Default Password Changes

Every network device has a management interface

  • Critical systems, other device

Many applications also have management or maintenance interfaces

  • These can contain sensitive data

Change default settings

  • Passwords

Add additional security

  • Require additional logon
  • Add 3rd-party authentication

Removal of Unnecessary Software

All software contains bugs

  • Some of those bugs are security vulnerabilities

Every application seems to have a completely different patching process

  • Can be challenging to manage ongoing updates

Remove all unused software

  • Reduce your risk
  • An easy fix

Architecture Models

Warning

The soaring Cloud Computing costs, unexpected high bills, and multitude of hidden charges, make Cloud a lot less viable option than on-prem options. Depending on the organization’s needs and size, On-premise Cloud Computing will be a cheaper alternative.

The Cloud Tipping Point | Lawrence Systems

Leaving the Cloud | The Rework Podcast

Why you’re addicted to cloud computing | Fireship

Cloud Responsibility Matrix

IaaS, PaaS, SaaS, etc.

  • Who is responsible for security?

Security should be well documented

  • Most cloud providers provide a matrix of responsibilities
  • Everyone knows up front

These responsibilities can vary

  • Different cloud providers
  • Contractual agreements

Hybrid Considerations

Hybrid cloud

  • More than one public or private cloud
  • This adds additional complexity

Network protection mismatches

  • Authentication across platforms
  • Firewall configurations
  • Server settings

Different security monitoring

  • Logs are diverse and cloud-specific

Data leakage

  • Data is shared across public Internet

Third-Party Vendors in the Cloud

You, the cloud provider, and the third parties

  • Infrastructure technologies
  • Cloud-based appliances

Ongoing vendor risk assessments

  • Part of an overall vendor risk management policy

Include third-party impact for incident response

  • Everyone is part of the process

Constant monitoring

  • Watch for changes and unusual activity

Infrastructure as Code

Describe an infrastructure

  • Define servers, network, and applications as code

Modify the infrastructure and create versions

  • The same way you version application code

Use the description (code) to build other application instances

  • Build it the same way every time based on the code

An important concept for cloud computing

  • Build a perfect version every time

Serverless Architecture

Function as a Service (FaaS)

  • Applications are separated into individual, autonomous functions
  • Remove the OS from the equation

Developer still creates the server-side logic

  • Runs in a stateless compute container

May be event triggered and ephemeral

  • May only run for one event

Managed by a third-party

  • All OS security concerns are at the third party

Microservices and APIs

Monolithic applications

  • One big application that does everything

Application contains all decision-making process

  • User interface
  • Business logic
  • Data input and output

Code challenges

  • Large codebase
  • Change control challenges

APIs

  • Application Programming Interface

API is the “glue” for the microservices

  • Work together to act as the application

Scalable

  • Scale just the microservices you need

Resilient

  • Outages are contained

Security and compliance

  • Containment is built-in

Network Infrastructure Concepts

Physical Isolation

Devices are physically separate

  • Air gap between Switch A and Switch B

Must be connected to provide communication

  • Direct connect, or another switch or router

Web servers in one rack

  • Database servers on another

Customer A on one switch, customer B on another

  • No opportunity for mixing data

Physical Segmentation

Separate devices

  • Multiple units, separate infrastructure

Logical Segmentation with VLANs

Virtual Local Area Networks (VLANs)

  • Separated logically instead of physically
  • Cannot communicate between VLANs without a Layer 3 device/router

SDN (Software Defined Networking)

Networking devices have different functional planes of operation

  • Data, control, and management planes

Split the functions into separate logical units

  • Extend the functionality and management of a single device
  • Perfectly built for the cloud

Infrastructure layer/Data plane

  • Process the network frames and packets
  • Forwarding, trunking, encrypting, NAT

Control layer/Control plane

  • Manages the actions of the data plane
  • Routing tables, session tables, NAT tables
  • Dynamic routing protocol updates

Application layer/Management plane

  • Configure and manage the device
  • SSH, browser, API

Extend the Physical Architecture

SDN Data Flows

SDN Security

Other Infrastructure Concepts

Attacks can happen anywhere

Two categories for IT security

  • The on-premises data is more secure!
  • The cloud-based data is more secure!

Cloud-based security is centralized and costs less

  • No dedicated hardware, no data center to secure
  • A third party handles everything

On-premises puts the security burden on the client

  • Data center security and infrastructure costs

Attackers want your data

  • They don’t care where it is

On-premises Security

Customize your security posture

  • Full control when everything is in-house

On-site IT team can manage security better

  • The local team can ensure everything is secure
  • A local team can be expensive and difficult to staff

Local team maintains uptime and availability

  • System checks can occur at any time
  • No phone call for support

Security changes can take time

  • New equipment, configurations, additional costs

Centralized vs. Decentralized

Most organizations are physically decentralized

  • Many locations, cloud providers, OSes, etc.

Difficult to manage and protect so many diverse systems

  • Centralize the security management

A centralized approach

  • Correlated alerts
  • Consolidated log file analysis
  • Comprehensive system status and maintenance/patching

It’s not perfect

  • Single point of failure, potential performance issues

Virtualization

Virtualization

  • Run different OSes on the same hardware

Each application instance has its own OS

  • Adds overhead and complexity
  • Virtualization is relatively expensive

Application Containerization

Container

  • Contains everything you need to run an application
  • Code and dependencies
  • A standardized unit of software

An isolated process in a sandbox

  • Self-contained
  • Apps can’t interact with each other

Container image

  • A standard for portability
  • Lightweight, uses the host kernel
  • Secure separation between applications

Virtualized vs. Containerized

IoT (Internet of Things)

Sensors

  • Heating and cooling, lighting

Smart devices

  • Home automation, video doorbells

Wearable technology

  • Watches, health monitors

Facility automation

  • Temperature, air quality, lighting

Weak defaults

  • IOT manufacturers are not security professionals

SCADA/ICS

Supervisory Control and Data Acquisition System

  • Large-scale, multi-site Industrial Control Systems (ICS)

PC manages equipment

  • Power generation, refining, manufacturing equipment
  • Facilities, industrial, energy, logistics

Distributed control systems

  • Real-time information
  • System control

Requires extensive segmentation

  • No access from the outside

RTOS (Real-Time Operating System)

An OS with a deterministic processing schedule

  • No time to wait for other processes
  • Industrial equipment, automobiles
  • Military environments

Extremely sensitive to security issues

  • Non-trivial systems
  • Need to always be available
  • Difficult to know what type of security is in place

Embedded Systems

Hardware and software designed for a specific function

  • Or to create as part of a larger system

Is built with only this task in mind

  • Can be optimized for size and/or cost

Common examples

  • Traffic light controllers
  • Digital watches
  • Medical imaging systems

High Availability

Redundancy doesn’t mean always available

  • May need to be powered on manually

HA (High availability)

  • Always on, always available

Many include many components working together

  • Active/active can provide scalability advantages

Higher availability almost always means higher costs

  • There’s always another contingency you could add
  • Upgraded power, high-quality server components, etc.

Infrastructure Consideration

Availability

System uptime

  • Access data, complete transactions
  • A foundation of IT security

A balancing act with security

  • Available, but only to the right people

WE spend a lot of time and money on availability

  • Monitoring, redundant systems

An important metric

  • We are often evaluated on total available time

Resilience

Eventually, something will happen

  • Can you maintain availability?
  • Can you recover? How quickly?

Based on many variables

  • The root cause
  • Replacement hardware installations
  • Software patch availability
  • Redundant systems

Commonly referenced as MTTR

  • Mean Time to Repair

Cost

How much money is required?

  • Everything ultimately comes down to cost

Initial installation

  • Very different across platforms

Ongoing maintenance

  • Annual ongoing cost

Replacement or repair costs

  • You might need more than one

Tax implications

  • Operating or capital expense

Responsiveness

Request information

  • Get a response
  • How quickly did that happen?

Especially important for interactive applications

  • Humans are sensitive to delays

Speed is an important metric

  • All parts of the application contribute
  • There’s always the weakest link

Scalability

How quickly and easily can we increase or decrease capacity?

  • This might happen many times a day
  • Elasticity

There’s always a resource challenge

  • What’s preventing scalability?

Needs to include security monitoring

  • Increases and decreases as the system scales

Ease of Deployment

An application has many moving parts

  • Web server, database, caching server, firewall, etc.

This might be an involved process

  • Hardware resources, cloud budgets, change control

This might be very simple

  • Orchestration/automation

Important to consider during the product engineering phase

  • One missed detail can cause deployment issues

Risk Transference

Many methods to minimize risk

  • Transfer the risk to a third party

Cybersecurity insurance

  • Attacks and downtime can be covered
  • Popular with the rise in ransomware

Recover internal losses

  • Outages and business downtime

Protect against legal issues from customers

  • Limit the costs associated with legal proceedings

Ease of Recover

Something will eventually go wrong

  • Time is money
  • How easily can you recover?

Malware infection

  • Reload OS from original media — 1 hour
  • Reload from corporate image — 10 minutes

Another important design criteria

  • This may be critical to the final product

Patch Availability

Software isn’t usually static

  • Bug fixes, security updates, etc.

This is often the first task after installation

  • Make sure you’re running the latest version

Most companies have regular updates

  • Microsoft’s monthly patch schedule

Some companies rarely patch

  • This might be a significant concern

Inability to Patch

What if patching wasn’t an option?

  • This often happens than you might think

Embedded systems

  • HVAC controls
  • Time clocks

Not designed for end-user updates

  • This is a bit short-sighted
  • Especially these days

May need additional security controls

  • A firewall for your time clock

Power

A foundational element

  • This can require extensive engineering

Overall power requirements

  • Data center vs. office building

Primary power

  • One or more providers

Backup services

  • UPS (Uninterruptible Power Supply)
  • Generators

Compute

An application’s heavy lifting

  • More than just a single Compute

The compute engine

  • More options available in the cloud

May be limited to a single processor

  • Easier to develop

Use multiple CPUs across multiple clouds

  • Addtional complexity
  • Enhanced scalability

Applying Security Principles

Secure Infrastructures

Device Placement

Every network is different

  • There are often similarities

Firewalls

  • Separate trusted from untrusted
  • Provide additional security checks

Other services may require their own security technologies

  • Honeypots, jump server, load balancers, sensors

Security Zone

Zone-based security technologies

  • More flexible (and secure) than IP address ranges

Each area of the network is associated with a zone

  • Trusted, untrusted
  • Internal, external
  • Inside, Internet, Servers, Databases, Screened

This simplifies security policies

  • Trusted to Untrusted
  • Untrusted to Screened
  • Untrusted to Trusted

Attack Surface

How many ways into your home?

  • Doors, windows, basements

Everything can be a vulnerability

  • Application code
  • Open ports
  • Automated process
  • Human error

Minimize the surface

  • Audit the code
  • Block ports on the firewall
  • Monitor network traffic in real-time

Connectivity

Everything contributes to security

  • Including the network connection

Secure network cabling

  • Protect the physical drops

Application-level encryption

  • The hard work has already been done

Network-level encryption

  • IPsec tunnels, VPN connections

Intrusion Prevention

Intrusion Prevention System (IPS)

Intrusion Prevention System

  • Watch network traffic

Intrusions

  • Exploits against OSes, applications, etc.
  • Buffer overflows, cross-site scripting, other vulnerabilities

Detection vs. Prevention

  • Intrusion Detection System (IDS) — Alarm or alert
  • Prevention — Stop it before it gets into the network

Failure Modes

We hope for 100% uptime

  • This obviously isn’t realistic
  • Eventually, something will break

Fail-open

  • When a system fails, data continues to flow

Fail-closed

  • When a system fails, data does not flow

Device Connections

Active monitoring

  • System is connected inline
  • Data can be blocked in real-time as it passes by
  • Intrusion prevention is commonly active

Passive monitoring

  • A copy of the network traffic is examined using a tap or port monitor
  • Data cannot be blocked in real-time
  • Intrusion detection is commonly passive

Active Monitoring

Malicious traffic is immediately identified

  • Dropped at the IPS
  • Doesn’t proceed through the network

Passive Monitoring

Examine a copy of the traffic

  • Port mirror (SPAN), network tap

No way to block (prevent) traffic

  • Common with Intrusion Detection Systems

Network Appliances

Jump Server

Access secure network zones

  • Provides an access mechanism to a protected network

Highly-secured device

  • Hardened and monitored

SSH/Tunnel/VPN to the jump server

  • RDP, SSH, or jump from there

A significant security concern

  • Compromise of the jump server is a significant breach

Proxies

  • Sits between the users and the external network
  • Receives the user requests and sends the request on their behalf (the proxy)
  • Useful for caching information, access control, URL filtering, content scanning
  • Applications may need to know how to use the proxy (explicit)
  • Some proxies are invisible (transparent)
    • Users don’t need to configure anything for the proxy to work on their end

Application Proxies

One of the simplest “proxies” is NAT

  • A network level proxy

Most proxies in use are application proxies

  • The proxy understands the way the application works

A proxy may only know one application

  • HTTP

Many proxies are multipurpose proxies

  • HTTP, HTTPS, FTP, etc.

Forward Proxy

An “internal proxy”

  • Commonly used to protect and control user access to the Internet

Reverse Proxy

Inbound traffic from the Internet to your internal service

Open Proxy

A third party, uncontrolled proxy

  • Can be a significant security concern
  • Often used to circumvent existing security controls

Balancing the Load

Distribute the load

  • Multiple servers
  • Invisible to the end-user

Large-scale implementations

  • Web server farms, database farms

Fault tolerance

  • Server outages have no effect
  • Very fast convergence

Active/active Load Balancing

Configurable load

  • Manage across servers

TCP offload

  • Protocol overhead

SSL offload

  • Encryption/Decryption

Caching

  • Fast response

Prioritization

  • QoS

Content Switching

  • Application-centric balancing

Active/Passive Load Balancing

Some servers are active

  • Others are on standby

If an active server fails, the passive server takes its place

Sensors and Collectors

Aggregate information from network devices

  • Built-in sensors, separate devices
  • Integrated into switches, routers, servers, firewalls, etc.

Sensors

  • Intrusion prevention systems, firewall logs, authentication logs, web server access logs, database transaction logs, email logs

Collectors

  • Proprietary consoles (IPS, firewall), SIEM consoles, syslog serves
  • Many SIEMs include a correlation engine to compare diverse sensor data

Port Security

We have created many authentication methods through the years

  • A network administrator has many choices

Use a username and password

  • Other factors can be included

Commonly used on wireless networks

  • Also works on wired networks

EAP

Extensible Authentication Protocol (EAP)

  • An authentication framework

Many ways to authenticate based on RFC standards

  • Manufacturers can build their own EAP methods

EAP integrates with 802.1X

  • Prevents access to the network until the authentication succeeds

IEEE 802.1X

IEEE 802.1X

  • Port-based Network Access Control (NAC)
  • You don’t get access to the network until you authenticate

EAP integrates with 802.1X

  • Extensible Authentication Protocol
  • 802.1X prevents access to the network until the authentication succeeds

Used in conjunction with an authentication database

  • RADIUS, LDAP, TACACS+, Kerberos, etc.

IEEE 802.1X and EAP

  • Supplicant — The client
  • Authenticator — The device that provides access
  • Authentication server — Validates the client credentials

Firewall Types

The Universal Security Control

Standard issue

  • Home, office, and in your OS

Control the flow of network traffic

  • Everything passes through the firewall

Corporate control of outbound and inbound data

  • Sensitive materials

Control of inappropriate content

  • Not safe for work, parental controls

Protection against evil

  • Anti-virus, anti-malware

Network-based Firewalls

Filter traffic by port number or application

  • OSI layer 4 vs. OSI layer 7
  • Traditional vs. NGFW firewalls

Encrypt traffic

  • VPN between sites

Most firewalls can be a layer 3 devices (routers)

  • Often sits on the ingresses/egress of the network
  • Network Address Translation (NAT) functionality
  • Authenticate dynamic routing communication

UTM/ All-in-one Security Appliance

  • Unified Threat Management (UTM)/Web Security gateway
  • URL filter/Content inspection
  • Malware inspection
  • Spam filter
  • CSU (Channel Service Unit)/DSU (Data Service Unit)
  • Router, Switch
  • Firewall
  • IDS/IPS
  • Bandwidth shaper
  • VPN endpoint

[! Warning] Using all features at once, will slow down the network. So enable those only you need.

Next-generation Firewall (NGFW)

The OSI Application Layer

  • All data in every packet

Can be called different names

  • Application layer gateway
  • Stateful multilayer inspection
  • Deep packet inspection

Requires some advanced decodes

  • Every packet must be analyzed and categorized before a security decision is determined

Network-based Firewalls

  • Control traffic flows based on the application
    • Microsoft SQL server, Twitter/X, YouTube

Intrusion Prevention Systems

  • Identify the application
  • Apply application-specific vulnerability signatures to the traffic

Content filtering

  • URL filters
  • Control website traffic by category

Web Application Firewall (WAF)

Not like a “normal” firewall

  • Applies rules to HTTP/HTTPS conversations

Allow or deny based on expected input

  • Unexpected input is a common method of exploiting an application

SQL injection

  • Add your own commands to an application’s SQL query

A major focus of Payment Card Industry Data Security Standard (PCI DSS)

Secure Communication

VPN

Virtual Private Networks

  • Encrypted (private) data transversing a public network

Concentrator

  • Encryption/decryption access device
  • Often integrated into a firewall

Many deployment options

  • Specialized cryptographic hardware
  • Software-based options available

Used with client software

  • Sometimes built into the OS

Encrypted Tunnel

Keep data private across the public internet

  • Encryption is the key

Encrypt your data

  • Add new headers and trailers

Decrypt on the other side

  • Original data is delivered

SSL/TLS VPN (Secure Sockets Layer VPN)

Uses common SSL/TLS protocol (TCP/443)

  • (Almost) No firewall issues

No big VPN clients

  • Usually remote access communication

Authenticate users

  • No requirement for digital certificates or shared passwords (like IPSec)

Can be run from a browser or from a (usually light) VPN client

  • Across many OSes

On-demand access from a remote device

  • Software connects to a VPN concentrator

Some software can be configured as always-on

Site-to-site IPsec VPN

Always-on

  • Or almost always

Firewalls often act as VPN concentrators

  • Probably already have firewalls in place

SD-WAN

Software Defined Networking in a Wide Area Network

  • A WAN built for the cloud

The data center used to be in one place

  • The cloud has changed everything

Cloud-based applications communicate directly to the cloud

  • No need to hop through a central point

Old Datacenters Design:

Cloud First Design:

SW-WAN:

Secure Access Service Edge (SASE)

Update secure access for cloud services

  • Securely connect from different locations

Secure Access Service Edge (SASE)

  • A “next generation” VPN

Security technologies are in the cloud

  • Located close to existing cloud services

SASE clients on all device

  • Streamlined and automatic

Selection of Effective Controls

Many security options

  • Selecting the right choice can be challenging

VPN

  • SSL/TLS VPN for user access
  • IPsec tunnels for site-to-site access

SD-WAN

  • Manage the network connectivity to the cloud
  • Does not adequately address security concerns

SASE

  • A complete network and security solution
  • Requires planning and implementation

Protecting Data

Data Types and Classification

Data Types

Regulated

  • Managed by a third-party
  • Government laws and statutes

Trade secret

  • An organization’s secret formulas
  • Often unique to an organization

Intellectual property

  • May be publicly visible
  • Copyright and trademark restrictions

Legal information

  • Court records and documents, judge and attorney information, etc.
  • PII and other sensitive details
  • Usually stored in many systems

Financial information

  • Internal company financial details
  • Customer finances
  • Payment records
  • Credit card data, bank records, etc.

Human-readable

  • Humans can understand the data
  • Very clear and obvious

Non-human readable

  • Not easily understood by humans
  • Encoded data
  • Barcodes
  • Images

Some formats are a hybrid

  • CSV, XML, JSON, etc.

Classifying Sensitive Data

Not all data has the same level of categorization

  • License tag numbers vs. health records

Different levels require different security and handling

  • Additional permissions
  • A different process to view
  • Restricted network access

Data Classifications

Proprietary

  • Data that is the property of an organization
  • May also include trade secrets
  • Often data unique to an organization

PII — Personally Identifiable Information

  • Data that can be used to identify an individual
  • Name, data of birth, mother’s maiden name, biometric information

PHI — Protected Health Information

  • Health information associated with an individual
  • Health status, health care records, payments for health care, and much more

Sensitive

  • Intellectual property, PII, PHI

Confidential

  • Very sensitive, must be approved to view

Public/Unclassified

  • No restrictions on viewing the data

Private/Classified/Restricted

  • Restricted access, may require an NDA

Critical

  • Data should always be available

States of Data

Data at rest

The data is on a storage device

  • Hard drive, SSD, flash drive, etc.

Encrypt the data

  • Whole disk encryption
  • Database encryption
  • File or folder-level encryption

Apply permissions

  • Access control lists
  • Only authorized users can access the data

Data in transit

Data transmitted over the network

  • Also called data in-motion

Not much protection as it travels

  • Many switches, routers, devices

Network-based protection

  • Firewall, IPS

Provide transport encryption

  • TLS (Transport Layer Security)
  • IPsec (Internet Protocol Security)

Data in use

Data is actively processing in memory

  • System RAM, CPU registers and cache

The Data is almost always decrypted

  • Otherwise, you couldn’t do anything with it

The attackers can pick the decrypted information out of RAM

  • A very attractive option

Target Corp. breach — November 2013

  • 110 million credit cards
  • Data in-transit encryption and data at-rest encryption
  • Attackers picked the credit card numbers out of the point-of-sale RAM

Data Sovereignty

Data sovereignty

  • Data that resides in a country is subject to the laws of that country
  • Legal monitoring, court orders, etc.

Laws may prohibit where data is stored

  • GDPR (General Data Protection Regulation)
  • Data collected on EU citizens must be stored in the EU
  • A complex mesh of technology and legalities

Where is your data stored?

  • Your compliance laws may prohibit moving data out of the country

Geolocation

Location details

  • Tracks within a localized area

Many ways to determine location

  • 802.11, mobile providers, GPS

Can be used to manage data access

  • Prevent access from other countries

Limit administrative tasks unless secure area is used

  • Permit enhanced access when inside the building

Protecting Data

Geographic Restrictions

Network location

  • Identify based on IP subnet
  • Can be difficult with mobile devices

Geolocation — determine a user’s location

  • GPS — mobile devices, very accurate
  • 802.11 wireless, less accurate
  • IP address, not very accurate

Geo-fencing

  • Automatically allow or restrict access when the user is in a particular location
  • Don’t allow this app to run unless you’re near the office

A primary job task

  • An organization is out of business without data

Data is everywhere

  • ON a storage drive, on the network, in a CPU

Protecting the data

  • Encryption, security policies

Data permissions

  • Not everyone has the same access

Encryption

Encode information into unreadable data

  • Original information is plaintext, encrypted form is ciphertext

This is a two-way street

  • Convert between one and the other
  • IF you have the proper key

Confusion

  • The encrypted data is drastically different from the plaintext

Hashing

Represent data as a short string of text

  • A message digest, a fingerprint

One-way trip

  • Impossible to recover the original message from the digest
  • Used to store passwords/confidentiality

Verify a downloaded document is the same as the original

  • Integrity

Can be a digital signature

  • Authentication, non-repudiation, and integrity

Will not have a collision (hopefully)

  • Different messages will not have the same hash

Obfuscation

Obfuscate

  • Make something normally understandable very difficult to understand

Take perfectly readable code and turn it into nonsense

  • The developer keeps the readable code and gives you the chicken scratch
  • Both sets of code perform exactly the same way

Helps prevent the search for security holes

  • Makes it more difficult to figure out what’s happening
  • But not impossible

Masking

A type of obfuscation

  • Hide some original data

Protects PII

  • And other sensitive data

May only be hidden from view

  • The data may still be intact in storage
  • Control the view based on permissions

Many techniques

  • Substituting, shuffling, encrypting, masking out, etc.

Tokenization

Replace sensitive data with a non-sensitive placeholder

  • SSN 266-12-1112 is now 691-618539

Common with credit card processing

  • Use a temporary token during payment
  • An attacker capturing the card numbers can’t use them later

This isn’t encryption or hashing

  • The original data and token aren’t mathematically related
  • No encryption overhead

Segmentation

Many organizations use a single data source

  • One large database

One breach puts all the data at risk

  • You’re making it easy for the attacker

Separate the data

  • Store it in different locations

Sensitive data should have stronger security

  • The most sensitive data should be the most secure

Permission Restrictions

Control access to an account

  • It’s more than jut username and password
  • Determine what policies are best for an organization

The authentication process

  • Password policies
  • Authentication factor policies
  • Other considerations

Permissions after login

  • Another line of defense
  • Prevent unauthorized access

Resiliency and Recovery

Resiliency

High Availability

Redundancy doesn’t mean always available

  • May need to be powered on manually

HA (high availability)

  • always on, always available

May include many components working together

  • Active can provide scalability advantages

Higher availability almost always means higher costs

  • There’s always another contingency you could add
  • Upgraded power, high-quality server components, etc.

Server Clustering

Combine two or more servers

  • Appears and operates as a single large server
  • Users only see one device

Easily increase capacity and availability

  • Add more servers to the cluster

Usually configured in the OS

  • All devices in the cluster commonly use the same OS

Load Balancing

Load is distributed across multiple servers

  • The servers are often unaware of each other

Distribute the load across multiple devices

  • Can be different OSes

The load balancer adds or removes devices

  • Add a server to increase capacity
  • Remove any servers not responding

Site resiliency

Recovery site is prepped

  • Data is synchronized

A disaster is called

  • Business processes failover to the alternate processing site

Problem is addressed

  • This can take hours, weeks, or longer

Revert back to the primary location

  • The process must be documented for both directions

Hot Site

An exact replica

  • Duplicate everything

Stocked with hardware

  • Constantly updated
  • You buy two of everything

Applications and software are constantly updated

  • Automated replication

Flip a switch and everything moves

  • This may be quite a few switches

Cold Site

No hardware

  • Empty building

No data

  • Bring it with you

No people

  • Bus in your team

Warm Site

Somewhere between cold and hot

  • Just enough to get going

Big room with rack space

  • You bring the hardware

Geographic Dispersion

These sites should be physically different from the organization’s primary location

  • Many disruptions can affect a large area
  • Hurricane, tornado, floods, etc.

Can be a logistical challenge

  • Transporting equipment
  • Getting employee’s on-site
  • Getting back to the main office

Platform Diversity

Every OS contains potential security issues

  • You can’t avoid them

Many security vulnerabilities are specific to a single OS

  • Windows vulnerabilities don’t commonly affect Linux or macOS
  • And vice versa

Use many platforms

  • Different applications, clients, and OSes
  • Spread the risk around

Multi-Cloud Systems

There are many cloud providers

  • Amazon Web Services, Microsoft Azure, Google Cloud, etc.

Plan for cloud outages

  • These can sometimes happen

Data is both geographically dispersed and cloud service dispersed

  • A breach with one provider would not affect the others
  • Plan for every contingency

Continuity of Operations Planning (COOP)

Not everything goes according to plan

  • Disaster can cause a disruption to the norm

We rely on our computer systems

  • Technology is pervasive

There need to be an alternative

  • Manual transactions
  • Paper receipts
  • Phone calls for transactions approvals

These must be documented and tested before a problem occurs

Capacity Planning

Match supply to the demand

  • This isn’t always an obvious equation

Too much demand

  • Application slowdowns and outages

Too much supply

  • You’re paying too much

Requires a balanced approach

  • Add the right amount of people
  • Apply appropriate technology
  • Build the best infrastructure

People

Some services require human intervention

  • Call center support lines
  • Technology services

Too few employees

  • Recruit new staff
  • It may be time-consuming to add more staff

Too many employees

  • Redeploy to other parts of the organization
  • Downsize

Technology

Pick a technology that can scale

  • Not all services can easily grow and shrink

Web services

  • Distribute the load across multiple web services

Database services

  • Cluster multiple SQL servers
  • Split the database to increase capacity

Cloud services

  • Services on demand
  • Seemingly unlimited resources (if you pay the money)

Infrastructures

The underlying framework

  • Application servers, network services, etc.
  • CPU, network, storage

Physical devices

  • Purchase, configure, and install

Cloud-based devices

  • Easier to deploy
  • Useful for unexpected capacity changes

Recovery Testing

Test yourselves before an actual event

  • Scheduled updates sessions (annual, semi-annual, etc.)

Use well-defined rules of engagement

  • Don’t touch the production systems

Very specific scenario

  • Limited time to run the event

Evaluate response

  • Document and discuss

Tabletop Exercises

Performing a full-scale disaster drill can be costly

  • And time-consuming

Many of the logistics can be determined through analysis

  • You don’t physically have to go through a disaster or drill

Get key players together for a tabletop exercise

  • Talk through a simulated disaster

Fail Over

A failure is often inevitable

  • It’s “when”, not “if”

We may be able to keep running

  • Plan for the worst

Create a redundant infrastructure

  • Multiple routers, firewalls, switches, etc.

If one stops working, fail over to the operational unit

  • Many infrastructure devices and services can do this automatically

Simulation

Test with a simulated event

  • Phishing attack, password requests, data breaches

Going phishing

  • Create a phishing email attack
  • Send to your actual user community
  • See who bites

Test internal security

  • Did the phishing get past the filter

Test the users

  • Who clicked?
  • Additional training may be required

Parallel Processing

Split a process through multiple (parallel) CPUs

  • A single computer with multiple CPU cores or multiple physical CPUs
  • Multiple computers

Improved performance

  • Split complex transactions across multiple processors

Improved recover

  • Quickly identify a faulty system
  • Take the faulty device out of the list of available processors
  • Continue operating with the remaining processors

Backups

Incredibly important

  • Recover important and valuable data
  • Plan for disaster

Many implementations

  • Total amount of data
  • Type of backup
  • Backup media
  • Storage location
  • Backup and recovery software
  • Day of the week

Onsite vs. Offsite Backups

Onsite backups

  • No Internet link required
  • Data is immediately available
  • Generally less expensive than offsite

Offsite backups

  • Transfer data over Internet or WAN link
  • Data is available after a disaster
  • Restoration can be performed from anywhere

Organizations often use both

  • More copies of the data
  • More options when restoring

Frequency

How often to back up

  • Every week, day, hour?

This may be different between systems

  • Some systems may not change much each day

May have multiple backups sets

  • Daily, weekly, and monthly

This requires significant planning

  • Multiple backup sets across different days
  • Lots of media to manage

Encryption

A history of data is on backup media

  • Some of this media may be offsite

This makes it very easy for an attacker

  • All the data is in one place

Protect backup data using encryption

  • Everything on the backup media is unreadable
  • The recovery key is required to restore the data

Especially useful for cloud backups and storage

  • Prevent anyone from eavesdropping

Snapshots

Became popular on virtual machines

  • Very useful in cloud environments

Take a snapshot

  • An instant backup of an entire system
  • Save the current configuration and data

Take another snapshot after 24 hours

  • Contains only the changes between snapshots

Take a snapshot every day

  • Revert to any snapshot
  • Very fast recovery

Recovery Testing

It’s not enough to perform the backup

  • You have to be able to restore

Disaster recovery testing

  • Simulate a disaster situation
  • Restore from backup

Confirm the restoration

  • Test the restored application and data

Perform periodic audits

  • Always have a good backup
  • Weekly, monthly, quarterly checks

Replication

An ongoing, almost real-time backup

  • Keep data synchronized in multiple locations

Data is available

  • There’s always a copy somewhere

Data can be stored locally to all users

  • Replicate data to all remote sites

Data is recoverable

  • Disasters can happen at any time

Journaling

Power goes out while writing data to storage

  • The stored data is probably corrupted

Recovery could be complicated

  • Remove corrupted files, restore from backup

Before writing to storage, make a journal entry

  • After the journal is written, write the data to storage

After the data is written to storage, update the journal

  • Clear the entry and get ready for the next

Power Resiliency

Power is the foundation of our technology

  • It’s important to properly engineer and plan for outages

We usually don’t make our own power

  • Power is likely provided by third-parties
  • We can’t control power availability

There are ways to mitigate power issues

  • Short power outages
  • Long-term power issues

UPS

Uninterruptible Power Supply

  • Short-term backup power
  • Blackouts, brownouts, surges

UPS types

  • Offline/Standby UPS
  • Line-interactive UPS
  • On-line/Double-conversion UPS

Features

  • Auto shutdown, battery capacity, outlets, phone line suppression

Generators

Long-term power backup

  • Fuel storage required

Power an entire building

  • Some power outlets may be marked as generator-powered

It may take a few minutes to get the generator up to speed

  • Use a battery UPS while the generator is starting

Security Techniques

Secure Baselines

The security of an application environment should be well-defined

  • All application instances must follow this baseline
  • Firewall settings, patch levels, OS file versions
  • May require constant updates

Integrity measurements check for the secure baseline

  • These should be performed often
  • Check against well-documented baselines
  • Failure requires an immediate correction

Establish Baselines

Create a series of baselines

  • Foundational security policies

Security baselines are often available from the manufacturer

  • Application developer
  • OS manufacturer
  • Appliance manufacturer

Many OSes have extensive options

  • There are over 3000 group policy settings in Windows 10
  • Only some of those are associated with security
Tip

Microsoft Security Baselines Guide

Deploy Baselines

We now have established detailed security baselines

  • How do we put those baselines into action?

Deploy the baselines

  • Usually managed through a centrally administered console

May require multiple deployment mechanisms

  • Active Directory group policy, MDM, etc.

Automation is the key

  • Deploy to hundreds or thousands of devices

Maintain Baselines

Many of these are best practices

  • They rarely change

Other baselines may require ongoing updates

  • A new vulnerability is discovered
  • An updated application has been deployed
  • A new OS is installed

Test and measure to avoid conflicts

  • Some baselines may contradict others
  • Enterprise environments are complex

Hardening Targets

No system is secure with the default configurations

  • You need some guidelines to keep everything safe

Hardening guides are specific to the software or platform

  • Get feedback from the manufacturer or Internet interest group
  • They will have the best details

Other general-purpose guides are available online

Mobile Devices

Always-connected mobile technologies

  • Phones, tablets, etc.
  • Hardening checklists are available from manufacturers

Updates are critical

  • Bug fixes and security patches
  • Prevent any known vulnerabilities

Segmentation can protect data

  • Company and user data are separated

Control with an MDD

  • Mobile Device Manager

Workstations

User desktops and laptops

  • Windows, macOS, Linux, etc.

Constant monitoring and updates

  • OSes, applications, firmware, etc.

Automate the monthly patches

  • There’s likely an existing process

Connect to a policy management system

  • Active Directory group policy

Remove unnecessary software

  • Limit the threats

Network Infrastructure Devices

Switches, routers, etc.

  • You never see them, but they’re always there

Purpose-built devices

  • Embedded OS, limited OS access

Configure authentication

  • Don’t use the defaults

Check with the manufacturer

  • Security updates
  • Not usually updated frequently
  • Updates are usually important

Cloud Infrastructure

Secure the cloud management workstation

  • The keys to the kingdom

Least privilege

  • All services, network settings, application rights and permissions

Configure Endpoint Detection and Response (EDR)

  • All devices accessing the cloud should be secure

Always have backups

  • Cloud to Cloud (C2C)

Servers

Many and varied

  • Windows, Linux, etc.

Updates

  • OS updates/service packs, security patches

User accounts

  • Minimum password lengths and complexity
  • Account limitations

Network access and security

  • Limit network access

Monitor and secure

  • Anti-virus, anti-malware

SCADA/ICS

Supervisory Control and Data Acquisition System

  • Large-scale, multi-site Industrial Control Systems (ICS)

PC manages equipment

  • Power generation, refining, manufacturing equipment
  • Facilities, industrial, energy, logistics

Distributed control systems

  • Real-time information
  • System control

Requires extensive segmentation

  • No access from the outside

Embedded Systems

Hardware and software designed for a specific function

  • Or to operate as part of a larger system

Can be difficult to upgrade

  • Watches and televisions are relatively easy
  • Other devices may not be easily modified

Correct vulnerabilities

  • Security patches remove potential threats

Segment and firewall

  • Prevent access from unauthorized users

RTOS (Real-Time Operating System)

An OS with a deterministic processing schedule

  • No time to wait for other processes
  • Industrial equipment, automobiles, military environments

Isolate the system

  • Prevent access from other areas

Run with the minimum services

  • Prevent the potential for exploit

Use secure communication

  • Protect with a host-based firewall

IoT Devices

Heating and cooling, lighting, home automation, wearable technology, etc.

Weak defaults

  • IoT manufacturers are not security professionals
  • Change those passwords

Deploy updates quickly

  • Can be a significant security concern

Segmentation

  • Put IoT devices on their own VLAN

Securing Wireless and Mobile

Site Surveys

Determine existing wireless landscape

  • Sample the existing wireless spectrum

Identify existing access points

  • You may not control all of them

Work around existing frequencies

  • Layout and plan for interference

Plan for ongoing site surveys

  • Things will certainly change

Heat maps

  • Identify wireless signal strengths

Wireless Survey Tools

  • Signal coverage
  • Potential interference
  • Built-in tools
  • 3rd-party tools
  • Spectrum analyzer

Mobile Device Management (MDM)

Manage company-owned and user-owned mobile devices

  • BYOD — Bring Your Own Device

Centralized management of the mobile devices

  • Specialized functionality

Set policies on apps, data, camera, etc.

  • Control the remote device
  • The entire device or a “portion”

Manage access control

  • Force screen locks and PINs on these single user devices

BYOD

Bring Your Own Device OR Bring Your Own Technology

Employee owns the device

  • Need to meet the company’s requirements

Difficult to secure

  • It’s both a home device and a work device
  • How is data protected?
  • What happens to the data when a device is sold or traded in?

COPE

Corporate owned, personally enabled

  • Company buys the device
  • Used as both a corporate device and a personal device

Organization keeps full control of the device

  • Similar to company-owned laptops and desktops

Information is protected using corporate policies

  • Information can be deleted at any time

CYOD — Choose Your Own Device

  • Similar to COPE, but with the user’s choice of device

Cellular Networks

Mobile devices

  • “Cell” phones
  • 4G, 5G

Separate land into “cells”

  • Antenna coverages a cell with certain frequencies

Security concerns

  • Traffic monitoring
  • Location tracking
  • Worldwide access to a mobile device

Wi-Fi

Local network access

  • Local security problems

Same security concerns as other Wi-Fi devices

Data capture

  • Encrypt your data!

On-path attack

  • Modify and/or monitor data

Denial of service

  • Frequency interference

Bluetooth

High speed communication over short distances

  • PAN (Personal Area Network)

Connects our mobile devices

  • Smartphones, tethering, headsets and headphones, smartwatches, etc.

Do not connect to unknown Bluetooth devices

  • There’s a formal pairing process to prevent unauthorized connections

Wireless Security Settings

Securing a Wireless Network

An organization’s wireless network can contain confidential information

  • Not everyone is allowed access

Authenticate the users before granting access

  • Who gets access to the wireless network?
  • Username, password, multifactor authentication

Ensure that all communication is confidential

  • Encrypt the wireless data

Verify the integrity of all communication

  • The received data should be identical to the original sent data
  • A message integrity check (MIC)

The WPA2 PSK Problem

WPA2 has a PSK brute-force problem

  • Listen to the four-way handshake
    • Some methods can derive the PSK hash without the handshake
  • Compute the hash

With the hash, attackers can brute force the pre-shared key (PSK)

This has become easier as technology improves

  • A weak PSK is easier to brute-force
  • GPU processing speeds
  • Cloud-based password cracking

Once you have the PSK, you have everyone’s wireless key

  • There’s no forward secrecy

WPA3 and GCMP

Wi-Fi Protected Access 3 (WPA3)

  • Introduced in 2018

GCMP block cipher mode

  • Galois/Counter Mode Protocol
  • A stronger encryption than WPA2

GCMP security services

  • Data confidentiality with AES
  • Message Integrity Check (MIC) with Galois Message Authentication (GMAC)

SAE

WPA3 changes the PSK authentication process

  • Includes mutual authentication
  • Creates a shared session key without sending that key across the network
  • No more four-way handshakes, no hashes, no brute force attacks

Simultaneous Authentication of Equals (SAE)

  • A Diffie-Hellman derived key exchange with an authentication component
  • Everyone uses a different session key, even with the same PSK
  • An IEEE standard — the dragonfly handshake

Wireless Authentication Methods

Gain access to a wireless network

  • Mobile users
  • Temporary users

Credentials

  • Shared password/pre-shared key (PSK)
  • Centralized authentication (802.1X)

Configuration

  • Part of the wireless network connection
  • Prompted during the connection process

Wireless Security Modes

Configure the authentication on your wireless access point/wireless router

Open System

  • No authentication password is required

WPA3-Personal/WPA3-PSK

  • WPA2 or WPA3 with a pre-shared key
  • Everyone uses the same 256-bit key

WPA3-Enterprise/WPA3-802.1X

  • Authenticates users individually with an authentication server (i.e, RADIUS)

AAA Framework

Identification

  • This is who you claim to be
  • Usually your username

Authentication

  • Prove you are who you say you are
  • Password and other authentication factors

Authorization

  • Based on your identification and authentication, what access do you have?

Accounting

  • Resources use: Login time, data sent and received, logout time

RADIUS (Remote Authentication Dial-in User Service)

One of the more common AAA protocols

  • Supported on a wide variety of platforms and devices

Centralize authentication for users

  • Routers, switches, firewalls
  • Server authentication
  • Remote VPN access
  • 802.1X network access

RADIUS services available on almost any server operating system

IEEE 802.1X

IEEE 802.1X

  • Port-based Network Access Control (NAC)
  • You don’t get access to the network until you authenticate

Used in conjunction with an access database

  • RADIUS, LDAP, TACACS+

EAP

Extensible Authentication Protocol (EAP)

  • An authentication framework

Many ways to authenticate based on RFC standards

  • Manufacturers can build their own EAP methods

EAP integrates with 802.1X

  • Prevents access to the network until the authentication succeeds

IEEE 802.1X and EAP

Supplicant — the client Authenticator — The device that provides access Authentication server — Validates the client credentials

Application Security

Secure Coding Concepts

A balance between time and quality

  • Programming with security in mind is often secondary

Testing, testing, testing

  • The Quality Assurance (QA) process

Vulnerabilities will eventually be found

  • And exploited

Input Validation

What is the expected input?

  • Validate actual vs. expected

Document all input methods

  • Forms, fields, type

Check and correct all input (normalization)

  • A zip code should be only X characters long with a letter in the X column
  • Fix any data with improper input

The fuzzers will find what you missed

  • Don’t give them an opening

Cookies

Cookies

  • Information stored on your computer by the browser

Used for tracking, personalization, session management

  • Not executable, not generally a security risk
    • Unless someone gets access to them

Secure cookies have a Secure attribute set

  • Browser will only send it over HTTPS

Sensitive information should not be saved in a cookie

  • This isn’t designed to be secure storage

Static Code Analyzers

Static Application Security Testing (SAST)

  • Help to identify security flaws

Many security vulnerabilities found easily

  • Buffer overflows, database injections, etc.

Not everything can be identified through analysis

  • Authentication security, insecure cryptography, etc.
  • Don’t rely on automation for everything

Still have to verify each finding

  • False positives are an issue

Code Signing

An application is deployed

  • Users run application executables or scripts

So many security questions

  • Has the application been modified in any way?
  • Can you confirm that the application was written by a specific developer?

The application code can be digitally signed by the developer

  • Asymmetric encryption
  • A trusted CA signs the developer’s public key
  • Developer signs the code with their private key
  • For internal apps, use your own CA

Sandboxing

Applications cannot access unrelated resources

  • They play in their own sandbox

Commonly used during development

  • Can be useful production technique

Used in many deployments

  • Virtual machines
  • Mobile devices
  • Browser iframes (Inline Frames)
  • Windows User Account Control (UAC)

Application Security Monitoring

Real-time information

  • Application usage, access demographics

View blocked attacks

  • SQL injection attempts, patched vulnerabilities

Audit the logs

  • Find the information gathering and hidden attacks

Anomaly detection

  • Unusual file transfer
  • Increase in client access

Asset Management

Asset Management

Acquisition/Procurement Process

The purchasing process

  • Multi-step process for requesting and obtaining goods and services

Start with a request from the user

  • Usually includes budgeting information and formal approvals

Negotiate with suppliers

  • Terms and conditions

Assignment/Accounting

A central asset tracking system

  • Used by different parts of the system

Ownership

  • Associate a person with an asset
  • Useful for tracking a system

Classification

  • Type of asset
  • Hardware (capital expenditure)
  • Software (Operating expenditure)

Monitoring/Asset Tracking

Inventory every asset

  • Laptops, desktops, servers, routers, switches, cables, fiber modules, tablets, etc.

Associate a support ticket with a device make and model

  • Can be more detailed than a user’s description

Enumeration

  • List all parts of an asset
  • CPU, memory, storage drive, keyboard, mouse

Add an asset tag

  • Barcode, RFID, visible tracking number, organization name

Media Sanitization

System disposal or decommissioning

  • Completely remove data
  • No usable information remains

Different use cases

  • Clean a hard drive for future use
  • Permanently delete a single file

A one-way trip

  • Once it’s gone, it’s really gone
  • No recovery with forensics tools

Reuse the storage media

  • Ensure nothing is left behind

Physical Destruction

Shredder/pulverizer

  • Heavy machinery
  • Complete destruction

Drill/Hammer

  • Quick and easy
  • Platters, all the way through

Electromagnetic (degaussing)

  • Remove the magnetic field
  • Destroys hard drive data and renders the hard drive unusable

Incineration

  • Fire hot

Certificate of Destruction

Destroy is often done by a 3rd-party

  • How many drills and degaussers do you have?

Need confirmation that your data is destroyed

  • Service should include a certificate

A paper trail of broken data

  • You know exactly what happening

Data Retention

Backup your data

  • How much and where?
  • Copies, versions of copies, lifecycle of data, purging old data

Regulatory compliance

  • A certain amount of data backup may be required
  • Emails, corporate financial data

Operational needs

  • Accidental deletion
  • Disaster recovery

Differentiate by type and application

  • Recover the data you need when you need it

Vulnerability Management

Vulnerability Scanning

Usually minimally invasive

  • Unlike a penetration test

Port scan

  • Poke around and see what’s open

Identify system

  • And security devices

Test from the outside and inside

  • Don’t dismiss insider threats

Gather as much information as possible

  • We’ll separate wheat from chaff later

Static Code Analyzer

Static Application Security Testing (SAST)

  • Help to identify security flaws

Many security vulnerabilities found easily

  • Buffer overflows, database injections, etc.

Not everything can be identified through analysis

  • Authentication security, insecure cryptography, etc.
  • Don’t rely on automation for everything

Still have to verify each finding

  • False positives are an issue

Dynamic Analysis (fuzzing)

Send random input to an application

  • Fault-injecting, robustness testing, syntax testing, negative testing

Looking for something out of the ordinary

  • Application crash, server error, exception

1988 class project at the University of Wisconsin

  • “Operating System Utility Program Reliability”
  • Professor Barton Miller
  • The Fuzz Generator

Fuzzing Engines and Frameworks

Many fuzzing options

  • Platform specific, language specific, etc.

Very time and processor resource heavy

  • Many, many iterations to try
  • Many fuzzing engines use high-probability tests

Carnegie Mellon Computer Emergency Response Team (CERT)

Package Monitoring

Some applications are distributed in a package

  • Especially open source
  • Supply chain integrity

Confirm the package is legitimate

  • Trusted source
  • No added malware
  • No embedded vulnerabilities

Confirm a safe package before deployment

  • Verify the contents

Threat Intelligence

Research the threats

  • And the threat actors

Data is everywhere

  • Hacker group profiles, tools used by the attackers, and much more

Make decisions based on this intelligence

  • Invest in the best prevention

Used by researchers, security operations teams, and others

Open-source Intelligence (OSINT)

Open-source

  • Publicly available sources
  • A good place to start

Internet

  • Discussion groups, social media

Government data

  • Mostly public hearings, reports, websites, etc.

Commercial data

  • Maps, financial reports, databases

Proprietary/Third-party Intelligence

Someone else has already compiled the threat information

  • You can buy it

Threat intelligence services

  • Threat analysis
  • Correlation across different data sources

Constant threat monitoring

  • Identify new threats
  • Create automated prevention workflows

Information-sharing Organization

Public threat intelligence

  • Often classified information

Private threat intelligence

  • Private companies have extensive resources

Need to share critical security details

  • Real-time, high-quality cyber threat information sharing

Cyber Threat Alliance (CTA)

  • Members upload specifically formatted threat intelligence
  • CTA scores each submission and validates across other submissions
  • Other members can extract the validated data

Dark Web Intelligence

Dark website

  • Overlay networks that use the Internet
  • Requires specific software and configurations to access

Hacking groups and services

  • Activities
  • Tools and techniques
  • Credit card sales
  • Accounts and passwords

Monitor forums for activity

  • Company names, executive names

Penetration Testing

Pentest

  • Simulate an attack

Similar to vulnerability scanning

  • Except we actually try to exploit the vulnerabilities

Often a compliance mandate

  • Regular penetration testing by a 3rd-party

National Institute of Standards and Technology

Rules of Engagement

An important document

  • Defines purpose and scope
  • Makes everyone aware of the test parameters

Type of testing and schedule

  • On-site physical breach, internal test, external test
  • Normal working hours, after 6 PM only, etc.

The rules

  • IP address ranges
  • Emergency contacts
  • How to handle sensitive information
  • In-scope and out-of-scope devices or appliances

Exploiting Vulnerabilities

Try to break into the system

  • Be careful; this can cause a denial of service or loss of data
  • Buffer overflows can cause instability
  • Gain privilege escalation

You may need to try many vulnerability types

  • Password brute-force
  • Social engineering
  • Database injections
  • Buffer overflows

You will only be sure you’re vulnerable if you can bypass security

  • If you can get through, the attackers can get through

The Process

Initial exploitation

  • Get into the network

Lateral movement

  • Move from system to system
  • The inside of the network is relatively unprotected

Persistence

  • Once you are there, you need to make sure there is a way back in
  • Set up a backdoor, build user accounts, change or verify default passwords

The pivot

  • Gain access to systems that would normally not be accessible
  • Use a vulnerable system as a proxy or relay

Responsible Disclosure Program

It takes tie to fix a vulnerability

  • Software changes, testing, deployment, etc.

Bug bounty programs

  • A reward for discovering vulnerabilities
  • Earn money for hacking a system
  • Document the vulnerability to earn cash

A controlled information release

  • Researcher reports the vulnerability
  • Manufacturer creates a fix
  • The vulnerability is announced publicly

Analyzing Vulnerabilities

Dealing with False Information

False positives

  • A vulnerability is identified that doesn’t really exist

This is different from a low-severity vulnerability

  • It’s real, but it may not be your highest priority

False negatives

  • A vulnerability exists, but you didn’t detect it

Update to the latest signatures

  • If you don’t know about it, you can’t see it

Work with the vulnerability detection manufacturer

  • They may need to update their signatures for your environment

Prioritizing Vulnerabilities

Not every vulnerability shares the same priority

  • Some may not be significant
  • Others may be critical

This may be difficult to determine

  • The research has probably already been done

Refer to public disclosures and vulnerability databases

  • The industry is well versed
  • Online discussion groups, public disclosure mailing lists

CVSS

National Vulnerability Database

Common Vulnerability Scoring System (CVSS)

  • Quantitative scoring of a vulnerability — 0 to 10
  • The scoring standards change over time
  • Different scoring for CVSS 2.0 vs. CVSS 3.x

Industry collaboration

  • Enhanced feed sharing and automation

CVE

The vulnerabilities can be cross-referenced online

  • Almost all scanners give you a place to go

National Vulnerability Database

Common Vulnerabilities and Exposure (CVE)

Microsoft Security Bulletins

Some vulnerabilities cannot be definitively identified

  • You will have to check manually to see if a system is vulnerable
  • The scanner gives you a heads-up

Vulnerability Classification

The scanner looks for everything

  • Well, not everything — The signatures are the key

Application scans

  • Desktop, mobile apps

Web application scans

  • Software on a web server

Network scans

  • Misconfigured firewalls, open ports, vulnerable devices

Exposure Factor

Loss of value or business activity if the vulnerability is exploited

  • Usually expressed as a percentage

A small DDoS may limit access to a service

  • 50% exposure factor A buffer overflow may completely disable a service
  • 100% exposure factor

A consideration when prioritizing

  • Worst possible outcome probably gets priority

Environmental Variables

What type of environment is associated with this vulnerability?

  • Internal server, public cloud, test lab

Prioritization and patching frequency

  • A device in an isolated test lab
  • A database server in the public cloud
  • Which environment gets priority?

Every environment is different

  • Number and type of users (internal, external)
  • Revenue generating application
  • Potential for exploit

Industry/Organizational Impact

Some exploits have signal-to-noise consequences

  • The type of organization is an important consideration

Tallahassee Memorial Healthcare — February 2023

  • Ransomware — closed for two weeks
  • Diverted emergency cases, surgeries cancelled

Power utilities — Salt Lake City, Utah and LA County, California — March 2019

  • DDoS attacks from an unpatched known vulnerability

Risk Tolerance

The amount of risk acceptable to an organization

  • It’s important to remove all risk

The timing of security patches

  • Patching immediately doesn’t allow for proper testing

Testing takes time

  • While you’re testing, you’re also vulnerable

There’s a middle ground

  • May change based on the severity

Vulnerability Remediation

Patching

The most common mitigation technique

  • We know the vulnerability exists
  • We have a patch file to install

Scheduled vulnerability/patch notices

  • Monthly, quarterly

Unscheduled patches

  • Zero-day, often urgent

This is an ongoing process

  • The patches keep coming
  • An easy way to prevent most exploits

Insurance

Cybersecurity insurance coverage

  • Lost revenue
  • Data recovery costs
  • Money lost to phishing
  • Privacy lawsuit costs

Doesn’t cover everything

  • Intentional acts, funds transfers, etc.

Ransomware has increased popularity of cybersecurity liability insurance

  • Applies to every organization

Segmentation

Limit the scope of an exploit

  • Separate devices into their own networks/VLANs

A breach would have limited scope

  • It’s not as bad as it could be

Can’t patch?

  • Disconnect from the world
  • Air gaps may be required

Use internal NGFWS

  • Block unwanted/unnecessary traffic between VLANs
  • Identify malicious traffic on the inside

Physical Segmentation

Separate devices

  • Multiple units, separate infrastructure

Logical Segmentation with VLANs

Virtual Local Area Network (VLANs)

  • Separated logically instead of physically
  • Cannot communicate between VLANs without a layer 3 device/router

Compensating Controls

Optimal security methods may not be available

  • Can’t deploy a patch right now
  • No internal firewalls

Compensate in other ways

  • Disable the problematic service
  • Revoke access to the application
  • Limit external access
  • Modify internal security controls and software firewalls

Provide coverage until a patch is deployed

  • Or similar optimal security response

Exceptions and Exemptions

Removing the vulnerability is optimal

  • But not everything can be patched

A balancing act

  • Provide the service, but also protect the data and systems

Not all vulnerabilities share the same severity

  • May require local login, physical access, or other criteria

An exception may be an option

  • Usually a formal process to approve

Validation of Remediation

The vulnerability is now patched

  • Does the patch really stop the exploit?
  • Did you patch all vulnerable systems?

Rescanning

  • Perform an extensive vulnerability scan

Audit

  • Check remediated systems to ensure the patch was successfully deployed

Verification

  • Manually confirm the security of the system

Reporting

Ongoing checks are required

  • New vulnerabilities are continuously discovered

Difficult (or impossible) to manage without automation

  • Manual checks would be time-consuming

Continuous reporting

  • Number of identified vulnerabilities
  • Systems patched vs. unpatched
  • New threat notifications
  • Errors, exception, and exemptions

Security Monitoring

Security Monitoring

The attackers never sleep

  • 24/7/365

Monitor all entry points

  • Logins, publicly available services, data storage locations, remote access

React to security events

  • Account access, firewall rule base, additional scanning

Status dashboards

  • Get the status of all systems at a glance

Monitoring Computing Resources

Systems

  • Authentication — logins from strange places
  • Server monitoring — Service activity, backups, software versions

Applications

  • Availability — Uptime and response times
  • Data transfers — Increases or decreases in rates

Infrastructure

  • Remote access systems — Employees, vendors, guests
  • Firewall and IPS reports — Increase or type of attack

Log Aggregation

SIEM or SEM (Security Information and Event Manager)

  • Consolidate different logs to a central database
  • Servers, firewalls, VPN concentrators, SANs, cloud services

Centralized reporting

  • All information in one place

Correlation between diverse systems

  • View authentication and access
  • Track application access
  • Measure and report on data transfers

Scanning

A constantly changing threat landscape

  • New vulnerabilities discovered daily
  • Many business applications and services
  • Systems and people are always moving

Actively check systems and devices

  • OS types and versions
  • Device driver options
  • Installed applications
  • Potential anomalies

Gather the raw details

  • A valuable database of information

Reporting

Analyze the collected data

  • Create “actionable” reports

Status information

  • Number of devices up to date/in compliance
  • Devices running older OSes

Determine best next steps

  • A new vulnerability is announced
  • How many systems are vulnerable?

Ad hoc information summaries

  • Prepare for the unknown

Archiving

It takes an average of about 9 months for a company to identify and contain a breach

  • IBM security report, 2022

Access to data is critical

  • Archive over an extended period

May have a mandate

  • State for federal law
  • Or organizational requirements

Alerting

Real-time notification of security events

  • Increase in authentication errors
  • Large file transfers

Actionable data

  • Keep the right people informed
  • Enable quick response and status information

Notification methods

  • SMS/text
  • Email
  • Security console/SOC

Alert Response and Remediation

Quarantine

  • A foundational security response
  • Prevent a potential security issue from spreading

Alert tuning

  • A balancing act
  • Prevent false positives and false negatives

An alert should be accurate

  • This is an ongoing process
  • The tuning gets better as time goes on

Security Tools

Security Content Automation Protocol (SCAP)

Many security tools on the market

  • NGFWs, IPS, vulnerability scanners, etc.
  • They all have their own way of evaluating a threat

Managed by National Institute of Standards and Technology (NIST)

Allows tools to identify and act on the same criteria

  • Validate the security configuration
  • Confirm patch installs
  • Scan for a security breach

Using SCAP

SCAP content can be shared between tools

  • Focused on configuration compliance
  • Easily detect applications with known vulnerabilities

Especially useful in large environments

  • Many OSes and applications

This specification standard enables automation

  • Even between different tools

Automation types

  • Ongoing monitoring
  • Notification and alerting
  • Remediation of noncompliant systems

Benchmarks

Apply security best-practices to everything

  • OSes, cloud providers, mobile devices, etc.
  • The bare minimum for security settings

Example: Mobile device

  • Disable screenshots, disable screen recordings, prevent voice calls when locked, force encryption backups, disable additional VPN profiles, configure a “lost phone” message, etc.

Popular benchmarks — Center for Internet Security (CIS)

Agents/Agentless

Check to see if the device is in compliance

  • Install a software agent onto the device
  • Run an on-demand agentless check

Agents can usually provide more details

  • Always monitoring for real-time notifications
  • Must be maintained and updated

Agentless runs without a formal install

  • Performs the check, then disappears
  • Does not require ongoing updates to an agent
  • Will not inform or alert if not running

SIEM

Security Information and Event Management

  • Logging of security events and information

Log collection of security alerts

  • Real-time information

Log aggregation and long-term storage

  • Usually includes advanced reporting features

Data correlation

  • Link diverse data types

Forensic analysis

  • Gather details after an event

Anti-virus and Anti-malware

Anti-virus is the popular term

  • Refers specifically to a type of malware
  • Trojans, worms, macro viruses

Malware refers to the broad malicious software category

  • Anti-malware stops spyware, ransomware, fileless malware

The terms are effectively the same these days

  • The names are more of a marketing tool
  • Anti-virus software is also anti-malware software now
  • Make sure your system is using a comprehensive solution

Data Loss Prevention (DLP)

Where’s your data?

  • Social Security Numbers, Credit Card Numbers, Medical Records

Stop the data before the attacker gets it

  • Data “leakage”

So many sources, so many destinations

  • Often requires multiple solutions
  • Endpoint clients
  • Cloud-based systems
    • Email, cloud storage, collaboration tools

SNMP

Simple Network Management Protocol

  • A database of data (MIB) — Management Information Base
  • The database contains OIDS — Object identifiers
  • Poll devices over udp/161

Request statistics from a device

  • Server, firewall, workstation, switch, router, etc.

Graphing with SNMP

SNMP traps

Most SNMP operations expect a poll

  • Devices then respond to the SNMP request
  • This requires constant polling

SNMP traps can be configured on the monitored device

  • Communicates over udp/162

Set a threshold for alerts

  • If the number of CRC errors increases by 5, send a trap
  • Monitoring station can be reacted immediately

NetFlow

Gather traffic statistics from all the traffic flows

  • Shared communication between devices

NetFlow

  • Standard collection method
  • Many products and options

Probe and collector

  • Probe watches network communication
  • Summary records are sent to the collector

Usually a separate reporting app

  • Closely tied to the collector

Vulnerability Scanner

Usually minimally invasive

  • Unlike a penetration test

Port scan

  • Poke around and see what’s open

Identify systems

  • And security devices

Test from the outside and inside

  • Don’t dismiss insider threats

Gather as much information as possible

  • We’ll separate wheat from chaff later

Enterprise Security

Firewalls

Network-based Firewalls

Filter traffic by port number of application

  • Traditional vs. NGFW

Encrypt traffic

  • VPN between sites

Most firewalls can be layered 3 devices (router)

  • Often sits on the ingress/egress of the network
  • Network Address Translation (NAT)
  • Dynamic routing

Next-generation Firewalls (NGFW)

The OSI Application Layer

  • Layer 7 firewall

Can be called different names

  • Application layer gateway
  • Stateful multilayer inspection
  • Deep packet inspection

Requires some advanced decodes

  • Every packet must be analyzed, categorized, and a security decision determined

Ports and Protocols

Make a forwarding decisions based on protocols (TCP or UDP) and port number

  • Traditional port-based firewalls
  • Add to an NGFW for additional security policy options

Based on destination protocol and port

  • Web server: tcp/80, tcp/443
  • SSH server: tcp/22
  • Microsoft RDP: tcp/3389
  • DNS query: udp/53
  • NTP:udp/123

Firewall Security Policies:

Firewall Rules

A logical path

  • Usually top-to-bottom

Can be very general or very specific

  • Specific rules are usually at the top

Implicit deny

  • Most firewalls include deny at the bottom
    • Even if you didn’t put one

Access control lists (ACLS)

  • Allow or disallow traffic
  • Groupings of categories — Source IP, Destination IP, port number, time of day, application, etc.

Web Server Firewall Ruleset

Screened subnet

An additional layer of security between you and the Internet

  • Public access to public resources
  • Private data remains inaccessible

IPS Rules

Intrusion Prevention System

  • Usually integrated into an NGFW

Different ways to find malicious traffic

  • Look at traffic as it passes by

Signature-based

  • Look for a perfect match

Anomaly-based

  • Build a baseline of what’s “normal”
  • Unusual traffic patterns are flagged

You determine what happens when unwanted traffic appears

  • Block, allow, send an alert, etc.

Thousands of rules

  • Or more

Rules can be customized by group

  • Or as individual rules

This can take time to find the right balance

  • Security/alert “noise”/false positives

Web Filtering

Content filtering

Control traffic based on data within the content

  • URL filtering, website category filtering

Corporate control of outbound and inbound data

  • Sensitive materials

Control of inappropriate content

  • Not safe for work
  • Parental controls

Protection against evil

  • Anti-virus, anti-malware

URL Scanning

Allow or restrict on Uniform Resource Locator (URL)

  • Also called a Uniform Resource Identifier (URI)
  • Allow list/Block list

Managed by category

  • Auction, hacking, malware, travel, recreation, etc.

Can have limited control

  • URLs aren’t the only way to surf

Often integrated into an NGFW

  • Filters traffic based on category or specific URL

Agent Based

Install client software on the user’s device

  • Usually managed from a central console

Users can be located anywhere

  • The local agent makes the filtering decisions
  • Always-on, always filtering

Updates must be distributed to all agents

  • Cloud-based updates
  • Update status shown at the console

Proxies

  • Sits between the users and the external network
  • Receive the user requests and sends the request on their behalf (the proxy)
  • Useful for caching information, access control, URL filtering, content scanning
  • Applications may need to know how to use the proxy (explicit)
  • Some proxies are invisible (transparent)

Forward Proxy

A centralized “internal proxy”

  • Commonly used to protect and control user access to the Internet

Block Rules

Based on specific URL

  • *.professormesser.com:Allow

Category of site content

  • Usually divided into over 50 different topics
  • Adult, Educational, Gambling, Government, Home and Garden, Legal, Malware, News, etc.

Different dispositions

  • Educational: Allow
  • Home and Garden: Allow and Alert
  • Gambling: Block

Reputation

Filters URLs based on perceived risk

  • A good reputation is allowed
  • A bad reputation is blocked
  • Risk: Trustworthy, Low risk, Medium risk, Suspicious, High risk

Automated reputation

  • Sites are scanned and assigned a reputation

Manual reputation

  • Managers can administratively assign a rep

Add these dispositions to the URL filter

  • High risk: Block, Trustworthy: Allow

DNS filtering

Before connecting to a website, get the IP address

  • Perform a DNS lookup

DNS is updated with real-time threat intelligence

  • Both commercial and public lists

Harmful sites are not connection

  • No IP address, no connection

This works for any DNS lookup

  • Not just web filtering

Operating System Security

Active Directory

A database of everything on the network

  • Computers, user accounts, file shares, printers, groups, and more
  • Primarily Windows-based

Manage authentication

  • Users login using their AD credentials

Centralized access control

  • Determine which users can access resources

Commonly used by the help desk

  • Reset passwords, add and remove accounts

Group Policy

Manage the computers or users with Group Policies

  • Local and Domain policies
  • Group Policy Management Editor

A central console

  • Login scripts
  • Network configurations (QoS)
  • Security parameters

Comprehensive control

  • Hundreds of configuration options

Security-Enhanced Linux (SELinux)

Security patches for Linux Kernel

  • Adds mandatory access control (MAC) to Linux
  • Linux traditionally uses discretionary Access Control (DAC)

Limits application access

  • The Least privilege
  • A potential breach will have limited scope

Open-source

  • Already included as an option with many Linux distributions

Secure Protocols

Unencrypted Network Data

Network traffic is important data

  • Everything must be protected

Some protocols aren’t encrypted

  • All traffic sent in the clear
  • Telnet, FTP, SMTP, IMAP

Verify with a packet capture

  • View everything sent over the network

Protocol Selection

Use a secure application protocol

  • Built-in encryption

A secure protocol may not be available

  • This may be a deal-breaker

Port Selection

Secure and insecure application connections may be available

  • It’s common to run secure and insecure on different ports

HTTP and HTTPS

  • In-the-clear and encryption web browsing
  • HTTP: Port 80
  • HTTPS: Port 443

The port number does not guarantee security

  • Confirm the security features are enabled
  • Packet captures may be necessary

Transport method

Don’t rely on the application

  • Encrypt everything over the current network transport

802.11 Wireless

  • Open access point: No transport-level encryption
  • WPA3: All user data is encrypted

Virtual Private Network (VPN)

  • Create an encrypted tunnel
  • All traffic is encrypted and protected
  • Often requires third-party services and software

VPN Tunnel:

Email Security

Email Security Challenges

The protocols used to transfer emails include relatively few security checks

  • It’s very easy to spoof an email

Spoofing happens all the time

  • Check your spam folder

The email looks as if it originated from james@professormesser.com

  • But did it? How can you tell?

A reputable sender will configure email validation

  • Publicly available on the sender’s DNS server

Mail Gateway

The gatekeeper

  • Evaluates the source of inbound email messages
  • Blocks it at the gateway before it reaches the user
  • On-site or cloud-based

Sender Policy Framework (SPF)

SPF protocol

  • Sender configures a list of all servers authorized to send emails for a domain

List of authorized mail servers are added to a DNS TXT record

  • Receiving mail servers perform a check to see if incoming mail really did come from an authorized host

Domain Keys Identified Mail (DKIM)

A mail server digitally signs all outgoing mail

  • The public key is in the DKIM TXT record

The signature is validated by the receiving mail servers

  • Not usually seen by the end user

DMARC

Domain-based Message Authentication, Reporting, and Conformance (DMARC)

  • An extension of SPF and DKIM

The domain owner decides what receiving email servers should do with emails not validating using SPF and DKIM

  • That policy is written into a DNS TXT record
  • Accept all, send to spam, or reject the email

Compliance reports are sent to the email administrator

  • The domain owner can see how emails are received

Monitoring Data

FIM (File Integrity Monitoring)

Some files change all the time

  • Some files should NEVER change

Monitor important OS and application files

  • Identify when changes occur

Windows — SFC (System File Checker)

Linux — Tripwire

Many host-based IPS options

Data Loss Prevention (DLP)

Where’s your data?

  • Social Security Numbers, credit card numbers, medical records

Stop the data before the attackers get it

  • Data “leakage”

So many sources, so many destinations

  • Often requires multiple solutions in different places

Data Loss Prevention (DLP) Systems

On your computer

  • Data in use
  • Endpoint DLP

On your network

  • Data in motion

On your server

  • Data at rest

USB Blocking

DLP on a workstation

  • Allow or deny certain tasks

November 2008 — U.S. Department of Defense

  • Worm virus “agent.btz” replicates using USB storage
  • Bans removable flash media and storage devices

All devices had to be updated

  • Local DLP agent handled USB blocking

Ban was lifted in February 2010

  • Replaced with strict guidelines

Cloud-based DLP

Located between users and the Internet

  • Watch every byte of network traffic
  • No hardware, no software

Block custom defined data strings

  • Unique data for your organization

Manage access to URLs

  • Prevent file transfers to cloud storage

Block viruses and malware

  • Anything traversing the network

DLP and Email

Email continue to be the most critical risk vector

  • Inbound threats, outbound data loss

Check every email inbound and outbound

  • Internal system or cloud-based

Inbound

  • Block keywords, identify impostors, quarantine email messages

Outbound

  • Fake wire transfers, W-2 transmissions, employee information

Emailing a spreadsheet template

November 2016

Boeing employee emails spouse a spreadsheet to use as a template

Contained the personal information of 36000 Boeing employees

  • In hidden columns
  • Social security numbers, data of birth, etc.

Boeing sells its own DLP software

  • But only uses it for classified work

Endpoint Security

The endpoint

The user’s access

  • Applications and data

Stop the attackers

  • Inbound attacks
  • Outbound attacks

Many platforms

  • Mobile, desktop

Protection is multi-faceted

  • Defense in depth

Edge vs. Access Control

Control at the edge

  • Your Internet link
  • Managed primarily through firewall rules
  • Firewall rules rarely change

Access control

  • Control from wherever you are
    • Inside or outside
  • Access can be based on many rules
    • By user, group, location, application, etc.
  • Access can be easily revoked or changed
    • Change your security posture at any time

Posture Assessment

You can’t trust everyone’s computer

  • BYOD (Bring Your Own Device)
  • Malware infections/missing anti-malware
  • Unauthorized applications

Before connecting to the network, perform a health check

  • Is it a trusted device?
  • Is it running anti-virus? Which one? Is it updated?
  • Are corporate applications installed?
  • Is it a mobile device? Is the disk encrypted?
  • The type of device doesn’t matter — Windows, Mac, Linux, iOS, Android

Health Checks/Posture Assessment

Persistent agents

  • Permanently installed onto a system
  • Periodic updates may be required

Dissolvable agents

  • No installation is required
  • Runs during the posture assessment
  • Terminates when no longer required

Agentless NAC

  • Integrated with AD
  • Checks are made during login and logoff
  • Can’t be scheduled

Failing your Assessment

What happens when a posture assessment fails?

  • Too dangerous to allow access

Quarantine network, notify administrators

  • Just enough network access to fix the issues

Once resolved, try again

  • May require additional fixes

Endpoint Detection and Response (EDR)

A different method of threat protection

  • Scale to meet the increasing number of threats

Detect a threat

  • Signatures aren’t the only detection tool
  • Behavioral analysis, machine learning, process monitoring
  • Lightweight agent on the endpoint

Investigate the threat

  • Root cause analysis

Respond to the threat

  • Isolate the system, quarantine the threat, rollback to a previous config
  • API driven, no user or technician intervention required

Extended Detection and Response (XDR)

An evolution of EDR

  • Improve missed detections, false positives, and long investigation times
  • Attacks involve more than just the endpoint

Add network-based detection

  • Investigate and respond to network anomalies

Correlate endpoint, network, and cloud data

  • Improve detection rates
  • Simplify security event investigation

User Behavior Analytics

XDR commonly includes user behavior analytics

  • Extend the scope of anomaly detection

Watch users, hosts, network traffic, data repositories, etc.

  • Create a baseline or normal activity
  • Requires data analysis over an extended period

Watch for anything unusual

  • Use a set of rules, pattern matching, statistical analysis

Real-time detection of unusual activity

  • Catch the threat early

Identity and Access Management

Identity and Access Management (IAM)

Identity lifecycle management

  • Every entity (human and non-human) gets a digital identity

Access control

  • An entit only get access to what they need

Authentication and authorization

  • Entities must prove they are who they claim to be

Identity governance

  • Track an entity’s resource access
  • It may be a regulatory requirement

Provisioning/De-provisioning User Accounts

The user account creation process

  • And the account removal process

Provisioning and de-provisioning occurs for certain events

  • Hiring, transfers, promotions, job separation

Account details

  • Name, attributes, group permissions, other permissions

An important part of the IAM process

  • An initial checkpoint to limit access
  • Nobody gets Administrator access

Permission Assignments

Each entity gets limited permissions

  • Just enough to do their job
  • Group assignments are common

Storage and files can be private to that user

  • Even if another person is using the same computer

No privilege access to the OS

  • Specifically not allowed on a user account

Identity Proofing

I could be anyone

  • The IAM process should confirm who I am

Resolution

  • Who the system thinks you are

Validation

  • Gathering information from the user (password, security questions, etc.)

Verification/Attestation

  • Passport, in-person meeting, etc.
  • Automated verification is also an option

Gaining Access:

Single sign-on (SSO)

Provide credentials one time

  • Get access to all available or assigned resources
  • No additional authentication required

Usually limited by time

  • A single authentication can work for 24 hours
  • Authenticate again after the timer expires

The underlying authentication infrastructure must support SSO

  • Not always an option

LDAP (Lightweight Directory Access Protocol)

Protocol for reading and writing directories over an IP network

  • An organized set of records, like a phone directory

X.500 specification was written by the International Telecommunications Union (ITU)

  • They know directories!

DAP ran on the OSI protocol stack

  • LDAP is lightweight

LDAP is the protocol used to query and update an X.500 directory

  • Used in Windows Active Directory, Apple OpenDirectory, Novell eDirectory, etc.

X.500 Distinguished Names

attribute = value pairs

Most specific attribute is listed first

  • This may be similar to the way you already think

CN=WIDGETWEB, OU=Marketing, O=Widget, L=London, ST=London, C=GB, DC=com

X.500 Directory Information Tree

Hierarchical structure

  • Builds a tree

Container objects

  • Country, organization, organizational units

Leaf objects

  • Users, computers, printers, files

Security Assertion Markup Language (SAML)

Open Standard for authentication and authorization

  • You can authenticate through a third party to gain access
  • One standard does it all, sort of

Not originally designed for mobile apps

  • This has been SAML’s largest roadblock

The SAML Authentication Flow:

OAuth

Authorization framework

  • Determines what resources a user will be able to access

Created by Twitter, Google, and many others

  • Significant industry support

Not an authentication protocol

  • OpenID Connect handles the single sing-on authentication
  • OAuth provides authorization between applications

Federation

Provide network access to others

  • Not just employees — Partners, suppliers, customers, etc.
  • Provides SSO and more

Third-parties can establish a federated network

  • Authenticate and authorize between the two organizations
  • Login with your Facebook credentials

The third party must establish a trust relationship

  • And the degree of the trust

Interoperability

Many ways to communicate with an authentication server

  • More than a simple login process

Often determined by what is at hand

  • VPN concentrator can talk to an LDAP server
  • We have an LDAP server

A new app uses OAuth

  • Need to allow authentication API access

The interoperability is dependent on the environment

  • This is often part of a much larger IAM strategy

Access Controls

Authorization

  • The process of ensuring only authorized rights are exercised
  • Policy enforcement
  • The process of determining rights
  • Policy definition

User receive rights based on Access Control models

  • Different business needs or mission requirements

Least Privilege

Rights and permissions should be set to the bare minimum

  • You only get exactly what’s needed to complete your objective

All user accounts must be limited

  • Applications should run with minimal privileges

Don’t allow users to run with administrative privileges

  • Limits the scope of malicious behavior

Mandatory Access Control (MAC)

The OS limits the operation on an object

  • Based on security clearance levels

Every object gets a label

  • Confidential, secret, top secret, etc.

Labeling of objects uses predefined rules

  • The administrator decides who gets access to what security level
  • Users cannot change these settings

Discretionary Access Control (DAC)

Used in most OSes

  • A familiar access control model

You create a spreadsheet

  • As the owner, you control who has access
  • You can modify access at any time

Very flexible access control

  • And very weak security

Role-based Access Control (RBAC)

You have a role in your organization

  • Manager, director, team lead, project manager

Administrators provide access based on the role of the user

  • Rights are gained implicitly instead of explicitly

On Windows, use Groups to provide role-based access control

  • You are in shipping and receiving, so you can use the shipping software
  • You are the manager, so you can review shipping logs

Generic term for following rules

  • Conditions other than who you are

Access is determined through system-enforced rules

  • System administrators, not users

The rule is associated with the object

  • System checks the ACLs for that object

Rules examples

  • Lab network access is only available between 9 AM and 5 PM
  • Only Chrome browsers may complete this web form

Attribute-based Access Control (ABAC)

Users can have complex relationships to application and data

  • Access may be based on many criteria

ABAC can consider many parameters

  • A “next-generation” authorization model
  • Aware of context

Combine and evaluate multiple parameters

  • Resource information, IP address, time of day, desired action, relationship to the data, etc.

Time-of-day Restrictions

Almost all security devices include a time-of-day option

  • Restrict access during certain times or days of the week
  • Usually not the only access control

Can be difficult to implement

  • Especially in a 24-hour environment

Time-of-day restrictions

  • Training room network is inaccessible between midnight and 6 AM
  • Conference room access is limited after 8 PM
  • R&D databases are only after between 8 AM and 6 PM

Multifactor Authentication

Prove who you are

  • Use different methods
  • A memorized password
  • A mobile app
  • Your GPS location

Factors

  • Something you know
  • Something you have
  • Something you are
  • Somewhere you are

There are other factors as well

Something You Know

Password

  • Secret word/phrase, string of characters
  • Very common authentication factor

PIN

  • Personal Identification Number
  • Not typically contained anywhere on a smart card or ATM card

Pattern

  • Complete a series of patterns
  • Only you know the right format

Something You Have

Smart card

  • Integrates with devices
  • May require a PIN

USB security key

  • Certificate is on the USB devices

Hardware or software tokens

  • Generates pseudo-random authentication codes

Your phone

  • SMS a code to your phone

Something You are

Biometric authentication

  • Fingerprints, iris scan, voiceprint

Usually stores a mathematical representation of your biometric

  • Your actual fingerprint isn’t usually saved

Difficult to change

  • You can change your password
  • You can’t change your fingerprint

Used in very specific situations

  • Not foolproof

Somewhere You are

Provide a factor based on your location

  • The transaction only completes if you are in a particular geography

IP address

  • Not perfect, but can help provide more info
  • Works with IPv4, not so much with IPv6

Mobile device location services

  • Geolocation to a very specific area
  • Must be in a location that can receive GPS information or near an identified mobile or 802.11 network
  • Still not a perfect identifier of location

Password Security

Password Complexity and Length

Make your password strong

  • Resist guessing or brute-force attack

Increase password entropy

  • No single words, no obvious passwords
  • Mix upper and lower case letters, numbers, and special characters

Stronger passwords are commonly at least 8 characters

  • These requirements change as processing speed gets faster
  • Consider a phrase or set of words

Password Age and Expiration

Password age

  • How long since a password was modified

Password expiration

  • Password works for a certain amount of time
  • 30 days, 60 days, 90 days, etc.
  • After the expiration date, the password doesn’t work
  • System remembers password history, requires unique passwords

Critical systems might change more frequently

  • Every 15 days or every week

Password Managers

Important to use different passwords for each account

  • Remembering all of them would be impractical

Store all of your passwords in a single database

  • Encrypted, protected
  • Can include multifactor tokens

Built-in, many OSes

  • And some browsers

Enterprise password managers

  • Centralized management and recovery options

Passwordless Authentication

Many breaches are due to poor password control

  • Weak passwords, insecure implementation

Authenticate without a password

  • This solves many password management issues

You may already be passwordless

  • Facial recognition, security key, etc.

Passwordless may not be the primary authentication method

  • Used with a password or additional factors

Just-in-time permissions

In many organizations, the IT team is assigned administrator/root elevated account rights

  • This would be a great account to attack

Grant admin access for a limited time

  • No permanent administrator rights
  • The principles of least privilege

A breached user account never has elevated rights

  • Narrow the scope of a breach

Request access from a central clearinghouse

  • Grants to denies based on predefined security policies

Password vaulting

  • Primary credentials are stored in password vault
  • The vault controls who get access to credentials

Accounts are temporary

  • Just-in-time process creates a time-limited account
  • Administrator receives ephemeral credentials
  • Primary passwords are never released
  • Credentials are used for one session then deleted

Automation and Orchestration

Scripting and Automation

Automate and orchestrate

  • You don’t have to be there
  • Solve problems in your sleep
  • Monitor and resolve problems before they happen

The need for speed

  • The script is as fast as the computer
  • No typing or delays
  • No human error

Automate mundane tasks

  • You can do something more creative

Automation Benefits

Save time

  • No typing required
  • Run multiple times, over and over

Enforce baselines

  • Missing an important security patch
  • Automatically install when identified

Standard infrastructure configurations

  • Use a script to build a default router config
  • Add firewall rules to a new security appliance
  • IP configurations, security rules, standard configuration options

Secure scaling

  • Orchestrate cloud resources
  • Quickly scale up and down
  • Automation ensures proper security also scales

Employee retention

  • Automate the boring stuff
  • Ease the workload
  • Minimize the mundane tasks
  • Employees work is rewarding instead of repetitive

Reaction time

  • The computer is much faster than you
  • An event can be addressed immediately
  • A script doesn’t need a wake-up call

Workforce multiplier

  • Scripting works 24/7
  • Allows the smart people to do smarter work somewhere else

Cases for automation

User and resource provisioning

  • On-boarding and off-boarding
  • Assign access to specific resources

Guard rails

  • A set of automated validations
  • Limit behaviors and responses
  • Constantly check to ensure proper implementation
  • Reduce errors

Security groups

  • Assign (or remove) group access
  • Constant audits without human intervention

Ticket creation

  • Automatically identify issues
  • Script email submissions into a ticket

Escalation

  • Correct issues before involving a human
  • If issue isn’t resolved, contact the on-call tech

Controlling services and access

  • Automatically enable and disable services
  • No set and forget

Continuous integration and testing

  • Constant development and code updates
  • Securely test and deploy

Integrations and application programming interfaces (APIs)

  • Interact with third-party devices and services
  • Cloud services, firewalls, OSes
  • Talk their language

Scripting considerations

Complexity

  • Many moving parts
  • All the parts have to reliably work together

Cost

  • It takes money to create the script
  • It takes money to implement the automation

Single point of failure

  • What happens if the script stops working?
  • This could be a significant deal-breaker

Technical debt

  • Patching problems may push the issue down the road
  • It’s going to be more expensive to fix later

Ongoing supportability

  • The script works great today
  • The script may not work great tomorrow
  • Plan for changes and updates

Incident Response

Incident Response

Security incidents

User clicks an email attachment and executes malware

  • Malware then communicates with external servers

DDoS

  • Botnet attack

Confidential information is stolen

  • Thief wants money, or it goes public

User installs peer-to-peer software and allows external access to internal servers

NIST SP800-61

National Institute of Standards and Technology

  • NIST Special Publication 800-61 Revision 2
  • Computer Security Incident Handling Guide

The incident response lifecycle:

  • Preparation
  • Detection and Analysis
  • Containment, Eradication, and Recovery
  • Post-incident Activity

Preparing for an Incident

Communication methods

  • Phones and contact information

Incident handling hardware and software

  • Laptops, removable media, forensic software, digital cameras, etc.

Incident analysis resources

  • Documentation, network diagrams, baselines, critical file hash values

Incident mitigation software

  • Clean OS and application images

Policies needed for incident handling

  • Everyone knows what to do

The Challenge of Detection

Many detection sources

  • Different levels of detail, different levels of perception

A large amount of “volume”

  • Attacks are incoming all the time
  • How do you identify the legitimate threats?

Incidents are almost always complex

  • Extensive knowledge needed

Analysis

An incident might occur in the future

  • This is your heads-up

Web server log

  • Vulnerability scanner in use

Exploit announcement

  • Monthly Microsoft patch release, Adobe PDF software update

Direct threats

  • A hacking group doesn’t like you

An attack is underway

  • Or an exploit is successful

Buffer overflow attempt

  • Identified by an intrusion detection/prevention system

Anti-virus software identifies malware

  • Deletes from OS and notifies administrator

Host-based monitor detects a configuration change

  • Constantly monitors system files

Network traffic flows detect deviate from the norm

  • Requires constant monitoring

Isolation and Containment

Generally a bad idea to let things run their course

  • an incident can spread quickly
  • It’s your fault at that point

Sandboxes

  • An isolated OS
  • Run malware and analyze the results
  • Clean out the sandbox when done

Isolation can be sometimes be problematic

  • Malware or infections can monitor connectivity
  • When connectivity is lost, everything could be deleted/encrypted/damaged

Recovery after an Incident

Get things back to normal

  • Remove the bad, keep the good

Eradicate the bug

  • Remove malware
  • Disable breached user accounts
  • fix vulnerabilities

Recover the system

  • Restore from backups
  • Rebuild from scratch
  • Replace compromised files
  • Tighten down the perimeter

Lessons Learned

Learn and improve

  • No system is perfect

Post-incident meeting

  • Invite everyone affected by the incident

Don’t wait too long

  • Memories fade over time
  • Some recommendations can be applied to the next event

Answer the Tough Questions

What happened, exactly?

  • Timestamps of the event

How did your incident plans work?

  • Did the process operate successfully?

What would you do differently next time?

  • Retrospective views provide context

Which indicators would you watch next time?

  • Different precursors may give you better alerts

Training for an Incident

There is limited on-the-job training when a security event occurs

  • Be ready when an incident is identified

Train the team prior to an incident

  • Initial response
  • Investigation plans
  • Incident reporting
  • And more

This can be an expensive endeavor

  • Especially with larger response teams

Incident Planning

Exercising

Test yourselves before an actual event

  • Scheduled update sessions (annual, semi-annual, etc.)

Use well-defined rules of engagement

  • Do not touch the production systems

Very specific scenario

  • Limited time to run the event

Evaluate response

  • Document and discuss

Tabletop Exercises

Performing a full-scale disaster drill can be costly

  • And time-consuming

Many of the logistics can be determined through analysis

  • You don’t physically have to go through a disaster or drill

Get key players together for a tabletop exercise

  • Talk through a simulated disaster

Simulation

Test with a simulated event

  • Phishing attack, password requests, data breaches

Going phishing

  • Create a phishing email attack
  • Send to your actual user community
  • See who bites

Test internal security

  • Did the phishing get past the filter?

Test the users

  • Who clicked?
  • Additional training may be required

Root Cause Analysis

Determine the ultimate cause of an incident

  • Find the root cause by asking “why”

Create a set of conclusions regarding the incident

  • Backed up by the facts

Don’t get tunnel vision

  • There can be more than a single root cause

Mistakes happen

  • The response to the mistake is the difference

Threat Hunting

The constant game of cat and mouse

  • Find the attacker before they find you

Strategies are constantly changing

  • Firewalls get stronger, so phishing gets better

Intelligence data is reactive

  • You can’t see the attack until it happens

Speed up the reaction time

  • Use technology to fight

Digital Forensics

Collect and protect information relating to an intrusion

  • Many data sources and protection mechanisms

RFC 3227 — Guidelines for Evidence Collection and Archiving

  • A good set of best practices

Standard digital forensic process

  • Acquisition, analysis, and reporting

Must be detail oriented

  • Take extensive notes

A legal technique to preserve relevant information

  • Prepare for impending litigation
  • Initiated by legal counsel

Hold notification

  • Custodians are instructed to preserve data

Separate repository for electronically stored information (ESI)

  • Many data sources and types
  • Unique workflow and retention requirements

Ongoing preservation

  • Once notified, there’s an ongoing obligation to preserve data

Chain of Custody

Control evidence

  • Maintain integrity

Everyone who contacts the evidence

  • Use hashes and digital signatures
  • Avoid tampering

Label and catalog everything

  • Digitally tag all items for ongoing documentation
  • Seal and store

Acquisition

Obtain the data

  • Disk, RAM, firmware, OS files, etc.

Some data may not be on a single system

  • Servers, network data, firewall logs

For virtual systems, get a snapshot

  • Contains all files and information about a VM

Look for any left-behind digital items

  • Artifacts
  • Log information, recycle bins, browser bookmarks, saved logins, etc.

Reporting

Document the findings

  • For internal use, legal proceedings, etc.

Summary information

  • Overview of the security event

Detailed explanation of data acquisition

  • Step-by-step method of the process

The findings

  • An analysis of the data

Conclusion

  • Professional results, given the analysis

Preservation

Handling evidence

  • Isolate and protect the data
  • Analyze the data later without any alterations

Manage the collection process

  • Work from copies
  • Manage the data collection from mobile devices

Live collection has become an important skill

  • Data may be encrypted or difficult to collect after powering down

Follow best practices to ensure admissibility of data in court

  • What happens now affects the future

E-discovery

Electronic discovery

  • Collect, prepare, review, interpret, and produce electronic documents

E-discovery gathers data required by the legal process

  • Does not generally involve analysis
  • There’s no consideration of intent

Works together with digital forensics

  • The e-discovery process obtains a storage drive
  • Data on the drive is smaller than expected
  • Forensics experts determine that data was deleted and attempt to recover the data

Security Data Sources

Log Data

Security Log Files

Detailed security-related information

  • Blocked and allowed traffic flows
  • Exploit attempts
  • Blocked URL categories
  • DNS sinkhole traffic

Critical security information

  • Documentation of every traffic flow
  • Summary of attack info
  • Correlate with other logs

Firewall logs

Traffic flows through the firewall

  • Source/destination IP, port numbers, dispositions

Next Generation Firewalls (NGFW)

  • Logs the application used, URL filtering categories, anomalies and suspicious data

Application Logs

Specific to the application

  • Information varies widely

Windows

  • Event Viewer/Application Log

Linux/macOS

  • /var/log

Parse the log details on the SIEM

  • Filter out unneeded info

Endpoint Logs

Attackers often gain access to endpoints

  • Phones, laptops, tablets, desktops, servers, etc.

There’s a lot of data on the endpoint

  • Logon events, policy changes, system events, processes, account management, directory services, etc.

Everything rolls up to the SIEM

  • Security Information and Event Manager

Use with correlation of security events

  • Combine IPS events with endpoint status

OS-specific Security Logs

OS security events

  • Monitoring apps
  • Brute-force, files changes
  • Authentication details

Find problems before they happen

  • Brute force attacks
  • Disabled services

May require filtering

  • Don’t forward everything

IPS/IDS Logs

IPS/IDS

  • Usually integrated into an NGFW

Logs contain information about predefined vulnerabilities

  • Known OS vulnerabilities, generic security events

Common data points

  • Timestamps
  • Type or class of attack
  • Source and destination IP
  • Source and destination port

Network Logs

Switches, routers, access points, VPN concentrators

  • And other infrastructure devices

Network changes

  • Routing updates
  • Authentication issues
  • Network security issues

Metadata

Metadata

  • Data that describes other data sources

Email

  • Header details, sending servers, destination address

Mobile

  • Type of phone, GPS location

Web

  • OS, browser type, IP address

Files

  • Name, address, phone number, title

Vulnerability Scan

Lack of security controls

  • No firewall
  • No anti-virus
  • No anti-malware

Misconfigurations

  • Open shares
  • Guest access

Real vulnerabilities

  • Especially newer ones
  • Occasionally the old ones

Automated Reports

Most SIEMs include a report generator

  • Automate common security reports

May be easy or complex to create

  • The SIEM may have its own report generator
  • Third-party report generators may be able to access the database

Requires human intervention

  • Someone has to read the reports

These can be involved to create

  • Huge data storage and extensive processing time

Dashboards

Real-time status information

  • Get summaries on a single screen

Add or remove information

  • Most SIEMs and reporting systems allow for customization

Shows the most important data

  • Not designed for long-term analysis

Packet Captures

Solve complex application issues

  • Get into the details

Gathers packets on the network

  • Or in the air
  • Sometimes built into the device

View detailed traffic information

  • Identify unknown traffic
  • Verify packet filtering and security controls
  • View a plain-language description of the application data

Security Governance

Security Policies

Security Policies Guidelines

What rules are you following to provide CIA?

  • Confidentiality, Integrity, and Availability

High level strategies

  • Data storage requirements, security events procedures

Detailed security goals

  • Appropriate Wi-Fi usage, requirements for remote access

Security policies answer the “what” and “why”

  • Technical security controls answer the “how”

Information Security Policies

The big list of all security-related policies

  • A centralized resource for processes

Compliance requirements

  • Can be critical to an organization

Detailed security procedures

  • What happens when…?

A list of roles and responsibilities

  • You got this

This is just words and letters

  • An organization must enforce the policy

Acceptable Use Policies (AUP)

What is acceptable use of company assets?

  • Detailed documentation
  • May be documented in the Rules of Behavior

Covers many topics

  • Internet use, telephones, computers, mobile devices, etc.

Used by an organization to limit legal liability

  • If someone is dismissed, these are the well-documented reasons why

Business Continuity

Not everything goes according to plan

  • Disasters can cause a disruption to the norm

We rely on our computer systems

  • Technology is pervasive

There needs to be an alternative

  • Manual transactions
  • Paper receipts
  • Phone calls for transaction approvals

These must be documented and tested before a problem occurs

Disaster Recovery Plan

If a disaster happens, IT should be ready

  • Part of business continuity planning
  • Keep the organization up and running

Disasters are many and varied

  • Natural disasters
  • Technology or system failures
  • Human-created disasters

A comprehensive plan

  • Recovery location
  • Data recovery method
  • Application restoration
  • IT team and employee availability

Security Incidents

User clicks an email attachment and executes malware

  • Malware then communicates with external servers

DDoS

  • Botnet attack

Confidential information is stolen

  • Thief wants money, or it goes public

Incident Response Roles

Incident response team

  • Specialized group, trained and tested

IT security management

  • Corporate support

Compliance officers

  • Intricate knowledge of compliance rules

Technical staff

  • Your team in the trenches

User community

  • They see everything

NIST SP800-61

National Institute of Standards and Technology

  • NIST Special Publication 800-61 Revision 2
  • Computer Security Incident Handling Guide

The incident response lifecycle

  • Preparation
  • Detection and Analysis
  • Containment, Eradication, and Recovery
  • Post-incident Activity

Software Development Lifecycle (SDLC)

Systems development life cycle

  • Or application development life cycle

Many ways to get from idea to app

  • And many moving parts
  • Customer requirements
  • Keep the process on schedule
  • Stay in budget

There is no “best way”

  • But it helps to have a framework
  • There are many options

Change Management

How to make a change

  • Upgrade software, change firewall configuration, modify switch ports

One of the most common risks in the enterprise

  • Occurs very frequently

Often overlooked or ignored

  • Did you feel that bite?

Have clear policies

  • Frequency, duration, installation process, fallback procedures

Sometimes extremely difficult to implement

  • It’s hard to change organizational culture

Security Standards

A formal definition for using security technologies and processes

  • Complete documentation reproduces security risk
  • Everyone understands the expectations

These may be written in-house

  • Your requirements may be unique

Many standards are already available

  • ISO (International Organization for Standardization)
  • NIST (National Institute of Standards and Technology)

Password

What makes a good password?

  • Every organization has their own requirements
  • Create a formal password complexity policy

Define acceptable authentication methods

  • No local accounts, only LDAP to the AD database, etc.

Create policies for secure password resets

  • Avoid unauthorized resets and access

Other password policies

  • Password change frequency, secure password storage requirements, password manager options, etc.

Access Control

How does an organization control access to data?

  • Determine which information, at what time
  • And number which circumstances

Define which access control types can be used

  • No discretionary, mandatory only, etc.

Determine how a user gets access

  • Require privilege documentation

Document how access may be removed

  • Security issues, expiration, contract renewals, etc.

Physical Security

Rules and policies regarding physical security controls

  • Doors, building access, property security

Granting physical access

  • Different for employees vs. visitors

Define specific physical security systems

  • Electronic door locks, ongoing monitoring, motion detection, etc.

Additional security concerns

  • Mandatory escorts, off-boarding, etc.

Encryption

Define specific standards for encrypting and securing data

  • All things cryptographic
  • Can include implementation standards

Password storage

  • Methods and techniques

Data encryption minimums

  • Algorithms for data in use, data in transit, data at rest
  • Will probably be different for each data state

Security Procedures

Change Management

A formal process for managing change

  • Avoid downtime, confusion, and mistakes

Nothing changes without the process

  • Determine the scope of the change
  • Analyze the risk associated with the change
  • Create a plan
  • Get end-user approval
  • Present the proposal to the change control board
  • Have a backout plan if the change doesn’t work
  • Document the changes

On-boarding

Bring a new person into the organization

  • New hires or transfers

IT agreements need to be signed

  • May be part of the employee handbook or a separate AUP

Create accounts

  • Associate the user with proper groups and departments

Provide required IT hardware

  • Laptops, tablets, etc.
  • Preconfigured and ready to go

Off-boarding

All good things…

  • But you know this day would come

This process should be pre-planned

  • You don’t want to decide how to do things at this point

What happens to the hardware?

What happens to the data?

Account information is usually deactivated

  • But not always deleted

Playbooks

Conditional steps to follow; a broad process

  • Investigate a data breach, recover from ransomware

Step-by-step set of processes and procedures

  • A manual checklist
  • Can be used to create automated activities

Often integrated with a SOAR platform

  • Security Orchestration, Automation, and Response
  • Integrate third-party tools and data sources
  • Make security teams more effective

Monitoring and Revision

IT security is constantly changing

  • Processes and procedures also must change

Update to security posture

  • Tighter change control, additional playbooks

Change to individual procedure

  • Update the playbooks, include additional checks

New security concerns

  • Protect against emerging threats

Governance Structures

Boards

  • A panel of specialists
  • Sets the tasks or requirements for the committees

Committees

  • Subject-matter experts
  • Considers the input from a board
  • Determines next steps for a topic at hand
  • Presents the results to the board

Government entities

  • A different kind of machine
  • Legal concerns, administrative requirements, political issues
  • Often open to public

Centralized/decentralized

  • The source of the processes and procedures
  • Centralized governance is located in one location with a group of decision makers
  • Decentralized governance spreads the decision-making process around to other individuals or locations

Security Considerations

Regulatory

Regulations are often mandated

  • Security processes are usually a foundational consideration
  • Logging, data storage, data protection, and retention

Sarbanes-Oxley Act (SOX)

  • The Public Company Accounting Reform and Investor Protection Act of 2002

The Health Insurance Portability and Accountability Act (HIPAA)

  • Extensive healthcare standards for storage, use, and transmission of health care information

The security team is often tasked with legal responsibilities

  • Reporting illegal activities
  • Holding data required for legal proceedings

Security breach notifications

  • A legal requirement in many jurisdictions

Cloud computing can make this challenging

  • Data moves between jurisdictions without human intervention
  • The security team must follow legal guidelines

Industry

The industry may require specific security considerations

  • Every market is a bit different

Electrical power and public utilities

  • Isolated and protected system controls

Medical

  • Highly secure data storage and access logs
  • Data encryption and protection

Geographical Security

Local/regional

  • City and state government records
  • Uptime and availability of end-user services

National

  • Federal governments and national defense
  • Multi-state organizations
  • State secrets remain secret

Global

  • Large multinational companies
  • Global financial markets
  • Legal concerns will vary widely

Data Roles and Responsibilities

Data Responsibilities

High-level data relationships

  • Organizational responsibilities, not always technical

Data owner

  • Accountable for specific data, often a senior officer
  • VP of Sales owns the customer relationship data
  • Treasurer owns the financial information

Date Roles

Data controller

  • Manages the purposes and means by which personal data is processed

Data processor

  • Processes data on behalf of the data controller
  • Often a third-party or different group

Payroll controller and processor

  • Payroll department (data controller) defines payroll amounts and timeframes
  • Payroll company (data processor) processes payroll and stores employee information

Data custodian/steward

  • Responsible for data accuracy, privacy, and security

Works directly with the data

  • Associates sensitivity labels to the data
  • Ensures compliance with any applicable laws and standards
  • Manages the access rights to the data
  • Implements security controls

Risk Management

Risk Management

Risk Identification

The only certainty is uncertainty

  • Risk management helps to understand potential risks
  • Identify weaknesses before they become an issue

An important part of any organization

  • Growth brings risk
  • It’s useful to get ahead of any potential problems

Risk management

  • Manage potential risk
  • Qualify internal and external threats
  • Risk analysis helps plan for contingencies

Performing a risk Assessment

Not all risk requires constant evaluation

  • Or it might be required to always assess the amount of risk

One-time

  • The assessment may be part of a one-time project
  • Company acquisition, new equipment installation, unique new security threats, etc.

Continuous assessments

  • May be part of an existing process
  • Change control requires a risk assessment as part of the change

Ad HOC Assessment

An organization may not have a formal risk assessment process

  • Perform an assessment when the situation requires

CEO is back from a conference

  • Wants to know if the organization is protected from a new attack type

A committee is created, and the risk assessment proceeds

  • Once the assessment is complete, the committee is disbanded
  • There may not be a need to investigate this specific risk again

Recurring Assessment

Recurring assessments

  • The evaluation occurs on standard intervals

An internal assessment

  • Performed every three months at the beginning of the quarter

A mandated risk assessment

  • Required by certain organizations
  • Some legal requirements will mandate an assessment
  • PCI DSS requires annual risk assessments

Risk Analysis

Qualitative Risk Assessment

Identify significant risk factors

  • Ask opinions about the significance
  • Display visually with traffic light grid or similar method

ARO (Annualized Rate of Occurrence)

  • How likely is that a hurricane will hit? In Montana? In Florida?

Asset value (AV)

  • The value of asset to the organization
  • Includes the cost of the asset, the effect of company sales, potential regulatory fines, etc.

Exposure factor (EF)

  • The percentage of the value lost due to an incident
  • Losing a quarter of the value is .25
  • Losing the entire asset is 1.0

SLE (Single Loss Expectancy)

  • What is the monetary loss if a single event occurs?
  • Asset value (AV) x Exposure factor (EF)
  • Laptop stolen = $1000 (AV) x 1.0 (EF) = $1000 (SLE)

ALE (Annualized Loss Expectancy)

  • Annualized Rate of Occurrence (ARO) x SLE
  • Seven laptops stolen a year (ARO) x $1000 (SLE) = $7000

The business impact can be more than monetary

  • Quantitative vs. qualitative

Impact

Life

  • The most important consideration

Property

  • The risk to buildings and assets

Safety

  • Some environments are too dangerous to work

Finance

  • The resulting financial cost

Likelihood and Probability

Risk likelihood

  • A qualitative measurement of risk
  • Rare, possible, almost certain, etc.

Risk probability

  • A quantitative measurement of risk
  • A statistical measurement
  • Can be used based on historical performance

Often considered similar in scope

  • Can be used interchangeably in casual conversation

Risk Appetite and Tolerance

Risk appetite

  • A broad description of risk-taking deemed acceptable
  • The amount of accepted risk before taking any action to reduce that risk

Risk appetite posture

  • Qualitative description for readiness to take risk
  • Conservative, neutral, and expansionary

Risk tolerance

  • An acceptable variance (usually larger) from the risk appetite

Risk appetite example:

  • A highway’s speed limit
  • Government authorities have set the speed limit
  • The limit is an acceptable balance between safety and convenience

Risk tolerance example:

  • Drivers will be ticketed when the speed limit is violated
  • Ticketing usually occurs well above the posted limit
  • This tolerance can change with road conditions, weather, traffic, etc.

Risk Register

Every project has a plan, but also has risk

  • Identify and document the risk associated with each step
  • Apply possible solutions to the identified risks
  • Monitor the results

Key risk indicators

  • Identify risks that could impact the organization

Risk owners

  • Each indicator is assigned someone to manage the risk

Risk threshold

  • The cost of mitigation is at least equal to the value gained by mitigation

Risk Management Strategies

Accept with exemption

  • A security policy or regulation cannot be followed
  • May be based on available security controls, size of the organization, total assets, etc.
  • Exemption may need approval

Accept with exception

  • Internal security policies are not applied
  • Monthly security updates must be applied within 3 calendar days
  • The monthly updates cause a critical software package to crash
  • An exception is made to the update timeframe

Avoid

  • Stop participating in a high-risk activity
  • This effectively removes the risk

Mitigate

  • Decrease the risk level
  • Invest in security systems

Risk Reporting

A formal document

  • Identifies risk
  • Detailed information for each risk

Usually created for senior management

  • Make decisions regarding resources, budgeting, additional security tasks

Commonly includes critical and emerging risks

  • The most important consideration

Business Impact Analysis

Recovery

Recovery time objective (RTO)

  • Get up and running quickly
  • Get back to a particular service level
  • You’re not up and running until the database and web server are operational
  • How long did that take?

Recovery point objective (RPO)

  • How much data loss is acceptable?
  • Bring the system back online; how far back does data go?
  • The database is up, but only provides the last twelve months of data

Meantime to repair (MTTR)

  • Average time required to fix an issue
  • This includes time spent diagnosing the problem
  • An important metric for determining the cost and time associated with unplanned outages

Mean time between failures (MTBF)

  • The time between outages
  • Can be used as a prediction or calculated based on historical performance
  • Total Uptime/Number of Breakdowns
  • Statistically plan for possible outages

Third Party Risk

Third-party Risk Assessment

Every organization works with vendors

  • Payroll, customer relationship management, email marketing, travel, raw materials

Important company data is often shared

  • May be required for cloud-based services

Perform a risk assessment

  • Categorize risk by vendor and manage the risk

Use contracts for clear understanding

  • Make sure everyone understands the expectations
  • Use the contract to enforce a secure environment

Penetration Testing

Pentest

  • Simulate an attack

Similar to vulnerability scanning

  • Except we actually try to exploit the vulnerabilities

Often a compliance mandate

  • May include a legal requirement

Regular penetration testing by a 3rd-party

  • Very specialized
  • Third-party experts are well-versed

Rules of Engagement

An important document

  • Defines purpose and scope
  • Makes everyone aware of the test parameters

Type of testing and schedule

  • On-site physical breach, internal test, external test
  • Normal working hours, after 6 PM only, etc.

The rules

  • IP address ranges
  • Emergency contacts
  • How to handle sensitive information
  • In-scope and out-of-scope devices or applications

Right-to-audit Clauses

Common to work business partners

  • Data sharing
  • Outsourcing

Third-party providers

  • Can hold all the data
  • Manage internet access
  • Are they secure?

Right-to-audit should be in the contract

  • A legal agreement to have the option to perform a security audit at any time
  • Everyone agrees to the terms and conditions
  • Ability to verify security before a breach occurs

Evidence of Internal Audit

Evaluate the effectiveness of security controls

  • Have a third party perform an audit

May be required for compliance

  • It’s a good idea, even without industry standards

Check for security controls and processes

  • Access management, off boarding, password security, VPN controls, etc.
  • There’s always an opportunity for improvement

Perform at a reasonable frequency

  • A single audit isn’t very helpful in the long-term

Supply Chain Analysis

The system involved when creating a product

  • Involves organizations, people, activities, and resources

Supply chain analysis

  • Get a product or service from supplier to customer
  • Evaluate coordination between groups
  • identify areas of improvement
  • Assess the IT systems supporting the operation
  • Document the business process changes

Software update installs malware: March-June 2020

  • Announced December 2020 by SolarWinds
  • Malware deployed with a valid SolarWinds digital signature
  • At least 18,000 of 300,000 customers potentially impacted

Independent Assessments

Bring in a smart person or team to evaluate security and provide recommendations

  • An outside firm

Specialists in their field

  • They do this all day, every day

They’ve seen it all

  • And can provide options you may not have considered

Vendor Selection Process

Due diligence

  • Check a company out before doing business
  • Investigate and verify information
  • Financial status, pending or past legal issues, etc.
  • Background checks, personnel interviews

Conflict of interest

  • A personal interest could compromise judgment
  • A potential partner also does business with your largest competitor
  • A third-party employs the brother of the CFO
  • A third-party offers gifts if a contract is signed

Vendor Monitoring

Ongoing management of the vendor relationship

  • This doesn’t end when the contract is signed

Reviews should occur on a regular basis

  • Financial health check, IT security reviews, news articles, social media posts

Different vendors may be checked for different indicators

  • Quantitative and qualitative analysis

Assign a person to be in charge of the vendor relationship

  • They will manage the monitoring process

Questionnaires

An important part of due diligence and ongoing vendor monitoring

  • Get answers directly from the vendor

Security-related questions

  • What is the vendor’s due diligence process?
  • What plans are in place for disaster recovery?
  • What secure storage method is used for company data?
  • And more

Results are used to update a vendor risk analysis

  • Updated during the life of the vendor relationship

Agreement Types

Common Agreements

Service Level Agreement (SLA)

  • Minimum terms for services provided
  • Uptime, response time agreement, etc.
  • Commonly used between customers and service providers

Contract with an Internet provider

  • SLA is no more than four hours of unscheduled downtime
  • Technician will be dispatched
  • May require customer to keep spare equipment on-site

Memorandum of Understanding (MOU)

  • Both sides agree in general to the contents of the memorandum
  • Usually states common goals, but not much more
  • May include statements of confidentiality
  • Informal letter of intent; not a signed contract

Memorandum of Agreement (MOA)

  • The next step above a MOU
  • Both sides conditionally agree to the objectives
  • Can also be a legal document, even without legal language
  • Unlike a contract, may not contain legally enforceable promises

Master Service Agreement (MSA)

  • Legal contract and agreement of terms
  • A broad framework to cover later transactions
  • Many detailed negotiations happen here
  • Future projects will be based on this agreement

Work order (WO)/Statement of Work (SOW)

  • Specific list of items to be completed
  • Used in conjunction with an MSA
  • Details the scope of the job, location, deliverables schedule, acceptance criteria, and more
  • Was the job done properly? Let’s refer to the SOW.

Business Partners Agreement (BPA)

  • Going into business together
  • Owner stake
  • Financial contract

Decision-making

  • Who makes the business decisions?
  • The BPA lists specific individuals and scope

Prepare for contingencies

  • Financial issues
  • Disaster recovery

Non-disclosure Agreement (NDA)

Confidentiality agreement between parties

  • Information in the agreement should not be disclosed

Protects confidential information

  • Trade secrets
  • Business activities
  • Anything else listed in the NDA

Unilateral or bilateral (or multilateral)

  • One-way NDA or mutual NDA

Formal contract

  • Signatures are usually required

Security Compliance

Compliance

Compliance

  • Meeting the standards of laws, policies, and regulations

A healthy catalog of rules

  • Across many aspects of business and life
  • Many are industry-specific or situational

Penalties

  • Fines, loss of employment, incarceration

Scope

  • Domestic and international requirements

Compliance Reporting

Internal

  • Monitor and report on organizational compliance efforts
  • Large organizations have a Central Compliance Officer (CCO)
  • Also used to provide details to customers or potential investors

External

  • Documentation required by external or industry regulators
  • May require annual or ongoing reporting
  • Missing or invalid reporting could result in fines and/or sanctions

Regulatory Compliance

Sarbanes-Oxley Act (SOX)

  • The Public Company Accounting Reform and Investor Protection Act of 20002

The Health Insurance Portability and Accountability Act (HIPAA)

  • Extensive healthcare standards for storage, use, and transmission of health care information

The Gramm-Leach-Bliley Act of 1999 (GLBA)

  • Disclosure of privacy information from financial institutions

HIPAA Non-Compliance Fines and Sanctions

↵ Fine of up to $50,000, or up to 1 year in prison, or both; (Class 6 Felony)

↵ Under false pretenses; a fine of up to $100,000, up to 5 years in prison, or both; (Class 5 Felony)

↵ Intent to sell, transfer, or use individually identifiable health information for commercial advantage, personal gain, or malicious harm, a fine up to $250,000, or up to 10 years in prison, or both; (Class 4 Felony)

↵ Civil fines; maximum is $100 for each violation, with the total amount not to exceed $25,000 for all violations of an identical requirement or prohibition during a calendar year; (Class 3 Felony)

Reputational Damage

Getting hacked isn’t a great look

  • Organizations are often required to disclose
  • Stock prices drop, at least for the short term

October 2016 — Uber Breach

  • 25.6 million Names, email addresses, mobile phone numbers

Didn’t publicly announce it until November 2017

  • Allegedly paid the hackers $100,000 and had them sign an NDA
  • 2018 — Uber paid $148 million in fines

Hackers pleaded guilty in October 2019

  • May 2023 — Uber’s former Chief Security Officer sentenced
  • Three years probation and a $50,000 fine

Other Consequences

Loss of license

  • Significant economic sanction
  • Organization cannot sell products
  • Other cannot purchase from a sanctioned company
  • May be expensive to re-license

Contractual impacts

  • Some business deals may require a minimum compliance level
  • Without compliance, the contract may be in breach
  • May be resolved with or without a court of law

Compliance Monitoring

Compliance monitoring

  • Ensure compliance in day-to-day operations

Due diligence/care

  • A duty to act honestly and in good faith
  • Investigate and verify
  • Due care tends to refer to internal activities
  • Due diligence is often associated with third-party activities

Attestation and acknowledgement

  • Someone must “sign off” on formal compliance documentation
  • Ultimately responsible if the documentation is incorrect

Internal and external

  • Monitor compliance with internal tools
  • Provide access or information to third-party participants
  • May require ongoing monitoring of third-party operations

Automation

  • A must-have for large organizations
  • Can be quite different across vertical markets
  • Many third-party monitoring systems
  • Collect data from people and systems
  • Compile the data and report

Privacy

A constantly evolving set of guidelines

  • We are all concerned about privacy

Local/regional

  • State and local governments set privacy limits
  • Legal information, vehicle registration details, medical licensing

National

  • Privacy laws for everyone in a country
  • HIPAA, online privacy for children under 13, act.

Global

  • Many countries are working together for privacy

GDPR — General Data Protection Regulation

European Union Regulation

  • Data protection and privacy for individuals in the EU
  • Name, address, photo, email address, bank details, posts on social networking websites, medical information, a computer’s IP address, etc.

Controls export of personal data

  • Users can decide where their data goes
  • Can request removal of data from search engines

Gives “data subjects” control of their personal data

  • A right to be forgotten

Data Subject

Any information relating to an identified or identifiable person

  • An individual with personal data

This includes everyone

  • Name, ID number, address information, genetic makeup, physical characteristics, location, etc.
  • You are the data subject

Laws and regulations

  • Privacy is ideally defined from the perspective of the data subject

Data Responsibilities

High-level data relationships

  • Organizational responsibilities, not always technical

Data owner

  • Accountable for specific data, often a senior officer
  • VP of Sales owns the customer relationship data
  • Treasurer owns the financial information

Data Roles

Data controller

  • Manages the purposes and means by which personal data is processed

Data processor

  • Processes data on behalf of the data controller
  • Often a third-party or different group

Payroll controller and processor

  • Payroll department (data controller) defines payroll amounts and timeframes
  • Payroll company (data processor) processes payroll and stores employee information

Data Inventory and Retention

What data does your organization store?

  • You should document your data inventory

Data inventory

  • A listing of all managed data
  • Owner, update frequency, format of the data

Internal use

  • Project collaboration, IT security, data quality checks

External use

  • Select data to share publicly
  • Follow existing laws and regulations

Audits and Assessments

Audits and Assessments

Not just for taxes

  • There are good reasons to audit your technology

Cybersecurity audit

  • Examines the IT infrastructure, software, devices, etc.
  • Checks for effectiveness of policies and procedures
  • Find vulnerabilities before the attackers
  • Can be performed internally or by a third party

Attestation

  • Provides an opinion of truth or accuracy of a company’s security positioning
  • An auditor will attest to a company’s cybersecurity posture

Internal Audits

Audits aren’t just for third-parties

  • You should also have internal audits

Compliance

  • Is your organization complying with regulatory or industry requirements?

Audit committee

  • Oversees risk management activities
  • All audits start and stop with the committee

Self-assessments

  • Have the organization perform their own checks
  • Consolidate the self-assessments into ongoing reports

External Audits

Regulatory requirements

  • An independent third-party may be required to perform the audit
  • Audit type and frequency are often based on the regulation

Examinations

  • Audits will often require hands-on research
  • View records, compile reports, gather additional details

Assessment

  • Audit will assess current activities
  • May also provide recommendation for future improvements

Penetration Tests

Physical Penetration Testing

OS security can be circumvented by physical means

  • Modify the boot process
  • Boot from other media
  • Modify or replace OS files

Physical security is key

  • Prevent access by unauthorized individuals

Assess and test physical security

  • Can you enter a building without a key?
  • What access is available inside?
  • Doors, windows, elevators, physical security processes

Pentesting Perspectives

Offensive

  • The red team
  • Attack the systems and look for vulnerabilities to exploit

Defensive

  • The blue team
  • Identify attacks in real-time
  • Prevent any unauthorized access

Integrated

  • Create an ongoing process
  • Identify and patch exploitable systems and services
  • Test again

Working Knowledge

How much do you know about the test?

  • Many approaches

Known environment

  • Full disclosure

Partially known environment

  • A mix of known and unknown
  • Focus on certain systems or applications

Unknown environment

  • The pentester knows nothing about the systems under attack
  • “Blind” test

Reconnaissance

Need information before the attack

  • Can’t rush blindly into battle

Gathering a digital footprint

  • Learn everything you can

Understand the security posture

  • Firewalls, security configuration

Minimize the attack area

  • Focus on key systems

Create a network map

  • Identify routers, networks, remote sites

Passive Reconnaissance

↻ Learn as much as you can from open sources

  • There’s a lot of information out there
  • Remarkably difficult to protect or identify

↻ Social media

↻ Corporate website

↻ Online forums, Reddit

↻ Social Engineering

↻ Dumpster diving

↻ Business organizations

Active Reconnaissance

↻ Trying the doors

  • Maybe one is unlocked
  • Don’t open it yet
  • Relatively easy to be seen

↻ Visible on network traffic and logs

↻ Ping scans, port scans

↻ DNS scans, OS fingerprinting

↻ Service scans, version scans

Security Awareness

Security Awareness

Phishing Campaigns

How many employees would click a link in a phishing email

  • There’s way to find out

Many companies will perform their own phishing campaign

  • Send a phishing email to your employees

An automated process

  • Centralized reporting for incorrect clicks
  • Users can receive immediate feedback and security training
  • Some organizations will schedule in-person training

Recognize a phishing attempt

  • Spelling and grammatical errors
  • Domain name and email inconsistencies
  • Unusual attachments
  • Request for personal information
Tip

With the rise of Large language models, phishing campaigns has become more sophisticated and personalized.

Respond to reported suspicious messages

  • Email filtering can get the worst offenders
  • Never click a link in an email
  • Never run an attachment from an email
  • All organizations should have a process for reporting phishing

Anomalous Behavior Recognition

Risky behavior

  • Modifying hosts file
  • Replacing a core OS file
  • Uploading sensitive files

Unexpected behavior

  • Logon from another country
  • Increase in data transfers

Unintentional behavior

  • Typing the wrong domain name
  • Misplacing USB drives
  • Misconfiguring security settings

Reporting and Monitoring

Track and analyze security awareness metrics

  • Automated
  • Phishing click rates
  • Password manager adoption, MFA use, password sharing

Initial

  • First occurrence is an opportunity for user training
  • Work towards avoiding the issue in the future

Recurring

  • The value of long-term monitoring
  • Identify high-frequency security issues
  • Help users with multiple occurrences

Development

Create a Security Awareness team

  • Determine roles for training, monitoring, policy creation, etc.

Establish a minimum awareness level

  • Information delivery (emails, posters, notices, training)
  • Depth of training based on job function

Integrate compliance mandates

  • PCI DSS, HIPAA, GDPR, etc.

Define metrics

  • Assess the performance of security awareness programs
  • Make updates in lower-performance areas

Execution

Create the training materials

  • Provided to users in different forms

Document success measurements

  • How will we know the awareness is working?

Identify the stakeholders

  • Provide ongoing metrics and performance data

Deploy the training material

  • Classroom training, posters, weekly emails, etc.

Track user training efforts

  • Ongoing monitoring, usually with an automated reporting system

User Training

Security Awareness Training

Before providing access, train your users

  • Detailed security requirements

Specialized training

  • Each user role has unique security responsibilities

Also applies to third-parties

  • Contractors, partners, suppliers

Detailed documentation and records

  • Problems later can be severe for everyone

User Guidance and Training

Policy/handbooks

  • Document all security requirements
  • Provide access online in policy guidelines
  • Reference the policies in the employee handbook

Situational awareness

  • Users should always be looking for threats
  • Software attacks: Email links, attachments, unusual URLs, text messages, etc.
  • Physical Attacks: USB drives in a FedEx envelope, unlocked building doors, etc.
  • Be ready for anything

Insider threat

  • Difficult to guard against
  • Add multiple approvals for critical processes
  • Monitor files and systems as much as possible

Password management

  • Many standards to choose from
  • Guide users with standard requirements (length, complexity, etc.)
  • This is often controlled using technology (Group Policy)

Removable media and cables

  • Unknown USB drives can contain malware
  • Unknown cables can be malicious

Social engineering

  • Extensive and ongoing training
  • The attackers are very good
  • The users are your front line defense

Operational security

  • View security from the attacker’s perspective
  • Users need to identify sensitive data
  • Keep the sensitive data private

Hybrid/remote work environments

  • Working at home brings unusual security risks
  • No access to family and friends
  • Additional endpoint security
  • Security policies for VPN access

DevOps & Cloud

IBM DevOps and Software Engineering Professional Certificate

Subsections of DevOps & Cloud

IBM DevOps and Software Engineering Professional Certificate

This specialization has been subdivided into 14 courses and a Capstone Project.

1. Introduction to DevOps

It has following modules…

2. Introduction to Cloud Computing

This course has following modules…

3. Introduction to Agile Development and Scrum

It has these modules…

4. Introduction to Software Engineering

It is divided into these sub-topics…

5. Hands-on Introduction to Linux Commands and Shell Scripting

This course has following modules…

6. Getting Started with Git and GitHub

It has following 2 modules…

7. Python for Data Science, AI, and Development

Subsections of IBM DevOps and SE

Subsections of Introduction to DevOps

Introduction to DevOps

  • DevOps is a cultural transformation.
  • DevOps is not a tool or a job title. It is a shared mindset.
  • Embrace the DevOps Culture.
  • #1 reason why DevOps fails is due to issues around organizational learning and cultural change.
  • DevOps is not a tool or a job title. It is a shared mindset.

“Tools are not the solution to a cultural problem.”

– Gartner

“Team culture makes a large difference to a team’s ability to deliver software and meet or exceed their organizational goals.”

– Accelerate State of DevOps 2021

How to change a Culture

  • Think Differently

    • Social Coding
    • Work in small batches
    • Minimum viable product
  • Work Differently

    Team culture makes a large difference to a team’s ability to deliver software and meet or exceed their organizational goals.

  • Organize Differently

  • Measure Differently

    • Measure what matters
    • You get what you measure

Business Case For DevOps

Disruptive Business model:

  • 52% of the Fortune 500 have disappeared since the year 2000.

  • When disruption happen, businesses need to adopt according no matter what, and this adaptation should be agile and lean.

    Overview of DevOps Overview of DevOps

    Digitization + Business Model:

  • Technology is the enabler of innovation, not the driver of innovation.

  • The Businesses, who adapt to new tech, survive.

  • The refusal to change according to the digital ages makes it susceptible to bankruptcy.

DevOps Adoption

Unlearn what you have Learned

  • A different mindset
  • Unlearn your current culture
  • Often easier said than done

Consider this:

  • fail fast and roll back quickly
  • test in market instead of analyzing
  • modular design which makes individual components replaceable

How are they doing this?

  • What is their secret?
  • They have embraced the DevOps culture.

Definition of DevOps

The term (development and operations) is an extension of agile development environments that aims to enhance the process of software delivery as a whole. — Patrick Debois, 2009

DevOps defined:

  • Recognition that working in silos doesn’t work
  • Development and operations engineers working together
  • Following lean and agile principles
  • Delivering software in a rapid and continuous manner

DevOps requires:

  • A change in culture
  • A new application design
  • Leveraging automation
  • Programmable platform

What DevOps not:

  • Not simply combining development and operations
  • Not a separate team
  • Not a tool
  • Not one size fits all
  • Not just automation

Essential Characteristics of DevOps

What’s the Goal?

Agility is the goal:

  • Smart experimentation
  • Moving in market
  • With maximum velocity and minimum risk
  • Gaining quick, valuable insights

Agility: The Three pillars

  1. DevOps:
  • Cultural change
  • Automated pipeline
  • infrastructure as code
  • immutable infrastructure
  1. Microservices:
  • Loose coupling/binding
  • RESTful APIs
  • Designed to resist failures
  • Test by breaking/fail fast
  1. Containers
  • portability
  • Developer centric
  • Ecosystem enabler
  • Fast startup

Overview of DevOps Overview of DevOps

The Perfect Combination/Storm

  • DevOps for speed and agility
  • Microservices for small deployments
  • Containers for ephemeral runtimes

Learning how to work differently

“DevOps starts with learning how to work differently. It embraces cross-functional teams with openness, transparency, and respect as pillars.” — Tony Stafford, Shadow Soft.

Application Evolution

Overview of DevOps Overview of DevOps

DevOps has three dimensions:

Overview of DevOps Overview of DevOps

Responsibility, transparency, feedback:

“Culture is the #1 success factor in DevOps. Building a culture of shared responsibility, transparency, and faster feedback is the foundation of every high-performing DevOps team.” — Atlassian

Culture, culture, culture:

While tools and methods are important; … it’s the culture that has the biggest impact.

How to change a Culture?

-Change thinking patterns of people

  • working methodology as well as environment
  • Organizational change.
  • Change of the way people are measured.

Overview of DevOps Overview of DevOps

Leading Up to DevOps

  • Architects worked for months designing the system.
  • Development worked for months on features.
  • Testing opened defects and sent the code back to development.
  • At some point, the code is released to operations.
  • The operations team took forever to deploy.

Traditional Waterfall Method

Overview of DevOps Overview of DevOps

Problems with Waterfall Approach

  • No room for change
  • No idea if it works till end
  • Each step ends when the next begins
  • Mistakes found in the later stages are more expensive to fix
  • Long time between software releases
  • Team work separately, unaware of their impact on each other
  • Least familiar people with the code are deploying it into production

XP, Agile, and Beyond

Extreme Programming (XP)

  • In 1996, Kent Beck introduced Extreme Programming
  • Based on an interactive approach to software development
  • Intended to improve software quality, responsiveness to changing customer requirements
  • One of the first Agile methods

Overview of DevOps Overview of DevOps

The Agile Manifesto

We have come to value:

  • Individuals and interactions over processes and tools
  • Working Software over comprehensive docs
  • Customer collaboration over contract negotiation
  • Responding to change over following a plan

That is, while there is value in the items on the right, we value the items on the left more.

Agile Development

Overview of DevOps Overview of DevOps

Agile alone is not good enough:

Overview of DevOps Overview of DevOps

2 Speed IT:

  • This is how Shadow IT started, as Ops team wasn’t meeting their needs.

Overview of DevOps Overview of DevOps

Shadow IT

  • Resources the business doesn’t know about
  • People go around IT
  • We need the solution to this problem, and DevOps is the answer

Brief History of DevOps

2007 Patrick Debois:

He recognized Dev and Ops worked ineffectively and not together.

2008 Agile Conference:

Andrew Clay Shafer – Agile Conference 2008 BoF (Birds of a Feather) meeting “Agile Infrastructure”

2009 Velocity 10+ deploys per day:

John Allspaw – Velocity 2009 “10+ Deploys Per Day: Dev and Ops Cooperation at Flickr”

DevOpsDays – Patrick Debois started the first DevOpsDays conference Ghent, Belgium, October 2009

2010 Continuous Delivery:

Continuous Delivery – by Jez Humble and David Farley

2013 The Phoenix Project:

The Phoenix Project – by Gene Kim, Kevin Behr and George Spafford

2015 State of DevOps Report:

State of DevOps Reports – from DevOps Research and Assessment (DORA), founded by Dr. Nicole Forsgren, Gene Kim, and Jez Humble

2016 The DevOps Handbook:

The DevOps Handbook – by Gene Kim, Jez Humble, Patrick Debois, and John Willis

2019 10 Years of DevOpsDays:

DevOpsDays – 40 events in 21 countries are scheduled for 2019 (10 years later) Patrick Debois (lead 2009-15) Bridget Kromhout (lead 2015-2020)

Overview of DevOps Overview of DevOps

Why is the history significant?

It reminds us that DevOps is:

  • From the practitioners, by practitioners
  • Not a product, specification, or job title
  • An experience-based movement
  • Decentralized and open to all

Thinking DevOps

Social Coding Principles

What is social coding?

  • Open source practice

  • All repos are public

  • Everyone is encouraged to contribute

  • Anarchy is controlled via Pull Requests

    Code reuse dilemma:

  • Code has 80% of what you need, but 20% is missing

  • How do you add 20% missing features?

    • Make a feature request and depend on another team?
    • Rebuild 100% of what you need (no dependencies)

Social Coding Solution:

  • Discuss with the repo owner

  • Agree to develop it

  • Open an Issue and assign it to yourself

  • Fork the code and make your changes

  • Issue a Pull Request to review and merge back

    Pair Programming:

  • Two programmers on one workstation

  • The driver is typing

  • The navigator is reviewing

  • Every 20 minutes they switch roles

    Pair programming benefits:

  • Higher code quality

  • Defects found earlier

  • Lower maintenance costs

  • Skills transfer

  • Two set of eyes on every line of codebase

Git Repository Guidelines

  • Create a separate Git repository for every component

  • Create a new branch for every Issue

  • Use PRs to merge to master

  • Every PR is an opportunity for a code review

    Git feature branch workflow:

Thinking DevOps Thinking DevOps

Working in Small Batches

  • Concept from Lean Manufacturing

  • Faster feedback

  • Supports experimentation

  • Minimize waste

  • Deliver faster

    Small batch example:

    You need to mail 1000 brochures:

  • Step 1: Fold brochures

  • Step 2: Insert brochures into envelopes

  • Step 3: Seal the envelopes

  • Step 4: Stamp the envelopes with postage

Batch of 50 brochures:

Thinking DevOps Thinking DevOps

Single Piece Flow:

Thinking DevOps Thinking DevOps

Measuring the size of batches

  • Feature size supports frequent releases
  • Features should be completed in a sprint
  • Features are a step toward a goal, so keep them small

Minimum Viable Product (MVP)

  • MVP is not “Phase 1” of a project
  • MVP is an experiment to test your value hypothesis and learn
  • MVP is focused on learning, not delivery
  • At the end of each MVP, you decide whether to pivot or persevere

Minimum Viable Product Example:

Thinking DevOps Thinking DevOps

Gaining an understanding

  • MVP is a tool for learning
  • The experiment may fail and that’s okay
  • Failure leads to understanding
  • What did you learn from it?
  • What will you do differently?

Test Driven Development (TDD)

The importance of testing:

“If it’s worth building, it’s worth testing. If it’s not worth testing, why are you wasting your time working on it?” — Scott Ambler

What is test driven development?

  • Test cases drive the design

  • You write the tests first then you write the code to make the test pass

  • This keeps you focused on the purpose of the code

  • Code is of no use if your client can’t call it

    Why devs don’t test:

  • I already know my code works

  • I don’t write broken code

  • I have no time

Basic TDD workflow

Thinking DevOps Thinking DevOps

Why is TDD important for DevOps?

  • It saves time when developing
  • You can code faster and with more confidence
  • It ensures the code is working as expected
  • It ensures that future changes don’t break your code
  • In order to create a DevOps CI/CD pipeline, all testing must be automated

Behavior Driven Development (BDD)

  • Describes the behavior of the system from the outside
  • Great for integration testing
  • Uses a syntax both devs and stakeholders can easily understand

BDD vs. TDD:

  • BDD ensures that you’re building the “right thing
  • TDD ensures that you are building the “thing right

Thinking DevOps Thinking DevOps

BDD workflow

  • Explore the problem domain and describe the behavior

  • Document the behavior using Gherkin syntax

  • Use BDD tools to run those scenarios

  • One document that’s both the specification and the tests

    Gherkin:

  • An easy-to-read natural language syntax

  • Given … When… Then…

  • Understandable by everyone

    Gherkin Syntax:

  • Given (some context)

  • When (some event happens)

  • Then (some testable outcome)

  • And (more context, events, or outcomes)

Retail BDD example

Thinking DevOps Thinking DevOps

Gherkin for acceptance criteria:

  • Add acceptance criteria to every user story
  • Use Gherkin to do that
  • Indisputable definition of “done”

Expected benefits of BDD

  • Improves communication
  • More precise guidance
  • Provides a common syntax
  • Self-documenting
  • Higher code quality
  • Acceptance criteria for user stories

Cloud Native Microservices

Think differently about application design:

Thinking DevOps Thinking DevOps

Think cloud native:

  • The Twelve-Factor App
  • A collection of stateless microservices
  • Each service maintains its own database
  • Resilience through horizontal scaling
  • Failing instances are killed and respawned
  • Continuous Delivery of services

Think microservices:

“The microservices architectural style is an approach to developing a single application as a suit of small services, each running in its own process and communicating with lightweight mechanisms, often an HTTP resource API. These services are built around business capabilities and independently deployable by fully automated deployment machinery.” — Martin Fowler and James Lewis

Monolith vs. Microservices

Thinking DevOps Thinking DevOps

Designing for Failure

Failure happens:

  • Embrace failures – they will happen!
  • How to avoid –> How to identify and what to do about it
  • Operational concern –> developer concern
  • Plan to be throttled
  • Plan to retry (with exponential back off)
  • Degrade gracefully
  • Cache when appropriate

Retry pattern:

Thinking DevOps Thinking DevOps

Circuit Breaker pattern:

Thinking DevOps Thinking DevOps

Bulkhead pattern:

Thinking DevOps Thinking DevOps

Chaos engineering:

  • Also known as monkey testing
  • You deliberately kill services
  • Netflix created The Simian Army tools
  • You cannot know how something will respond to a failure until it actually fails

Working DevOps

Taylorism and Working in Silos

Working DevOps:

  • Culture of teaming and collaboration

  • Agile development as a shared discipline

  • Automate relentlessly

  • Push smaller releases faster

    Taylorism:

  • Adoption of command and control management

  • Organizations divided into functional silos

  • Decision-making is separated from work

Impact of Taylorism on IT:

Working DevOps Working DevOps

Software development is bespoke:

  • Software development is NOT like assembling automobiles

  • Most of the parts don’t exist, yet

  • Software development is craft work

  • Taylorism is not appropriate for craft work

    Abandon Command and Control:

  • Command and control is not Agile

  • Stop working in silos

  • Let your people amaze you

Software Engineering vs. Civil Engineering

Software engineering is organic:

  • Software stack is constantly updated

  • New features are being added

  • System behavior changes over time

  • Yet we treat software engineering like a civil engineering project

    The project model is flawed:

  • The project model doesn’t work for software development

  • Treat software development like product development

  • Encourage ownership and understanding

  • Software engineering is not civil engineering

  • Maintain stable, lasting teams

Required DevOps Behaviors

Diametrically opposed views:

  • Enterprises see “new” as complex and time-consuming
  • DevOps delivers a continual series of small changes
  • These cannot survive traditional overheads

A clash of work culture:

Working DevOps Working DevOps

The no-win scenario:

  • Development wants innovation
  • Operations wants stability

Working DevOps Working DevOps

Operations view of development:

  • Development teams throw dead cats over the wall

  • Manually implemented changes

  • Lack of back-out plans

  • Lack of testing

  • Environments that don’t look like production

    Development view of operations:

  • All-or-nothing changes

  • Change windows in the dead of night

  • Implemented by people furthest away from the application

  • Ops just cuts and pastes from “runbooks”

    No-win scenario:

  • If the website works, the developers get the praise!

  • If the website is down, operations gets the blame!

    Required DevOps behaviors:

Working DevOps Working DevOps

Infrastructure as Code

  • Described an executable textual format

  • Configure using that description

  • Configuration Management Systems to make this possible (Ansible, puppet etc.)

  • Never perform configurations manually

  • Use version control

    Ephemeral immutable infrastructure:

  • Server drift is a major source of failure

  • Servers are cattle not pets

  • Infrastructure is transient

  • Build through parallel infrastructure

    Immutable delivery via containers:

  • Applications are packaged in containers

  • Same container that runs in production can be run locally

  • Dependencies are contained

  • No variance limits side effects

  • Rolling updates with immediate roll-back

    Immutable way of working:

  • You never make changes to a running container

  • You make changes to the image

  • Then redeploy a new container

  • Keep images up-to-date

Continuous Integration (CI)

CI vs. CD:

  • CI/CD is not one thing
  • Continuous Integration (CI):
    • Continuously building, testing, and merging to master
  • Continuous Delivery (CD):
    • Continuously deploying to a production-like environment

      Traditional Development:

  • Devs work in long-lived development branches
  • Branches are periodically merged into a release
  • Builds are run periodically
  • Devs continue to add to the development branch

Working DevOps Working DevOps

Continuous Integration

  • Devs integrate code often
  • Devs work in short-lived feature branches
  • Each check-in is verified by an automated build

Working DevOps Working DevOps

Changes are kept small:

  • Working in small batches

  • Committing regularly

  • Using pull requests

  • Committing all changes daily

    CI automation:

  • Build and test every pull request

  • Use CI tools that monitor version control

  • Test should run after each build

  • Never merge a PR with failing tests

    Benefits of CI:

  • Faster reaction times to changes

  • Reduced code integration risk

  • Higher code quality

  • The code in version control works

  • Master branch is always deployable

Continuous Delivery

“Continuous Delivery is a software development discipline where you build software in such a way that the software can be released to production at any time.” — Martin Fowler

Release to production at any time:

  • The master branch should always be ready to deploy
  • You need a way to know if something will “break the build”
  • Deliver every change to a production-like environment

CI/CD pipeline:

  • Automated gates that create a pipeline of checks:
    • Unit testing
    • Code quality checks
    • Integration testing
    • Security testing
    • Vulnerability scanning
    • Package signing

A CI/CD pipeline needs:

  • A code repository
  • A build server
  • An integration server
  • An artifact repository
  • Automatic configuration and deployment

Continuous integration and delivery:

Working DevOps Working DevOps

Five key principles:

  1. Build quality in
  2. Work in small batches
  3. Computers perform repetitive tasks, people solve problems
  4. Relentlessly pursue continuous improvement
  5. Everyone is responsible

CI/CD + Continuous deployment:

Working DevOps Working DevOps

How DevOps manages risk:

  • Deployment is king
  • Deployment is decoupled from activation
  • Deployment is not “one size fits all”

Organizing for DevOps

Organizational Impact of DevOps

How does organization affect DevOps?

Is the culture of your organization agile?

  • Small teams
  • Dedicated teams
  • Cross-functional teams
  • Self-organizing teams

Conway’s Law:

“Any organization that designs a system (defined broadly) will produce a design whose structure is a copy of the organization’s communication structure.” — Melvin Conway, Datamation, 1968

Traditional organization around technology:

Organizing for DevOps Organizing for DevOps

Organized around business domains:

Organizing for DevOps Organizing for DevOps

Align teams with the business:

  • Each team has its own mission aligned with the business
  • Teams have end-to-end responsibility for what they build
  • Teams should have a long-term mission, usually around a single business domain

There is No DevOps Team

DevOps is often misunderstood:

  • Dev and Ops are not separate things
  • You aren’t a DevOps if you’re not a Dev, and other way is also true

Perspectives on DevOps:

Organizing for DevOps Organizing for DevOps

DevOps is not a team:

“The DevOps movement addresses the dysfunction that results from organizations composed of functional silos. Thus, creating another functional silo that sits between Dev and Ops is clearly a poor (and ironic) way to try, and solve these problems.” — Jez Humble, The DevOps Handbook

Working in silos doesn’t work:

Organizing for DevOps Organizing for DevOps

A DevOps team means we’re DevOps, right?

Organizing for DevOps Organizing for DevOps

DevOps is not a job title:

  • A culture transformation on an organizational scale
  • Development and operations engineers working together
  • Following lean and agile principles
  • Cross-functional teams with openness, transparency, and trust as pillars

Everyone is Responsible for Success

Bad behavior:

“Bad behavior arises when you abstract people from the consequences of their actions.” — Jez Humble, Continuous Delivery

Functional silos breed bad behavior:

Organizing for DevOps Organizing for DevOps

Actions have consequences:

  • Make people aware of the consequences of their actions
  • Make people responsible for the consequences of their actions

DevOps organizational objective:

Shared consciousness

…with

distributed (local) control

Measuring DevOps

Rewarding for “A” while hoping for “B”

On the folly of rewarding for A, while hoping for B

“Whether dealing with monkeys, rats, or human beings, it is hardly controversial to state that most organisms seek information concerning what activities are rewarded, and then seek to do (or at least pretend to do) those things, often to the virtual exclusion of activities not rewarded. The extent to which this occurs, of course, will depend on the perceived attractiveness of the rewards offered, but neither operant nor expectancy theorists would quarrel with the essence of this notion.” — Steven Kerr, The Ohio State University

Measure what matters:

Organizing for DevOps Organizing for DevOps

Social metrics:

  • Who is leveraging the code you are building?
  • Whose code are you leveraging?

DevOps metrics:

  • A baseline provides a concrete number for comparison as you implement your DevOps changes
  • Metric goals allow you to reason about these numbers and judge the success of your progress

DevOps changes the objective:

  • Old school is focused on mean time to failure (MTTF)
  • DevOps is focused on mean time to recovery (MTTR)

Vanity metrics vs. actionable metrics

Vanity metrics:

  • We had 10,000 daily hits to our website!

  • Now what? (What does a hit represent?)

  • What actions drove those visitors to you?

  • Which actions to take next?

    Actionable metrics:

Organizing for DevOps Organizing for DevOps

Actionable metric examples:

  • Reduce time to market
  • Increase overall availability
  • Reduce time to deploy
  • Defects detected before production
  • More efficient use of infrastructure
  • Quicker performance feedback

Top four actionable metrics:

  1. Mean lead time
  2. Release frequency
  3. Change failure rate
  4. Mean time to recovery (MTTR)

How to Measure Your Culture

Culture measurements:

You can rate statements developed by Dr. Nicole Forsgren to measure your team’s culture, including statements about information, failures, collaboration, and new ideas.

Organizing for DevOps Organizing for DevOps

Strongly agree or disagree?

  • On my team, information is actively sought
  • On my team, failures are learning opportunities and messengers of them are not punished
  • On my team, responsibilities are shared
  • On my team, cross-functional collaboration is encouraged and rewarded
  • On my team, failure causes inquiry
  • On my team, new ideas are welcomed

Comparison of DevOps to Site Reliability Engineering

What is SRE?

“…what happens when a software engineer is tasked with what used to be called operations.” —Ben Treynor Sloss

Goal: Automate yourself out of a job.

Tenets of SRE:

  • Hire only software engineers

  • Site reliability engineers work on reducing toil through automation

  • SRE teams are separate from development teams

  • Stability is controlled through error budgets

  • Developers rotate through operations

    Team differences:

  • SRE maintains separate development and operations silos with one staffing pool

  • DevOps breaks down the silos into one team with one business objective

Maintaining stability:

Organizing for DevOps Organizing for DevOps

Commonality:

  • Both seek to make both Dev and Ops work visible to each other

  • Both require a blameless culture

  • The objective of both is to deploy software faster with stability

    DevOps + SRE:

  • SRE maintains the infrastructure

  • DevOps uses infrastructure to maintain their applications

Organizing for DevOps Organizing for DevOps

Subsections of Introduction to Cloud Computing

Overview of Cloud Computing

Cloud Computing Models

Components of Cloud Computing

Emerging Trends and Practices

Cloud Security, Monitoring, Case Studies, Jobs

Subsections of Introduction to Agile Development and Scrum

Introduction to Agile and Scrum

  • > 70% of organizations have incorporated some Agile approaches. — Project Management Institute
  • 28% more successful using agile than traditional projects. — Price Waterhouse Coopers
  • 47% agile transformations’ failure rate. — Forbes
    • #1 reason is inexperience with implementing and integrating the Agile methodology. — VersionOne
  • Agile is a mindset that requires culture change.
  • It’s hard to learn Agile from just reading a book.
  • Recognizing when something is wrong is just as important as knowing how to do something right.

Introduction to Agile Philosophy: Agile Principles

What is Agile?

Agile is an iterative approach to project management that helps teams be responsive and deliver value to their customers faster

Agile defining characteristics:

Agile emphasizes:

  • Adaptive planning
  • Evolutionary development
  • Early delivery
  • Continual improvement
  • Responsiveness to change

Agile Manifesto:

We have come to value:

Individuals and interactions over processes and tools.

Working software over comprehensive documentation.

Customer collaboration over contract negotiation.

Responding to change over following a plan.

That is, while there is value in the items on the right, we value the items on the left more.

Agile Software development:

  • An iterative approach to software development consistent with Agile Manifesto
  • Emphasizes flexibility, interactivity, and a high level of transparency
  • Uses small, co-located, cross-functional, self-organizing teams

Key takeaway:

Build what is needed, not what was planned.

Methodologies Overview

Traditional Waterfall Development:

Introduction to Agile and Scrum Introduction to Agile and Scrum

Problems with waterfall approach:

  • No provisions for changing requirements
  • No idea if it works until the end
  • Each step ends when the next begins
  • Mistakes found in the later stages are more expensive to fix
  • There is usually a long time between software releases
  • Teams work separately, unaware of their impact on each other
  • The people who know the least about the code are deploying it into production

Extreme Programming (XP)

  • In 1996 Kent Beck introduced XP
  • Based on an interactive approach to software development
  • Intended to improve software quality and responsiveness to changing customer requirements
  • One of the first Agile method

Introduction to Agile and Scrum Introduction to Agile and Scrum

Extreme Programming values:

  • Simplicity
  • Communication
  • Feedback
  • Respect
  • Courage

Kanban

What is Kanban?

Kanban | ‘kanban | noun

(also Kanban system) a Japanese manufacturing system in which the supply of components is regulated through the use of an instruction card sent along the production line.

  • An instruction card used in a Kanban system.

Origin

1970s: Japanese, Literally mean ‘billboard, sign’

Core principles of Kanban:

  • Visualize the workflow
  • Limit work in progress (WIP)
  • Manage and enhance the flow
  • Make process policies explicit
  • Continuously improve

Working Agile

  • Working in small batches
  • Minimum Viable Product (MVP)
  • Behavior Driven Development (BDD)
  • Test Driven Development (TDD) (Gherkin Syntax — Developed by Cucumber Company)
  • Pair programming

Introduction to Scrum Methodology

Agile and Scrum:

  • Agile is a philosophy for doing work (not prescriptive)
  • Scrum is a methodology for doing work (add process)

Scrum Overview

Scrum:

  • Is a management framework for incremental product development

  • Prescribes small, cross-functional, self-organizing teams

  • Provides a structure of roles, meeting, rules, and artifacts

  • Uses fixed-length iterations called sprints

  • Has a goal to build a potentially shippable product increment with every iteration

  • Easy to Understand – Difficult to master

    Sprint:

  • A sprint is one iteration through the design, code, test, and deploy cycle

  • Every sprint should have a goal

  • 2 weeks in duration

Steps in the Scrum process:

Introduction to Agile and Scrum Introduction to Agile and Scrum

Agile development is iterative:

Introduction to Agile and Scrum Introduction to Agile and Scrum

The 3 Roles of Scrum

Scrum roles:

  • Product owner
  • Scrum master
  • Scrum team
  1. Product owner:
  • Represents the stakeholder interests
  • Articulates the product vision
  • Is the final arbiter of requirements’ questions
  • Constantly re-prioritizes the product backlog, adjusting any expectations
  • Accepts or rejects each product increment
  • Decides whether to ship
  • Decides whether to continue development
  1. Scrum master:
  • If your team is experienced, you might skip this role, but if you have a team new to Scrum, you require an experienced Scrum master.
    • Facilitates the Scrum process
    • Coaches the team
    • Creates an environment to allow the team to be self-organizing
    • Shields the team from external interference to keep it “in the zone”
    • Helps resolve impediments
    • Enforces sprint timeboxes
    • Captures empirical data to adjust forecasts
    • Has no management authority over the team
  1. Scrum Team:
  • A cross-functional team consisting of
    • Developers
    • Testers
    • Business analysts
    • Domain experts
    • Others
  • Self-organizing
    • There are no externally assigned roles
  • Self-managing
    • They self-assign their own work
  • Membership: consists of 7 ± 2 collaborative members
  • Co-located: most successful when located in one team room, particularly for the first few Sprints
  • Dedicated: Most successful with long-term, full-time membership
  • Negotiates commitments with the product owner – one sprint at a time
  • Has autonomy regarding how to reach commitments

Artifacts, Events, and Benefits

Scrum Artifacts:

  • Product backlog

  • Sprint backlog

  • Done increment

    Scrum events:

  • Sprint planning meeting

  • Daily Scrum meeting (a.k.a. daily stand-up)

  • Sprint

  • Sprint review

  • Sprint retrospective

    Benefits of Scrum:

  • Higher productivity

  • Better product quality

  • Reduced time to market

  • Increased stakeholders satisfaction

  • Better team dynamics

  • Happier employees

    Scrum vs. Kanban:

Introduction to Agile and Scrum Introduction to Agile and Scrum

Organizing for Success: Organizational impact of Agile

Organize for success:

  • Proper organization is critical to success

  • Existing teams may need to be reorganized

    Conway’s Law:

    “Any organization that designs a system (defined broadly) will produce a design whose structure is a copy of the organization’s communication structure.”

    — Melvin Conway, Datamation, 1968

    Examples of Conway’s Law:

    If you ask an organization with four teams to write a compiler … you will get a 4-pass compiler!

    How teams should be aligned?

  • Teams are loosely coupled, tightly aligned

  • Each team has its own mission aligned with the business (like a “mini startup”)

  • Teams have end-to-end responsibility for what they build

  • The long-term mission is usually around a single business domain

    Autonomy is important:

  • It’s motivating – and motivated people build better stuff

  • It’s fast – decisions happen locally in the team

  • It minimizes handoffs and waiting, so teams don’t get bogged down

The Agile dilemma!

Introduction to Agile and Scrum Introduction to Agile and Scrum

The entire organization must be Agile:

Introduction to Agile and Scrum Introduction to Agile and Scrum

Agile + DevOps = Alignment

Introduction to Agile and Scrum Introduction to Agile and Scrum

Mistaking Iterative Development for Agile

The biggest pitfall for companies is that, they think they’re agile, but actually they’re just doing an iterative work.

Introduction to Agile and Scrum Introduction to Agile and Scrum

Agile is not…

  • Agile isn’t a new version of a waterfall, software development life cycle (SDLC), where you do legacy development in sprints
  • Agile isn’t just the developers working in each sprint, it involves a cross-functional team
  • The Agile Manifesto doesn’t include the term “Agile project management” (and so there are no “project managers” in Agile)

Agile Planning

Planning to be Agile: Destination Unknown

Deadlines:

“I love deadlines… I like the whooshing sound they make as they fly by”. – Douglas Adams

  • How do you avoid this?

    Plan iteratively:

  • Don’t decide everything at the point when you know the least

  • Plan for what you know

  • Adjust as you know more

  • Your estimates will be more accurate

Agile Roles and the Need for Training

Formulas for failure:

  • Product manager becomes product owner
  • Project manager becomes scrum master
  • Developers (alone) become scrum team

Product Manager vs. Product Owner:

Agile Planning Agile Planning

Project Manager vs. Scrum Master:

Agile Planning Agile Planning

Development Team vs. Scrum Team:

Agile Planning Agile Planning

“Until and unless business leaders accept the idea that they are no longer managing projects with fixed functions, timeframes, and costs, as they did with waterfall, they will struggle to use agile as it was designed to be used.”

— Bob Kantor, Founder Kantor Consulting Group, Inc.

The roles have changed:

  • You cannot put people in new roles without the proper training and mindset
  • This mindset must come down from upper management

Kanban and Agile Planning Tools

Agile planning tools:

  • Tools will not make you Agile

  • Tools can support your Agile process

  • Many Agile planning tools

  • ZenHub is one of them

    ZenHub:

  • Plug-in to GitHub

  • Provides a kanban board and project management reporting

  • Customizable and integrated with GitHub

    Why use ZenHub?

  • Helps you manage where you are in a project based on GitHub Issues

  • Provides an easy way to let management know how you are doing

  • Maintains up-to-date status due to integration with GitHub

  • Allows developers to only use one tool – GitHub

What is Kanban Board?

Agile Planning Agile Planning

Real World Example:

Agile Planning Agile Planning

Default ZenHub pipelines:

Agile Planning Agile Planning

User Stories: Creating Good User Stories

What is a user story?

A user story represents a small piece of business value that a team can deliver in an iteration.

Story contents:

Stories should contain:

  • A brief description of the need and business value

  • Any assumptions or details

  • The definition of “done”

    Story description:

  • User stories document a persona requesting a function to achieve a goal:

    As a <some role>

    I need <some function>

    So that <some benefit>

    Assumptions and details:

    It’s important to document what you know;

  • List any assumptions

  • Document any details that may help the developer

    Acceptance criteria:

  • It is critical to document the definition of “done”

  • I like to use the Gherkin syntax

    Given <some precondition>

    When <some event happens>

    Then <some outcome>

    Sample Story:

Agile Planning Agile Planning

Bill Wake’s INVEST:

  • Independent

  • Negotiable

  • Valuable

  • Estimable

  • Small

  • Testable

    Epic:

  • A big idea

  • A user story that is bigger than a single sprint

  • A user story that is too big to estimate on its own

    When to use an epic?

  • When a story is too large in scope it is considered an epic

  • Backlog items tend to start as epics when they are lower priority and less defined

  • For sprint planning, epics should be broken down into smaller stories

Effectively using Story Points

What are story points?

Story point;

  • A metric used to estimate the difficulty of implementing a given user story
  • An abstract measure of overall effort

What does a story point measure?

Agile Planning Agile Planning

Relative T-Shirt sizes

  • Story points acknowledge that humans are bad at estimating time-to-completion

  • Instead, story points use relative T-Shirt sizes (S, M, L, XL)

  • Most tools use Fibonacci numbers (1, 2, 3, 5, 8, 13, 21)

    Agree on what “medium” means:

  • Since story points are relative, it’s important to agree on what “medium” is

  • Then, evaluate from there

  • Is it the same, larger, or smaller than medium

    Story size:

  • A story should be small enough to be coded and tested within a single sprint iteration – ideally, just a few days

  • Large stories should be broken down into smaller ones

    Story point antipattern

  • Equating a story point to wall-clock time

  • Humans are bad at estimating wall-clock time

  • Don’t do it!

Building the Product Backlog

Steps in the Scrum process:

Agile Planning Agile Planning

Product Backlog:

  • A product backlog contains all the unimplemented stories not yet in a sprint
  • Stories are ranked in order of importance and/or business value
  • Stories are more detailed at the top, less detailed at the bottom

Sample requirements:

  • What: A service for counting things
  • Must allow multiple counters
  • Counters must persist across restarts of service
  • Counters can be reset

ZenHub Kanban board:

Agile Planning Agile Planning

Creating new stories

Agile Planning Agile Planning

Story Template:

As a <some role>

I need <some function>

So that <some benefit>

Need a service for counting things:

As a User

I need a service that has a counter

So that I can keep track of how many times something was done

Creating the next story:

Agile Planning Agile Planning

Must allow multiple counters:

As a User

I need to have multiple counters

So that I can keep track of several counts at once

Creating the next story:

Agile Planning Agile Planning

Persist counters across restarts:

As a Service Provider

I need the service to persist the last known count

So that users don’t lose track of their counts after the service is restarted

Creating the last story:

Agile Planning Agile Planning

Counters can be reset:

As a System Administrator

I need the ability to reset the counter

So that I can redo counting from the start

Stories in the backlog:

Agile Planning Agile Planning

Prioritize the product backlog:

Agile Planning Agile Planning

The Planning Process

Backlog Refinement: Getting Started

Backlog refinement:

  • Keep the product backlog ranked by priority so that the important stories are always on the top

  • Break large stories down into smaller ones

  • Make sure that stories near the top of the backlog are groomed and complete

    Backlog refinement meeting:

    Who should attend?

  • Product owner

  • Scrum master

  • Development team (optional)

    • Lead developer/architect

      What is the goal?

  • Groom the backlog by ranking the stories in order of importance

  • Make sure the story contains enough information for a developer to start working on it

Backlog refinement workflow:

Agile Planning Agile Planning

New issue triage:

  • Start with new issue triage

  • Goal: At the end of backlog refinement, the New Issues column is empty

    Take stories from new issues and…

  • Move them into the product backlog if they will be worked on soon

  • Move them into the icebox if they are a good idea but not now

  • Reject them if they are not where you want to go

Agile Planning Agile Planning

Backlog refinement workflow:

  • Product owner sorts the product backlog in order of importance
  • The team may provide estimates and other technical information
  • Large vague items are split and clarified
  • The goal is to make the stories “sprint read”

Complete the story template:

As a <some role>

I need <some function>

So that <some benefit>

Assumptions and Details:

<anything you already know>

Acceptance Criteria:

Given <some precondition>

When <some event>

Then <some measurable outcome>

Need a service that has a counter:

Agile Planning Agile Planning

Must Persist counter across restarts:

Agile Planning Agile Planning

Deploy service to the cloud:

Agile Planning Agile Planning

Ability to reset the counter:

Agile Planning Agile Planning

Backlog Refinement: Finishing Up

Label:

  • Help visualize the work

Labels in GitHub

Agile Planning Agile Planning

Need a service that has a counter:

Agile Planning Agile Planning

Must persist counter across restarts:

Agile Planning Agile Planning

Deploy service to the cloud:

Agile Planning Agile Planning

Ability to reset the counter:

Agile Planning Agile Planning

Technical debt

  • Technical debt is anything you need to do that doesn’t involve creating a new feature

  • Technical debt builds up when you take shortcuts, but may also occur naturally

    Examples of technical debt:

  • Code refactoring

  • Setup and maintenance of environments

  • Changing technology like databases

  • Updating vulnerable libraries

Backlog refinement Tips

  • You should refine the backlog every sprint to ensure the priorities are correct
  • Have at least two sprints’ worth of stories groomed
  • The more time you spend refining the backlog, the easier sprint planning will be

Sprint Planning

  • The purpose of sprint planning is to define what can be delivered in the sprint and how that work will be achieved
  • This is accomplished by producing a sprint backlog

Sprint planning meeting

Who should attend?

  • Product owner

  • Scrum master

  • Development team

    Sprint planning goals:

  • Each sprint should have a clearly defined business goal

  • The product owner describes the goal and product backlog items supporting it

  • It’s important for the whole team to understand why they are building the increment

    Mechanics of sprint planning

    The development team;

  • Takes stories from the top of the product backlog and assigns them to the sprint backlog

  • Assigns story points and labels

  • Ensures each story contains enough information for a developer to start working on it

  • Stops adding stories when the team’s velocity is reached

    Team velocity:

  • The number of story points a team can complete in a single sprint

  • This will change over time as the team gets better at estimating and better at executing

  • The velocity is unique to the team because the story point assignment is unique to the team

    Create a sprint milestone:

  • Create a sprint milestone to start the sprint

  • The milestone title should be short

  • The description should document the milestone goal

  • The duration should be 2 weeks

Create a milestone:

Agile Planning Agile Planning

Executing the Plan

Workflow for Daily Plan Execution

Steps in the Scrum Process:

Daily Execution Daily Execution

The Sprint:

  • A sprint is one iteration through the design, code, test, deploy cycle

  • It is usually 2 weeks in duration

  • Every sprint should have a goal

    Daily Execution:

  • Take the next highest priority item from the sprint backlog

  • Assign it to yourself

  • Move it in process

Daily Execution Daily Execution

  • No one should have more than one story assigned to them unless they are blocked
  • When you are finished, move the story to Review/QA and open a PR
  • When the PR is merged, move the story to the Done column

The Daily Stand-Up

  • Occurs every day at the same time and place

  • Sometimes called the “daily Scrum”

  • Each team member briefly reports on their work

  • Called a “stand-up” during the meeting to keep it short

  • Timeboxed to 15 mins

  • Not a project status meeting – all status should be tabled for later discussion

    Daily stand-up meeting:

    Who should attend?

  • Scrum master

  • Development team

  • Product owner (optional)

    Daily stand-up question:

    Each team member answers three questions:

    1. What did I accomplish the previous day?
    2. What will I work on today?
    3. What blockers or impediments are in my way?

    Impediments and blockers:

  • Impediments identified by the team should be unblocked by the scrum master

  • Developers that are blocked should work on the next story

    Tabled topics:

  • Topics raised during the daily stand-up should be held until the meeting has ended

  • Anyone interested in those topics can stay to discuss

Completing the Sprint

Using Burndown Charts

Milestones and burndowns:

  • Milestones can be created for anything in your project

    • sprint, beta drop, demo, release…
  • Burndown charts can be used to measure your progress against a milestone

    Burndown chart:

  • The measurement of story points completed vs. story points remaining for a sprint

  • Over time the story points remaining should go down, hence the name: burndown

Burndown chart examples:

Daily Execution Daily Execution

The Sprint Review

  • Live demonstration of implemented stories

  • Product owner determines if stories are done based on acceptance criteria

  • Done stories are closed

    Sprint Review meeting:

    Who should attend?

  • Product owner

  • Scrum master

  • Development team

  • Stakeholders

  • Customers (Optional)

    Sprint review:

  • Feedback gets converted into new product backlog stories

  • This is where iterative development allows the creation of products that couldn’t have been specified up-front in a plan-driven approach

    Rejected Stories:

  • What about stories that are not considered done?

  • Add a label to indicate this and close them

  • Write a new story with new acceptance criteria

  • This will keep the velocity more accurate

The Sprint Retrospective

  • A meeting to reflect on the sprint

  • Measures the health of the process

  • The development team must feel comfortable to speak freely

    Who attend the meeting:

  • Scrum master

  • Development team

    A time for reflection:

    Three questions are answered:

    1. What went well? (keep doing)
    2. What didn’t go well? (stop doing)
    3. What should we change for the next sprint?

    The goal is improvement:

  • This is critical for maintaining a healthy team

  • The scrum master must ensure that changes are made as a result of the feedback

  • The goal is to improve for the next sprint

Measuring Success

Using Measurements Effectively

Measurements and metrics:

  • You can’t improve what you can’t measure

  • High performing teams use metrics to continually improve

  • They take baselines and set goals and measure against them

  • Beware of vanity metrics

  • Look for the actionable metrics

    Baselines and Goals:

    Baseline:

  • It currently requires 5 size team members, 10 hours to deploy a new release of your product

  • This costs you $X for every release

    Goals:

  • Reduce deployment time from 10 hours to 2 hours

  • Increase percentage of defects detected in testing from 25% to 50%

Top 4 actionable metrics:

  1. Mean Lead Time
  • How long does it take from the idea to production?
  1. Release Frequency
  • How often can you deliver changes?
  1. Change Failure Rate
  • How typically do changes fail?
  1. Meantime to Recovery (MTTR)

How quickly can you recover from failure?

Example metrics:

  • Reduce time-to-market for new features
  • Increase overall availability of the product
  • Reduce the time it takes to deploy a software release
  • Increase the percentage of defects detected in testing before production release
  • Provide performance and user feedback to the team in a more timely manner

Getting Ready for the Next Sprint

End of sprint activities:

  • Move stories from done to closed

  • Close the current milestone

  • Create a new sprint milestone

  • Adjust unfinished work

    Handling untouched stories:

  • Stories not worked on can be moved to the top of the product backlog

  • Resist the urge to move them to the next sprint

  • Remember to unassign them from the sprint milestone

    Handling unfinished stories:

  • Don’t move unfinished stories into the next sprint!

  • Give the developers credit for the work they did

  • This will keep your velocity more accurate

  • Adjust the description and story points of the unfinished story, label it unfinished, and move it to done

  • Write a new story for the remaining work

  • Assign remaining story points and move it to the next sprint

    Ready for the next sprint:

  • All stories assigned to the current sprint are closed

  • All unfinished stories are reassigned

  • The sprint milestone is closed

  • A new sprint milestone is created

Agile Anti-Patterns and Health Check

Agile Anti-Patterns:

  • No real product owner/Multiple product owners

  • Teams are too large

  • Teams are not dedicated

  • Teams are too geographically distributed

  • Teams are siloed

  • Teams are not self-managing

    YOU WILL FAIL!

    …and you should not wonder why.

Scrum health check:

  • The accountabilities of product owner, development team(s) and Scrum master are identified and enacted
  • Work is organized in consecutive sprints of 2–4 weeks or fewer
  • There is a sprint backlog with a visualization of remaining work for the sprint
  • At sprint planning a forecast, a sprint backlog, and a sprint goal are created
  • The result of the daily Scrum is work being re-planned for the next day
  • No later than by the end of the sprint, a Done increment is created
  • Stakeholders offer feedback as a result of inspecting the increment at the sprint review
  • Product backlog is updated as a result of the sprint review
  • Product owner, development team(s) and Scrum master align on the work process for their next sprint at the sprint retrospective

Subsections of Introduction to Software Engineering

SDLC - The Software Development Lifecycle

What is Software Engineering?

  • Application of scientific principles for design and creation of software
  • Systematic approach to software development
    • Design
    • Build
    • Test

Software Crisis:

  • Began in mid-1960s

  • Resulted from software development that ran over budget and behind schedule with unmanageable and buggy code

  • By the time old software solutions were developed, the newer technologies got the traction, and code refactoring would become necessary

  • Solutions didn’t scale well to large projects

    Engineering principles:

  • Resolved as standardized methods in software engineering and computer-aided software engineering (CASE) tools were developed

The Software Development Lifecycle The Software Development Lifecycle

Software engineer vs. software developer:

Engineer Developer
Also developers Narrower in scope than SE
Broad, big picture knowledge base Creative approaches
Systematic development process Write code to implement specific functionality and solve specific problems
Focus on structure

SE responsibilities:

  • Design, build and maintain software systems

  • Write and test code

  • Consult with stakeholders, third party vendors’ security specialists, and other team members

    Software Development Life Cycle (SDLC):

  • Scientific approach to software development

  • Guides the software development process

  • Identifies discrete steps needed to develop software

Introduction to SDLC

  • Systematic process to develop high-quality software

  • Aims to produce software that meets requirements

  • Defined phases with their own processes and deliverables

  • Cycle of planning, design, and development

  • Minimizes development risks and costs

    History of the SDLC:

  • Conceived of in the mid-1960s

  • A deliberate approach needed to manage complex projects

  • Initially used the waterfall method

  • Adapted to use iterative methods

    Advantages of the SDLC:

  • Improves efficiency and reduce risks

  • Team members know what they should be working on and when

  • Facilitates communication among stakeholders

  • Team members know when development can move to the next phase

  • Respond to changing requirements

  • Solve problems early in the process

  • Reduces overlapping responsibilities

Phases of the SDLC

  • Organizations may have different names for each stage
  • Some organizations have more or fewer stages

The Software Development Lifecycle The Software Development Lifecycle

Phase 1: Planning

Requirements;

  • Gathered
  • Analyzed
  • Documented
  • Prioritized

The Software Development Lifecycle The Software Development Lifecycle

Prototyping:

  • Small-scale replica to clarify requirements

  • Tests design ideas

  • Can be developed at various stages of the SDLC

    Software Requirements Specification:

  • Requirements are documented in the SRS

  • All stakeholders must agree

Phase 2: Design

The Software Development Lifecycle The Software Development Lifecycle

Phase 3: Development

Development starts when the design document is finalized and sent to the developers to write code for it.

Phase 4: Testing

  • Code is tested to ensure stability, security, and that it meets requirements from the SRS

  • Bugs reported, tracked, fixed, and retested

    Some common tests:

  • Unit testing

  • Integration testing

  • System testing

  • Acceptance testing

Phase 5: Deployment

The Software Development Lifecycle The Software Development Lifecycle

Phase 6: Maintenance

The Software Development Lifecycle The Software Development Lifecycle

Building Quality Software

Common software engineering processes:

  • Requirements gathering
  • Design
  • Coding for quality
  • Testing
  • Release
  • Documenting

Requirement Gathering

  • The SRS encompasses the process of collecting and documenting the set of requirements that the software needs to adhere to

  • It may include a set of use cases that describe the business needs and user flows that the software must implement

    Software requirements can be classified into four broad categories:

    1. Functionality
    2. External & user interface
    3. System features
    4. Non-functional

Design

  • Transforming requirements into code
  • Breaking down requirements into sets of related components
  • Communicating business rules and application logic

Coding for quality

It refers to characteristics of the code, including attributes:

  • Maintainability

  • Readability

  • Testability

  • Security

    Quality code must fulfill the intended requirements of the software without defects

  • Clean and consistent

  • Easy to read and maintain

  • Well documented

  • Efficient

    Coding for quality entails a following set of coding practices during development;

  • Following coding standards

  • Using linters to detect errors

  • Commenting in the code itself to make it easy to understand and modify

Testing

The process of verifying that the software matches established requirements and is free of bugs

  • Identify errors, gaps, or missing requirements

  • Ensures reliability, security, performance, and efficiency

  • Software testing can often be automated or done manually

    The types of testing are;

  • Unit testing

  • Integration testing

  • System testing

  • User acceptance testing (UAT) or Beta testing

Releases

Alpha Beta General Availability
Select stakeholders All stakeholders Stable
May contain errors User testing All users
Preview of functioning version Meets requirements
Design changes may occur

Documenting

System documentation:

README files, inline comments, architecture and design documents, verification information, and maintenance guides

User documentation:

User guides, instructional videos, manuals, online and inline help

Requirements

Steps to gathering requirements:

  • Identifying stakeholders
  • Establishing goals and objectives
  • Eliciting requirements from the stakeholders
  • Documenting the requirements
  • Analyzing and confirming the requirements
  • Prioritizing

1) Identifying stakeholders

Key personnel:

  • Decision-makers
  • End-users
  • System administrators
  • Engineering Marketing
  • Sales
  • Customer support

2) Establishing goals and objectives

Goals: broad, long-term achievable outcomes

Objectives: actionable, measurable actions that achieve the goal

3) Eliciting, documenting, confirming

Elicit:

  • Surveys

  • Questionnaires

  • Interviews

    Document:

  • Align with goals and objectives

  • Easily understood

    Confirm:

  • Consistency

  • Clarity

  • Completeness

4) Prioritizing

  • Must-have
  • Highly desired
  • Nice to have

Requirements documentation:

  • Software requirements specification (SRS)
  • User requirements specification (URS)
  • System requirements specification (SysRS)

1) Software requirements specification (SRS)

  • Captures functionalities the software should perform
  • Establishes benchmarks / service-levels for performance
  • Purpose and scope
    • Purpose
      • Who has access to the SRS
      • How it should be used
    • Scope - Software benefits
  • Constraints, assumptions, dependencies
    • Constraints: how the software must operate under given conditions
    • Assumptions: required OS or hardware
    • Dependencies: on other software products
  • Requirements
    • Functional: functions of the software
    • External interface: users and interactions with other hardware or software
    • System features: functions of the system
    • Non-functional: performance, safety, security, quality

2) User requirements specification (URS)

  • Describe business need and end-user expectations
  • User stories:
    • Who is the user?
    • What is the function that need to be performed?
    • Why does the user want this functionality?
  • Confirmed during user acceptance testing
  • Often combined into the SRS

3) System Requirements Specification (SysRS)

  • Outlines requirements of the system
  • Broader than an SRS
  • Contains;
    • System capabilities
    • Interface and user characteristics
    • Policy
    • Regulation
    • Personnel
    • Performance
    • Security
    • System acceptance criteria
    • Hardware expectations

The Software Building Process and Associated Roles

Software Development Methodologies

Common development methodologies:

A process is needed to clarify communication and facilitates information sharing among team members.

Some of these methodologies are:

  • Waterfall

The Software Development Lifecycle The Software Development Lifecycle

  • V-shape model

The Software Development Lifecycle The Software Development Lifecycle

  • Agile

The Software Development Lifecycle The Software Development Lifecycle

Sequential vs. iterative:

The Software Development Lifecycle The Software Development Lifecycle

Waterfall pros and cons

The Software Development Lifecycle The Software Development Lifecycle

V-shape model pros and cons

The Software Development Lifecycle The Software Development Lifecycle

Agile pros and cons

The Software Development Lifecycle The Software Development Lifecycle

Software Versions

  • Software versions are identified by version numbers, indicate:

    • When the software was released
    • When it was updated
    • If any minor changes or fixes were made to the software
  • Software developers use versioning to keep track of new software, updates, and patches

    Version numbers:

  • Version numbers can be short or long, with 2, ,3, or 4 set

  • Each number set is divided by a period

  • An application with a 1.0 version number indicates the first release

  • Software with many releases and updates will have a larger number

  • Some use dates for versioning, such as Ubuntu Linux version 18.04.2 released in 2018 April, with a change shown in the third number set

    What do version numbers mean?

    Some version numbers follow the semantic numbering system, and have 4 parts separated by a period

  • the first number indicates major changes to the software, such as a new release

  • The second number indicates that minor changes were made to a piece of software

  • The third number in the version number indicates patches or minor bug fixes

  • The fourth number indicates build numbers, build dates, and less significant changes

The Software Development Lifecycle The Software Development Lifecycle

Version compatibility:

  • Older versions may not work as well in newer versions
  • Compatibility with old and new versions of software is a common problem
  • Troubleshoot compatibility issues by viewing the software version
  • Update software to a newer version that is compatible
  • Backwards-compatible software functions properly with older versions of files, programs, and systems

Software Testing

  • Integrate quality checks throughout SDLC
  • Purpose
    • Ensure software meets requirements
    • Error-free software

Test cases:

The Software Development Lifecycle The Software Development Lifecycle

Three types of testing:

The Software Development Lifecycle The Software Development Lifecycle

  1. Functional testing:

The Software Development Lifecycle The Software Development Lifecycle

The purpose of functional is to check:

  • Usability
  • Accessibility
  1. Non-functional testing

Its attributes are:

  • Performance
  • Security
  • Scalability
  • Availability

Non-functional testing questions:

  • How does the application behave under stress?
  • What happens when many users log in at the same time?
  • Are instructions consistent with behavior?
  • How does the application behave under different OSs?
  • How does the application handle disaster recovery?
  • How secure is the application?
  1. Regression Testing
  • Confirms changes don’t break the application
  • Occurs after fixes such as change in requirements or when defects are fixed

Choosing test cases for regression testing:

The Software Development Lifecycle The Software Development Lifecycle

Testing levels

Unit → Integration → System → Acceptance

  1. Unit testing
  • Test a module code
  • Occurs during the build phase of the SDLC
  • Eliminate errors before integration with other modules
  1. Integration testing
  • Identify errors introduced when two or more modules are combined
  • Type of black-box test
  • Occurs after modules are combined into larger application

Purpose of integration testing:

The Software Development Lifecycle The Software Development Lifecycle

  1. System testing
  • Compliance with SRS
  • Validate the system
  • Functional and non-functional
  • Staging environment
  1. Acceptance testing

The Software Development Lifecycle The Software Development Lifecycle

Software Documentation

  • Written assets

  • Video assets

  • Graphical assets

    Product vs. process documentation:

    Product Documentation Process Documentation
    Relates to product functionality Describes how to complete a task

Types of product documentation

The Software Development Lifecycle The Software Development Lifecycle

  1. Requirements documentation

Intended for the development team including developers, architects, and QA. Describes expected features and functionality.

It includes:

  • SRS
  • SysRS
  • User acceptance specification
  1. Design documentation

Written by architects and development team to explain how the software will be built to meet the requirements.

  • Consists of both conceptual and technical documents
  1. Technical documentation

Written in the code to help developers read the code:

  • Comments embedded in code and working papers that explain how the code works, documents that record ideas and thoughts during implementation
  1. Quality Assurance documentation

Pertains to the testing team’s strategy progress, and metrics:

  • Test plans, test data, test scenarios, test cases, test strategies, and traceability matrices
  1. User documentation

Intended for end-users to explain to operate software or help install and troubleshoot system:

  • FAQs, installation and help guides, tutorials, and user manuals

Standard operating procedures

  • Accompanies process documentation
  • Step-by-step instructions on how to accomplish common yet complex tasks
  • Ex: organization specific instructions for check in code to a repository
  • Types of SOPs
    • Flowcharts
    • Hierarchical
    • Step-by-step

Updating documentation

  • Must be kept up-to-date
  • Documentation should be reviewed and updated periodically

Roles in Software Engineering Projects

  • Project manager / Scrum master

The Software Development Lifecycle The Software Development Lifecycle

  • Stakeholders

The Software Development Lifecycle The Software Development Lifecycle

  • System / software architect

The Software Development Lifecycle The Software Development Lifecycle

  • UX Designer

The Software Development Lifecycle The Software Development Lifecycle

  • Developer

The Software Development Lifecycle The Software Development Lifecycle

  • Tester / QA engineer

The Software Development Lifecycle The Software Development Lifecycle

  • Site reliability / Ops engineer

The Software Development Lifecycle The Software Development Lifecycle

  • Product manager / Product owner

The Software Development Lifecycle The Software Development Lifecycle

  • Technical writer / Information developer

The Software Development Lifecycle The Software Development Lifecycle

Introduction to Software Development

Overview of Web and Cloud Development

Cloud Applications

  • Built to work seamlessly with a Cloud-based back-end infrastructure

  • Cloud-based data storage and data processing, and other Cloud services, making them scalable and resilient

    Building websites and cloud applications:

    The environment is divided into two primary areas:

  1. Front-End
  • Deals with everything that happens at the client-side
  • Specializes in front-end coding, using HTML, CSS, JavaScript and related frameworks, libraries, and tools
  1. Back-End
  • Deals with the server before the code and data are sent to the client
  • Handles the logic and functionality and the authentication processes that keep data secure
  • Back-end developers may also work with relational or NoSQL databases

Full-stack developers have skills, knowledge, and experience in both front-end and back-end environments.

Developers Tools:

  • Code editor
  • IDE

Learning Front-End Development

  • HTML is used to create the structure and CSS is used to design it and make it appealing

  • CSS is also used to create websites that have cross browser compatibility such as PC, mobiles devices etc.

  • JS adds interactivity

    A front-end development language is Syntactically Awesome Style Sheets (SASS)

  • An extension of CSS that is compatible with all versions of CSS.

  • SASS enables you to use things like variables, nested rules, inline imports to keep things organized.

  • SASS allows you to create style sheets faster and more easily.

    Learner Style Sheets (LESS)

  • LESS enhances CSS, adding more styles and functions.

  • It is backwards compatible with CSS.

  • Less.js is a JS tool that converts the LESS styles to CSS styles.

    Websites are designed as reactive and responsive

  • Reactive or adaptive websites display the version of the website designed for a specific screen size.

  • A website can provide more information if opened on a PC than when opened on a mobile device.

  • Responsive design of a website means that it will automatically resize to the device.

  • If you open up a products’ website on your mobile device, it will adapt itself to the small size of the screen and still show you all the features.

JavaScript’s frameworksorks:

Angular Framework:

  • an open-source framework maintained by google

  • Allows websites to render HTML pages quickly and efficiently

  • Tools for routing and form validation

    React.js:

  • Developed and maintained by Meta

  • It is a JS library that builds and renders components for a web page

  • Routing is not a part of this framework and will need to be added using a third-party tool

    Vue.js:

  • maintained by the community and its main focus is the view layer which includes UI, buttons, visual components

  • Flexible, scalable, and integrates well with other frameworks

  • Very adaptable – it can be a library, or it can be the framework

    The task of a front-end developer evolves continuously.

  • The technologies are upgraded constantly, and so the front-end developers need to keep upgrading the websites that they create.

  • The websites that they create should work in multiple browsers, multiple operating systems, and multiple devices.

The importance of Back-End Development

  • Creates and manages resources needed to respond to client requests

  • Enables server infrastructure to process request, supply data and provide other services securely

    What does the back-end developer do?

  • Process the data you enter while browsing, such as:

    • Login information
    • Product searches
    • Payment information
  • Write and maintain the parts of the application that process the inputs

Back-End Developer skills:

Examples of tasks and associated skills that back-end developers need:

Introduction to Software Development Introduction to Software Development

APIs, routing, and endpoints:

  • APIs, routes, and endpoints process requests from the Front-End
    • API is a code that works with data
    • Routes is a path to a website or page
    • Endpoint can be an API or route
  • Back-end developers create routes to direct requests to correct service
  • APIs provide a way for Cloud Apps to access resources from the back-end

Back-end languages and frameworks:

Some popular back-end languages are:

  • JavaScript
    • Node.js
    • Express
  • Python
    • Django
    • Flask

Working with databases:

Languages and tools for working with databases:

  • Structured Query Language (SQL)
  • Object-Relational Mapping (ORM)

Introduction to Software Development Introduction to Software Development

Introducing Application Development Tools

A cloud application developer’s workbench includes:

  • Version Control
  • Libraries
    • Collection of reusable code
    • Multiple code libs can be integrated into a project
    • Call from your code when required
    • Used to solve a specific problem or add a specific feature

Introduction to Software Development Introduction to Software Development

Frameworks:

  • Provide a standard way to build and deploy applications

  • Act as a skeleton you extend by adding your own code

  • Dictate the architecture of the app

  • Call your code

  • Allow you less control than libs

    Inversion of Control:

  • Libs allow you to call functions as when required

  • Frameworks define the workflow that you must follow

  • Inversion of control makes the framework extensible

    Introduction to Software Development Introduction to Software Development

    More tools:

  • CI/CD

  • Build tools

    • Transform source code into binaries for installation
    • Important in environments with many interconnected projects and multiple developers
    • Automate tasks like
      • Downloading dependencies
      • Compiling source code into binary code
      • Packaging that binary code
      • Running Tests
      • Deployment to production systems

Examples of Build Tools:

Introduction to Software Development Introduction to Software Development

Packages:

  • Packages make apps easy to install
  • Packages contain
    • App files
    • Instructions for installation
    • Metadata

Package managers:

  • Make working with packages easier
  • Coordinate with file archives to extract package archives
  • Verify checksums and digital certificates to ensure the integrity and authenticity of the package
  • Locate, download, install, or update existing software from a software repository
  • Manage dependencies to ensure a package is installed with all packages it requires

Package Managers by platform:

Introduction to Software Development Introduction to Software Development

Cloud application package managers:

Introduction to Software Development Introduction to Software Development

Introduction to Software Stacks

What is a software stack?

  • Combination of technologies

  • Used for creating applications and solutions

  • Stacked in a hierarchy to support the application from user to computer hardware

  • Typically include;

    • Front-end technologies
    • Back-end technologies

    Parts of the software stack:

    Introduction to Software Development Introduction to Software Development

    Examples of software stack:

  • Python-Django

  • Ruby on Rails

  • ASP .NET

  • LAMP

  • MEAN

  • MEVN

  • MERN

LAMP Stack:

Introduction to Software Development Introduction to Software Development

MEAN and relasted stacks:

Introduction to Software Development Introduction to Software Development

Comparison of MEAN, MEVN, and LAMP:

  • MEAN
    • All parts use JS – one language to learn
    • Lost of documentation and reusable code
    • Not suited to large-scale applications or relational data
  • MEVN
    • Similar to MEAN
    • Less reusable libs
  • LAMP
    • Lots of reusable code and support
    • Only on Linux
    • Not suited in non-relational data
    • Uses different languages

Programming Languages and Organization

Interpreted and Compiled Programming Languages

Interpreted programming:

Basics of Programming Basics of Programming

Interpreted programming examples:

Basics of Programming Basics of Programming

Compiled programming:

  • Programs that you run on your computer
  • Packaged or compiled into one file
  • Usually larger programs
  • Used to help solve more challenging problems, like interpreting source code

Basics of Programming Basics of Programming

Compiled programming examples:

  • C, C++, and C# are used in many OSs, like MS Windows, Apple macOS and Linux
  • Java works well across platforms, like the Android OS

Compiled programming:

Basics of Programming Basics of Programming

Comparing Compiled and Interpreted Programming Languages

Choosing a programming language:

Developers determine what programming language is best to use depending on:

  • What they are most experienced with and trust
  • What is best for their users
  • What is the most efficient to use

Programming languages:

Basics of Programming Basics of Programming

Interpreted vs. compiled

Basics of Programming Basics of Programming

Query and Assembly Programming Languages

Programming language levels:

High-level programming languages:

  • More sophisticated

  • Use common English

  • SQL, Pascal, Python

    Low-level programming languages:

  • Use simple symbols to represent machine code

  • ARM, MIPS, X86

Query languages:

  • A query is a request for information from a database
  • The database searches its tables for information requested and returns results
  • Important that both the user application making the query and the database handling the query are speaking the same language
  • Writing a query means using predefined and understandable instructions to make the request to a database
  • Achieved using programmatic code (query language/database query language)
  • Most prevalent database query language is SQL
  • Other query languages available:
    • AQL, CQL, Datalog, and DMX

SQL vs. NoSQL:

  • NoSQL (Not Only SQL)
  • Key difference is data structures
  • SQL databases:
    • Relational
    • Use structured, predefined schemas
  • NoSQL databases:
    • Non-relational
    • Dynamic schemas for unstructured data

How does a query language work?

Query language is predominantly used to:

  • Request data from a database
  • Create, read, update, and delete data in a database (CRUD)
  • Database consists of structured tables with multiple row and columns of data

When a user performs a query, the database:

  1. retrieve data from the table
  2. Arranges data into some sort of order
  3. Returns and presents query results

Query statements:

  • Database queries are either:

    • Select commands
    • Action commands (CREATE, INSERT, UPDATE)
  • More common to use the term “statement”

  • Select queries request data from a database

  • Action queries manipulate data in a database

    Common query statements:

Basics of Programming Basics of Programming

query statement examples:

Basics of Programming Basics of Programming

Assembly Languages

  • Less sophisticated than query languages, structured programming languages, and OOP languages

  • Uses simple symbols to represent 0s and 1s

  • Closely tied to CPU architecture

  • Each CPU type has its own assembly language

    Assembly language syntax:

  • Simple readable format

  • Entered one line at a time

  • One statement per line

    {lable} mnemonic {operand list} ;{comment}
    mov TOTAL, 212 ;Transfer the value in the memory variable TOTAL

    Assemblers:

  • Assembly languages are translated using an assembler instead of a compiler or interpreter

  • One statement translates into just one machine code instruction

  • Opposite to high-level languages where one statement can be translated into multiple machine code instructions

    Translate using mnemonics:

  • Input (INP), Output (OUT), Load (LDA), Store (STA), Add (ADD)

    Statements consist of:

  • Opcodes that tell the CPU what to do with data

  • Operands that tell the CPU where to find the data

Understanding Code Organization Methods

Pseudocode vs. flowcharts:

Pseudocode Flowcharts
Informal, high-level algorithm description Pictorial representation of algorithm, displays steps as boxes and arrows
Step-by-step sequence of solving a problem Used in designing or documenting a process or program
Bridge to project code, follows logic Good for smaller concepts and problems
Helps programmers share ideas without extraneous waste of creating code Provide easy method of communication about logic behind concept
Provides structure that is not dependent on a programming language Offer good starting point for project

Flowcharts:

  • Graphical or pictorial representation of an algorithm
  • Symbols, shapes, and arrows in different colors to demo a process or program
  • Analyze different methods of solving a problem or completing a process
  • Standard symbols to highlight elements and relationships

Basics of Programming Basics of Programming

Flowchart software:

Basics of Programming Basics of Programming

Pseudocode:

Basics of Programming Basics of Programming

Pseudocode Advantages:

  • Simply explains each line of code
  • Focuses more on logic
  • Code development stage is easier
  • Word/phrases represent lines of computer operations
  • Simplifies translation to code
  • Code in different computer languages
  • Easier review by development groups
  • Translates quickly and easily to any computer language
  • More concise, easier to modify
  • Easier than developing a flowchart
  • Usually less than one page

Programming Logic and Concepts

Branching and Looping Programming Logic

Introduction to programming logic:

Basics of Programming Basics of Programming

Boolean expressions and variables:

Basics of Programming Basics of Programming

Branching programming logic:

Branching statements allow program execution flow:

  • if
  • if-then-else
  • Switch
  • GoTo

Basics of Programming Basics of Programming

Looping programming logic:

While loop: Condition is evaluated before processing, if true, then loop is executed

For loop: Initial value performed once, condition tests and compares, if false is returned, loop is stopped

Do-while loop: Condition always executed after the body of a loop

Basics of Programming Basics of Programming

Introduction to Programming Concepts

What are identifiers?

  • Software developers use identifiers to reference program components
    • Stored values
    • Methods
    • Interfaces
    • Classes
  • Identifiers store two types of data values:
    • Constants
    • Variables

What are containers?

  • Special type of identifiers to reference multiple program elements

    • No need to create a variable for every element
    • Faster and more efficient
    • Ex:
      • To store six numerical integers – create six variables
      • To store 1,000+ integers – use a container
  • Arrays and vectors

    Arrays:

  • Simplest type of container

  • Fixed number of elements stored in sequential order, starting at zero

  • Declare an array

    • Specify data type (int, bool, str)
    • Specify max number of elements it can contain
  • Syntax

    • Data type > array name > array size []
    int my_array[50]

Vectors:

  • Dynamic size
  • Automatically resize as elements are added or removed
    • a.k.a. ‘dynamic arrays’
  • Take up more memory space
  • Take longer to access as not stored in sequential memory
  • Syntax
    • Container type/data type in <>/name of array
vector <int> my_vector;

What are functions?

  • Consequence of modular programming software development methodology

    • Multiple modular components
  • Structured, stand-alone, reusable code that performs a single specific action

  • Some languages refer to them as subroutines, procedures, methods, or modules

    Two types:

  • Standard library functions – built-in functions

  • User-defined functions – you write yourself

What are objects?

  • Objects are key to understanding object-oriented programming (OOP)
  • OOP is a programming methodology focused on objects rather than functions
  • Objects contain data in the form of properties (attributes) and code in the form of procedures (methods)
  • OOP packages methods with data structures
    • Objects operate on their own data structure

Basics of Programming Basics of Programming

Objects in programming

  • Consist of states (properties) and behaviors (methods)
  • Store properties in fields (variables)
  • Expose their behaviors through methods (functions)

Software Architecture Design and Patterns

Introduction to Software Architecture

Software architecture and design:

  • Design and documentation take place during the design phase of the SDLC

  • Software architecture is the organization of the system

  • Serves as a blueprint for developers

  • Comprised of fundamentals structures and behaviors

    Early design decisions:

  • How components interact

  • Operating environment

  • Design principles

  • Costly to change once implemented

  • Addresses non-functional aspects

    Why software architecture is important:

  • Communication

  • Earliest design decisions

  • Flexibility

  • Increases lifespan

    Software architecture and tech stacks:

  • Guides technology stack choice

  • Tech stacks must address non-functional capabilities

  • Tech stacks include:

    • Software
    • Programming languages
    • Libs
    • Frameworks
    • Architects must weigh advantages and disadvantages of tech stack choices

Artifacts

  • Software design document (SDD)
  • Architectural diagrams
  • Unified modeling language (UML) diagrams
  1. Software Design Document (SDD)
  • Collection of tech specs regarding design implementation
  • Design considerations:
    • Assumptions
    • Dependencies
    • Constraints
    • Requirements
    • Objectives
    • Methodologies
  1. Architectural diagrams
    It displays:
  • Components
  • Interactions
  • Constraints
  • Confines
  • Architectural patterns
  1. UML diagrams
  • Visually communicate structures and behaviors
  • Not constrained by a programming language

Deployment considerations

  • Architecture drives production environment choices
  • Production environment is the infrastructure that runs and delivers the software
    • Servers
    • Load balancers
    • Databases

Software Design and Modeling

Software Design:

Software design is a process to document:

  • Structural components

  • Behavioral attributes

    Models express software design using:

  • Diagrams and flowcharts

  • Unified Modeling Language (UML)

    Characteristics of structured design:

  • Structural elements: modules & submodules

  • Cohesive

  • Loosely coupled

    Structure diagram example:

Software Architecture Design and Patterns Software Architecture Design and Patterns

Behavioral models:

  • Describe what a system does but doesn’t explain how it does it
  • Communicate the behavior of the system
  • Many types of behavioral UML diagrams
    • State transition
    • Interaction

Unified Modeling Language (UML):

  • Visual representations to communicate architecture, design, and implementation
  • Two types: structural and behavioral
  • Programming language agnostic

Advantages of Unified Modeling Language (UML):

Software Architecture Design and Patterns Software Architecture Design and Patterns

State transition diagram example:

Software Architecture Design and Patterns Software Architecture Design and Patterns

Interaction diagram:

Software Architecture Design and Patterns Software Architecture Design and Patterns

Object-Oriented Analysis and Design

Object-Oriented Languages:

  • A patient could be an object
  • An object contains data, and an object can perform actions

Software Architecture Design and Patterns Software Architecture Design and Patterns

Classes and objects:

Software Architecture Design and Patterns Software Architecture Design and Patterns

Object-Oriented analysis and design:

  • Used for a system that can be modeled by interacting objects
  • OOAD allows developers to work on different aspects of the same application at the same time
  • Visual UML diagrams can be made to show both static structure and dynamic behavior of a system

Class diagram:

Software Architecture Design and Patterns Software Architecture Design and Patterns

Software Architecture Patterns and Deployment Topologies

Approaches to Application Architecture

What is component?

  • An individual unit of encapsulated functionality
  • Serves as a part of an application in conjunction with other components

Component characteristics:

  1. Reusable: reused in different applications
  2. Replaceable: easily replaced with another component
  3. Independent: doesn’t have dependencies on other components
  4. Extensible: add behavior without changing other components
  5. Encapsulated: doesn’t expose its specific implementation
  6. Non-context specific: operates in different environments

Components examples:

Software Architecture Design and Patterns Software Architecture Design and Patterns

Component-based architecture:

  • Decomposes design into logical components
  • Higher level abstraction than objects
  • Defines, composes, and implements loosely coupled independent components, so they work together to create an application

Services

  • Designed to be deployed independently and reused by multiple systems
  • Solution to a business need
  • Has one unique, always running instance with whom multiple clients communicate

Software Architecture Design and Patterns Software Architecture Design and Patterns

Examples of Services:

  • A service is a component that can be deployed independently
  • Checking a customer’s credit
  • Calculating a monthly loan payment
  • Processing a mortgage application

Service-oriented architecture:

  • Loosely coupled services that communicate over a network
  • Supports building distributed systems that deliver services to other applications through the communication protocol

Distributed systems

  • Multiple services located on different machines
  • Services coordinate interactions via a communication protocol such as HTTP
  • Appears to the end-user as a single coherent system

Distributed system characteristics:

  • Shares resources
  • Fault-tolerant
  • Multiple activities run concurrently
  • Scalable
  • Runs on a variety of computers
  • Programmed in a variety of languages

Nodes:

  • Any devices on a network that can recognize, process, and transmit data to other nodes on the network
  • Distributed systems have multiple interconnected nodes running services

Distributed system architectures:

Software Architecture Design and Patterns Software Architecture Design and Patterns

Architectural Patterns in Software

Types of architectural patterns:

Software Architecture Design and Patterns Software Architecture Design and Patterns

2-tier

Software Architecture Design and Patterns Software Architecture Design and Patterns

3-tier

Software Architecture Design and Patterns Software Architecture Design and Patterns

Peer-to-peer (P2P)

Software Architecture Design and Patterns Software Architecture Design and Patterns

Event-driven

Software Architecture Design and Patterns Software Architecture Design and Patterns

Microservices

Software Architecture Design and Patterns Software Architecture Design and Patterns

Examples:

Software Architecture Design and Patterns Software Architecture Design and Patterns

Combining patterns

Software Architecture Design and Patterns Software Architecture Design and Patterns

Application Deployment Environments

Application environments:

Include:

  • Application code/executables
  • Software stack (libs, apps, middleware, OS)
  • Networking infrastructure
  • Hardware (compute, memory and storage)

Pre-production environments:

Software Architecture Design and Patterns Software Architecture Design and Patterns

Production environment

  • Entire solution stack ++

  • Intended for all users

  • Take load into consideration

  • Other non-functional requirements

    • Security
    • Reliability
    • Scalability
  • More complex than pre-production environments

    On-premises deployment:

  • System and infrastructure reside in-house

  • Offers greater control of the application

  • Organization is responsible for everything

  • Usually more expensive than compared to cloud deployment

Cloud deployment types:

Software Architecture Design and Patterns Software Architecture Design and Patterns

Production Deployment Components

Production deployment infrastructure:

Software Architecture Design and Patterns Software Architecture Design and Patterns

Web and application servers:

Software Architecture Design and Patterns Software Architecture Design and Patterns

Proxy server:

  • An intermediate server that handles requests between two tiers

  • Can be used for load balancing, system optimization, caching, as a firewall, obscuring the source of a request, encrypting messages, scanning for malware, and more

  • Can improve efficiency, privacy, and security

    Databases and database servers:

  • Databases are a collection of related data stored on a computer that can be accessed in various ways

  • DBMS (Database Management System) controls a database by connecting it to users or other programs

  • Database servers control the flow and storage of data

Job Opportunities and Skill sets in Software Engineering

What does a Software Engineer Do?

Software engineering:

  • Engineering

  • Mathematics

  • Computing

    Types of Software:

  • Desktop and web applications

  • Mobile Applications

  • Games

  • Operating Systems

  • Network controllers

    Types of technologies:

  • Programming languages

  • Development environments

  • Frameworks

  • Libs, databases, and servers

    Categories of software engineer:

  • Back-end engineers or systems developers

  • Front-end engineers or application developers

    Software engineering teams:

  • Off-the-shelf software

  • Bespoke software

  • Internal software

    And within the teams they might work on:

  • Data integration

  • Business logic

  • User interfaces

    Software engineering tasks:

  • Designing new software systems

  • Writing and testing code

  • Evaluating and testing software

  • Optimizing software programs

  • Maintaining and updating software systems

  • Documenting code

  • Presenting new systems to users and customers

  • Integrating and deploying software

Responsibilities:

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

Skills Required in Software Engineering

What are hard skills?

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

Commonly required hard skills in software engineering:

  • Programming languages
  • Version control
  • Cloud computing
  • Testing and debugging
  • Monitoring
  • Troubleshooting
  • Agile development
  • Database architecture

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

What are soft skills?

  • Hard to define, quantify, or certify
  • Easily transferable

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

Hard skills for software engineers

Analysis and design:

  • Analyze users’ needs

  • Design solutions

    Development:

  • Computer programming

  • Coding

  • Languages:

    • Java
    • Python
    • C#
    • Ruby
  • Frameworks

Test:

  • Testing

    • Meets functional specification
    • Easy to use
  • Debugging

    Deployment:

  • Shell scripting

  • Containers

  • CI/CD

  • Monitoring

  • Troubleshooting

Soft Skills for Software Engineers

Teamwork:

  • Different teams

    • Project-based
    • Role-based
  • Squads

  • Pair programming

  • Take advantage of strengths

  • Learn from each other

    Communication:

  • Peers

  • Managers

  • Clients

  • Users

    Time management:

  • Time-sensitive projects

    • Meet deadlines
    • Avoid delays
  • Teams across time-zones

    Problem-solving:

  • Design an appropriate solution

  • Write an effective code

  • Locate and resolve bugs

  • Manage issues

    Adaptability:

  • Client changes

  • Management request

  • User needs

    Open to feedback:

  • Peer review

  • Mentor

  • Stakeholders

Careers in Software Engineering

Job Outlook for Software Engineers

Employment options:

  • Employed roles:
    • Apprenticeship/internship
    • Part-time
    • Full-time
  • Self-employed/independent:
    • Contracting/consulting
    • Freelancing
  • Volunteer on open source projects

Career Paths in Software Engineering

Technical

  • Coding and problem-solving

    Management

  • Leadership and soft skills

Career progression:

  • Junior or Associate Software Engineer
    • Develop small chunks of software
    • Supported by a team leader or mentor
    • Gain new skills and experience
  • Software Engineer
    • Break tasks down into sub-tasks
    • Learn new languages
    • Understand the software development lifecycles
    • Mentor junior software engineers
  • Senior Software Engineer
    • Work across a project
    • Mentor software engineers and review code
    • Solve problems efficiently
  • Staff Software Engineer
    • Part of the technical team
    • Develop, maintain, and extend software
    • Ensure software meets expectations
    • Ensure software uses resources efficiently
  • Technical Lead
    • Manage a team of developers and engineers
    • Responsible for development lifecycle
    • Report to stakeholders
  • Principal Engineer/Technical Architect
    • Responsible for architecture and design
    • Create processes and procedures
  • Engineering Manager
    • Support team
    • Encourage career progression
  • Director of Engineering
    • Strategic and technical role
    • Determine project priority
    • Identify hiring needs
    • Define goals
    • Define new projects
    • Specify requirements
  • Chief Technology Officer (CTO)
    • Oversee research and development
    • Monitor corporate technology
    • Evaluate new technology and products

Other career directions

  • Prefer interacting with clients:
    • Technical sales
    • Customer support
  • Prefer working with numbers and data:
    • Data engineering
    • Data science
    • Database administration
    • Database development
  • Prefer finding and fixing bugs:
    • Software testing

Software Engineering Job Titles

Job Titles:

  • Front-end engineer

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

  • Back-end engineer

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

  • Full-stack engineer

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

  • DevOps engineer

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

  • Software Quality Assurance Engineer

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

  • Software Integration Engineer

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

  • Software Security Engineer

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

  • Mobile App Developer

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

  • Games Developer

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

Code of Ethics

Origins of the code of ethics:

  • Developed by the Joint Task Force on Software Engineering Ethics and Professional Practices
    • Institute of Electrical and Electronics Engineers Computer Society (IEEE-CS)
    • Association for Computing Machinery (ACM)
    • Championed the need to hold software engineers accountable

About the code of ethics:

  • Pertains to the analysis, design, development, testing, and maintenance software cycle
  • Dedicated to serving the public interest

The 8 principles

  1. Public

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

  1. Client/Employer

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

  1. Product

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

  1. Judgement

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

  1. Management

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

  1. Profession

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

  1. Colleagues

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

  1. Self

Job Opportunities and Skill sets in Software Engineering Job Opportunities and Skill sets in Software Engineering

Supplemental guide to behavior

  • Use in conjunction with conscientious decision-making and common sense
  • Knowing where to apply principles is at the discretion and wisdom of the individual

Subsections of Hands-on Linux Shell Scripting

Introduction to Linux

Introducing Linux and Unix

What is Unix?

  • Unix is a family of operating systems
  • Popular Unix-based OSs include:
    • Oracle Solaris (and Open Solaris)
    • FreeBSD
    • HP-UX
    • IBM AIX
    • Apple macOS

UNIX beginnings:

Introduction to Linux Introduction to Linux

Linux’s beginnings:

Introduction to Linux Introduction to Linux

Linux, use cases today:

  • Android
  • Supercomputers
  • Data Centers and Cloud Servers
  • PCs

Overview of Linux Architecture

Introduction to Linux Introduction to Linux

Kernel

  • Lowest-level software in system
  • Starts on boot and remains in memory
  • Bridge between apps and hardware
  • Key jobs:
    • Memory management
    • Process management
    • Device drivers
    • System calls and security

Linux filesystem:

Introduction to Linux Introduction to Linux

Linux Terminal Overview

Communicating with Linux System:

Introduction to Linux Introduction to Linux

Introduction to Linux Commands

Overview of Common Linux Shell Commands

What is a shell?

  • User interface for running commands

  • Interactive language

  • Scripting language

    Shell command applications:

  • Getting information

    • whoami – username
    • id – user ID and group ID
    • uname – operating system name
    • ps – running processes
    • top – resource usage
    • df – mounted file systems
    • man – reference manual
    • date – today’s date
  • Navigating and working with files and directories

  • Printing file and string contents

  • Compression and archiving

    • tar – archive a set of files
    • zip – compress a set of files
    • unzip – extract files from a compressed zip archive
  • Performing network operations

    • hostname – print hostname
    • ping – send packets to URL and print response
    • ifconfig – display or configure system network interfaces
    • curl – display contents of file at a URL
    • wget – download file from a URL
  • Monitoring performance and status

Customizing View of File Content

  • sort — Sort lines in a file, -r will do the same in the reverse
  • uniq — Filter out repeated lines
  • grep (“global regular expression print”) — Return lines in file matching pattern
  • grep -i — makes grep search case-insensitive
  • cut — Extracts a section from each line
  • paste — Merge lines from different files

Introduction to Shell Scripting

Shell Scripting Basics

What is a script?

  • Script: list of commands interpreted by a scripting language

  • Commands can be entered interactively or listed in a text file

  • Scripting languages are interpreted at runtime

  • Scripting is slower to run, but faster to develop

    What is a script used for?

  • Widely used to automate processes

  • ETL jobs, file backups and archiving, system admin

  • Used for application integration, plug-in development, web apps, and many other tasks

    Shell scripts and the ‘shebang’

  • Shell script – executable text file with an interpreter directive

  • Aka ‘shebang’ directive

    #!interpreter [optional-arg]
  • ‘interpreter’ – path to an executable program

  • ‘optional-arg’ – single argument string

Example – ‘shebang’ directives

Shell script directive:

#!/bin/sh
#!/bin/bash

Python script directive:

#!/usr/bin/env python3

Filters, Pipes, and Variables

Pipes and filters:

Filters are shell commands, which:

  • Take input from standard input

  • Send output to standard output

  • Transform input data into output data

  • Examples are wc, cat, more, head, sort, …

  • Filters can be chained together

    Pipe command – |

  • For chaining filter commands

    commmand1 | command2
  • Output of command 1 is input of command 2

  • Pipe stands for pipeline

Shell variables:

  • Scope limited to shell

  • Set – list all shell variables

    Defining shell variables:

    var_name=value
  • No spaces around =

    unset var_name
  • deletes var_name

Environment Variables:

  • Extended scope

    export var_name
  • env — list all environment variables

Useful Features of the Bash Shell

Metacharacters

  • # — precedes a comment
  • ; — command separator
  • * — filename expansion wildcard
  • ? — single character wildcard in filename expansion

Introduction to Shell Scripting Introduction to Shell Scripting

Quoting

  • \ — escape special character interpretation
  • "" — interpret literally, but evaluate meta-characters
  • '' — interpret literally

Introduction to Shell Scripting Introduction to Shell Scripting

I/O redirection

Input/Output, or I/O redirection, refers to a set of features used for redirecting

  • > — Redirect output to file
  • >> — Append output to a file
  • 2> — Redirect standard error to a file
  • 2>> — Append standard error to a file
  • < — Redirect file contents to standard input

Introduction to Shell Scripting Introduction to Shell Scripting

Command substitution

  • Replace command with its output

    $(command) or `command`
  • Store output of pwd command in here:

Introduction to Shell Scripting Introduction to Shell Scripting

Command line arguments

  • Program arguments specified on the command line

  • A way to pass arguments to a shell script

    ./MyBashScript.sh arg1 arg2
    

Batch vs. concurrent modes

Bath mode:

  • Commands run sequentially

    command1; command2

    Concurrent mode:

  • Commands run in parallel

    command1 & command2

Scheduling Jobs using Cron

Job scheduling

  • Schedule jobs to run automatically at certain times

    • Load script at midnight every night
    • Backup script to run every Sunday at 2 AM
  • Cron allows you to automate such tasks

    What are cron, crond, and crontab?

  • Cron is a service that runs jobs

  • Crond interprets ‘crontab files’ and submits jobs to cron

  • A crontab is a table of jobs and schedule data

  • Crontab command invokes text editor to edit a crontab file

Scheduling cron jobs with crontab

Introduction to Shell Scripting Introduction to Shell Scripting

Viewing and Removing cron jobs

Introduction to Shell Scripting Introduction to Shell Scripting

Subsections of Getting Started with Git and GitHub

Git and GitHub Fundamentals

Overview of Git/GitHub

Working without Version Control:

Git and GitHub Fundamentals Git and GitHub Fundamentals

Working with Version Control:

Git and GitHub Fundamentals Git and GitHub Fundamentals

Git

  • Free and open source software
  • Distributed VCS
  • Accessible anywhere in the world
  • One of the most common version control systems available
  • Can also version control images, documents, etc.

Git and GitHub Fundamentals Git and GitHub Fundamentals

Short Glossary of Terms

SSH protocol – A method for secure remote login from one computer to another.

Repository – The folders of your projects that are set up for version control.

Fork – The process you use to request that someone reviews and approves your changes before they become final.

Working directory – A directory on your file system, including its files and subdirectories, that is associated with a git repository.

Introduction to GitHub

Background of Git:

  • Large software projects need a way to track and control source code updates
  • Linux needs automated source-version control
  • Key characteristics include:
    • Strong support for non-linear development
    • Distributed development
    • Compatibility with existing systems and protocols
    • Efficient handling of large projects
    • Cryptographic authentication of history
    • Pluggable merge strategies

Git Repository Model:

  • What is special about the Git Repository model?

    • Distributed VCS
    • Tracks source code
    • Coordinates among programmers
      • Tracks changes
      • Supports non-linear workflows
  • Created in 2005 by Linus Torvalds

    What is Git?

  • Git is a distributed VCS

    • Tracks changes to content
    • Provides a central point for collaboration
  • Git allows for centralized administration

    • Teams have controlled access scope
    • The main branch should always correspond to deployable code
  • IBM Cloud is built around open-source tools including Git repositories

GitHub

  • GitHub is an online hosting service for Git repositories
    • Hosted by a subsidiary of Microsoft
    • Offers free, professional, and enterprise accounts
    • Till 2022, it had over 100M repos
    • What is a Repository?
      • A data structure for storing documents including application source code
      • A repository can track and maintain version-control

GitLab

GitLab is:

  • A DevOps platform, delivered as a single application

  • Provides access to Git repositories

  • Provides source code management

    GitLab enables developers to:

  • Collaborate

  • Work from a local copy

  • Branch and merge code

  • Streamline testing and delivery with CI/CD

Using Git Commands and Managing GitHub Projects

GitHub Workflows with Branches and Git Commands

GitHub Branches

What are branches?

  • Branches store all files in GitHub
  • The master branch stores the deployable code
  • Create a new branch for planned changes

Using Git Commands and Managing GitHub Projects Using Git Commands and Managing GitHub Projects

Merging Branches:

  • Start with a common base
  • The code is branched while new features are developed
  • Both branches are undergoing changes
  • When the two streams of work are ready to merge, each branch’s code is identified as a tip and the two tips are merged into a third, combined branch

Using Git Commands and Managing GitHub Projects Using Git Commands and Managing GitHub Projects

What is a Pull Request?

  • A PR makes the proposed (committed) changes available for others to review and use

  • A pull can follow any commits, even if code is unfinished

  • PRs can target specific users

  • GitHub automatically makes a PR if you make a change on a branch you don’t own

  • Log files record the approval of the merge

    Merging into the Master/Main Branch

  • The master branch should be the only deployed code

  • Developers can change source files in a branch, but the changes are not released until

    • They are committed
    • A Pull command is issued
    • The code is reviewed and approved
    • The approved code is merged back into the master code

Cloning and Forking GitHub Projects

  • Powerful tools include forking and cloning a repository

  • Cloning creates a copy of a repository on your local machine

  • Cloned copies can sync between locations

  • Forking modifies or extends a project

    Remote Repositories:

  • Remote repos are stored elsewhere

  • Push, pull, and fetch data to share work

  • Origin refers to your fork

  • Upstream refers to the original work

Forking a Project

  • Forking
    • Takes a copy of a GitHub repository to use it as the base for a new project
    • Submit changes back to the original repository
  • Independently make changes to a project
    • Submit a PR to the original project owner
    • Owner decides whether to accept updates
  • Keep a copy of the license file
    • Often a legal requirement
    • Good practice

Syncing a Fork of a Project:

To keep a fork in sync with the original work from a local clone:

  • Create a local clone of the project

  • Configure Git to sync the fork

    • Open terminal and change to the directory containing the clone
    • To access the remote repository, type git remote -v
    • Type git remote add upstream <clone repo url>
    • To see the changes, type git remote -v

    Commands for Managing Forks:

    To grab upstream branches

git fetch upstream

To merge changes into the master branch

git merge upstream/master

Managing GitHub Projects

GitHub Developer:

A Developer communicates with others using these commands:

  • git-clone from the upstream to prime the local repository
  • git-pull and git-fetch from “origin” to keep-up-to-date with the upstream
  • git-push to shared repository, if you adopt CVS style shared repository workflow
  • git-format-patch to prepare email submission
  • git-send-email to send your email submission without corruption by your MUA (Mail User Agent)
  • git-request-pull to create a summary of changes for your upstream to pull

GitHub Integrator:

An integrator

  • Receives changes made by others

  • Reviews and responds to PRs

  • Publishes the result for others to use

    Integrators use the following commands:

  • git-am to apply patches emailed in from your contributors

  • git-pull to merge from your trusted lieutenants

  • git-format-patch to prepare and send suggested alternatives to contributors

  • git-revert to undo botched commits

  • git-push to publish the bleeding edge

GitHub Repository Administrator

A Repository Administrator sets up and maintains access to the repository by developers

  • git-daemon to allow anonymous download from repository
  • git-shell can be used as a restricted login shell for shared central repository users
  • git-http-backend provides a server-side implementation of Git-over-HTTP (Smart HTTP) allowing both fetch and push services
  • gitweb provides a web front-end to Git repositories, which can be set-up using the git-instaweb script

Subsections of Python for DS, AI, and Development

Python Programming Fundamentals

Logic Operators: OR

Python Programming Fundamentals Python Programming Fundamentals

Logic Operators: AND

Python Programming Fundamentals Python Programming Fundamentals

Python Data Structures

Tuples

  • Tuples are an ordered sequence

  • Here is a Tuple “Ratings”

  • Tuples are written as comma-separated elements within parentheses

  • Tuples concatenation is possible

  • Tuple slicing is also possible

  • Tuples are immutable

  • If one want to manipulate tuples, they have to create a new tuple with the desired values

  • Tuples nesting (tuple containing another tuple) is also possible

    Ratings = (10, 9, 6, 5, 10, 8, 9, 6, 2)

    Python data Structures Python data Structures

    Python data Structures Python data Structures

    Python data Structures Python data Structures

    Python data Structures Python data Structures

    Python data Structures Python data Structures

    Python data Structures Python data Structures

Lists

  • Lists are also ordered in sequence

  • Here is a List “L”

    L = ["Michael Jackson", 10.1, 1982]
  • A List is represented with square brackets

  • List is mutable

  • List can nest other lists and tuples

  • We can combine lists

  • List can be extended with extend() method

  • append() adds only one element to the List, if we append L.append([1,2,3,4]), the List “L” will be:

    L = ["Michael Jackson", 10.1, 1982,[1,2,3,4]]
  • The method split() can convert the string into the List

    "Hello, World!".split()
  • The split() can be used with a delimiter we would like to split on as an argument

    "A,B,C,D".split(",")
  • Multiple names referring to the same object is known as aliasing

Python data Structures Python data Structures

  • We can clone the list, where both lists will be of their independent copies
  • So changing List “A”, will not change List “B”

Python data Structures Python data Structures

Dictionaries

Python data Structures Python data Structures

  • Dictionaries are denoted with curly Brackets {}
  • The keys have to be immutable and unique
  • The values can be immutable, mutable and duplicates
  • Each key and value pair is separated by a comma

Python data Structures Python data Structures

Sets

  • Sets are a type of collection
    • This means that like lists and tuples you can input different python types
  • Unlike lists and tuples they are unordered
    • This means sets don’t record element position
  • Sets only have unique elements
    • This means there is only one of a particular element in a set

Sets: Creating a Set

Python data Structures Python data Structures

  • You can convert a list into set

    List = ['foo']
    set(List)
  • To add elements to the set, set.add('foo')

  • To remove an element, set.remove(‘foo’)

  • To check if an element is present in the set:

    'foo' in set
    True/False

Sets: Mathematical Expression

  • To find the intersection of the sets elements present in the both sets), set1 & set2 or set1.intersection(set2)

Python data Structures Python data Structures

  • Union of the sets, contain elements of both the sets combined, set1.union(set2)

  • To find the difference of sets:

    #set1 difference from set2
    set1.difference(set2)
    #set2 difference from set 1
    set2.difference(set1)

Python data Structures Python data Structures

  • To find is a set is a subset/superset (have all the elements of other set), `set1.issubset/issuperset(set2)

Digital Marketing

Search Engine Optimization (SEO) Specialization

This specialization is offered by UCDAVIS over Coursera. There are 4 Courses and a Capstone Project in this specialization.

Info

I got access to the first course for free and have completed it; it was worth my time. However, the rest of the specialization requires payment, which I am not inclined to make at the moment as I currently have no use case for the knowledge I would gain.

1. Introduction to Google SEO

This course has these sub-modules…

Subsections of Digital Marketing

Search Engine Optimization (SEO) Specialization

This specialization is offered by UCDAVIS over Coursera. There are 4 Courses and a Capstone Project in this specialization.

Info

I got access to the first course for free and have completed it; it was worth my time. However, the rest of the specialization requires payment, which I am not inclined to make at the moment as I currently have no use case for the knowledge I would gain.

1. Introduction to Google SEO

This course has these sub-modules…

Subsections of SEO Specialization

Subsections of Introduction to Google SEO

Introduction to Google SEO

Fits in the larger Digital marketing strategy, which also includes: The roles work closely with SEO.

  • Search Engine Marketing
    • Bidding for paid advertisements
  • Social Media Marketing
    • Free/paid ads and engagements
  • Content Marketing
    • Writing for blogs, newsletters, etc.
  • Public Relations
    • Build relationships, promote content etc.

Types of SEOs:

  • White Hat
    • Won’t be penalized or banned.
  • Grey Hat
  • Black Hat
    • Face more penalties, and known for churn and burn approach.

SEO as a Career

Complementary roles:

  • SEO
  • UX
  • Content
  • Social
  • PR

Career Options

  • Consultant
  • Agency
  • In-House SEO
    • You can work for Startup.
    • Small and medium-sized businesses
    • Corporate / Enterprise level clients
    • Working with External SEO Teams

Skills Needed

  • Interpersonal Skills
  • Project management and planning
  • Strategic Thinking
  • Agile and pro-activeness
  • Stay updated on industry trends and news
  • Ability to analyze data

Interview Tips

  • Prepare a portfolio:
    • Highlight past work
    • Showcase practical experience
    • Reference specific and relevant examples
    • Listen to their issues
    • Offer solutions based on past performance, or if you don’t have any experience related to that offer a solution based on your theoretical knowledge.
  • Ask Questions:
    • What SEO challenges do you face?
    • What future challenges do you foresee?
    • Short and long term goals for SEO
    • How does SEO fit within the organization?
    • What is the general knowledge or SEO maturity of the company?

How Search Engine Works

  • Robots: crawlers or spiders
  • Crawlers discover new websites through links
  • Sites are then added to an index stored in Data Centers
  • User searches for a particular topic, websites are served based on their rating, determined by backlinks, relevancy, and authority etc

Evolution of SEO

  • Early Google
    • Google became leader in the 2000s
    • Search engines relied mainly on the site content
    • Site needed to be submitted
    • Backlinks revolutionized the web
    • Anything goes without any check
    • Domain penalties didn’t exist
    • All tactics used to rank websites
  • Old SEO Techniques
    • Tons of keywords
    • List of keywords as white text over white background
    • Gaining hundreds of low quality spammy backlinks
    • Creating hundreds of pages for each variation of keywords
    • Relying heavily on keyword-rich domain names
  • Page Rank
    • Old way: See website score based on backlinks
    • New way: More in-depth and secretive metric
  • Improvements
    • Rise of personalized searches and results
    • Google Analytics to see how user interact with your website
    • Google Search Console formerly known as webmaster
  • SEO
    • Now, SEO has become a widely defined term.
    • Social networks are search engines too.
    • Learning individual algorithms
    • Look at branding and social presence
  • Questions to Consider
    • What is the future of voice and video?
    • What other technologies may impact search in the future? e.g., AR, VR, web3 etc.
    • How might gadgets impact how humans search and discover information?

Current SEO Best Practices

Introduction to Search Engine Algorithms

All search engines share the goal of providing relevant, timely information.

  • As an SEO, our job is to look for the factors and optimize our website according to those, which affects an algorithm.
  • Some factors are verified, some are secretive.
  • Moz, an SEO tool, provides lists of possible factors, an algo looks for, every year.
  • Google algos, Panda, Florida, caffeine. There are constant updates and shift using modern technology by algos to provide better results.
  • Over 500 updates annually to Google algos. Only small percent of that updates are released, other info remain vague.

MOZcast

An SEO algorithmic tool created by MOZ, which is based upon turbulence.

“Turbulence means high ranking fluctuations, represented by temperature changes”

Algorithms Updates: History, Part 1

  • Thousands of updates every year.

    So what you need to do is:

  • Spot patterns

  • Predict what Google may do next.

  • Forms your recommendations and strategies.

  • Look for case studies, how algorithm changes affected the different websites.

Algorithms Updates: History, Part 2

Major Algorithm updates

  • Panda (2011)
    • Impacted 12% of search results.
    • Improved user experience.
  • Targeted:
    • Duplicate content
    • Thin content
    • Low quality
    • Machine generated content
    • Pages with lots of ads
    • Substantial content
    • Content relevancy
  • Penguin (2012)
  • Changes related to links handling
    • Directory related links
    • Links from spammy or unrelated sites
    • High percentage of anchor text links Targeted to a specific keyword
    • Purchases links

Semantic Indexing

“Looks at usage of synonyms and relevant words or phrases for topical relevance.”

  • Hummingbird (2013)
  • RankBrain (2015)

Mobile Friendliness

  • Mobilegeddon (2015)
  • Mobile-first (2018)

Other Updates

  • Personalized Search
  • Caffeine – focused on speed and building a faster web
  • Voice search – impacts how users are discovering your content

SEO Best Practices and Ranking Factors

  • Don’t over-optimize
  • Highly content
  • Outside links increase authority
  • Site must be visible in search
  • Cloaking (users can see the website content but search engine not) may result in penalties
  • User first
  • Clear hierarchy (clear webpage structure)
  • Only some info is public by Google itself, how algorithms work.

Three Major Types of Ranking Factors

  • 1) On Page
    • Title tags
    • Keyword Usage
    • Keyword Placement
    • Heading tags
    • Content quality
    • Content length
    • Content freshness
  • 2) Off-Site
    • Inbound links (relevancy/quality)
    • Outbound Links (relevancy/quality)
    • Brand Mentions
    • Social Engagement
  • 3) Domain
    • TLD
    • Domain History
    • Domain registration
    • EMD (Exact Match)
    • Site Speed
    • Site structure
    • User Engagement

Panda: The Game Changer for Content

  • Not a one time change, continues to update.
  • Prevents low-quality sites from ranking highly.
  • Negative impact can be reversed by improving content.
  • Ongoing updates allow Panda to catch sites that have escaped past changes.
  • Updates roll out gradually over several months, as opposed to previous daily updates.

Targeted: Think/Low Quality Sites

  • Few pages with useful content
  • Largely similar material
  • Pages with no content, just links to forms
  • Content scraped from other sites

Targeted: Duplicate Content

  • Pages duplicated on site or replicated from another
  • Duplicate pages cannibalize each other and steal ranking
  • Site that publishes first receives credit/rank
  • Too much duplicate or scraped content can lead to penalization

Targeted: Excessive Ads

  • Low content, high amount of ads

Targeted: Poor Navigation

  • Un-intuitive, doesn’t link to all content

Others

Panda also looks at;

  • Auto-Generated Content
  • Squeeze Pages: One main page contains all content, user must scroll for more information.
  • Doorway Pages: Pages built for search engines, not users.
  • Meta-Refresh: Once you “land” on the page, it will refresh to another site before you can exit.
  • Penguin aims to stop spammy links, is re-run periodically.
  • Manipulative link Practices (unethical or spammy ways to generate links)
  • Sites built for the sole purpose of linking to each other
  • Could be hosted on different servers, registered to different owners
  • Involved standard reciprocal linking as well as advanced, unethical techniques

Penguin Targets: Comment spam

  • Comments on blogs or articles that link back to site
  • Often flattering or innocent comments followed by link
  • Often made by bots, can also be more direct and overtly spammy

Penguin Targets: Bad anchor text

  • Building links containing exact keywords to boost rank
  • Paid links can be hard to detect, but there are clues
    • Link surrounded by ads or certain words, or items/business reviews
  • Links on low quality sites
  • Unrelated links may be paid or obtained through manipulation
  • Algorithm update have made link building more complex and risky

Link building methods of the past are no longer valid and may incur penalty

  • Poor link building: Multiple directories
    • Directories are like a phone book for links and not ranked highly
  • Poor link building: Spammy widgets
    • Free widgets, forms, or apps that contain a link to your site
  • Poor link building: Free templates
    • Free templates and themes for blogs and websites with link to site
  • Poor link building: Forum post links
    • Create multiple accounts with link in signature

SEO of Today, Tomorrow and Beyond

Core Web Vitals

“Google ranking factors that revolve around the user experience while on your site.”

Real-World Experience Metrics

  • Page load time
  • Sit stability
  • Site security
  • Intrusive interstitials (Pop-ups)

Impact

  • Ranking on mobile and desktop
  • Rank in Google’s top stories
  • Must meet minimum score

Google Lighthouse

  • Diagnose issues
  • Recommend fixes

EAT & YMYL (Your Money, Your Life)

YMYL

“Effects sites that affect someone’s health, wealth, happiness, safety, or financial stability.”

  • Any site allowing a customer to make a transaction or pay bills
  • Financial: investment advice, retirement/estate planning, tax advice, etc.
  • Medical: dieting tips, mental health, nutrition, health conditions, drugs, etc.
  • Legal: legal advice, divorce/marriages, wills, child custody, etc.
  • Official information: government information, policies, disaster preparedness, etc.
  • Other examples: child adoption, real estate, car safety, etc.

E.A.T

  • Expertise
  • Authority
  • Trust
    • Are you and your website authors experts on the subject?
    • Is the author or website an authority on the topic presented?
    • How trustworthy is the content that is presented, and the website itself?

Expertise

  • Publishing high quality content
  • About page addressing your credentials
  • Author bio pages
  • Links to media mentions

Authority

  • Links and citations from press and media
  • speaking gigs
  • Often shareable content
  • Branded search volume
  • Wikipedia pages and mentions

Trust

  • Clear and accurate contact information
  • Clear about policies, shipping info, terms, and conditions
  • HTTPS is extra secure
  • General sentiment – positive or negative
  • Look at reviews
  • Register with the BBB (Better Business Bureau; specific to US only)

Google Evaluations

  • Human quality raters for EAT review
  • Manually review your site to determine your EAT score
  • Position “0”
  • Snippets for voice search questions

Featured Snippets Example Featured Snippets Example

Pros

  • Good branding
  • Good if you want to obtain the voice search results

Cons

  • You get less shelf-space for page one ranking
  • The result may answer a query and prevent them from clicking to your website

Average CTR of Featured Snippets Average CTR of Featured Snippets

Impacts of CTR

  • Query type
  • Target audience behavior
  • Specific industry
  • Type of featured Snippets
  • Your search position

Click and traffic

  • Optimize for the featured Snippets?
  • Determine if the queries have a featured snippet
  • Featured snippets are growing

Though Leadership and Branding

  • Ideal
  • Position yourself as a thought leader
  • Not intended to drive people to your site

Rich Snippets/Results

  • Having clear distinction from others
  • Have
    • Star ratings
    • Data
    • Clickable navigation

Schema

  • A markup to your existing content around specific data
  • Visually appealing in search results
  • Availability
    • Schema for everything
    • Visit schema.org
    • Obtain rich results
    • Integrate into your website’s code
    • Use JSON

BERT (2019)

  • Bidirectional Encoder Representations from Transformer’s
  • Neural Network technique
  • One of the biggest updates
  • Impacts 1 in 10 search queries
  • Helps Google understand human language better
  • Determine context of search query

Specifics

  • Now pays attention to context words like
    • To
    • With
    • by
    • AT
    • On
  • Sentiments of phrases and discussions
  • Sentence is positive, negative, sarcastic, etc.

Optimizing for BERT

  • Well written articles
  • Write in the voice, language, education level of target audience
  • Articles should clearly explain what you’re trying to solve or teach them
  • Include relevant details

Impacts

  • Social listening tools
  • Chat bots respond and interact with users

Evolution of Keyword Optimization

  • Algorithms are constantly updated to help remove websites with no user value
  • Algorithms analyze documents to determine usefulness
  • Topic modeling allows search engines to gauge relevance
  • Algorithms use topic association AND semantic relationships between keywords
  • Knowledge of topic association will help in crafting engaging content
  • Algorithm updates bring new SEO challenges
  • SEO has become complex and difficult
  • No longer enough for SEOs to adhere to simple checklists
  • Require more holistic approach with a knowledge of relevant signals
  • Optimized content now relates to overall page concept not keywords
  • topic association and semantic analysis allow for better content
  • SEOs must deal with the shifting methods of keyword research and optimization

Strengthening Your Keyword Strategy

Topic Association

“Used by search engines to determine relevancy and trustworthiness”

  • Search engines analyze contextual meaning to find relevance to topic/theme
  • Page should contain keywords relevant to focus keyword, rather than repeating the focus keyword, Examples;
    • Winemaking: wine, vineyard, wine growing, wine production
    • Support: learn, instructors, students, tuition
    • certification: course, class, lecture, program, certificate
  • Long-tail optimization
    • Where can I learn to make wine?
    • How do I get a certificate in winemaking?
  • Focus keyword can be broken up into synonyms and other elements
  • What other ways can I describe the theme?
  • What other words would be relevant?
  • What other words support the page topic?
  • Page should contain supporting keywords
  • Having content that has a cohesive theme results in “long tail keywords”
    • Long-tail keywords are longer words or phrases – difficult to predict but very targeted
  • Algorithm was updated to check for relevancy and semantic relationships
    • Semantic analysis looks at how words are related
    • After Hummingbird, semantic and related results were even clearer

How Does Branding Influence Website Rank?

Branding

  • Important to marketing strategy
  • Can support and boost SEO efforts
  • Brand is becoming more Important to Google’s relevancy Algorithm
  • SEOs must consider which factors separate brands from untrustworthy shops or spam sites

How to identify a Brand?

  • Active social media presence
  • contact information
    • Address
    • Phone number
    • Email
    • Contact form
  • Established history (domain registration time) and visible intent to continue doing business
  • Receive search volume for their specific brand
  • More mentions around the web, including social media
  • Bidding on paid keywords for brand names is a strong signal
  • Brand keywords drive better conversions in paid search

How to do SEO for a Brand Recognition?

  • Consider which external quality signals improve legitimacy
  • Value leads to quality signals
    • Social presence
    • Contact info
    • Established history
  • Branding and SEO are not mutually exclusive, two strong tactics that work well together
  • A large part of SEO involves raising brand awareness
  • Clear, value focused goals
  • Help grow your brand
    • Create great content
    • Develop social presence
    • Acquire links
    • Helps to cultivate branded search

Persona Development

Creating a representation of your ideal target user.

Why is it Important to SEO?

  • Buyer persona helps to identify user’s needs and how they search
  • Create content around topics they want
  • Important in keyword research

Where To Start?

  • Existing customers or users
  • Have bought your product or used your services, already
  • Use existing tools
  • Reaching out to users directly

Existing Tools: Google Analytics

  • Demographics
  • Interests based on other websites they visit
  • What search engine they use
  • What device they use
  • What pages are the most popular
  • Click maps of where users click the most within a page
  • What pages they tend to exit your site on, and more

Existing Tools: Google Search Console/Google Webmaster Console

  • Mainly gives site performance stats

Existing Tools: Survey Existing Users

  • In-app messages
  • Emailing past customers
  • Request for a newsletter

Existing Tools: Ask your Support and Sales Teams

  • As they regularly deal with customers and potential buyers
  • What questions are they asked about?

Persona

  • User profile
  • Average age
  • Income
  • Type of job
  • Photo or likeness

Marketing to Your Persona

Two Core Persona Types

  • Potential Buyers
  • Existing Customers

Potential Buyers

  • Not aware of your product or services yet
  • Searching for solutions to a problem
  • Create content to solve their issues

Existing Customers

  • Currently, shop or use your service
  • What do they like best? Improvements?
  • Create content to engage and retain them

Using Keywords to Mine Data

  • Help define your user and build out your persona
  • Discover potential search queries you can match to content topics

Getting to Know Your Audience

  • Presents geographic data which helps us target Keywords
  • Helpful for content that may generate lots of social shares
  • Gives topic ideas for site content

Demographic Data

  • Provides topic and keyword ideas
  • Provides additional insight & helps to better optimize sites
  • Demographics data is not 100% reliable
  • Websites providing such data:
    • Alexa
    • quantcast
    • Google Analytics

Alexa

  • Shows top keyword traffic for a site
  • Audience insights help create user centered content

SimilarWeb

  • Shows potential topics users might be interested in
  • Shows traffic sources giving you ideas of where to promote content

Social Media Demographics

  • Followerwonk helps analyze Twitter info
  • Data is reliable as it is taken from Twitter (as reliable as Twitter :-)
  • Twitter profiles/info can be fake
  • Followerwonk cannot always identify follower gender

Creating Your Ideal Buyers Persona

Buyer Personas

  • Fictional characters representing specific users of a website
  • Personas help build user-centered sites & incorporate correct keywords naturally
  • Create multiple personas to appeal to a variety of buyers

Couple of questions about our buyers

  • Persona’s Age
    • Age could impact keyword choices due to lexicon differences
  • Persona’s Location
    • Persona’s location Important in case of regional vocabulary differences
  • Persona’s Gender
    • Buyer’s gender can influence vocabulary
    • Gender plays a larger role in than just their vocabulary
    • Sites might need a persona for both genders
  • An image of a person brings your persona to life
  • Add lots of details, since it will guide your site optimization
  • Add additional information for your reference if applicable
    • for example: Is it a B2B or B2C persona?

Subsections of MORE

WIKI GitHub

Credits

“This section acknowledges the incredible creators and resources that have contributed to building and enriching this site. From themes to tools, here’s a note of gratitude for their work and inspiration.”

Beautiful header logo (A yellow color book with looking glass) is taken from: Dictionary icons created by Atif Arshad - Flaticon.

Theme

NOTES WIKI built with by hugo-theme-relearn.


Appreciation

Coursera
A big thanks to Coursera for offering a platform that provides high-quality learning opportunities and world-class courses.

Google
Gratitude to Google Eduction for their well-structured and insightful courses that have contributed to my knowledge and skills.

IBM
Special thanks to IBM Skills Network Team for their valuable courses, helping to deepen my understanding of cutting-edge technologies and concepts.

TryHackMe
Appreciation to TryHackMe for their interactive and hands-on cybersecurity labs, which have greatly enhanced my practical skills in information security.

Khan Academy
Heartfelt thanks to Khan Academy for their free, high-quality educational resources that make learning accessible to everyone, everywhere.

Udemy
Thanks to Udemy for their diverse range of courses and expert instructors, enabling me to learn new skills at my own pace.

Other Course Providers
Appreciation to all the institutions and instructors whose courses have helped me grow and whose content I’ve referenced in my notes.

PRIVACY POLICY

Privacy Policy for https://wiki.sajidmahmood.com
Effective Date: 2024-12-22

1. Introduction

Welcome to NOTES WIKI. This Privacy Policy explains how we collect, use, and protect information when you visit our website.

2. Information We Collect

2.1 Personal Information

We do not collect personally identifiable information (PII) from visitors.

2.2 Non-Personal Information

We use Cloudflare Insights to monitor site performance, security, and analytics. This tool may collect anonymized data, including:

  • Browser type, device, and operating system
  • IP addresses (for security and performance analysis)
  • Page load times and general site interaction metrics

For details on how Cloudflare handles data, please refer to their Privacy Policy.

3. Cookies

We do not use tracking cookies. However:

  • Session storage cookies are used to remember your dark theme preference. These are temporary and deleted when you close your browser.
  • Cloudflare Insights may use functional cookies for performance monitoring and security.

Our website may contain links to third-party sites. We are not responsible for their privacy practices. Please review their policies before sharing information.

5. Children’s Privacy

Our site is not intended for individuals under 13. If we unintentionally collect any such data, contact us, and we will delete it promptly.

6. Your Rights

If applicable under laws like GDPR or CCPA, you may have the right to:

  • Access, correct, or delete your data.
  • Object to certain data processing.

For requests, please contact us using the information below.

7. Changes to This Privacy Policy

We may update this Privacy Policy periodically. Any changes will be posted on this page.

8. Contact Us

For questions or concerns, contact us at: