TypeScript综合练习2(文本处理)

Text Processor

You’ll practice creating and transforming arrays of strings.

Hello, fellow text editing and type setting enthusiast!
I hear you have a dual interest in both TypeScript and and type scripts.
That’s great because I have a few projects for you to help me out with all of those things.

I have a collection of raw text strings that represent some of my favorite pieces of literature.
I’d like to set up code that can turn those pieces of text into print-ready lines, each capped at a maximum character width.

Before we can do any of our fancy typography work on text, we need to split text into lines.
Much of our text data is stored in strings where the only whitespace is a single " " space between words.

More specifically: I’m going to give you an array of lines - each represented as a string.
For each of those lines, give me back an array of strings (so the final result is an array of array of strings).
Each of the strings in the array has as many of the words from the first line as it can fit, as long as there’s a " " space between them.

Additionally, for each line, I’ll need the ability to align it to the left, middle, or right.
Alignment means adding spaces to the beginning and/or end of the string to fit it to a specified character width.

Can you type this text processor up for me, fellow typography practitioner?

Setup

In one terminal, run the TypeScript compiler via the tsc script.
For example, to start the TypeScript compiler in watch mode:

npm run tsc -- --watch

In another terminal, run Jest via the test script.
For example, to start tests in watch mode:

npm run test -- --watch

Specification

In index.ts, export an alignTexts function.

Parameters:

  1. texts: An array of strings
  2. options: An object with the following properties:
    • align (optional): Whether to align to the left (default), middle, or right
    • width: Maximum character width for each processed line

Return type: An array of array of strings.

Examples

In this first example, each output string must be 3 characters long.
The first string can fit "ab" but can’t fit the additional word "c" because that would be 4 characters ("ab c").
The second string can git "c" and "d" with a space between them.

  • Input: alignTexts(["ab c d"], { width: 3 })

  • Output:

    [["ab ", "c d"]]
    

Here, there are three lines to be split, and each becomes one of the arrays in the output array.
align: "right" indicates that spaces must be added before characters (to their left), not after them (to their right).
The first line can only fit one word (first "ab", then "cd") in the allowed 4 spaces.
The second line again can only fit one word in its allowed spaces.
The third line is the only one that can fit two words together: "a" and "bc", which together with a space take up 4 characters.

  • Input: alignTexts(["ab cd", "abc def", "a bc def"], { align: "right", width: 4 })

  • Output:

    [["  ab", "  cd"],[" abc", " def"],["a bc", " def"]
    ]
    

This last example shows aligning text to the middle.
If there’s an extra space, it’s added to the right (at the end).

  • Input: alignTexts(["a", "ab", "abc", "abcd"], { align: "middle", width: 4 })

  • Output:

    [[" a  "], [" ab "], ["abc "], ["abcd"]]
    

Files

  • index.ts: Add your alignTexts function and type annotations here
  • index.test.ts: Tests verifying your alignTexts function and type annotations
  • solution.ts: Solution code
    • solution-alternate.ts: Alternate solution code that uses a more functional approach

Notes

  • text.split(" ") is sufficient to split the original text into an array of words.
    • Don’t worry about spaces being off: words will only ever be separated by a single " " space.

代码

export type AlignmentOptions = {align?: "left" | "middle" | "right";width: number;
};export function alignTexts(texts: string[], options: AlignmentOptions) {const alignedTextsLines: string[][] = [];for (const text of texts) {const lines = splitLines(text, options.width);const aligned = alignLines(lines, options);alignedTextsLines.push(aligned);}return alignedTextsLines;
}function splitLines(text: string, width: number) {const lines: string[] = [];let line = "";for (const word of text.split(" ")) {if (line === "") {line = word;} else if (line.length + word.length < width) {line += ` ${word}`;} else {lines.push(line);line = word;}}lines.push(line);return lines;
}function alignLines(lines: string[],{ align = "left", width }: AlignmentOptions
) {const aligned: string[] = [];for (const line of lines) {const remainingSpaces = width - line.length;let newLine = line;if (remainingSpaces) {switch (align) {case "left":for (let i = 0; i < remainingSpaces; i += 1) {newLine += " ";}break;case "middle":for (let i = 0; i < Math.ceil(remainingSpaces / 2); i += 1) {newLine += " ";}for (let i = 0; i < Math.floor(remainingSpaces / 2); i += 1) {newLine = " " + newLine;}break;case "right":for (let i = 0; i < remainingSpaces; i += 1) {newLine = " " + newLine;}break;}}aligned.push(newLine);}return aligned;
}let result = alignTexts(["abc def", "abc def ghi"], { align: "right", width: 5 });
console.log(result)

结果

[ [ '  abc', '  def' ], [ '  abc', '  def', '  ghi' ] ]

另一种解法

export type AlignmentOptions = {align?: "left" | "middle" | "right";width: number;
};export function alignTexts(texts: string[], options: AlignmentOptions) {return texts.map((text) =>alignLines(splitLines(text, options.width), options));
}function splitLines(text: string, width: number) {const lines: string[] = [];let line = "";for (const word of text.split(" ")) {if (line === "") {line = word;} else if (line.length + word.length < width) {line += ` ${word}`;} else {lines.push(line);line = word;}}lines.push(line);return lines;
}const aligners = {left: (line: string, width: number) => line.padEnd(width),middle: (line: string, width: number) => {const remainingSpaces = width - line.length;return remainingSpaces? [" ".repeat(Math.floor(remainingSpaces / 2)),line," ".repeat(Math.ceil(remainingSpaces / 2)),].join(""): line;},right: (line: string, width: number) => line.padStart(width),
};function alignLines(lines: string[],{ align = "left", width }: AlignmentOptions
) {return lines.map((line) => aligners[align](line, width));
}let result = alignTexts(["abc def", "abc def ghi"], { align: "right", width: 5 });
console.log(result)

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

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

相关文章

探索淘宝API接口对接(属性规格丨sku价格丨详情图丨优惠券等):打造智能电商解决方案

一、引言 随着电子商务的快速发展&#xff0c;越来越多的企业和开发者希望通过自动化和智能化的方式接入电商平台&#xff0c;以实现更高效的数据交互和业务流程。淘宝作为中国最大的电商平台之一&#xff0c;其提供的API接口成为了众多企业和开发者关注的焦点。本文将探讨淘宝…

【spring】Bean的生命周期回调函数和Bean的循环依赖

目录 1、Bean的生命周期 2、Bean的生命周期回调函数 2.1、初始化的生命周期回调 2.2、销毁的生命周期回调 3、Bean的循环依赖 1、Bean的生命周期 spring的bean的生命周期主要是创建bean的过程&#xff0c;一个bean的生命周期主要是4个步骤&#xff1a;实例化&#xff0c;…

视频剪辑图文实例:一键操作,轻松实现视频批量片头片尾减时

视频剪辑是现代媒体制作中不可或缺的一环&#xff0c;而批量处理视频更是许多专业人士和爱好者的常见需求。在剪辑过程中&#xff0c;调整视频的片头片尾时长可以显著提升视频的质量和观感。本文将通过图文实例的方式&#xff0c;向您展示如何一键操作&#xff0c;轻松实现视频…

直播录屏怎么录?分享3种方法

随着网络直播的兴起&#xff0c;直播录屏已成为众多网友记录精彩瞬间、分享有趣内容的重要工具。直播录屏不仅能帮助我们回顾和保存直播中的精彩片段&#xff0c;还能为创作者提供更多的素材和灵感。 本文将为大家介绍3种直播录屏的方法&#xff0c;帮助大家能够更好地利用这一…

【IEEE独立出版|往届均已成功检索】ISPDS 2024诚邀投稿参会

第五届信息科学与并行、分布式处理国际学术会议&#xff08;ISPDS 2024&#xff09; 2024 5th International Conference on Information Science, Parallel and Distributed Systems 2024年5月31-6月2日 | 中国广州NEWS&#xff1a;会议已在格林威治大学官网上线会议已经上线到…

配置Socks5代理的詳細步驟

Socks5代理的主要優點是它能夠處理任何類型的網路流量&#xff0c;包括Web流覽、電子郵件、檔傳輸等。 運行Socks5代理服務的伺服器&#xff0c;可以是一臺物理伺服器&#xff0c;也可以是一臺虛擬私有伺服器。 其次&#xff0c;我們需要在伺服器上安裝Socks5代理軟體。常用的…

学术咸鱼入门指南(2)

巧用思维导图阅读文献 化整为零&#xff1a;读文献&#xff0c;从拆分文章的结构开始 大家在初步接触自己学科的论文时&#xff0c;要了解清楚基本的范式&#xff0c;日后读起来就比较顺了。 科研论文的第一部分&#xff0c;是文章的标题&#xff0c;摘要和关键词&#xff0…

【MySQL】连接查询(JOIN 关键字)—— 图文详解:内连接、外连接、左连接、左外连接、右连接、右外连接

文章目录 连接查询驱动表连接查询分类 内连接&#xff08;INNER JOIN&#xff09;内连接 —— 等值连接内连接 —— 自然连接&#xff08;NATURAL JOIN&#xff09;内连接 —— 交叉连接&#xff08;笛卡尔积&#xff09; 外连接&#xff08;OUTER JOIN&#xff09;外连接 ——…

nodejs里面的 http 模块介绍和使用

Node.js的HTTP模块是一个核心模块&#xff0c;它提供了很多功能来创建HTTP服务器和发送HTTP请求。 http.Server是一个基于事件的http服务器&#xff0c;内部是由c实现的&#xff0c;接口是由JavaScript封装。 http.request是一个http客户端工具。 用户向服务器发送数据。 创…

范式的知识点

A. 有关“键”的概念 1) 超键&#xff1a;在关系中能唯一标识元组的属性或属性集称为关键模式的超键。 2) 候选键&#xff1a;不含有多余属性的超键称为候选键。也就是在候选键中在删除属性就不是键了。 3) 主键&#xff1a;用户选作元组标识的候选键称为主键。一般…

嵌入式RTOS面试题目

用过哪些嵌入式操作系统&#xff1f;使⽤RTOS和裸机代码开发有什么区别&#xff08;优缺点&#xff09;&#xff1f; 之前的⼀个项⽬是采⽤裸机代码开发的&#xff0c;写起来还⾏&#xff0c;通过状态机来管理业务逻辑和各种外设。 但是随着外设的增加&#xff0c;任务之间的…

C++学习笔记2

T1 奇怪的教室 题目背景 LSU 的老师有个奇怪的教室&#xff0c;同学们会从左到右坐成一个横排&#xff0c;并且同一个位置可以坐多个同学。这天&#xff0c;入学考试的成绩下来了。同学们想根据入学考试的成绩&#xff0c;找出班里学霸扎堆的区域“学霸区”。 题目描述 共有…

CSDN我的创作纪念日128天||不忘初心|努力上进|勇往直前

机缘 Hello&#xff0c;大家好&#xff0c;我是景天&#xff0c;其实很早之前我就加入到了CSND的大军&#xff0c;但那是我还是个小白&#xff0c;经常回来CSND汲取养料&#xff0c;就这样慢慢的来提升自己&#xff0c;强大自己。经过多年的学习&#xff0c;积累与总结&#x…

Davinci工程开发方法论

基本概念 Flash Driver是下载到RAM里面的bin文件 Boot Manager是ROM上启动运行的第一个实例&#xff0c;可以是独立的bin文件&#xff0c;可以是集成在FBL里面。 Bootloader存储在ROM里面的bin文件 Demo Appl一个示例模板&#xff0c;用来跳转到Bootloader的&#xff0c;也是一…

本地的git仓库和远程仓库

文章目录 1. 远程创建仓库2. 关联远程和本地代码3. 推送本地分支到远程 1. 远程创建仓库 2. 关联远程和本地代码 上面创建完后会得到一个git仓库的链接&#xff0c;有SSH或者http的 http://gitlab.xxxxx.local:18080/xxxxx/dvr_avm.git ssh://gitgitlab.xxxxx.local:10022/xx…

220V转18V500mA非隔离恒压WT5113

220V转18V500mA非隔离恒压WT5113 亲爱的朋友们&#xff0c;你们是否在为如何提高电源方案而烦恼呢&#xff1f;今天我给大家带来了一款芯片&#xff0c;WT5113宽输出范围非隔离交直流转换芯片&#xff0c;它可是电源方案中的得力助手哦&#xff01; 这款芯片拥有220V降12V、2…

Mujoco210和Mujoco-py在 Ubuntu22.04 下的安装

mujoco和mujoco-py的关系&#xff1a;mujoco是一个物理引擎&#xff0c;主要应用于强化学习和最优化控制领域。mujoco-py是mujoco编程的 Python 接口&#xff0c;由OpenAI Gym开发&#xff0c;可以使用mujoco_py方便地调用mujoco的API。 mujoco官网&#xff1a; https://mujoco…

国产中间件概述

1、什么是中间件? 1.1、基本概念 定义:中间件,英文名为 Middleware,是独立的系统级软件,连接操作系统层和应用程序层,将不同操作系统提供应用的接口标准化、协议统一化,屏蔽具体操作的细节。位置:居于各类应用与操作系统之间,在操作系统、网络和数据库之上,应用软件…

利用人工智能做FPS游戏自动射击

我将整个项目录制成了手把手教学视频&#xff0c;以下是课程目录&#xff08;本课程以CS1.6为目标程序&#xff09;&#xff1a; 声明&#xff1a;本课程仅作为技术交流。 一、环境配置和运行yolo目标检测 1.1Anaconda安装 1.2虛拟环境的管理 1.3pycharm的安装 1.4pytorch安…

Linux(openEuler、CentOS8)企业内网主备DNS服务器搭建

本实验环境为openEuler系统<以server方式安装>&#xff08;CentOS类似&#xff0c;可参考本文&#xff09; 知识点 什么是DNS&#xff1a;DNS服务器&#xff0c;即域名服务器&#xff08;Domain Name Server&#xff09;&#xff0c;是进行域名和与之相对应的IP地址转换…