How do you import the math module and call functions in that library?

To the best of your mathematical ability, describe what each of the listed functions in the math module will do. Give some sample input and output (if known).
What two common math constants are part of the math module? How do you use them in your code?
Which useful math-related functions can be found in the core Python library? How do you call those functions?
What does each core function do? What are some sample inputs and outputs?

To import the math module and call functions in that library in Python, you can use the following syntax:

```python
import math

# Calling functions from the math module
result = math.sqrt(9)
print(result)
```

The listed functions in the math module include:
1. `math.sqrt(x)` - This function returns the square root of the input number. For example, `math.sqrt(9)` will return `3.0`.
2. `math.sin(x)` - This function returns the sine of the input angle in radians.
3. `math.cos(x)` - This function returns the cosine of the input angle in radians.
4. `math.tan(x)` - This function returns the tangent of the input angle in radians.
5. `math.pi` - This constant represents the value of pi (π) which is approximately 3.14159.
6. `math.e` - This constant represents the value of the mathematical constant e, approximately 2.71828.

You can use the math constants in your code by directly referencing them from the math module, for example:

```python
import math

print(math.pi)
print(math.e)
```

Some useful math-related functions that can be found in the core Python library include `abs()`, `pow()`, `max()`, `min()`, and `round()`. These functions can be called directly without importing any external modules.

For example:
```python
result_abs = abs(-5)
print(result_abs) # Output: 5

result_pow = pow(2, 3)
print(result_pow) # Output: 8

numbers = [3, 5, 1, 6, 9]
result_max = max(numbers)
print(result_max) # Output: 9

result_min = min(numbers)
print(result_min) # Output: 1

result_round = round(3.7)
print(result_round) # Output: 4
```

Each of the core functions performs the following actions:
- `abs(x)` - Returns the absolute value of the input number x.
- `pow(x, y)` - Returns x to the power of y.
- `max(iterable)` - Returns the maximum value from an iterable.
- `min(iterable)` - Returns the minimum value from an iterable.
- `round(x)` - Returns the nearest integer to x.