# Indexing and Slicing Strings

## Escape sequences:

```python
 \n # Prints on new line
```

## Indexing:

```python
sentence = 'this is a sentence'

# to print t
print(sentence[0])

# to print last
print(sentence[-1])
```

## String slicing:

```python
# to get the first word
print(sentence[0:4]) # prints 0 to 3
# prints this
```

## Slinging the data in increment of 2 (every other char)

```python
sentence = 'abcdefg'
print(sentence[0:7:2]) # Last colon prints increment
# prints aceg
```

## Getting strings only from a certain point forward

```python
# don't need abc
print(sentence[3:])
#prints defg
```
