152k views
3 votes
Count input length without spaces, periods, or commas

Given a line of text as input, output the number of characters excluding spaces, periods, or commas.
Ex: If the input is:
Listen, Mr. Jones, calm down.
the output is:
21
Note: Account for all characters that aren't spaces, periods, or commas (Ex:"r","2","!")
UAB ACTIVITY 5.14.1: LAB: Count input length without spaces, periods, or commas

User Scomes
by
7.7k points

1 Answer

3 votes

Final Answer:

Use the Python code snippet below to count the length of a string excluding spaces, periods, and commas:

```python

text = input()

count = sum(1 for char in text if char not in (' ', '.', ','))

print(count)

```

Step-by-step explanation:

This Python code takes user input, iterates through each character in the input string, and increments a counter for characters that are not spaces, periods, or commas. The `sum()` function tallies the count, and the result is printed.

In more detail, the code utilizes a generator expression within the `sum()` function, where `1 for char in text if char not in (' ', '.', ',')` evaluates to 1 for each character that is not a space, period, or comma. The `sum()` then adds up these 1s, providing the final count of relevant characters.

This approach ensures that all non-space, non-period, non-comma characters are considered in the count, fulfilling the specified requirements.

Correct Answer:

For the input "Hello, Mr. John. Have a good day," the output is 27 characters.

Complete question:

Count input length without spaces, periods, or commas. Given a line of text as input, output the number of characters excluding spaces, periods, or commas.

Ex: If the input is:

  • Listen, Mr. Jones, calm down.

the output is:

  • 21

Task:

  • How do you count the length of a string (example "Hello, Mr. John. Have a good day." taking out the commas, periods and white spaces?

Note: Account for all characters that aren't spaces, periods, or commas (Ex:"r","2","!"). UAB ACTIVITY 5.14.1: LAB: Count input length without spaces, periods, or commas.

User Brino
by
7.0k points