Engineering Computing

Write a program with the following requirements:

  1. It defines variables for the following quantities: \[ x = 5.2 + j 3.4\text{,} \quad y = -17\text{, and} \quad z = 0.02, \] where \(j\) is the imaginary number \(\sqrt{-1}\).
  2. It computes and prints the following quantities: \[ x + y\text{,} \quad x y z\text{, and} \quad 4 x^3 - 8 x y + 6 y^2. \]
  3. It further computes and prints the following quantities: \[ |x|\text{,} \quad \overline{x y}\text{, and} \quad \Re(x), \] where \(|\cdot|\) is the absolute value, \(\overline{\phantom{i}\cdot\phantom{i}}\) is the complex conjugate, and \(\Re(\cdot)\) is the real part.

The following program meets the requirements:

# a. Define variables
x = complex(5.2, 3.4)
y = -17
z = 0.02

# b. Compute and print specified quantities
print(f"x + y = {x + y}")
print(f"xyz = {x*y*z:.1f}")
print(f"4x^3 - 8xy + 6y^2 = {4*x**3 - 8*x*y + 6*y**2:.1f}")

# c. Compute and print further specified quantities
print(f"|x| = {abs(x)}") # Built-in abs() function
print(f"conj xy = {(x*y).conjugate()}")
print(f"Re(x) = {x.real}")

This program prints the following to the console:

x + y = (-11.8+3.4j)
xyz = -1.8-1.2j
4x^3 - 8xy + 6y^2 = 2282.3+1408.4j
|x| = 6.212889826803627
conj xy = (-88.4+57.8j)
Re(x) = 5.2

Write a program with the following requirements:

  1. It defines a variable for a list with the following elements:

    4, -12, 6, -14, 8, -16
  2. It prints the first and last elements of the list

  3. Using list slicing, it prints the first three elements of the list

  4. Using list slicing, it prints the last three elements of the list

  5. Using list slicing, it prints every other element, starting with the first element

  6. It computes and prints the length of the list (consider using the built-in function len())

  7. It computes and prints the sum of the list elements (consider using the built-in function sum())

The following program meets the requirements:

# a. Define list l
l = [4, -12, 6, -14, 8, -16]

# b. Print first and last elements
print(f"First element: {l[0]}")
print(f"Last element: {l[-1]}")

# c. First three elements
print(f"First 3 elements: {l[0:3]}")

# d. Last three elements
print(f"Last 3 elements: {l[-3:]}")

# e. Every other element
print(f"Every other element: {l[0::2]}")

# f. Length
print(f"Length: {len(l)}")

# g. Sum
print(f"sum: {sum(l)}")

This program prints the following to the console:

First element: 4
Last element: -16
First 3 elements: [4, -12, 6]
Last 3 elements: [-14, 8, -16]
Every other element: [4, 6, 8]
Length: 6
sum: -24

Write a program with the following requirements:

  1. It defines a variable for a list with the following elements:

    32, 41, 58, 34, 24, 53, 46, 41
  2. It computes and prints the mean of the list items (consider using the built-in sum() and len() functions)

  3. It finds and prints the maximum and minimum values in the list (consider using the built-in max() and min() functions)

  4. It finds and prints the indices of the maximum and minimum values in the list (consider using the index() method)

  5. It sorts and prints the sorted list (minimum to maximum; consider using the sort() method)

The following program meets the requirements:

# a. Define list l
l = [32, 41, 58, 34, 24, 53, 46, 41]

# b. Mean
m = sum(l)/len(l)
print(f"Mean: {m}")

# c. Max and min
max_ = max(l)
min_ = min(l)
print(f"Max: {max_}; Min: {min_}")

# d. Indices of max and min
# Note: If there is duplication of max or min, the first index is found
print(f"Max Index (first): {l.index(max_)}")
print(f"Min Index (first): {l.index(min_)}")

# e. Sort
l.sort() # Mutates l itself (returns None)
print(f"Sorted: {l}")

This program prints the following to the console:

Mean: 41.125
Max: 58; Min: 24
Max Index (first): 2
Min Index (first): 4
Sorted: [24, 32, 34, 41, 41, 46, 53, 58]

Write a program with the following requirements:

  1. It defines a function which_number() that takes a single argument and, if it is an int, float, or complex object, returns the strings "int", "float", or "complex". If the argument is not a number, it returns None.
  2. It tests the function and prints its return value on the following inputs:
    1. 42
    2. 3.92
    3. complex(2, -3)
    4. "3.92"
    5. [2, 0]

The following program meets the requirements:

def which_number(x):
    """Identifies which type of number the argument is.

    Args:
        x: A number
        
    Returns:
        A string "int", "float", or "complex", or None.
    """
    t = type(x)
    if t == int:
        return "int"
    elif t == float:
        return "float"
    elif t == complex:
        return "complex"
    else:
        return None

# Test which_number()
test_args = [42, 3.92, complex(2, -3), "3.92", [2, 0]]
for arg in test_args:
    r = which_number(arg)
    # Print with repr() so that strings are displayed quoted
    print(f"which_number({repr(arg)}) => {repr(r)}")

This program prints the following to the console:

which_number(42) => 'int'
which_number(3.92) => 'float'
which_number((2-3j)) => 'complex'
which_number('3.92') => None
which_number([2, 0]) => None

Write a function capital_only(l) with the following requirements:

  1. It accepts as input a list l

  2. It checks that all elements are strings; it raises an exception, otherwise, with

    raise ValueError(
        "All elements must be strings"
    )
  3. It returns a list (not the same list1) with only the strings that begin with a capital letter

  4. It returns the proper output for the following inputs (demonstrate this in the program):

    1. ["Foo", "Bar", "Baz"]
    2. ["Foo", "bar", "Baz"]
    3. ["Foo", 0, 1, "Bar", 2]

The following program meets the requirements:

def capital_only(l):
    """Return a list with only the strings from l that begin with
    capital letters.

    Args:
        l: A list of strings
    
    Returns:
        A new list of strings sans non-capitalized elements of l
        
    Raises:
        ValueError: If not all elements of l are strings
    """
    r = [] # Initialize return list
    for li in l:
        if type(li) == str:
            letter_start = li[0].isalpha() # First character is letter
            capitalized = li[0].capitalize() == li[0] # First is cap
            if letter_start and capitalized:
                    r.append(li)
        else:
            raise ValueError("All elements must be strings")
    return r

# Test capital_only()
test_args = [
    ["Foo", "Bar", "Baz"],
    ["Foo", "bar", "Baz"],
    ["Foo", 0, 1, "Bar", 2],
]
for arg in test_args:
    try:
        r = capital_only(arg)
        print(f"capital_only({repr(arg)}) => {repr(r)}")
    except ValueError as e: # Handle ValueError exception
        print(f"capital_only({repr(arg)}) => {type(e)}: {e}")

This program prints the following to the console:

capital_only(['Foo', 'Bar', 'Baz']) => ['Foo', 'Bar', 'Baz']
capital_only(['Foo', 'bar', 'Baz']) => ['Foo', 'Baz']
capital_only(['Foo', 0, 1, 'Bar', 2]) => <class 'ValueError'>: All elements must be strings

Write a program with the following requirements:

  1. It defines a function float_list() that takes a single list argument and returns a new list with all elements converted to floats
  2. If the input is not a list, it returns an empty list
  3. If an element is an int, it should be converted to a float
  4. If an element is a string, the program should attempt to convert it to a float
    1. For strings like "3.24", the float() function will work
    2. For strings like "foo", the float() function will throw a ValueError; consider using try and except statements
  5. If an element cannot be converted to a float, it should be left out of the returned list
  6. If an element is complex, it should remain so
  7. Test and print the returned list for the following inputs:
    1. [1.1, 0.2, 4.2, -30.2]
    2. [3, 42, -32, 0, 3]
    3. [1-3j, 2, 0.3]
    4. ["1.2", "8", "-3.9"]
    5. ["0.4", "dog", None, 8]
    6. 3.4

The following program meets the requirements:

def float_list(l):
    """Return a list with all elements converted to floats.

    Args:
        l: A list
    
    Returns:
        New list with elements of l that could be converted to floats
    """
    if type(l) != list:
        return []
    r = [] # Initialize return list
    for li in l:
        if type(li) == float or type(li) == complex:
            r.append(li)
        else:
            try: # converting to a float
                li_float = float(li) # If this throws exception then
                r.append(li_float)   # ... this will not execute
            except:
                continue
    return r

# Test float_list()
test_args = [
    [1.1, 0.2, 4.2, -30.2],
    [3, 42, -32, 0, 3],
    [1-3j, 2, 0.3],
    ["1.2", "8", "-3.9"],
    ["0.4", "dog", None, 8],
    3.4,
]
for arg in test_args:
    r = float_list(arg)
    print(f"float_list({repr(arg)}) => {repr(r)}")

This program prints the following to the console:

float_list([1.1, 0.2, 4.2, -30.2]) => [1.1, 0.2, 4.2, -30.2]
float_list([3, 42, -32, 0, 3]) => [3.0, 42.0, -32.0, 0.0, 3.0]
float_list([(1-3j), 2, 0.3]) => [(1-3j), 2.0, 0.3]
float_list(['1.2', '8', '-3.9']) => [1.2, 8.0, -3.9]
float_list(['0.4', 'dog', None, 8]) => [0.4, 8.0]
float_list(3.4) => []

  1. Because a list is mutable, we must take care not to mutate a list inside a function (except in rare cases when this behavior is desired).↩︎

Online Resources for Section 1.13

No online resources.