【python】英语单词文本处理

文章目录

  • 前言
  • 一、环境
    • 实验所需的库
    • 终端指令
  • 二、实现过程
    • Version 1 起源
    • Version 2 list
    • Version 3 array
    • Version 4 结构化数组
    • Version 5 区分单元且打乱顺序
    • Version 6 可视化
  • 三、txt文件

前言

  缘起自懒得考小孩儿单词,最终效果如图:
在这里插入图片描述

  本文记录了英语单词文本处理过程,生成“试卷”

PS:单词docx文件来源于百度文库高校版(单词txt文本附文末)

一、环境

实验所需的库

import re
import numpy as np
from PIL import Image, ImageDraw, ImageFont

终端指令

conda create -n DL python==3.11
conda activate DL
conda install numpy pillow

pip install numpy pillow

二、实现过程

  大过年的,暂不对代码进行详细介绍,其进化过程如下:

Version 1 起源

import rewith open('./word.txt', 'r', encoding='utf-8') as file:for line in file:if re.match(r'^[A-Za-z*]', line):  # 使用正则表达式匹配以英文字母开头的行if 'Module' in line:continueif '[' not in line:  # 如果行中没有 [print("无法解析的行:", line)  # 直接输出行的内容continueword, pro_chinese = line.strip().split('[')pronunciation, meaning = pro_chinese.strip().split(']')pronunciation = '[' + pronunciation + ']'  # 将括号加回去meaning = meaning.rstrip()  # 去掉末尾的换行符print("单词:", word)print("音标:", pronunciation)print("中文:", meaning)

在这里插入图片描述
在这里插入图片描述

Version 2 list

  存储为列表

import rewords, pronunciations, meanings, modules = [], [], [], []
with open('./word.txt', 'r', encoding='utf-8') as file:current_module = ""for line in file:if re.match(r'^[A-Za-z*]', line):  # 使用正则表达式匹配以英文字母开头的行if 'Module' in line:current_module = line.strip()# print(current_module)continueif '[' not in line:  # 如果行中没有 [# print("无法解析的行:", line)  # 直接输出行的内容continueword, pro_chinese = line.strip().split('[')pronunciation, meaning = pro_chinese.strip().split(']')pronunciation = '[' + pronunciation + ']'  # 将括号加回去meaning = meaning.rstrip()  # 去掉末尾的换行符# print("单词:", word)# print("音标:", pronunciation)# print("中文:", meaning)words.append(word)pronunciations.append(pronunciation)meanings.append(meaning)modules.append(current_module)for i in range(len(words)):print(modules[i], words[i], pronunciations[i], meanings[i])

在这里插入图片描述

Version 3 array

  存储为array数组

import re
import numpy as npwords, pronunciations, meanings = np.array([]), np.array([]), np.array([])with open('./word.txt', 'r', encoding='utf-8') as file:current_module = ""for line in file:if re.match(r'^[A-Za-z*]', line):  # 使用正则表达式匹配以英文字母开头的行if 'Module' in line:current_module = line.strip()print(current_module)continueif '[' not in line:  # 如果行中没有 [print("无法解析的行:", line)  # 直接输出行的内容continueword, pro_chinese = line.strip().split('[')pronunciation, meaning = pro_chinese.strip().split(']')pronunciation = '[' + pronunciation + ']'  # 将括号加回去meaning = meaning.rstrip()  # 去掉末尾的换行符words = np.append(words, word)pronunciations = np.append(pronunciations, pronunciation)meanings = np.append(meanings, meaning)for i in range(len(words)):print("单词:", words[i])print("音标:", pronunciations[i])print("中文:", meanings[i])

在这里插入图片描述

Version 4 结构化数组

  进化为结构化数组

import re
import numpy as np# 定义结构化数组的数据类型
dt = np.dtype([('word', 'U50'), ('pronunciation', 'U50'), ('meaning', 'U50')])# 创建空的结构化数组
data = np.array([], dtype=dt)with open('./word.txt', 'r', encoding='utf-8') as file:for line in file:if re.match(r'^[A-Za-z*]', line):  # 使用正则表达式匹配以英文字母开头的行if 'Module' in line:continueif '[' not in line:  # 如果行中没有 [# print("无法解析的行:", line)  # 直接输出行的内容continueword, pro_chinese = line.strip().split('[')pronunciation, meaning = pro_chinese.strip().split(']')pronunciation = '[' + pronunciation + ']'  # 将括号加回去meaning = meaning.rstrip()  # 去掉末尾的换行符new_data = np.array([(word, pronunciation, meaning)], dtype=dt)  # 创建包含当前单词数据的结构化数组data = np.append(data, new_data)  # 将当前单词数据添加到总的结构化数组中for i in data:print(i)

在这里插入图片描述

Version 5 区分单元且打乱顺序

  区分单元且打乱顺序

import re
import numpy as np# 定义结构化数组的数据类型
dt = np.dtype([('module', 'U50'), ('word', 'U50'), ('pronunciation', 'U50'), ('meaning', 'U50')])# 创建空的结构化数组
data = np.array([], dtype=dt)with open('./word.txt', 'r', encoding='utf-8') as file:current_module = ""for line in file:if re.match(r'^[A-Za-z*]', line):  # 使用正则表达式匹配以英文字母开头的行if 'Module' in line:current_module = line.strip()# print(current_module)continueif '[' not in line:  # 如果行中没有 [# print("无法解析的行:", line)  # 直接输出行的内容continueword, pro_chinese = line.strip().split('[')pronunciation, meaning = pro_chinese.strip().split(']')pronunciation = '[' + pronunciation + ']'  # 将括号加回去meaning = meaning.rstrip()  # 去掉末尾的换行符new_data = np.array([(current_module, word, pronunciation, meaning)], dtype=dt)  # 创建包含当前单词数据的结构化数组data = np.append(data, new_data)  # 将当前单词数据添加到总的结构化数组中np.random.shuffle(data)
# 打印打乱顺序后的数组
print(data[0]['word'])
print(len(data))
for d in data:print(d)
for d in data:if d['module'] == 'Module 1':print(d)

在这里插入图片描述
在这里插入图片描述

Version 6 可视化

  可视化

import re
import numpy as np
from PIL import Image, ImageDraw, ImageFont# 定义结构化数组的数据类型
dt = np.dtype([('module', 'U50'), ('word', 'U50'), ('pronunciation', 'U50'), ('meaning', 'U50')])# 创建空的结构化数组
data = np.array([], dtype=dt)with open('./word.txt', 'r', encoding='utf-8') as file:current_module = ""for line in file:if re.match(r'^[A-Za-z*]', line):  # 使用正则表达式匹配以英文字母开头的行if 'Module' in line:current_module = line.strip()print(current_module)continueif '[' not in line:  # 如果行中没有 [print("无法解析的行:", line)  # 直接输出行的内容continueword, pro_chinese = line.strip().split('[')pronunciation, meaning = pro_chinese.strip().split(']')pronunciation = '[' + pronunciation + ']'  # 将括号加回去meaning = meaning.rstrip()  # 去掉末尾的换行符new_data = np.array([(current_module, word, pronunciation, meaning)], dtype=dt)  # 创建包含当前单词数据的结构化数组data = np.append(data, new_data)  # 将当前单词数据添加到总的结构化数组中# 打印数组
print(data[0]['word'])
print(len(data))
for d in data:if d['module'] == 'Module 1':print(d)np.random.shuffle(data)
# 打印打乱顺序后的数组
print(data)
# dt = np.dtype([('module', 'U50'), ('word', 'U50'), ('pronunciation', 'U50'), ('meaning', 'U50')])problem_image = Image.new('RGB', (800, 1200), color='white')
draw = ImageDraw.Draw(problem_image)
# font = ImageFont.truetype("arial.ttf", 25)
c_font = ImageFont.truetype("STKAITI.TTF", 25)  # 华文楷体
e_font = ImageFont.truetype("times.ttf", 25)    # times new Romantext_y = 100
draw.text((300, 20), 'English Problems', fill='blue', font=e_font)
for i in range(20):draw.text((50, text_y), str(i+1)+' '+data[i]['word'], fill='black', font=e_font)draw.text((350, text_y), str(i + 21) + ' ' + data[i+20]['meaning'], fill='black', font=c_font)text_y += 50problem_image.save('en_problems_3.png')# Generate a combined image of the answers
answer_image = Image.new('RGB', (800, 1200), color='white')
draw = ImageDraw.Draw(answer_image)text_y = 100
draw.text((300, 20), 'English Problems', fill='blue', font=e_font)
for i in range(20):draw.text((50, text_y), str(i+1)+' '+data[i]['meaning'], fill='black', font=c_font)draw.text((450, text_y), str(i + 21) + ' ' + data[i+20]['word'], fill='black', font=e_font)text_y += 50answer_image.save('en_answers_3.png')

问题:左侧前20英译汉,右侧汉译英:
在这里插入图片描述
答案

在这里插入图片描述

三、txt文件

外研社小学英语五年级下册(三年级起点)单词表(带音标):

Module 1
still[stil]还,仍然
Programme’prəugræm节目
lady['leidi]女士,夫人
life[laif]生活
different['difrənt]不同的
ago[ə’gəu]以前
Interviewer['intɚvjuɚ]采访者
enough[i’nʌf]足够的
television['teliviiʒ(ə)n]电视机
*grandchildren’græn’tʃildrən(外)孙子(女)
change[tʃendʒ]改变,变化
night[nait]夜晚,夜间
work[wɜ:k]工作;劳动;干活儿
field[fi:ld]田地
fire['faiə]火,炉火
orɔ:也不,也没
radio['reidiəu]收音机
telephone['telifəun]电话
couldn`t=could not不能
write[rait]写
hope[həup]希望

Module 2
learnt[lɜ:nt](learn的过去式)学习
taughttɔ:t教,讲授
language['læŋgwidʒ]语言
wroterəut写
dancer['dɑ:nsə®] 舞蹈演员
foreign['fɔrən]外国的
studied’stʌdid学习
hard[hɑ:d]努力地

Module 3
hamburger['hæmbɜ:gə®]汉堡
English['iŋgliʃ]英国(式)的
breakfast['brekfəst]早餐,早饭
lunch[lʌntʃ]午餐,午饭
sandwich['sænwitʃ]三明治
fish and chips炸鱼加炸薯条
traditional[trə’diʃənl]传统的
dish[diʃ]食品;菜肴
very much['veri mʌtʃ]很,非常
gave[geiv](give的过去式)给
tonight[tə’nait]今夜,今晚

Module 4
library['laibrəri]图书馆
student['stju:dnt]学生
sentsent发送,寄
*CD 激光唱片,光盘
idea[ai’diə]主意,想法
put[put]放,安放
*shelf[ʃelf]架子
heavy['hevi]重的,沉的
dictionary['dikʃənri]词典;字典
card[kɑ:d]卡片
library card图书卡,借书证
ask[ɑ:sk]邀请
wrong[rɔ:ŋ]错误的
dear[diə®]哎呀
information[ˌinfə’meiʃn]信息
*e-book电子书
project['prɔdʒekt]项目
guide[gaid]介绍,指南,手册
film[film]电影
as well又,还,也
way[wei]方法,方式
on[ɔn]关于
*topic['tɔpik]话题

Module 5
light[lait]轻的
hard[hɑ:d]困难的,费力的
*broken['brəukən]坏的,破的
department store[di’pɑ:tmənt stɔ:]百货商店
pocket['pɔkit]口袋,兜
umbrella[ʌm’brelə]雨伞
sales assistant[seilz ə’sistənt]售货员,营业员
wheel[wi:l]轮子
easy['i:zi]容易的,不费力的
take[teik]选择要,选择购买
too[tu:]太,过于
try[trai]试,尝试
lovely['lʌvli]美丽的,可爱的;令人愉快的

Module 6
moon[mu:n]月亮,月球
get[ɡet]到达
west[west]西,西部,西方;向西方
parent['peərənt]母亲;父亲;家长
stay[stei]停留
July[dʒu’lai]七月
south[sauθ]南,南部,南方;向南方
remember[ri’membə®]记得
June[dʒu:n]六月
east[i:st]东,东部,东方;向东方
best[best]最好的
north[nɔ:θ]北,北部,北方;向北方
rest[rest]休息
have a rest休息一下
rode[rəud](ride的过去式)骑

Module 7
evening['i:vniŋ]傍晚,晚上
late[leit]近日暮的;近深夜的;时间不早的
worker['wɜ:kə®]工人
factory['fæktri]制造厂;工厂
early['ɜ:li]早的
taxi['tæksi]出租车,计程车
quarter['kwɔ:tə®]一刻钟
to[tu,tə](距整点)差…
worry['wʌri]焦虑,担心

Module 8
paper['peipə®]纸
Chinese[ˌtʃai’ni:z]中国人的
so[səʊ]如此,这样
word[wɜ:d]词,字
drewdru:画
cutkʌt剪,切,割
piece[pi:s]张,片,块
paint[peint](用颜料)绘画,着色
putput放,安放
stick[stik]小木棍,小木条
tied[taid](tie的过去式)扎上,系上
*string[striŋ]线,绳子

Module 9
laugh[lɑ:f]笑
worewɔ:®穿
letter['letə®]信,书信
theatre['θiətə]剧院
women’wimin女性,妇女
actor['æktə®]演员
toldtəuld口述,讲(故事等)
joke[dʒəuk]笑话
after['ɑ:ftə®]在……以后
showʃəu演出,表演
restaurant['restrɔnt]饭店,餐馆
readri:d读
at all[æt ɔ:l]一点都
in[in]在(将来一段时间)之后
another[ə’nʌðə®]另一个
history['histri]历史
ask[ɑ:sk]问,询问
question['kwestʃən]问题
forget[fə’get]忘,忘记
bring[briŋ]带来,拿来
soon[su:n]不久,很快

Module 10
when[wen]在什么时候
end[end]结束,终止
nervous['nɜ:vəs]紧张的,情绪不安的
all right[ɔ:l rait]没事,没问题
airport['eəpɔ:t]机场
ticket['tikit]票
passport['pɑ:spɔ:t]护照
safe[seif]安全的,平安的
pet[pet]宠物
speak[spi:k]说,讲
building['bildiŋ]建筑物
American[ə’merikən]美国的;美国人的;美国人
find out[faind aut]发现,弄清
more[mɔ:®]更多的(量),较多的(量)

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.hqwc.cn/news/449350.html

如若内容造成侵权/违法违规/事实不符,请联系编程知识网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Loadbalancer如何优雅分担服务负荷

欢迎来到我的博客,代码的世界里,每一行都是一个故事 Loadbalancer如何优雅分担服务负荷 前言Loadbalancer基础:数字世界的分配大师1. 分发请求:2. 健康检查:3. 会话保持:4. 可伸缩性:5. 负载均衡…

京东物流基于 StarRocks 的数据分析平台建设

作者:京东物流 数据专家 刘敬斌 小编导读: 京东集团 2007 年开始自建物流,2017 年 4 月正式成立京东物流集团,截至目前,京东物流已经构建了一套全面的智能物流系统,实现服务自动化、运营数字化及决策智能化…

如何写好论文——(14)写作时如何定义和描述研究目标

当我们有了一个具体的细化的研究目标之后,我们需要把它清晰准备描述给我们的读者,并用它来指导我们的研究活动。 一、有方向 我们所选择的具体的研究目标一定要有明确的目标指向,那就是我们的长远目标。 二、有边界 我们要明确自己的研究…

react 之 zustand

zustand可以说是redux的平替 官网地址:https://zustand-demo.pmnd.rs/ 1.安装 npm i zustand2.基础使用 // zustand import { create } from zustand// 1. 创建store // 语法容易出错 // 1. 函数参数必须返回一个对象 对象内部编写状态数据和方法 // 2. set是用来…

docker踩坑记录

踩坑记录 1.1 后台启动容器,实际没有启动 现象: 后台启动centos,结果执行docker ps命令,容器没启动。 原因: docker是以容器启动的,必须要有个前台进程,若是全部都是后台deamon守护进程&…

上位机图像处理和嵌入式模块部署(视频处理vs图像处理)

【 声明:版权所有,欢迎转载,请勿用于商业用途。 联系信箱:feixiaoxing 163.com】 从目前发展的情况来看,视频处理会慢慢变成一种主流趋势。这里面的原因很多,比如说现在嵌入式soc的算力越来越强、获取图像的…

pytest的常用插件和Allure测试报告

pytest常用插件 pytest-html插件 安装: pip install pytest-html -U 用途: 生成html的测试报告 用法: ​在.ini配置文件里面添加 addopts --htmlreport.html --self-contained-html 效果: 执行结果中存在html测试报告路…

使用机器学习算法预测在线订餐需求

咱们国内的美团和国外的 Swiggy 和 Zomato 引入市场后,在线订餐的需求量很大。食品配送公司利用客户的购买习惯来加快配送过程。食品订单预测系统是这些公司可以用来加快整个交付过程的有用技术之一。 这些公司对客户的主要目标是在正确的时间交付食物。为了更快地…

为什么无法正确上传表格?为什么上传表格后数据有缺失?

大家在使用易查分制作查询系统时,偶尔会出现上传内容与电子表格不一致、部分数据缺失的情况,出现这种情况该如何解决呢?本次就来介绍下解决方案。 📌正确表格制作方式 1.正确的表格第一行必须是表头(如:姓名…

Matplotlib雷达图教程:学会绘制炫酷多彩的多维数据可视化【第53篇—python:Seaborn大全】

文章目录 Matplotlib雷达图绘制指南:炫酷雷达图参数解析与实战1. 普通雷达图2. 堆叠雷达图3. 多个雷达图4. 矩阵雷达图5. 极坐标雷达图6. 定制化雷达图外观7. 调整雷达图坐标轴范围8. 雷达图的子图布局9. 导出雷达图总结 Matplotlib雷达图绘制指南:炫酷雷…

Linux——存储管理

文章目录 基本分区磁盘简介磁盘分类linux的磁盘命名磁盘的分区方式 管理磁盘虚拟机添加硬盘查看磁盘信息磁盘分区流程创建分区创建文件系统挂载mount查看挂载信息 剩余空间继续分区MBR如何划分更多的分区为什么只能有4个主分区扩展分区的引入 逻辑卷LVM是什么特点术语创建LVMVG…

寒假作业2月2号

第一章 命名空间 一.选择题 1、编写C程序一般需经过的几个步骤依次是(C ) A. 编辑、调试、编译、连接 B. 编辑、编译、连接、运行 C. 编译、调试、编辑、连接 D. 编译、编辑、连接、运行 2、所谓数据封装就是将一组数据和与这组数据有关…