python统计单词个数
时间: 2023-10-13 10:19:47 浏览: 119
以下是一个Python程序,用于统计文本文件中单词的数量:
```python
file_name = input("请输入文件名:")
try:
with open(file_name, 'r') as file:
text = file.read()
words = text.split()
print("单词数量为:", len(words))
except FileNotFoundError:
print("文件不存在!")
```
程序首先要求用户输入文件名,然后尝试打开文件并读取其中的文本。该程序使用split()方法将文本分割成单词,并使用len()函数计算单词数量。如果文件不存在,则程序将输出相应的错误消息。
相关问题
用Python统计单词个数
好的,我能够回答这个问题。统计单词个数可以使用Python中的一些内置函数和模块来实现。具体实现方法可以参考如下代码:
```python
# 打开文件
with open('file.txt', 'r') as f:
# 读取文件中的内容
text = f.read()
# 统计单词个数
words = text.split()
word_count = len(words)
# 输出单词个数
print(word_count)
```
其中,`file.txt`是待统计单词个数的文本文件名。程序首先打开文件,然后读取其中的内容,使用`split()`方法将文本分隔成单个的单词,最后使用`len()`函数统计单词的个数并输出。
python统计单词个数并输出最长单词
可以使用Python的collections模块中的Counter函数来统计单词个数,然后使用max函数找到最长的单词。以下是示例代码:
```python
from collections import Counter
text = "This is a sample text with some words. This is another sentence with more words."
# 统计单词个数
word_counts = Counter(text.split())
# 输出单词个数
print("单词个数:", sum(word_counts.values()))
# 输出最长单词
longest_word = max(word_counts, key=len)
print("最长单词:", longest_word)
```
输出结果为:
```
单词个数: 15
最长单词: sentence
```
阅读全文