repo
stringlengths
26
115
file
stringlengths
54
212
language
stringclasses
2 values
license
stringclasses
16 values
content
stringlengths
19
1.07M
https://github.com/MobtgZhang/sues-thesis-typst-bachelor
https://raw.githubusercontent.com/MobtgZhang/sues-thesis-typst-bachelor/main/thesis.typ
typst
MIT License
// 定义一些常见的变量 // 定义行距 #let linespacing = 1.5em // 定义字体的大小 #let fontsizedict = ( 初号: 42pt, 小初: 36pt, 一号: 26pt, 小一: 24pt, 二号: 22pt, 小二: 18pt, 三号: 16pt, 小三: 15pt, 四号: 14pt, 中四: 13pt, 小四: 12pt, 五号: 10.5pt, 小五: 9pt, 六号: 7.5pt, 小六: 6.5pt, 七号: 5.5pt, 小七: 5pt, ) // 定义文章中使用到的字体信息 #let fontstypedict = ( 仿宋: ("Times New Roman", "FangSong"), 宋体: ("Times New Roman", "SimSun"), 黑体: ("Times New Roman", "SimHei"), 楷体: ("Times New Roman", "KaiTi"), 代码: ("New Computer Modern Mono", "Times New Roman", "SimSun"), ) // 章节定义 #let chaptercounter = counter("chapter") // 附录定义 #let appendixcounter = counter("appendix") // 脚注定义 #let footnotecounter = counter(footnote) // 代码计数器定义 #let rawcounter = counter(figure.where(kind: "code")) // 图片计数器定义 #let imagecounter = counter(figure.where(kind: image)) // 表格计数器定义 #let tablecounter = counter(figure.where(kind: table)) // 方程计数器定义 #let equationcounter = counter(math.equation) // 附录定义 #let appendix() = { appendixcounter.update(10) chaptercounter.update(0) counter(heading).update(0) } // ----------------------------------------- // 定义一些常见的函数 #let chineseunderline(s, width: 300pt, bold: false) = { let chars = s.clusters() let n = chars.len() style(styles => { let i = 0 let now = "" let ret = () while i < n { let c = chars.at(i) let nxt = now + c if measure(nxt, styles).width > width or c == "\n" { if bold { ret.push(strong(now)) } else { ret.push(now) } ret.push(v(-1em)) ret.push(line(length: 100%)) if c == "\n" { now = "" } else { now = c } } else { now = nxt } i = i + 1 } if now.len() > 0 { if bold { ret.push(strong(now)) } else { ret.push(now) } ret.push(v(-0.9em)) ret.push(line(length: 100%)) } ret.join() }) } // 定义目录函数 #let chineseoutline(title: "目录", depth: none, indent: false) = { heading(title, numbering: none, outlined: false) locate(it => { let elements = query(heading.where(outlined: true).after(it), it) for el in elements { // Skip headings that are too deep if depth != none and el.level > depth { continue } let maybe_number = if el.numbering != none { if el.numbering == chinesenumbering { chinesenumbering(..counter(heading).at(el.location()), location: el.location()) } else { numbering(el.numbering, ..counter(heading).at(el.location())) } h(0.5em) } let line = { if indent { h(1em * (el.level - 1 )) } if el.level == 1 { v(0.5em, weak: true) } if maybe_number != none { style(styles => { let width = measure(maybe_number, styles).width box( width: lengthceil(width), link(el.location(), if el.level == 1 { strong(maybe_number) } else { maybe_number } )) }) } if el.level == 1 { strong(el.body) } else { el.body } // Filler dots if el.level == 1 { box(width: 1fr, h(10pt) + box(width: 1fr) + h(10pt)) } else { box(width: 1fr, h(10pt) + box(width: 1fr, repeat[.]) + h(10pt)) } // Page number let footer = query(selector(<__footer__>).after(el.location()), el.location()) let page_number = if footer == () { 0 } else { counter(page).at(footer.first().location()).first() } link(el.location(), if el.level == 1 { strong(str(page_number)) } else { str(page_number) }) linebreak() v(-0.2em) } line } }) } // ---------------------------------------- // 定义学士学位论文模板 #let sues_thesis_bachelor( blind: false, doc ) = { // 定义纸张类型和页眉页脚 set page("a4") // 定义插入列表的格式 set list(indent: 2em) set enum(indent: 2em) // 定义字体格式 show strong: it => text(font: fontstypedict.黑体,weight: "semibold" ,it.body) show emph: it => text(font: fontstypedict.楷体, style: "italic" ,it.body) show par: set block(spacing: linespacing) show raw: set text(font: fontstypedict.代码) // 论文字体大小 set text(fontsizedict.小四, font: fontstypedict.宋体, lang: "zh") // 设置标题的格式和样式 // 定义三级标题格式 show heading: it => [ // 对于二级或二级标题以上的,取消空格 #set par(first-line-indent: 0em) #let sizedheading(it,size) = [ #set text(size) #v(2em) #if it.numbering != none { strong(counter(heading).display()) h(0.5em) } #strong(it.body) #v(1em) ] // 一级标题 #if it.level == 1 { if not it.body.text in ("ABSTRACT","学位论文使用授权说明") { pagebreak(weak: true) } locate(loc => { if it.body.text == "摘要" { counter(page).update(1) } }) if it.numbering != none { chaptercounter.step() } footnotecounter.update(()) imagecounter.update(()) tablecounter.update(()) rawcounter.update(()) equationcounter.update(()) set align(center) sizedheading(it,fontsizedict.三号) } else { if it.level == 2 { // 二级标题 sizedheading(it,fontsizedict.四号) } else if it.level == 3 { // 三级标题 sizedheading(it,fontsizedict.中四) } else { // 三级标题以下 sizedheading(it,fontsizedict.小四) } } ] // 插入正文 set align(left + top) par(justify: true, first-line-indent: 2em, leading: linespacing)[ #doc ] }
https://github.com/frectonz/the-pg-book
https://raw.githubusercontent.com/frectonz/the-pg-book/main/book/072.%20microsoft.html.typ
typst
microsoft.html Microsoft is Dead April 2007A few days ago I suddenly realized Microsoft was dead. I was talking to a young startup founder about how Google was different from Yahoo. I said that Yahoo had been warped from the start by their fear of Microsoft. That was why they'd positioned themselves as a "media company" instead of a technology company. Then I looked at his face and realized he didn't understand. It was as if I'd told him how much girls liked <NAME> in the mid 80s. Barry who?Microsoft? He didn't say anything, but I could tell he didn't quite believe anyone would be frightened of them.Microsoft cast a shadow over the software world for almost 20 years starting in the late 80s. I can remember when it was IBM before them. I mostly ignored this shadow. I never used Microsoft software, so it only affected me indirectly—for example, in the spam I got from botnets. And because I wasn't paying attention, I didn't notice when the shadow disappeared.But it's gone now. I can sense that. No one is even afraid of Microsoft anymore. They still make a lot of money—so does IBM, for that matter. But they're not dangerous.When did Microsoft die, and of what? I know they seemed dangerous as late as 2001, because I wrote an essay then about how they were less dangerous than they seemed. I'd guess they were dead by 2005. I know when we started Y Combinator we didn't worry about Microsoft as competition for the startups we funded. In fact, we've never even invited them to the demo days we organize for startups to present to investors. We invite Yahoo and Google and some other Internet companies, but we've never bothered to invite Microsoft. Nor has anyone there ever even sent us an email. They're in a different world.What killed them? Four things, I think, all of them occurring simultaneously in the mid 2000s.The most obvious is Google. There can only be one big man in town, and they're clearly it. Google is the most dangerous company now by far, in both the good and bad senses of the word. Microsoft can at best limp along afterward.When did Google take the lead? There will be a tendency to push it back to their IPO in August 2004, but they weren't setting the terms of the debate then. I'd say they took the lead in 2005. Gmail was one of the things that put them over the edge. Gmail showed they could do more than search.Gmail also showed how much you could do with web-based software, if you took advantage of what later came to be called "Ajax." And that was the second cause of Microsoft's death: everyone can see the desktop is over. It now seems inevitable that applications will live on the web—not just email, but everything, right up to Photoshop. Even Microsoft sees that now.Ironically, Microsoft unintentionally helped create Ajax. The x in Ajax is from the XMLHttpRequest object, which lets the browser communicate with the server in the background while displaying a page. (Originally the only way to communicate with the server was to ask for a new page.) XMLHttpRequest was created by Microsoft in the late 90s because they needed it for Outlook. What they didn't realize was that it would be useful to a lot of other people too—in fact, to anyone who wanted to make web apps work like desktop ones.The other critical component of Ajax is Javascript, the programming language that runs in the browser. Microsoft saw the danger of Javascript and tried to keep it broken for as long as they could. [1] But eventually the open source world won, by producing Javascript libraries that grew over the brokenness of Explorer the way a tree grows over barbed wire.The third cause of Microsoft's death was broadband Internet. Anyone who cares can have fast Internet access now. And the bigger the pipe to the server, the less you need the desktop.The last nail in the coffin came, of all places, from Apple. Thanks to OS X, Apple has come back from the dead in a way that is extremely rare in technology. [2] Their victory is so complete that I'm now surprised when I come across a computer running Windows. Nearly all the people we fund at Y Combinator use Apple laptops. It was the same in the audience at startup school. All the computer people use Macs or Linux now. Windows is for grandmas, like Macs used to be in the 90s. So not only does the desktop no longer matter, no one who cares about computers uses Microsoft's anyway.And of course Apple has Microsoft on the run in music too, with TV and phones on the way.I'm glad Microsoft is dead. They were like Nero or Commodus—evil in the way only inherited power can make you. Because remember, the Microsoft monopoly didn't begin with Microsoft. They got it from IBM. The software business was overhung by a monopoly from about the mid-1950s to about 2005. For practically its whole existence, that is. One of the reasons "Web 2.0" has such an air of euphoria about it is the feeling, conscious or not, that this era of monopoly may finally be over.Of course, as a hacker I can't help thinking about how something broken could be fixed. Is there some way Microsoft could come back? In principle, yes. To see how, envision two things: (a) the amount of cash Microsoft now has on hand, and (b) Larry and Sergey making the rounds of all the search engines ten years ago trying to sell the idea for Google for a million dollars, and being turned down by everyone.The surprising fact is, brilliant hackers—dangerously brilliant hackers—can be had very cheaply, by the standards of a company as rich as Microsoft. They can't hire smart people anymore, but they could buy as many as they wanted for only an order of magnitude more. So if they wanted to be a contender again, this is how they could do it: Buy all the good "Web 2.0" startups. They could get substantially all of them for less than they'd have to pay for Facebook. Put them all in a building in Silicon Valley, surrounded by lead shielding to protect them from any contact with Redmond. I feel safe suggesting this, because they'd never do it. Microsoft's biggest weakness is that they still don't realize how much they suck. They still think they can write software in house. Maybe they can, by the standards of the desktop world. But that world ended a few years ago.I already know what the reaction to this essay will be. Half the readers will say that Microsoft is still an enormously profitable company, and that I should be more careful about drawing conclusions based on what a few people think in our insular little "Web 2.0" bubble. The other half, the younger half, will complain that this is old news.See also: Microsoft is Dead: the Cliffs NotesNotes[1] It doesn't take a conscious effort to make software incompatible. All you have to do is not work too hard at fixing bugs—which, if you're a big company, you produce in copious quantities. The situation is analogous to the writing of "literary theorists." Most don't try to be obscure; they just don't make an effort to be clear. It wouldn't pay.[2] In part because <NAME> got pushed out by <NAME> in a way that's rare among technology companies. If Apple's board hadn't made that blunder, they wouldn't have had to bounce back.Portuguese TranslationSimplified Chinese TranslationKorean Translation
https://github.com/Myriad-Dreamin/typst.ts
https://raw.githubusercontent.com/Myriad-Dreamin/typst.ts/main/fuzzers/corpora/layout/stack-2_00.typ
typst
Apache License 2.0
#import "/contrib/templates/std-tests/preset.typ": * #show: test-page #set page(height: 3.5cm) #stack( dir: ltr, spacing: 1fr, ..for c in "ABCDEFGHI" {([#c],)} ) Hello #v(2fr) from #h(1fr) the #h(1fr) wonderful #v(1fr) World! 🌍
https://github.com/Enter-tainer/typstyle
https://raw.githubusercontent.com/Enter-tainer/typstyle/master/tests/assets/unit/comment/comment-convergence.typ
typst
Apache License 2.0
#[ /* bar */ ] - /* bar */ 123 - /* bar */ #[ /* Somebody write this up: - 1000 participants. - 2x2 data design. */ ] #[ // Somebody write this up: // - 1000 participants. // - 2x2 data design. ]
https://github.com/max-niederman/CS250
https://raw.githubusercontent.com/max-niederman/CS250/main/hw/2.typ
typst
#import "../lib.typ": * #show: homework.with(title: "CS 250 Homework #2") = Formal Logic == 1 #[ #set enum(numbering: "a.") + Yes + No, because "he" is ambiguous + Yes + No, because "the game" is ambiguous + No, because "next year" is ambiguous + No, for the same reason + No, because $x$ is free ] == 2 #[ #set enum(numbering: "a.") + True + False + False + False + True + False + True + True ] == 3 #[ #set enum(numbering: "a.") I will use $T$ to denote a truth and $F$ to denote falsehood. + $A and (B or C) <-> T and (F or T) <-> T and T <-> T$ + $(A and B) or C <-> F or T <-> T$ + $(A and B)' or C <-> (A and B)' or T <-> T$ + $A' or (B' and C)' <-> F or (T and T)' <-> F or F <-> F$ ] == 9 #[ #set enum(numbering: "a.") + Answers 1 and 3, but not answer 2 are correct negations. This follows from De Morgan's laws. + Only answer 2 is correct, because the other answers miss the case where cucumbers are seedy but not green. + Only answer 4 is correct. This once again follows from De Morgan's laws. ] == 11 #[ #set enum(numbering: "a.") + The food is good and the service is not excellent. + The food is not good and the service is not excellent. + The food is not good or the service is not excellent, and the price is not high. + The food is good or the service is excellent. + The price is high, and the food is not good or the service is not excellent. ] == 12 #[ #set enum(numbering: "a.") + The processor is slow or the printer is fast. + The processor is slow and the printer is fast. + The processor is fast and the printer is fast. + The processor is slow or the printer is fast, and the file isn't damaged. + The file is not damaged and the processor is fast, but the printer is fast. + The printer is slow but the file is not damaged. ] == 19 #[ #set enum(numbering: "a.") + $H -> K$ + $K -> (H and A)$ + $K -> H$ + $K <-> A$ + $(A or H) -> K$ ] == 23 #[ #let truthTable(formula, label: []) = { let fmtTruth(a) = if a { $T$ } else { $F$ } let row(a, b, c) = (a, b, c, formula(a, b, c)).map(fmtTruth) table( columns: (auto, auto, auto, auto), align: center, $A$, $B$, $C$, label, ..row(true, true, true), ..row(true, true, false), ..row(true, false, true), ..row(true, false, false), ..row(false, true, true), ..row(false, true, false), ..row(false, false, true), ..row(false, false, false) ) } #let implies(a, b) = not a or b #let equivalent(a, b) = implies(a, b) and implies(b, a) #truthTable( (A, B, C) => equivalent( implies(A, B), not A or B, ), label: $(A -> B) <-> A' or B$ ) #truthTable( (A, B, C) => implies( (A and B) or C, A and (B or C) ), label: $(A and B) or C -> A and (B or C)$ ) #truthTable( (A, B, C) => A and not (not A or not B), label: $A and (A' or B')'$ ) #truthTable( (A, B, C) => implies( A and B, not A ), label: $A and B -> A'$ ) #truthTable( (A, B, C) => implies( implies(A, B), implies( (A or C), (B or C) ) ), label: $(A -> B) -> ((A or C) -> (B or C))$ ) ] The truth tables show that $(A -> B) <-> A' or B$ and $(A -> B) -> ((A or C) -> (B or C))$ are tautologies, while the other wffs are neither tautologies nor contradictions. = Inference Rules == 9 + $A$ is a hypothesis. + $B -> C$ is a hypothesis. + $B$ is assumed for deduction. + $C$ by modus ponens of 2 and 3. + $A and C$ by conjunction of 1 and 4. == 10 + $B$ is a hypothesis. + $(B and C) -> A'$ is a hypothesis. + $B -> C$ is a hypothesis. + $C$ by modus ponens of 1 and 3. + $B and C$ by conjunction of 1 and 4. + $A'$ by modus ponens of 5 and 2. == 11 + $A -> (B or C)$ is a hypothesis. + $B'$ is a hypothesis. + $C'$ is a hypothesis. + $B' and C'$ by conjunction of 2 and 3. + $(B or C)'$ by De Morgan's law applied to 4. + $A'$ by modus tollens of 1 and 5. == 12 + $A'$ is a hypothesis. + $B$ is a hypothesis. + $B -> A or C$ is a hypothesis. + $A or C$ by modus ponens of 2 and 3. + $(A')' or C$ by the equivalence of $(A')'$ and $A$. + $A' -> C$ by disjunctive syllogism of 1 and 5. + $C$ by modus ponens of 1 and 6. == 14 + $A'$, hyp. + $B -> A$, hyp. + $B'$, mt. == 16 + $(C -> D) -> C$, hyp. + $C -> D$, hyp. + $C$, mp, 1, 2. + $D$, mp, 2, 3. == 18 + $A -> (B -> C)$, hyp. + $A or D'$, hyp. + $B$, hyp. + $D$, hyp. + $A$, ds, 2, 4. + $B -> C$, mp, 1, 5. + $C$, mp, 3, 6. == 20 + $A -> B$, hyp. + $B -> (C -> D)$, hyp. + $A -> (B -> C)$, hyp. + $A$, hyp. + $B$, mp, 1, 4. + $B -> C$, mp, 3, 4. + $C$, mp, 5, 6. + $C -> D$, mp, 2, 5. + $D$, mp, 7, 8.
https://github.com/JeyRunner/tuda-typst-templates
https://raw.githubusercontent.com/JeyRunner/tuda-typst-templates/main/tests/test_tudapub.typ
typst
MIT License
// imports #import "@preview/cetz:0.1.2": canvas, plot #import "@preview/glossarium:0.2.5": make-glossary, print-glossary, gls, glspl #import "@preview/mitex:0.2.3": * #import "@preview/drafting:0.1.2": * #show: make-glossary #import "../templates/tudapub/tudapub.typ": tudapub #import "../templates/tudapub/tudacolors.typ": tuda_colors #import "../templates/tudapub/common/props.typ": * // setup // #set page(width: 20cm, height:auto) // #set heading(numbering: "1.") // #set par(justify: true) #show: tudapub.with( title: [ TUDaThesis - Title With a second line ], author: "<NAME>", accentcolor: "9c", language: "eng", abstract: [The abstract...], margin: tud_page_margin_big, bib: bibliography("./latex_ref/DEMO-TUDaBibliography.bib", full: true)//, style: "spie") ) //#rule-grid(width: 10cm, height: 10cm, spacing: 5mm) // test content = Über diese Datei This is some example text that is not very long, but needs to fill some space. @TUDaGuideline This starts a new paragraph. Test words. Test words. Test words. Test words. Test words. Test words. Test words. Test words. Test words. Test words. Test words. Test words. Test words. Test words. Test words. Test words. Test words. Test words. Test words. == Subheading Lorem ipsum dolor sit amet, consetetur sadipscing elitr, sed diam nonumy eirmod tempor invidunt ut labore et dolore magna aliquyam erat, sed diam voluptua. At vero eos et accusam et justo duo dolores et ea rebum. Stet clita kasd gubergren, no sea takimata sanctus est Lorem ipsum dolor sit amet. Lorem ipsum dolor sit amet, consetetur sadipscing elitr, sed diam nonumy eirmod tempor invidunt ut labore et dolore magna aliquyam erat, sed diam voluptua. At vero eos et accusam et justo duo dolores et ea rebum. Stet clita kasd gubergren, no sea takimata sanctus est Lorem ipsum dolor sit amet. Lorem ipsum dolor sit amet, consetetur sadipscing elitr, sed diam nonumy eirmod tempor invidunt ut labore et dolore magna aliquyam erat, sed diam voluptua. At vero eos et accusam et justo duo dolores et ea rebum. Stet clita kasd gubergren, no sea takimata sanctus est Lorem ipsum dolor sit amet. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis at vero eros et accumsan et iusto odio dignissim qui blandit praesent luptatum zzril delenit augue duis dolore te feugait nulla facilisi. Nam liber tempor cum soluta nobis eleifend option congue nihil imperdiet doming id quod mazim placerat facer possim assum. Lorem ipsum dolor sit amet, consectetuer adipiscing elit, sed diam nonummy nibh euismod tincidunt ut laoreet dolore magna aliquam erat volutpat. Ut wisi enim ad minim veniam, quis nostrud exerci tation ullamcorper suscipit lobortis nisl ut aliquip ex ea commodo consequat. Duis autem vel eum iriure dolor in hendrerit in vulputate velit esse molestie consequat, vel illum dolore eu feugiat nulla facilisis. At vero eos et accusam et justo duo dolores et ea rebum. Stet clita kasd gubergren, no sea takimata sanctus est Lorem ipsum dolor sit amet. Lorem ipsum dolor sit amet, consetetur sadipscing elitr, sed diam nonumy eirmod tempor invidunt ut labore et dolore magna aliquyam erat, sed diam voluptua. At vero eos et accusam et justo duo dolores et ea rebum. Stet clita kasd gubergren, no sea takimata sanctus est Lorem ipsum dolor sit amet. Lorem ipsum dolor sit amet, consetetur sadipscing elitr, At accusam aliquyam diam diam dolore dolores duo eirmod eos erat, et nonumy sed tempor et et invidunt justo labore Stet clita ea et gubergren, kasd magna no rebum. sanctus sea sed takimata ut vero voluptua. est Lorem ipsum dolor sit amet. Lorem ipsum dolor sit amet, consetetur == Subheading Some text === Subsubheading Text with some math $x <= 10$ $ x <= 10 $ More text after eq. #pagebreak() == Subheading first on page Text == Subheading Text === Subsubheading Texts ==== SubSubsubheading #pagebreak() === Subsubheading first on page == Subheading === Subsubheading ==== SubSubsubheading Text #pagebreak() #set text(hyphenate: false) #set text(alternates: true) Test Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus New paragraph... Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim aeque doleamus animo, cum corpore dolemus #set text(hyphenate: true) #lorem(135) = Test Different Elements Test some footnotes #footnote[This is a footnote]. Another footnote #footnote[This is another footnote which has a very long text. This footnote expands over multiple lines causing the footnote region to expand vertically.]. //Bla #footnote[Abc \ D \ E \ F \ G \ D] === Figures Here is @fig_test. Here is more text. #figure( image(height: 60pt, "img/opensource_logo.png"), placement: none, caption: [This is the figure title.] ) <fig_test> Even more text that may or may not be before the figure. Some text after the figure. And another sentence containing no meaning. #pagebreak() ==== Figures with Tables Here is @fig_test_table. Here is more text. #figure( table( columns: 2, [A], [B], [1], [2] ), caption: [This is the figure title.] ) <fig_test_table> Even more text that may or may not be before the figure. Some text after the figure. And another sentence containing no meaning. #figure( table( columns: 2, [AA], [BB], [1], [2] ), caption: [This is the figure title.] ) #pagebreak() === Test some lists This is a list: + an item + another item === Subsubheading #lorem(584) #pagebreak() == Spezielle Optionen für Abschlussarbeiten #pagebreak(weak: true) Es besteht zusätzlich die Möglichkeit ein anderssprachiges Affidavit als Ergänzung mit abzudrucken. Um die Struktur und die ggf. notwendige Sprachumschaltung zu erledigen, existiert hierfür ab Version 2.03 eine Umgebung: == Lets do some math Bla _blub_ *bold*. Math: $x + y (a+b)/2$. $ "Align:"& \ & x+y^2 && != 27 sum_(n=0)^N e^(i dot pi dot n) \ & "s.t. " && b c \ \ & mat( 1,3 ; 3, 4 )^T && = alpha mat( x ,y ; x_2, y_2 )^T \ \ & underbrace( cal(B) >= B , "This is fancy!") $ $ x &= y^2 + 12 & "(This does A)" $ $ y &= z & "(This does B)" $ <eq.last> In @eq.last we can see cool stuff. === Math in Latex Notation #table( columns: 2, ```latex mitex(` \begin{pmatrix} \dot{r}_x + \omega r_x - \omega p_x \\ \dot{r}_x - \omega r_x + \omega p_x \end{pmatrix} = \begin{pmatrix} +\omega \xi_x - \omega p_x \\ -\omega s_x + \omega p_x \end{pmatrix} `) ```, mitex(` \begin{pmatrix} \dot{r}_x + \omega r_x - \omega p_x \\ \dot{r}_x - \omega r_x + \omega p_x \end{pmatrix} = \begin{pmatrix} +\omega \xi_x - \omega p_x \\ -\omega s_x + \omega p_x \end{pmatrix} `) ) More latex math: #mitex(` \newcommand{\f}[2]{#1f(#2)} \f\relax{x} = \int_{-\infty}^\infty \f\hat\xi\,e^{2 \pi i \xi x} \,d\xi `) We can also import basic latex (just a few commands are suppored) via `mitex`: #mitext(` \subsubsection{This is Generated from Latex} A \textbf{strong} text, a \emph{emph} text and inline equation $x + y$. Also block \eqref{eq:pythagoras}. \begin{equation} a^2 + b^2 = c^2 \label{eq:pythagoras} \end{equation} `) == Another Section Some graphics: \ #box(stroke: black, inset: 5mm)[ test in box #circle(width: 2.2cm, inset: 2mm)[ And in the circle ] ] Some more text here. #lorem(20) In @fig.myfig we can see stuff. ==== Deep section #figure( [ #rect(inset: 20.9pt)[Dummy Test] ], caption: [ This is a figure ] )<fig.myfig> Next is @fig:test_f. When using `figure_numbering_per_chapter: true` figures need to referenced with `@fig:<labelname>` #figure( [ #rect(inset: 20.9pt)[Dummy Test] ], caption: [ This is a figure ] )<test_f> #lorem(100) ===== Level 5 Heading #lorem(50) ===== Level 5 Heading #lorem(50) A term list: / A: This is a term. #lorem(20) / B: This is a term. #lorem(20) / C: This is a term. #lorem(20) = Next Chapter with Figures #figure( [ #rect(inset: 20.9pt)[Dummy Test] ], caption: [ This is a figure ] ) First eq: $ x $ Second eq: $ y $ Third eq: $ y $
https://github.com/SeniorMars/tree-sitter-typst
https://raw.githubusercontent.com/SeniorMars/tree-sitter-typst/main/grammar.md
markdown
MIT License
## Typst Grammar Below is an approximate EBNF grammar for the Typst language that is based on our handwritten recursive descent parser. We follow these conventions: – Production names are all lowercase. – Text enclosed in single (') or double quotes (") defines a terminal. – * for an arbitrary number of repetitions. – + for at least one repetition. – ? for zero or one repetitions. – ! to negate a simple (character-class-like) production. – . to match an arbitrary character. – a - b to match anything that matches a but not b. – unicode(Property) to match any character that has the given unicode property. Note that comments and spaces are allowed almost everywhere within code constructs. For readability, this is omitted in the grammar. Moreover, the grammar omits the indentation rules for lists, as EBNF cannot handle context-sensitive constructs. ``` // Markup. markup ::= markup-node* markup-node ::= space | linebreak | text | escape | nbsp | shy | endash | emdash | ellipsis | quote | strong | emph | raw | link | math | heading | list | enum | desc | label | ref | markup-expr | comment // Markup nodes. space ::= unicode(White_Space)+ linebreak ::= '\' '+'? text ::= (!special)+ escape ::= '\' special nbsp ::= '~' shy ::= '-?' endash ::= '--' emdash = '---' ellipsis ::= '...' quote ::= "'" | '"' strong ::= '*' markup '*' emph ::= '_' markup '_' raw ::= '`' (raw | .*) '`' link ::= 'http' 's'? '://' (!space)* math ::= ('$' .* '$') | ('$[' .* ']$') heading ::= '='+ space markup list ::= '-' space markup enum ::= digit* '.' space markup desc ::= '/' space markup ':' space markup label ::= '<' ident '>' ref ::= '@' ident // changed to code_mode markup-expr ::= block | ('#' hash-expr) hash-expr ::= ident | func-call | keyword-expr special ::= '\' | '/' | '[' | ']' | '{' | '}' | '#' | '~' | '-' | '.' | ':' | '"' | "'" | '*' | '_' | '`' | '$' | '=' | '<' | '>' | '@' // Code and expressions. code ::= (expr (separator expr)* separator?)? separator ::= ';' | unicode(Newline) expr ::= literal | ident | block | group-expr | array-expr | dict-expr | unary-expr | binary-expr | field-access | func-call | method-call | func-expr | keyword-expr keyword-expr ::= let-expr | set-expr | show-expr | wrap-expr | if-expr | while-expr | for-expr | import-expr | include-expr | break-expr | continue-expr | return-expr // Literals. literal ::= 'none' | 'auto' | boolean | int | float | numeric | str boolean ::= 'false' | 'true' int ::= digit+ float ::= ((digit+ ('.' digit*)?) | ('.' digit+)) ('e' digit+)? numeric ::= float unit digit = '0' | ... | '9' unit = 'pt' | 'mm' | 'cm' | 'in' | 'deg' | 'rad' | 'em' | 'fr' | '%' str ::= '"' .* '"' // Identifiers. ident ::= (ident_start ident_continue*) - keyword ident_start ::= unicode(XID_Start) | '_' ident_continue ::= unicode(XID_Continue) | '_' | '-' keyword ::= 'none' | 'auto' | 'true' | 'false' | 'not' | 'and' | 'or' | 'let' | 'set' | 'show' | 'wrap' | 'if' | 'else' | 'for' | 'in' | 'as' | 'while' | 'break' | 'continue' | 'return' | 'import' | 'include' | 'from' // Blocks. block ::= code-block | content-block code-block ::= '{' code '}' content-block ::= '[' markup ']' // Groups and collections. group-expr ::= '(' expr ')' array-expr ::= '(' ((expr ',') | (expr (',' expr)+ ','?))? ')' dict-expr ::= '(' (':' | (pair (',' pair)* ','?)) ')' pair ::= (ident | str) ':' expr // Unary and binary expression. unary-expr ::= unary-op expr unary-op ::= '+' | '-' | 'not' binary-expr ::= expr binary-op expr binary-op ::= '+' | '-' | '*' | '/' | 'and' | 'or' | '==' | '!=' | '<' | '<=' | '>' | '>=' | '=' | 'in' | ('not' 'in') | '+=' | '-=' | '*=' | '/=' // Fields, functions, methods. field-access ::= expr '.' ident func-call ::= expr args method-call ::= expr '.' ident args args ::= ('(' (arg (',' arg)* ','?)? ')' content-block*) | content-block+ arg ::= (ident ':')? expr func-expr ::= (params | ident) '=>' expr params ::= '(' (param (',' param)* ','?)? ')' param ::= ident (':' expr)? // Keyword expressions. let-expr ::= 'let' ident params? '=' expr set-expr ::= 'set' expr args show-expr ::= 'show' (ident ':')? expr 'as' expr if-expr ::= 'if' expr block ('else' 'if' expr block)* ('else' block)? while-expr ::= 'while' expr block for-expr ::= 'for' for-pattern 'in' expr block for-pattern ::= ident | (ident ',' ident) import-expr ::= 'import' import-items 'from' expr import-items ::= '*' | (ident (',' ident)* ','?) include-expr ::= 'include' expr break-expr ::= 'break' continue-expr ::= 'continue' return-expr ::= 'return' expr? // Comments. comment = line-comment | block-comment line-comment = '//' (!unicode(Newline))* block-comment = '/*' (. | block-comment)* '*/' ```
https://github.com/lucannez64/Notes
https://raw.githubusercontent.com/lucannez64/Notes/master/Derivative.typ
typst
#import "template.typ": * // Take a look at the file `template.typ` in the file panel // to customize this template and discover how it works. #show: project.with( title: "Derivative", authors: ( "<NAME>", ), date: "30 Octobre, 2023", ) #set heading(numbering: "1.1.") = The Derivative <the-derivative> == Definition <definition> The Derivative is the rate of change of function f(x) with respect to an independent variable 'x'. It’s the slope of the tangent line at a point x $ frac(d f, d x) eq lim_(Delta x arrow.r 0) frac(f lr((x plus Delta x)) minus f lr((x)), Delta x) $ Example : $ f lr((x)) eq x^2 $ $ frac(d f, d x) eq lim_(Delta x arrow.r 0) frac(lr((x plus Delta x))^2 plus minus x^2, Delta x) $ $ lim_(Delta x arrow.r 0) frac(x^2 plus 2 x Delta x plus Delta x^2 minus x^2, Delta x) $ $ lim_(Delta x arrow.r 0) frac(2 x Delta x, Delta x) plus frac(Delta x^2, Delta x) $ $ lim_(Delta x arrow.r 0) 2 x plus Delta x $ $ lim_(Delta x arrow.r 0) 2 x $ Power law: derivative of $f lr((x)) eq x^n$ \= $n x^(n minus 1)$ Chain law: Two function f(x),g(x) $frac(d, d x) f lr((g lr((x)))) eq frac(d f, d x) lr((g lr((x)))) dot.basic frac(d g, d x) lr((x))$ $eq f prime lr((g lr((x)))) dot.basic g prime lr((x))$ Example: $f lr((x)) eq s i n lr((x))$ \ $g lr((x)) eq x^3$ \ $f lr((g lr((x)))) eq s i n lr((x^3))$ \ $f prime lr((g lr((x)))) eq 3 c o s lr((x^3)) x^2$ == Links <links> - #link("https://tutorial.math.lamar.edu/getfile.aspx?file=B,44,N")[Identities]
https://github.com/pedrofp4444/BD
https://raw.githubusercontent.com/pedrofp4444/BD/main/report/content/[4] Modelação Lógica/interrogações.typ
typst
#import "@preview/commute:0.2.0": node, arr, commutative-diagram #let interrogações = { [ == Validação do Modelo com Interrogações do Utilizador No âmbito do projeto, é fundamental garantir que o modelo lógico concebido satisfaz os requisitos de manipulação estabelecidos. Uma das formas de validação do modelo ocorre através da execução de consultas ou queries, neste caso, representadas em Álgebra Relacional. Esta abordagem permite comprovar se as operações de manipulação de dados permitem fornecer os dados previstos. Para cumprir este fim, apresentam-se de seguida sete expressões em Álgebra Relacional que refletem os sete requisitos de manipulação estabelecidos anteriormente: #block( breakable: false, above: 30pt, [ #underline[*Listar o prejuízo de um terreno:*] (Requisito 1, #link(<Tabela2>, "Tabela 2")) Para o exemplo do terreno de ID número 1. #linebreak() #figure( kind: image, caption: "Ilustração do primeiro diagrama de Álgebra Relacional.", gap: 20pt, align(center)[ #commutative-diagram( padding: 0pt, node-padding: (0pt, 30pt), node((0, 0), [Caso]), node((1, 0), [$pi_"Caso_ID, Terreno_ID, Estimativa_de_roubo"$]), node((2, 0), [$sigma_"Terreno_ID = 1"$]), node((3, 0), [$pi_"Caso_ID, Estimativa_de_roubo"$]), arr((0,0), (1,0), ""), arr((1,0), (2,0), ""), arr((2,0), (3,0), ""), ) ] ) #linebreak() Casos_total $arrow.l$ $pi$#sub[Caso_ID, Terreno_ID, Estimativa_de_roubo] (Casos) Caso_Terreno $arrow.l$ $sigma$#sub[Terreno_ID = 1] (Casos_total) $pi$#sub[Caso_ID, Estimativa_de_roubo] (Casos_Terreno) ]) #block( breakable: false, above: 30pt, [ #underline[*Ver quando é que um funcionário se tornou suspeito de um determinado caso:*] (Requisito 2, #link(<Tabela2>, "Tabela 2")) \ Para o exemplo do caso de ID número 1. #linebreak() #figure( kind: image, caption: "Ilustração do segundo diagrama de Álgebra Relacional.", gap: 20pt, align(center)[ #commutative-diagram( padding: 0pt, node-padding: (0pt, 30pt), node((0, 0), [Caso]), node((1, 0), [$sigma_"Caso_ID = 1"$]), node((2, 0), [$pi_"Data_de_abertura"$]), arr((0,0), (1,0), ""), arr((1,0), (2,0), ""), ) ] ) #linebreak() $pi$#sub[Data_de_abertura] ($sigma$#sub[Caso_ID = ID_Caso_Pretendido] (Caso)) ]) #block( breakable: false, above: 30pt, [ #underline[*Listar os suspeitos de um determinado caso:*] (Requisito 3, #link(<Tabela2>, "Tabela 2")) \ Para o exemplo do caso de ID número 1. #linebreak() #figure( kind: image, caption: "Ilustração do terceiro diagrama de Álgebra Relacional.", gap: 20pt, align(center)[ #commutative-diagram( padding: 0pt, node-padding: (0pt, 30pt), node((0, 0), [Suspeito]), node((1, 0), [$pi_"Caso_ID, Funcionário_ID"$]), node((2, 0), [$sigma$#sub[Caso_ID = 1]]), node((3, 0), [$pi_"Funcionário_ID"$]), arr((0,0), (1,0), ""), arr((1,0), (2,0), ""), arr((2,0), (3,0), ""), ) ] ) #linebreak() Suspeitos $arrow.l$ $pi$#sub[Caso_ID, Funcionário_ID] (Suspeitos) Suspeitos_Caso $arrow.l$ $sigma$#sub[Caso_ID = 1] (Suspeitos) $pi$ #sub[Funcionário_ID] (Suspeitos_Caso) ]) #block( breakable: false, [ #underline[*Ver a data do último caso de um determinado funcionário:*] (Requisito 4, #link(<Tabela2>, "Tabela 2")) \ Para o exemplo do funcionário de ID número 1. #linebreak() #figure( kind: image, caption: "Ilustração do quarto diagrama de Álgebra Relacional.", gap: 20pt, align(center)[ #commutative-diagram( padding: 0pt, node-padding: (0pt, 30pt), node((0, 0), [Suspeito]), node((0, 2), [Caso]), node((1, 0), [$sigma_"Funcionário_ID = 1"$]), node((2, 0), [$pi_"Caso_ID"$]), node((2, 2), [$pi_"Caso_ID, Data_de_abertura"$]), node((3, 1), [$join_"Caso_ID = Caso_ID"$]), node((4, 1), [$Gamma_"dec Data_de_abertura"$]), node((5, 1), [$sigma_1$]), arr((0,0), (1,0), ""), arr((1,0), (2,0), ""), arr((2,0), (3,1), ""), arr((0,2), (2,2), ""), arr((2,2), (3,1), ""), arr((3,1), (4,1), ""), arr((4,1), (5,1), ""), ) ] ) #linebreak() Suspeito $arrow.l$ $pi$#sub[Caso_ID] ($sigma$#sub[Funcionário_ID = 1] (Suspeito)) Caso $arrow.l$ $pi$#sub[Caso_ID, Data_de_abertura] Casos_Suspeito $arrow.l$ (Suspeito) $join$#sub[Caso_ID = Caso_ID] (Caso) $sigma$(1)$tau$#sub[dec Data_de_abertura] (Casos_Suspeitos) ]) #block( breakable: false, above: 30pt, [ #underline[*Listar os casos a que um determinado funcionário está associado:*] (Requisito 5, #link(<Tabela2>, "Tabela 2")) \ Para o exemplo do funcionário de ID número 1. #linebreak() #figure( kind: image, caption: "Ilustração do quinto diagrama de Álgebra Relacional.", gap: 20pt, align(center)[ #commutative-diagram( padding: 0pt, node-padding: (0pt, 30pt), node((0, 0), [Suspeito]), node((1, 0), [$sigma_"Funcionário_ID = 1"$]), node((2, 0), [$sigma_"Caso_ID"$]), arr((0,0), (1,0), ""), arr((1,0), (2,0), ""), ) ] ) #linebreak() $pi$#sub[Caso_ID] ($sigma$ #sub[Funcionário_ID = 1] (Suspeito)) ]) #block( breakable: false, above: 30pt, [ #underline[*Ver o dia em que mais casos foram abertos:*] (Requisito 6, #link(<Tabela2>, "Tabela 2")) \ #linebreak() #figure( kind: image, caption: "Ilustração do sexto diagrama de Álgebra Relacional.", gap: 20pt, align(center)[ #commutative-diagram( padding: 0pt, node-padding: (0pt, 30pt), node((0, 0), [$#sub[Quantidade_de_casos]$F$#sub[COUNT(Data_de_abertura), $pi$(Data_de_abertura)] ("Caso")$]), node((1, 0), [Caso]), node((2, 0), [$Gamma_"dec Quantidade_de_casos"$]), node((3, 0), [$sigma_1$]), arr((1,0), (2,0), ""), arr((2,0), (3,0), ""), ) ] ) #linebreak() #sub[Quantidade_Casos]$F$#sub[COUNT Data_de_abertura] (Caso) $pi$#sub[Data de abertura] ($sigma$(1)$tau$#sub[Quantidade_Casos_COUNT] (Quantidade_Casos)) ]) #block( breakable: false, above: 30pt, [ #underline[*Listar os top 5 funcionários por quantidade de casos:*] (Requisito 7, #link(<Tabela2>, "Tabela 2")) \ #linebreak() #figure( kind: image, caption: "Ilustração do sétimo diagrama de Álgebra Relacional.", gap: 20pt, align(center)[ #commutative-diagram( padding: 0pt, node-padding: (0pt, 30pt), node((0, 0), [$#sub[Quantidade_de_casos]$F$#sub[COUNT(Funcionário_ID), $pi$(Funcionário_ID)] ("Suspeito")$]), node((1, 0), [Quantidade_de_casos]), node((2, 0), [$tau$#sub[dec Quantidade_Casos] (Quantidade_Casos)]), node((3, 0), [$pi$#sub[Funcionário_ID]]), node((4, 0), [$sigma_5$]), arr((1,0), (2,0), ""), arr((2,0), (3,0), ""), arr((3,0), (4,0), ""), ) ] ) #linebreak() #sub[Quantidade_Casos]$F$#sub[COUNT Funcionário_ID] (Suspeito) $pi$#sub[Funcionário_ID] ($sigma$(5)$tau$#sub[dec Quantidade_Casos] (Quantidade_Casos)) ]) ] }
https://github.com/LDemetrios/Typst4k
https://raw.githubusercontent.com/LDemetrios/Typst4k/master/src/test/resources/suite/text/coma.typ
typst
--- coma --- // LARGE #set page(width: 450pt, margin: 1cm) *Technische Universität Berlin* #h(1fr) *WiSe 2019/2020* \ *Fakultät II, Institut for Mathematik* #h(1fr) Woche 3 \ Sekretariat MA \ Dr. <NAME> \ <NAME>, <NAME> #v(3mm) #align(center)[ #set par(leading: 3mm) #text(1.2em)[*3. Übungsblatt Computerorientierte Mathematik II*] \ *Abgabe: 03.05.2019* (bis 10:10 Uhr in MA 001) \ *Alle Antworten sind zu beweisen.* ] *1. Aufgabe* #h(1fr) (1 + 1 + 2 Punkte) Ein _Binärbaum_ ist ein Wurzelbaum, in dem jeder Knoten ≤ 2 Kinder hat. Die Tiefe eines Knotens _v_ ist die Länge des eindeutigen Weges von der Wurzel zu _v_, und die Höhe von _v_ ist die Länge eines längsten (absteigenden) Weges von _v_ zu einem Blatt. Die Höhe des Baumes ist die Höhe der Wurzel. #align(center, image("/assets/images/graph.png", width: 75%))
https://github.com/rdboyes/resume
https://raw.githubusercontent.com/rdboyes/resume/main/modules_zh/projects.typ
typst
// Imports #import "@preview/brilliant-cv:2.0.2": cvSection, cvEntry #let metadata = toml("../metadata.toml") #let cvSection = cvSection.with(metadata: metadata) #let cvEntry = cvEntry.with(metadata: metadata) #cvSection("项目与协会") #cvEntry( title: [志愿数据分析师], society: [ABC 非营利组织], date: [2019 - 现在], location: [纽约, NY], description: list( [分析捐赠者和筹款数据以识别增长的趋势和机会], [创建数据可视化和仪表板以向董事会传达洞见], [与其他志愿者合作开发和实施数据驱动的策略], [向董事会和高级管理团队提供定期的数据分析报告], ), )
https://github.com/Area-53-Robotics/53E-Notebook-Over-Under-2023-2024
https://raw.githubusercontent.com/Area-53-Robotics/53E-Notebook-Over-Under-2023-2024/giga-notebook/entries/kanban-board/entry.typ
typst
Creative Commons Attribution Share Alike 4.0 International
#import "/packages.typ": notebookinator #import notebookinator: * #import themes.radial.components: * #show: create-body-entry.with( title: "Kanban Board", type: "management", date: datetime(year: 2023, month: 9, day: 30), author: "<NAME>", witness: "<NAME>", ) Today we had a workshop presentation from one of the parents in our organization about project management. We talked about different types of methods for managing a project including waterfall and agile. Since our current workflow is very similar to agile we decided to make a kanban board to manage our team's progress. We broke up our tasks into one meeting increments and posted them as sticky notes on a whiteboard. #figure( caption: "The finished kanban board", image("./kanban-board.jpg", height: 50%), ) We sorted the sticky notes into the following categories: - Todo - Doing - Done The sticky note's color also has meaning: - Pink: high priority - Orange: medium priority - Yellow: low priority Overall this will improve the speed with which we get stuff done, and keep us more organized.
https://github.com/SkiFire13/master-thesis
https://raw.githubusercontent.com/SkiFire13/master-thesis/master/chapters/background/4-applications.typ
typst
#import "../../config/common.typ": * #import "@preview/cetz:0.2.2": canvas, draw == Applications In this section we discus two classical verification problems, model checking behavioral properties expressed in the $mu$-calculus and checking behavioral equivalence formalized as bisimilarity. We show that both can be seen as instances of the solution of a system of fixpoint equations. === $mu$-calculus <mucalculus-application> The $mu$-calculus is a propositional modal logic extended with support for least and greatest fixpoints. It was first introduced by <NAME> and <NAME> and later developed by <NAME> in @mucalculus. Its main use is to help describing properties of (labelled) transition systems to be verified. Consider a labelled transition system over a set of states $bb(S)$, a set of actions $Act$ and a set of transitions $-> #h(0.2em) subset.eq bb(S) times Act times bb(S)$ (usually written $s ->^a t$ to mean $(s, a, t) in #h(0.2em) ->$). Also, let $Prop$ be a set of propositions and $Var$ be a set of propositional variables. A $mu$-calculus formula for such system is defined inductively in the following way, where $A subset.eq Act$, $p in Prop$, $x in Var$ and $eta$ is either $mu$ or $nu$: $ phi, psi := tt | ff | p | x | phi or psi | phi and psi | boxx(A) phi | diam(A) phi | eta x. phi $ #example("lack of deadlocks")[ For example the liveness property, or lack of deadlocks, which expresses the fact that all reachable states can make at least one transition, can be expressed with the formula $nu x. diam(Act) tt and boxx(Act) x$. This can be read as requiring a state $s$ to be able to make at least one transition, that is it satisfies $diam(Act) tt$, and that after every single possible step transition the same property should hold, that is it satisfies $boxx(Act) x$, where $x$ is equivalent to the initial formula. Intuitively the fixpoint is extending the first requirement to any state reachable after a number of transitions. ] The semantics of a formula are given by the set of states that satisfy the formula in an environment. Given $rho : Prop union Var -> 2^bb(S)$, we define: #eq-columns( $ sem(tt)_rho &= bb(S) \ sem(ff)_rho &= varempty \ sem(p)_rho &= rho(p) \ sem(x)_rho &= rho(x) \ sem(phi or psi)_rho &= sem(phi)_rho union sem(psi)_rho \ sem(phi and psi)_rho &= sem(phi)_rho sect sem(psi)_rho #h(1.5em) $, $ sem(boxx(A) phi)_rho &= { s in bb(S) | forall a in A, t in bb(S). s ->^a t => t in sem(phi)_rho } \ sem(diam(A) phi)_rho &= { s in bb(S) | exists a in A, t in bb(S). s ->^a t and t in sem(phi)_rho } \ sem(mu x. phi)_rho &= mu X.sem(phi)_(rho[x := X]) = sect.big { S subset.eq bb(S) | sem(phi)_(rho[x := S]) subset.eq S } \ sem(nu x. phi)_rho &= nu X.sem(phi)_(rho[x := X]) = union.big { S subset.eq bb(S) | S subset.eq sem(phi)_(rho[x := S]) } \ $ ) We will thus say that a state $s$ satisfies a $mu$-calculus formula $phi$ if it is contained in its semantics, that is if $s in sem(phi)_rho_0$, where $rho_0$ is initially irrelevant for all $x in Var$ and with some fixed value for all $p in Prop$. Intuitively the $mu$ calculus enriches the common propositional logic with the modal operators $boxx(\_)$ and $diam(\_)$, often called respectively box and diamond, which require a formula to hold for respectively all or any state reachable by the current state through a transition with one of the given actions. On top of this fixpoints then allow to express recursive properties, that is properties that hold on a certain state and also on the states reached after certain sequences of transitions. This can be used for example to propagate some requirements across any number of transitions. It is possible to translate $mu$-calculus formulas into systems of fixpoint equations @baldan_games_full over $2^bb(S)$, the powerset lattice of its states. Such system can be obtained by extracting each fixpoint subformula into its own equation and replacing it with its variable, assuming that no variable is used in multiple fixpoints. Since the order of equations matter, outer fixpoints must appear later in the system of equations. It can be shown that each function in the system is monotone, and so it always admits a solution. #example[fixpoint equations for a $mu$-calculus formula][ For example the formula $mu x. diam(Act) x or (nu y. boxx(a) y and x)$ would be translated into the following system, where for simplicity we used formulas instead of their semantics: $ syseq( y &feq_nu boxx(a) y and x \ x &feq_mu diam(Act) x or y \ ) $ ] === Bisimilarity <bisimilarity-application> Bisimilarity @bisimilarity is a binary relation on states of a labelled transition system, where two states are in the relation if they are indistinguishable by only looking at some kind of behavior. We will focus on the strong bisimilarity $bisim$, where such behavior is identified with the possible transitions from a state. Bisimilarity is usually defined in terms of bisimulations, which are also binary relations on states. For the strong bisimilarity the associated bisimulations $R$ have the following requirement: #definition("bisimulation")[ Let $(bb(S), Act, ->)$ be a labelled transition system. A relation $R subset.eq bb(S) times bb(S)$ is a bisimulation if for all $s, t in bb(S)$ the following holds: $ (s, t) in R #h(2em) <=> #h(2em) cases( forall a\, s'. &s &&->^a s' &&=> exists t'. &&t &&->^a t' &&and (s', t') in R, forall a\, t'. &t &&->^a t' &&=> exists s'. &&s &&->^a s' &&and (s', t') in R ) $ ] Bisimilarity is then defined to be the largest bisimulation, that is the bisimulation that contains all other bisimulations, or equivalently the union of all bisimulations. #example("fixpoint equations for a bisimilarity problem")[ #let bisimilarity_example = canvas({ import draw: * set-style(content: (padding: .2), stroke: black) let node(pos, name, label) = { circle(pos, name: name, radius: 1em) content(pos, label) } let edge(ni, ai, nf, af, a, l, d) = { let pi = (name: ni, anchor: ai) let pf = (name: nf, anchor: af) let bname = ni + "-" + nf bezier(pi, pf, (pi, 50%, a, pf), name: bname, fill: none, mark: (end: ">")) content(bname + ".ctrl-0", l, anchor: d) } node((1, 0), "v0", $v_0$) node((0, -1.5), "v1", $v_1$) node((2, -1.5), "v2", $v_2$) node((1, -3), "v3", $v_3$) edge("v0", 200deg, "v1", 80deg, -20deg, $a$, "east") edge("v0", -20deg, "v2", 100deg, 20deg, $a$, "west") edge("v1", -80deg, "v3", 160deg, -20deg, $b$, "east") edge("v2", -100deg, "v3", 20deg, 20deg, $b$, "west") node((6, 0), "u0", $u_0$) node((6, -1.5), "u1", $u_1$) node((6, -3), "u2", $u_2$) edge("u0", -90deg, "u1", 90deg, 0deg, $a$, "west") edge("u1", -90deg, "u2", 90deg, 0deg, $b$, "west") }) #figure( bisimilarity_example, caption: [Example of a strong bisimilarity problem], ) <bisimilarity-example> Consider for example the two labelled transition systems given above in @bisimilarity-example. They are obviously different, but by only looking at the possible transitions it is impossible to distinguish $v_0$ from $u_0$, hence they are bisimilar. It is instead possible to distinguish $v_1$ from $u_0$, because the former can perform one transition with action $b$ while the latter can only perform a transition with action $a$, and thus they are not bisimilar. ] For our purposes however there is an alternative formulation based on a greatest fixpoint. We can in fact define the following function $F: 2^(bb(S) times bb(S)) -> 2^(bb(S) times bb(S))$ over the powersets of binary relations over between states: $ F(R) = { (s, t) in R | &(forall a, &&s'. s &&->^a s' &&=> exists t'. &&t &&->^a t' &&and (s', t') in R) \ and &(forall a, &&t'. t &&->^a t' &&=> exists s'. &&s &&->^a s' &&and (s', t') in R) } $ $F$ can be thought as "refining" a relation by ensuring that the bisimulation property holds for another step. This can be shown to be a monotonic operation, guaranteeing the existence of at least one fixpoint, including for our purposes the greatest fixpoint. Bisimulations can then be seen as the post-fixpoints of $F$, since for them the bisimulation property always holds after any amount of steps and thus no pair needs to be removed to make the property hold. Bisimilarity, being the greatest bisimulation, is thus the greatest fixpoint of $F$. $ bisim #h(0.3em) = nu R. F(R) $
https://github.com/AnsgarLichter/hka-thesis-template
https://raw.githubusercontent.com/AnsgarLichter/hka-thesis-template/main/abbreviations.typ
typst
#let abbreviations = ( ( key: "oidc", short: "OIDC", long: "Open ID Connect" ), )
https://github.com/kdog3682/typkit
https://raw.githubusercontent.com/kdog3682/typkit/main/0.1.0/src/fills.typ
typst
#let blue = blue #let red = red #let green = green #let purple = purple #let black = black #let gray = gray #let rotate = rotate
https://github.com/liuguangxi/suiji
https://raw.githubusercontent.com/liuguangxi/suiji/main/README.md
markdown
MIT License
# Suiji [Suiji](https://github.com/liuguangxi/suiji) (随机 in Chinese, /suíjī/, meaning random) is a high efficient random number generator in Typst. Partial algorithm is inherited from [GSL](https://www.gnu.org/software/gsl) and most APIs are similar to [NumPy Random Generator](https://numpy.org/doc/stable/reference/random/generator.html). It provides pure function implementation and does not rely on any global state variables, resulting in better performance and independency. ## Features - All functions are immutable, which means results of random are completely deterministic. - Core random engine chooses "Maximally equidistributed combined Tausworthe generator" and "LCG". - Generate random integers or floats from various distribution. - Randomly shuffle an array of objects. - Randomly sample from an array of objects. - Generate blind text of Simplified Chinese. ## Examples The example below uses `suiji` and `cetz` packages to create a trajectory of a random walk. ```typ #import "@preview/suiji:0.3.0": * #import "@preview/cetz:0.2.2" #set page(width: auto, height: auto, margin: 0.5cm) #cetz.canvas(length: 5pt, { import cetz.draw: * let n = 2000 let (x, y) = (0, 0) let (x-new, y-new) = (0, 0) let rng = gen-rng(42) let v = () for i in range(n) { (rng, v) = uniform(rng, low: -2.0, high: 2.0, size: 2) (x-new, y-new) = (x - v.at(1), y - v.at(0)) let col = color.mix((blue.transparentize(20%), 1-i/n), (green.transparentize(20%), i/n)) line(stroke: (paint: col, cap: "round", thickness: 2pt), (x, y), (x-new, y-new) ) (x, y) = (x-new, y-new) } }) ``` ![random-walk](./examples/random-walk.png) Another example is drawing the the famous **Matrix** rain effect of falling green characters in a terminal. ```typ #import "@preview/suiji:0.3.0": * #import "@preview/cetz:0.2.2" #set page(width: auto, height: auto, margin: 0pt) #cetz.canvas(length: 1pt, { import cetz.draw: * let font-size = 10 let num-col = 80 let num-row = 32 let text-len = 16 let seq = "abcdefghijklmnopqrstuvwxyz!@#$%^&*".split("").slice(1, 35).map(it => raw(it)) let rng = gen-rng(42) let num-cnt = 0 let val = 0 let chars = () rect((-10, -10), (font-size * (num-col - 1) * 0.6 + 10, font-size * (num-row - 1) + 10), fill: black) for c in range(num-col) { (rng, num-cnt) = integers(rng, low: 1, high: 3) for cnt in range(num-cnt) { (rng, val) = integers(rng, low: -10, high: num-row - 2) (rng, chars) = choice(rng, seq, size: text-len) for i in range(text-len) { let y = i + val if y >= 0 and y < num-row { let col = green.transparentize((i / text-len) * 100%) content( (c * font-size * 0.6, y * font-size), text(size: font-size * 1pt, fill:col, stroke: (text-len - i) * 0.04pt + col, chars.at(i)) ) } } } } }) ``` ![matrix-rain](./examples/matrix-rain.png) ## Usage Import `suiji` module first before use any random functions from it. ```typ #import "@preview/suiji:0.3.0": * ``` For functions that generate various random numbers or randomly shuffle, a random number generator object (**rng**) is required as both input and output arguments. And the original **rng** should be created by function `gen-rng`, with an integer as the argument of seed. This calling style seems to be a little inconvenient, as it is limited by the programming paradigm. For function `discrete`, the given probalilities of the discrete events should be preprocessed by function `discrete-preproc`, whose output serves as an input argument of `discrete`. Another set of functions with the same functionality provides higher performance (about 3 times faster) and has the suffix `-f` in their names. For example, `gen-rng-f` and `integers-f` are the fast versions of `gen-rng` and `integers`, respectively. The function `rand-sc` creates blind text of Simplified Chinese. This function yields a Chinese-like Lorem Ipsum blind text with the given number of words, where punctuations are optional. The code below generates several random permutations of 0 to 9. Each time after function `shuffle-f` is called, the value of variable `rng` is updated, so generated permutations are different. ```typ #{ let rng = gen-rng-f(42) let a = () for i in range(5) { (rng, a) = shuffle-f(rng, range(10)) [#(a.map(it => str(it)).join(" ")) \ ] } } ``` ![random-permutation](./examples/random-permutation.png) For more codes with these functions see [tests](./tests). ## Reference ### `gen-rng` / `gen-rng-f` Construct a new random number generator with a seed. ```typ #let gen-rng(seed) = {...} ``` - **Input Arguments** - `seed` : [`int`] value of seed. - **Output Arguments** - `rng` : [`object`] generated object of random number generator. ### `randi-f` Return a raw random integer from [0, 2^31). ```typ #let randi-f(rng) = {...} ``` - **Input Arguments** - `rng` : [`object` | `int`] object of random number generator (generated by function `*-f`). - **Output Arguments** - `rng-out` : [`object` | `int`] updated object of random number generator (random integer from the interval [0, 2^31-1]). ### `integers` / `integers-f` Return random integers from `low` (inclusive) to `high` (exclusive). ```typ #let integers(rng, low: 0, high: 100, size: none, endpoint: false) = {...} ``` - **Input Arguments** - `rng` : [`object`] object of random number generator. - `low` : [`int`] lowest (signed) integers to be drawn from the distribution, optional. - `high` : [`int`] one above the largest (signed) integer to be drawn from the distribution, optional. - `size` : [`none` or `int`] returned array size, must be none or non-negative integer, optional. - `endpoint` : [`bool`] if true, sample from the interval [`low`, `high`] instead of the default [`low`, `high`), optional. - **Output Arguments** - [`array`] : (`rng-out`, `arr-out`) - `rng-out` : [`object`] updated object of random number generator. - `arr-out` : [`int` | `array` of `int`] array of random numbers. ### `random` / `random-f` Return random floats in the half-open interval [0.0, 1.0). ```typ #let random(rng, size: none) = {...} ``` - **Input Arguments** - `rng` : [`object`] object of random number generator. - `size` : [`none` or `int`] returned array size, must be none or non-negative integer, optional. - **Output Arguments** - [`array`] : (`rng-out`, `arr-out`) - `rng-out` : [`object`] updated object of random number generator. - `arr-out` : [`float` | `array` of `float`] array of random numbers. ### `uniform` / `uniform-f` Draw samples from a uniform distribution. Samples are uniformly distributed over the half-open interval [`low`, `high`) (includes `low`, but excludes `high`). ```typ #let uniform(rng, low: 0.0, high: 1.0, size: none) = {...} ``` - **Input Arguments** - `rng` : [`object`] object of random number generator. - `low` : [`float`] lower boundary of the output interval, optional. - `high` : [`float`] upper boundary of the output interval, optional. - `size` : [`none` or `int`] returned array size, must be none or non-negative integer, optional. - **Output Arguments** - [`array`] : (`rng-out`, `arr-out`) - `rng-out` : [`object`] updated object of random number generator. - `arr-out` : [`float` | `array` of `float`] array of random numbers. ### `normal` / `normal-f` Draw random samples from a normal (Gaussian) distribution. ```typ #let normal(rng, loc: 0.0, scale: 1.0, size: none) = {...} ``` - **Input Arguments** - `rng` : [`object`] object of random number generator. - `loc` : [`float`] mean (centre) of the distribution, optional. - `scale` : [`float`] standard deviation (spread or width) of the distribution, must be non-negative, optional. - `size` : [`none` or `int`] returned array size, must be none or non-negative integer, optional. - **Output Arguments** - [`array`] : (`rng-out`, `arr-out`) - `rng-out` : [`object`] updated object of random number generator. - `arr-out` : [`float` | `array` of `float`] array of random numbers. ### `discrete-preproc` and `discrete` / `discrete-preproc-f` and `discrete-f` Return random indices from the given probalilities of the discrete events. ```typ #let discrete-preproc(p) = {...} ``` - **Input Arguments** - `p`: [`array` of `int` or `float`] the array of probalilities of the discrete events, probalilities must be non-negative. - **Output Arguments** - `g`: [`object`] generated object that contains the lookup table. ```typ #let discrete(rng, g, size: none) = {...} ``` - **Input Arguments** - `rng` : [`object`] object of random number generator. - `g` : [`object`] generated object that contains the lookup table by `discrete-preproc` function. - `size` : [`none` or `int`] returned array size, must be none or non-negative integer, optional. - **Output Arguments** - [`array`] : (`rng-out`, `arr-out`) - `rng-out` : [`object`] updated object of random number generator. - `arr-out` : [`int` | `array` of `int`] array of random indices. ### `shuffle` / `shuffle-f` Randomly shuffle a given array. ```typ #let shuffle(rng, arr) = {...} ``` - **Input Arguments** - `rng` : [`object`] object of random number generator. - `arr` : [`array`] the array to be shuffled. - **Output Arguments** - [`array`] : (`rng-out`, `arr-out`) - `rng-out` : [`object`] updated object of random number generator. - `arr-out` : [`array`] shuffled array. ### `choice` / `choice-f` Generate random samples from a given array. ```typ #let choice(rng, arr, size: none, replacement: true, permutation: true) = {...} ``` - **Input Arguments** - `rng` : [`object`] object of random number generator. - `arr` : [`array`] the array to be sampled. - `size` : [`none` or `int`] returned array size, must be none or non-negative integer, optional. - `replacement`: [`bool`] whether the sample is with or without replacement, optional; default is true, meaning that a value of `arr` can be selected multiple times. - `permutation`: [`bool`] whether the sample is permuted when sampling without replacement, optional; default is true, false provides a speedup. - **Output Arguments** - [`array`] : (`rng-out`, `arr-out`) - `rng-out` : [`object`] updated object of random number generator. - `arr-out` : [`array`] generated random samples. ### `rand-sc` Generate blind text of Simplified Chinese. ```typ #let rand-sc(words, seed: 42, punctuation: false, gap: 10) = {...} ``` - **Input Arguments** - `words` : [`int`] the length of the blind text in pure words. - `seed` : [`int`] value of seed, optional. - `punctuation` : [`bool`] if true, insert punctuations in generated words, optional. - `gap` : [`int`] average gap between punctuations, optional. - **Output Arguments** - [`str`] : generated blind text of Simplified Chinese.
https://github.com/OrangeX4/typst-cheq
https://raw.githubusercontent.com/OrangeX4/typst-cheq/main/README.md
markdown
MIT License
# Cheq Write markdown-like checklist easily. ## Usage Checklists are incredibly useful for keeping track of important items. We can use the cheq package to achieve checklist syntax similar to [GitHub Flavored Markdown](https://github.github.com/gfm/#task-list-items-extension-) and [Minimal](https://minimal.guide/checklists). ```typ #import "@preview/cheq:0.2.2": checklist #show: checklist = Solar System Exploration, 1950s – 1960s - [ ] Mercury - [x] Venus - [x] Earth (Orbit/Moon) - [x] Mars - [-] Jupiter - [/] Saturn - [ ] Uranus - [ ] Neptune - [ ] Comet Haley = Extras - [>] Forwarded - [<] Scheduling - [?] question - [!] important - [\*] star - ["] quote - [l] location - [b] bookmark - [i] information - [S] savings - [I] idea - [p] pros - [c] cons - [f] fire - [k] key - [w] win - [u] up - [d] down ``` ![Example](./examples/example.png) ## Custom Styles ```typ #import "@preview/cheq:0.2.2": checklist #show: checklist.with(fill: luma(95%), stroke: blue, radius: .2em) = Solar System Exploration, 1950s – 1960s - [ ] Mercury - [x] Venus - [x] Earth (Orbit/Moon) - [x] Mars - [-] Jupiter - [/] Saturn - [ ] Uranus - [ ] Neptune - [ ] Comet Haley #show: checklist.with(marker-map: (" ": sym.ballot, "x": sym.ballot.x, "-": sym.bar.h, "/": sym.slash.double)) = Solar System Exploration, 1950s – 1960s - [ ] Mercury - [x] Venus - [x] Earth (Orbit/Moon) - [x] Mars - [-] Jupiter - [/] Saturn - [ ] Uranus - [ ] Neptune - [ ] Comet Haley ``` ![Example](./examples/custom-styles.png) ## `checklist` function ```typ #let checklist( fill: white, stroke: rgb("#616161"), radius: .1em, marker-map: (:), body, ) = { .. } ``` **Arguments:** - `fill`: [`string`] &mdash; The fill color for the checklist marker. - `stroke`: [`string`] &mdash; The stroke color for the checklist marker. - `radius`: [`string`] &mdash; The radius of the checklist marker. - `marker-map`: [`map`] &mdash; The map of the checklist marker. It should be a map of character to symbol function, such as `(" ": sym.ballot, "x": sym.ballot.x, "-": sym.bar.h, "/": sym.slash.double)`. - `show-list-set-block`: [`dictionary`] - The configuration of the block in list. It should be a dictionary of `above` and `below` keys, such as `(above: .5em)`. - `body`: [`content`] &mdash; The main body from `#show: checklist` rule. The default map is: ```typ #let default-map = ( "x": checked-sym(fill: fill, stroke: stroke, radius: radius), " ": unchecked-sym(fill: fill, stroke: stroke, radius: radius), "/": incomplete-sym(fill: fill, stroke: stroke, radius: radius), "-": canceled-sym(fill: fill, stroke: stroke, radius: radius), ">": "➡", "<": "📆", "?": "❓", "!": "❗", "*": "⭐", "\"": "❝", "l": "📍", "b": "🔖", "i": "ℹ️", "S": "💰", "I": "💡", "p": "👍", "c": "👎", "f": "🔥", "k": "🔑", "w": "🏆", "u": "🔼", "d": "🔽", ) ``` ## `unchecked-sym` function ```typ #let unchecked-sym(fill: white, stroke: rgb("#616161"), radius: .1em) = { .. } ``` **Arguments:** - `fill`: [`string`] &mdash; The fill color for the unchecked symbol. - `stroke`: [`string`] &mdash; The stroke color for the unchecked symbol. - `radius`: [`string`] &mdash; The radius of the unchecked symbol. ## `checked-sym` function ```typ #let checked-sym(fill: white, stroke: rgb("#616161"), radius: .1em) = { .. } ``` **Arguments:** - `fill`: [`string`] &mdash; The fill color for the checked symbol. - `stroke`: [`string`] &mdash; The stroke color for the checked symbol. - `radius`: [`string`] &mdash; The radius of the checked symbol. ## `incomplete-sym` function ```typ #let incomplete-sym(fill: white, stroke: rgb("#616161"), radius: .1em) = { .. } ``` **Arguments:** - `fill`: [`string`] &mdash; The fill color for the incomplete symbol. - `stroke`: [`string`] &mdash; The stroke color for the incomplete symbol. - `radius`: [`string`] &mdash; The radius of the incomplete symbol. ## `canceled-sym` function ```typ #let canceled-sym(fill: white, stroke: rgb("#616161"), radius: .1em) = { .. } ``` **Arguments:** - `fill`: [`string`] &mdash; The fill color for the canceled symbol. - `stroke`: [`string`] &mdash; The stroke color for the canceled symbol. - `radius`: [`string`] &mdash; The radius of the canceled symbol. ## License This project is licensed under the MIT License.
https://github.com/loreanvictor/master-thesis
https://raw.githubusercontent.com/loreanvictor/master-thesis/main/common/math_utils.typ
typst
MIT License
#let dex = counter(label("Definition")) #let definition(content) = { dex.step() block( width: 100%, [ *Definition #dex.display()*. #content ] ) } #let pex = counter(label("Proposition")) #let proposition(content) = { pex.step() block( width: 100%, [ *Proposition #pex.display()*. #content ] ) } #let proved() = { text(dir: rtl, $square.filled$ + v(.2em)) } #let proof(content, inline: false) = { if not inline [ _Proof_. ] content proved() }
https://github.com/EpicEricEE/typst-plugins
https://raw.githubusercontent.com/EpicEricEE/typst-plugins/master/droplet/src/droplet.typ
typst
#import "extract.typ": extract #import "split.typ": split #import "util.typ": inline // Sets the font size so the resulting text height matches the given height. // // If not specified otherwise in "text-args", the top and bottom edge of the // resulting text element will be set to "bounds". If the given body does not // contain any text, the original body is returned with only the given // arguments applied. // // Parameters: // - height: The target height of the resulting text. // - threshold: The maximum difference between target and actual height. // - text-args: Arguments to be passed to the underlying text element. // - body: The content of the text element. // // Returns: The text with the set font size. #let sized(height, ..text-args, threshold: 0.1pt, body) = context { let styled-text = text.with( top-edge: "bounds", bottom-edge: "bounds", ..text-args.named(), body ) let size = height let font-height = measure(styled-text(size: size)).height // This should only take one iteration, but just in case... let i = 0 while font-height > 0pt and i < 100 and calc.abs(font-height - height) > threshold { size *= 1 + (height - font-height) / font-height font-height = measure(styled-text(size: size)).height i += 1 } return if i < 100 { styled-text(size: size) } else { // Font size calculation did not converge, as there is probably no text // that can be set to the given height. Return the original text instead, // with only the given arguments applied. text(..text-args.named(), body) } } // Resolves the given height to an absolute length. // // Height can be given as an integer, which is interpreted as the number of // lines, or as a length. // // Requires context. #let resolve-height(height) = { if type(height) == int { // Create dummy content to convert line count to height. let sample-lines = range(height).map(_ => [x]).join(linebreak()) measure(sample-lines).height } else { height.to-absolute() } } // Shows the first letter of the given content in a larger font. // // If the first letter is not given as a positional argument, it is extracted // from the content. The rest of the content is split into two pieces, where // one is positioned next to the dropped capital, and the other below it. // // Parameters: // - height: The height of the first letter. Can be given as the number of // lines (integer) or as a length. // - justify: Whether to justify the text next to the first letter. // - gap: The space between the first letter and the text. // - hanging-indent: The indent of lines after the first line. // - overhang: The amount by which the first letter should overhang into the // margin. Ratios are relative to the width of the first letter. // - depth: The minimum space below the first letter. Can be given as the // number of lines (integer) or as a length. // - transform: A function to be applied to the first letter. // - text-args: Named arguments to be passed to the underlying text element. // - body: The content to be shown. // // Returns: The content with the first letter shown in a larger font. #let dropcap( height: 2, justify: auto, gap: 0pt, hanging-indent: 0pt, overhang: 0pt, depth: 0pt, transform: none, ..text-args, body ) = layout(bounds => context { let (letter, rest) = if text-args.pos() == () { extract(body) } else { // First letter already given. (text-args.pos().first(), body) } if transform != none { letter = transform(letter) } let letter-height = resolve-height(height) let depth = resolve-height(depth) // Create dropcap with the height of sample content. let letter = box( height: letter-height + depth, sized(letter-height, letter, ..text-args.named()) ) let letter-width = measure(letter).width // Resolve overhang if given as percentage. let overhang = if type(overhang) == ratio { letter-width * overhang } else if type(overhang) == relative { letter-width * overhang.ratio + overhang.length } else { overhang } // Resolve justify if given as auto. let justify = if justify == auto { par.justify } else { justify } // Try to justify as many words as possible next to dropcap. let bounded = box.with(width: bounds.width - letter-width - gap + overhang) let index = 1 let top-position = 0pt let prev-height = 0pt let (first, second) = while true { let (first, second) = split(rest, index) let first = { set par(hanging-indent: hanging-indent, justify: justify) first } let height = measure(bounded(first)).height let new = split(first, -1).at(1) top-position = calc.max( top-position, height - measure(new).height - par.leading.to-absolute() ) if top-position >= letter-height + depth and height > prev-height { // Limit reached, new element doesn't fit anymore split(rest, index - 1) break } if second == none { // All content fits next to dropcap. (first, none) break } index += 1 prev-height = height } // Layout dropcap and aside text as grid. set par(justify: justify) let last-of-first-inline = inline(split(first, -1).at(1)) let first-of-second-inline = second != none and inline(split(second, 1).at(0)) let func = if last-of-first-inline { box } else { block } func(grid( column-gutter: gap, columns: (letter-width - overhang, 1fr), move(dx: -overhang, letter), { set par(hanging-indent: hanging-indent) first if last-of-first-inline and first-of-second-inline { linebreak(justify: justify) } } )) if func == box { linebreak() } second })
https://github.com/Anastasia-Labs/project-close-out-reports
https://raw.githubusercontent.com/Anastasia-Labs/project-close-out-reports/main/f10-production-grade-dapps-closeout-report/prod-grade-dapps-closeout.typ
typst
#let image-background = image("../images/Background-Carbon-Anastasia-Labs-01.jpg", height: 100%) #set page(background: image-background, paper :"a4", margin: (left : 20mm,right : 20mm,top : 40mm,bottom : 30mm) ) #set text(15pt, font: "Barlow") #v(3cm) #align(center)[#box(width: 75%, image("../images/Logo-Anastasia-Labs-V-Color02.png"))] #v(1cm) #set text(20pt, fill: white) #align(center)[#strong[PROJECT CLOSE-OUT REPORT]] #v(5cm) #set text(13pt, fill: white) #table( columns: 2, stroke: none, [*Project Number*], [: 1000010], [*Project manager*], [: <NAME>], [*Project Start Date*], [: Oct 8, 2023], [*Project Completion Date*], [: May 31,2024 ], ) #set text(fill: luma(0%)) #set page( background: none, header: [ #place(right, dy: 12pt)[#box(image(height: 75%,"../images/Logo-Anastasia-Labs-V-Color01.png"))] #line(length: 100%) ], header-ascent: 5%, footer: [ #set text(11pt) #line(length: 100%) #align(center)[*Anastasia Labs* \ Project Close-out Report] ], footer-descent: 20% ) #show link: underline #show outline.entry.where(level: 1): it => { v(12pt, weak: true) strong(it) } #counter(page).update(0) #v(100pt) #outline(depth:2, indent: 1em) #pagebreak() #set page( footer: [ #set text(11pt) #line(length: 100%) // Add a line above the footer #align(center)[*Anastasia Labs* \ Project Close-out Report] #place(right, dy:-7pt)[#counter(page).display("1/1", both: true)] ] ) #v(20pt) #show link: underline #set terms(separator: [: ],hanging-indent: 40pt) / Project Name : Anastasia Labs - Open Source Production Grade DApps #v(10pt) / URL : #link("https://projectcatalyst.io/funds/10/f10-developer-ecosystem-the-evolution/anastasia-labs-open-source-production-grade-dapps") #v(5pt) = List of KPIs == Challenge KPIs #v(5pt) - *Addressing the Scarcity : * Aimed at reducing the scarcity of openly available, production-level codebases, the project achieved its goal by providing a suite of five versatile, open-source smart contract libraries. These libraries are readily accessible and can be used as-is or customized with additional application-specific logic. - *Fostering Ecosystem Innovation :* The five smart contract libraries are a testament to best practices in smart contract design, testing and optimization. Designed with composability in mind, they serve as foundational blocks for building complex DApps. These libraries are ideal for teams aspiring to transition or start fresh in the Cardano ecosystem, streamlining the development process and fostering innovation within the ecosystem. - *Ensure Code Quality and Production-Ready Resources : * The challenge was to uphold high standards of code quality, adherence to best practices, and readiness for production, aimed at alleviating the pain points faced by developers. The quality of the smart contract libraries was assessed through comprehensive methods, including code reviews, unit testing and property-based testing. #v(10pt) == Project KPIs #v(15pt) - *Adoption Rate and Usage Metrics :* The important statistics of each project's GitHub activity can be found at the following links #link("https://github.com/Anastasia-Labs/bridge-template/pulse/monthly")[bridge-template], #link("https://github.com/Anastasia-Labs/linear-vesting/pulse/monthly")[linear-vesting], #link("https://github.com/Anastasia-Labs/plutarch-merkle-tree/pulse/monthly")[plutarch-merkle-trees], #link("https://github.com/Anastasia-Labs/yieldfarming/pulse/monthly")[yield-farming], #link("https://github.com/Anastasia-Labs/single-asset-staking/pulse")[single-asset-staking]. This includes all the key repositories of this proposal which are detailed in the extensive documentation found here #link("https://anastasia-labs.github.io/production-grade-dapps")[documentation]. - *Extensive Documentation :* Comprehensive documentation for each smart contract library, including detailed explanations of contract functionality, parameters, and usage, was provided. Detailed diagrams aid in understanding contract architecture and data flows.The document can be found #link("https://anastasia-labs.github.io/production-grade-dapps")[here]. #pagebreak() #v(40pt) = Key achievements #v(10pt) - All five smart contracts have been successfully made available on the Demeter platform, providing a user-friendly development environment to simplify the setup process for users. - Successful implementation of smart contracts, providing the Cardano developer community with production-ready resources and comprehensive documentation to help developers understand. #v(10pt) = Key learnings #v(20pt) - *Enhanced Understanding of Business Domains :* One of the key learnings was gaining a deeper insight into various business domains where these smart contract projects add significant value. This understanding allows for better alignment of technical solutions with business needs, ensuring that the developed smart contracts effectively address real-world challenges. #v(10pt) - *Improvements in Tooling and Documentation :* Another important learning was the recognition of the need for improved tooling and documentation. By enhancing the style and clarity of documentation, we facilitate easier onboarding for developers, making it simpler for them to understand and contribute to the projects. This improvement not only accelerates the development process but also promotes a more inclusive and collaborative environment. #v(10pt) = Next steps #v(10pt) - *Expand with New Production-Grade DApps :* Develop and release additional high-quality DApps to enhance the ecosystem. - *Increase Adoption :* Make these smart contracts available in various smart contract languages to reach a broader developer audience. - *Provide Developer Support:* Offer comprehensive support to developers, including documentation and community engagement, to facilitate the adoption and use of these smart contracts. #pagebreak() #v(40pt) = Final thoughts #v(20pt) The project successfully addressed a significant challenge within the Cardano ecosystem by creating five versatile, open-source smart contract libraries with comprehensive documentation, ensuring high code quality and adherence to best practices. These libraries, available on the Demeter platform, provide production-ready resources and a user-friendly development environment, streamlining the setup process and fostering innovation. Moving forward, the focus will be on expanding with new production-grade DApps and increasing adoption by supporting various smart contract languages. This initiative not only reduces redundant development efforts but also sets a new standard for open-source contributions in the Cardano ecosystem. #v(20pt) = Resources : #v(20pt) + #link("https://github.com/Anastasia-Labs/bridge-template")[GitHub Repository - Bridge-Template] + #link("hhttps://github.com/Anastasia-Labs/linear-vesting")[GitHub Repository - Linear-Vesting] + #link("https://github.com/Anastasia-Labs/plutarch-merkle-tree")[GitHub Repository - Plutarch Merkle Trees] + #link("https://github.com/Anastasia-Labs/yieldfarming")[GitHub Repository -Yield Farming] + #link("https://github.com/Anastasia-Labs/single-asset-staking")[GitHub Repository -Single Asset Staking ] + #link("https://anastasia-labs.github.io/production-grade-dapps")[Documentation] + #link("https://demeter.run/ports")[Smart Contracts on Demeter] #v(20pt) = Close-out Video : #link("https://www.loom.com/share/edbe02444de74baab114b76275fa1912?sid=4e2e9de3-65cc-46ae-9bc7-ba6f4934a74c")[Production Grade DApps - Closeout Video]
https://github.com/DaAlbrecht/lecture-notes
https://raw.githubusercontent.com/DaAlbrecht/lecture-notes/main/discrete_mathematics/glossary-of-mathematical-symbols.typ
typst
MIT License
= Glossary of Mathematical Symbols This is a glossary of the mathematical symbols used in this document. == Set Theory #table( columns: (auto,auto,2fr), align: (center,center,left), table.header( [Symbol], [Usage], [Interpretation] ), $emptyset$,${ }$,"The empty set", ${ }$,${a,b,c...}$,[A set containing elements $a$, $b$, and $c$ (and so on)], $bar.v$, ${a bar.v T(a)}$,[The set of all $a$ such that $T(a)$ is true], $:$,${a:T(a)}$,[The set of all $a$ such that $T(a)$ is true], ) == Set Operations #table( columns: (auto,auto,2fr), align: (center,center,left), table.header( [Symbol], [Usage], [Interpretation] ), $union$,${A union B}$,[The union of sets $A$ and $B$], $sect$,${A sect B}$,[The intersection of sets $A$ and $B$], $union.dot$,${A union.dot B}$,[Union of disjoint sets A and B], ) == Set Relations #table( columns: (auto,auto,2fr), align: (center,center,left), table.header( [Symbol], [Usage], [Interpretation] ), $in$,${a in A}$,[The element $a$ is in the set $A$], $in.not$,${a in.not A}$,[The element $a$ is not in the set $A$], $subset$,${A subset B}$,[The set $A$ is a subset of the set $B$], $subset.eq$,${A subset.eq B}$,[The set $A$ is a subset of or equal to the set $B$], $eq.not$,${A eq.not B}$,[The set $A$ is not equal to the set $B$], ) == Blackboard bold #table( columns: (auto,1fr), align: (center,left), table.header( [Symbol], [Interpretation] ), $NN$,"The set of natural numbers", $ZZ$,"The set of integers", $ZZ p $,[The set of integers where $p$ is a prime number], ) == Equality, equivalence and similarity #table( columns: (auto,auto,2fr), align: (center,center,left), table.header( [Symbol], [Usage], [Interpretation] ), $eq$,$a eq b$,[The elements $a$ and $b$ are equal], $eq.not$,$a eq.not b$,[The elements $a$ and $b$ are not equal], $equiv$,$a equiv b$,[The elements $a$ and $b$ are equivalent], $equiv.not$,$a equiv.not b$,[The elements $a$ and $b$ are not equivalent], ) #pagebreak() == Comparison #table( columns: (auto,auto,2fr), align: (center,center,left), table.header( [Symbol], [Usage], [Interpretation] ), $lt$,$a lt b$,[The element $a$ is less than $b$], $gt$,$a gt b$,[The element $a$ is greater than $b$], $lt.eq$,$a lt.eq b$,[The element $a$ is less than or equal to $b$], $gt.eq$,$a gt.eq b$,[The element $a$ is greater than or equal to $b$], ) == Divisibility #table( columns: (auto,auto,2fr), align: (center,center,left), table.header( [Symbol], [Usage], [Interpretation] ), $divides$,$a divides b$,[The element $a$ divides $b$], $divides.not$,$a divides.not b$,[The element $a$ does not divide $b$], ) == Relations #table( columns: (auto,auto,2fr), align: (center,center,left), table.header( [Symbol], [Usage], [Interpretation] ), $compose$,$R compose S$,[The composition of relations $R$ and $S$], $lt.eq$,$a lt.eq b$,[Order relation between elements $a$ and $b$], $tilde.basic$,$a tilde.basic b$,[Equivalence relation between elements $a$ and $b$], $bracket.l thin bracket.r$,$bracket.l a bracket.r$,[The equivalence class of element $a$], $space^(-1)$,$R^(-1)$,[The inverse of relation $R$], $space^+ $,$R^+ $,[The transitive closure of relation $R$], $space^*$,$R^*$,[The reflexive-transitive closure of relation $R$], ) == Logical Operators #table( columns: (auto,auto,2fr,1fr), align: (center,center,left,left), table.header( [Symbol], [Usage], [Interpretation], [Colloquially] ), $and$,$a and b$,[The logical conjunction of $a$ and $b$],[Both $a$ and $b$], $or$,$a or b$,[The logical disjunction of $a$ and $b$],[Either $a$ or $b$ or both], $not$,$not a$,[The logical negation of $a$],[Not $a$], $arrow.r.l.double$,$a arrow.r.l.double b$,[The logical implication from $a$ to $b$ and $b$ to $a$], [If $a$ then $b$ and if $b$ then $a$], $arrow.r.double$,$a arrow.r.double b$,[The logical implication from $a$ to $b$],[If $a$ then $b$], ) == Quantifiers #table( columns: (auto,auto,2fr), align: (center,center,left), table.header( [Symbol], [Usage], [Interpretation] ), $forall$,$forall a$,[For all elements $a$], $exists$,$exists a$,[There exists an element $a$], $exists !$,$exists ! a$,[There exists exactly one element $a$], $exists.not$,$exists.not a$,[There does not exist an element $a$], )
https://github.com/touying-typ/touying
https://raw.githubusercontent.com/touying-typ/touying/main/themes/university.typ
typst
MIT License
// University theme // Originally contributed by <NAME> - https://github.com/drupol #import "../src/exports.typ": * /// Default slide function for the presentation. /// /// - `config` is the configuration of the slide. You can use `config-xxx` to set the configuration of the slide. For more several configurations, you can use `utils.merge-dicts` to merge them. /// /// - `repeat` is the number of subslides. Default is `auto`,which means touying will automatically calculate the number of subslides. /// /// The `repeat` argument is necessary when you use `#slide(repeat: 3, self => [ .. ])` style code to create a slide. The callback-style `uncover` and `only` cannot be detected by touying automatically. /// /// - `setting` is the setting of the slide. You can use it to add some set/show rules for the slide. /// /// - `composer` is the composer of the slide. You can use it to set the layout of the slide. /// /// For example, `#slide(composer: (1fr, 2fr, 1fr))[A][B][C]` to split the slide into three parts. The first and the last parts will take 1/4 of the slide, and the second part will take 1/2 of the slide. /// /// If you pass a non-function value like `(1fr, 2fr, 1fr)`, it will be assumed to be the first argument of the `components.side-by-side` function. /// /// The `components.side-by-side` function is a simple wrapper of the `grid` function. It means you can use the `grid.cell(colspan: 2, ..)` to make the cell take 2 columns. /// /// For example, `#slide(composer: 2)[A][B][#grid.cell(colspan: 2)[Footer]]` will make the `Footer` cell take 2 columns. /// /// If you want to customize the composer, you can pass a function to the `composer` argument. The function should receive the contents of the slide and return the content of the slide, like `#slide(composer: grid.with(columns: 2))[A][B]`. /// /// - `..bodies` is the contents of the slide. You can call the `slide` function with syntax like `#slide[A][B][C]` to create a slide. #let slide( config: (:), repeat: auto, setting: body => body, composer: auto, ..bodies, ) = touying-slide-wrapper(self => { let header(self) = { set align(top) grid( rows: (auto, auto), row-gutter: 3mm, if self.store.progress-bar { components.progress-bar(height: 2pt, self.colors.primary, self.colors.tertiary) }, block( inset: (x: .5em), components.left-and-right( text(fill: self.colors.primary, weight: "bold", size: 1.2em, utils.call-or-display(self, self.store.header)), text(fill: self.colors.primary.lighten(65%), utils.call-or-display(self, self.store.header-right)), ), ), ) } let footer(self) = { set align(center + bottom) set text(size: .4em) { let cell(..args, it) = components.cell( ..args, inset: 1mm, align(horizon, text(fill: white, it)), ) show: block.with(width: 100%, height: auto) grid( columns: self.store.footer-columns, rows: 1.5em, cell(fill: self.colors.primary, utils.call-or-display(self, self.store.footer-a)), cell(fill: self.colors.secondary, utils.call-or-display(self, self.store.footer-b)), cell(fill: self.colors.tertiary, utils.call-or-display(self, self.store.footer-c)), ) } } let self = utils.merge-dicts( self, config-page( header: header, footer: footer, ), ) touying-slide(self: self, config: config, repeat: repeat, setting: setting, composer: composer, ..bodies) }) /// Title slide for the presentation. You should update the information in the `config-info` function. You can also pass the information directly to the `title-slide` function. /// /// Example: /// /// ```typst /// #show: university-theme.with( /// config-info( /// title: [Title], /// logo: emoji.school, /// ), /// ) /// /// #title-slide(subtitle: [Subtitle]) /// ``` /// /// - `extra` is the extra information of the slide. You can pass the extra information to the `title-slide` function. #let title-slide( extra: none, ..args, ) = touying-slide-wrapper(self => { let info = self.info + args.named() info.authors = { let authors = if "authors" in info { info.authors } else { info.author } if type(authors) == array { authors } else { (authors,) } } let body = { if info.logo != none { place(right, text(fill: self.colors.primary, info.logo)) } align( center + horizon, { block( inset: 0em, breakable: false, { text(size: 2em, fill: self.colors.primary, strong(info.title)) if info.subtitle != none { parbreak() text(size: 1.2em, fill: self.colors.primary, info.subtitle) } }, ) set text(size: .8em) grid( columns: (1fr,) * calc.min(info.authors.len(), 3), column-gutter: 1em, row-gutter: 1em, ..info.authors.map(author => text(fill: self.colors.neutral-darkest, author)) ) v(1em) if info.institution != none { parbreak() text(size: .9em, info.institution) } if info.date != none { parbreak() text(size: .8em, utils.display-info-date(self)) } }, ) } self = utils.merge-dicts( self, config-common(freeze-slide-counter: true), config-page(fill: self.colors.neutral-lightest), ) touying-slide(self: self, body) }) /// New section slide for the presentation. You can update it by updating the `new-section-slide-fn` argument for `config-common` function. /// /// Example: `config-common(new-section-slide-fn: new-section-slide.with(numbered: false))` /// /// - `level` is the level of the heading. /// /// - `numbered` is whether the heading is numbered. /// /// - `body` is the body of the section. It will be pass by touying automatically. #let new-section-slide(level: 1, numbered: true, body) = touying-slide-wrapper(self => { let slide-body = { set align(horizon) show: pad.with(20%) set text(size: 1.5em, fill: self.colors.primary, weight: "bold") stack( dir: ttb, spacing: .65em, utils.display-current-heading(level: level, numbered: numbered), block( height: 2pt, width: 100%, spacing: 0pt, components.progress-bar(height: 2pt, self.colors.primary, self.colors.primary-light), ), ) body } self = utils.merge-dicts( self, config-page(fill: self.colors.neutral-lightest), ) touying-slide(self: self, slide-body) }) /// Focus on some content. /// /// Example: `#focus-slide[Wake up!]` /// /// - `background-color` is the background color of the slide. Default is the primary color. /// /// - `background-img` is the background image of the slide. Default is none. #let focus-slide(background-color: none, background-img: none, body) = touying-slide-wrapper(self => { let background-color = if background-img == none and background-color == none { rgb(self.colors.primary) } else { background-color } let args = (:) if background-color != none { args.fill = background-color } if background-img != none { args.background = { set image(fit: "stretch", width: 100%, height: 100%) background-img } } self = utils.merge-dicts( self, config-common(freeze-slide-counter: true), config-page(margin: 1em, ..args), ) set text(fill: self.colors.neutral-lightest, weight: "bold", size: 2em) touying-slide(self: self, align(horizon, body)) }) // Create a slide where the provided content blocks are displayed in a grid and coloured in a checkerboard pattern without further decoration. You can configure the grid using the rows and `columns` keyword arguments (both default to none). It is determined in the following way: /// /// - If `columns` is an integer, create that many columns of width `1fr`. /// - If `columns` is `none`, create as many columns of width `1fr` as there are content blocks. /// - Otherwise assume that `columns` is an array of widths already, use that. /// - If `rows` is an integer, create that many rows of height `1fr`. /// - If `rows` is `none`, create that many rows of height `1fr` as are needed given the number of co/ -ntent blocks and columns. /// - Otherwise assume that `rows` is an array of heights already, use that. /// - Check that there are enough rows and columns to fit in all the content blocks. /// /// That means that `#matrix-slide[...][...]` stacks horizontally and `#matrix-slide(columns: 1)[...][...]` stacks vertically. #let matrix-slide(columns: none, rows: none, ..bodies) = touying-slide-wrapper(self => { self = utils.merge-dicts( self, config-common(freeze-slide-counter: true), config-page(margin: 0em), ) touying-slide(self: self, composer: components.checkerboard.with(columns: columns, rows: rows), ..bodies) }) /// Touying university theme. /// /// Example: /// /// ```typst /// #show: university-theme.with(aspect-ratio: "16-9", config-colors(primary: blue))` /// ``` /// /// - `aspect-ratio` is the aspect ratio of the slides. Default is `16-9`. /// /// - `progress-bar` is whether to show the progress bar. Default is `true`. /// /// - `header` is the header of the slides. Default is `utils.display-current-heading(level: 2)`. /// /// - `header-right` is the right part of the header. Default is `self.info.logo`. /// /// - `footer-columns` is the columns of the footer. Default is `(25%, 1fr, 25%)`. /// /// - `footer-a` is the left part of the footer. Default is `self.info.author`. /// /// - `footer-b` is the middle part of the footer. Default is `self.info.short-title` or `self.info.title`. /// /// - `footer-c` is the right part of the footer. Default is `self => h(1fr) + utils.display-info-date(self) + h(1fr) + context utils.slide-counter.display() + " / " + utils.last-slide-number + h(1fr)`. /// /// ---------------------------------------- /// /// The default colors: /// /// ```typ /// config-colors( /// primary: rgb("#04364A"), /// secondary: rgb("#176B87"), /// tertiary: rgb("#448C95"), /// neutral-lightest: rgb("#ffffff"), /// neutral-darkest: rgb("#000000"), /// ) /// ``` #let university-theme( aspect-ratio: "16-9", progress-bar: true, header: utils.display-current-heading(level: 2), header-right: self => utils.display-current-heading(level: 1) + h(.3em) + self.info.logo, footer-columns: (25%, 1fr, 25%), footer-a: self => self.info.author, footer-b: self => if self.info.short-title == auto { self.info.title } else { self.info.short-title }, footer-c: self => { h(1fr) utils.display-info-date(self) h(1fr) context utils.slide-counter.display() + " / " + utils.last-slide-number h(1fr) }, ..args, body, ) = { show: touying-slides.with( config-page( paper: "presentation-" + aspect-ratio, header-ascent: 0em, footer-descent: 0em, margin: (top: 2em, bottom: 1.25em, x: 2em), ), config-common( slide-fn: slide, new-section-slide-fn: new-section-slide, ), config-methods( init: (self: none, body) => { set text(fill: self.colors.neutral-darkest, size: 25pt) show heading: set text(fill: self.colors.primary) body }, alert: utils.alert-with-primary-color, ), config-colors( primary: rgb("#04364A"), secondary: rgb("#176B87"), tertiary: rgb("#448C95"), neutral-lightest: rgb("#ffffff"), neutral-darkest: rgb("#000000"), ), // save the variables for later use config-store( progress-bar: progress-bar, header: header, header-right: header-right, footer-columns: footer-columns, footer-a: footer-a, footer-b: footer-b, footer-c: footer-c, ), ..args, ) body }
https://github.com/zenor0/simple-neat-typst-cv
https://raw.githubusercontent.com/zenor0/simple-neat-typst-cv/master/cv/templates/cv.typ
typst
MIT License
#import "../utils/fonts.typ": font_lib, size_lib #import "../utils/set-cv.typ": set-cv #import "../utils/packages.typ": * #import "../utils/icons.typ": show-icon-text, set-up-icon // icon set-up #let cv-conf( name: "zenor0", intention: "求职意向", photo: "../assets/photo_example.jpg", wechat: "zenor0", phone: "12345678910", email: ("<EMAIL>", "<EMAIL>"), website: "zenor0.site", github: "github.com/zenor0", hobby: "音乐, 摄影", skills: (), doc, ) = { show: set-cv.with() let head(title) = { let prefix = "//" text(weight: "black", size: 10pt)[\/\/ #title] v(-8pt) line(length: 100%, stroke: (thickness: 0.5pt, paint: rgb("#0000002f"))) } let info_block(title, content) = { par(leading: 0.8em)[ #text(weight: "black", size: 8pt)[#title \ ] #if type(content) == str { text(size: 7pt)[#content \ ] } else { for c in content { text(size: 7pt)[#c \ ] } } ] } let info() = { show par: set block(spacing: 11pt) if wechat != none { info_block(show-icon-text("../assets/icons/wechat.svg", "微信"), wechat) } if phone != none { info_block(show-icon-text("../assets/icons/phone.svg", "手机"), phone) } if email != none { info_block(show-icon-text("../assets/icons/mail.svg", "Email"), email) } if website != none { info_block(show-icon-text("../assets/icons/web-page.svg", "个人网站"), website) } if github != none { info_block(show-icon-text("../assets/icons/github _github.svg", "Github"), github) } if hobby != none { info_block(show-icon-text("../assets/icons/oval-love-two.svg", "兴趣爱好"), hobby) } } let show-skill(title: none, content: none) = { text(weight: "black", size: 8pt)[#title \ ] v(-5pt) set par(justify: false) text(size: 7pt)[#content \ ] } let show-skills(skills) = { show: doc => set-up-icon(doc) show par: set block(spacing: 1.5em) set par(leading: 1em) if skills.len() != 0 { head("个人技能") for skill in skills { show-skill(..skill) } } } let bio(name, intention, wechat, phone, email, website, github, habit, skills) = { grid( rows: (4cm, 1.5cm, 1fr), align: (right), gutter: 5pt, rect(stroke: none)[#image(photo)], rect(stroke: none, width: 88pt)[ #set align(center) #text(weight: "black", size: 14pt)[#name] #v(-5pt) #text(size: 7pt)[#intention] ], rect(stroke: none)[ #head("个人信息") #info() #v(1em) #show-skills(skills) ] ) } grid( columns: (1fr, 4fr), gutter: 5pt, rect(inset: 8pt, fill: rgb("#0000000F"), radius: 2pt)[ #bio(name, intention, wechat, phone, email, website, github, hobby, skills) ], rect(fill: rgb(255, 255, 255, 0))[#set-up-icon(doc)], ) } #show: cv-conf.with( )
https://github.com/LugsoIn2/typst-htwg-thesis-template
https://raw.githubusercontent.com/LugsoIn2/typst-htwg-thesis-template/main/README.md
markdown
MIT License
# HTWG-Konstanz CI - Typst Template für die Bachelor / Master Thesis ## How to use 1. Put your Thesis metadata to main.typ 2. Customise the template settings in the main.typ 3. Include your chapters in the main.typ [**Example physicalPrint pdf export**](docs/example-physicalPrint-main.pdf) [**Example digital pdf export**](docs/example-digital-main.pdf) (without empty pages) ## Translations > [!NOTE] > The declaration of honour is not translated into English. If the template is configured with ``` lang: "en" ```, it remains in German. > > The texts to change are located in the lib/textTemplate.typ file. ## Typst Links - [typst Website and WebApp](https://typst.app/) - [typst docs](https://typst.app/docs/) - [typst github](https://github.com/typst/typst) ## Typst and VSCode - [typst extension: Typst LSP (inofficial)](https://marketplace.visualstudio.com/items?itemName=nvarner.typst-lsp) - [typst extension with preview: Tinymist Typst (inofficial)](https://marketplace.visualstudio.com/items?itemName=myriad-dreamin.tinymist)
https://github.com/jgm/typst-hs
https://raw.githubusercontent.com/jgm/typst-hs/main/test/typ/layout/list-marker-00.typ
typst
Other
// Test en-dash. #set list(marker: [--]) - A - B
https://github.com/MultisampledNight/flow
https://raw.githubusercontent.com/MultisampledNight/flow/main/src/util.typ
typst
MIT License
#import "palette.typ": * #let separator = line( length: 100%, stroke: gamut.sample(25%), ) + v(-0.5em)
https://github.com/duwenba/typst-pkgs
https://raw.githubusercontent.com/duwenba/typst-pkgs/master/packages/local/PPT模板/0.1.0/lib.typ
typst
#import "@preview/touying:0.4.2": * #set text(lang: "zh") // Themes: default, simple, metropolis, dewdrop, university, aqua #let s = themes.aqua.register(aspect-ratio: "16-9") #let s = (s.methods.info)( self: s, title: [系泊系统设计], subtitle: [Subtitle], author: [杜文霸], date: datetime.today(), institution: [Institution], ) #let (init, slides, touying-outline, alert, speaker-note) = utils.methods(s) #show: init #show strong: alert #let (slide, empty-slide, title-slide, focus-slide) = utils.slides(s) #show: slides
https://github.com/Floffah/documents
https://raw.githubusercontent.com/Floffah/documents/main/main.typ
typst
MIT License
#import "lib/template.typ": * #show: project.with( title: "Title", logo: "../images/napier.png", authors: ( (name: "", affiliation: ""), ), date: "March 20, 2024", formal: true, figure-index: ( enabled: true ) )
https://github.com/hekzam/test
https://raw.githubusercontent.com/hekzam/test/main/style.typ
typst
//todo! #let qr_code_size = 50pt
https://github.com/gabrielrovesti/UniPD-Swiss-Knife-Notes-Slides
https://raw.githubusercontent.com/gabrielrovesti/UniPD-Swiss-Knife-Notes-Slides/main/Notes/Typst/main.typ
typst
MIT License
#import "unipd-doc.typ": * #counter(page).update(0) #show: unipd-doc( title: [Title], subtitle: [Subtitle], author: [X Y], date: [Date], ) = Heading #lorem(50) #set align(center) ciao #set align(left) #link("https://www.google.com")[here] == Heading 2 #lorem(30) #lorem(20) === A list - A list of items - Custom bullets - For indented items // Figure example // #figure( // image("glacier.jpg", width: 80%), // caption: [A curious figure.], // ) <glacier> // Table example #set align(center) #set table( stroke: none, gutter: 0.2em, fill: (x, y) => if x == 0 or y == 0 { gray }, inset: (right: 1.5em), ) #show table.cell: it => { if it.x == 0 or it.y == 0 { set text(white) strong(it) } else if it.body == [] { pad(..it.inset)[/] } else { it } } #let a = table.cell( fill: green.lighten(60%), )[A] #let b = table.cell( fill: aqua.lighten(60%), )[B] #table( columns: 4, stroke: 1pt + black, align: center, [], [Exam 1], [Exam 2], [Exam 3], [John], [/], [A], [/], [Mary], [/], [A], [A], [Robert], [B], [A], [B], ) #set align(left) ```java // Code example ```
https://github.com/catppuccin/typst
https://raw.githubusercontent.com/catppuccin/typst/main/src/tidy/styles.typ
typst
MIT License
#import "../catppuccin.typ": themes, get-palette #import "../utils.typ": dict-at #import "@preview/tidy:0.3.0" #import "@preview/tidy:0.3.0": utilities /// A style that can be used to generate documentation using #link("https://typst.app/universe/package/tidy")[Tidy] for the Catppuccino theme. The returned dictionary is a tidy styles dictionary with some additional keys, most importantly `ctp-palette` whose value is the associated #show-type("flavor"). /// /// - theme (string): The name of the theme to use. /// -> dictionary #let get-tidy-colors(theme: themes.mocha) = { let palette = get-palette(theme) let function-name-color = palette.colors.blue.rgb let rainbow-map = ( (palette.colors.sky.rgb, 0%), (palette.colors.green.rgb, 33%), (palette.colors.yellow.rgb, 66%), (palette.colors.red.rgb, 100%), ) let gradient-for-color-types = gradient.linear(angle: 7deg, ..rainbow-map) let default-type-color = palette.colors.overlay2.rgb let colors = ( "ctp-palette": palette, "flavor": palette.colors.pink.rgb, "default": default-type-color, "content": palette.colors.teal.rgb, "string": palette.colors.green.rgb, "str": palette.colors.green.rgb, "none": palette.colors.mauve.rgb, "auto": palette.colors.mauve.rgb, "boolean": palette.colors.yellow.rgb, "integer": palette.colors.peach.rgb, "int": palette.colors.peach.rgb, "float": palette.colors.peach.rgb, "ratio": palette.colors.peach.rgb, "length": palette.colors.peach.rgb, "angle": palette.colors.peach.rgb, "relative length": palette.colors.peach.rgb, "relative": palette.colors.peach.rgb, "fraction": palette.colors.peach.rgb, "symbol": palette.colors.red.rgb, "array": palette.colors.yellow.rgb, "dictionary": palette.colors.yellow.rgb, "arguments": palette.colors.maroon.rgb, "selector": palette.colors.red.rgb, "module": palette.colors.yellow.rgb, "stroke": default-type-color, "version": palette.colors.blue.rgb, "function": palette.colors.blue.rgb, "color": gradient-for-color-types, "gradient": gradient-for-color-types, "signature-func-name": palette.colors.blue.rgb, ) colors } #let show-outline(module-doc, style-args: (:)) = { let prefix = module-doc.label-prefix let gen-entry(name) = { if "enable-cross-references" in style-args and style-args.enable-cross-references { link(label(prefix + name), name) } else { name } } if module-doc.functions.len() > 0 { list(..module-doc.functions.map(fn => gen-entry(fn.name + "()"))) } if module-doc.variables.len() > 0 { text([Variables:], weight: "bold") list(..module-doc.variables.map(var => gen-entry(var.name))) } } #let show-type(type, style-args: (:)) = { h(2pt) let clr = style-args.colors.at(type, default: style-args.colors.at("default")) let text-fill = dict-at(style-args.colors, "ctp-palette", "colors", "base", "rgb") box(outset: 2pt, fill: clr, radius: 2pt, text(fill: text-fill, raw(type, lang: none))) h(2pt) } #let show-parameter-list(fn, style-args: (:)) = { pad( x: 10pt, { set text(font: ("DejaVu Sans Mono"), size: 0.85em, weight: 340) text(fn.name, fill: style-args.colors.at("signature-func-name")) "(" let inline-args = fn.args.len() < 2 if not inline-args { "\n " } let items = () let args = fn.args for (arg-name, info) in fn.args { if style-args.omit-private-parameters and arg-name.starts-with("_") { continue } let types if "types" in info { types = ": " + info.types.map(x => show-type(x, style-args: style-args)).join(" ") } items.push(arg-name + types) } items.join(if inline-args { ", " } else { ",\n " }) if not inline-args { "\n" } + ")" if fn.return-types != none { " -> " fn.return-types.map(x => show-type(x, style-args: style-args)).join(" ") } }, ) } // Create a parameter description block, containing name, type, description and optionally the default value. #let show-parameter-block( name, types, content, style-args, show-default: false, default: none, ) = block( inset: 10pt, radius: 3pt, fill: style-args.colors.ctp-palette.colors.mantle.rgb, width: 100%, breakable: style-args.break-param-descriptions, [ #box(heading(level: style-args.first-heading-level + 3, name)) #h(1.2em) #types.map(x => (style-args.style.show-type)(x, style-args: style-args)).join([ #text("or", size: .6em) ]) #content #if show-default [ #parbreak() #style-args.local-names.default: #raw(lang: "typc", default) ] ], ) #let show-function( fn, style-args, ) = { if style-args.colors == auto { style-args.colors = colors } if style-args.enable-cross-references [ #heading(fn.name, level: style-args.first-heading-level + 1) #label(style-args.label-prefix + fn.name + "()") ] else [ #heading(fn.name, level: style-args.first-heading-level + 1) ] utilities.eval-docstring(fn.description, style-args) block( breakable: style-args.break-param-descriptions, { heading(style-args.local-names.parameters, level: style-args.first-heading-level + 2) (style-args.style.show-parameter-list)(fn, style-args: style-args) }, ) for (name, info) in fn.args { if style-args.omit-private-parameters and name.starts-with("_") { continue } let types = info.at("types", default: ()) let description = info.at("description", default: "") if description == "" and style-args.omit-empty-param-descriptions { continue } (style-args.style.show-parameter-block)( name, types, utilities.eval-docstring(description, style-args), style-args, show-default: "default" in info, default: info.at("default", default: none), ) } v(2em, weak: true) } #let show-variable( var, style-args, ) = { if style-args.colors == auto { style-args.colors = colors } let type = if "type" not in var { none } else { show-type(var.type, style-args: style-args) } stack( dir: ltr, spacing: 1.2em, if style-args.enable-cross-references [ #heading(var.name, level: style-args.first-heading-level + 1) #label(style-args.label-prefix + var.name) ] else [ #heading(var.name, level: style-args.first-heading-level + 1) ], type, ) utilities.eval-docstring(var.description, style-args) v(2em, weak: true) } #let show-reference(label, name, style-args: none) = { link(label, raw(name, lang: none)) } // This function is temporarily used until the resolution of: // https://github.com/Mc-Zen/tidy/issues/27 #let temp-tidy-show-example( code, dir: ltr, scope: (:), preamble: "", ratio: 1, scale-preview: auto, mode: "code", inherited-scope: (:), code-block: block, preview-block: block, col-spacing: 5pt, ..options, ) = { set raw(block: true) let lang = if code.has("lang") { code.lang } else { "typc" } if lang == "typ" { mode = "markup" } if mode == "markup" and not code.has("lang") { lang = "typ" } set raw(lang: lang) if code.has("block") and code.block == false { code = raw(code.text, lang: lang, block: true) } let preview = [#eval(preamble + code.text, mode: mode, scope: scope + inherited-scope)] let preview-outer-padding = 5pt let preview-inner-padding = 5pt layout(size => style(styles => { let code-width let preview-width if dir.axis() == "vertical" { code-width = size.width preview-width = size.width } else { code-width = ratio / (ratio + 1) * size.width - 0.5 * col-spacing preview-width = size.width - code-width - col-spacing } let available-preview-width = preview-width - 2 * (preview-outer-padding + preview-inner-padding) let preview-size let scale-preview = scale-preview if scale-preview == auto { preview-size = measure(preview, styles) assert( preview-size.width != 0pt, message: "The code example has a relative width. Please set `scale-preview` to a fixed ratio, e.g., `100%`", ) scale-preview = calc.min(1, available-preview-width / preview-size.width) * 100% } else { preview-size = measure(block(preview, width: available-preview-width / (scale-preview / 100%)), styles) } set par(hanging-indent: 0pt) // this messes up some stuff in case someone sets it // We first measure this thing (code + preview) to find out which of the two has // the larger height. Then we can just set the height for both boxes. let arrangement( width: 100%, height: auto, ) = block( width: width, inset: 0pt, outset: 0pt, stack( dir: dir, spacing: col-spacing, code-block( width: code-width, height: height, inset: 5pt, { // set text(size: .9em) align(left, code) }, ), preview-block( height: height, width: preview-width, inset: preview-outer-padding, box( width: 100%, height: if height == auto { auto } else { height - 2 * preview-outer-padding }, // fill: white, inset: preview-inner-padding, box( inset: 0pt, width: preview-size.width * (scale-preview / 100%), height: preview-size.height * (scale-preview / 100%), place( scale( scale-preview, origin: top + left, block(preview, height: preview-size.height, width: preview-size.width), ), ), )), ), ), ) let height = if dir.axis() == "vertical" { auto } else { measure(arrangement(width: size.width), styles).height } arrangement(height: height) })) } #let show-example( ..args, ) = { // tidy // .show-example // .show-example( // ..args, // // code-block: block.with(radius: 3pt, stroke: .5pt + luma(200)), // preview-block: block.with(radius: 3pt, fill: none), // col-spacing: 5pt, // ) temp-tidy-show-example( ..args, col-spacing: 2cm, ) }
https://github.com/schmidma/typst-workshop
https://raw.githubusercontent.com/schmidma/typst-workshop/main/examples/03-markup.typ
typst
Creative Commons Zero v1.0 Universal
Okay, let's move to _emphasis_ and *bold* text. Markup syntax is generally similar to `AsciiDoc` (this was `raw` for mono space text!) ... and even "smart quotes" :)
https://github.com/mitsuyukiLab/grad_thesis_typst
https://raw.githubusercontent.com/mitsuyukiLab/grad_thesis_typst/main/contents/related_study.typ
typst
= 関連研究 <related_study> == 〇〇に関する関連研究 <related_study_on_aaa> あれもこれもある == ××に関する関連研究 <related_study_on_bbb> あれもこれもある == 本研究の位置づけ <contribution_of_this_study> 本研究の新規性は・・・。
https://github.com/voxell-tech/velyst
https://raw.githubusercontent.com/voxell-tech/velyst/main/assets/typst/hello_world.typ
typst
Apache License 2.0
#import "styles/monokai_pro.typ": * #set page( width: auto, height: auto, fill: black, margin: 0pt, ) #let PI = 3.142 #let main( width, height, animate: 0.0, ) = { let width = (width * 1pt) let height = (height * 1pt) box( width: width, height: height, )[ #set text(size: 48pt, fill: base7) #place(center, dy: 20%)[= Wave] #let wave_height = 10% #place(center + bottom)[ #polygon( fill: blue.transparentize(94%), stroke: blue, (0%, 0%), (0%, (calc.sin(animate) * wave_height) + -50%), (10%, (calc.sin(animate + PI * 0.1) * wave_height) + -50%), (20%, (calc.sin(animate + PI * 0.2) * wave_height) + -50%), (30%, (calc.sin(animate + PI * 0.3) * wave_height) + -50%), (40%, (calc.sin(animate + PI * 0.4) * wave_height) + -50%), (50%, (calc.sin(animate + PI * 0.5) * wave_height) + -50%), (60%, (calc.sin(animate + PI * 0.6) * wave_height) + -50%), (70%, (calc.sin(animate + PI * 0.7) * wave_height) + -50%), (80%, (calc.sin(animate + PI * 0.8) * wave_height) + -50%), (90%, (calc.sin(animate + PI * 0.9) * wave_height) + -50%), (100%, (calc.sin(animate + PI) * wave_height) + -50%), (100%, 0%), ) ] #place(center + bottom)[ #polygon( fill: red.transparentize(94%), stroke: red, (0%, 0%), (0%, (calc.cos(animate) * wave_height) + -50%), (10%, (calc.cos(animate + PI * 0.1) * wave_height) + -50%), (20%, (calc.cos(animate + PI * 0.2) * wave_height) + -50%), (30%, (calc.cos(animate + PI * 0.3) * wave_height) + -50%), (40%, (calc.cos(animate + PI * 0.4) * wave_height) + -50%), (50%, (calc.cos(animate + PI * 0.5) * wave_height) + -50%), (60%, (calc.cos(animate + PI * 0.6) * wave_height) + -50%), (70%, (calc.cos(animate + PI * 0.7) * wave_height) + -50%), (80%, (calc.cos(animate + PI * 0.8) * wave_height) + -50%), (90%, (calc.cos(animate + PI * 0.9) * wave_height) + -50%), (100%, (calc.cos(animate + PI) * wave_height) + -50%), (100%, 0%), ) ] ] }
https://github.com/rinmyo/titech-thm
https://raw.githubusercontent.com/rinmyo/titech-thm/main/example-jp.typ
typst
Other
#import "template.typ": * #show: project.with( authors: ((affiliation: "所属など", name: "氏名氏名氏名"),), lang: "jp", //"jp" for japnese, "en" for english. thanks page will be changed perspectively title: [タイトルタイトルタイトル\ タイトルタイトルタイトル], subtitle: "開催日時、場所、サブタイトル等", date: "April 2023", aspect-ratio: "4-3", ) #slide(theme-variant: "title slide") #new-section("Introduction") #slide(title: "流れ")[ + 一番目 + 二番目 + 三番目 ] #slide(title: "数式テスト")[ $ a^2 + b^2 = c^2 $ $sqrt(2) eq.not 1.414$ ] #set math.equation(numbering: "(1)") #slide(theme-variant: "thanks")
https://github.com/typst-tud/tud-slides
https://raw.githubusercontent.com/typst-tud/tud-slides/main/colors.typ
typst
Apache License 2.0
// Corporate Design colors of TU Dresden // primary color #let cddarkblue = cmyk(100%, 70%, 10%, 50%) // HKS41 #let blue = cddarkblue // secondary color #let cdgray = cmyk(10%, 0%, 5%, 65%) // HKS92 #let cdgrey = cdgray // distinction color 1. category #let cdblue = cmyk(100%, 50%, 0%, 0%) // HKS44 #let cdcyan = cmyk(100%, 0%, 0%, 0%) // distinction color 2. category #let cdgreen = cmyk(65%, 0%, 100%, 0%) #let green = cdgreen #let cddarkgreen = cmyk(90%, 17%, 100%, 5%) #let cdpurple = cmyk(50%, 100%, 0%, 0%) #let cddarkpurple = cmyk(80%, 90%, 0%, 0%) #let cdorange = cmyk(0%, 60%, 100%, 0%) // TUD-Web-Interface colors #let cdwebblue = rgb("#002557") #let cdwebred = rgb("#b51c1c") #let red = cdwebred #let cdlightwebred = rgb("#dd2727") // 90% of cdwebred #let cdwhite = rgb("#ffffff")
https://github.com/RaphGL/ElectronicsFromBasics
https://raw.githubusercontent.com/RaphGL/ElectronicsFromBasics/main/DC/chap5/4_conductance.typ
typst
Other
#import "../../core/core.typ" === Conductance When students first see the parallel resistance equation, the natural question to ask is, \"Where did #emph[that] thing come from?\" It is truly an odd piece of arithmetic, and its origin deserves a good explanation. Resistance, by definition, is the measure of #emph[friction] a component presents to the flow of electrons through it. Resistance is symbolized by the capital letter \"R\" and is measured in the unit of \"ohm.\" However, we can also think of this electrical property in terms of its inverse: how #emph[easy] it is for electrons to flow through a component, rather than how #emph[difficult]. If #emph[resistance] is the word we use to symbolize the measure of how difficult it is for electrons to flow, then a good word to express how easy it is for electrons to flow would be #emph[conductance]. Mathematically, conductance is the reciprocal, or inverse, of resistance: $ "Conductance" = 1 / "Resistance" $ The greater the resistance, the less the conductance, and vice versa. This should make intuitive sense, resistance and conductance being opposite ways to denote the same essential electrical property. If two components\' resistances are compared and it is found that component \"A\" has one-half the resistance of component \"B,\" then we could alternatively express this relationship by saying that component \"A\" is #emph[twice] as conductive as component \"B.\" If component \"A\" has but one-third the resistance of component \"B,\" then we could say it is #emph[three times] more conductive than component \"B,\" and so on. Carrying this idea further, a symbol and unit were created to represent conductance. The symbol is the capital letter \"G\" and the unit is the #emph[mho], which is \"ohm\" spelled backwards (and you didn\'t think electronics engineers had any sense of humor!). Despite its appropriateness, the unit of the mho was replaced in later years by the unit of #emph[siemens] (abbreviated by the capital letter \"S\"). This decision to change unit names is reminiscent of the change from the temperature unit of degrees #emph[Centigrade] to degrees #emph[Celsius], or the change from the unit of frequency #emph[c.p.s.] (cycles per second) to #emph[Hertz]. If you\'re looking for a pattern here, Siemens, Celsius, and Hertz are all surnames of famous scientists, the names of which, sadly, tell us less about the nature of the units than the units\' original designations. As a footnote, the unit of siemens is never expressed without the last letter \"s.\" In other words, there is no such thing as a unit of \"siemen\" as there is in the case of the \"ohm\" or the \"mho.\" The reason for this is the proper spelling of the respective scientists\' surnames. The unit for electrical resistance was named after someone named \"Ohm,\" whereas the unit for electrical conductance was named after someone named \"Siemens,\" therefore it would be improper to \"singularize\" the latter unit as its final \"s\" does not denote plurality. Back to our parallel circuit example, we should be able to see that multiple paths (branches) for current reduces total resistance for the whole circuit, as electrons are able to flow easier through the whole network of multiple branches than through any one of those branch resistances alone. In terms of #emph[resistance], additional branches result in a lesser total (current meets with less opposition). In terms of #emph[conductance], however, additional branches results in a greater total (electrons flow with greater conductance): Total parallel resistance is #emph[less] than any one of the individual branch resistances because parallel resistors resist less together than they would separately: #image("static/00096.png") Total parallel conductance is #emph[greater] than any of the individual branch conductances because parallel resistors conduct better together than they would separately: #image("static/00097.png") To be more precise, the total conductance in a parallel circuit is equal to the sum of the individual conductances: $ G_"total" = G_1 + G_2 + G_3 + G_4 $ If we know that conductance is nothing more than the mathematical reciprocal (1/x) of resistance, we can translate each term of the above formula into resistance by substituting the reciprocal of each respective conductance: $ 1 / R_"total" = 1 / R_1 + 1 / R_2 + 1 / R_3 + 1 / R_4 $ Solving the above equation for total resistance (instead of the reciprocal of total resistance), we can invert (reciprocate) both sides of the equation: $ R_"total" = 1 / (1 / R_1 + 1 / R_2 + 1 / R_3 + 1 / R_4) $ So, we arrive at our cryptic resistance formula at last! Conductance (G) is seldom used as a practical measurement, and so the above formula is a common one to see in the analysis of parallel circuits. #core.review[ - Conductance is the opposite of resistance: the measure of how #emph[easy] is it for electrons to flow through something. - Conductance is symbolized with the letter \"G\" and is measured in units of #emph[mhos] or #emph[Siemens]. - Mathematically, conductance equals the reciprocal of resistance: $G = 1/R$ ]
https://github.com/mathias-aparicio/simple-preavis
https://raw.githubusercontent.com/mathias-aparicio/simple-preavis/main/example.typ
typst
MIT License
#import "lib.typ": lettre_preavis, locataire, adresse, proprietaire #lettre_preavis( locataire: locataire( "<NAME>", "Jean", adresse( "123 rue de la Paix", "75000", "Paris", complement: "Appartement 2" ) ), proprietaire: proprietaire( "<NAME>", "Sophie", adresse( "456 avenue des Champs-Élysées", "75008", "Paris" ), "Madame" ), date_etat_des_lieux: datetime(year:2024, month:9, day:21) )
https://github.com/prettyroseslover/CV_July_24
https://raw.githubusercontent.com/prettyroseslover/CV_July_24/main/style.typ
typst
// Colors #import "@preview/fontawesome:0.2.0" as fa #let light = rgb("#F4EBD9") #let gray = rgb("#50514F") #let color_1 = rgb("#F176AC") #let color_2 = rgb("#9E5FB6") #let color_3 = rgb("#004F2D") #let color_4 = rgb("#A4303F") #let link_list(cols, links) = { box(height: 100%, columns(cols, links.map(l => [ #box(width: 1.2em, baseline: 1.5pt, fa.fa-icon(l.icon)) #link(l.url, l.title) #parbreak() ]).join() ) ) } #let list_block(ll) = { heading(ll.title) list( ..ll.contruts.map(l => { l.title linebreak() text(fill: gray.lighten(15%), l.at("subtitle", default: [])) }) ) } #let resume_page(color: color, upper_height: length, upper: content, content) = { page( "a4", margin: 0mm, { box(width: 100%, height: upper_height, fill: color, upper); content } ) }
https://github.com/polarkac/MTG-Stories
https://raw.githubusercontent.com/polarkac/MTG-Stories/master/stories/036%20-%20Guilds%20of%20Ravnica/010_The%20Gathering%20Storm%3A%20Chapter%204.typ
typst
#import "@local/mtgstory:0.2.0": conf #show: doc => conf( "The Gathering Storm: Chapter 4", set_name: "Guilds of Ravnica", story_date: datetime(day: 26, month: 06, year: 2019), author: "<NAME>", doc ) Ral woke up to a loud knock at the door, heart still pounding from a rush of bad memories. Tomik—a legendarily sound sleeper—said something like "Whfzl" and rolled over, taking most of the sheet with him. It was still well before dawn, with only a faint gray light seeping in past the window shadow, dappled by the endless rain. Ral stared at the shifting patterns it threw on the ceiling for a while, willing himself to calm, reminding himself that he wasn’t seventeen anymore and Elias, the count, and Tovrna were all a long way behind him. #emph[But Bolas isn’t.] He closed his eyes and grit his teeth. #emph[Damn, damn, damn.] The knocking repeated. Ral glanced at Tomik and swung out of bed, pulling on a shirt and padding quietly through the apartment to the hall. He opened the front door to find a young vedalken woman in a red messenger’s uniform, fatigue written all over her face. "<NAME>?" she said, and yawned. Ral nodded cautiously, and she handed him a folded slip of paper, sealed with wax. "From the Aerie," she said. "Have a good morning." He waited until he heard her footsteps descending the stairs to close the door and break the wax with his thumb. As he did, he felt the slight crackle of a ward discharging. If anyone else had opened the note, Ral suspected, it would have just burst into flame. Inside, in exquisite penmanship, was a message from Niv-Mizzet. #emph[Ral –] #emph[Congratulations on your success with Isperia. I have arranged a meeting for you this morning. <NAME> is a lieutenant of Lazav’s, open to discussing the possibility of leadership change at Dimir. Meet half an hour before dawn in the alley behind the Broken Toybox. It could, of course, be a trap. Take all appropriate precautions.] #emph[-N] When he was done reading it, the note burst into flames after all, cool blue fire rapidly turning it to fine ash. Ral stared down at his hand for a moment, then shook his head, trying to clear the last remnants of his dream. #emph[Half an hour before dawn.] That didn’t give him more than an hour, but fortunately the Broken Toybox wasn’t far. #emph[Time for a cup of coffee, at least.] He had a spare accumulator—last year’s model, but still efficient and fully charged—and set of gauntlets in a trunk in the closet. Suiting up as quietly as he could, he bid Tomik a silent farewell and slipped out the door. There was no point in leaving a note. Tomik knew that anything that called Ral away would be, by definition, guild business. It was that weird, liminal hour where the earliest of the early risers cross paths with the latest of the late revelers. Ral pulled his coat tight, fighting the chill, his rain-bending spell leaving a circle of clear cobbles at his feet. The few others who were out didn’t have the benefit of his magic, and carried umbrellas or simply got wet. Delivery drivers were making early morning visits to the shops and restaurants, stocking them for the day, while small handcarts delivered milk and bread to the generally comfortable inhabitants of Dogsrun. Ral bought a cup of coffee from a man with two heavy pots of the stuff dangling from a long board he carried across his shoulders. It was thick and inky black, and scorched his throat, but he could feel himself perking up almost immediately. The Broken Toybox was a dozen blocks away in a slightly seedier neighborhood. It was a tavern and discreet brothel, which popular rumor said was partly owned by Rakdos interests. Rumor also hinted at some very unusual goings-on in the basement suites, which Ral had never felt inclined to investigate. The place was never really closed, but this was certainly as dead as it got. A single red-tinged lamp burned above the entrance, highlighting the tavern sign with its image of a puppet collapsed in a mess of tangled strings. It was a big building, three stories with a slate roof, occupying an odd triangular lot formed by two converging streets. Ral headed for the alley that made the third side, a narrow space barely wide enough for a couple to walk abreast, wedged between the tavern and a neighboring printer’s shop. No lights burned here, and Ral stood at the entrance for a few moments, giving his eyes time to adjust. #emph[If the Dimir were stupid enough to take on Niv-Mizzet directly, they’re certainly bold enough to take a shot at me.] He reached out to the accumulator, and felt the reassuring buzz of its power. Ral wasn’t #emph[afraid] of much, but the thought of having a mind mage root around inside his skull had always made his skin crawl, especially since he’d seen first-hand the sort of things Beleren could do. #emph[And I doubt Lazav will ask as politely as Jace always did.] The back entrance to the Toybox was tightly shut, and a stack of empty barrels stood next to it. On the other side of the alley were a few crates, and atop them a huddled bundle of rags. Beyond the barrels, deep in shadow, Ral thought he could make out a figure pressed under the eaves of the building. #emph[Hellas Vitria?] Ral set his shoulders. #emph[We’ll find out.] He walked down the alley, keeping his hands free. The bundle of rags shifted slightly, revealing a small body within it. A child, Ral guessed, tucked up against the rain. He watched it with a wary eye. When he was a few paces away, a girl of six or seven stuck her head out and blinked at him owlishly with bright green eyes. "Whaddya you want?" she said. "Just come to talk to someone." Ral nodded past the barrels, where he could see someone standing against the wall in a long coat. "Don’t mind me." She kept watching him as he edged past. The shadowed figure didn’t move, coat flapping slightly as wind gusted down the alley. Ral frowned, and brought up his hand. Electricity strobed between his fingers for a moment, flashing a brilliant white and lighting up the scene, and he took an involuntary step backward. There was a woman in the trench coat, small and compact, with short, graying hair. She was pressed tight against the wall because she had been literally nailed to it with big iron spikes, one through each of her shoulders, her palms, her thighs. Her mouth was wide open in a soundless scream, and further spikes had been pounded into her eye sockets. Runnels of blood ran down her cheeks, still fresh enough that they dripped slowly onto the cobbles. "You can talk," the little girl said. "But I’m not sure she can hear you." Ral paused, then spoke without turning around. "Hello, Lazav." "Hello, Zarek. It’s been some time. Since the Implicit Maze affair, I believe." "Not long enough for my taste." Ral turned, slowly, away from the mutilated corpse and toward the shapeshifting guildmaster. Lazav sat cross-legged on the crate, rough sacking pulled across "her" shoulders like a cloak, dark hair plastered to her head by the rain. She smiled, a little too brightly. "I apologize for poor Hellas’s condition," the girl said. "She was a loyal subordinate, but just a bit too clever for her own good." She sighed, the adult affectation strange on the childish body. "So it goes." "If you want loyalty from your minions, you shouldn’t have turned against Ravnica," Ral said. He raised his hands, power crackling across them. "Please." Lazav cocked her head. "I am not here to fight you, Zarek. I merely want to talk." "I’m not sure there’s much to say." Ral relaxed, but only slightly. "The Firemind is . . . displeased with your attempt to break into the Aerie." "I’m sure he is," Lazav said. "And so am I, given that I didn’t authorize it." Ral snorted. "That seems unlikely." "I agree." Lazav spread his hands. "Millena—she’s the one who tried—didn’t seem the type. Is she dead, by the way?" "Last I saw, Niv-Mizzet had her in stasis for interrogation." "If you get the chance, mention that I would like her back. For . . . discipline." The little girl licked her lips. "In any event, I assure you, I have nothing but goodwill toward your master." "I’m supposed to believe that one of your mind mages went rogue?" "Oh, no. It’s worse than that." Lazav’s eyes were very wide. "There has been #emph[infiltration] . Someone has placed #emph[agents] in my precious Dimir. Someone else has touched their thoughts." Her voice rose. "It cannot be permitted. It will not stand. You will see. There will be a reckoning." Ral blinked, unsettled. Lazav paused, and seemed to get control of herself. "In any event," she went on, "we have received Isperia’s invitation to your little gathering. I am pleased to tell you that the Dimir will be attending, with myself as the representative." "Why on Ravnica should we trust you?" "You shouldn’t." Lazav grinned. "But I recommend that you trust no one, so that at least puts us all on equal footing." Slowly, she got to her feet, tossing the rags aside and spreading her arms in the rain. "In the meantime, I shall be hard at work. Clearly my discipline has grown lax. A . . . cleansing is required. Dimir must become lean and hungry again." "#emph[If] you’re telling the truth," Ral said, "which I doubt, then I hope you’d be willing to share any information you discover in the course of your efforts." "Of course." Lazav grinned. "As you say, the security of Ravnica itself is at stake. My guild will not be found wanting." The little girl bowed. "Best of luck, Zarek." #v(0.35em) #line(length: 100%, stroke: rgb(90%, 90%, 90%)) #v(0.35em) "<NAME>," Storrev said, gliding into the throne room in her noiseless way. Her veil rippled as she moved, like a curtain of ink. "We have captured another assassin." "#emph[Finally] ." Vraska glared at the throne. It had seemed like such a good idea when she’d started, properly imperial and terrifying, but she hadn’t anticipated completing it would be so annoying. She had moved the court back to Svogthos, the old Golgari guildhall, a massive stone cathedral so ancient that even the Erstwhile no longer recalled its origins. Jarad and his Devkarin had preferred the psychotropic delights of the rot gardens, but Vraska liked the Svogthos, with its huge amphitheater and towering columns. She’d cleared aside the rotting wreckage of the previous throne and set about building her own. One by one, screaming prisoners—the worst of Jarad’s court, and those who’d chosen to resist the new order—had been forced into position, and then Vraska had washed them in the golden light from her eyes. Now she sat on the bowed back of a shadow elf, in a monstrous chair woven of petrified elves, humans, and even a few traitorous kraul. The problem was getting the damned thing properly symmetrical. It was no good have an intimidating throne if it looked lopsided, and after the first few days, surprisingly few, even among the shadow elves, had tried to challenge her leadership of the Golgari. For most of the guild members, the rot farmers and refuse collectors spread throughout Ravnica’s vast underworld, assassinations and coups were just ordinary guild business. In the Golgari, life and death were equally part of the great cycle. Two Erstwhile bore in the would-be assassin, a spindly wretch in a black cloak. One of the zombies carried a blackened dagger, which made the gorgon let out an irritated sigh. The throne room was ringed by kraul and Erstwhile, and Jarga, her rot troll, slept in one corner on a bed of bones. #emph[All that, and they send a stripling with a ] knife#emph[?] The zombies forced the boy to his knees in front of her. Vraska took the knife, sneered at it, and tossed it over his shoulder. "Well?" she said. "Are you going to tell me who sent you?" "You will never break us," the elf wheezed. He dribbled blood from a split lip. "This is #emph[our] guild, gorgon." "Not anymore," Vraska said. "Most of your cousins seem to have understood that. Now. Was it Izoni?" Izoni was perhaps the most powerful among the remaining Devkarin, the high-priestess who rarely left the seclusion of her temple. Vraska’s agents had reported plenty of comings and goings there among the shadow elves, which could conceivably represent some kind of attempt at resistance. For the moment, Vraska was content to let them conspire. #emph[Better to let all the pus drain into the boil before lancing it.] She glanced over her shoulder. #emph[Although they ] would#emph[ make it easier to finish the damned throne.] The elf looked at her defiantly. He was trembling slightly, clearly anticipating torture. Vraska sighed. "You know, I honestly don’t care." She waved at the Erstwhile. "Get him in position." He started screaming as the zombies dragged him to the throne. With undead strength, they shoved him into the gap on the left side, between a spread-eagled priestess who’d tried to poison Vraska at her victory feast and the hunched form of an old rot farmer who’d tried to raise his neighbors against the kraul. The Erstwhile shoved the would-be assassin’s legs into the gaps, then pressed his hands against the stone. It looked just about right, Vraska decided, as she leaned forward. Her eyes blazed. Of course the boy spoiled it at the last moment, yanking one of his arms free just as the wave of petrification swept over him. He solidified into stone in a very undignified pose, as though he were waving hello. Vraska ground her sharp teeth together and growled. "Unfortunate," Storrev said. "Should I send for a mason?" Vraska kicked the offending limb, and it snapped off at the shoulder, skittering across the room. "Good enough," she muttered, slumping into the seat. She shifted uncomfortably, feeling the bumps of the elf’s spine beneath her. "Just get me a damned cushion, would you?" "At once." Vraska was certain she heard a slight smile in the lich’s emotionless monotone. The two zombies followed her as she glided out, leaving their guildmaster alone in the huge, echoing throne room. Vraska put her head in her hands, feeling the agitated writhing of her hair-tendrils under her fingers. #emph[What is ] wrong#emph[ with me?] For years, she’d been a loyal servant of the Golgari, a pitiless assassin. She remembered the pleasure of the kill, the satisfaction of out-thinking a target, the joy of seeing the hope go out of their eyes in the moment before the petrification washed through them. She’d collected trophies, like all her kind. Her pride and joy had been her collection of Azorius soldiers, gathered in a hundred clandestine raids, each a tiny measure of revenge for what they’d done to her. #emph[Tossed me in a prison camp, for no other reason than I was a gorgon and they were afraid.] And then . . . She’d had ambitions. She’d seen what Jarad and the Devkarin were doing to the guild, neglecting its defenses and leaving its territory open. Boros patrols had pushed the Golgari back from several outposts, and they’d suffered raids from Simic experimenters and Rakdos joyriders. She’d come to know the kraul, who the elves treated as little better than beasts of burden, and to appreciate the quiet intelligence of the huge insects. She’d decided, then, that she would take charge, for the good of the Golgari. But she’d known she needed allies. #emph[And I found them. I found ] Bolas#emph[.] The dragon had promised her mastery of the Golgari in exchange for her help. #emph[And here I sit. He delivered on his end of the bargain. Did I?] That was where it all broke down. She remembered agreeing to work for Bolas, his promise that he would put her on the Golgari throne. And then she’d left, and— #emph[Left where? Left Ravnica?] She remembered fighting in Bolas’s service, but if she thought about it too hard her head started to hurt. Her memories had a #emph[thin] quality, disconnected from one another. #emph[I’ve gotten everything I wanted.] She looked at her corpse-throne, around the colossal guildhall. #emph[So why do I feel . . . empty?] She hadn’t taken any pleasure in snuffing out the life of that pathetic assassin. Even Jarad had felt more like smashing an annoying roach than the culmination of all her plans. #emph[What ] happened#emph[ to me?] #emph[Friend-Vraska?] The tentative mental touch was Xeddick’s. Vraska looked up to find the albino kraul waiting at one of the side entrances, his forelimbs rubbing nervously together. "Hello, Xeddick." Vraska had gotten better at thinking clearly to the telepathic kraul, but she still found it easier to speak aloud. "Is something wrong?" #emph[I face a difficult choice, and I do not know what to do.] Xeddick shuffled closer. #emph[I cannot see the right path.] "Choice?" Vraska frowned. "What do you mean, choice? What’s the problem?" #emph[I cannot explain, ] Xeddick said. #emph[And yet I must. Oh, friend-Vraska, if there was another way—] "Xeddick." The kraul’s mental voice was anguished, and she kept her tone soothing. "It’s all right. Come here." He moved closer, and she put her hand on his mottled white carapace. It was rough under her fingers, like unpolished wood. #emph[Before you, I had no one] , Xeddick said. #emph[You saved me from the enemy-kraul and enemy-elves. You showed me that I had value, weak and strange as I am. You know I would rather die than allow anyone to hurt you.] "I know," Vraska murmured. "This is getting very dramatic. Just tell me what’s bothering you." #emph[I have felt your thoughts. I could feel them across the guildhall. They are . . . disturbed.] "Is #emph[that] all?" She shook her head. "It’s nothing, I promise. Just . . . worries. These are dangerous times—" #emph[It is ] not#emph[ nothing,] Xeddick interrupted. #emph[Friend-Vraska, I have seen the shape of your mind.] "I warned you about rooting around in my head," Vraska said, tensing. #emph[I know. It is one reason I was hesitant. I swear I have not pried into your thoughts, only swept the edges of them. It is the difference between seeing a book on the table and reading it.] Vraska relaxed. "All right. So what about my mind?" #emph[There is a hole in it.] Vraska froze, her clawed fingers tightening on the arm of her throne. For a moment, she felt like she couldn’t breathe. "#emph[What?] " #emph[There is a hole in your mind,] Xeddick said unhappily. #emph[It is why your thoughts are disturbed. You can feel the hole is there, but you cannot reach it, and so you circle endlessly. I would not have spoken, but . . .] "Someone #emph[took] something from my mind?" Vraska felt her hair-tendrils standing on end, which they only did in moments of extreme agitation. Gorgon instinct brought golden light to the corners of her eyes, an automatic threat response, and she hurriedly blinked it away. "#emph[When] ? Who?" #emph[It was not taken, precisely] , Xeddick said, shrinking from her anger. #emph[It was . . . sealed. Hidden. It has been so since before you and I met, though recently it has moved closer to the surface of your mind. As to who did it, I do not know, but they must have been a very skilled telepath. Much more so than I.] Vraska blinked. "Since before we #emph[met] ?" #emph[That would be before I returned to Ravnica from . . . ] "Damn. You’re right. I can #emph[feel] it." She pressed the heels of her hands against her forehead, claws resting on her skin, as though ready to dig the secrets out of her brain. Then she looked up. "Can you undo it? Release the seal?" #emph[I believe I can.] Xeddick hesitated. #emph[But . . .] "What?" #emph[Friend-Vraska, the seal shows every sign of having been . . . benign. When a telepath alters another mind against its will, that mind will bear the scars of the struggle. There are no scars in yours. I believe whatever was done to you, you consented to.] "I #emph[consented] ? To someone ripping out a chunk of . . . of #emph[me] ?" Vraska shook her head. "Never. I would never have agreed to that." #emph[I am sorry] , Xeddick said, backing away. #emph[Of course. I am mistaken—] "Wait." She took a long breath. "Why does that complicate things?" There was a long pause. #emph[Because if you wanted that part of your mind sealed, you might have had good reason] , Xeddick said. #emph[If I unseal it, I do not have the skill to repeat the process. What is in there may ] change#emph[ you, friend-Vraska. And I . . . do not wish you to change.] His forelimbs rasped against one another. #emph[But I do not wish you to be unhappy, either.] Vraska leaned back in her throne, willing herself calm. She felt her hair tendrils flatten, one by one. She stared up at the ceiling, where stalactites hung among the ancient stone columns. #emph[I did this to myself] , she thought. #emph[Why? What would make me do such a thing? And where did I find someone to do it for me?] "I understand your dilemma," she said, slowly. "And I appreciate how much you care for me." #emph[Thank you, friend-Vraska.] "But I need to know what’s in my head." Vraska let out a deep breath. "It #emph[is] disturbing my thoughts." #emph[But—] "If I did do this of my own accord, I must have known I’d find it someday." She ventured a smile. "I’ll be all right, Xeddick." The kraul was silent for a while. #emph[As you wish, friend-Vraska. Shall I proceed?] #emph[Now?] Vraska thought. She was tempted to tell the kraul to wait, to gather her strength. #emph[No.] It had to be now. #emph[Whatever’s in there, I’m not afraid of it.] "Yes," she said. "Do it." She felt Xeddick’s touch on her mind, a cold spot on the inside of her skull, slipping around like slimy fingers. There was a moment of resistance, of #emph[pressure] . Then something gave way. She gasped as memories exploded outward, a geyser of lost thoughts and moments and— #emph[. . . she squeezed Jace’s hand . . .] #emph["Let’s sabotage that bastard."] #emph[They were going to save Ravnica.] #emph[". . . when I see you next, I’ll definitely try to kill you."] #emph["I know."] Ixalan. The #emph[Belligerent] . Her crew, and the mission from Bolas. The chase, and its ending. Memory after memory, upside down, out of order, but falling back into place. Her own voice. "#emph[My magic may lie in death, but I take no joy in killing. Before, I did it because I didn’t have a choice otherwise. Now I have to do what is right for others like me.] " "#emph[I think you were meant to be a great leader.] " Jace. Her heart hammering faster in her chest. "#emph[Your greatest vengeance is the fact that not only are you alive, but you reinvented yourself into someone stronger than your captors ever thought possible. Do you realize how incredible that is?] " #emph[How much did I hide?] Vraska felt buffeted in a maelstrom of thought. #emph[Jace, why did you do this to me?] And then— #emph[Rank on rank of blue-armored soldiers, still in undeath, fire burning in their eyes.] "#emph[He made an army he could transport across the Multiverse. And the Immortal Sun will make sure no one could leave once they’ve arrived.] " #emph[Ravnica was writ large upon the ambition in <NAME>’s mind.] All the breath went out of Vraska’s lungs. #emph[Bolas is coming ] here#emph[. Not alone, but with an invincible army. Not to scheme, but to conquer] . #emph[He means to take Ravnica for his own.] #emph[Friend-Vraska!] Xeddick’s urgent mental touch finally broke through.#emph[ Friend-Vraska, are you all right?] "Fine." The words were a croak. "I’m . . . fine." She gulped air. "Xeddick . . . thank you. I can’t explain everything now, but thank you." The kraul sent a pleased feeling, though his mind was still all confusion. Vraska leapt up from her throne and started shouting. "Storrev! Get in here!" When the black-veiled lich glided in, Vraska whirled on her. "What did we do with the emissary from the Azorius?" Storrev bowed. "I believe you instructed us to place him in your statue garden." "Fetch him." "In . . . ah . . . the rockery." The lich inclined her head again. "You kicked him over the side of the bridge." "Right." Her memory was still a jumble. She even felt a faint pang of #emph[guilt] at having done that to the messenger, which she cast angrily aside. #emph[He was still Azorius.] Whatever change had come over her on Ixalan—and it was still unfolding inside her mind—it didn’t change the vengeance she owed the minions of the Senate. #emph[Does it?] Her sharp teeth rasped together, and her hair-tendrils wriggled. With an effort, Vraska mastered herself. "I want a messenger sent to the surface. To"—not the Azorius, #emph[never] the Azorius, who else had been working with them?—"to <NAME>. At once." "Of course, <NAME>." Storrev bowed. "And what do you wish the message to say?" Vraska took a deep breath. #v(0.35em) #line(length: 100%, stroke: rgb(90%, 90%, 90%)) #v(0.35em) #linebreak Ral had an office on the fourth floor of Nivix. In the ordinary course of business, he didn’t use it much, preferring to spend his time one level down in his personal laboratory, riding herd on his attendants. As a result his office became a sort of storage space for the paperwork he preferred to avoid, delivered constantly by resident faeries through special tubes built into the walls. To try and keep ahead of it, he’d installed Chemister Gloomplug’s Patent Shredder\/Incinerator Mark V (formerly Chemister Gloomplug’s Intelligent Auto-Filing System Mark IV), whose steel maw loomed in what had once been a fireplace. For the moment, though, he’d shoveled his ordinary paperwork to the floor, and his unadorned steel-frame desk was covered with correspondence relating to the guild summit. Replies to Isperia’s invitations had started to come back, and Ral stood with his hands on the table, taking stock. Izzet was in, of course. Azorius and Boros had agreed to participate, and the Azorius had further offered to host the summit near New Prahv, which was reassuring. They’d promised everyone safe passage, and the Senate was nothing if not sticklers for their own rules. That left seven guilds. The bio-mages of Simic had sent a cautiously positive response, and Isperia seemed hopeful they would participate. Emmara of Selesnya had requested a meeting with Ral personally, which he’d arranged for the next day. She’d sounded sympathetic, but she wasn’t the Selesnya guildmaster, so he didn’t count them as settled just yet. And Lazav of Dimir, of course, had promised to attend, though what his word was worth was anyone’s guess. #emph[Which leaves four.] Isperia hadn’t even tried sending a messenger to the chaotic clans of the Gruul. Niv-Mizzet himself had taken on the task of convincing them, apparently calling in old favors with Borborygmos, the massive cyclops who was the closest thing they had to a leader. Whether it would work Ral had no idea, but it was out of his hands. From the Orzhov cathedral, they’d gotten a firm rebuff—unsurprising, since the Orzhov hated the overreaching power of the Azorius. Not for the first time, Ral considered approaching Tomik for help, and then firmly rejected the notion. #emph[He’s not going to be able to sway them one way or the other, and it’s not worth what it would do to . . . us.] Guild business and personal business had to stay separate. That left the Golgari depths, from which Isperia’s messenger hadn’t even returned, and— "<NAME>?" A nervous young man leaned into the doorway. "There’s . . . ah . . . someone here to see you. She says she’s an emissary." "An emissary?" Ral looked up and frowned. "From whom?" "He this way?" a woman’s voice called from the corridor. "Ah, ‘course he is, that’s his name on the door. Gangway!" "She’s, ah, from—" The attendant pushed on someone out of view, trying unsuccessfully to keep her back. "From Rakdos, I think." "Think fast, copper!" The attendant gave a screech and stumbled backward, recipient of a sharp knee to the crotch. His assailant bounced into the doorway with a flourish, as though she were presenting herself on stage. She was a pretty young woman, dressed in a parti-colored outfit made of a variety of dyed leather patches sewn together into a tight bodysuit. It put Ral in mind of a fool’s motley, and she’d apparently decided to lean into the comparison, augmenting the effect with a dozen tiny silver bells hung from the tips of her hair, which was short and shaped into narrow spikes with what looked like paste. That she was from Rakdos was beyond doubt, Ral thought, because no one else would wear something like that outside a circus. He got to his feet, and the woman grinned at him and sauntered over, flopping bonelessly into one of the chairs in front of him. She swung her boots—enormous black things that looked like they’d been partially burned—up onto his desk, scattering several important letters. They stared at one another for a few moments. The woman seemed content to wait, and ultimately it fell to Ral to clear his throat and break the silence. "Can I ask," he said, striving for calm, "who you might be?" "Oh!" the woman said, as though this question had not occurred to her. She shot to her feet, then executed a formal bow, the bells in her hair tinkling. "I have the extremely dubious honor of being the official emissary, mouthpiece, and plenipotentiary of His Magnificent Flaminess, on account of being the smartest an’ best dressed an’ also I cut everyone else’s fingers off when they tried to stop me." "I see," Ral said. "Do you have a name?" "You can call me Hekara, everyone else does. ‘Cause it’s my name." She peered at him. "You’re <NAME>, yeah?" "I am." Ral was already finding this conversation a little hard to follow. Rakdos street slang—patois and accents cribbed from a half-dozen cultures, usually much to those cultures chagrin—was the only thing that changed faster than Rakdos fashion, and he wasn’t well-studied in the latest. "Did you have a message, or . . ." "In a manner of speaking, right?" She cocked her head. "His Incinerationness wants me to say that he’s all about this guild summit. Like I said, I’m his rep, all signed and sealed official-like." "Wonderful." Ral looked down at his scattered papers. "The summit won’t begin for some time, so—" "Buuuuuuut," Hekara said, "in the meantime, he wants me to stick close to you. Hang out, type of thing." "What?" Ral looked at her dubiously. "Why?" "Well, here’s the thing. His Mighty Burningness is not happy about the idea of some dragon from elsewhere coming here to kick us all in the jewels. I mean, who would be? But on the other hand, he ain’t sure you lot aren’t putting this whole thing on as an excuse to get together and stomp on him. His Bossiness has a bit of a bee in his bonnet about that." She spread her arms. "So I get to hang around an’ watch an’ make sure everything’s on the up and up! Keen? Keen." "He wants you to observe me?" Ral found his head hurting already. "Correct!" #emph[All right, think.] In spite of Hekara’s odd personality, it wasn’t #emph[that] unreasonable of a request. The demon Rakdos had always been paranoid, and he was one of the few guild leaders as old as Niv-Mizzet himself, dating back to before the foundation of the Guildpact. #emph[No doubt he’s had his share of betrayals.] #emph[] #linebreak Ral glared at Hekara. #emph[It can’t ] hurt#emph[ to have her on board.] The more guilds signed on to the summit in a visible way, the more authority they’d have with the rest. #emph[And since we ] aren’t#emph[ plotting a trap for Rakdos, having her observe won’t be a problem.] #emph[] #linebreak "It’s unnecessary," he said slowly, "but if your presence would reassure Lord Rakdos . . ." Hekara leaned forward, grinning. #emph[I’m going to regret this, aren’t I?] #emph[] #linebreak ". . . then of course, you’re welcome to observe me," Ral went on. "As long as I’m acting in my official capacity, at least." "Keen!" Hekara grabbed his hand and shook enthusiastically. "Right! Now we’re mates." Ral raised an eyebrow. "Mates?" "You know. Buddies. Comrades-in-arms. Boon companions. Mates." Hekara put her other hand to her mouth and contrived to blush. "Oh, dear. Did you think that was a pass?" "I don’t—" "I mean, I’m not saying no." She looked him up and down. "Not a slam dunk, love the white streak though, get a few drinks in me an’ we’ll see what happens, yeah?" "Mistress Hekara . . ." "Just ‘Hekara’ is aces." She threw herself back down in the chair. "No need for a whole mouthful." "As you like." Ral took a deep breath and started reorganizing his papers. "<NAME>!" The attendant, limping, reappeared in the doorway. "Another emissary!" "Can you please," Ral snapped, "keep them from just walking into my office?" "I . . . um . . ." The attendant retreated past the doorway. An admonition died on Ral’s lips as a noxious #emph[thing] lurched into view. It had once been human, but was clearly long dead, mottled flesh hanging loosely on a partly visible yellowed skeleton. Fungus grew all over it, puffballs on its arms scattering spores as they scraped against the doorframe, a blue-green shelf of mushrooms growing directly out of the side of its head. One eye socket was crammed with fungal growth, but the other was a dark, empty hole, with a single green spark glowing in its depths. "<NAME>." The thing spoke with a voice like gas forcing its way out of a rotting corpse. Ral curled his hand into a fist, and felt electricity crackle across it. Hekara stared at the zombie, open-mouthed. "Yes?" Ral said. "A message. From Queen Vraska. Of the Golgari Swarm." A bit of rotting flesh dropped off the zombie’s hand with a wet sound. "She wishes to meet. In person. To discuss. The upcoming summit." "Vraska?" The gorgon Planeswalker had vanished from Ravnica after her run-in with Beleren. #emph[Now she’s calling herself a queen? Interesting.] "Very well." "You will be informed. Of the details," the zombie gurgled. "The Queen. Bids you. Good health." Then it collapsed, all at once, like a puppet with cut strings. Bones, flesh, and fungus collapsed to the floor, deliquescing rapidly into a noxious puddle. From the hallway, Ral could hear his attendant being noisily sick. "Well," Hekara said. "#emph[That’s] not coming out of the carpet anytime soon, I tell you what."
https://github.com/mismorgano/UG-FunctionalAnalyisis-24
https://raw.githubusercontent.com/mismorgano/UG-FunctionalAnalyisis-24/main/tareas/Tarea-03/Tarea-03.typ
typst
#import "../../config.typ": config, exercise, proof #show: doc => config([Tarea 3], doc) #let cls(S) = $overline(#S)$ #exercise[1.17][Muestra que un e.n $X$ es espacio de Banach ssi $sum y_n$ converge siempre que $norm(y_n) <2^(-n)$ para todo $n in NN$.] #proof[Sabemos que $X$ es un e.B ssi cualquier serie absolutamente convergente en $X$ converge. Por lo cual mostraremos que cualquier serie absolutamente convergente en $X$ converge ssi $sum y_n$ converge siempre que $norm(y_n) <2^(-n)$ para todo $n in NN$. Supongamos primero que cualquier serie absolutamente convergente en $X$ converge y notemos que $sum y_n$ es absolutamente convergente por lo tanto $sum y_n$ converge. Supongamos ahora que $sum y_n$ converge siempre que $norm(y_n) <2^(-n)$ para todo $n in NN$. Sea $sum x_n$ absolutamente convergente, entonces para todo $n in NN$ existe $N_n$ tal que si $m > n >= N_n$ entonces $ sum_(k=N_n)^m norm(x_k) < 2^(-n) $ ] #exercise[1.22][Sean $norm(dot)_1$ y $norm(dot)_2$ dos normas equivalentes en un e.v $X$. Sean $B_1$ y $B_2$ las bolas unitarias cerradas en $(X, norm(dot)_1)$ y $(X, norm(dot)_2)$ respectivamente. Muestra que $B_1$ y $B_2$ son homeomorfas. ] #proof[] #exercise[1.23][Sea $X$ el e.n obtenido al tomar $c_0$ con la norma $norm(bb(x))_0 = sum 2^(-i) abs(x_i)$. Muestra que $X$ no es un e.B.] #exercise[1.24][Sea $X, Y$ espacios normados y $T in cal(B)(X, Y)$. Muestra que $ norm(T) = sup{norm(T(x))_Y; norm(x)_X < 1} = sup {norm(T(x))_Y; norm(x)_X = 1}. $] #exercise[1.25][Supongamos que $T$ es un o.l de un e.n $X$ a un e.n $Y$ tal que ${T(x_n)}$ es acotada para toda sucesión ${x_n} subset X$ tal que $norm(x_n) -> 0$. ¿Es $T$ necesariamente continua?.] Si #exercise[1.26][Sea $T$ un o.l acotado inyectivo de un e.n $X$ a un e.n $Y$. Muestra que $T$ es una isometria sobre $Y$ ssi $T(B_X) = B_Y$ ssi $T(S_X) = S_Y$ ssi $T((B_X)^circle) = (B_Y)^circle$, donde $(B_X)^circle$ es la bola unitaria abierta en $X$.] #proof[Primero notemos que por hmogeneidad se cumple que $T(B_X) = B_Y$ ssi $T(S_X) = S_Y$ ssi $T((B_X)^circle) = (B_Y)^circle$.] #exercise[1.27][Sean $X, Y$ espacios de Banach y $T in cal(B)(X, Y)$. Si existe $delta > 0$ tal que $norm(T(x))>= delta norm(x)$ para todo $x in X$ entonces $T(X)$ es cerrado en $Y$. Más aún, $T$ es un isomofirsmo de $X$ en $Y$.] #proof[ Sea ${T(x_n)}$ una sucesión en $T(X) $ tal que $T(x_n) -> y $ en $ Y$. Basta con demostrar que ${x_n}$ es una sucesión de Cauchy en $X$ pues entonces tendriamos que $x_n -> x $ en $ X$, pues $X$ es e.B, la continuidad de $T$ implica que $T(x_n) -> T(x)$ y por la unicidad del limite obtenemos que $T(x) = y$, es decir $y in T(X)$. De lo anterior tendriamos que $T(X)$ es cerrado. \ Veamos entonces que ${x_n}$ es de Cauchy. // Como $T in cal(B)(X, Y)$ entonces $T$ es continua, luego, existe $C>0$ tal que // $norm(T(x)) <= C norm(x)$ para todo $x in X$. Dado $epsilon > 0 $ Como ${T(x_n)}$ converge en $Y$ se sigue que es de Cauchy, por lo cual dado $epsilon>0$ existe $N in NN$ tal que si $n, m>= N$ se cumple que $ epsilon delta > norm(T(x_n) - T(x_m)) = norm(T(x_n - x_m)) >= delta norm(x_n-x_m), $ lo anterior implica que $ epsilon > norm(x_n - x_m), $ para $n, m >= N$, y por tanto ${x_n}$ es de Cauchy como queremos. ]
https://github.com/mimed95/typst-cv-template
https://raw.githubusercontent.com/mimed95/typst-cv-template/main/main.typ
typst
MIT License
#import "@preview/modern-cv:0.5.0": * #show: resume.with( author: ( firstname: "Michael", lastname: "Medvedovski", email: "<insert email>", phone: "<insert phone>", github: "mimed95", // positions: ( // "Software Engineer", // "Software Architect" // ) ), date: datetime.today().display() ) = Education #resume-entry( title: "Goethe University Frankfurt, Germany", location: "BSc & MSc in Mathematics", date: "2015 - 2022", description: "Master thesis: Option Pricing with Sparse Grids and Neural Networks. Accelerating neural network training with sparse grid-generated training data. Achieved a 10x reduction in memory usage with small error tradeoff. Employed dimension reduction techniques to expedite function evaluation during the process." ) #resume-item[ - #lorem(21) - #lorem(15) - #lorem(25) ]
https://github.com/Myriad-Dreamin/typst.ts
https://raw.githubusercontent.com/Myriad-Dreamin/typst.ts/main/fuzzers/corpora/meta/heading_01.typ
typst
Apache License 2.0
#import "/contrib/templates/std-tests/preset.typ": * #show: test-page // Heading vs. no heading. // Parsed as headings if at start of the context. /**/ = Level 1 #[== Level 2] #box[=== Level 3] // Not at the start of the context. No = heading // Escaped. \= No heading
https://github.com/Myriad-Dreamin/typst.ts
https://raw.githubusercontent.com/Myriad-Dreamin/typst.ts/main/fuzzers/corpora/math/style_04.typ
typst
Apache License 2.0
#import "/contrib/templates/std-tests/preset.typ": * #show: test-page // Test font fallback. $ よ and 🏳️‍🌈 $
https://github.com/UntimelyCreation/typst-neat-cv
https://raw.githubusercontent.com/UntimelyCreation/typst-neat-cv/main/src/content/fr/languages.typ
typst
MIT License
#import "../../template.typ": * #cvSection("Langues") #cvLanguage( name: "Anglais", info: "Langue maternelle", ) #cvLanguage( name: "Français", info: "Langue maternelle", ) #cvLanguage( name: "Allemand", info: "B2, Deutsches Sprachdiplom I", ) #cvLanguage( name: "Japonais", info: "B1", )
https://github.com/ningvin/typst-resume-template
https://raw.githubusercontent.com/ningvin/typst-resume-template/main/example-1.typ
typst
Apache License 2.0
#import "resume.typ": * #show: resume.with( name: "<NAME>", job-title: "Developer", image-path: "user.png", primary-color: rgb(30, 30, 40) ) = Statement #lorem(20) = Experience #time-line( events: ( ( date: [since 2020], details: [ *Job 2* \ _Company 2_ #{ set par(justify: true) lorem(26) } ], add-height: 3.5em ), ( date: [2019 - 2020], details: [ *Job 1* \ _Company 1_ - bullet point 1 - bullet point 2 ] ), ) ) = Education #time-line( events: ( ( date: [2020 - 2023], details: [ *Degree 2* \ _Name of University_ - detail 1 - detail 2 - detail 3 - detail 4 ] ), ( date: [2017 - 2020], details: [ *Degree 1* \ _Name of University_ - detail 1 - detail 2 ] ), ( date: [2017], details: [ *School Diploma* \ _Name of School_ - final grade ] ), ) ) = Skills #grid( columns: (1fr, 1fr), column-gutter: 2em, [ == Languages #grid( columns: (1fr, 1fr), gutter: 0.5em, "C++", align(horizon, skill-bar(value: 0.9)), "C#", align(horizon, skill-bar(value: 0.75)), "Java", align(horizon, skill-bar(value: 0.75)), "JavaScript", align(horizon, skill-bar(value: 0.65)), ) ], [ == Technologies #grid( columns: (1fr, 1fr), gutter: 0.5em, "CMake", align(horizon, skill-bar(value: 0.9)), "Unity", align(horizon, skill-bar(value: 0.75)), "LLVM", align(horizon, skill-bar(value: 0.75)), ) ] ) #side-section[ = Contact #icon-list( center-icons: false, items: ( ( icon: icons.location, body: [ *Address* \ Street & Number \ ZIP Code & City ] ), ( icon: icons.envelope, body: [ *Email* \ max.mustermann \ \@pm.me ] ), ( icon: icons.mobile, body: [ *Phone* \ +49 1234 5678 ] ), ) ) ] #side-section[ = Languages #outline-skill-bar( skill: "German", description: "native", value: 1.0 ) #outline-skill-bar( skill: "English", description: "business fluent", value: 0.8 ) #outline-skill-bar( skill: "Dutch", description: "basic", value: 0.45 ) ] #side-section[ = Programming #outline-skill-bar( skill: "C++", description: "proffesional", value: 0.9 ) #outline-skill-bar( skill: "C#", description: "advanced", value: 0.75 ) #outline-skill-bar( skill: "Java", description: "advanced", value: 0.75 ) ]
https://github.com/Student-Smart-Printing-Service-HCMUT/ssps-docs
https://raw.githubusercontent.com/Student-Smart-Printing-Service-HCMUT/ssps-docs/main/contents/categories/task1/1.conclude.typ
typst
Apache License 2.0
#{include "./1.1.typ"} #{include "./1.2.typ"} #{include "./1.3.typ"}
https://github.com/TypstApp-team/typst
https://raw.githubusercontent.com/TypstApp-team/typst/master/tests/typ/text/emphasis.typ
typst
Apache License 2.0
// Test emph and strong. --- // Basic. _Emphasized and *strong* words!_ // Inside of a word it's a normal underscore or star. hello_world Nutzer*innen // Can contain paragraph in nested content block. _Still #[ ] emphasized._ --- // Inside of words can still use the functions. P#strong[art]ly em#emph[phas]ized. --- // Adjusting the delta that strong applies on the weight. Normal #set strong(delta: 300) *Bold* #set strong(delta: 150) *Medium* and *#[*Bold*]* --- // Error: 6-7 unclosed delimiter #box[_Scoped] to body. --- // Ends at paragraph break. // Error: 1-2 unclosed delimiter _Hello World --- // Error: 11-12 unclosed delimiter // Error: 3-4 unclosed delimiter #[_Cannot *be interleaved]
https://github.com/HEIGVD-Experience/docs
https://raw.githubusercontent.com/HEIGVD-Experience/docs/main/S4/ARO/docs/TE/EXAM.typ
typst
#import "/_settings/typst/template-te.typ": * #show: resume.with( "Résumé ARO - Examen", "<NAME>", cols: 2 ) == Taille mot mémoire La taille d'un mot mémoire est forcément un multiple de $8$. C'est pourquoi nous pouvons appliquer le tableau suivant : #image("/_src/img/docs/image.png") == Gestion des adresses En fonction de la taille de la mémoire nous aurons une taille d'adresses variables, le tableau suivant représente les possibilités : #image("/_src/img/docs/image2.png") == Calculer la mémoire === Calculer adresse de fin $ "Adr.Fin" = "Adr.Deb" + "Taille" - 1 $ === Calculer adresse de début $ "Adr.Deb" = "Adr.Fin" - "Taille" + 1 $ === Calculer la taille $ "Taille" = "Adr.Fin" - "Adr.Deb" + 1 $ ==== Autre formule $ "Taille" = 1 << log_2(2^n) $ $n =$ le nombre de bits alloué à la zone mémoire Exemple : $2"KB" = 2^10 * 2^1 = 2^11$ donc $n = 11$ == Saut inconditionnel #image("/_src/img/docs/image copy 9.png") L'opcode pour un saut inconditionnel prends 5 bits et le reste est alloué pour donner l'adresse de la prochaine instruction à exécuter. === Calcul de l'adresse de saut Pour calculer l'adresse de saut il suffit d'utiliser la formule suivante : $ "Adr" = "PC" + "extension_16bits"("offset"_11 * 2) + 4 $ #table( columns: (0.5fr, 1fr), [*Code d'instruction*], [*Incrément*], "Adr", "Adresse finale du saut", "PC", "Adresse de l'instruction courante", "Extension 16 bits", "Extension de l'adresse de saut en y ajoutant la valeur du bit de signe", "Offset","Correspond à l'instruction moins les 5 bits de l'opcode", "4", "Valeur en fixe à ajouter à l'adresse de saut" ) == Saut conditionnel #image("/_src/img/docs/image copy 10.png") Pour calculer l'adresse de saut il suffit d'utiliser la formule suivante *attention elle est légèrement différente de celle pour le saut inconditionnel* : $ "Adr" = "PC" + "extension_16bits"("offset"_8 * 2) + 4 $ == Endianess - *Big Endian*: lecture de gauche à droite - *Little Endian*: lecture de droite à gauche #colbreak() == Instructions #table( align: center + horizon, columns: (0.5fr, 1fr), rows: 10pt, [*Mnemonic*],[*Instruction*], "ADC","Add with Carry", "ADD","Add", "AND","AND", "ASR","Arithmetic Shift Right", "B","Uncoditional Branch", "Bxx","Conditional Branch", "BIC","Bit Clear", "BL","Branch and Link", "BX","Branch and Exchange", "CMN","Compare NOT", "CMP","Compare", "EOR","XOR", "LDMIA","Load Multiple", "LDR","Load Word", "LDRB","Load Byte", "LDRH","Load Halfword", "LSL","Logical Shift Left", "LDSB","Load Sign-Extended Byte", "LDSH","Load Sign-Extended Halfword", "LSR","Logical Shift Right", "MOV","Move Register", "MUL","Multiply", "MVN","Move NOT(Register)", "NEG","Negate (" + $*-1$ + ")", "ORR","OR", "POP","Pop Register", "PUSH","Push Register", "ROR","Rotate Right", "SBC","Subtract with Carry", "STMIA","Store Multiple", "STR","Store Word", "STRB","Store Byte", "STRH","Store Halfword", "SWI","Software Interrupt", "SUB","Subtract", "TST","Test Bits", ) #table( columns: (1fr, 1fr, 1fr), [*Décimal*], [*Héxadécimal*], [*Binaire*], "0", "0", "0000", "1", "1", "0001", "2", "2", "0010", "3", "3", "0011", "4", "4", "0100", "5", "5", "0101", "6", "6", "0110", "7", "7", "0111", "8", "8", "1000", "9", "9", "1001", "10", "A", "1010", "11", "B", "1011", "12", "C", "1100", "13", "D", "1101", "14", "E", "1110", "15", "F", "1111" ) == Incrémenter le PC #table( columns: (1fr, 1fr), [*Code d'instruction*], [*Incrément*], "8 bits = 1 byte", "1", "16 bits = 2 bytes", "2", "32 bits = 4 bytes", "4", ) #colbreak() == Registres spéciaux #table( columns: (0.5fr, 1fr), [*Registre*], [*Objectif*], "R13 / R5", "Stack Pointer (SP) " + sym.arrow + " Stocke la position dans la pile de stockage (interruptions chaînées)", "R14 / R6", "Link Register (LR) " + sym.arrow + "Garde l’adresse de retour (appel de fct, interruption)", "R15 / R7", "Program Counter (PC) " + sym.arrow + "Stocke l’adresse de la prochaine instruction", ) Lors d'une interruption on stocke la valeur actuelle du PC dans le LR et on met la valeur de l'adresse de l'interruption dans le PC. == Puissance de 2 #table( columns: (1fr, 1fr), [*Puissance de 2*], [*Résultat*], $2^0$, "1", $2^1$, "2", $2^2$, "4", $2^3$, "8", $2^4$, "16", $2^5$, "32", $2^6$, "64", $2^7$, "128", $2^8$, "256", $2^9$, "512", ) = Réels == Standard IEEE 754 (virgule flottante) === Binary8 (quarter precision) - nombre de bits : 8 - exposant sur 4 bits - mantisse sur 3 bits - biais : 7 ($2^(4-1) - 1$) === Binary16 (half precision) - nombre de bits : 16 - exposant sur 5 bits - mantisse sur 10 bits - biais : 15 ($2^(5-1) - 1$) === Binary32 (simple precision) - nombre de bits : 32 - exposant sur 8 bits - mantisse sur 23 bits - biais : 127 ($2^(8-1) - 1$) == Décimal vers binaire (float) 1. Partie entière : conversion de la partie entière en binaire 2. Partie décimale : conversion de la partie décimale en binaire en utilisant le tableau ci-dessous #table( columns: (1fr, 1fr), [*Binaire*], [*Valeur*], $0.1$, $2^(-1) = 1/2^1 = 0.5$, $0.01$, $2^(-2) = 1/2^2 = 0.25$, $0.001$, $2^(-3) = 0.125$, $0.0001$, $2^(-4) = 0.0625$, $0.00001$, $2^(-5) = 0.03125$, $0.000001$, $2^(-6) = 0.015625$, ) == Binaire IEEE754 vers décimal (ex sur 32 bits) 1. Signe : le premier bit est le signe 2. Exposant : les 8 bits suivants sont l'exposant 3. Mantisse : les 23 bits suivants sont la mantisse == Règles importantes - Si l'exposant est à 0 ou hors de la plage $2^(k-1) - 1$ à $2^(k-1)$ pour $k$ le nombre de bits de l'exposant, alors le nombre est un nombre non-normalisé. #pagebreak() = Pipeline == Découpage des instructions Découpage d’une instruction - *Fetch* : Recherche d’instruction - *Decode* : Décodage instruction & lecture registres opérandes - *Execute* : Exécution de l’opération / calcul adresse mémoire - *Memory* : Accès mémoire / écriture PC de l’adresse de saut - *Write back* : Écriture dans un registre du résultat de l’opération == Calcul de métriques === Formule séquentielle vs pipeline $ T_e &= "temps de passage à chaque étape" \ T_p = n * T_e &= "temps de passage pour n étapes" \ T_t = m * T_p &= "temps total pour m personnes" \ \ T_t &= n * m * T_e $ === Formule pipeline $ T_t = n * T_e + (m - 1) * T_e $ === Nombre de cycles d'horloges $ T_t / T_e = n + m - 1 $ === Latence Temps écoulé entre le début et la fin d’exécution de la tâche (instruction). $ n * 1 / "Frequence (temps de cycle)" $ ==== Exemple Frequence = 1 GHz / 1 instruction par nanoseconde / $10^(-9)$ $n$ = nombre d'étapes = 5 $ "Latence" = 5 * 1 / 10^(9) = 5 / 10^(9) = 5 * 10^(-9) = 5 "ns" $ === Débit Nombre d’opérations (tâches, instructions) exécutées par unités de temps. ==== Sans pipeline $ 1 / "Latence" $ ==== Avec pipeline $ 1 / "Frequence (temps de cycle)" $ === IPC Instructions Per Cycle : nombre d’instructions exécutées par cycle d’horloge. $ "IPC" = 1 / ("ratio instruction sans arret" * 1 + "ratio instruction avec arret" * ("nb opération")) $ === Accélération Accélération: nombre de fois plus vite qu’en séquentiel. $ A = frac(T_s, T_p) = frac(m * n * T_e, (n + m - 1) * T_e) = frac(m * n, n + m -1) " " ~ " " n " (pour m très grand)" $ - $T_t$ : temps total - $m$ : nombre d'instructions fournies au pipeline - *Attention*: si le nombre d'instruction est *très grand*, il sera égal au nombre d'étages du pipeline. - $n$ : nombre d'étages du pipeline (MIPS, ARM = 5) - $T_e$ : temps de cycle d'horloge ($= 1 / "Fréquence horloge"$) #linebreak() #image("/_src/img/docs/image copy 91.png") #colbreak() = Pipelining aléas == Résolution d'aléas Arrêt de pipeline (hardware/software) *Hardware* : Arrêter le pipeline (stall/break) -> dupliquer les opérations bloquées. *Software* : Insérer des NOPs (no operation). == Sans forwarding Les règles de gestion des aléas sont les suivantes : - Si l'instruction dépend d'une *valeur calculée par une instruction précédente* (RAW) nous devons attendre que l'opération *write-back soit terminée*. - Dans le cas ou nous avons des dépendances de données (WAW ou WAR) cela n'impacte pas le pipeline. *Attention* dans le cas d'aléas structurels, nous ne pouvons pas faire d'opération *Memory Access (M)* et *Fetch (F)* en même temps. == Avec forwarding #image("/_src/img/docs/image copy 90.png") Les règles de gestion des aléas sont les suivantes : - Si l'instruction suivante dépend d'une valeur calculée par une instruction précédente, la valeur sera directement disponible dans le bloc *Execute*. - Si un *LOAD* est fait, la valeur sera accesible directement après le bloc *Memory* dans le bloc *Execute*, donc pas besoin d'attendre jusqu'au bloc *Write Back*. #image("/_src/img/docs/image copy 92.png") = Taxonomie de Flynn Classification basée sur les notions de flot de contrôle - 2 premières lettres pour les instructions, I voulant dire Instruction, S - Single et M - Multiple - 2 dernières lettres pour le flot de données avec D voulant dire Data, S – Single et M - Multiple #image("/_src/img/docs/image copy 39.png") == SISD Machine SISD (Single Instruction Single Data) = Machine de «Von Neuman». - Une seule instruction exécutée et une seule donnée (simple, non-structurée) traitée. == SIMD Plusieurs types de machine SIMD : parallèle ou systolique. - En général l'exécution en parallèle de la même instruction se fait en même temps sur des processeurs différents (parallélisme de donnée synchrone). == MISD Exécution de plusieurs instructions en même temps sur la même donnée. == MIMD Machines multi-processeurs où chaque processeur exécute son code de manière asynchrone et indépendante. - S’assurer la cohérence des données, - Synchroniser les processeurs entre eux, les techniques de synchronisation dépendent de l'organisation de la mémoire. #colbreak() = Memoire cache == Calcul accès mémoire === Calcul temps moyenne d’accès Temps moyenne d’accès a mem = $T_"MAM"$ $T_"MAM" = T_"succes" + (1 - H) * T_"penal"$ $H = "fréquence de succès"$ === Fréquence de succès - Dépend de la taille de la cache et des politiques de placement - Miss penalty >> Hit time #table( columns: (0.5fr, 1fr, 1fr), [], [*Rate*], [*Time*], "Cache Hit", "Hit rate =Nombre de hits/Nombre d’accès", "Temps d’accès à la cache (hit time)", "Cache Miss", "1 - Hit rate", "Temps d’accès à la mémoire principale + temps de chargement cache (miss penalty)" ) == Recherche dans le cache Consiste à trouver quelle est la ligne de cache dont le tag correspond à l’adresse de base demandée au répertoire. *3 stratégies (cablées, non logicielles)* : 1. Fully Associative – Complètement associative 2. Direct Mapped – Associative par ensembles 3. Set Associative – Associative par voies === Fully Associative #columns(2)[ - un mot de la mémoire principale peut être stocké n’importe où dans la cache - Avantages : taux de succès très élevé (pas de conflit) - Désavantages : trop lent (séquentiel, toutes les lignes à regarder) #colbreak() #image("/_src/img/docs/image copy 79.png") ] === Direct Mapped #columns(2)[ - un mot de la mémoire principale est chargé dans une ligne de cache prédéfinie (toujours la même) - Avantages : accès rapide, car il faut vérifier qu’une ligne - Désavantages : défaut par conflit, taux de succès mauvais #colbreak() #image("/_src/img/docs/image copy 80.png") ] #columns(2)[ L’adresse physique (32 bits) est divisée en deux parties : - Bits de poids faible permettent de spécifier un index, qui indique à quelle ligne de la cache l’information se trouve, ainsi que la position dans la ligne - Bits de poids fort forment un tag, qui est à comparer avec la valeur stockée dans le répertoire - Bit de validité inclus #colbreak() #image("/_src/img/docs/image copy 82.png") ] #linebreak() === Set Associative #columns(2)[ - Caches composés de plusieurs «caches» directement adressés accessibles en parallèle - Chaque cache est appelé une voie - Un mot de la mémoire peut être stocké en N positions différentes de la cache - Diminution de la fréquence d’échec: - $"Associativité" * 2$ = diminution de 20% - $"Taille cache" * 2$ = diminution de 69% #colbreak() #image("/_src/img/docs/image copy 83.png") ] #colbreak() == Map avec Fully associative #image("/_src/img/docs/image copy 121.png") 1. Nbr bits mémoire cache donné dans la consigne 2. Calculer le nbr de bits d'une ligne de la mémoire 3. LSB = puissance de 2 calculée de la taille de la ligne 4. MSB = puissance de 2 calculée par -> $"taille mémoire" / "taille ligne"$ 5. Cacluler le nombre de répertoire -> $"taille mémoire" / "taille ligne"$ 6. Comparateur et Tag = $"taille du bus" - "LSB"$ == Map avec Direct Mapped #image("/_src/img/docs/image copy 122.png") 1. Nbr bits mémoire cache donné dans la consigne 2. Calculer le nbr de bits d'une ligne de la mémoire 3. Adressage par octet dans une ligne = puissance de 2 calculée de la taille de la ligne 4. Cacluler le nombre de tag dans les repertoires -> $"taille mémoire" / "taille ligne"$ 5. MSB et Tag = $"taille du bus" - "LSB"$ 6 Index = $"LSB" - "puissance de 2 calculée de la taille de la ligne"$ *Attention*: si c'est une mémoire cache à voie multiple, il faut multiplier le nombre de tag par le nombre de voies.
https://github.com/typst/packages
https://raw.githubusercontent.com/typst/packages/main/packages/preview/droplet/0.1.0/src/droplet.typ
typst
Apache License 2.0
// Element function for space. #let space = [ ].func() // Elements that can be split and have a 'body' field. #let splittable = (strong, emph, underline, stroke, overline, highlight) // Sets the font size so the resulting text height matches the given height. // // If not specified otherwise in "text-args", the top and bottom edge of the // resulting text element will be set to "bounds". // // Parameters: // - height: The target height of the resulting text. // - threshold: The maximum difference between target and actual height. // - text-args: Arguments to be passed to the underlying text element. // - body: The content of the text element. // // Returns: The text with the set font size. #let sized(height, ..text-args, threshold: 0.1pt, body) = style(styles => { let text = text.with( top-edge: "bounds", bottom-edge: "bounds", ..text-args.named(), body ) let size = height let font-height = measure(text(size: size), styles).height // This should only take one iteration, but just in case... while calc.abs(font-height - height) > threshold { size *= 1 + (height - font-height) / font-height font-height = measure(text(size: size), styles).height } return text(size: size) }) // Attaches a label after the split elements. // // The label is only attached to one of the elements, preferring the second // one. If both elements are empty, the label is discarded. If the label is // empty, the elements remain unchanged. #let attach-label((first, second), label) = { if label == none { (first, second) } else if second != none { (first, [#second#label]) } else if first != none { ([#first#label], second) } else { (none, none) } } // Tries to extract the first letter of the given content. // // If the first letter cannot be extracted, the whole body is returned as rest. // // Returns: A tuple of the first letter and the rest. #let extract-first-letter(body) = { if type(body) == str { let letter = body.clusters().at(0, default: none) if letter == none { return (none, body) } let rest = body.clusters().slice(1).join() return (letter, rest) } if body.has("text") { let (text, ..fields) = body.fields() let label = if "label" in fields { fields.remove("label") } let func(it) = if it != none { body.func()(..fields, it) } let (letter, rest) = extract-first-letter(body.text) return attach-label((letter, func(rest)), label) } if body.func() in splittable { let (body: text, ..fields) = body.fields() let label = if "label" in fields { fields.remove("label") } let func(it) = if it != none { body.func()(..fields, it) } let (letter, rest) = extract-first-letter(text) return attach-label((letter, func(rest)), label) } if body.has("child") { // We cannot create a 'styled' element, so set/show rules are lost. let (letter, rest) = extract-first-letter(body.child) return (letter, rest) } if body.has("children") { let child-pos = body.children.position(c => { c.func() not in (space, parbreak) }) if child-pos == none { return (none, body) } let child = body.children.at(child-pos) let (letter, rest) = extract-first-letter(child) if body.children.len() > child-pos { rest = (rest, ..body.children.slice(child-pos+1)).join() } return (letter, rest) } } // Gets the number of words in the given content. #let size(body) = { if type(body) == str { body.split(" ").len() } else if body.has("text") { size(body.text) } else if body.has("child") { size(body.child) } else if body.has("children") { body.children.map(size).sum() } else if body.func() in splittable { size(body.body) } else { 1 } } // Tries to split the given content at a given index. // // Content is split at word boundaries. A sequence can be split at any of its // childrens' word boundaries. // // Returns: A tuple of the first and second part. #let split(body, index) = { if type(body) == str { let words = body.split(" ") if index >= words.len() { return (body, none) } let first = words.slice(0, index).join(" ") let second = words.slice(index).join(" ") return (first, second) } if body.has("text") { let (text, ..fields) = body.fields() let label = if "label" in fields { fields.remove("label") } let func(it) = if it != none { body.func()(..fields, it) } let (first, second) = split(text, index) return attach-label((func(first), func(second)), label) } if body.func() in splittable { let (body: text, ..fields) = body.fields() let label = if "label" in fields { fields.remove("label") } let func(it) = if it != none { body.func()(..fields, it) } let (first, second) = split(text, index) return attach-label((func(first), func(second)), label) } if body.has("child") { // We cannot create a 'styled' element, so set/show rules are lost. let (first, second) = split(body.child, index) return (first, second) } if body.has("children") { let first = () let second = () // Find child containing the splitting point and split it. for (i, child) in body.children.enumerate() { let child-size = size(child) index -= child-size if index <= 0 { // Current child contains splitting point. let sub-index = child-size + index let (child-first, child-second) = split(child, sub-index) first.push(child-first) second.push(child-second) second += body.children.slice(i + 1) // Add remaining children break } else { first.push(child) } } return (first.join(), second.join()) } // Element cannot be split, so put everything in second part. return (none, body) } // Shows the first letter of the given content in a larger font. // // The first letter is extracted from the content, and the content is split, so // that the content is wrapped around the first letter. // // Parameters: // - height: The height of the first letter. Can be given as the number of // lines (integer) or as a length. // - justify: Whether to justify the text next to the first letter. // - gap: The space between the first letter and the text. // - hanging-indent: The indent of lines after the first line. // - transform: A function to be applied to the first letter. // - text-args: Arguments to be passed to the underlying text element. // - body: The content to be shown. // // Returns: The content with the first letter shown in a larger font. #let dropcap( height: 2, justify: false, gap: 0pt, hanging-indent: 0pt, transform: none, ..text-args, body ) = layout(bounds => style(styles => { // Split body into first letter and rest of string let (letter, rest) = extract-first-letter(body) if transform != none { letter = transform(letter) } // Sample content for height of given amount of lines let letter-height = if type(height) == int { let sample-lines = range(height).map(_ => [x]).join(linebreak()) measure(sample-lines, styles).height } else { measure(v(height), styles).height } // Create dropcap with the height of sample content let letter = sized(letter-height, letter, ..text-args) let letter-width = measure(letter, styles).width // Try to justify as many words as possible next to dropcap let bounded = box.with(width: bounds.width - letter-width - gap) let index = 1 let (first, second) = while true { let (first, second) = split(rest, index) let first = { set par(hanging-indent: hanging-indent, justify: justify) first } if second == none { // All content fits next to dropcap. (first, none) break } // Allow a bit more space to accommodate for larger elements. let max-height = letter-height + measure([x], styles).height / 2 let height = measure(bounded(first), styles).height if height > max-height { split(rest, index - 1) break } index += 1 } // Layout dropcap and aside text as grid set par(justify: justify) box(grid( column-gutter: gap, columns: (letter-width, 1fr), letter, { set par(hanging-indent: hanging-indent) first if second != none { linebreak(justify: justify) } } )) second }))
https://github.com/rijuyuezhu/latex-typst-template
https://raw.githubusercontent.com/rijuyuezhu/latex-typst-template/main/README.md
markdown
# latex-typst-template my latex & typst template, work fine with <https://github.com/rijuyuezhu/temgen>.
https://github.com/fufexan/cv
https://raw.githubusercontent.com/fufexan/cv/typst/modules_ro/projects.typ
typst
#import "../src/template.typ": * #cvSection("Proiecte și Asocieri") #cvEntry( title: [#link("https://github.com/fufexan/dotfiles")[dotfiles]], society: [], date: [2021 - Prezent], location: [], description: list( [Gestionarea calculatoarelor personale rulând NixOS, utilizând Git și Flakes], [Fiecare calculator este accesibil oriunde prin Tailscale], [Configurații utile acumulate peste ani], ) ) #cvEntry( title: [#link("https://github.com/fufexan/infra")[Infrastructură]], society: [], date: [2022 - Prezent], location: [], description: list( [Gestionarea serverelor, furnizate prin Terraform, rulând NixOS, conectate prin Tailscale], [*alpha*: Server virtual Oracle ARM, rulând servicii multiple], [*home server*: Calculator mai vechi, rulând diferite servicii acasă], ) ) #cvEntry( title: [#link("https://github.com/fufexan/nix-gaming")[nix-gaming]], society: [], date: [2021 - Prezent], location: [], description: list( [Repo care găzduiește o colecție de jocuri și programe asociate, packaged pentru Nix], ) ) #cvEntry( title: [Contribuții], society: [], date: [2021 - Prezent], location: [], description: list( [Întreținător pentru #link("https://github.com/hyprwm")[*Hyprland și HyprWM*]], [Întreținător pentru #link("https://github.com/NixOS/nixpkgs")[*Nixpkgs*]], [Contribuitor la proiectele #link("https://github.com/nix-community")[*Nix Community*]], ) )
https://github.com/crd2333/Astro_typst_notebook
https://raw.githubusercontent.com/crd2333/Astro_typst_notebook/main/src/docs/here/test/基本测试.typ
typst
--- order: 1 --- #import "/src/components/TypstTemplate/lib.typ": * #show: project.with( title: "This is a title", // show_toc: false, lang: "zh", ) $arrow.t$ 中看不中用的目录(引用问题) Pay attention to the order. This file has order: $1$. = 大标题测试 == 小标题测试 加载到这页有点慢?可能是因为 typst 目前的 “html” 导出有点慢。。。 === 三级标题测试 <title> 引用的问题很大,目前似乎还不行,点点右边这个 $-> $@title == 文字测试 === 关于字体 字体:先在"Arial"中寻找,找不到才在黑体、宋体等中文字体中寻找,通过这种方法实现*先英文字体、后中文字体*的效果。这个字体可以先去搜索下载(#link("https://github.com/notofonts/noto-cjk/releases")[下载链接],下载Noto Serif CJK和Noto Sans CJK),或者直接在终端中输入"typst fonts"查看你电脑上的字体,然后修改`font.typ`相关内容为你拥有且喜爱的字体。 _斜体_与*粗体*,_Italic_ and *bold*。但是中文没有斜体(事实上,如果字体选择不佳,连粗体都没有),一般用楷体代替 ```typ #show emph: text.with(font: ("Arial", "LXGW WenKai"))``` 如果需要真正的斜体,可以使用伪斜体(旋转得到,可能会有 bug?):#fake-italic[中文伪斜体]。 中英文字体之间正常情况下会自动添加空格,像这样test一下。手动添加空格也可以(对Arial和思源字体而言),像这样 test 一下,间隙增加可以忽略不计。如果换用其它字体,可能会出现手动空格导致间隙过大的情况。 === 关于缩进 使用一个比较 tricky 的包 #link("https://github.com/flaribbit/indenta")[indenta] 来达到类似 LaTeX 中的缩进效果:两行文字间隔一行则缩进,否则不缩进。可能会遇到一些 bug,此时可以使用```typ #noindent[Something]```来取消缩进,比如下面这样: #hline() #noindent[ 这是一个没有缩进的段落。 空一行,本来应该缩进,但被取消。\ 采用连接符换行。 ] #hline() 而在原始情况下是这样: 这是一个有缩进的段落。 空一行,缩进,但被取消。 不空行,视为跟之前同一段落。\ 采用连接符换行。 #hline() #indent 另外,通过 `#indent`(或`#tab`)能缩进内容,比如在图表之后,需要手动缩进。其实也可以自动缩进,只是个人认为,图表后是否缩进还是由作者手动控制比较好。 == 图表测试 === 公式 Given an $N times N$ integer matrix $(a_(i j))_(N times N)$, find the maximum value of $sum_(i=k)^m sum_(j=l)^n a_(i j)$ for all $1 <= k <= m <= N$ and $1 <= l <= n <= N$. $ F_n = floor(1 / sqrt(5) phi.alt^n) $ $ F_n = floor(1 / sqrt(5) phi.alt^n) $ <-> 为了更加简化符号输入,有这么一个包 #link("https://github.com/typst/packages/tree/main/packages/preview/quick-maths/0.1.0")[quick-maths],定义一些快捷方式,比如: ```typ #show: shorthands.with( ($+-$, $plus.minus$), ($|-$, math.tack), ($<=$, math.arrow.l.double) // Replaces '≤', use =< as '≤' ) ``` $ x^2 = 9 quad <==> quad x = +-3 $ $ A or B |- A $ $ x <= y $ === 代码 code使用codly实现,会自动捕捉所有成块原始文本,像下面这样,无需调用code命令(调用code命令则是套一层 figure,加上 caption)。 可以手动禁用 codly ```typ #disable-codly()```,后续又要使用则再 ```typ #codly()``` 加回来 #disable-codly() ```raw disabled code ``` #codly() ```raw enabled code ``` 代码块经过特殊处理,注释内的斜体、粗体、数学公式会启用 eval ```cpp cout << "look at the comment" << endl; // _italic_, *bold*, and math $sum$ ``` ```c #include <stdio.h> int main() { printf("Hello World!"); return 0; } ``` === 表格 表格通过原生 table 封装到 figure 中,并添加自动数学环境参数:```typ automath: true```,通过正则表达式检测数字并用 `$` 包裹。 #tbl( automath: true, fill: (x, y) => if y == 0 {aqua.lighten(40%)}, columns: 4, [Iteration],[Step],[Multiplicand],[Product / Multiplicator], [0],[initial values],[01100010],[00000000 00010010], table.cell(rowspan: 2)[1],[0 $=>$ no op],[01100010],[00000000 00010010], [shift right],[01100010],[00000000 00001001], table.cell(rowspan: 2)[2],[1 $=>$ prod += Mcand],[01100010],[01100010 00001001], [shift right],[01100010],[00110001 00000100], table.cell(rowspan: 2)[3],[0 $=>$ no op],[01100010],[00110001 00000100], [shift right],[01100010],[00011000 10000010], table.cell(colspan: 4)[......] ) #align(center, (stack(dir: ltr)[ #tbl( // automath: true, fill: (x, y) => if y == 0 {aqua.lighten(40%)}, columns: 4, [t], [1], [2], [3], [y], [0.3s], [0.4s], [0.8s], ) ][ #h(50pt) ][ #tlt( // automath: true, columns: 4, [t], [1], [2], [3], [y], [123.123s], [0.4s], [0.8s], ) ])) 由于习惯了 markdown 的表格,所以 typst 的表格语法可能不太习惯(其实强大很多),但是也有类 markdown 表格 package 的实现: #tblm()[ | *Name* | *Location* | *Height* | *Score* | | ------ | ---------- | -------- | ------- | | John | Second St. | 180 cm | 5 | | Wally | Third Av. | 160 cm | 10 | ] == 列表 Bubble list 语法(更改了图标,使其更类似 markdown,且更大)和 enum 语法: - 你说 - 得对 - 但是 - 原神 + 是一款 + 由米哈游 + 开发的 + 开放世界 + 冒险 + 游戏 Term list 语法: / a: Something / b: Something
https://github.com/Wallbreaker5th/fuzzy-cnoi-statement
https://raw.githubusercontent.com/Wallbreaker5th/fuzzy-cnoi-statement/main/README.md
markdown
MIT No Attribution
# Fuzzy CNOI Statement Fuzzy CNOI Statement is a template for CNOI(Olympiad in Informatics in China)-style statements for competitive programming. Fuzzy CNOI Statement 是一个 CNOI 题面排版风格的 Typst 模板。 It is mainly designed to mimic the appearance of official CNOI-style statements, which are usually generated by [TUACK](https://gitee.com/mulab/oi_tools). 其主要模仿国内 NOI 系列比赛官方题面的外观。这些题面一般由 [TUACK](https://gitee.com/mulab/oi_tools) 生成。 This template is not affiliated with the China Computer Federation (CCF) or the NOI Committee. When using this template, it is recommended to indicate the unofficial nature of the contest to avoid misunderstandings. 该模板与中国计算机学会(CCF)、NOI 委员会官方无关。在使用该模板时,建议标明比赛的非官方性质,以免造成误解。 ## Usage Here are the fonts that this template will use, you can change the font by passing parameters:\ 以下是该模板会用到的字体,你可以通过传入参数的方式更换字体: - Consolas - New Computer Modern - 方正书宋(FZShuSong-Z01S) - 方正黑体(FZHei-B01S) - 方正仿宋(FZFangSong-Z02S) - 方正楷体(FZKai-Z03S) ```typ // Define your contest information and problem list // 定义比赛信息和题目列表 #let (init, title, problem-table, next-problem, filename, current-filename, current-sample-filename, data-constraints-table-args) = document-class( contest-info, prob-list, ) #show: init #title() #problem-table() *注意事项(请仔细阅读)* + ... #next-problem() == 题目描述 ... ``` Refer to `main.typ` for a complete example. `main.typ` 提供了一个完整的示例。
https://github.com/felsenhower/kbs-typst
https://raw.githubusercontent.com/felsenhower/kbs-typst/master/examples/13.typ
typst
MIT License
#set document( title: "Mein Paper", author: "Ruben" ) #set page( paper: "a4", margin: 20mm ) #set text( font: "Latin Modern Roman", size: 12pt, lang: "de" ) #set par( justify: true )
https://github.com/mrknorman/evolving_attention_thesis
https://raw.githubusercontent.com/mrknorman/evolving_attention_thesis/main/template.typ
typst
// The project function defines how your document looks. // It takes your content and some metadata and formats it. // Go ahead and customize it to your liking! #let project(title: "", subtitle: "", authors: (), logo: none, body) = { // Set the document's basic properties. set document(author: authors, title: title) // Save heading and body font families in variables. let body-font = "Avenir" let sans-font = "Avenir" // Set body font family. //set text(font: body-font, lang: "en") //show heading: set text(font: sans-font) set heading(numbering: "1.1.1") show heading: it => { it v(0.3em) } // Title page. // The page can contain a logo if you pass one with `logo: "logo.png"`. v(0.6fr) if logo != none { align(right, image(logo, width: 26%)) } v(9.5fr) text(2em, weight: 700, title) v(0.5fr) text(1.5em, weight: 400, subtitle) v(0.3fr) // Author information. pad( top: 0.7em, right: 20%, grid( columns: (1fr,) * calc.min(3, authors.len()), gutter: 1em, ..authors.map(author => align(start, strong(author))), ), ) v(4.5fr) text(1.2em, weight: 300, "Submitted for the degree of Doctor of Philosophy \nSchool of Physics and Astronomy \nCardiff University") v(0.3fr) text(1.0em, weight: 300, "2023-12-30") v(2.4fr) pagebreak() pagebreak() align(center + horizon, text(2.0em, weight: 600, title)) align(center, text(1.5em, weight: 300, subtitle)) align(center, image("02_gravitation/waves.png", width: 70%)) // Author information. align(center, text(strong("<NAME>"))) pagebreak() include "preface.typ" // Display inline code in a small box // that retains the correct baseline. show raw.where(block: false): box.with( fill: luma(240), inset: (x: 3pt, y: 0pt), outset: (y: 3pt), radius: 2pt, ) // Display block code in a larger block // with more padding. show raw.where(block: true): block.with( fill: luma(240), inset: 10pt, radius: 4pt, ) show figure: it => align(center)[ #it.body #align(left)[ #strong[ #it.supplement #it.counter.display(it.numbering) ] | #it.caption.body ] #v(25pt, weak: true) ] set heading(numbering: "1.1") show heading.where(level: 1): it => [ #counter(figure).update(0) #counter(figure.where(kind: table)).update(0) #counter(figure.where(kind: image)).update(0) #counter(figure.where(kind: block)).update(0) #it ] set figure(numbering: it => { [#counter(heading).display((..nums) => str(nums.pos().first()) ).#it] }) // Main body. set par(justify: true) let recursive_count(_body) = { let r(cont) = { let _C = 0 if type(cont) == content { for key in cont.fields().keys() { if key == "children" { for _child in cont.fields().at("children") { let resp = r(_child) _C += resp } } else if key == "body" { _C += r(cont.fields().at("body")) } else if key == "text" { _C += cont.fields().at("text").split(" ").len() } else if key == "child" { // return r(cont.at("child")) _C += r(cont.at("child")) // return [#cont - a] } else if key == "block" { if cont.fields().keys().contains("text") { _C += cont.fields().at("text").split(" ").len() } } else if key == "caption" { //_C += r(cont.fields().at("body")) } else if key == "label" { _C += r(cont.fields().at("body")) } else if key == "supplement" { _C += r(cont.fields().at("body")) } else if ("func", "double", "key", "keys", "update", "base").contains(key) { // we can skip those // return [#cont] } else if key == "t" { // math output - idk if I should count it // return [#cont] } else if key == "b" { // math output - idk if I should count it // return [#cont] } else if key == "path" { // image // return [#cont] } else if key == "data" { } else if key == "accent" { // return [#cont] } else if key == "num" { // return [#cont] } else if key == "denom" { } else if key == "dest" { // return [#cont] } else if key == "level" { // return [#cont] } } } else if type(cont) == array { for item in cont { _C += r(item) } } return _C } return r(_body) } body counter(page).update(0) set page(numbering: "a", number-align: center) bibliography("bibliography.yml", style: "american-physics-society-urls.csl") }
https://github.com/polarkac/MTG-Stories
https://raw.githubusercontent.com/polarkac/MTG-Stories/master/stories/016%20-%20Fate%20Reforged/001_A%20New%20Tarkir%20of%20Old.typ
typst
#import "@local/mtgstory:0.2.0": conf #show: doc => conf( "A New Tarkir of Old", set_name: "Fate Reforged", story_date: datetime(day: 31, month: 12, year: 2014), author: "<NAME>", doc ) #emph[Sarkhan Vol has been following the voice in his head—the whispers of Ugin, the Spirit Dragon—for years now, and Ugin’s whispers finally led him to something remarkable: a flaming gate at Ugin’s grave. Although Sarkhan doesn’t know it yet, when he ] #emph[stepped through the gate, he traveled back in time 1,280 years, into Tarkir’s past.] #emph[Sarkhan has left behind the dragonless Tarkir he knew, and he’s left behind Narset, his friend and kindred spirit, who perished at the hands of his enemy, Zurgo. He’s in the Tarkir of the past now, and he’s alone.] #v(0.35em) #line(length: 100%, stroke: rgb(90%, 90%, 90%)) #v(0.35em) Darkness. Silence. Where a heartbeat, before there had been blazing flame and a bellowing roar. The roar had been his; it had come from Sarkhan’s own lips, lips that were still parted, his breath still rushing through them—now only as a soundless exhale. It was as though the voice had been ripped from his lungs and the world out from under his feet. A mere moment before he had been running across Ugin’s bones, running toward the flames. But now he was standing still in the darkness in the middle of a vast, snowy Temur tundra. The glowing bones were no longer underfoot. And the fire? Sarkhan turned, looking back the way he had come. There was no blazing gate. Zurgo was not there. #emph[She] was not there. #emph[Narset.] His breath hitched. She was not supposed to have died. "Why?" This time his voice made a sound. The pain it carried echoed in the still night. "Why did she have to die?" There was no answer. There was nothing—Sarkhan realized with a rush of vertigo—nothing at all. The ceaseless whispering, the constant flow of Ugin’s words in his head—the voice was gone! The sudden quiet was disorienting. Without the dragon’s whispers to prop him up, Sarkhan faltered. He leaned on his staff, but it could not support his weight the way that Ugin’s words could. The world tilted, and Sarkhan stumbled across the snowy ground, panting. #figure(image("001_A New Tarkir of Old/01.jpg", width: 100%), caption: [Art by <NAME>], supplement: none, numbering: none) The endlessness before him, the emptiness inside him, were suffocating. "Ugin!" he cried. He waited for an answer, but none came. "Where…are you?" he choked out the words. "Where am I?" Nothing. Dizziness engulfed him and he fell to his knees. His staff clattered on the rock beside him, the hedron shard from the Eye of Ugin alight somehow even in this darkness. Sarkhan ran his trembling fingers over the shard. Ugin was here, of course he was here; he was always here. "Ugin," Sarkhan whispered. "Please." Nothing. Nothing. "No!" How could there be nothing? How could the dragon, in this moment, after all that was, after all the worlds, all the years…after all of it, how could the dragon abandon him now? "Speak to me!" Sarkhan cried. His gripped his head, coaxing, begging the voice to return. "I walked through the gate. Is that not what you wanted? It is! I know it is! So why have you left me?" A ringing silence blanketed him in response, threatening to smother him. His coaxing turned to tugging, desperate yanking, ripping at his hair. The pain radiated across his scalp, but it did not draw an answer. In his head there was only a peaceful calm. "Ha!" The bark of a laugh issued from Sarkhan’s lips, tearing through the quiet and opening the floodgates; he erupted in a fit of hysterics. The irony; when for so long he had wished the whispers away, struggled against their magnetic pull, now that they were gone—"You can’t do this! Do you hear me? You can’t be silent now!" He wiped a wet hand across his mouth, stringing along his saliva. "She died for this." For what? Only the dragon knew. "Why? Why did you send me here? Where am I? Speak to me!" A sudden peal of thunder—an answer?—drew Sarkhan’s gaze upward, and the sight that waited sent him reeling. Thick crags of luminous clouds were heaped in the sky. They swelled like a range of towering mountains from one end of the horizon to the other. With a sharp crack, a bolt of green lightning shot through one of the ridges. It was followed by another and another. The lightning crackled and popped in a display that seemed to set the night afire. Then all at once, the clouds burst open. Torrents of freezing rain crashed down, pounding on Sarkhan’s face, slicing at his eyes. But he did not look away, could not, for the clouds had just come to life; they had begun to stir. The bluffs and peaks clambered over each other, pushing and fighting, jostling for position. They slashed at each other with their long, trailing tails; snapped their jaws; and tore apart the firmament with their razor-sharp claws. He thought he saw—no, it couldn’t be. Sarkhan squinted, shielding his face with his hand. Oh, but it was! It was! A pair of wings! The wide, leathery appendages beat against the storm harder and harder, spawning waves of low, rumbling thunder. They labored to pull a form, gnarled and twisted, out of the fray. The form coalesced as it emerged behind the wings, opening its maw and bellowing a great, resounding roar. A dragon! #figure(image("001_A New Tarkir of Old/02.jpg", width: 100%), caption: [Art by <NAME>], supplement: none, numbering: none) Sarkhan grabbed his staff and struggled to his feet only to fall to his knees once more, gasping for breath, clutching his chest, for his heart might otherwise rupture his ribs. A second dragon was birthed from the tempest, and then a third. They were wondrous, dazzling, exquisite. They were dragons the likes of which he had never seen. Tears rallied to the corners of Sarkhan’s eyes, mixing with the ebbing rain as they streamed down his cheeks. He blinked them away; they obscured his vision, and he wanted to see, he had to see. The great beasts frolicked, fledglings learning themselves for the first time. They careened across the sky, locking antlers in spirited fights—they had antlers! Sarkhan laughed gleefully. The dragons on Tarkir had antlers! Dragons on Tarkir. Impossible. A vison. A dream. It must be. And yet— Sarkhan reached down to ground himself, placing his palm on the snow-covered rock. He gathered the white, wet slush, gripping it between his fingers, squeezing until his hand went numb.    Did visions feel this cold? Could dreams make one’s fingers raw? A screech from above pierced his eardrums. The sound was palpable; it was as real as the snow. He looked to the magnificent creatures that crowded the sky. There were a dozen now, no two—more. Their wings beat against the night, sending swirling gusts of charged wind down to where Sarkhan knelt. He breathed in the brisk draft, laden with their scent. It stirred within him, filling his lungs, encircling his soul. He felt the truth of it then. They were dragons. They were real. And they were here. "Where?" He whispered the question, though he was not asking the voice in his head, nor was he expecting an answer; he knew the answer. Narset had said it. It had come from the ancient scrolls: #emph[Look to the past and open the door to Ugin] . The flaming archway. He had opened the door. Then he had walked through it.   And it had led him to the past. It had led him here. Here to the Tarkir of old. Here to the Tarkir of dragons. His chest swelled. "Ugin. Thank you." Above him the noble beasts of the sky bellowed, and Sarkhan Vol raised his voice to join the chorus. #v(0.35em) #line(length: 100%, stroke: rgb(90%, 90%, 90%)) #v(0.35em) How long he had been tracking their flight—playful, lazy circles in the sky—Sarkhan did not know. He would walk in their shadows forever and feel no shame. This was his path, the path that Ugin had set him on, the path of healing for his plane. #emph[Here. Hear. Heal.] The dragons knew the way. "Show me." They must have heard him, for they quickened and focused their flight. Sarkhan picked up his pace, running across the snowy frontier; a staggering, jilted run that lurched and lunged. He tripped and stumbled over stray rocks and fallen branches, for his eyes were in the sky and not on the ground; he refused tear his gaze from the marvelous creatures soaring above. He could tell that the dragons were restless, hungry. They nipped at each other’s necks, snapped at each other’s tails. The two that led the pack were locked in a battle, somersaulting through the sky, hissing and spitting in blatant assertions of dominance. Their fight delighted Sarkhan, but at the same time he could feel the insignificance of it. He could sense something coming, something much more grand. The power of the fledglings, so new to the world, so limited, was nothing compared to the might of what they were about to face. He steadied himself on the stump of a fallen tree as she soared in. Born on the dark tendrils of the night air, she was the most remarkable dragon Sarkhan had ever witnessed. #figure(image("001_A New Tarkir of Old/03.jpg", width: 100%), caption: [Art by <NAME>], supplement: none, numbering: none) Her bestial roar, deafening and all-consuming, enveloped the entire expanse of Tarkir’s tundra. As one, the fledglings turned their attention to this majestic dragon, all vestiges of their squabbles falling away at the mere blink of her great, yellow eyes. She circled them, sniffing and nipping. Testing, welcoming. When she was satisfied, she grunted and then dove to the front of the ranks. The fledglings fell into formation behind her. She roared again, ripping the night in two. Her dragons—for they were her dragons; there was no question that they belonged to her—responded with high shrieks and screeches. Order was established, purpose was communicated. She had come to lead them. Now they would hunt. Sarkhan careened to the edge of a bluff, following with his eyes, the dragons’ coordinated dive into a valley below. He threw himself to the ground on his stomach, claiming the fringe, the perfect vantage point to relish the raid. In the basin below was a small encampment. Frenzied figures were already scattering; they must have heard the dominant’s cry, the cry that had consumed the night. But it had not been a cry of warning; it had been a resolved cry of finality. It mattered not how fast they ran, they would never outpace the beasts. The brood descended like a barrage of flaming arrows. The dominant’s fiery breath led the charge. The fledglings’ fire came after in short bursts as they tested their skill, learning their craft. And then they were on the ground. Ripping and tearing. Sinking their teeth, brandishing their antlers, and ruthlessly swinging their tails.  It was a dance, a choreographed performance. In intervals they launched themselves up into the sky and dove back down at the encampment for another attack, another kill. The sheer power! Sarkhan reveled in it. This was how a world should be. This was how Tarkir should be. This was glorious. In its upward flight, one of the fledglings came mere feet from Sarkhan. He held its intense gaze, locking his with its burning yellow eye. In that moment, the dragon touched Sarkhan’s essence. It welcomed him to its world, to its brood. His transformation began without a conscious thought, without his permission, but he exulted in the familiar feeling of wings at his shoulders, the tight sharpness of his elongating maw, the rush of seeing the world through his dragon eyes. He stomped his clawed feet and stretched his wings. He would join them in their pillage. Here and now, Sarkhan Vol would finally fly with the dragons of Tarkir. He flapped his wings, preparing to launch, but he came up short. A magical, glowing claw ripped through the sky like a bolt of blood-red lighting, tearing into the side of the soaring fledgling. The young dragon screeched in pain and plummeted back past Sarkhan before crashing into the ground below. The red claw lunged again, this time tearing at the creature’s stomach. And again, relentless, spilling its innards into the snow. A sober roar followed, and a great beast, a sabertooth larger than any Sarkhan had ever seen, pounced on the dragon. It was a battle finished before it even began. #figure(image("001_A New Tarkir of Old/04.png", height: 40%), caption: [], supplement: none, numbering: none) Sarkhan’s heart stopped. "Go! Run!" It was a human voice that cut through the roar of bloodshed. Sarkhan’s dragon ears perceived it, but the speech made no sense. "I will hold them off!" This time the string of words, and the tenor—strong, solid—tugged him back toward human consciousness. He turned toward the source of the outcry, baring his teeth. #figure(image("001_A New Tarkir of Old/05.jpg", width: 100%), caption: [Art by <NAME>], supplement: none, numbering: none)  "Hurry!" It was a woman speaking, a human woman, standing in the center of the basin. She wore plates of armor, a mastodon’s hide tied round her neck, and the antlers of dragons armoring her shoulders and arms. She was the one who wielded the blood-red claw. As she called out to the others to seek shelter, she drove her burning claw into the wing of a second fledgling that was feeding on a human. The young dragon started. Instinctively, it attempted to flee, but with a broken wing it was unable to take to the sky. It squawked and flopped like a fish out of water. The warrior wasted no time. As the fallen dragon turned on her, she cut through its face from eye to jaw. It collapsed in a writhing heap. "No!" The cry erupted from Sarkhan’s lips, for they were lips again—his maw was gone, his wings were gone, the moment was gone; this woman and her beast had stolen it from him. She turned with her great cat to slay yet another, but neither she nor her sabertooth landed their blow, for an immense plume of dragonfire ripped through the snowy basin, pouring endlessly from the mouth of the dominant. The woman ran from the flame. The survivors scattered. The dominant bellowed for her fledglings to take to the sky. And with a rush of wings and screeching cries, the brood disappeared into the night. Sarkhan staggered back, dark emotions surging through him, a fire of hatred heating his blood. He would kill her; he would end the warrior for this. He reached for his blade and braced to jump off the bluff, but something stopped him. A voice. #emph[When the dragons lived, there was balance. ] A steady, gentle voice. #emph[The plane was not in pain. ]  A voice filled with wisdom. #emph[When dragons lived, all who inhabited Tarkir were greater.] The words gave him pause. He looked to the warrior woman, the single remaining figure in the whole of the basin. She was using the glowing, red claw at the end of her staff to carve a symbol into a large rock. Sarkhan’s rage turned—to what? Awe? Elation? She was great. Greater than any human he had known before. She was a survivor—no, a conqueror!—following a battle with dragons. Dragons! Gooseflesh flooded Sarkhan’s arms. He watched her move about the basin, etching more rocks, claiming her victory. She had won the right to this ritual. #figure(image("001_A New Tarkir of Old/06.jpg", width: 100%), caption: [Art by <NAME>], supplement: none, numbering: none) "It is as you said it would be. The clans are stronger, the humans mightier." Sarkhan turned to tell Narset. "It is perfec—" But she was not there. He swallowed the fresh wave of pain. She was not supposed to have died. She should have seen this. She deserved to see this. And she would. Sarkhan resolved in that moment to make it so. He would do anything, everything in his power, to make certain that when her time came, when Narset lived again on Tarkir, there would be dragons waiting for her. He smiled, picturing Narset’s new fate. She would thrive with the dragons, strong and mighty. And she would not die at Zurgo’s hands. For none of it had happened yet, none of the missteps, none of the regrets. The past was no longer the past. It was just…gone. Gone forever.  Sarkhan could feel the weight of the years lift from his shoulders. Hundreds, thousands, he did not know. They had all melted away when he had stepped through Ugin’s fire. There was so much in front of him now. This was a new beginning, a new Tarkir—his Tarkir.
https://github.com/frectonz/the-pg-book
https://raw.githubusercontent.com/frectonz/the-pg-book/main/book/055.%20whyyc.html.typ
typst
whyyc.html Why YC March 2006, rev August 2009Yesterday one of the founders we funded asked me why we started Y Combinator. Or more precisely, he asked if we'd started YC mainly for fun.Kind of, but not quite. It is enormously fun to be able to work with Rtm and Trevor again. I missed that after we sold Viaweb, and for all the years after I always had a background process running, looking for something we could do together. There is definitely an aspect of a band reunion to Y Combinator. Every couple days I slip and call it "Viaweb."Viaweb we started very explicitly to make money. I was sick of living from one freelance project to the next, and decided to just work as hard as I could till I'd made enough to solve the problem once and for all. Viaweb was sometimes fun, but it wasn't designed for fun, and mostly it wasn't. I'd be surprised if any startup is. All startups are mostly schleps.The real reason we started Y Combinator is neither selfish nor virtuous. We didn't start it mainly to make money; we have no idea what our average returns might be, and won't know for years. Nor did we start YC mainly to help out young would-be founders, though we do like the idea, and comfort ourselves occasionally with the thought that if all our investments tank, we will thus have been doing something unselfish. (It's oddly nondeterministic.)The real reason we started Y Combinator is one probably only a hacker would understand. We did it because it seems such a great hack. There are thousands of smart people who could start companies and don't, and with a relatively small amount of force applied at just the right place, we can spring on the world a stream of new startups that might otherwise not have existed.In a way this is virtuous, because I think startups are a good thing. But really what motivates us is the completely amoral desire that would motivate any hacker who looked at some complex device and realized that with a tiny tweak he could make it run more efficiently. In this case, the device is the world's economy, which fortunately happens to be open source.
https://github.com/Namacha411/typst-template
https://raw.githubusercontent.com/Namacha411/typst-template/master/main.typ
typst
Apache License 2.0
#import "template.typ": * #show: project.with( title: "タイトル", authors: ( "山田 太郎", ), date: "2024/01/06" ) = サンプル == 文章 #lorem(60) @crazy-rich @quantized-vortex == 図 サンプル図を @img に示す。 #figure( image("assets/graph.png"), caption: [グラフ] ) <img> == 表 #figure( table( columns: (auto, 1fr, 1fr, 1fr, 1fr, 1fr), align: horizon, [], [月曜日], [火曜日],[水曜日],[木曜日],[金曜日], "午前", "コンパイラ\n理論", text("オペレーティング\nシステム", 9pt), "コンピュータ\nネットワーク", text("オペレーティング\nシステム", 9pt), "コンピュータ\nネットワーク", "午後", "データ\nマイニング", "コンピュータ\nネットワーク", text("オペレーティング\nシステム", 9pt), "コンピュータ\nネットワーク", "分散システム" ), caption: "サンプル表" ) == プログラム #figure( ```c #include <stdio.h> int main() { // printf関数の使用例 printf("Hello, World!"); return 0; } ```, caption: "C言語でのHelloWorld" ) #bibliography("bibliography.yml")
https://github.com/typst-community/glossarium
https://raw.githubusercontent.com/typst-community/glossarium/master/examples/groups/groups.typ
typst
MIT License
#import "../../glossarium.typ": make-glossary, register-glossary, print-glossary, gls, glspl // Replace the local import with a import to the preview namespace. // If you don't know what that mean, please go read typst documentation on how to import packages at https://typst.app/docs/packages/. #show: make-glossary #let entry-list = ( ( key: "ntc", short: "NTC", long: "Linear Transform Coding", description: [This is the opposite of @ltc.], group: "Nonlinear", ), ( key: "ltc", short: "LTC", long: "This is the opposite of @ltc.", description: [Transform Coding constraint to linear transforms.], group: "Linear", ), ( key: "bor", short: "DEF", long: "Default", description: lorem(25), ), ( key: "bor2", short: "DEF2", long: "Default2", description: lorem(25), group: "", // Please note that an empty group has the same effect as no group ), ) #register-glossary(entry-list) #set page(paper: "a5") //I recommend setting a show rule for the links to that your reader understand that they can click on the references to go to the term in the glossary. #show link: set text(fill: blue.darken(60%)) = Groups example Reference to @ntc \ Reference to @bor #pagebreak() = Glossary with group enabled #print-glossary( entry-list, show-all: true, )
https://github.com/bogdan-nikitin/os-signal
https://raw.githubusercontent.com/bogdan-nikitin/os-signal/master/main.typ
typst
#let indent = 2em #let no-indent(body) = { set par(first-line-indent: 0em) [#body] set par(first-line-indent: indent) } #set text(lang: "ru") #set page(numbering: "1") #set par( first-line-indent: indent, justify: true, ) #show par: set block(spacing: 0.65em) = Сигналы в Linux <NAME>, M3236 = Введение _Сигнал_ - это уведомление для процесса о том, что произошло событие. Сигналы иногда описываются как _программные прерывания_. Сигналы аналогичны аппаратным прерываниям в том смысле, что они прерывают нормальный ход выполнения программы, и в большинстве случаев невозможно точно предсказать, когда сигнал поступит. Один процесс может (если у него есть подходящие разрешения) отправлять сигнал другому процессу. В этом случае сигналы могут использоваться в качестве техники синхронизации или даже как примитивной формы межпроцессного взаимодействия (IPC). Также возможно отправление процессом сигнала самому себе. Однако обычным источником многих сигналов, отправляемых процессу, является ядро. Среди типов событий, вызывающих генерацию ядром сигнала для процесса, могут быть следующие: - Произошло аппаратное исключение, что означает, что аппаратное обеспечение зафиксировало неверное состояние и оповестила об этом ядро, которое в свою очередь отправило соответствующий сигнал затронутому процессу. Примерами аппаратного исключения могут быть выполнение ошибочной машинной инструкции, деление на 0 или обращение к недоступному участку памяти. - Пользователь ввел один из специальных символов терминала, которые генерируют сигналы. К таким символам относятся символ _прерывания_ (обычно `Control-C`) и символ _приостановки_ (обычно `Control-Z`). - Произошло программное событие. Например, появился ввод на файловом дескрипторе, изменен размер окна терминала, сработал таймер, превышено временное ограничение ЦП или завершился дочерний процесс. Каждый сигнал определен как целое число. Фактические числа, используемые для каждого сигнала, различаются в различных реализациях, поэтому в программах используются соотвествующие константы с именами вида `SIGxxx`, определённые в `<signal.h>` (как и все функции, использующиеся при работе с сигналами). Например, когда пользователь вводит символ _прерывания_, сигнал `SIGINT` (номер сигнала 2) поступает в процесс. Сигналы делятся на две большие категории. Первый набор составляют _традиционные_ или _стандартные_ сигналы, которые используются ядром для уведомления процессов о событиях. На Linux стандартные сигналы нумеруются от 1 до 31. Другой набор сигналов состоит из сигналов _реального времени_, которые будут описаны позже. Передача сигнала в ядре делится на две фазы: #no-indent[*Генерация сигнала*] Ядро обновляет структуру данных процесса-получателя, чтобы отразить тот факт, что новый сигнал был отправлен. #no-indent[*Доставка сигнала*] Ядро заставляет процесс-получатель реагировать на сигнал, изменяя его состояние выполнения, начиная выполнение указанного обработчика сигнала или и того, и другого. #v(1em) = Ожидающие сигналы и маска сигналов Сигнал может быть _заблокирован_, что означает, что он не будет доставлен, пока его позже не разблокируют. Между моментом его генерации и моментом доставки сигнала говорят, что сигнал в _состоянии ожидания_. У каждого потока в процессе есть независимая маска сигналов, которая указывает набор сигналов, которые в данный момент заблокированы для потока. Поток может управлять своей маской сигналов, используя `pthread_sigmask`. В традиционном однопоточном приложении можно использовать `sigprocmask` для управления маской сигналов. Дочерний процесс, созданный с помощью `fork`, наследует копию маски сигналов своего родителя; маска сигналов сохраняется при использовании `execve`. Сигнал может быть сгенерирован (а значит и стать ожидающим) как для всего процесса (например, при отправке с помощью `kill`) так и для отдельного потока (например, некоторые сигналы, такие как `SIGSEGV` и `SIGFPE`, сгенерированные в следствии выполнения определённой инструкции процессора в самом потоке, или сигналы, направленные определённому потоку с помощью `pthread_kill`). Направленный процессу сигнал может быть доставлен в любой из потоков, у которых сигнал не заблокирован. Если имеется несколько таких потоков, то ядро выбирает произвольный поток, которой и доставит сигнал. Поток может получить набор сигналов, которые в данный момент находятся в состоянии ожидания, используя вызов `sigpending`. Этот набор будет состоять из объединения набора ожидающих сигналов, направленных процессу, и набора ожидающих сигналов для вызвавшего потока. Потомок, созданный с помощью `fork`, изначально имеет пустой набор ожидающих сигналов; набор ожидающих сигналов сохраняется при использовании `execve`. = Диспозиция сигналов Каждый сигнал имеет текущий _обработчик_, который определяет, что будет делать процесс при поступлении сигнала. В таблицах далее есть столбец «Действие», в котором указан обработчик по умолчанию для каждого сигнала: #no-indent[*Term*] Процесс завершается (убивается). #no-indent[*Ign*] Сигнал игнорируется. #no-indent[*Core*] Процесс завершается (убивается), и, если возможно, создается файл ядра, содержащий его контекст выполнения; этот файл может использоваться в целях отладки. #no-indent[*Stop*] Процесс останавливается #no-indent[*Cont*] Если процесс был остановлен, его выполнение возобновляется #v(1em) Процесс может изменить обработчик сигнала с помощью `sigaction` или `signal` (второй вызов менее портируемый на другие системы, поэтому рекомендуется использовать первый). Используя данные системные вызовы процесс может выбрать одно из следующих действий при получении сигнала: выполнить действие по умолчанию, игнорировать сигнал, поймать сигнал обработчиком сигнала — функцией, задаваемой программистом, которая автоматически вызывается при получении сигнала (по умолчанию обработчик сигнала использует обычный стек процесса. Возможно сделать так, чтобы обработчик сигнала использовал альтернативный стек; это делается с помощью `sigaltstack` и может быть полезно при обработке сигнала `SIGSEGV`, который возникает при нехватке свободного места в обычном стеке процесса). Реакция на сигналы является атрибутом процесса: в многопоточном приложении реакция на определённый сигнал одинакова для всех потоков. Потомок, созданный с помощью `fork`, наследует реакцию на сигналы от своего родителя. При `execve` реакция на сигналы устанавливается в значение по умолчанию; реакция на игнорируемые сигналы не изменяется. = Отправка сигнала Для отправки сигнала можно использовать следующие системные вызовы и библиотечные функции: #no-indent[`raise`] Посылает сигнал вызвавшему потоку. #no-indent[`kill`] Посылает сигнал указанному процессу, всем членам указанной группы процессов или всем процессам в системе. #no-indent[`killpg`] Посылает сигнал всем членам указанной группы процессов. #no-indent[`pthread_kill`] Посылает сигнал указанному потоку в том же процессе, что и вызывающий. #no-indent[`tgkill`] Посылает сигнал указанному потоку в указанном процессе (данный системный вызов используется в реализации `pthread_kill`). #no-indent[`sigqueue`] Посылает сигнал реального времени указанному процессу с сопроводительными данными. = Ожидание сигнала для обработки Следующие системные вызовы приостанавливают выполнение вызывающего процесса или нити до тех пор, пока не будет пойман сигнал (или необработанный сигнал не завершит процесс): #no-indent[`pause`] Приостанавливает выполнение до тех пор, пока не будет пойман любой сигнал. #no-indent[`sigsuspend`] Временно изменяет маску сигналов и приостанавливает выполнение до получения одного из незамаскированных сигналов. = Синхронный приём сигнала В отличие от асинхронного получения сигнала через обработчик, возможно синхронно получить сигнал, то есть блокировать выполнение до поступления сигнала в некоторой точке, в которой ядро вернёт информацию о сигнале вызывающему. Для этого существует два пути: - С помощью `sigwaitinfo`, `sigtimedwait` и `sigwait`. Они приостанавливают выполнение до поступления одного из заданного набора сигналов. Каждый из этих вызовов возвращает информацию о полученном сигнале. - С помощью `signalfd`. Данный вызов возвращает файловый дескриптор, который можно использовать для чтения информации о сигналах, доставляемых вызывающему. Каждое выполнение `read` с этим файловым дескриптором блокируется до тех пор, пока один из сигналов набора, указанного в вызове `signalfd`, не будет послан вызывающему. В возвращаемом `read` буфере содержится структура, описывающая сигнал. = Исполнение обработчиков сигналов Всякий раз, когда происходит переход из режима ядра в режим пользователя (например, при возврате из системного вызова или планировании выполнения потока на процессоре), ядро проверяет, есть ли ожидающий незаблокированный сигнал, для которого процесс установил обработчик сигнала. Если такой сигнал существует, выполняются следующие шаги: + Ядро выполняет необходимые подготовительные шаги для выполнения обработчика сигнала: + Сигнал удаляется из набора ожидающих сигналов. + Если обработчик сигнала был установлен вызовом `sigaction` с установленным флагом `SA_ONSTACK`, и поток определил альтернативный стек сигналов (с использованием `sigaltstack`), то этот стек устанавливается. + Различные части контекста, связанные с сигналом, сохраняются в специальном фрейме, созданном в стеке. Сохраненная информация включает в себя: - регистр счетчика программы (адрес следующей инструкции в основной программе, которая должна выполниться при возврате из обработчика сигнала); - архитектурно-специфичное состояние регистров, необходимое для возобновления прерванной программы; - текущую маску сигналов потока; - настройки альтернативного стека сигналов потока. (Если обработчик сигнала был установлен с использованием флага `SA_SIGINFO` в `sigaction`, то вышеуказанная информация доступна через объект `ucontext_t`, на который указывает третий аргумент обработчика сигнала.) + Любые сигналы, указанные в `act->sa_mask` при регистрации обработчика с использованием `sigprocmask`, добавляются в маску сигналов потока. Сигнал, который доставляется, также добавляется в маску сигналов, если при регистрации обработчика не указан флаг `SA_NODEFER`. Эти сигналы блокируются во время выполнения обработчика. Если рассматривать функции, вызываемые в ядре, то порядок выполнения следующий: Прямо перед возвращением в режим пользователя ядро выполняет функцию `do_signal()`, которая, в свою очередь, обрабатывает сигнал (вызывая функцию `handle_signal()`) и настраивает стек режима пользователя (вызывая функцию `setup_frame()` или `setup_rt_frame()`). + Когда процесс снова переключается в режим пользователя, он начинает выполнение обработчика сигнала, потому что адрес начала обработчика был принудительно установлен в счетчик программы. + Когда эта функция завершается, выполняется участок кода пространства пользователя, называемый _трамплин сигнала_, адрес которого был размещен на стеке режима пользователя функцией `setup_frame()` или `setup_rt_frame()`. + Этот код вызывает системный вызов `sigreturn()` или `rt_sigreturn()`; соответствующие служебные процедуры копируют аппаратный контекст программы в стек режима ядра и восстанавливают стек режима пользователя в его исходное состояние (вызывая функцию `restore_sigcontext()`). После завершения системного вызова программа может таким образом продолжить свое выполнение. #figure( image("assets/1.png"), caption: [Обработка сигнала], ) Если обработчик сигнала не возвращает управление (например, управление передается из обработчика с использованием `siglongjmp` или обработчик выполняет новую программу с `execve`), то последний шаг не выполняется. В частности, в таких сценариях ответственность за восстановление состояния маски сигналов (с использованием `sigprocmask`) лежит на программисте. (стоит отметить, что `siglongjmp` восстанавливает маску сигналов в зависимости от значения `savesigs`, указанного в соответствующем вызове `sigsetjmp`) С точки зрения ядра, выполнение кода обработчика сигнала точно такое же, как выполнение любого другого кода пространства пользователя. Другими словами, ядро не записывает никакой специальной информации о состоянии, указывающей, что поток в данный момент выполняет код обработчика сигнала. Все необходимые сведения о состоянии сохраняются в регистрах пространства пользователя и стеке пространства пользователя. Глубина, на которую могут быть вложены обработчики сигналов, ограничена только стеком пространства пользователя. = Стандартные сигналы Linux поддерживает следующие сигналы: #table( columns: (auto, auto, auto), [*Сигнал*], [*Действие*], [*Пояснение*], [`SIGABRT`], [Core], [Сигнал аварийного завершения от `abort`], [`SIGALRM`], [Term], [Таймерный сигнал от `alarm`], [`SIGBUS`], [Core], [Ошибка шины (недопустимый доступ к памяти)], [`SIGCHLD`], [Ign], [Дочерний процесс остановлен или завершен], [`SIGCLD`], [Ign], [Синоним для `SIGCHLD`], [`SIGCONT`], [Cont], [Продолжить, если остановлен], [`SIGEMT`], [Term], [Ловушка эмулятора], [`SIGFPE`], [Core], [Ошибочная арифметическая операция], [`SIGHUP`], [Term], [Обнаружен отсоединенный терминал или завершение контролирующего процесса], [`SIGILL`], [Core], [Недопустимая инструкция], [`SIGINFO`], [], [Синоним для `SIGPWR`], [`SIGINT`], [Term], [Прерывание с клавиатуры], [`SIGIO`], [Term], [I/O теперь возможен], [`SIGIOT`], [Core], [IOT-ловушка. Синоним для `SIGABRT`], [`SIGKILL`], [Term], [Убийство процесса], [`SIGLOST`], [Term], [Потеряна блокировка файла (неиспользуется)], [`SIGPIPE`], [Term], [Сломанный конвеер (pipe): запись в конвеер без читателей], [`SIGPOLL`], [Term], [Событие опроса; синоним для `SIGIO`], [`SIGPROF`], [Term], [Истек срок действия таймера профилирования], [`SIGPWR`], [Term], [Сбой питания], [`SIGQUIT`], [Core], [Выход с клавиатуры], [`SIGSEGV`], [Core], [Недопустимая ссылка на память], [`SIGSTKFLT`], [Term], [Ошибка стека на сопроцессоре (неиспользуется)], [`SIGSTOP`], [Stop], [Остановить процесс], [`SIGTSTP`], [Stop], [Остановить, набрано на терминале], [`SIGSYS`], [Core], [Неверный системный вызов], [`SIGTERM`], [Term], [Сигнал завершения], [`SIGTRAP`], [Core], [Ловушка трассировки/точки останова], [`SIGTTIN`], [Stop], [Ввод с терминала для фонового процесса], [`SIGTTOU`], [Stop], [Вывод на терминал для фонового процесса], [`SIGUNUSED`], [Core], [Синоним для `SIGSYS`], [`SIGURG`], [Ign], [На сокете появились доступные для чтения срочные данные], [`SIGUSR1`], [Term], [Пользовательский сигнал 1], [`SIGUSR2`], [Term], [Пользовательский сигнал 2], [`SIGVTALRM`], [Term], [Виртуальные будильник], [`SIGXCPU`], [Core], [Превышено время CPU], [`SIGXFSZ`], [Core], [Превышен размер файла], [`SIGWINCH`], [Ign], [Сигнал изменения размера окна] ) Сигналы `SIGKILL` и `SIGSTOP` нельзя перехватывать, блокировать или игнорировать. Сигналы `SIGBUS`, `SIGFPE`, `SIGILL` и `SIGSEGV` могут быть сгенерированы вследствие аппаратного исключения или, что реже, путем отправки через функцию `kill`. В случае аппаратного исключения поведение процесса неопределено, если выполняется возврат из обработчика сигнала или если он блокирует или игнорирует сигнал. Для этого есть следующие причины: - _Возврат из обработчика сигнала_. Предположим, что некоторый машинный код генерирует один из перечисленных сигналов, следовательно, инициируется обработчик. При нормальном возврате из обработчика программа пытается возобновить выполнение с той точки, в которой она была прервана. Однако это и есть та самая инструкция, которая сгенерировала сигнал, следовательно, сигнал генерируется повторно. Последствием такого поведения обычно является то, что программа уходит в бесконечный цикл, вновь и вновь вызывая обработчик сигнала. - _Игнорирование сигнала_. В игнорировании аппаратно генерируемого сигнала очень мало смысла, так как непонятно, каким образом программа должна продолжать выполнение в случае, например, арифметического исключения. При генерации одного из вышеперечисленных сигналов в результате аппаратного исключения Linux доставляет этот сигнал в программу, даже несмотря на инструкцию игнорировать такие сигналы. - _Блокирование сигнала_. Как и в предыдущем случае, в блокировании сигнала очень мало смысла, так как непонятно, каким образом программа должна продолжать выполнение. В Linux 2.4 и более ранних версиях ядро просто игнорирует попытки заблокировать аппаратно генерируемый сигнал. Он доставляется в процесс в любом случае, а затем либо завершает процесс, либо перехватывается обработчиком, если таковой был установлен. Начиная с Linux 2.6, если сигнал заблокирован, то процесс всегда незамедлительно аварийно завершается этим сигналом, даже если для процесса установлен обработчик данного сигнала. (Причина такого кардинального изменения в Linux 2.6 по части обработки заблокированных аппаратно генерируемых сигналов в скрытых ошибках поведения Linux 2.4, которые могли приводить к полному зависанию распоточенных программ.) Правильным способом работы с аппаратно генерируемыми сигналами является либо принятие их действия по умолчанию (завершение процесса), либо написание обработчиков, которые не выполняют нормальный возврат. Вместо выполнения нормального возврата обработчик может завершить выполнение вызовом функции `_exit()` иля завершения процесса либо вызовом функции `siglongjump` для гарантии того, что управление передается в некую точку программы, отличную от инструкции, вызвавшей генерацию сигнала. = Очередность и семантика доставки стандартных сигналов Если несколько стандартных сигналов ожидают выполнения для процесса, порядок, в котором они будут доставлены, не определен. Стандартные сигналы не образуют очередь. Если несколько экземпляров стандартного сигнала генерируются в то время, когда этот сигнал заблокирован, то только один экземпляр сигнала помечается как ожидающий (и сигнал будет доставлен только один раз при его разблокировке). В случае, когда стандартный сигнал уже ожидается, структура `siginfo_t`, связанная с этим сигналом, не перезаписывается при поступлении последующих экземпляров того же сигнала. Таким образом, процесс получит информацию, связанную с первым экземпляром сигнала. = Сигналы реального времени Начиная с версии 2.2, Linux поддерживает сигналы реального времени. Диапазон поддерживаемых сигналов реального времени определяется макросами `SIGRTMIN` и `SIGRTMAX`. Ядро Linux поддерживает 33 таких сигнала, начиная с номера 32 до номера 64. Однако внутри реализации потоков POSIX в glibc используется два (для NPTL) или три (для LinuxThreads) сигнала реального времени, а значение `SIGRTMIN` корректируется должным образом (до 34 или 35). Так как диапазон доступных сигналов реального времени различается в зависимости от реализации потоков в glibc (и это может происходить во время выполнения при смене ядра и glibc), и, более того, так как диапазон сигналов реального времени различен в разных системах UNIX, то программы никогда не должны задавать сигналы реального времени по номерам, а вместо этого всегда должны записывать их в виде `SIGRTMIN+n` и выполнять проверку (во время выполнения), что `SIGRTMIN+n` не превышает `SIGRTMAX`. В отличие от стандартных сигналов, сигналы реального времени не имеют предопределенного назначения: весь набор сигналов реального времени приложения могут использовать так, как им нужно. Действием по умолчанию для необработанных сигналов реального времени является завершение процесса (*Term*). Сигналы реального времени отличаются от обычных в следующем: + В очередь можно добавлять несколько экземпляров одного сигнала реального времени. В случае со стандартными сигналами, если доставляется несколько экземпляров сигнала, в то время как этот тип сигнала в данный момент заблокирован, то только один экземпляр будет добавлен в очередь. + Если сигнал отправляется с помощью `sigqueue`, то с сигналом может быть отправлено некоторое значение (целочисленное, либо указатель). Если принимающий процесс устанавливает обработчик для сигнала, используя флаг `SA_SIGINFO и `вызов `sigaction`, то он может получить это значение через поле `si_value` структуры `siginfo_t`, переданной обработчику в виде второго аргумента. Кроме этого, поля `si_pid` и `si_uid` данной структуры можно использовать для получения идентификатора процесса и реального идентификатора пользователя, отправившего сигнал. + Сигналы реального времени доставляются точно в порядке поступления. Несколько сигналов одного типа доставляются в порядке, определяемых их отправлением. Если процессу отправлено несколько разных сигналов реального времени, то порядок их доставки начинается с сигнала с наименьшим номером (то есть сигналы с наименьшим номером имеют наивысший приоритет). Порядок же для стандартных сигналов в такой ситуации не определён. Если процессу передан и стандартный сигнал, и сигнал реального времени, то в Linux, как и во многих других реализациях, первым будет получен стандартный сигнал. В ядрах до версии 2.6.7 включительно, Linux накладывает общесистемный лимит на количество сигналов режима реального времени в очереди для всех процессов. Этот лимит может быть получен и изменён (если есть права) через файл _/proc/sys/kernel/rtsig-max_. Текущее количество сигналов режима реального времени в очереди можно получить из файла _/proc/sys/kernel/rtsig-nr_. В Linux 2.6.8 данные интерфейсы _/proc_ были заменены на ограничение ресурса `RLIMIT_SIGPENDING`, которое устанавливает ограничение на очередь сигналов на каждого пользователя отдельно. Для дополнительных сигналов или сигналов реального времени требуется расширение структуры набора сигналов (`sigset_t`) с 32 до 64 бит. В связи с этим, различные системные вызовы заменены на новые системные вызов, поддерживающие набор сигналов большего размера. Эти вызовы соотвествуют старым, но имеют префикс `rt_`. = Сигналобезопасность _Асинхронно-сигналобезопасная_ функция - это функция, которую можно безопасно вызывать из обработчика сигнала. Многие функции _не_ являются асинхронно-сигналобезопасными. В частности, не реентерабельные функции, как правило, небезопасны для вызова из обработчика сигнала. Проблемы, которые делают функцию небезопасной, можно быстро понять, если рассмотреть реализацию библиотеки stdio, все функции которой не являются асинхронно-сигналобезопасными. При выполнении буферизованного ввода-вывода в файле функции _stdio_ должны поддерживать статически выделенный буфер данных вместе с соответствующими счетчиками и индексами (или указателями), которые записывают объем данных и текущую позицию в буфере. Предположим, что основная программа находится посередине вызова функции _stdio_, такой как `printf`, где буфер и связанные переменные были частично обновлены. Если в этот момент программа прерывается обработчиком сигнала, который также вызывает `printf`, то второй вызов `printf` будет работать с несогласованными данными, что приведет к непредсказуемым результатам. Чтобы избежать проблем с небезопасными функциями, существует два возможных варианта: + Убедиться, что (а) обработчик сигнала вызывает только асинхронно-сигналобезопасные функции, и (б) сам обработчик сигнала является реентерабельным относительно глобальных переменных в основной программе. + Заблокировать доставку сигнала в основной программе при вызове функций, которые являются небезопасными, или при работе с глобальными данными, которые также используются обработчиком сигнала. В общем случае второй вариант сложен в программах любой сложности, поэтому обычно выбирается первый вариант. В общем случае функция считается асинхронно-сигналобезопасной либо потому, что она реентерабельна, либо потому, что она атомарна относительно сигналов (т.е. ее выполнение не может быть прервано обработчиком сигнала). Согласно POSIX.1-2004 (также называемом POSIX.1-2001 Technical Corrigendum 2) от реализации требуется гарантировать, что следующие функции можно безопасно вызывать из обработчика сигнала: ```c _Exit() _exit() abort() accept() access() aio_error() aio_return() aio_suspend() alarm() bind() cfgetispeed() cfgetospeed() cfsetispeed() cfsetospeed() chdir() chmod() chown() clock_gettime() close() connect() creat() dup() dup2() execle() execve() fchmod() fchown() fcntl() fdatasync() fork() fpathconf() fstat() fsync() ftruncate() getegid() geteuid() getgid() getgroups() getpeername() getpgrp() getpid() getppid() getsockname() getsockopt() getuid() kill() link() listen() lseek() lstat() mkdir() mkfifo() open() pathconf() pause() pipe() poll() posix_trace_event() pselect() raise() read() readlink() recv() recvfrom() recvmsg() rename() rmdir() select() sem_post() send() sendmsg() sendto() setgid() setpgid() setsid() setsockopt() setuid() shutdown() sigaction() sigaddset() sigdelset() sigemptyset() sigfillset() sigismember() signal() sigpause() sigpending() sigprocmask() sigqueue() sigset() sigsuspend() sleep() sockatmark() socket() socketpair() stat() symlink() sysconf() tcdrain() tcflow() tcflush() tcgetattr() tcgetpgrp() tcsendbreak() tcsetattr() tcsetpgrp() time() timer_getoverrun() timer_gettime() timer_settime() times() umask() uname() unlink() utime() wait() waitpid() write() ``` В POSIX.1-2008 из списка выше удалены функции `fpathconf()`, `pathconf()` и `sysconf()` и добавлены следующие: ```c execl() execv() faccessat() fchmodat() fchownat() fexecve() fstatat() futimens() linkat() mkdirat() mkfifoat() mknod() mknodat() openat() readlinkat() renameat() symlinkat() unlinkat() utimensat() utimes() ``` В POSIX.1-2008 Technical Corrigendum 1 (2013) добавлены следующие функции: ```c fchdir() pthread_kill() pthread_self() pthread_sigmask() ``` = Пример Ниже приведён пример простой программы на языке C, обрабатывающей в цикле сигнал `SIGINT`. #no-indent[#raw(read("assets/example1.c"), lang: "c")] #bibliography("bib.yml", full: true)
https://github.com/so298/typst-devcontainer-images
https://raw.githubusercontent.com/so298/typst-devcontainer-images/main/README.md
markdown
# DevContainer Images for typst ## Image list - `base`: Based on `mcr.microsoft.com/vscode/devcontainers/base:debian`, add typst binary. - `extra-fonts`: Based on `base`, add extra fonts. - `bare-extra-fonts`: Based on `debian:bookworm-slim`, add typst binary and extra fonts. ## Build images At the root of this repository, run the following command to build images: ```bash docker build -t typst-devcontainer:base -f src/base/Dockerfile . docker build -t typst-devcontainer:extra-fonts -f src/extra-fonts/Dockerfile . docker build -t typst-devcontainer:bare-extra-fonts -f src/bare-extra-fonts/Dockerfile . ```
https://github.com/iceghost/resume
https://raw.githubusercontent.com/iceghost/resume/main/3-activities.typ
typst
== Activities #block[ === Teaching Assistant #h(1fr) \@ HCMUT #box[ / Language: C++. ] #h(1fr) Oct 2022 - _current_ I was in charge of three lab courses: Intro to Computing, Programming Fundamentals and Data Structures and Algorithms. In these courses, I helped students learn the basics of computing and programming, as well as more advanced topics like data structures and algorithms. ] #block[ === Volunteer #h(1fr) \@ <NAME> #box[ / Academic Subject: Calculus. ] #h(1fr) Dec 2020 - Dec 2021 As a member of the Department of Academics and later Head of Academics, I helped HCMUT students learn Calculus by organizing study sessions, mock exams, and managing online resources. ]
https://github.com/falkaer/resume
https://raw.githubusercontent.com/falkaer/resume/main/main.typ
typst
MIT License
#import "style.typ": * // icons are from https://simpleicons.org and https://feathericons.com // phone/email obscured from crawlers, idk if it really matters #let codes2str(codes) = codes.map(str.from-unicode).sum() #let email_codepoints = ( 107, 101, 110, 110, 121, 64, 102, 97, 108, 107, 97, 101, 114, 46, 105, 111, ) #let phone_codepoints = (43, 52, 53, 32, 50, 48, 32, 51, 52, 32, 52, 54, 32, 48, 50) #let email = codes2str(email_codepoints) #let phone = codes2str(phone_codepoints) #let author = "<NAME>" #let github = "falkaer" #let linkedin = "falkaer" #let website = "falkaer.io" #show: setup.with(author: "<NAME>") // #show link: set text(fill: heading_color) // #show link: underline.with(stroke: heading_color, background: ) #show link: underline // #show link: it => { // underline(it.body) // } // Header #grid( columns: (auto, 1fr), align(top + left)[ #set block(spacing: 0.5em) #text(author, size: 2.5em) ], align(right + top)[ #set block(below: 0.5em) #link("https://github.com/" + github, )[#icontext("icons/github.svg", "github.com/" + github)] #link("mailto:" + email)[#icontext("icons/email.svg", email)] #link("tel:" + phone)[#icontext("icons/phone.svg", phone)] #link("https://" + website)[#icontext("icons/globe.svg", website)] ] ) = Experiences #experience( "Industrial Ph.D. student", "Technical University of Denmark & WS Audiology", datetime(year: 2023, month: 9, day: 1), none, ) I am pursuing an industrial Ph.D. at DTU Cognitive Systems with WS Audiology focused on real-time neural speech enhancement for use in hearing aids through audio-specific representation learning, self-supervised learning, and compute- and latency-aware network design. At the moment I am working on linear RNNs for lightweight speech enhancement, real-time neural network inference, and time-warped loss functions. #experience( "Machine learning engineer", "WS Audiology", datetime(year: 2022, month: 12, day: 1), datetime(year: 2023, month: 9, day: 1), ) I previously worked full-time in the R&D department at WS Audiology in Lynge, Denmark as part of an AI accelerator team researching novel ways to use machine learning in hearing aids. I worked on adapting state-of-the-art deep learning for speech enhancement to edge devices. #experience( "Student machine learning engineer", "Moodagent", datetime(year: 2019, month: 6, day: 1), datetime(year: 2022, month: 3, day: 1), ) I worked in a student position on the machine learning team at Moodagent and mostly worked on representation learning and semantic similarity search on music data. #experience( "Teaching assistant at DTU Compute", "Technical University of Denmark", datetime(year: 2017, month: 9, day: 1), datetime(year: 2019, month: 6, day: 1), ) I was a teaching assistant in the courses 02101 Introductory Programming and 02807 Computational Tools for Data Science several times. = Projects #experience( "Locally adaptive kernel density estimation", "Technical University of Denmark", datetime(year: 2020, month: 9, day: 1), datetime(year: 2022, month: 7, day: 1), ) Academic side-project starting as a special course on extending kernel density estimation (KDE) to a fully Bayesian setting. The work later expanded, and I developed a framework for learning locally adaptive full-covariance kernels in KDE and implemented high-performance compute kernels to speed the model up significantly. Presented at AISTATS 2024 and published in PMLR #cite( <pmlr-v238-olsen24a>). = Education #experience( "M.Sc. Mathematical modelling and computing", "Technical University of Denmark", datetime(year: 2020, month: 1, day: 1), datetime(year: 2022, month: 9, day: 1), ) #experience( "B.Sc. Software technology", "Technical University of Denmark", datetime(year: 2016, month: 9, day: 1), datetime(year: 2019, month: 12, day: 1), ) // TODO: use datetime.today to set a "last updated" // do it in header/footer? = Skills & interests - *Programming*: Experienced with Python (incl. PyTorch internals), C/C++, Rust, Julia, and GPGPU programming (CUDA and OpenAI Triton). Highly interested in applying systems programming to machine learning. - *Mathematics*: Experienced with variational inference and functional analysis. Interested in applying ideas from signal processing and functional analysis to machine learning. - *Personal*: Fluent in Danish and English. I live in Copenhagen and spend my time hanging out with friends, bouldering, watching obscure movies, and tinkering with electronics. May convince you to use Linux. // TODO: add generative art to personal when I actually post it some day #bibliography("refs.bib", title: "References")
https://github.com/yanwenywan/typst-packages
https://raw.githubusercontent.com/yanwenywan/typst-packages/master/dndstatblock/0.1.0/template/main.typ
typst
Apache License 2.0
// ========================================== #import "@preview/dndstatblock:0.1.0": * #show: conf.with( header_left: "Typst Monster statblocks", header_right: "Sample document", footertext: [--Yanwenyuan--] ) // ========================================== #statheading("Snakecaller Acolyte", desc: "Medium humanoid, neutral evil") #mainstats(ac: "10 (natural armour)", hp_dice: "2d8") #ability(10, 10, 11, 10, 14, 11) #skill("Skills", [Insight +4, Persuasion +2, Religion +2]) \ #skill("Senses", [Passive perception 12]) \ #skill("Languages", [Common, Snake-tongue]) \ #skill("Challenge", challenge(1)) #stroke() === Dark Devotion The snakecaller acolyte has advantage on saving throws against being charmed or frightened. === Speak with Snakes A snakecaller acolyte can speak with snakes within 30 ft., and can utter a one word command as an action. The snake must obey unless it would directly hurt itself. === Titanic Might As a bonus action, a snakecaller acolye can expend a spell slot to cause its melee weapon attacks to magically deal an extra #dice("3d6") poison damage to a target on hit. This benefit lasts until the end of the turn. === Spellcasting A cult acolyte is a 2nd level spellcaster. Its spellcasting ability is wisdom (spell save DC 12, +4 to hit with spell attacks). It has the following spells prepared: Cantrips (at will): _guidance, light, thaumaturgy_\ 1st level (3 slots): _bane, cure wounds, guiding bolt, sanctuary_ == Actions === Poison Dagger _Melee weapon attack:_ +2 to hit, reach 5 ft., one target. Hit: #dice("1d4") piercing damage. On a hit, the target must make a constitution saving throw (DC 12) and on a fail be poisoned. _Adapted from: Cult Acolyte_
https://github.com/abzrg/gre_learning
https://raw.githubusercontent.com/abzrg/gre_learning/master/synonyms/syns.typ
typst
// Variables #let TextFont = "Times New Roman" #let TitleFont = "Times New Roman" #let HeadingFont = "Times New Roman" // #let IPAFont = "CMU Typewriter Text Variable Width" #let IPAFont = "Times New Roman" // #let AccentColor = rgb("#0f0f70") #let AccentColor = maroon // Title and page settings ---------------------------------------------------- #set text(font: (TextFont), size: 10pt) #set page( paper: "a4", background: image( "./img/bryan-walker-v-IkXXcQ0Eo-unsplash.jpg", fit: "stretch", width: 100%, height: 100%, ), margin: 2.5in, ) #align( center, text( 30pt, stroke: 0.1pt + aqua, fill: gradient.linear(..color.map.viridis), )[ #text( font: TitleFont, )[ *GregMat #highlight( bottom-edge: "baseline", fill: rgb(10, 10, 10, 10%), stroke: 5pt + black, extent: 3pt, )[#text(fill: yellow, style: "italic")[Synonym]] #text(fill: gradient.linear(..color.map.viridis))[Mountain]* \ #v(5pt) #text( font: TitleFont, stroke: none, fill: gradient.linear(white, black, angle: 24deg), size: 15pt, )[#rotate(24deg)[*<NAME>*]] #v(-10pt) ] ], ) #align( bottom + center, )[#text( fill: white, )[#highlight(fill: yellow)[#text(fill: black)[Image: ]]#link( "https://unsplash.com/photos/aerial-photo-of-black-train-during-daytime-v-IkXXcQ0Eo", )[#highlight(fill: maroon)[<NAME>]]]] #set par(justify: true) #set page(margin: 2in, background: none) #align( left + horizon, )[ #box( width: 300pt, fill: rgb(1, 1, 1, 20%), inset: 50pt, )[ #text( fill: black, )[The synonyms in this file are all collected from the Google's dictionary ("_Similar_" words). There may be some mistakes in this document or you might want to add/remove/change some of the synonyms, or even add antonyms. If you found one or multiple mistakes, or you want to propose a change, please submit an issue to #link("https://github.com/abzrg/gre_learning")[#text(fill: black)[*this*]] repository. ] ] ] #set page( paper: "a4", // header: align(left)[ // Writing Samples // ], margin: 1.5in, background: none, ) #set par(justify: true) // Table of contents ---------------------------------------------------------- // #set heading(numbering: "1.1") #show outline.entry.where(level: 1): it => { v(12pt, weak: true) strong(it) } #outline(title: [#text(size: 35pt)[Groups]], depth: 2, indent: auto) #show heading: it => [ #set align(center) #set text(18pt, weight: "regular", fill: AccentColor, font: HeadingFont) #block(smallcaps(it.body)) #v(10pt) ] // #text(font: #IPAFont, fill: #AccentColor)[əˈbaʊnd]/ #set page(columns: 2, numbering: "1", margin: 0.5in) #pagebreak() = *Group 1* - *abound*: /#text(font: IPAFont, fill: AccentColor)[əˈbaʊnd]/ be plentiful, be abundant, be numerous, proliferate, superabound, thrive, flourish, be thick on the ground, grow on trees, be two/ten a penny, abundant, plentiful, superabundant, considerable, copious, ample, lavish, luxuriant, profuse, boundless, munificent, bountiful, prolific, inexhaustible, generous, galore, plenteous - *amorphous*: /#text(font: IPAFont, fill: AccentColor)[əˈmɔː.fəs]/ shapeless, formless, unformed, unshaped, structureless, unstructured, indeterminate, indefinite, vague, nebulous - *austere*: /#text(font: IPAFont, fill: AccentColor)[ɔːˈstɪər]/ severe, stern, strict, harsh, unfeeling, stony, steely, flinty, dour, grim, cold, frosty, frigid, icy, chilly, unemotional, unfriendly, formal, stiff, stuffy, reserved, remote, distant, aloof, forbidding, mean-looking, grave, solemn, serious, unsmiling, unsympathetic, unforgiving, uncharitable, hard, rigorous, stringent, unyielding, unbending, unrelenting, inflexible, illiberal, no-nonsense, hard-boiled, hard-nosed, solid - *belie*: /#text(font: IPAFont, fill: AccentColor)[bɪˈlaɪ]/ contradict, be at odds with, call into question, give the lie to, show/prove to be false, disprove, debunk, discredit, explode, knock the bottom out of, shoot full of holes, shoot down (in flames), controvert, confute, negative, conceal, cover, disguise, misrepresent, falsify, distort, warp, put a spin on, colour, give a false idea of, give a false account of - *capricious*: /#text(font: IPAFont, fill: AccentColor)[kəˈprɪʃ.əs]/ fickle, inconstant, changeable, variable, unstable, mercurial, volatile, erratic, vacillating, irregular, inconsistent, fitful, arbitrary, impulsive, temperamental, wild, ungovernable, whimsical, fanciful, flighty, wayward, quirky, faddish, freakish, unpredictable, random, chance, haphazard - *cerebral*: /#text(font: IPAFont, fill: AccentColor)[ˈser.ə.brəl]/ - *congenial*: /#text(font: IPAFont, fill: AccentColor)[kənˈdʒiː.ni.əl]/ like-minded, compatible, kindred, well suited, easy to get along with, companionable, sociable, sympathetic, comradely, convivial, neighbourly, hospitable, genial, personable, agreeable, friendly, pleasant, likeable, kindly, pleasing, amiable, nice, good-natured, sympathique, simpatico - *conspicuous*: /#text(font: IPAFont, fill: AccentColor)[kənˈspɪk.ju.əs]/ easily seen, clear, visible, clearly visible, standing out, noticeable, observable, discernible, perceptible, perceivable, detectable, obvious, manifest, evident, apparent, marked, pronounced, prominent, outstanding, patent, crystal clear, as clear as crystal, vivid, striking, dramatic, eye-catching, flagrant, ostentatious, overt, blatant, as plain as a pikestaff, staring one in the face, writ large, as plain as day, distinct, recognizable, distinguishable, unmistakable, inescapable, standing/sticking out a mile - *cursory*: /#text(font: IPAFont, fill: AccentColor)[ˈkɜː.sər.i]/ perfunctory, desultory, casual, superficial, token, uninterested, half-hearted, inattentive, unthinking, offhand, mechanical, automatic, routine, hasty, quick, hurried, rapid, brief, passing, fleeting, summary, sketchy, careless, slapdash - *daunting*: /#text(font: IPAFont, fill: AccentColor)[ˈdɔːn.tɪŋ]/ intimidating, formidable, disconcerting, unnerving, unsettling, dismaying, discouraging, disheartening, dispiriting, demoralizing, forbidding, ominous, awesome, frightening, fearsome, mean-looking, challenging, taxing, exacting - *deify*: /#text(font: IPAFont, fill: AccentColor)[ˈdeɪ.ɪ.faɪ]/ worship, revere, venerate, reverence, hold sacred, pay homage to, extol, exalt, adore, immortalize, divinize, idolize, apotheosize, lionize, hero-worship, idealize, glorify, aggrandize, put on a pedestal - *didactic*: /#text(font: IPAFont, fill: AccentColor)[daɪˈdæk.tɪk]/ instructive, instructional, educational, educative, informative, informational, doctrinal, preceptive, teaching, pedagogic, academic, scholastic, tuitional, edifying, improving, enlightening, illuminating, heuristic, pedantic, moralistic, homiletic, propaedeutic - *disseminate*: /#text(font: IPAFont, fill: AccentColor)[dɪˈsem.ɪ.neɪt]/ spread, circulate, distribute, disperse, diffuse, proclaim, promulgate, propagate, publicize, communicate, pass on, make known, put about, dissipate, scatter, broadcast, put on the air/airwaves, publish, herald, trumpet, bruit abroad/about - *feasible*: /#text(font: IPAFont, fill: AccentColor)[ˈfiː.zə.bəl]/ practicable, practical, workable, achievable, attainable, realizable, viable, realistic, sensible, reasonable, within reason, useful, suitable, expedient, helpful, constructive, doable, earthly, accomplishable - *flout*: /#text(font: IPAFont, fill: AccentColor)[flaʊt]/ defy, refuse to obey, go against, rebel against, scorn, disdain, show contempt for, fly in the face of, thumb one's nose at, make a fool of, poke fun at, disobey, break, violate, fail to comply with, fail to observe, contravene, infringe, breach, commit a breach of, transgress against, ignore, disregard, set one's face against, kick against, cock a snook at, infract, set at naught - *homogeneous*: /#text(font: IPAFont, fill: AccentColor)[ˌhɒm.əˈdʒiː.ni.əs]/ similar, comparable, equivalent, like, analogous, corresponding, correspondent, parallel, matching, kindred, related, correlative, congruent, cognate - *humdrum*: /#text(font: IPAFont, fill: AccentColor)[ˈhʌm.drʌm]/ mundane, dull, dreary, boring, tedious, monotonous, banal, ho-hum, tiresome, wearisome, prosaic, unexciting, uninteresting, uneventful, unvarying, unvaried, unremarkable, repetitive, repetitious, routine, ordinary, everyday, day-to-day, quotidian, run-of-the-mill, commonplace, common, workaday, usual, pedestrian, customary, regular, normal, garden variety, typical, vanilla, plain vanilla, common or garden, banausic - *insipid*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈsɪp.ɪd]/ tasteless, flavourless, unflavoured, savourless, bland, weak, thin, watery, watered-down, unappetizing, unpalatable, wishy-washy, wersh - *loquacious*: /#text(font: IPAFont, fill: AccentColor)[ləˈkweɪ.ʃəs]/ talkative, garrulous, voluble, over-talkative, long-winded, wordy, verbose, profuse, prolix, effusive, gushing, rambling, communicative, chatty, gossipy, gossiping, chattering, chattery, babbling, blathering, gibbering, with the gift of the gab, yakking, big-mouthed, gabby, gassy, talky, multiloquent, multiloquous - *misanthropic*: /#text(font: IPAFont, fill: AccentColor)[ˌmɪs.ənˈθrɒp.ɪk]/ - *misnomer*: /#text(font: IPAFont, fill: AccentColor)[ˌmɪsˈnəʊ.mər]/ - *negligent*: /#text(font: IPAFont, fill: AccentColor)[ˈneɡ.lɪ.dʒənt]/ careless, failing to take proper care, remiss, neglectful, lax, irresponsible, inattentive, heedless, thoughtless, unmindful, forgetful, slack, sloppy, slapdash, slipshod, derelict, barratrous, delinquent, disregardful, inadvertent, oscitant - *obsequious*: /#text(font: IPAFont, fill: AccentColor)[əbˈsiː.kwi.əs]/ servile, ingratiating, unctuous, sycophantic, fawning, toadying, oily, oleaginous, greasy, grovelling, cringing, toadyish, sycophantish, subservient, submissive, slavish, abject, Uriah Heepish, slimy, bootlicking, smarmy, sucky, soapy, brown-nosing - *placate*: /#text(font: IPAFont, fill: AccentColor)[pləˈkeɪt]/ pacify, calm, calm down, appease, mollify, soothe, win over, quiet, conciliate, propitiate, make peace with, humour, pour oil on troubled waters, quieten (down), square someone off - *proclivity*: /#text(font: IPAFont, fill: AccentColor)[prəˈklɪv.ə.ti]/ liking, inclination, tendency, leaning, disposition, propensity, bent, bias, penchant, predisposition, predilection, partiality, preference, taste, fondness, weakness, proneness, velleity - *puerile*: /#text(font: IPAFont, fill: AccentColor)[ˈpjʊə.raɪl]/ childish, immature, infantile, juvenile, adolescent, babyish, silly, inane, fatuous, jejune, asinine, foolish, petty - *quixotic*: /#text(font: IPAFont, fill: AccentColor)[kwɪkˈsɒt.ɪk]/ idealistic, unbusinesslike, romantic, extravagant, starry-eyed, visionary, utopian, perfectionist, unrealistic, unworldly, impracticable, unworkable, impossible, non-viable, inoperable, unserviceable, useless, ineffective, ineffectual, inefficacious - *spendthrift*: /#text(font: IPAFont, fill: AccentColor)[ˈspend.θrɪft]/ profligate, prodigal, squanderer, waster, big spender, wastrel, improvident, thriftless, wasteful, extravagant, free-spending, squandering, irresponsible - *taciturn*: /#text(font: IPAFont, fill: AccentColor)[ˈtæs.ɪ.tɜːn]/ untalkative, uncommunicative, reticent, unforthcoming, quiet, unresponsive, secretive, silent, tight-lipped, close-mouthed, mute, dumb, inarticulate, reserved, withdrawn, introverted, retiring, media-shy, antisocial, unsociable, distant, aloof, stand-offish, cold, detached, dour, sullen - *wary*: /#text(font: IPAFont, fill: AccentColor)[ˈweə.ri]/ cautious, careful, circumspect, on one's guard, chary, alert, on the alert, on the lookout, on the qui vive, prudent, attentive, heedful, watchful, vigilant, hypervigilant, observant, wide awake, on one's toes, cagey, suspicious, distrustful, mistrustful, sceptical, doubtful, dubious, guarded, leery #pagebreak() = *Group 2* - *adulterate*: /#text(font: IPAFont, fill: AccentColor)[əˈdʌl.tə.reɪt]/ make impure, degrade, debase, spoil, taint, defile, contaminate, pollute, foul, sully, doctor, tamper with, mix, lace, dilute, water down, thin out, weaken, bastardize, corrupt, cut, spike, dope, vitiate - *advocate*: /#text(font: IPAFont, fill: AccentColor)[ˈæd.və.keɪt]/ champion, upholder, supporter, backer, promoter, proponent, exponent, protector, patron, spokesman for, spokeswoman for, spokesperson for, speaker for, campaigner for, fighter for, battler for, crusader for, missionary, reformer, pioneer, pleader, propagandist, apostle, apologist, booster, plugger - *aggrandize*: /#text(font: IPAFont, fill: AccentColor)[əˈɡræn.daɪz]/ - *alacrity*: /#text(font: IPAFont, fill: AccentColor)[əˈlæk.rə.ti]/ eagerness, willingness, readiness, enthusiasm, ardour, fervour, keenness, joyousness, liveliness, zeal, promptness, haste, briskness, swiftness, dispatch, speed, address - *ambivalent*: /#text(font: IPAFont, fill: AccentColor)[æmˈbɪv.ə.lənt]/ equivocal, uncertain, unsure, doubtful, indecisive, inconclusive, irresolute, in two minds, undecided, unresolved, in a dilemma, on the horns of a dilemma, in a quandary, on the fence, torn, hesitating, fluctuating, wavering, vacillating, equivocating, mixed, opposing, conflicting, contradictory, clashing, confused, muddled, vague, hazy, unclear, iffy, blowing hot and cold - *ameliorate*: /#text(font: IPAFont, fill: AccentColor)[əˈmiːl.jə.reɪt]/ improve, make better, better, make improvements to, enhance, help, benefit, boost, raise, amend, refine, reform, relieve, ease, mitigate, retrieve, rectify, correct, right, put right, set right, put to rights, sort out, clear up, deal with, remedy, repair, fix, cure, heal, mend, make good, resolve, settle, redress, square, tweak, patch up - *amenable*: /#text(font: IPAFont, fill: AccentColor)[əˈmiː.nə.bəl]/ compliant, acquiescent, biddable, manageable, controllable, governable, persuadable, tractable, responsive, pliant, flexible, malleable, complaisant, accommodating, docile, submissive, obedient, tame, meek, easily handled, persuasible - *anachronistic*: /#text(font: IPAFont, fill: AccentColor)[əˌnæk.rəˈnɪs.tɪk]/ - *audacious*: /#text(font: IPAFont, fill: AccentColor)[ɔːˈdeɪ.ʃəs]/ bold, daring, fearless, intrepid, brave, unafraid, unflinching, courageous, valiant, valorous, heroic, dashing, plucky, daredevil, devil-may-care, death-or-glory, reckless, wild, madcap, adventurous, venturesome, enterprising, dynamic, spirited, mettlesome, game, gutsy, spunky, ballsy, have-a-go, go-ahead, venturous, temerarious - *avaricious*: /#text(font: IPAFont, fill: AccentColor)[ˌæv.əˈrɪʃ.əs]/ grasping, acquisitive, covetous, greedy, rapacious, mercenary, materialistic, miserly, mean, money-grubbing, money-grabbing, grabby, pleonectic, Mammonish, Mammonistic - *banal*: /#text(font: IPAFont, fill: AccentColor)[bəˈnɑːl]/ trite, hackneyed, clichéd, platitudinous, vapid, commonplace, ordinary, common, stock, conventional, stereotyped, predictable, overused, overdone, overworked, stale, worn out, time-worn, tired, threadbare, hoary, hack, unimaginative, unoriginal, derivative, uninspired, prosaic, dull, boring, pedestrian, run-of-the-mill, routine, humdrum, old hat, corny, played out, hacky, cornball, dime-store, truistic, bromidic - *benign*: /#text(font: IPAFont, fill: AccentColor)[bɪˈnaɪn]/ kindly, kind, warm-hearted, good-natured, friendly, warm, affectionate, agreeable, amiable, good-humoured, genial, congenial, cordial, approachable, tender, tender-hearted, soft-hearted, gentle, sympathetic, compassionate, caring, considerate, thoughtful, helpful, well disposed, obliging, accommodating, generous, big-hearted, unselfish, benevolent, gracious, liberal, indulgent, benignant - *brazen*: /#text(font: IPAFont, fill: AccentColor)[ˈbreɪ.zən]/ bold, shameless, as bold as brass, brazen-faced, forward, presumptuous, brash, immodest, unashamed, unabashed, unembarrassed, unblushing, defiant, impudent, insolent, impertinent, cheeky, pert, barefaced, blatant, flagrant, undisguised, brassy, pushy, saucy - *calumny*: /#text(font: IPAFont, fill: AccentColor)[ˈkæl.əm.ni]/ slander, defamation (of character), character assassination, misrepresentation of character, evil-speaking, calumniation, libel, scandalmongering, malicious gossip, muckraking, smear campaign, disparagement, denigration, derogation, aspersions, vilification, traducement, obloquy, verbal abuse, backbiting, vituperation, revilement, scurrility, lies, slurs, smears, untruths, false accusations, false reports, insults, slights, mud-slinging, bad-mouthing, contumely - *candid*: /#text(font: IPAFont, fill: AccentColor)[ˈkæn.dɪd]/ frank, outspoken, forthright, blunt, open, honest, truthful, sincere, direct, straightforward, plain-spoken, bluff, unreserved, downright, straight from the shoulder, unvarnished, bald, heart-to-heart, intimate, personal, man-to-man, woman-to-woman, upfront, on the level, on the up and up, round, free-spoken - *castigate*: /#text(font: IPAFont, fill: AccentColor)[ˈkæs.tɪ.ɡeɪt]/ reprimand, rebuke, admonish, chastise, chide, upbraid, reprove, reproach, scold, remonstrate with, berate, take to task, pull up, lambast, read someone the Riot Act, haul over the coals, lecture, criticize, censure, punish, discipline, chasten, tell off, give someone a telling-off, give someone a talking-to, give someone an earful, dress down, give someone a dressing-down, give someone a roasting, give someone a rocket, give someone a rollicking, rap, rap someone the knuckles, slap someone's wrist, let someone have it, bawl out, give someone hell, come down on, blow up at, pitch into, lay into, lace into, give someone a caning, put on the mat, slap down, blast, rag, keelhaul, tick off, have a go at, carpet, monster, give someone a mouthful, tear someone off a strip, give someone what for, give someone some stick, wig, give someone a wigging, give someone a row, row, chew out, ream out, call down, rate, give someone a rating, trim, reprehend, objurgate - *caustic*: /#text(font: IPAFont, fill: AccentColor)[ˈkɔː.stɪk]/ corrosive, corroding, mordant, acid, alkaline, burning, stinging, acrid, harsh, destructive, sarcastic, cutting, biting, mordant, stinging, sharp, bitter, scathing, derisive, sardonic, ironic, scornful, trenchant, acerbic, vitriolic, tart, acid, pungent, acrimonious, astringent, rapier-like, razor-edged, critical, polemic, virulent, venomous, waspish, sarky, mordacious, acidulous - *construe*: /#text(font: IPAFont, fill: AccentColor)[kənˈstruː]/ interpret, understand, read, see, take, take to mean, parse, render, analyse, explain, elucidate, gloss, decode - *contrite*: /#text(font: IPAFont, fill: AccentColor)[kənˈtraɪt]/ remorseful, repentant, penitent, regretful, full of regret, sorry, apologetic, self-reproachful, rueful, sheepish, hangdog, ashamed, chastened, shamefaced, conscience-stricken, guilt-ridden, in sackcloth and ashes, compunctious - *convoluted*: /#text(font: IPAFont, fill: AccentColor)[ˈkɒn.və.luː.tɪd]/ complicated, complex, involved, intricate, elaborate, impenetrable, serpentine, labyrinthine, tortuous, tangled, Byzantine, Daedalian, Gordian, confused, confusing, bewildering, baffling, puzzling, perplexing, fiddly, plotty, involute - *covet*: /#text(font: IPAFont, fill: AccentColor)[ˈkʌv.ɪt]/ desire, be consumed with desire for, crave, have one's heart set on, want, wish for, long for, yearn for, dream of, aspire to, hanker for, hanker after, hunger after/for, thirst for, ache for, fancy, burn for, pant for - *craven*: /#text(font: IPAFont, fill: AccentColor)[ˈkreɪ.vən]/ cowardly, lily-livered, faint-hearted, chicken-hearted, pigeon-hearted, spiritless, spineless, timid, timorous, fearful, trembling, quaking, shrinking, cowering, afraid of one's own shadow, pusillanimous, weak, feeble, soft, yellow, chicken, weak-kneed, gutless, yellow-bellied, wimpish, wimpy, sissy, sissified, wet, candy-assed, poltroon, recreant, poor-spirited - *decorum*: /#text(font: IPAFont, fill: AccentColor)[dɪˈkɔː.rəm]/ propriety, properness, seemliness, decency, decorousness, good taste, correctness, appropriateness, appropriacy, politeness, courtesy, good manners, refinement, breeding, deportment, dignity, respectability, modesty, demureness - *deft*: /#text(font: IPAFont, fill: AccentColor)[deft]/ skilful, adept, adroit, dexterous, agile, nimble, neat, nimble-fingered, handy, able, capable, skilled, proficient, accomplished, expert, experienced, practised, polished, efficient, slick, professional, masterful, masterly, impressive, finely judged, delicate, clever, shrewd, astute, canny, sharp, artful, nifty, nippy, mean, wicked, ace, wizard, crack, genius, habile - *demur*: /#text(font: IPAFont, fill: AccentColor)[dɪˈmɜːr]/ raise objections, object, take exception, take issue, protest, lodge a protest, cavil, dissent, raise doubts, express doubt, express reluctance, express reservations, express misgivings, be unwilling, be reluctant, balk, hesitate, think twice, hang back, drag one's heels, refuse, be cagey, boggle, kick up a fuss, kick up a stink, objection, protest, protestation, complaint, dispute, dissent, carping, cavilling, recalcitrance, opposition, resistance, reservation, hesitation, reluctance, unwillingness, disinclination, lack of enthusiasm, doubts, qualms, misgivings, second thoughts, a murmur, a peep, a word, a sound, niggling, griping, grousing, boggling, demurrers, demurral - *derivative*: /#text(font: IPAFont, fill: AccentColor)[dɪˈrɪv.ə.tɪv]/ ddxx2cosxd over d x end fraction x squared cosine x𝑑𝑑𝑥𝑥2cos𝑥, ddxe(x2+2x)d over d x end fraction e raised to the open paren x squared plus 2 x close paren power𝑑𝑑𝑥𝑒𝑥2+2𝑥, ddtln(3t+5)d over d t end fraction l n open paren 3 t plus 5 close paren𝑑𝑑𝑡ln(3𝑡+5) - *desiccate*: /#text(font: IPAFont, fill: AccentColor)[ˈdes.ɪ.keɪt]/ dried, dried up, dry, dehydrated, powdered - *diatribe*: /#text(font: IPAFont, fill: AccentColor)[ˈdaɪ.ə.traɪb]/ tirade, harangue, verbal onslaught, verbal attack, stream of abuse, denunciation, broadside, fulmination, condemnation, criticism, stricture, reproof, reproval, reprimand, rebuke, admonishment, admonition, invective, upbraiding, vituperation, abuse, castigation, tongue-lashing, knocking, slamming, panning, bashing, blast, flak, slating, philippic, obloquy - *incredulous*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈkredʒ.ə.ləs]/ disbelieving, unbelieving, doubtful, dubious, unconvinced, distrustful, distrusting, mistrustful, mistrusting, suspicious, questioning, lacking trust, cynical, sceptical, wary, chary - *ingenuous*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈdʒen.ju.əs]/ naive, innocent, simple, childlike, trusting, trustful, over-trusting, unwary, unsuspicious, unguarded, unsceptical, uncritical, unworldly, wide-eyed, inexperienced, green, open, sincere, honest, frank, candid, undeceitful, direct, forthright, artless, guileless, genuine, unaffected, unstudied, unsophisticated - #pagebreak() = *Group 3* - *abate*: /#text(font: IPAFont, fill: AccentColor)[əˈbeɪt]/ subside, die down/away/out, drop off/away, lessen, ease (off), let up, decrease, diminish, moderate, decline, fade, dwindle, slacken, recede, cool off, tail off, peter out, taper off, wane, ebb, relent, desist, weaken, become weaker, come to an end, remit - *abjure*: /#text(font: IPAFont, fill: AccentColor)[əbˈdʒʊər]/ renounce, relinquish, reject, dispense with, forgo, forswear, disavow, abandon, deny, gainsay, disclaim, repudiate, give up, spurn, abnegate, wash one's hands of, drop, do away with, eschew, abstain from, refrain from, kick, jack in, pack in, disaffirm, forsake - *anomalous*: /#text(font: IPAFont, fill: AccentColor)[əˈnɒm.ə.ləs]/ abnormal, atypical, non-typical, irregular, aberrant, exceptional, freak, freakish, odd, bizarre, peculiar, unusual, out of the ordinary, inconsistent, incongruous, deviant, deviating, divergent, eccentric, rare, singular, backasswards - *antipathy*: /#text(font: IPAFont, fill: AccentColor)[ænˈtɪp.ə.θi]/ hostility, antagonism, animosity, aversion, animus, opposition, enmity, dislike, distaste, ill will, ill feeling, hatred, hate, abhorrence, loathing, repugnance, odium, grudge, allergy, disrelish - *arcane*: /#text(font: IPAFont, fill: AccentColor)[ɑːˈkeɪn]/ mysterious, secret, hidden, concealed, covert, clandestine, enigmatic, dark, esoteric, obscure, abstruse, recondite, little known, recherché, inscrutable, impenetrable, opaque, incomprehensible, cryptic, occult - *arduous*: /#text(font: IPAFont, fill: AccentColor)[ˈɑː.dʒu.əs]/ onerous, taxing, difficult, hard, heavy, laborious, burdensome, strenuous, vigorous, back-breaking, stiff, uphill, relentless, Herculean, demanding, trying, tough, challenging, formidable, exacting, exhausting, wearying, fatiguing, tiring, punishing, gruelling, grinding, intolerable, unbearable, murderous, harrowing, killing, no picnic, knackering, toilsome, exigent - *artless*: /#text(font: IPAFont, fill: AccentColor)[ˈɑːt.ləs]/ natural, naive, simple, innocent, childlike, pure, ingenuous, guileless, candid, open, honest, sincere, frank, straightforward, unaffected, unpretentious, modest, unassuming, on the up and up - *ascetic*: /#text(font: IPAFont, fill: AccentColor)[əˈset.ɪk]/ austere, self-denying, abstinent, abstemious, non-indulgent, self-disciplined, frugal, simple, rigorous, strict, severe, hair-shirt, spartan, monastic, monkish, monklike, nunlike, reclusive, solitary, cloistered, eremitic, anchoritic, hermitic, celibate, continent, chaste, puritanical, self-abnegating, other-worldly, mortified - *assuage*: /#text(font: IPAFont, fill: AccentColor)[əˈsweɪdʒ]/ relieve, ease, alleviate, soothe, mitigate, dampen, allay, calm, palliate, abate, lull, temper, suppress, smother, stifle, subdue, tranquillize, mollify, moderate, modify, tone down, attenuate, dilute, lessen, diminish, decrease, reduce, lower, put an end to, put a stop to, take the edge off, kill, lenify - *betray*: /#text(font: IPAFont, fill: AccentColor)[bɪˈtreɪ]/ break one's promise to, be disloyal to, be unfaithful to, break faith with, play someone false, fail, let down, double-cross, deceive, cheat, inform on/against, give away, denounce, sell out, stab someone in the back, be a Judas to, give someone a Judas kiss, bite the hand that feeds one, turn traitor, sell the pass, turn Queen's/King's evidence, blow the whistle on, rat on, peach on, sell down the river, squeal on, squeak on, grass on, shop, sneak on, stitch up, do the dirty on, split on, rat out, drop a/the dime on, finger, job, dob on, pimp on, pool, shelf, put someone's pot on, point the bone at, delate - *bucolic*: /#text(font: IPAFont, fill: AccentColor)[bjuˈkɒl.ɪk]/ rustic, rural, pastoral, country, countryside, agricultural, agrarian, outdoor, idyllic, unspoiled, Arcadian, sylvan, georgic, agrestic - *burgeon*: /#text(font: IPAFont, fill: AccentColor)[ˈbɜː.dʒən]/ grow rapidly, increase rapidly/exponentially, expand, spring up, shoot up, swell, explode, boom, mushroom, proliferate, snowball, multiply, become more numerous, escalate, rocket, skyrocket, run riot, put on a spurt, flourish, thrive, prosper - *cacophonous*: /#text(font: IPAFont, fill: AccentColor)[kəˈkɒf.ə.nəs]/ loud, noisy, ear-splitting, blaring, booming, thunderous, deafening, raucous, discordant, dissonant, inharmonious, unmelodious, unmusical, tuneless, harsh, strident, screeching, screechy, grating, jarring, jangling, horrisonant, absonant - *canonize*: /#text(font: IPAFont, fill: AccentColor)[ˈkæn.ə.naɪz]/ beatify, declare to be a saint - *censure*: /#text(font: IPAFont, fill: AccentColor)[ˈsen.ʃər]/ condemn, criticize, castigate, chastise, lambast, pillory, savage, attack, find fault with, fulminate against, abuse, reprimand, berate, reprove, rebuke, admonish, remonstrate with, reproach, take to task, haul over the coals, impugn, harangue, blame, revile, vilify, give someone a bad press, knock, slam, take to pieces, pull apart, crucify, bash, hammer, lay into, tear into, sail into, roast, give someone a roasting, cane, blast, bawl out, dress down, rap over the knuckles, have a go at, give someone hell, carpet, slate, slag off, rubbish, monster, rollick, give someone a rollicking, give someone a rocket, tear someone off a strip, tear a strip off someone, chew out, ream out, pummel, cut up, bag, rate, slash, excoriate, objurgate, reprehend - *chicanery*: /#text(font: IPAFont, fill: AccentColor)[ʃɪˈkeɪ.nər.i]/ trickery, deception, deceit, deceitfulness, duplicity, dishonesty, unscrupulousness, underhandedness, subterfuge, fraud, fraudulence, legerdemain, sophistry, sharp practice, skulduggery, swindling, cheating, duping, hoodwinking, deviousness, guile, intrigue, palace intrigue, craft, craftiness, artfulness, slyness, wiles, misleading talk, crookedness, monkey business, funny business, hanky-panky, shenanigans, flimflam, jiggery-pokery, monkeyshines, codology, management, knavery - *coalesce*: /#text(font: IPAFont, fill: AccentColor)[kəʊ.əˈles]/ unite, join together, combine, merge, fuse, mingle, meld, blend, intermingle, knit (together), amalgamate, consolidate, integrate, affiliate, link up, homogenize, synthesize, converge, commingle, commix - *cogent*: /#text(font: IPAFont, fill: AccentColor)[ˈkəʊ.dʒənt]/ convincing, compelling, strong, forceful, powerful, potent, weighty, valid, sound, well founded, plausible, effective, efficacious, telling, impressive, persuasive, irresistible, eloquent, credible, influential, conclusive, unanswerable, authoritative, logical, reasoned, well reasoned, rational, reasonable, lucid, coherent, well organized, systematic, orderly, methodical, clear, articulate, consistent, relevant - *compelling*: /#text(font: IPAFont, fill: AccentColor)[kəmˈpel.ɪŋ]/ enthralling, captivating, gripping, engrossing, riveting, spellbinding, entrancing, transfixing, mesmerizing, hypnotic, mesmeric, absorbing, fascinating, thrilling, irresistible, addictive, unputdownable - *contend*: /#text(font: IPAFont, fill: AccentColor)[kənˈtend]/ cope with, face, grapple with, deal with, take on, pit oneself against, resist, withstand, assert, maintain, hold, claim, argue, profess, affirm, aver, avow, insist, state, declare, pronounce, allege, plead - *copious*: /#text(font: IPAFont, fill: AccentColor)[ˈkəʊ.pi.əs]/ abundant, superabundant, plentiful, ample, profuse, full, extensive, considerable, substantial, generous, bumper, lavish, fulsome, liberal, bountiful, overflowing, abounding, teeming, in abundance, many, numerous, multiple, multifarious, multitudinous, manifold, countless, innumerable, a gogo, galore, lank, bounteous, plenteous, myriad - *cosmopolitan*: /#text(font: IPAFont, fill: AccentColor)[ˌkɒz.məˈpɒl.ɪ.tən]/ - *deference*: /#text(font: IPAFont, fill: AccentColor)[ˈdef.ər.əns]/ respect, respectfulness, regard, esteem, consideration, attentiveness, attention, thoughtfulness, courteousness, courtesy, politeness, civility, dutifulness, reverence, veneration, awe, homage, submissiveness, submission, obedience, yielding, surrender, accession, capitulation, acquiescence, complaisance, obeisance - *desultory*: /#text(font: IPAFont, fill: AccentColor)[ˈdes.əl.tər.i]/ casual, half-hearted, lukewarm, cursory, superficial, token, perfunctory, passing, incidental, sketchy, haphazard, random, aimless, rambling, erratic, unmethodical, unsystematic, automatic, unthinking, capricious, mechanical, offhand, chaotic, inconsistent, irregular, intermittent, occasional, sporadic, inconstant, fitful - *diffident*: /#text(font: IPAFont, fill: AccentColor)[ˈdɪf.ɪ.dənt]/ shy, bashful, modest, self-effacing, unassuming, unpresuming, humble, meek, unconfident, unassertive, timid, timorous, shrinking, reserved, withdrawn, introverted, inhibited, insecure, self-doubting, doubtful, wary, unsure, apprehensive, uncertain, hesitant, nervous, reluctant, fearful, self-conscious, ill at ease, ashamed, abashed, embarrassed, shamefaced, sheepish, mim, mousy - *dilatory*: /#text(font: IPAFont, fill: AccentColor)[ˈdɪl.ə.tər.i]/ slow, unhurried, tardy, unpunctual, lax, slack, sluggish, sluggardly, snail-like, tortoise-like, lazy, idle, indolent, slothful, lollygagging - *equivocate*: /#text(font: IPAFont, fill: AccentColor)[ɪˈkwɪv.ə.keɪt]/ prevaricate, be evasive, be non-committal, be vague, be ambiguous, evade/dodge the issue, beat about the bush, hedge, hedge one's bets, fudge the issue, fence, parry questions, vacillate, shilly-shally, cavil, waver, quibble, temporize, hesitate, stall (for time), shuffle about, hum and haw, pussyfoot around, waffle, sit on the fence, duck the issue/question, flannel, palter, tergiversate - *polarize*: /#text(font: IPAFont, fill: AccentColor)[ˈpəʊ.lə.raɪz]/ - *prodigal*: /#text(font: IPAFont, fill: AccentColor)[ˈprɒd.ɪ.ɡəl]/ wasteful, extravagant, spendthrift, improvident, imprudent, immoderate, profligate, thriftless, excessive, intemperate, irresponsible, self-indulgent, reckless, wanton - *verbose*: /#text(font: IPAFont, fill: AccentColor)[vɜːˈbəʊs]/ wordy, loquacious, garrulous, talkative, voluble, orotund, expansive, babbling, blathering, prattling, prating, jabbering, gushing, effusive, long-winded, lengthy, protracted, prolix, periphrastic, circumlocutory, circuitous, tautological, repetitious, redundant, tortuous, indirect, convoluted, diffuse, discursive, digressive, rambling, wandering, meandering, mouthy, gabby, windy, gassy, talky, with the gift of the gab, yakking, big-mouthed, wittering, gobby, multiloquent, multiloquous, ambagious, logorrhoeic, pleonastic #pagebreak() = *Group 4* - *abstain*: /#text(font: IPAFont, fill: AccentColor)[æbˈsteɪn]/ not vote, decline/refuse to vote, sit on the fence - *approbation*: /#text(font: IPAFont, fill: AccentColor)[ˌæp.rəˈbeɪ.ʃən]/ approval, acceptance, assent, endorsement, encouragement, recognition, appreciation, support, respect, admiration, commendation, congratulations, praise, acclamation, adulation, regard, esteem, veneration, kudos, applause, ovation, accolades, salutes, plaudits, laudation - *cherish*: /#text(font: IPAFont, fill: AccentColor)[ˈtʃer.ɪʃ]/ adore, hold dear, love, care very much for, feel great affection for, dote on, be devoted to, revere, esteem, admire, appreciate, think the world of, set great store by, hold in high esteem, care for, look after, tend, protect, preserve, shelter, keep safe, support, nurture, cosset, indulge, put on a pedestal, treasure, prize, value highly, hold dear - *corroborate*: /#text(font: IPAFont, fill: AccentColor)[kəˈrɒb.ə.reɪt]/ confirm, verify, endorse, ratify, authenticate, validate, certify, support, back up, back, uphold, stand by, bear out, bear witness to, attest to, testify to, vouch for, give credence to, substantiate, sustain, bolster, reinforce, lend weight to - *disparate*: /#text(font: IPAFont, fill: AccentColor)[ˈdɪs.pər.ət]/ contrasting, different, differing, dissimilar, unlike, unalike, poles apart, varying, various, diverse, diversified, heterogeneous, unrelated, unconnected, distinct, separate, divergent, divers, myriad, contrastive - *emulate*: /#text(font: IPAFont, fill: AccentColor)[ˈem.jə.leɪt]/ imitate, copy, reproduce, mimic, mirror, echo, follow, model oneself on, take as a model, take as an example, match, equal, parallel, be the equal of, be on a par with, be in the same league as, come near to, come close to, approximate, compete with, contend with, rival, vie with, surpass - *enervate*: /#text(font: IPAFont, fill: AccentColor)[ˈen.ə.veɪt]/ exhaust, tire, fatigue, weary, wear out, devitalize, drain, sap, weaken, make weak, make feeble, enfeeble, debilitate, incapacitate, indispose, prostrate, immobilize, lay low, put out of action, knock out, do in, take it out of one, shatter, poop, frazzle, wear to a frazzle, fag out, knacker, torpefy - *ephemeral*: /#text(font: IPAFont, fill: AccentColor)[ɪˈfem.ər.əl]/ transitory, transient, fleeting, passing, short-lived, momentary, brief, short, cursory, temporary, impermanent, short-term, fading, evanescent, fugitive, fly-by-night, fugacious - *fervid*: ˈæv.əl.ɑːntʃ/#text(font: IPAFont, fill: AccentColor)[]/ fervent, ardent, passionate, impassioned, intense, vehement, heated, wholehearted, full-hearted, heartfelt, deeply felt, deep-seated, deep-rooted, profound, emotional, sincere, earnest, eager, avid, enthusiastic, perfervid, passional - *garrulous*: /#text(font: IPAFont, fill: AccentColor)[ˈɡær.əl.əs]/ talkative, loquacious, voluble, verbose, long-winded, chatty, chattery, chattering, gossipy, gossiping, babbling, blathering, prattling, prating, jabbering, gushing, effusive, expansive, forthcoming, conversational, communicative, mouthy, gabby, gassy, windy, talky, yacking, big-mouthed, with the gift of the gab, wittering, gobby, multiloquent, multiloquous, wordy, prolix, lengthy, prolonged, rambling, wandering, maundering, meandering, digressive, diffuse, discursive, periphrastic - *incendiary*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈsen.di.ə.ri]/ combustible, flammable, inflammable, fire-producing, fire-raising, inflammatory, rabble-rousing, provocative, agitational, seditious, subversive, revolutionary, insurrectionary, insurrectionist, arousing, stirring, contentious, controversial - *inimical*: /#text(font: IPAFont, fill: AccentColor)[ɪˈnɪm.ɪ.kəl]/ harmful, injurious, detrimental, deleterious, pernicious, damaging, hurtful, dangerous, destructive, ruinous, calamitous, antagonistic, contrary, antipathetic, unfavourable, adverse, opposed, hostile, at odds, not conducive, prejudicial, malefic, maleficent - *intimate*: /#text(font: IPAFont, fill: AccentColor)[ˈɪn.tɪ.mət]/ close, bosom, boon, dear, cherished, familiar, confidential, faithful, constant, devoted, fast, firm, favourite, special, chummy, pally, as thick as thieves - *invigorate*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈvɪɡ.ər.eɪt]/ revitalize, energize, refresh, revive, vivify, brace, rejuvenate, enliven, liven up, perk up, wake up, animate, galvanize, electrify, stimulate, motivate, rouse, exhilarate, excite, rally, hearten, uplift, encourage, fortify, strengthen, put new strength/life/heart in, buck up, pep up, give a new lease of life to, revitalizing, energizing, refreshing, reviving, vivifying, bracing, rejuvenating, enlivening, restorative, galvanizing, electrifying, stimulating, rousing, exhilarating, exciting, rallying, heartening, uplifting, encouraging, fortifying, strengthening, health-giving, healthy, tonic - *mitigate*: /#text(font: IPAFont, fill: AccentColor)[ˈmɪt.ɪ.ɡeɪt]/ alleviate, reduce, diminish, lessen, weaken, lighten, attenuate, take the edge off, allay, ease, assuage, palliate, cushion, damp, deaden, dull, appease, soothe, relieve, help, soften, temper, still, quell, tone down, blunt, dilute, moderate, modify, abate, lull, pacify, placate, mollify, sweeten, tranquillize, remit, extenuate, excuse, commute, quieten, quiet - *obsolete*: /#text(font: IPAFont, fill: AccentColor)[ˌɒb.səlˈiːt]/ out of date, outdated, outmoded, old-fashioned, no longer in use, disused, fallen into disuse, superannuated, outworn, antiquated, antediluvian, anachronistic, discarded, discontinued, old, dated, antique, archaic, ancient, fossilized, extinct, defunct, dead, bygone, out of fashion, out, behind the times, démodé, passé, vieux jeu, old hat, out of the ark, geriatric, prehistoric, past its sell-by date, antwacky - *opaque*: /#text(font: IPAFont, fill: AccentColor)[əʊˈpeɪk]/ non-transparent, cloudy, filmy, blurred, smeared, hazy, misty, dirty, dingy, muddy, muddied, grimy, smeary - *paradigmatic*: /#text(font: IPAFont, fill: AccentColor)[ˌpær.ə.dɪɡˈmæt.ɪk]/ - *pedantic*: /#text(font: IPAFont, fill: AccentColor)[pəˈdæn.tɪk]/ overscrupulous, scrupulous, precise, exact, over-exacting, perfectionist, precisionist, punctilious, meticulous, fussy, fastidious, finical, finicky, dogmatic, purist, literalist, literalistic, formalist, scholastic, casuistic, casuistical, sophistic, sophistical, captious, hair-splitting, quibbling, pettifogging, fault-finding, hypercritical, cavilling, carping, nitpicking, pernickety, persnickety, overnice, learned, cerebral, didactic, bookish, pedagogic, donnish, highbrow, ivory-tower, pretentious, pompous, intellectual, academic, scholarly, literary, egghead - *placid*: /#text(font: IPAFont, fill: AccentColor)[ˈplæs.ɪd]/ even-tempered, calm, equable, tranquil, imperturbable, unexcitable, peaceable, peaceful, serene, mild, gentle, quiet, cool, cool-headed, collected, and collected, composed, self-possessed, poised, easy-going, temperate, level-headed, steady, unruffled, unmoved, undisturbed, unperturbed, unemotional, phlegmatic, stolid, bovine, unflappable, nonplussed, equanimous - *polemical*: /#text(font: IPAFont, fill: AccentColor)[pəˈlem.ɪ.kəl]/ critical, hostile, bitter, polemic, virulent, vitriolic, venomous, waspish, corrosive, biting, caustic, trenchant, cutting, acerbic, sardonic, sarcastic, scathing, acid, sharp, keen, tart, pungent, stinging, astringent, incisive, devastating, piercing, acidulous, mordacious - *precipitate*: /#text(font: IPAFont, fill: AccentColor)[prɪˈsɪp.ɪ.teɪt]/ bring about, bring on, cause, lead to, occasion, give rise to, trigger, spark, touch off, provoke, hasten, accelerate, expedite, speed up, advance, quicken, push forward, further, instigate, induce, hasty, overhasty, rash, hurried, rushed, impetuous, impulsive, spur-of-the-moment, precipitous, incautious, imprudent, injudicious, ill-advised, heedless, reckless, hare-brained, foolhardy, harum-scarum, previous, temerarious - *profundity*: /#text(font: IPAFont, fill: AccentColor)[prəˈfʌn.də.ti]/ wisdom, (deep) insight, intelligence, sagacity, acuity, depth, profoundness, perceptiveness, penetration, perception, percipience, perspicuity, discernment, thoughtfulness, sapience, intensity, depth, extremity, severity, keenness, profoundness, strength - *prophetic*: /#text(font: IPAFont, fill: AccentColor)[prəˈfet.ɪk]/ prescient, predictive, prophetical, far-seeing, prognostic, divinatory, oracular, sibylline, apocalyptic, fateful, revelatory, inspired, vatic, mantic, vaticinal, vaticinatory, prognosticative, augural, adumbrative, fatidic, fatidical - *prudent*: /#text(font: IPAFont, fill: AccentColor)[ˈpruː.dənt]/ wise, well judged, judicious, sagacious, sage, shrewd, advisable, well advised, politic, sensible, commonsensical, cautious, careful, canny, chary, wary, circumspect, far-sighted, forearmed, forehanded, forethoughtful, thrifty, provident, economical, sparing, frugal, abstemious, scrimping - *punctilious*: /#text(font: IPAFont, fill: AccentColor)[pʌŋkˈtɪl.i.əs]/ meticulous, conscientious, careful, diligent, attentive, ultra-careful, scrupulous, painstaking, exact, precise, accurate, correct, thorough, studious, rigorous, mathematical, detailed, perfectionist, methodical, particular, religious, strict, fussy, fastidious, hair-splitting, finicky, finical, demanding, exacting, pedantic, nitpicking, pernickety, persnickety, nice, overnice, laborious - *recondite*: /#text(font: IPAFont, fill: AccentColor)[ˈrek.ən.daɪt]/ obscure, abstruse, arcane, esoteric, little known, recherché, abstract, deep, profound, cryptic, difficult, complex, complicated, involved, over/above one's head, incomprehensible, unfathomable, impenetrable, opaque, dark, mysterious, occult, cabbalistic, secret, hidden, Alexandrian - *scrupulous*: /#text(font: IPAFont, fill: AccentColor)[ˈskruː.pjə.ləs]/ careful, meticulous, painstaking, thorough, assiduous, sedulous, attentive, diligent, conscientious, ultra-careful, punctilious, searching, close, elaborate, minute, studious, rigorous, particular, religious, strict, pedantic, fussy - *tranquil*: /#text(font: IPAFont, fill: AccentColor)[ˈtræŋ.kwɪl]/ peaceful, restful, reposeful, calm, quiet, still, serene, placid, relaxing, soothing, undisturbed, idyllic, halcyon, mild, pleasant, composed, relaxed, at peace, cool, and collected, cool-headed, even-tempered, self-possessed, controlled, unexcitable, unflappable, unruffled, unperturbed, imperturbable, unagitated, dispassionate, stoical, sober, unemotional, untroubled, pacific, together, laid-back, nonplussed - *vacillate*: /#text(font: IPAFont, fill: AccentColor)[ˈvæs.ɪ.leɪt]/ dither, be indecisive, be irresolute, be undecided, be uncertain, be unsure, be doubtful, waver, teeter, temporize, hesitate, oscillate, fluctuate, keep changing one's mind, haver, hum and haw, swither, dilly-dally, shilly-shally, blow hot and cold, irresolute, hesitant, tentative, dithering, wavering, teetering, fluctuating, ambivalent, divided, doubtful, unsure, uncertain, in two minds, undecided, indefinite, unresolved, undetermined, dilly-dallying, shilly-shallying, iffy, blowing hot and cold #pagebreak() = *Group 5* - *aloof*: /#text(font: IPAFont, fill: AccentColor)[əˈluːf]/ distant, detached, unresponsive, remote, unapproachable, forbidding, stand-offish, formal, impersonal, stiff, austere, stuffy, withdrawn, reserved, unforthcoming, uncommunicative, indifferent, unfriendly, unsympathetic, unsociable, antisocial, cool, cold, chilly, frigid, frosty, haughty, supercilious, disdainful - *clangor*: /#text(font: IPAFont, fill: AccentColor)[ˈklæŋ.ɚ]/ - *conventional*: /#text(font: IPAFont, fill: AccentColor)[kənˈven.ʃən.əl]/ normal, standard, regular, ordinary, usual, traditional, typical, common, common or garden, garden variety, run-of-the-mill, prosaic, pedestrian, commonplace, unimaginative, uninspired, uninspiring, unadventurous, unremarkable, unexceptional, unoriginal, derivative, formulaic, predictable, stock, hackneyed, clichéd, stereotypical, stereotyped, trite, platitudinous, old hat, plain vanilla, bog-standard, hacky, formalistic - *debunk*: /#text(font: IPAFont, fill: AccentColor)[ˌdiːˈbʌŋk]/ explode, deflate, puncture, quash, knock the bottom out of, expose, show in its true light, discredit, disprove, contradict, controvert, confute, invalidate, negate, give the lie to, prove to be false, challenge, call into question, shoot full of holes, shoot down in flames, blow sky-high - *diminutive*: /#text(font: IPAFont, fill: AccentColor)[dɪˈmɪn.jə.tɪv]/ tiny, small, little, petite, minute, miniature, mini, minuscule, microscopic, nanoscopic, small-scale, compact, pocket, toy, midget, undersized, short, stubby, elfin, dwarfish, dwarf, pygmy, bantam, homuncular, Lilliputian, wee, teeny, weeny, teeny-weeny, teensy-weensy, itty-bitty, itsy-bitsy, dinky, baby, pint-sized, half-pint, sawn-off, knee-high to a grasshopper, titchy, ickle, tiddly, little-bitty, vest-pocket - *discernible*: /#text(font: IPAFont, fill: AccentColor)[dɪˈsɜː.nə.bəl]/ visible, detectable, noticeable, perceptible, observable, perceivable, distinguishable, recognizable, identifiable, apparent, obvious, clear, manifest, conspicuous, patent, plain, evident, distinct, appreciable - *enigmatic*: /#text(font: IPAFont, fill: AccentColor)[ˌen.ɪɡˈmæt.ɪk]/ mysterious, puzzling, hard to understand, mystifying, inexplicable, baffling, perplexing, bewildering, confusing, impenetrable, inscrutable, incomprehensible, unexplainable, unfathomable, indecipherable, Delphic, oracular, ambiguous, equivocal, paradoxical, sibylline, unaccountable, insoluble, obscure, elliptical, oblique, arcane, abstruse, recondite, secret, esoteric, occult, cryptic, as clear as mud - *estranged*: /#text(font: IPAFont, fill: AccentColor)[ɪˈstreɪndʒd]/ Marissa Nadler, <NAME>, 2019, <NAME>, <NAME>, 2019, Marissa Nadler, <NAME>, 2019, <NAME>, <NAME>, 2019, Marissa Nadler, <NAME>, 2019 - *extravagant*: /#text(font: IPAFont, fill: AccentColor)[ɪkˈstræv.ə.ɡənt]/ spendthrift, profligate, unthrifty, thriftless, improvident, wasteful, free-spending, prodigal, squandering, lavish, immoderate, excessive, imprudent, reckless, irresponsible - *fanciful*: /#text(font: IPAFont, fill: AccentColor)[ˈfæn.sɪ.fəl]/ ornate, exotic, imaginative, creative, fancy, curious, odd, bizarre, strange, eccentric, unusual, original, extravagant, fantastic, grotesque, Gothic, baroque - *frivolous*: /#text(font: IPAFont, fill: AccentColor)[ˈfrɪv.əl.əs]/ flippant, glib, waggish, joking, jokey, light-hearted, facetious, fatuous, inane, shallow, superficial, senseless, thoughtless, ill-considered, non-serious, flip, daft, frolicsome, sportive, jocose, impractical, frothy, flimsy, insubstantial, time-wasting, trivial, trifling, minor, petty, lightweight, insignificant, unimportant, worthless, valueless, pointless, paltry, niggling, peripheral - *heterogeneous*: /#text(font: IPAFont, fill: AccentColor)[ˌhet.ər.əˈdʒiː.ni.əs]/ diverse, diversified, varied, varying, miscellaneous, assorted, mixed, sundry, contrasting, disparate, different, differing, divergent, unrelated, variegated, wide-ranging, motley, divers, myriad, legion, contrastive - *imperious*: /#text(font: IPAFont, fill: AccentColor)[ɪmˈpɪə.ri.əs]/ peremptory, high-handed, commanding, imperial, overbearing, overweening, domineering, authoritarian, dictatorial, authoritative, lordly, officious, assertive, dominating, bullish, forceful, bossy, arrogant, pushy, high and mighty, throwing one's weight around, pushful - *impertinent*: /#text(font: IPAFont, fill: AccentColor)[ɪmˈpɜː.tɪ.nənt]/ rude, insolent, impolite, unmannerly, ill-mannered, bad-mannered, uncivil, discourteous, disrespectful, impudent, cheeky, audacious, bold, brazen, brash, shameless, presumptuous, forward, pert, tactless, undiplomatic, unsubtle, personal, brass-necked, fresh, flip, saucy, sassy, nervy, malapert, contumelious, mannerless - *invasive*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈveɪ.sɪv]/ - *irresolute*: /#text(font: IPAFont, fill: AccentColor)[ɪˈrez.əl.uːt]/ indecisive, hesitant, tentative, nervous, weak, vacillating, equivocating, dithering, wavering, teetering, fluctuating, faltering, shilly-shallying, ambivalent, divided, in two minds, in a dilemma, in a quandary, torn, doubtful, in doubt, full of doubt, unsure, uncertain, undecided, uncommitted, unresolved, undetermined, iffy, blowing hot and cold, sitting on the fence - *laudable*: /#text(font: IPAFont, fill: AccentColor)[ˈlɔː.də.bəl]/ praiseworthy, commendable, admirable, meritorious, worthy, deserving, creditable, worthy of admiration, estimable, of note, noteworthy, exemplary, reputable, honourable, excellent, sterling, applaudable - *lax*: /#text(font: IPAFont, fill: AccentColor)[læks]/ - *marginalize*: /#text(font: IPAFont, fill: AccentColor)[ˈmɑː.dʒɪ.nəl.aɪz]/ - *panache*: /#text(font: IPAFont, fill: AccentColor)[pəˈnæʃ]/ - *plodding*: /#text(font: IPAFont, fill: AccentColor)[ˈplɒd.ɪŋ]/ - *prosaic*: /#text(font: IPAFont, fill: AccentColor)[prəˈzeɪ.ɪk]/ unimaginative, uninspired, matter-of-fact, dull, dry, humdrum, mundane, pedestrian, heavy, plodding, lifeless, dead, spiritless, lacklustre, undistinguished, stale, jejune, bland, insipid, vapid, vacuous, banal, hackneyed, trite, literal, factual, unpoetic, unemotional, unsentimental, clear, plain, unadorned, unembellished, unvarnished, monotonous, deadpan, flat - *remedial*: /#text(font: IPAFont, fill: AccentColor)[rɪˈmiː.di.əl]/ - *restive*: /#text(font: IPAFont, fill: AccentColor)[ˈres.tɪv]/ restless, fidgety, edgy, on edge, tense, uneasy, ill at ease, worked up, nervous, agitated, anxious, on tenterhooks, keyed up, apprehensive, unquiet, impatient, nervy, jumpy, jittery, twitchy, uptight, wired, like a cat on a hot tin roof, like a cat on hot bricks, stressy, unruly, disorderly, out of control, uncontrollable, unmanageable, ungovernable, unbiddable, disobedient, defiant, up in arms, wilful, recalcitrant, refractory, insubordinate, disaffected, dissentious, riotous, rebellious, mutinous, seditious, insurgent, insurrectionary, insurrectionist, revolutionary, bolshie, contumacious - *sporadic*: /#text(font: IPAFont, fill: AccentColor)[spəˈræd.ɪk]/ occasional, infrequent, irregular, periodical, periodic, scattered, patchy, isolated, odd, uneven, intermittent, spasmodic, on and off, random, fitful, desultory, erratic, unpredictable - *stigmatize*: /#text(font: IPAFont, fill: AccentColor)[ˈstɪɡ.mə.taɪz]/ condemn, denounce, brand, label, mark out, disparage, vilify, pillory, pour scorn on, cast a slur on, defame, discredit - *undermine*: /#text(font: IPAFont, fill: AccentColor)[ˌʌn.dəˈmaɪn]/ erode, wear away, eat away at, chip away, undercut - *utterly*: /#text(font: IPAFont, fill: AccentColor)[ˈʌt.əl.i]/ completely, totally, absolutely, entirely, wholly, fully, thoroughly, beyond, quite, altogether, one hundred per cent, downright, outright, unqualifiedly, in all respects, unconditionally, perfectly, implicitly, unrestrictedly, really, veritably, categorically, consummately, undisputedly, unmitigatedly, wholeheartedly, radically, stark, just, to the hilt, to the core, all the way, to the maximum extent, extremely, infinitely, unlimitedly, limitlessly, ultimately, clean, plumb, dead, bang, totes, bigly - *weary*: /#text(font: IPAFont, fill: AccentColor)[ˈwɪə.ri]/ tired, tired out, worn out, exhausted, fatigued, overtired, sleepy, drowsy, wearied, sapped, dog-tired, spent, drained, jet-lagged, played out, debilitated, prostrate, enervated, jaded, low, all in, done (in/up), dead, dead beat, dead tired, dead on one's feet, asleep on one's feet, ready to drop, fagged out, burnt out, bushed, worn to a frazzle, shattered, knackered, whacked, pooped, tuckered out, gassed - *zealous*: /#text(font: IPAFont, fill: AccentColor)[ˈzel.əs]/ fervent, ardent, fervid, fiery, passionate, impassioned, devout, devoted, committed, dedicated, enthusiastic, eager, keen, avid, sincere, wholehearted, hearty, earnest, vigorous, energetic, zestful, purposeful, forceful, intense, fierce, single-minded, go-ahead, pushy, perfervid #pagebreak() = *Group 6* - *admonish*: /#text(font: IPAFont, fill: AccentColor)[ədˈmɒn.ɪʃ]/ reprimand, rebuke, scold, reprove, upbraid, chastise, chide, censure, castigate, lambast, berate, reproach, lecture, criticize, take to task, pull up, read the Riot Act to, give a piece of one's mind to, haul over the coals, tell off, give someone a telling-off, dress down, give someone a dressing-down, bawl out, pitch into, lay into, lace into, blow up, give someone an earful, give someone a roasting, give someone a rocket, give someone a rollicking, rap over the knuckles, slap someone's wrist, let someone have it, give someone hell, tick off, have a go at, carpet, tear someone off a strip, monster, give someone a mouthful, give someone what for, give someone some stick, give someone a wigging, chew out, ream out, trim, rate, give someone a rating, reprehend, objurgate - *aesthetic*: /#text(font: IPAFont, fill: AccentColor)[esˈθet.ɪk]/ - *affectation*: /#text(font: IPAFont, fill: AccentColor)[ˌæf.ekˈteɪ.ʃən]/ pretension, pretentiousness, affectedness, artificiality, insincerity, posturing, posing, pretence, ostentation, grandiosity, snobbery, superciliousness, airs, airs and graces, pretensions, snootiness, uppishness, humbug, side - *alleviate*: /#text(font: IPAFont, fill: AccentColor)[əˈliː.vi.eɪt]/ reduce, ease, relieve, take the edge off, deaden, dull, diminish, lessen, weaken, lighten, attenuate, allay, assuage, palliate, damp, soothe, help, soften, temper, control, still, quell, tone down, blunt, dilute, moderate, mitigate, modify, abate, lull, pacify, placate, mollify, sweeten, quieten, quiet, extenuate - *analogous*: /#text(font: IPAFont, fill: AccentColor)[əˈnæl.ə.ɡəs]/ comparable, parallel, similar, like, corresponding, related, kindred, matching, cognate, equivalent, symmetrical, homologous - *bolster*: /#text(font: IPAFont, fill: AccentColor)[ˈbəʊl.stər]/ pillow, cushion, pad, support, rest, strengthen, support, reinforce, make stronger, boost, fortify, give a boost to, prop up, buoy up, shore up, hold up, maintain, buttress, brace, stiffen, uphold, aid, assist, help, supplement, augment, feed, add to, increase, revitalize, invigorate, renew, regenerate - *chauvinistic*: /#text(font: IPAFont, fill: AccentColor)[ˈʃəʊ.vɪ.nɪst]/ - *connoisseur*: /#text(font: IPAFont, fill: AccentColor)[ˌkɒn.əˈsɜːr]/ expert judge (of), authority (on), specialist (in), arbiter of taste, pundit, savant, one of the cognoscenti, aesthete, gourmet, epicure, gastronome, buff, maven - *dissemble*: /#text(font: IPAFont, fill: AccentColor)[dɪˈsem.bəl]/ dissimulate, pretend, deceive, feign, act, masquerade, sham, fake, bluff, counterfeit, pose, posture, hide one's feelings, be dishonest, put on a false front, lie, cover up, conceal, disguise, hide, mask, veil, shroud - *dogged*: /#text(font: IPAFont, fill: AccentColor)[ˈdɒɡ.ɪd]/ tenacious, determined, resolute, resolved, purposeful, persistent, persevering, pertinacious, relentless, intent, dead set, single-minded, focused, dedicated, committed, undeviating, unshakeable, unflagging, indefatigable, untiring, never-tiring, tireless, unfailing, unfaltering, unwavering, unyielding, unbending, immovable, obdurate, strong-willed, firm, steadfast, steady, staunch, stout-hearted, laborious, perseverant, indurate - *dupe*: /#text(font: IPAFont, fill: AccentColor)[dʒuːp]/ deceive, trick, hoodwink, hoax, swindle, defraud, cheat, double-cross, gull, mislead, take in, fool, delude, misguide, lead on, inveigle, seduce, ensnare, entrap, beguile, con, do, sting, rip off, diddle, shaft, bilk, rook, bamboozle, finagle, pull someone's leg, pull a fast one on, put one over on, take to the cleaners, swizzle, sell a pup to, sucker, snooker, stiff, euchre, bunco, hornswoggle, pull a swifty on, cozen, sharp, mulct, victim, gull, pawn, puppet, instrument, fool, simpleton, innocent, sucker, stooge, sitting duck, sitting target, soft touch, pushover, chump, muggins, charlie, fall guy, mug, pigeon, patsy, sap, schlemiel, mark, dill, juggins - *empirical*: /#text(font: IPAFont, fill: AccentColor)[ɪmˈpɪr.ɪ.kəl]/ observed, seen, factual, actual, real, verifiable, first-hand, experimental, experiential, practical, pragmatic, hands-on, applied, heuristic, empiric - *engender*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈdʒen.dər]/ cause, be the cause of, give rise to, bring about, lead to, result in, produce, create, generate, arouse, rouse, provoke, incite, kindle, trigger, spark off, touch off, stir up, whip up, induce, inspire, instigate, foment, effect, occasion, promote, foster, beget, enkindle, effectuate - *entitled*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈtaɪ.təld]/ - *pertinacious*: /#text(font: IPAFont, fill: AccentColor)[ˌpɜː.tɪˈneɪ.ʃəs]/ determined, tenacious, persistent, persevering, assiduous, purposeful, resolute, dogged, indefatigable, insistent, single-minded, unrelenting, relentless, implacable, uncompromising, unyielding, tireless, unshakeable, importunate, stubborn, stubborn as a mule, mulish, obstinate, obdurate, strong-willed, headstrong, inflexible, unbending, intransigent, intractable, pig-headed, bull-headed, stiff-necked, with one's toes/feet dug in, wilful, refractory, contrary, perverse, bloody-minded, indurate - *presumptuous*: /#text(font: IPAFont, fill: AccentColor)[prɪˈzʌmp.tʃəs]/ brazen, overconfident, arrogant, egotistical, overbold, bold, audacious, pert, forward, familiar, impertinent, fresh, free, insolent, impudent, cocksure, cheeky, rude, impolite, uncivil, bumptious, overhasty, hasty, premature, previous, precipitate, impetuous, cocky, sassy, presumptive, assumptive - *probity*: /#text(font: IPAFont, fill: AccentColor)[ˈprəʊ.bə.ti]/ integrity, honesty, uprightness, decency, morality, rectitude, goodness, virtue, right-mindedness, trustworthiness, truthfulness, honour, honourableness, justice, fairness, equity, principles, ethics - *proliferate*: /#text(font: IPAFont, fill: AccentColor)[prəˈlɪf.ər.eɪt]/ increase rapidly, grow rapidly, multiply, become more numerous, mushroom, snowball, burgeon, escalate, rocket, run riot - *specious*: /#text(font: IPAFont, fill: AccentColor)[ˈspiː.ʃəs]/ plausible but wrong, seemingly correct, misleading, deceptive, false, fallacious, unsound, casuistic, sophistic - *spurious*: /#text(font: IPAFont, fill: AccentColor)[ˈspjʊə.ri.əs]/ bogus, fake, not genuine, specious, false, factitious, counterfeit, fraudulent, trumped-up, sham, mock, feigned, pretended, contrived, fabricated, manufactured, fictitious, make-believe, invalid, fallacious, meretricious, artificial, imitation, simulated, ersatz, phoney, pseudo, pretend, cod, adulterine - *subjective*: /#text(font: IPAFont, fill: AccentColor)[səbˈdʒek.tɪv]/ personal, personalized, individual, internal, emotional, instinctive, intuitive, impressionistic, biased, prejudiced, bigoted, idiosyncratic, irrational, gut, gut reaction - *subvert*: /#text(font: IPAFont, fill: AccentColor)[səbˈvɜːt]/ destabilize, unsettle, overthrow, overturn, bring down, bring about the downfall of, topple, depose, oust, supplant, unseat, dethrone, disestablish, dissolve, disrupt, wreak havoc on, sabotage, ruin, upset, destroy, annihilate, demolish, wreck, undo, undermine, undercut, weaken, impair, damage, corrupt, pervert, warp, deprave, defile, debase, distort, contaminate, poison, embitter, vitiate - *timorous*: /#text(font: IPAFont, fill: AccentColor)[ˈtɪm.ər.əs]/ easily frightened, lacking courage, fearful, apprehensive, faint-hearted, trembling, quaking, cowering, weak-kneed, shy, diffident, bashful, self-effacing, shrinking, unassuming, unassertive, reserved, retiring, reticent, quiet, timid, nervous, modest, demure, coy, meek, humble, wimpish, sissy, yellow, yellow-bellied, chicken, gutless, trepidatious, poor-spirited, recreant - *tortuous*: /#text(font: IPAFont, fill: AccentColor)[ˈtɔː.tʃu.əs]/ twisting, winding, curving, curvy, bending, sinuous, undulating, coiling, looping, meandering, serpentine, snaking, snaky, zigzag, convoluted, spiralling, twisty, circuitous, rambling, wandering, indirect, deviating, devious, labyrinthine, mazy, anfractuous, flexuous - *tractable*: /#text(font: IPAFont, fill: AccentColor)[ˈtræk.tə.bəl]/ controllable, manageable, malleable, governable, yielding, amenable, complaisant, compliant, adjustable, docile, submissive, obedient, tame, meek, easily handled, biddable, persuadable, persuasible, accommodating, trusting, gullible, dutiful, willing, unassertive, passive, deferential, humble, obsequious, servile, sycophantic - *transient*: /#text(font: IPAFont, fill: AccentColor)[ˈtræn.zi.ənt]/ transitory, temporary, short-lived, short-term, ephemeral, impermanent, brief, short, momentary, fleeting, flying, evanescent, passing, fugitive, fading, mutable, unstable, volatile, here today and gone tomorrow, fly-by-night, fugacious - *ubiquitous*: /#text(font: IPAFont, fill: AccentColor)[juːˈbɪk.wɪ.təs]/ omnipresent, ever-present, present everywhere, everywhere, all-over, all over the place, pervasive, all-pervasive, universal, worldwide, global, rife, prevalent, predominant, very common, popular, extensive, wide-ranging, far-reaching, inescapable - *underscore*: /#text(font: IPAFont, fill: AccentColor)[ˌʌn.dəˈskɔːr]/ - *venal*: /#text(font: IPAFont, fill: AccentColor)[ˈviː.nəl]/ corrupt, corruptible, bribable, open to bribery, purchasable, buyable, grafting, dishonest, fraudulent, dishonourable, untrustworthy, unscrupulous, unprincipled, mercenary, avaricious, grasping, rapacious, bent, crooked, warped, shady, simoniacal, simoniac - *venerate*: /#text(font: IPAFont, fill: AccentColor)[ˈven.ər.eɪt]/ revere, reverence, respect, worship, adulate, hallow, deify, idolize, hold sacred, exalt, honour, esteem, look up to, think highly of, pay homage to, pay tribute to, adore, praise, extol, aggrandize, lionize, hold in awe, stand in awe of, marvel at, value, put on a pedestal, magnify, laud, revered, respected, esteemed, honoured, hallowed, holy, sacred #pagebreak() = *Group 7* - *appease*: /#text(font: IPAFont, fill: AccentColor)[əˈpiːz]/ conciliate, placate, pacify, make peace with, propitiate, palliate, allay, reconcile, win over, calm (down), mollify, soothe, subdue, soften, content, still, silence, tranquillize, humour, quieten, quieten down, quiet, sweeten - *arbitrary*: /#text(font: IPAFont, fill: AccentColor)[ˈɑː.bɪ.trər.i]/ capricious, whimsical, random, chance, erratic, unpredictable, inconsistent, wild, hit-or-miss, haphazard, casual, unmotivated, motiveless, unreasoned, unreasonable, unsupported, irrational, illogical, groundless, unjustifiable, unjustified, wanton, discretionary, personal, subjective, discretional - *archaic*: /#text(font: IPAFont, fill: AccentColor)[ɑːˈkeɪ.ɪk]/ obsolete, obsolescent, out of date, anachronistic, old-fashioned, outmoded, behind the times, bygone, antiquated, antique, superannuated, antediluvian, past its prime, having seen better days, olde worlde, old-fangled, ancient, very old, aged, prehistoric, primitive, of yore, extinct, defunct, discontinued, discarded, fossilized, dead, passé, démodé, old hat, out of the ark, antwacky - *clamorous*: /#text(font: IPAFont, fill: AccentColor)[ˈklæm.ər.əs]/ noisy, loud, vocal, vociferous, raucous, rowdy, rackety, tumultuous, shouting, shrieking, screaming, importunate, demanding, insistent, vehement - *dearth*: /#text(font: IPAFont, fill: AccentColor)[dɜːθ]/ lack, scarcity, scarceness, shortage, shortfall, want, deficiency, insufficiency, inadequacy, paucity, sparseness, meagreness, scantiness, rareness, infrequency, uncommonness, destitution, privation, famine, drought, poverty, absence, non-existence, exiguity, exiguousness - *explicable*: /#text(font: IPAFont, fill: AccentColor)[ekˈsplɪk.ə.bəl]/ explainable, interpretable, definable, understandable, comprehensible, accountable, intelligible, exponible - *hyperbole*: /#text(font: IPAFont, fill: AccentColor)[haɪˈpɜː.bəl.i]/ exaggeration, overstatement, magnification, amplification, embroidery, embellishment, overplaying, excess, overkill, purple prose, puffery - *immutable*: /#text(font: IPAFont, fill: AccentColor)[ɪˈmjuː.tə.bəl]/ unchangeable, fixed, set, rigid, inflexible, unyielding, unbending, permanent, entrenched, established, well established, unshakeable, irremovable, indelible, ineradicable, unchanging, unchanged, changeless, unvarying, unvaried, undeviating, static, constant, lasting, abiding, enduring, persistent, perpetual - *indefatigable*: /#text(font: IPAFont, fill: AccentColor)[ˌɪn.dɪˈfæt.ɪ.ɡə.bəl]/ tireless, untiring, never-tiring, unwearied, unwearying, unflagging, energetic, dynamic, enthusiastic, unrelenting, relentless, unremitting, unswerving, unfaltering, unshakeable, indomitable, persistent, tenacious, determined, dogged, single-minded, assiduous, industrious - *indolent*: /#text(font: IPAFont, fill: AccentColor)[ˈɪn.dəl.ənt]/ lazy, idle, slothful, loafing, work-shy, shiftless, apathetic, lackadaisical, inactive, inert, lifeless, sluggish, lethargic, listless, languid, torpid, slow, slow-moving, dull, plodding, slack, lax, remiss, negligent, good-for-nothing, bone idle, fainéant, otiose - *insular*: /#text(font: IPAFont, fill: AccentColor)[ˈɪn.sjə.lər]/ narrow-minded, limited, blinkered, restricted, inward-looking, conventional, parochial, provincial, small-town, localist, small-minded, petty-minded, petty, close-minded, short-sighted, myopic, hidebound, dyed-in-the-wool, diehard, set, set in one's ways, inflexible, dogmatic, rigid, entrenched, illiberal, intolerant, prejudiced, bigoted, biased, partisan, sectarian, xenophobic, discriminatory, parish-pump, blimpish, borné, jerkwater, claustral - *intransigent*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈtræn.sɪ.dʒənt]/ uncompromising, inflexible, unbending, unyielding, unshakeable, unwavering, resolute, unpersuadable, unmalleable, unaccommodating, uncooperative, stubborn, obstinate, obdurate, pig-headed, bull-headed, single-minded, iron-willed, hard-line, hard and fast, diehard, immovable, unrelenting, inexorable, inveterate, rigid, tough, firm, determined, adamant, tenacious, stiff-necked, bloody-minded, balky, badass, indurate - *intrepid*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈtrep.ɪd]/ - *irreverent*: /#text(font: IPAFont, fill: AccentColor)[ɪˈrev.ər.ənt]/ disrespectful, disdainful, scornful, contemptuous, derisive, disparaging, insolent, impudent, impertinent, cheeky, flippant, flip, insubordinate, presumptuous, forward, rude, impolite, discourteous, uncivil, insulting, abusive, fresh, lippy - *loathe*: /#text(font: IPAFont, fill: AccentColor)[ləʊð]/ hate, detest, abhor, despise, abominate, dislike greatly, execrate, have a strong aversion to, feel repugnance towards, not be able to bear, not be able to stand, shrink from, recoil from, be repelled by, be unable to stomach, find intolerable, hatred, detestation, abhorrence, abomination, execration, odium, antipathy, dislike, hostility, animosity, ill will, ill feeling, bad feeling, malice, animus, enmity, aversion, repugnance, disgust, revulsion, yuck factor - *malign*: /#text(font: IPAFont, fill: AccentColor)[məˈlaɪn]/ harmful, evil, bad, baleful, hostile, inimical, destructive, malevolent, evil-intentioned, malignant, injurious, spiteful, malicious, vicious, malefic, maleficent - *malleable*: /#text(font: IPAFont, fill: AccentColor)[ˈmæl.i.ə.bəl]/ pliable, ductile, plastic, pliant, soft, workable, shapable, mouldable, tractile, tensile - *neophyte*: /#text(font: IPAFont, fill: AccentColor)[ˈniː.ə.faɪt]/ beginner, learner, novice, newcomer, new member, new entrant, new recruit, raw recruit, new boy/girl, initiate, tyro, fledgling, trainee, apprentice, probationer, rookie, new kid, newbie, newie, tenderfoot, greenhorn, punk - *plastic*: /#text(font: IPAFont, fill: AccentColor)[ˈplæs.tɪk]/ - *platitude*: /#text(font: IPAFont, fill: AccentColor)[ˈplæt.ɪ.tjuːd]/ cliché, truism, commonplace, banality, old chestnut, bromide, inanity, tag - *prescient*: /#text(font: IPAFont, fill: AccentColor)[ˈpres.i.ənt]/ prophetic, predictive, visionary, psychic, clairvoyant, far-seeing, far-sighted, with foresight, prognostic, divinatory, oracular, sibylline, apocalyptic, fateful, revelatory, insightful, intuitive, perceptive, percipient, foreknowing, previsional, vatic, mantic, vaticinal, vaticinatory, prognosticative, augural, adumbrative, fatidic, fatidical, haruspical, pythonic - *pristine*: /#text(font: IPAFont, fill: AccentColor)[ˈprɪs.tiːn]/ immaculate, in perfect condition, perfect, in mint condition, as new, unspoiled, spotless, flawless, clean, fresh, new, virgin, pure, unused, unmarked, unblemished, untarnished, untouched, unsullied, undefiled - *reproach*: /#text(font: IPAFont, fill: AccentColor)[rɪˈprəʊtʃ]/ rebuke, reproof, reproval, admonishment, admonition, scolding, reprimand, remonstration, lecture, upbraiding, castigation, lambasting, criticism, censure, disapproval, disapprobation, telling-off, rap, rap over the knuckles, slap on the wrist, dressing-down, earful, roasting, rollicking, ticking off, carpeting, wigging, serve, rating - *robust*: /#text(font: IPAFont, fill: AccentColor)[rəʊˈbʌst]/ strong, vigorous, sturdy, tough, powerful, powerfully built, solidly built, as strong as a horse/ox, muscular, sinewy, rugged, hardy, strapping, brawny, burly, husky, healthy, fit, fighting fit, as fit as a fiddle/flea, bursting with health, hale and hearty, hale, hearty, lusty, in fine fettle, in good health, in good shape, in trim, in good trim, aerobicized, able-bodied, in rude health, beefy, hunky, buff, jacked, stalwart, thewy, stark - *salubrious*: /#text(font: IPAFont, fill: AccentColor)[səˈluː.bri.əs]/ healthy, health-giving, healthful, beneficial, good for one's health, wholesome, salutary - *sanction*: /#text(font: IPAFont, fill: AccentColor)[ˈsæŋk.ʃən]/ penalty, punishment, deterrent, punitive action, discipline, penalization, correction, retribution, embargo, ban, prohibition, boycott, barrier, restriction, tariff - *sedulous*: /#text(font: IPAFont, fill: AccentColor)[ˈsedʒ.ə.ləs]/ diligent, careful, meticulous, thorough, assiduous, attentive, industrious, laborious, hard-working, conscientious, ultra-careful, punctilious, scrupulous, painstaking, searching, close, elaborate, minute, studious, rigorous, particular, religious, strict, pedantic, fussy - *soporific*: /#text(font: IPAFont, fill: AccentColor)[ˌsɒp.ərˈɪf.ɪk]/ sleeping pill, sleeping potion, sedative, calmative, tranquillizer, narcotic, opiate, hypnotic - *stern*: /#text(font: IPAFont, fill: AccentColor)[stɜːn]/ serious, unsmiling, frowning, poker-faced, severe, forbidding, grim, unfriendly, sombre, grave, sober, austere, dour, stony, flinty, steely, unrelenting, unyielding, unforgiving, unbending, unsympathetic, disapproving, Rhadamanthine, boot-faced - *tendentious*: /#text(font: IPAFont, fill: AccentColor)[tenˈden.ʃəs]/ #pagebreak() = *Group 8* - *accentuate*: /#text(font: IPAFont, fill: AccentColor)[əkˈsen.tʃu.eɪt]/ focus attention on, bring/call/draw attention to, point up, underline, underscore, accent, highlight, spotlight, foreground, feature, give prominence to, make more prominent, make more noticeable, play up, bring to the fore, heighten, stress, emphasize, put/lay emphasis on, put/lay/place the stress on, put/lay/place the emphasis on, give emphasis to, put the force on - *conjectural*: /#text(font: IPAFont, fill: AccentColor)[kənˈdʒek.tʃə.rəl]/ speculative, suppositional, theoretical, hypothetical, putative, academic, notional, abstract, postulated, based on guesswork, inferred, suspected, presumed, assumed, presupposed, tentative, unproven, untested, unfounded, groundless, unsubstantiated, ideational, suppositious, suppositive, postulational - *convivial*: /#text(font: IPAFont, fill: AccentColor)[kənˈvɪv.i.əl]/ friendly, genial, affable, amiable, congenial, agreeable, good-humoured, cordial, warm, sociable, outgoing, gregarious, clubbable, companionable, hail-fellow-well-met, cheerful, jolly, jovial, merry, lively, enjoyable, festive, couthy, backslapping, chummy, pally, matey, clubby, buddy-buddy, conversable - *decadent*: /#text(font: IPAFont, fill: AccentColor)[ˈdek.ə.dənt]/ dissolute, dissipated, degenerate, corrupt, depraved, louche, rakish, shameless, sinful, unprincipled, immoral, licentious, wanton, abandoned, unrestrained, profligate, intemperate, fast-living, sybaritic, voluptuary, epicurean, hedonistic, pleasure-seeking, indulgent, self-indulgent - *egregious*: /#text(font: IPAFont, fill: AccentColor)[ɪˈɡriː.dʒəs]/ shocking, appalling, horrific, horrifying, horrible, terrible, awful, dreadful, grievous, gross, ghastly, hideous, horrendous, frightful, atrocious, abominable, abhorrent, outrageous, monstrous, nightmarish, heinous, harrowing, dire, unspeakable, shameful, flagrant, glaring, blatant, scandalous, unforgivable, unpardonable, intolerable - *evanescent*: /#text(font: IPAFont, fill: AccentColor)[ˌiː.vəˈnes.ənt]/ vanishing, fading, evaporating, melting away, disappearing, diminishing, dwindling, shrinking, fugitive, fugacious, ephemeral, fleeting, short-lived, short-term, passing, transitory, transient, momentary, temporary, brief, here today and gone tomorrow - *flamboyant*: /#text(font: IPAFont, fill: AccentColor)[flæmˈbɔɪ.ənt]/ ostentatious, exuberant, confident, lively, buoyant, animated, energetic, vibrant, vivacious, extravagant, theatrical, showy, swashbuckling, dashing, rakish, over the top (OTT), fancy-pants - *forestall*: /#text(font: IPAFont, fill: AccentColor)[fɔːˈstɔːl]/ pre-empt, get in before, get ahead of, steal a march on, anticipate, second-guess, nip in the bud, thwart, frustrate, foil, stave off, ward off, fend off, avert, preclude, obviate, prevent, intercept, check, block, hinder, impede, obstruct, beat someone to it, beat someone to the draw/punch - *gainsay*: /#text(font: IPAFont, fill: AccentColor)[ˌɡeɪnˈseɪ]/ deny, dispute, disagree with, argue with, dissent from, contradict, repudiate, declare untrue, challenge, oppose, contest, counter, fly in the face of, disprove, debunk, explode, discredit, refute, rebut, brush aside, shoot full of holes, shoot down (in flames), disaffirm, controvert, confute - *galvanize*: /#text(font: IPAFont, fill: AccentColor)[ˈɡæl.və.naɪz]/ jolt, shock, startle, impel, stir, spur, prod, urge, motivate, stimulate, electrify, excite, rouse, arouse, awaken, invigorate, fire, fuel, animate, vitalize, energize, exhilarate, thrill, dynamize, inspire, get someone going, light a fire under, give someone a shot in the arm, give someone a kick, inspirit, incentivize - *indiscriminate*: /#text(font: IPAFont, fill: AccentColor)[ˌɪn.dɪˈskrɪm.ɪ.nət]/ non-selective, unselective, undiscriminating, uncritical, aimless, hit-or-miss, haphazard, random, unsystematic, unmethodical, wholesale, general, sweeping, blanket, broad-based, wide, catholic, eclectic, varied, miscellaneous, heterogeneous, motley, confused, chaotic, thoughtless, unthinking, unconsidered, casual, careless, promiscuous - *innocuous*: /#text(font: IPAFont, fill: AccentColor)[ɪˈnɒk.ju.əs]/ harmless, safe, non-dangerous, non-poisonous, non-toxic, non-irritant, non-injurious, innocent, edible, eatable, wholesome, innoxious, inoffensive, unobjectionable, unexceptionable, unoffending, mild, peaceful, gentle, tame, insipid, anodyne, bland, unremarkable, commonplace, run-of-the-mill - *momentary*: /#text(font: IPAFont, fill: AccentColor)[ˈməʊ.mən.tər.i]/ brief, short, short-lived, quick, fleeting, passing, transient, transitory, ephemeral, evanescent, fugitive, temporary, impermanent, fugacious - *mundane*: /#text(font: IPAFont, fill: AccentColor)[mʌnˈdeɪn]/ humdrum, dull, boring, tedious, monotonous, tiresome, wearisome, prosaic, unexciting, uninteresting, uneventful, unvarying, unvaried, unremarkable, repetitive, repetitious, routine, ordinary, everyday, day-to-day, quotidian, run-of-the-mill, commonplace, common, workaday, usual, pedestrian, customary, regular, normal, unimaginative, banal, hackneyed, trite, stale, platitudinous, typical, vanilla, plain vanilla, hacky, banausic - *nettlesome*: /#text(font: IPAFont, fill: AccentColor)[ˈnet.l.sʌm]/ - *nullify*: /#text(font: IPAFont, fill: AccentColor)[ˈnʌl.ɪ.faɪ]/ annul, declare null and void, render null and void, void, invalidate, render invalid, repeal, reverse, rescind, revoke, set aside, cancel, abolish, undo, abrogate, countermand, veto, dissolve, cast aside, do away with, bring to an end, terminate, quash, obliterate, vacate, recall, disannul - *obviate*: /#text(font: IPAFont, fill: AccentColor)[ˈɒb.vi.eɪt]/ preclude, prevent, remove, get rid of, do away with, get round, rule out, eliminate, make unnecessary, take away, foreclose, avoid, avert, counter - *omnipresent*: /#text(font: IPAFont, fill: AccentColor)[ˌɒm.nɪˈprez.ənt]/ present everywhere, ubiquitous, general, universal, worldwide, global, all-pervasive, all-present, infinite, boundless, rife, prevalent, predominant, common, extensive, wide-ranging, far-reaching - *oust*: /#text(font: IPAFont, fill: AccentColor)[aʊst]/ drive out, expel, force out, throw out, remove, remove from office/power, eject, get rid of, depose, topple, unseat, overthrow, bring down, overturn, put out, drum out, thrust out, push out, turn out, purge, evict, dispossess, dismiss, dislodge, displace, supplant, disinherit, show someone the door, banish, deport, exile, boot out, kick out, give someone the boot, defenestrate, turf out, out - *palpable*: /#text(font: IPAFont, fill: AccentColor)[ˈpæl.pə.bəl]/ perceptible, perceivable, visible, noticeable, appreciable, discernible, detectable, observable, tangible, recognizable, notable, unmistakable, transparent, indisputable, self-evident, incontrovertible, incontestable, undeniable, obvious, clear, plain, plain to see, evident, apparent, manifest, patent, marked, conspicuous, pronounced, striking, distinct, as plain as a pikestaff, standing/sticking out a mile, right under one's nose, staring one in the face, writ large, beyond doubt, beyond question, written all over someone, as clear as day, blinding, inescapable, overt, open, undisguised, unconcealed, glaring, blatant, flagrant, barefaced, gross, stark - *perfidy*: /#text(font: IPAFont, fill: AccentColor)[ˈpɜː.fɪ.di]/ treachery, duplicity, deceit, perfidiousness, deceitfulness, disloyalty, infidelity, faithlessness, unfaithfulness, betrayal, treason, falseness, falsity, double-dealing, dishonesty, two-facedness, untrustworthiness, breach of trust, false-heartedness, Punic faith - *profuse*: /#text(font: IPAFont, fill: AccentColor)[prəˈfjuːs]/ copious, prolific, abundant, ample, extravagant, lavish, liberal, unstinting, fulsome, effusive, gushing, immoderate, unrestrained, excessive, inordinate, over the top, gushy - *pugnacious*: /#text(font: IPAFont, fill: AccentColor)[pʌɡˈneɪ.ʃəs]/ combative, aggressive, antagonistic, belligerent, bellicose, warlike, quarrelsome, argumentative, contentious, disputatious, defiant, hostile, threatening, truculent, irascible, fiery, hot-tempered, ill-tempered, bad-tempered, rough - *sagacious*: /#text(font: IPAFont, fill: AccentColor)[səˈɡeɪ.ʃəs]/ wise, clever, intelligent, with/showing great knowledge, knowledgeable, sensible, sage, discerning, judicious, canny, penetrating, perceptive, acute, astute, shrewd, prudent, politic, thoughtful, full of insight, insightful, percipient, perspicacious, philosophical, profound, deep, streetwise, sapient - *sanguine*: /#text(font: IPAFont, fill: AccentColor)[ˈsæŋ.ɡwɪn]/ optimistic, bullish, hopeful, buoyant, positive, confident, cheerful, cheery, bright, assured, upbeat, of good cheer - *scant*: /#text(font: IPAFont, fill: AccentColor)[skænt]/ little, little or no, minimal, hardly any, limited, negligible, barely sufficient, meagre, insufficient, too little, not enough, inadequate, deficient, exiguous - *skullduggery*: /#text(font: IPAFont, fill: AccentColor)[ˌskʌlˈdʌɡ.ər.i]/ trickery, swindling, fraudulence, double-dealing, sharp practice, unscrupulousness, underhandedness, chicanery, machinations, shenanigans, funny business, hanky-panky, monkey business, monkey tricks, jiggery-pokery, monkeyshines - *trivial*: /#text(font: IPAFont, fill: AccentColor)[ˈtrɪv.i.əl]/ unimportant, insignificant, inconsequential, minor, of no/little account, of no/little consequence, of no/little importance, not worth bothering about, not worth mentioning, incidental, inessential, non-essential, petty, trifling, fiddling, pettifogging, footling, small, slight, little, inconsiderable, negligible, paltry, nugatory, meaningless, pointless, worthless, idle, flimsy, insubstantial, piddling, piffling, penny-ante, twopenny-halfpenny, nickel-and-dime, small-bore - *utilitarian*: /#text(font: IPAFont, fill: AccentColor)[ˌjuː.tɪ.lɪˈteə.ri.ən]/ practical, functional, serviceable, useful, sensible, effective, efficient, (suited) to the purpose, pragmatic, realistic, utility, working, workaday, handy, neat, ordinary, down-to-earth, plain, unadorned, undecorative, unpretentious, unsentimental, soulless, hard-wearing, durable, lasting, long-lasting, tough, strong, robust, wear-resistant - *vapid*: /#text(font: IPAFont, fill: AccentColor)[ˈvæp.ɪd]/ insipid, uninspired, colourless, uninteresting, feeble, flat, dead, dull, boring, tedious, tired, unexciting, uninspiring, unimaginative, lifeless, zestless, spiritless, sterile, anaemic, tame, bloodless, jejune, vacuous, bland, stale, trite, pallid, wishy-washy, watery, tasteless, milk-and-water, flavourless #pagebreak() = *Group 9* - *boorish*: /#text(font: IPAFont, fill: AccentColor)[ˈbʊər.ɪʃ]/ coarse, uncouth, rude, discourteous, impolite, ungentlemanly, unladylike, ill-bred, ill-mannered, churlish, gruff, uncivilized, uncultured, uncultivated, unsophisticated, unrefined, common, rough, thuggish, loutish, crude, vulgar, crass, tasteless, unsavoury, gross, lumpen, brutish, bearish, barbaric, barbarous, Neanderthal, philistine, clodhopping, cloddish, slobbish, plebby, yobbish, ocker - *brook*: /#text(font: IPAFont, fill: AccentColor)[brʊk]/ stream, small river, streamlet, rivulet, rill, brooklet, runnel, runlet, freshet, gill, beck, bourn, billabong, burn, creek - *circumspect*: /#text(font: IPAFont, fill: AccentColor)[ˈsɜː.kəm.spekt]/ cautious, wary, careful, chary, guarded, on one's guard, discreet, watchful, alert, attentive, heedful, vigilant, observant, prudent, judicious, canny, politic, softly-softly, cagey, leery - *comity*: /#text(font: IPAFont, fill: AccentColor)[ˈkɒm.ɪ.ti]/ - *commensurate*: /#text(font: IPAFont, fill: AccentColor)[kəˈmen.sjər.ət]/ equivalent, equal, corresponding, correspondent, comparable, proportionate, proportional, commensurable, appropriate to, in keeping with, in line with, consistent with, corresponding to, in accordance with, according to, relative to, in proportion with, proportionate to, dependent on, based on, commensurable with/to - *cordial*: /#text(font: IPAFont, fill: AccentColor)[ˈkɔː.di.əl]/ friendly, warm, genial, affable, amiable, pleasant, fond, affectionate, warm-hearted, good-natured, gracious, hospitable, welcoming, sincere, earnest, wholehearted, heartfelt, hearty, enthusiastic, eager - *deleterious*: /#text(font: IPAFont, fill: AccentColor)[ˌdel.ɪˈtɪə.ri.əs]/ harmful, damaging, detrimental, injurious, inimical, hurtful, bad, adverse, disadvantageous, unfavourable, unfortunate, undesirable, destructive, pernicious, ruinous - *dichotomy*: /#text(font: IPAFont, fill: AccentColor)[daɪˈkɒt.ə.mi]/ division, separation, divorce, split, gulf, chasm, difference, contrast, disjunction, polarity, lack of consistency, contradiction, antagonism, conflict, contrariety - *edify*: /#text(font: IPAFont, fill: AccentColor)[ˈed.ɪ.faɪ]/ educate, instruct, teach, school, tutor, coach, train, guide, enlighten, inform, cultivate, develop, inculcate, indoctrinate, improve, better, uplift, elevate - *elicit*: /#text(font: IPAFont, fill: AccentColor)[iˈlɪs.ɪt]/ obtain, bring out, draw out, extract, evoke, bring about, bring forth, induce, excite, give rise to, call forth, prompt, generate, engender, spark off, trigger, kindle, extort, exact, wrest, derive, provoke, wring, screw, squeeze, worm out - *erudite*: /#text(font: IPAFont, fill: AccentColor)[ˈer.ʊ.daɪt]/ learned, scholarly, well educated, knowledgeable, well read, widely read, well versed, well informed, lettered, cultured, cultivated, civilized, intellectual, intelligent, clever, academic, literary, bookish, highbrow, studious, sage, wise, sagacious, discerning, donnish, cerebral, enlightened, illuminated, sophisticated, pedantic, esoteric, obscure, recondite, brainy, genius, sapient - *fecund*: /#text(font: IPAFont, fill: AccentColor)[ˈfek.ənd]/ fertile, fruitful, productive, high-yielding, prolific, proliferating, propagative, generative, rich, lush, flourishing, thriving, fructuous - *feeble*: /#text(font: IPAFont, fill: AccentColor)[ˈfiː.bəl]/ weak, weakly, weakened, puny, wasted, frail, infirm, delicate, sickly, ailing, unwell, poorly, failing, helpless, powerless, impotent, enfeebled, enervated, debilitated, incapacitated, effete, decrepit, doddering, doddery, tottering, tottery, shaky, trembling, trembly, shilpit, etiolated - *felicitous*: /#text(font: IPAFont, fill: AccentColor)[fəˈlɪs.ɪ.təs]/ apt, well chosen, well expressed, well put, choice, fitting, suitable, appropriate, apposite, pertinent, germane, to the point, relevant, congruous, apropos, spot on - *forbear*: /#text(font: IPAFont, fill: AccentColor)[fɔːˈbeər]/ refrain, abstain, desist, keep, restrain oneself, stop oneself, hold back, withhold, resist the temptation to, steer clear of, give a wide berth to, fight shy of, eschew, avoid, shun, decline to, cease, give up, break off, lay off, leave off, swear off, give over, jack in, belay - *haphazard*: /#text(font: IPAFont, fill: AccentColor)[ˌhæpˈhæz.əd]/ random, unplanned, unsystematic, unmethodical, disorganized, disorderly, irregular, indiscriminate, chaotic, hit-and-miss, arbitrary, orderless, aimless, undirected, careless, casual, slapdash, slipshod, chance, accidental, higgledy-piggledy - *hodgepodge*: /#text(font: IPAFont, fill: AccentColor)[ˈhɒdʒ.pɒdʒ]/ mixture, mix, mixed bag, assortment, assemblage, collection, selection, jumble, ragbag, hotchpotch, miscellany, medley, patchwork, pot-pourri, melange, mess, mishmash, confusion, clutter, farrago, mash-up, gallimaufry, olio, olla podrida, salmagundi - *impede*: /#text(font: IPAFont, fill: AccentColor)[ɪmˈpiːd]/ hinder, obstruct, hamper, handicap, hold back, hold up, delay, interfere with, disrupt, retard, slow, slow down, brake, put a brake on, restrain, fetter, shackle, hamstring, cramp, cripple, block, check, bar, curb, stop, thwart, frustrate, balk, foil, derail, stand in the way of, stymie, foul up, screw up, scupper, bork, cumber - *impetuous*: /#text(font: IPAFont, fill: AccentColor)[ɪmˈpetʃ.u.əs]/ impulsive, rash, hasty, overhasty, reckless, heedless, foolhardy, incautious, imprudent, injudicious, ill-conceived, ill-considered, unplanned, unreasoned, unthought-out, unthinking, spontaneous, impromptu, spur-of-the-moment, precipitate, precipitous, headlong, hurried, rushed - *irascible*: /#text(font: IPAFont, fill: AccentColor)[ɪˈræs.ə.bəl]/ irritable, quick-tempered, short-tempered, bad-tempered, ill-tempered, hot-tempered, thin-skinned, snappy, snappish, tetchy, testy, touchy, edgy, crabby, waspish, dyspeptic, surly, cross, crusty, crabbed, grouchy, crotchety, cantankerous, curmudgeonly, ill-natured, ill-humoured, peevish, querulous, captious, fractious, bilious, narky, prickly, ratty, hot under the collar, iracund, iracundulous - *mercenary*: /#text(font: IPAFont, fill: AccentColor)[ˈmɜː.sən.ri]/ money-oriented, grasping, greedy, acquisitive, avaricious, covetous, rapacious, bribable, venal, materialistic, money-grubbing - *meticulous*: /#text(font: IPAFont, fill: AccentColor)[məˈtɪk.jə.ləs]/ careful, conscientious, diligent, ultra-careful, scrupulous, punctilious, painstaking, demanding, exacting, accurate, correct, thorough, studious, rigorous, detailed, perfectionist, fastidious, methodical, particular, strict, pedantic, fussy, white-glove, nice, laborious - *mordant*: /#text(font: IPAFont, fill: AccentColor)[ˈmɔː.dənt]/ caustic, trenchant, biting, cutting, acerbic, sardonic, sarcastic, scathing, acid, sharp, keen, tart, pungent, stinging, astringent, incisive, devastating, piercing, rapier-like, razor-edged, critical, bitter, polemic, virulent, vitriolic, venomous, waspish, corrosive, acidulous, mordacious - *outstrip*: /#text(font: IPAFont, fill: AccentColor)[ˌaʊtˈstrɪp]/ go faster than, outrun, outdistance, outpace, leave behind, get (further) ahead of, gain on, draw away from, overtake, pass, shake off, throw off, lose, leave standing, walk away from, surpass, exceed, be more than, go beyond, better, beat, top, overshadow, eclipse, put to shame - *precarious*: /#text(font: IPAFont, fill: AccentColor)[prɪˈkeə.ri.əs]/ uncertain, insecure, unreliable, unsure, unpredictable, undependable, risky, hazardous, dangerous, unsafe, hanging by a thread, hanging in the balance, perilous, treacherous, on a slippery slope, on thin ice, touch-and-go, built on sand, doubtful, dubious, delicate, tricky, problematic, unsettled, unstable, unsteady, shaky, rocky, wobbly, dicey, chancy, hairy, iffy, dodgy, parlous - *quirky*: /#text(font: IPAFont, fill: AccentColor)[ˈkwɜː.ki]/ eccentric, idiosyncratic, unconventional, unorthodox, unusual, off-centre, strange, bizarre, weird, peculiar, odd, freakish, outlandish, offbeat, out of the ordinary, Bohemian, alternative, zany, outré, wacky, freaky, kinky, way-out, far out, kooky, oddball, off the wall, in left field, bizarro - *repudiate*: /#text(font: IPAFont, fill: AccentColor)[rɪˈpjuː.di.eɪt]/ reject, renounce, abandon, forswear, give up, turn one's back on, have nothing more to do with, wash one's hands of, have no more truck with, abjure, disavow, recant, desert, discard, disown, cast off, lay aside, cut off, rebuff, forsake, disprofess - *tact*: /#text(font: IPAFont, fill: AccentColor)[tækt]/ sensitivity, understanding, thoughtfulness, consideration, delicacy, diplomacy, discretion, discernment, judgement, prudence, judiciousness, perception, subtlety, wisdom, tactfulness, etiquette, courtesy, cordiality, politeness, decorum, mannerliness, polish, respect, respectfulness, savoir faire, politesse, savvy - *trifling*: /#text(font: IPAFont, fill: AccentColor)[ˈtraɪ.flɪŋ]/ trivial, unimportant, insignificant, inconsequential, petty, minor, of little/no account, of little/no consequence, not worth mentioning, not worth bothering about, light, footling, fiddling, pettifogging, incidental, frivolous, silly, idle, superficial, small, tiny, inconsiderable, nominal, negligible, nugatory, minute, minuscule, paltry, derisory, pitiful, pathetic, miserable, piffling, piddling, measly, mingy, poxy, picayune, nickel-and-dime, small-bore, dinky, exiguous - *turbulent*: /#text(font: IPAFont, fill: AccentColor)[ˈtɜː.bjə.lənt]/ tempestuous, stormy, unstable, unsettled, tumultuous, explosive, in turmoil, full of upheavals, full of conflict, full of ups and downs, roller-coaster, chaotic, full of confusion, violent, wild, anarchic, lawless #pagebreak() = *Group 10* - *acumen*: /#text(font: IPAFont, fill: AccentColor)[ˈæk.jə.mən]/ astuteness, awareness, shrewdness, acuity, sharpness, sharp-wittedness, cleverness, brightness, smartness, judgement, understanding, sense, common sense, canniness, discernment, wisdom, wit, sagacity, perspicacity, ingenuity, insight, intuition, intuitiveness, perception, perspicuity, penetration, capability, enterprise, initiative, resourcefulness, flair, vision, brains, powers of reasoning, savoir faire, nous, savvy, know-how, horse sense, gumption, grey matter, common, smarts, sapience, arguteness - *antithesis*: /#text(font: IPAFont, fill: AccentColor)[ænˈtɪθ.ə.sɪs]/ (direct) opposite, converse, reverse, reversal, inverse, obverse, the other extreme, the other side of the coin, the flip side - *ascribe*: /#text(font: IPAFont, fill: AccentColor)[əˈskraɪb]/ attribute, assign, put down, set down, accredit, credit, give the credit for, chalk up, impute, lay on, pin on, blame on, lay at the door of, connect with, associate with - *befuddled*: /#text(font: IPAFont, fill: AccentColor)[bɪˈfʌd.əld]/ - *eschew*: /#text(font: IPAFont, fill: AccentColor)[ɪsˈtʃuː]/ abstain from, refrain from, give up, forgo, forswear, shun, renounce, swear off, abjure, steer clear of, have nothing to do with, give a wide berth to, fight shy of, relinquish, reject, dispense with, disavow, abandon, deny, gainsay, disclaim, repudiate, renege on, spurn, abnegate, abdicate, wash one's hands of, drop, kick, jack in, pack in, disaffirm, forsake - *esoteric*: /#text(font: IPAFont, fill: AccentColor)[ˌiː.səˈter.ɪk]/ abstruse, obscure, arcane, recherché, rarefied, recondite, abstract, difficult, hard, puzzling, perplexing, enigmatic, inscrutable, cryptic, Delphic, complex, complicated, involved, over/above one's head, incomprehensible, opaque, unfathomable, impenetrable, mysterious, occult, little known, hidden, secret, private, mystic, magical, cabbalistic, involuted - *evasive*: /#text(font: IPAFont, fill: AccentColor)[ɪˈveɪ.sɪv]/ prevaricating, elusive, ambiguous, equivocal, equivocating, indefinite, non-committal, vague, indeterminate, imprecise, inexact, indistinct, inexplicit, cryptic, enigmatic, obscure, unclear, puzzling, perplexing, gnomic, Delphic, roundabout, indirect, oblique, circumlocutory, circuitous, periphrastic, cagey - *exculpate*: /#text(font: IPAFont, fill: AccentColor)[ˈek.skəl.peɪt]/ - *expedite*: /#text(font: IPAFont, fill: AccentColor)[ˈek.spə.daɪt]/ speed up, accelerate, hurry, hasten, step up, quicken, precipitate, rush, advance, facilitate, ease, make easier, further, promote, aid, push through, push, give a push to, press, urge on, forward, boost, give a boost to, stimulate, spur on, help along, oil the wheels for, smooth the way for, clear a path for, dispatch, dash off, make short work of - *fastidious*: /#text(font: IPAFont, fill: AccentColor)[fæsˈtɪd.i.əs]/ scrupulous, punctilious, painstaking, meticulous, assiduous, sedulous, perfectionist, fussy, finicky, dainty, over-particular, critical, overcritical, hypercritical, pedantic, precise, exact, hair-splitting, exacting, demanding, pass-remarkable, nitpicking, choosy, picky, pernickety, persnickety, nice, overnice - *feign*: /#text(font: IPAFont, fill: AccentColor)[feɪn]/ simulate, fake, sham, affect, give the appearance of, make a show of, make a pretence of, play at, go through the motions of, put on, pretend, put it on, bluff, pose, posture, masquerade, make believe, act, play-act, go through the motions, put on a false display, malinger, kid, mess, pretended, simulated, assumed, affected, artificial, insincere, put-on, faked, false, apparent, ostensible, seeming, surface, avowed, professed, pseudo, phoney, fakey, cod - *furtive*: /#text(font: IPAFont, fill: AccentColor)[ˈfɜː.tɪv]/ secretive, secret, surreptitious, sly, sneaky, wily, underhand, under the table, clandestine, hidden, covert, cloaked, conspiratorial, underground, cloak and dagger, hole and corner, hugger-mugger, stealthy, sneaking, skulking, slinking, sidelong, sideways, oblique, indirect, black, hush-hush, shifty - *hamper*: /#text(font: IPAFont, fill: AccentColor)[ˈhæm.pər]/ basket, pannier, wickerwork basket, box, container, holder - *indispensable*: /#text(font: IPAFont, fill: AccentColor)[ˌɪn.dɪˈspen.sə.bəl]/ essential, crucial, necessary, key, vital, needed, required, called for, requisite, important, all-important, vitally important, of the utmost importance, of great consequence, of the essence, critical, life-and-death, imperative, mandatory, compulsory, obligatory, compelling, urgent, pressing, burning, acute, paramount, pre-eminent, high-priority, significant, consequential - *lament*: /#text(font: IPAFont, fill: AccentColor)[ləˈment]/ wail, wailing, lamentation, moan, moaning, groan, weeping, crying, sob, sobbing, keening, howl, complaint, jeremiad, ululation, mourn, grieve (for/over), weep for, shed tears for, sorrow, wail, moan, groan, weep, cry, sob, keen, plain, howl, pine for, beat one's breast, ululate - *myopic*: /#text(font: IPAFont, fill: AccentColor)[maɪˈɒp.ɪk]/ short-sighted, nearsighted, as blind as a bat, purblind - *nonchalant*: /#text(font: IPAFont, fill: AccentColor)[ˈnɒn.ʃəl.ənt]/ calm, cool, unconcerned, collected, and collected, cool as a cucumber, composed, airy, indifferent, unemotional, blasé, dispassionate, detached, apathetic, casual, offhand, insouciant, laid-back - *partial*: /#text(font: IPAFont, fill: AccentColor)[ˈpɑː.ʃəl]/ incomplete, limited, qualified, restricted, imperfect, fragmentary, unfinished - *pensive*: /#text(font: IPAFont, fill: AccentColor)[ˈpen.sɪv]/ thoughtful, thinking, reflective, contemplative, musing, meditative, introspective, prayerful, philosophical, cogitative, ruminative, absorbed, engrossed, rapt, preoccupied, deep/immersed/lost in thought, in a brown study, broody, serious, studious, solemn, dreamy, dreaming, wistful, brooding, melancholy, sad, ruminant - *portend*: /#text(font: IPAFont, fill: AccentColor)[pɔːˈtend]/ presage, augur, foreshadow, foretell, prophesy, be a sign of, be a warning of, warn of, be an omen of, be an indication of, be a harbinger of, indicate, herald, signal, bode, announce, promise, threaten, point to, mean, signify, spell, denote, betoken, foretoken, forebode, harbinger - *provincial*: /#text(font: IPAFont, fill: AccentColor)[prəˈvɪn.ʃəl]/ regional, state, territorial, district, local, sectoral, zonal, cantonal, county, parochial, colonial, non-metropolitan, small-town, non-urban, outlying, rural, country, rustic, backwoods, backwater, one-horse, hick, freshwater, unsophisticated, narrow-minded, suburban, insular, parish-pump, inward-looking, limited, restricted, localist, narrow, small-minded, petty, blinkered, illiberal, inflexible, jerkwater, corn-fed - *rudimentary*: /#text(font: IPAFont, fill: AccentColor)[ˌruː.dɪˈmen.tər.i]/ basic, elementary, introductory, early, primary, initial, first, fundamental, essential, rudimental - *salutary*: /#text(font: IPAFont, fill: AccentColor)[ˈsæl.jə.tər.i]/ beneficial, good, good for one, advantageous, profitable, productive, helpful, useful, of use, of service, valuable, worthwhile, practical, relevant, timely - *sever*: /#text(font: IPAFont, fill: AccentColor)[ˈsev.ər]/ cut off, chop off, lop off, hack off, cleave, hew off, shear off, slice off, split, break off, tear off, divide, separate, part, detach, disconnect, amputate, dock, rend, sunder, dissever, cut, cut through, rupture, pierce, rip, tear - *slight*: /#text(font: IPAFont, fill: AccentColor)[slaɪt]/ small, modest, little, tiny, minute, inappreciable, imperceptible, infinitesimal, hardly worth mentioning, negligible, inconsiderable, insignificant, minimal, marginal, remote, scant, slim, outside, faint, vague, subtle, gentle, minuscule, exiguous - *somnolent*: /#text(font: IPAFont, fill: AccentColor)[ˈsɒm.nəl.ənt]/ sleepy, drowsy, tired, languid, languorous, heavy-eyed, dozy, nodding, groggy, half asleep, asleep on one's feet, yawning, lethargic, sluggish, inactive, enervated, torpid, comatose, snoozy, dopey, yawny, slumberous, oscitant, slumbersome, quiet, restful, tranquil, calm, peaceful, pleasant, relaxing, soothing, undisturbed, untroubled, isolated - *stoic*: /#text(font: IPAFont, fill: AccentColor)[ˈstəʊ.ɪk]/ - *supersede*: /#text(font: IPAFont, fill: AccentColor)[ˌsuː.pəˈsiːd]/ replace, supplant, take the place of, take over from, substitute for, displace, oust, overthrow, remove, unseat, override, succeed, come after, step into the shoes of, crowd out, fill someone's boots - *tout*: /#text(font: IPAFont, fill: AccentColor)[taʊt]/ illegal salesman, ticket tout, scalper - *wane*: /#text(font: IPAFont, fill: AccentColor)[weɪn]/ disappear, decrease, diminish, dwindle #pagebreak() = *Group 11* - *abhor*: /#text(font: IPAFont, fill: AccentColor)[əˈbhɔːr]/ detest, hate, loathe, despise, abominate, execrate, regard with disgust, shrink from, recoil from, shudder at, be unable to bear, be unable to abide, feel hostility/aversion to, find intolerable, dislike, disdain, have an aversion to, disrelish - *boisterous*: /#text(font: IPAFont, fill: AccentColor)[ˈbɔɪ.stər.əs]/ lively, active, animated, exuberant, spirited, bouncy, frisky, excited, overexcited, in high spirits, high-spirited, ebullient, vibrant, rowdy, unruly, wild, uproarious, unrestrained, undisciplined, uninhibited, uncontrolled, abandoned, rough, romping, rollicking, disorderly, knockabout, riotous, rip-roaring, rumbustious, roistering, tumultuous, noisy, loud, clamorous, clangorous - *chivalrous*: /#text(font: IPAFont, fill: AccentColor)[ˈʃɪv.əl.rəs]/ gallant, gentlemanly, honourable, respectful, thoughtful, considerate, protective, attentive, courteous, polite, gracious, well mannered, urbane, courtly, mannerly, gentle - *churlish*: /#text(font: IPAFont, fill: AccentColor)[ˈtʃɜː.lɪʃ]/ rude, ill-mannered, discourteous, impolite, ungracious, unmannerly, uncivil, ungentlemanly, ungallant, unchivalrous, ill-bred, boorish, oafish, loutish, mean-spirited, ill-tempered, unkind, inconsiderate, uncharitable, ill-humoured, surly, sullen, ignorant - *clandestine*: /#text(font: IPAFont, fill: AccentColor)[klænˈdes.tɪn]/ secret, covert, furtive, surreptitious, stealthy, cloak-and-dagger, hole-and-corner, hole-in-the-corner, closet, behind-the-scenes, backstairs, back-alley, under-the-table, hugger-mugger, concealed, hidden, private, sly, sneaky, underhand, undercover, underground, black, hush-hush - *complacent*: /#text(font: IPAFont, fill: AccentColor)[kəmˈpleɪ.sənt]/ smug, self-satisfied, pleased with oneself, proud of oneself, self-approving, self-congratulatory, self-admiring, self-regarding, gloating, triumphant, proud, pleased, gratified, satisfied, content, contented, careless, slack, lax, lazy, I'm-all-right-Jack, wisenheimer - *cumbersome*: /#text(font: IPAFont, fill: AccentColor)[ˈkʌm.bə.səm]/ unwieldy, unmanageable, awkward, clumsy, ungainly, inconvenient, incommodious, bulky, large, heavy, hefty, weighty, burdensome, hulking, clunky, cumbrous, unhandy, lumbersome - *debilitating*: /#text(font: IPAFont, fill: AccentColor)[dɪˈbɪl.ɪ.teɪ.tɪŋ]/ - *deliberate*: /#text(font: IPAFont, fill: AccentColor)[dɪˈlɪb.ər.ət]/ intentional, calculated, conscious, done on purpose, intended, planned, meant, considered, studied, knowing, wilful, wanton, purposeful, purposive, premeditated, pre-planned, thought out in advance, prearranged, preconceived, predetermined, aforethought, voluntary, volitional, prepense - *droll*: /#text(font: IPAFont, fill: AccentColor)[drəʊl]/ funny, humorous, amusing, comic, comical, mirthful, chucklesome, hilarious, rollicking, clownish, farcical, zany, quirky, eccentric, preposterous, ridiculous, ludicrous, risible, laughable, jocular, light-hearted, facetious, waggish, witty, whimsical, wry, sportive, tongue-in-cheek, entertaining, diverting, engaging, sparkling, wacky, side-splitting, rib-tickling, quaint, odd, strange, outlandish, bizarre - *eccentric*: /#text(font: IPAFont, fill: AccentColor)[ɪkˈsen.trɪk]/ unconventional, uncommon, abnormal, irregular, aberrant, anomalous, odd, queer, strange, peculiar, weird, bizarre, off-centre, outlandish, freakish, extraordinary, idiosyncratic, quirky, singular, nonconformist, capricious, whimsical, outré, avant garde, way out, far out, offbeat, nutty, screwy, freaky, oddball, wacky, cranky, off the wall, madcap, zany, rum, dotty, kooky, wacko, bizarro, in left field - *fractious*: /#text(font: IPAFont, fill: AccentColor)[ˈfræk.ʃəs]/ grumpy, grouchy, crotchety, in a (bad) mood, cantankerous, bad-tempered, ill-tempered, ill-natured, ill-humoured, peevish, cross, disagreeable, pettish, irritable, irascible, tetchy, testy, curmudgeonly, crabbed, crabby, waspish, prickly, peppery, touchy, scratchy, crusty, splenetic, shrewish, short-tempered, hot-tempered, quick-tempered, dyspeptic, choleric, bilious, liverish, cross-grained, as cross as two sticks, snappish, snappy, chippy, on a short fuse, short-fused, shirty, stroppy, narky, ratty, eggy, like a bear with a sore head, cranky, ornery, peckish, soreheaded, snaky, waxy, miffy - *limpid*: /#text(font: IPAFont, fill: AccentColor)[ˈlɪm.pɪd]/ clear, transparent, glassy, glasslike, crystal clear, crystalline, see-through, translucent, pellucid, unclouded, uncloudy - *mawkish*: /#text(font: IPAFont, fill: AccentColor)[ˈmɔː.kɪʃ]/ sentimental, over-sentimental, overemotional, cloying, sickly, saccharine, sugary, syrupy, sickening, nauseating, maudlin, lachrymose, banal, trite, twee, mushy, slushy, sloppy, schmaltzy, weepy, cutesy, lovey-dovey, gooey, drippy, sloshy, soupy, treacly, cheesy, corny, icky, sick-making, toe-curling, soppy, cornball, sappy, hokey, three-hanky - *obeisance*: /#text(font: IPAFont, fill: AccentColor)[əʊˈbeɪ.səns]/ respect, homage, worship, adoration, reverence, veneration, respectfulness, honour, submission, deference, bow, curtsy, bob, genuflection, salaam, salutation, namaskar, kowtow, reverence - *ostentatious*: /#text(font: IPAFont, fill: AccentColor)[ˌɒs.tenˈteɪ.ʃəs]/ showy, pretentious, conspicuous, obtrusive, flamboyant, gaudy, garish, tinsel, tinselly, brash, vulgar, loud, extravagant, fancy, ornate, affected, theatrical, actorly, overdone, over-elaborate, kitsch, tasteless, flash, flashy, fancy-pants, over the top, OTT, bling, glitzy, ritzy, swanky, splashy, superfly, dicty - *panacea*: /#text(font: IPAFont, fill: AccentColor)[ˌpæn.əˈsiː.ə]/ universal cure, cure-all, cure for all ills, universal remedy, sovereign remedy, heal-all, nostrum, elixir, wonder drug, perfect solution, magic formula, magic bullet, catholicon, diacatholicon, panpharmacon - *perfunctory*: /#text(font: IPAFont, fill: AccentColor)[pəˈfʌŋk.tər.i]/ cursory, desultory, quick, brief, hasty, hurried, rapid, passing, fleeting, summary, token, casual, superficial, uninterested, careless, half-hearted, unthinking, sketchy, mechanical, automatic, routine, offhand, indifferent, inattentive, dismissive - *perilous*: /#text(font: IPAFont, fill: AccentColor)[ˈper.əl.əs]/ dangerous, fraught with danger, hazardous, risky, unsafe, treacherous, precarious, vulnerable, uncertain, insecure, critical, desperate, exposed, at risk, in jeopardy, in danger, touch-and-go, problematic, difficult, hairy, dicey, gnarly, parlous - *pervasive*: /#text(font: IPAFont, fill: AccentColor)[pəˈveɪ.sɪv]/ prevalent, penetrating, pervading, permeating, extensive, ubiquitous, omnipresent, present everywhere, rife, widespread, general, common, universal, pandemic, epidemic, endemic, inescapable, insidious, immanent, permeative, suffusive, permeant - *preclude*: /#text(font: IPAFont, fill: AccentColor)[prɪˈkluːd]/ prevent, make it impossible for, make it impracticable for, rule out, put a stop to, stop, prohibit, debar, interdict, block, bar, hinder, impede, inhibit, exclude, disqualify, forbid, estop - *predilection*: /#text(font: IPAFont, fill: AccentColor)[ˌpriː.dɪˈlek.ʃən]/ liking, fondness, preference, partiality, taste, penchant, weakness, soft spot, fancy, inclination, leaning, bias, propensity, bent, proclivity, proneness, predisposition, tendency, affinity, appetite, love, gusto - *rapacious*: /#text(font: IPAFont, fill: AccentColor)[rəˈpeɪ.ʃəs]/ grasping, greedy, avaricious, acquisitive, covetous, mercenary, materialistic, insatiable, predatory, voracious, usurious, extortionate, money-grubbing, grabby - *relish*: /#text(font: IPAFont, fill: AccentColor)[ˈrel.ɪʃ]/ - *satirical*: /#text(font: IPAFont, fill: AccentColor)[səˈtɪr.ɪ.kəl]/ mocking, ironic, ironical, satiric, sarcastic, sardonic, scornful, derisive, ridiculing, taunting, caustic, trenchant, mordant, biting, cutting, sharp, pointed, keen, stinging, acerbic, pungent, cynical, critical, irreverent, disparaging, disrespectful, Rabelaisian, Hudibrastic, mordacious - *sham*: /#text(font: IPAFont, fill: AccentColor)[ʃæm]/ pretence, fake, act, fiction, simulation, imposture, fraud, feint, lie, counterfeit, putting on an act, faking, feigning, play-acting, dissembling, humbug, a put-up job - *skirt*: /#text(font: IPAFont, fill: AccentColor)[skɜːt]/ - *sluggish*: /#text(font: IPAFont, fill: AccentColor)[ˈslʌɡ.ɪʃ]/ inactive, quiet, slow, slow-moving, slack, flat, depressed, stagnant, static - *spartan*: /#text(font: IPAFont, fill: AccentColor)[ˈspɑː.tən]/ - *truculent*: /#text(font: IPAFont, fill: AccentColor)[ˈtrʌk.jə.lənt]/ defiant, aggressive, antagonistic, belligerent, pugnacious, bellicose, combative, confrontational, ready for a fight, hostile, obstreperous, argumentative, quarrelsome, contentious, uncooperative, bad-tempered, ill-tempered, sullen, surly, cross, ill-natured, rude, discourteous, unpleasant, feisty, spoiling for a fight, stroppy, bolshie, scrappy #pagebreak() = *Group 12* - *acrimonious*: /#text(font: IPAFont, fill: AccentColor)[ˌæk.rɪˈməʊ.ni.əs]/ bitter, rancorous, caustic, acerbic, scathing, sarcastic, acid, harsh, sharp, razor-edged, cutting, astringent, trenchant, mordant, virulent, spiteful, vicious, crabbed, vitriolic, savage, hostile, hate-filled, venomous, poisonous, nasty, ill-natured, mean, malign, malicious, malignant, waspish, pernicious, splenetic, irascible, choleric, bitchy, catty, slashing, acidulous, mordacious, envenomed, squint-eyed - *belligerent*: /#text(font: IPAFont, fill: AccentColor)[bəˈlɪdʒ.ər.ənt]/ hostile, aggressive, threatening, antagonistic, pugnacious, bellicose, truculent, confrontational, argumentative, quarrelsome, disputatious, contentious, militant, combative, quick-tempered, hot-tempered, ill-tempered, bad-tempered, irascible, captious, spoiling for a fight, stroppy, bolshie, scrappy, oppugnant - *beneficent*: /#text(font: IPAFont, fill: AccentColor)[bəˈnef.ɪ.sənt]/ benevolent, charitable, altruistic, humane, humanitarian, neighbourly, public-spirited, philanthropic, generous, magnanimous, munificent, unselfish, ungrudging, unstinting, open-handed, free-handed, free, liberal, lavish, bountiful, benign, indulgent, kind, bounteous, benignant - *canny*: /#text(font: IPAFont, fill: AccentColor)[ˈkæn.i]/ shrewd, astute, sharp, sharp-witted, discerning, acute, penetrating, discriminating, perceptive, perspicacious, clever, intelligent, wise, sagacious, sensible, judicious, circumspect, careful, prudent, cautious, cunning, crafty, wily, artful, calculating, on the ball, smart, savvy, suss, sussed, pawky, heads-up, as sharp as a tack, whip-smart, long-headed, sapient, argute - *cavalier*: /#text(font: IPAFont, fill: AccentColor)[ˌkæv.əlˈɪər]/ Royalist, king's man - *distressed*: /#text(font: IPAFont, fill: AccentColor)[dɪˈstrest]/ - *dwindling*: /#text(font: IPAFont, fill: AccentColor)[ˈdwɪn.dəl.ɪŋ]/ - *eclipse*: /#text(font: IPAFont, fill: AccentColor)[ɪˈklɪps]/ - *encyclopedic*: /#text(font: IPAFont, fill: AccentColor)[ɪnˌsaɪ.kləˈpiː.dɪk]/ comprehensive, complete, thorough, thoroughgoing, full, exhaustive, in-depth, wide-ranging, broad-ranging, broad-based, cross-disciplinary, interdisciplinary, multidisciplinary, all-inclusive, all-embracing, all-encompassing, universal, vast, compendious, across the board, wall-to-wall - *exacerbate*: /#text(font: IPAFont, fill: AccentColor)[ɪɡˈzæs.ə.beɪt]/ aggravate, make worse, worsen, inflame, compound, intensify, increase, heighten, magnify, add to, amplify, augment, make matters worse, compound the problem, add fuel to the fire/flames, fan the flames, rub salt in the wounds, add insult to injury - *exasperated*: /#text(font: IPAFont, fill: AccentColor)[ɪɡˈzɑː.spə.reɪ.tɪd]/ - *fungible*: /#text(font: IPAFont, fill: AccentColor)[ˈfʌn.dʒ.ə.bəl]/ - *hackneyed*: /#text(font: IPAFont, fill: AccentColor)[ˈhæk.nid]/ overused, overworked, overdone, worn out, time-worn, platitudinous, vapid, stale, tired, threadbare, trite, banal, hack, clichéd, hoary, commonplace, common, ordinary, stock, conventional, stereotyped, predictable, unimaginative, unoriginal, derivative, uninspired, prosaic, dull, boring, pedestrian, run-of-the-mill, routine, humdrum, old hat, corny, played out, hacky, cornball, dime-store, truistic, bromidic - *incongruous*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈkɒŋ.ɡru.əs]/ out of place, out of keeping, inappropriate, unsuitable, unsuited, not in harmony, discordant, dissonant, conflicting, clashing, jarring, wrong, at odds, in opposition, contrary, contradictory, irreconcilable, strange, odd, absurd, bizarre, off-key, extraneous, like a fish out of water, sticking/standing out a mile, disconsonant, ill-matched, ill-assorted, mismatched, unharmonious, inconsistent, incompatible, different, dissimilar, contrasting, disparate, discrepant - *interchangeable*: /#text(font: IPAFont, fill: AccentColor)[ˌɪn.təˈtʃeɪn.dʒə.bəl]/ exchangeable, transposable, replaceable - *laconic*: /#text(font: IPAFont, fill: AccentColor)[ləˈkɒn.ɪk]/ brief, concise, terse, succinct, short, economical, elliptical, crisp, pithy, to the point, incisive, short and sweet, compendious, abrupt, blunt, curt, clipped, monosyllabic, brusque, pointed, gruff, sharp, tart, epigrammatic, aphoristic, gnomic, taciturn, of few words, uncommunicative, reticent, quiet, untalkative, reserved, silent, speechless, tight-lipped, unforthcoming - *lucrative*: /#text(font: IPAFont, fill: AccentColor)[ˈluː.krə.tɪv]/ profitable, profit-making, gainful, remunerative, moneymaking, paying, high-income, well paid, high-paying, bankable, cost-effective, productive, fruitful, rewarding, worthwhile, advantageous, thriving, flourishing, successful, booming, going - *magisterial*: /#text(font: IPAFont, fill: AccentColor)[ˌmædʒ.ɪˈstɪə.ri.əl]/ authoritative, masterful, lordly, judge-like - *onerous*: /#text(font: IPAFont, fill: AccentColor)[ˈəʊ.nər.əs]/ burdensome, heavy, inconvenient, troublesome, awkward, crushing, back-breaking, oppressive, weighty, arduous, strenuous, uphill, difficult, hard, severe, formidable, laborious, Herculean, exhausting, tiring, taxing, demanding, punishing, gruelling, exacting, wearing, stiff, stressful, wearisome, fatiguing, toilsome, exigent - *opprobrium*: /#text(font: IPAFont, fill: AccentColor)[əˈprəʊ.bri.əm]/ vilification, abuse, vituperation, condemnation, criticism, censure, castigation, denunciation, defamation, denigration, disparagement, obloquy, derogation, slander, revilement, reviling, calumny, calumniation, execration, excoriation, lambasting, upbraiding, bad press, character assassination, attack, invective, libel, insults, aspersions, flak, mud-slinging, bad-mouthing, tongue-lashing, stick, verbal, slagging off, contumely, animadversion, objurgation - *parsimonious*: /#text(font: IPAFont, fill: AccentColor)[ˌpɑː.sɪˈməʊ.ni.əs]/ miserly, ungenerous, close-fisted, penny-pinching, cheese-paring, penurious, illiberal, close, grasping, Scrooge-like, stinting, sparing, frugal, mean, tight-fisted, stingy, tight, mingy, money-grubbing, skinflinty, cheap, near - *peripheral*: /#text(font: IPAFont, fill: AccentColor)[pəˈrɪf.ər.əl]/ outlying, outer, on the edge/outskirts, outermost, fringe, border, surrounding, circumferential, perimetric - *provocative*: /#text(font: IPAFont, fill: AccentColor)[prəˈvɒk.ə.tɪv]/ annoying, irritating, exasperating, infuriating, provoking, maddening, goading, vexing, galling, affronting, insulting, offensive, inflaming, rousing, arousing, agitational, inflammatory, incendiary, controversial, aggravating, in-your-face, instigative, agitative - *renounce*: /#text(font: IPAFont, fill: AccentColor)[rɪˈnaʊns]/ reject, refuse to abide by, refuse to recognize, repudiate - *tempestuous*: /#text(font: IPAFont, fill: AccentColor)[temˈpes.tʃu.əs]/ turbulent, stormy, tumultuous, violent, wild, lively, heated, explosive, uncontrolled, unrestrained, feverish, hysterical, frenetic, frenzied, frantic, emotional, passionate, intense, impassioned, fiery, temperamental, volatile, excitable, mercurial, capricious, unpredictable, erratic, hot-tempered, quick-tempered - *tenable*: /#text(font: IPAFont, fill: AccentColor)[ˈten.ə.bəl]/ - *transgression*: /#text(font: IPAFont, fill: AccentColor)[trænzˈɡreʃ.ən]/ offence, crime, sin, wrong, wrongdoing, misdemeanour, felony, misdeed, lawbreaking, vice, evil-doing, indiscretion, peccadillo, mischief, mischievousness, wickedness, misbehaviour, bad behaviour, error, lapse, fault, trespass, infringement, breach, contravention, violation, defiance, infraction, disobedience, breaking, flouting, non-observance, overstepping, exceeding - *urbane*: /#text(font: IPAFont, fill: AccentColor)[ɜːˈbeɪn]/ suave, sophisticated, debonair, worldly, elegant, cultivated, cultured, civilized, well bred, worldly-wise, glib, smooth, slick, polished, refined, poised, self-possessed, dignified, courteous, polite, civil, well mannered, gentlemanly, gallant, courtly, charming, affable, tactful, diplomatic, media-savvy, cool, mannerly - *verisimilitude*: /#text(font: IPAFont, fill: AccentColor)[ˌver.ɪ.sɪˈmɪl.ɪ.tʃuːd]/ - *vitiate*: /#text(font: IPAFont, fill: AccentColor)[ˈvɪʃ.i.eɪt]/ #pagebreak() = *Group 13* - *affinity*: /#text(font: IPAFont, fill: AccentColor)[əˈfɪn.ə.ti]/ - *altruistic*: /#text(font: IPAFont, fill: AccentColor)[ˌæl.truˈɪs.tɪk]/ unselfish, selfless, self-sacrificing, self-denying, considerate, compassionate, kind, decent, noble, public-spirited, generous, magnanimous, ungrudging, unstinting, charitable, benevolent, beneficent, liberal, open-handed, free-handed, philanthropic, humanitarian, bounteous - *baroque*: /#text(font: IPAFont, fill: AccentColor)[bəˈrɒk]/ - *byzantine*: /#text(font: IPAFont, fill: AccentColor)[bɪˈzæn.taɪn]/ - *compromise*: /#text(font: IPAFont, fill: AccentColor)[ˈkɒm.prə.maɪz]/ agreement, understanding, settlement, terms, accommodation, deal, trade-off, bargain, halfway house, middle ground, middle course, happy medium, balance, modus vivendi, give and take, concession, cooperation - *conciliatory*: /#text(font: IPAFont, fill: AccentColor)[kənˈsɪl.i.ə.tər.i]/ propitiatory, placatory, appeasing, pacifying, pacific, mollifying, peacemaking, peacebuilding, reconciliatory, pacificatory, propitiative, placative, irenic - *countenance*: /#text(font: IPAFont, fill: AccentColor)[ˈkaʊn.tən.əns]/ face, features, physiognomy, profile, facial expression, expression, look, appearance, aspect, mien, mug, clock, mush, dial, phizog, phiz, boat race, coupon, bake, puss, pan, visage, lineaments, front, tolerate, permit, allow, admit of, approve (of), agree to, consent to, give one's blessing to, take kindly to, be in favour of, favour, hold with, go along with, put up with, endure, brook, stomach, swallow, bear, thole, stand for, stick, hack, give the go ahead to, give the green light to, give the thumbs up to, give the okay to, approbate - *covert*: /#text(font: IPAFont, fill: AccentColor)[ˈkəʊ.vɜːt]/ secret, furtive, clandestine, surreptitious, stealthy, cloak-and-dagger, hole-and-corner, hole-in-the-corner, closet, behind-the-scenes, backstairs, back-alley, under-the-table, hugger-mugger, concealed, hidden, private, sly, sneaky, underhand, undercover, underground, black, hush-hush - *credible*: /#text(font: IPAFont, fill: AccentColor)[ˈkred.ə.bəl]/ acceptable, trustworthy, reliable, dependable, sure, good, valid, feasible, viable, tenable, sustainable, maintainable - *diffuse*: /#text(font: IPAFont, fill: AccentColor)[dɪˈfjuːz]/ spread, spread out, spread around, send out, scatter, disperse, disseminate, distribute, dispense, put about, circulate, communicate, impart, purvey, propagate, transmit, broadcast, promulgate, bruit abroad - *documentary*: /#text(font: IPAFont, fill: AccentColor)[ˌdɒk.jəˈmen.tər.i]/ - *exhaustive*: /#text(font: IPAFont, fill: AccentColor)[ɪɡˈzɔː.stɪv]/ comprehensive, all-inclusive, complete, full, full-scale, all-embracing, all-encompassing, encyclopedic, thorough, in-depth, thoroughgoing, extensive, intensive, all-out, profound, far-reaching, sweeping, umbrella, definitive, detailed, minute, meticulous, painstaking, careful, wall-to-wall - *exhilarating*: /#text(font: IPAFont, fill: AccentColor)[ɪɡˈzɪl.ə.reɪ.tɪŋ]/ - *extraneous*: /#text(font: IPAFont, fill: AccentColor)[ɪkˈstreɪ.ni.əs]/ irrelevant, immaterial, beside the point, not to the point, neither here nor there, nothing to do with it, not pertinent, not germane, not to the purpose, off the subject, unrelated, unconnected, inapposite, inappropriate, inapplicable, inconsequential, incidental, pointless, out of place, wide of the mark, peripheral, tangential - *fervour*: /#text(font: IPAFont, fill: AccentColor)[ˈfɜː.vər]/ passion, ardour, intensity, zeal, vehemence, vehemency, emotion, warmth, sincerity, earnestness, avidness, avidity, eagerness, keenness, enthusiasm, excitement, animation, vigour, energy, fire, fieriness, heat, spirit, zest, appetite, hunger, urgency, dedication, devoutness, assiduity, commitment, committedness, fervency, ardency, passionateness - *futile*: /#text(font: IPAFont, fill: AccentColor)[ˈfjuː.taɪl]/ fruitless, vain, pointless, useless, worthless, ineffectual, ineffective, inefficacious, to no effect, of no use, in vain, to no avail, unavailing, unsuccessful, failed, thwarted, unproductive, barren, unprofitable, abortive, impotent, hollow, empty, forlorn, idle, sterile, nugatory, valueless, hopeless, doomed, lost, no good to gundy, bootless - *illusory*: /#text(font: IPAFont, fill: AccentColor)[ɪˈluː.sər.i]/ delusory, delusional, delusive, illusionary, imagined, imaginary, fancied, non-existent, unreal, hallucinatory, sham, hollow, deceptive, deceiving, false, fallacious, fake, bogus, mistaken, erroneous, misleading, misguided, untrue, specious, fanciful, notional, chimerical, illusive, Barmecide - *invidious*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈvɪd.i.əs]/ unpleasant, awkward, difficult, undesirable, unenviable - *lethargic*: /#text(font: IPAFont, fill: AccentColor)[ləˈθɑː.dʒɪk]/ sluggish, inert, inactive, slow, torpid, lifeless, dull, languid, listless, lazy, idle, indolent, shiftless, slothful, phlegmatic, apathetic, passive, past caring, weary, tired, fatigued, sleepy, drowsy, enervated, somnolent, narcotic - *metaphorical*: /#text(font: IPAFont, fill: AccentColor)[ˌmet.əˈfɒr.ɪ.kəl]/ figurative, allegorical, analogous, symbolic, emblematic, imaginative, fanciful, extended, parabolic, tropical - *mimic*: /#text(font: IPAFont, fill: AccentColor)[ˈmɪm.ɪk]/ imitate, copy, impersonate, do an impression of, take off, do an impersonation of, do, ape, caricature, mock, make fun of, parody, satirize, lampoon, burlesque, travesty, send up, spoof, monkey, impersonator, impressionist, imitator, mimicker, parodist, caricaturist, lampooner, lampoonist, copier, copyist, copycat, zany, epigone, simulated, mock, imitation, make-believe, sham, imitative, mimetic, pretend - *numinous*: /#text(font: IPAFont, fill: AccentColor)[ˈnjuː.mɪ.nəs]/ spiritual, religious, divine, holy, sacred, mysterious, other-worldly, unearthly, awe-inspiring, transcendent - *obscure*: /#text(font: IPAFont, fill: AccentColor)[əbˈskjʊər]/ unclear, uncertain, unknown, in doubt, doubtful, dubious, mysterious, hazy, vague, indeterminate, concealed, hidden, abstruse, recondite, arcane, esoteric, recherché, occult, enigmatic, mystifying, puzzling, perplexing, baffling, ambiguous, cryptic, equivocal, Delphic, oracular, riddling, oblique, opaque, elliptical, unintelligible, uninterpretable, incomprehensible, impenetrable, unfathomable, inexplicable, unexplained, as clear as mud - *overt*: /#text(font: IPAFont, fill: AccentColor)[əʊˈvɜːt]/ undisguised, unconcealed, plain to see, plainly seen, plain, clear, apparent, conspicuous, unmistakable, obvious, noticeable, observable, visible, manifest, patent, open, public, above board, blatant, glaring, shameless, brazen - *pellucid*: /#text(font: IPAFont, fill: AccentColor)[pəˈluː.sɪd]/ translucent, transparent, clear, crystal clear, crystalline, bright, glassy, limpid, unclouded, easily understood, easily grasped, comprehensible, understandable, intelligible, articulate, coherent, lucid, clear, crystal clear, crystalline, graspable, fathomable, digestible, straightforward, direct, simple, plain, well constructed, graphic, explicit, unambiguous, user-friendly - *perpetuate*: /#text(font: IPAFont, fill: AccentColor)[pəˈpetʃ.u.eɪt]/ keep alive, keep going, keep in existence, preserve, conserve, sustain, maintain, continue, extend, carry on, keep up, cause to continue, prolong, immortalize, commemorate, memorialize, eternalize, eternize - *rational*: /#text(font: IPAFont, fill: AccentColor)[ˈræʃ.ən.əl]/ logical, reasoned, well reasoned, sensible, reasonable, cogent, coherent, intelligent, wise, judicious, sagacious, astute, shrewd, perceptive, enlightened, clear-eyed, clear-sighted, commonsensical, common-sense, well advised, well grounded, sound, sober, prudent, circumspect, politic, down-to-earth, practical, pragmatic, matter-of-fact, hard-headed, unidealistic, joined-up - *scathing*: /#text(font: IPAFont, fill: AccentColor)[ˈskeɪ.ðɪŋ]/ devastating, withering, blistering, extremely critical, coruscating, searing, scorching, fierce, ferocious, savage, severe, stinging, biting, cutting, mordant, trenchant, virulent, caustic, vitriolic, scornful, sharp, bitter, acid, harsh, unsparing, mordacious - *subtle*: /#text(font: IPAFont, fill: AccentColor)[ˈsʌt.əl]/ fine, fine-drawn, ultra-fine, nice, overnice, minute, precise, narrow, tenuous, hair-splitting, indistinct, indefinite, elusive, abstruse, minuscule - *superficial*: /#text(font: IPAFont, fill: AccentColor)[ˌsuː.pəˈfɪʃ.əl]/ surface, exterior, external, outer, outside, outermost, peripheral, slight #pagebreak() = *Group 14* - *acquiesce*: /#text(font: IPAFont, fill: AccentColor)[ˌæk.wiˈes]/ permit, consent to, agree to, allow, assent to, give one's consent to, accept, concur with, give one's assent to, give one's blessing to, say yes to, give the nod to, give one's approval to, comply with, conform to, abide by, respect, stand by, cooperate with, tolerate, brook, give in to, bow to, yield to, submit to, go along with, give the go-ahead to, give the thumbs up to, OK, okay, give the green light to, say the word, suffer - *adroit*: /#text(font: IPAFont, fill: AccentColor)[əˈdrɔɪt]/ skilful, adept, dexterous, deft, agile, nimble, nimble-fingered, handy, able, capable, competent, skilled, expert, masterly, masterful, master, practised, polished, slick, proficient, accomplished, gifted, talented, peerless, quick-witted, quick-thinking, quick, clever, intelligent, brilliant, bright, smart, sharp, cunning, artful, wily, resourceful, astute, shrewd, canny, ingenious, inventive, nifty, nippy, crack, mean, wicked, wizard, demon, ace, A1, on the ball, savvy, genius, crackerjack, compleat, rathe - *amend*: /#text(font: IPAFont, fill: AccentColor)[əˈmend]/ revise, alter, change, modify, qualify, adapt, adjust, edit, copy-edit, rewrite, rescript, redraft, recast, rephrase, reword, rework, reform, update, revamp, correct, remedy, fix, set right, put right, repair, emend, improve, ameliorate, better, enhance, clarify - *animus*: /#text(font: IPAFont, fill: AccentColor)[ˈæn.ɪ.məs]/ - *apologist*: /#text(font: IPAFont, fill: AccentColor)[əˈpɒl.ə.dʒɪst]/ defender, supporter, upholder, advocate, proponent, exponent, propagandist, apostle, champion, backer, promoter, campaigner, spokesman, spokeswoman, spokesperson, speaker, arguer, enthusiast - *astringent*: /#text(font: IPAFont, fill: AccentColor)[əˈstrɪn.dʒənt]/ constricting, contracting, constrictive, constringent, styptic - *collaborate*: /#text(font: IPAFont, fill: AccentColor)[kəˈlæb.ə.reɪt]/ cooperate, join (up), join forces, team up, get together, come together, band together, work together, work jointly, participate, unite, combine, merge, link, ally, associate, amalgamate, integrate, form an alliance, pool resources, club together, fraternize, conspire, collude, cooperate, consort, sympathize - *competent*: /#text(font: IPAFont, fill: AccentColor)[ˈkɒm.pɪ.tənt]/ capable, able, proficient, adept, adroit, accomplished, skilful, skilled, gifted, talented, masterly, virtuoso, expert, knowledgeable, qualified, trained, efficient, good, excellent, brilliant, great, mean, wicked, deadly, nifty, crack, ace, wizard, magic, crackerjack, compleat, habile - *correlate*: /#text(font: IPAFont, fill: AccentColor)[ˈkɒr.ə.leɪt]/ correspond, agree, tally, match up, tie in, be consistent, be in agreement, be compatible, be consonant, be congruous, be in tune, be in harmony, harmonize, coordinate, dovetail, equate to, relate to, conform to, suit, fit, match, parallel, square, jibe, quadrate - *deride*: /#text(font: IPAFont, fill: AccentColor)[dɪˈraɪd]/ ridicule, mock, jeer at, scoff at, jibe at, make fun of, poke fun at, laugh at, hold up to ridicule, pillory, disdain, disparage, denigrate, pooh-pooh, dismiss, slight, detract from, sneer at, scorn, pour/heap scorn on, taunt, insult, torment, treat with contempt, vilify, lampoon, satirize, knock, take the mickey out of, poke mullock at, contemn, flout at - *dictate*: /#text(font: IPAFont, fill: AccentColor)[dɪkˈteɪt]/ give orders to, order about, order around, boss (about), boss (around), impose one's will on, lord it over, bully, domineer, dominate, tyrannize, oppress, ride roughshod over, control, pressurize, browbeat, lay down the law, act the tin god, push about, push around, bulldoze, walk all over, call the shots, throw one's weight about, throw one's weight around, say aloud, utter, speak, read out, read aloud, recite - *discreet*: /#text(font: IPAFont, fill: AccentColor)[dɪˈskriːt]/ careful, circumspect, cautious, wary, chary, guarded, close-lipped, close-mouthed, tactful, diplomatic, considerate, politic, prudent, judicious, strategic, wise, sensible, delicate, kid-glove, softly-softly - *divorced*: /#text(font: IPAFont, fill: AccentColor)[dɪˈvɔːst]/ - *elitist*: /#text(font: IPAFont, fill: AccentColor)[iˈliː.tɪst]/ - *exacting*: /#text(font: IPAFont, fill: AccentColor)[ɪɡˈzæk.tɪŋ]/ demanding, hard, tough, stringent, testing, challenging, difficult, onerous, arduous, laborious, tiring, taxing, gruelling, punishing, back-breaking, burdensome, Herculean, toilsome, exigent, strict, stern, firm, rigorous, harsh, rigid, inflexible, uncompromising, unyielding, unbending, unsparing, imperious, hard to please, badass, solid - *flummoxed*: /#text(font: IPAFont, fill: AccentColor)[ˈflʌm.əkst]/ - *fruitful*: /#text(font: IPAFont, fill: AccentColor)[ˈfruːt.fəl]/ fruit-bearing, fructiferous, fruiting, fertile, fecund, high-yielding, lush, abundant, profuse, prolific, bounteous, generative, progenitive, fructuous - *inborn*: /#text(font: IPAFont, fill: AccentColor)[ˌɪnˈbɔːn]/ innate, congenital, existing from birth, inherent, inherited, hereditary, in the family, in one's genes, bred in the bone, inbred, natural, native, constitutional, deep-seated, deep-rooted, ingrained, in one's blood, inbuilt, instinctive, instinctual, unlearned, connate, connatural - *polymath*: /#text(font: IPAFont, fill: AccentColor)[ˈpɒl.i.mæθ]/ - *reticent*: /#text(font: IPAFont, fill: AccentColor)[ˈret.ɪ.sənt]/ reserved, withdrawn, introverted, restrained, inhibited, diffident, shy, modest, unassuming, shrinking, distant, undemonstrative, wouldn't say boo to a goose, uncommunicative, unforthcoming, unresponsive, tight-lipped, close-mouthed, close-lipped, quiet, taciturn, silent, guarded, secretive, private, media-shy, mum - *stringent*: /#text(font: IPAFont, fill: AccentColor)[ˈstrɪn.dʒənt]/ strict, firm, rigid, rigorous, severe, harsh, tough, tight, exacting, demanding, inflexible, stiff, hard and fast, uncompromising, draconian, extreme - *subservient*: /#text(font: IPAFont, fill: AccentColor)[səbˈsɜː.vi.ənt]/ submissive, deferential, acquiescent, compliant, accommodating, obedient, dutiful, duteous, biddable, yielding, meek, docile, ductile, pliant, passive, unassertive, spiritless, subdued, humble, timid, mild, lamblike, servile, slavish, grovelling, truckling, self-effacing, self-abasing, downtrodden, snivelling, cowering, cringing, under someone's thumb, resistless, longanimous - *surreptitious*: /#text(font: IPAFont, fill: AccentColor)[ˌsʌr.əpˈtɪʃ.əs]/ secret, stealthy, clandestine, secretive, sneaky, sly, furtive, concealed, hidden, undercover, covert, veiled, under the table, cloak-and-dagger, backstair, indirect, black - *tantalizing*: /#text(font: IPAFont, fill: AccentColor)[ˈtæn.tə.laɪ.zɪŋ]/ - *tantamount*: /#text(font: IPAFont, fill: AccentColor)[ˈtæn.tə.maʊnt]/ equivalent to, equal to, amounting to, as good as, more or less, synonymous with, virtually the same as, much the same as, comparable to, on a par with, commensurate with, along the lines of, as serious as, identical to - *torpor*: /#text(font: IPAFont, fill: AccentColor)[ˈtɔː.pər]/ lethargy, torpidity, sluggishness, inertia, inertness, inactivity, inaction, dormancy, slowness, lifelessness, dullness, heaviness, listlessness, languor, languidness, stagnation, laziness, idleness, indolence, shiftlessness, sloth, slothfulness, apathy, accidie, passivity, weariness, tiredness, lassitude, fatigue, sleepiness, drowsiness, enervation, somnolence, narcosis - *trenchant*: /#text(font: IPAFont, fill: AccentColor)[ˈtren.tʃənt]/ incisive, cutting, pointed, piercing, penetrating, sharp, keen, acute, razor-sharp, razor-edged, rapier-like, vigorous, forceful, strong, telling, emphatic, forthright, blunt, biting, stinging, mordant, pungent, scathing, caustic, acid, tart, acerbic, astringent, sarcastic, devastating, savage, fierce, searing, blistering, withering, acerb, mordacious, acidulous - *umbrage*: /#text(font: IPAFont, fill: AccentColor)[ˈʌm.brɪdʒ]/ take offence, be offended, take exception, bridle, take something personally, be aggrieved, be affronted, take something amiss, be upset, be annoyed, be angry, be indignant, get one's hackles up, be put out, be insulted, be hurt, be wounded, be piqued, be resentful, be disgruntled, get/go into a huff, get huffy, be miffed, be riled, get the hump - *versatile*: /#text(font: IPAFont, fill: AccentColor)[ˈvɜː.sə.taɪl]/ adaptable, flexible, all-round, multifaceted, multitalented, multiskilled, many-sided, resourceful, protean, adjustable, variable, convertible, alterable, modifiable, multipurpose, all-purpose, handy, polytropic, flexile - *wayward*: /#text(font: IPAFont, fill: AccentColor)[ˈweɪ.wəd]/ wilful, self-willed, headstrong, stubborn, obstinate, obdurate, perverse, contrary, rebellious, defiant, uncooperative, refractory, recalcitrant, unruly, wild, ungovernable, unmanageable, unpredictable, capricious, whimsical, fickle, inconstant, changeable, erratic, intractable, difficult, impossible, intolerable, unbearable, fractious, disobedient, insubordinate, undisciplined, contumacious #pagebreak() = *Group 15* - *alienate*: /#text(font: IPAFont, fill: AccentColor)[ˈeɪ.li.ə.neɪt]/ estrange, turn away, set apart, drive apart, isolate, detach, distance, put at a distance, set against, part, separate, cut off, sever, divide, divorce, disunite, set at variance/odds, make hostile to, drive a wedge between, sow dissension - *apathy*: /#text(font: IPAFont, fill: AccentColor)[ˈæp.ə.θi]/ indifference, lack of interest, lack of enthusiasm, lack of concern, unconcern, uninterestedness, unresponsiveness, impassivity, passivity, passiveness, detachment, dispassion, dispassionateness, lack of involvement, phlegm, coolness, listlessness, lethargy, languor, lassitude, torpor, boredom, ennui, accidie, acedia, mopery - *apropos*: /#text(font: IPAFont, fill: AccentColor)[ˌæp.rəˈpəʊ]/ with reference to, with regard to, with respect to, regarding, concerning, respecting, on the subject of, in the matter of, touching on, dealing with, connected with, in connection with, about, re, anent, appropriate, pertinent, relevant, apposite, apt, applicable, suitable, germane, material, becoming, befitting, significant, to the point/purpose, opportune, felicitous, timely - *apt*: /#text(font: IPAFont, fill: AccentColor)[æpt]/ suitable, fitting, appropriate, befitting, relevant, felicitous, congruous, fit, applicable, judicious, apposite, apropos, to the purpose, to the point, perfect, ideal, right, just right, made to order, tailor-made, convenient, expedient, useful, timely, spot on - *cloak*: /#text(font: IPAFont, fill: AccentColor)[kləʊk]/ - *consensus*: /#text(font: IPAFont, fill: AccentColor)[kənˈsen.səs]/ agreement, harmony, concord, like-mindedness, concurrence, consent, common consent, accord, unison, unity, unanimity, oneness, solidarity, concert, general opinion/view, majority opinion/view, common opinion/view - *distort*: /#text(font: IPAFont, fill: AccentColor)[dɪˈstɔːt]/ twist, warp, contort, bend, buckle, deform, malform, misshape, disfigure, mangle, wrench, wring, wrest, twisted, warped, contorted, bent, buckled, deformed, malformed, misshapen, disfigured, crooked, irregular, awry, wry, out of shape, mangled, wrenched, gnarled - *divergent*: /#text(font: IPAFont, fill: AccentColor)[daɪˈvɜː.dʒənt]/ "Divergent" is undeniably one of the best movies I've had the pleasure of watching. This gripping dystopian tale, based on Veronica Roth's novel, offers a thrilling ride that keeps you on the edge of your seat. Shailene Woodley's performance as Tris Prior is nothing short of ..., "Divergent" is undeniably one of the best movies I've had the pleasure of watching. This gripping dystopian tale, based on Veronica Roth's novel, offers a thrilling ride that keeps you on the edge of your seat. Shailene Woodley's performance as Tris Prior is nothing short of ... - *elated*: /#text(font: IPAFont, fill: AccentColor)[iˈleɪ.tɪd]/ - *enchant*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈtʃɑːnt]/ captivate, charm, delight, dazzle, enrapture, entrance, enthral, beguile, bewitch, spellbind, ensnare, fascinate, hypnotize, mesmerize, divert, absorb, engross, rivet, grip, transfix, tickle someone pink, bowl someone over, get under someone's skin, rapture - *entrenched*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈtrentʃt]/ ingrained, established, well established, long-established, confirmed, fixed, set firm, firm, deep-seated, deep-rooted, rooted, deep-set, unshakeable, irremovable, indelible, ineradicable, inveterate, immutable, inexorable, dyed-in-the-wool - *exotic*: /#text(font: IPAFont, fill: AccentColor)[ɪɡˈzɒt.ɪk]/ foreign, non-native, tropical, alien, imported, introduced, unnaturalized, faraway, far off, far-flung, unfamiliar, distant, remote - *exploitative*: /#text(font: IPAFont, fill: AccentColor)[ɪkˈsplɔɪ.tə.tɪv]/ - *foreseeable*: /#text(font: IPAFont, fill: AccentColor)[fɔːˈsiː.ə.bəl]/ - *forsake*: /#text(font: IPAFont, fill: AccentColor)[fɔːˈseɪk]/ abandon, desert, leave, quit, depart from, leave behind, leave high and dry, turn one's back on, cast aside, give up, reject, disown, break (up) with, jilt, strand, leave stranded, leave flat, leave in the lurch, throw over, cast aside/off, betray, run/walk out on, rat on, drop, dump, ditch, chuck, give someone the push, give someone the elbow, give someone the big E, bin off, give someone the air, abandoned, deserted, jilted, stranded, discarded, shunned, renounced, betrayed, rejected, disowned, dropped, dumped, ditched, desolate, bleak, godforsaken, remote, isolated, sequestered, lonely, solitary, derelict, dreary, forlorn, uninviting, cheerless, depressing, sad - *gratify*: /#text(font: IPAFont, fill: AccentColor)[ˈɡræt.ɪ.faɪ]/ please, gladden, give pleasure to, make happy, make content, delight, make someone feel good, satisfy, warm the cockles of the heart, thrill, tickle someone pink, give someone a buzz/kick, buck someone up - *heed*: /#text(font: IPAFont, fill: AccentColor)[hiːd]/ pay attention to, take notice of, take note of, pay heed to, be heedful of, attend to, listen to, notice, note, pay regard to, bear in mind, be mindful of, mind, mark, consider, take into account, take into consideration, be guided by, follow, obey, keep, keep to, adhere to, abide by, observe, take to heart, give ear to, be alert to, be cautious of, watch out for - *judicious*: /#text(font: IPAFont, fill: AccentColor)[dʒuːˈdɪʃ.əs]/ wise, sensible, prudent, politic, shrewd, astute, canny, sagacious, common-sense, commonsensical, sound, well advised, well judged, well thought out, considered, thoughtful, perceptive, discerning, clear-sighted, insightful, far-sighted, percipient, discriminating, informed, intelligent, clever, enlightened, logical, rational, discreet, careful, cautious, circumspect, diplomatic, strategic, expedient, practical, advisable, in one's (best) interests, smart, savvy, pawky, heads-up, long-headed, argute, sapient - *lucid*: /#text(font: IPAFont, fill: AccentColor)[ˈluː.sɪd]/ - *pertinent*: /#text(font: IPAFont, fill: AccentColor)[ˈpɜː.tɪ.nənt]/ relevant, to the point, apposite, appropriate, suitable, fitting, fit, apt, applicable, material, germane, to the purpose, apropos, ad rem, appurtenant - *propriety*: /#text(font: IPAFont, fill: AccentColor)[prəˈpraɪə.ti]/ decorum, respectability, decency, correctness, appropriateness, good manners, courtesy, politeness, rectitude, civility, modesty, demureness, sobriety, refinement, decorousness, seemliness, becomingness, discretion, gentility, etiquette, breeding, conventionality, orthodoxy, formality, protocol, probity, couth, tenue, social conventions, social grace(s), social niceties, one's Ps and Qs, standards, civilities, ceremony, formalities, rules of conduct, accepted behaviour, conventionalities, good form, the done thing, the thing to do, punctilio, attention to detail, convenance(s) - *scintillating*: /#text(font: IPAFont, fill: AccentColor)[ˈsɪn.tɪ.leɪ.tɪŋ]/ sparkling, shining, bright, brilliant, gleaming, glittering, twinkling, coruscating, flashing, shimmering, shimmery, scintillant - *sensational*: /#text(font: IPAFont, fill: AccentColor)[senˈseɪ.ʃən.əl]/ amazing, startling, astonishing, staggering, shocking, appalling, horrifying, scandalous, stirring, exciting, thrilling, electrifying, fascinating, interesting, notable, noteworthy, important, significant, remarkable, momentous, historic, newsworthy, buzzworthy - *sophisticated*: /#text(font: IPAFont, fill: AccentColor)[səˈfɪs.tɪ.keɪ.tɪd]/ worldly, worldly-wise, experienced, enlightened, cosmopolitan, knowledgeable, suave, urbane, cultured, cultivated, civilized, polished, smooth, refined, elegant, stylish, media-savvy, cool - *strife*: /#text(font: IPAFont, fill: AccentColor)[straɪf]/ conflict, friction, discord, disagreement, dissension, variance, dispute, argument, quarrelling, wrangling, bickering, controversy, contention, disharmony, ill feeling, bad feeling, bad blood, hostility, animosity, falling-out - *understated*: /#text(font: IPAFont, fill: AccentColor)[ˌʌn.dəˈsteɪ.tɪd]/ - *unscrupulous*: /#text(font: IPAFont, fill: AccentColor)[ʌnˈskruː.pjə.ləs]/ unprincipled, unethical, immoral, amoral, conscienceless, untrustworthy, shameless, reprobate, exploitative, corrupt, corrupted, dishonest, fraudulent, cheating, dishonourable, deceitful, devious, underhand, guileful, cunning, furtive, sly, wrongdoing, unsavoury, disreputable, improper, bad, evil, wicked, villainous, roguish, sinful, ignoble, degenerate, venal, crooked, shady, shifty, slippery, dodgy, dastardly - *veracity*: /#text(font: IPAFont, fill: AccentColor)[vəˈræs.ə.ti]/ truthfulness, truth, accuracy, accurateness, correctness, exactness, precision, preciseness, realism, authenticity, faithfulness, fidelity, reputability, honesty, sincerity, trustworthiness, reliability, dependability, scrupulousness, ethics, morality, righteousness, virtuousness, decency, goodness, probity - *virulent*: /#text(font: IPAFont, fill: AccentColor)[ˈvɪr.ə.lənt]/ poisonous, toxic, venomous, noxious, deadly, lethal, fatal, mortal, terminal, death-dealing, life-threatening, dangerous, harmful, injurious, pernicious, damaging, destructive, unsafe, contaminating, polluting, deathly, nocuous, mephitic, baneful, highly infectious, highly infective, highly contagious, infectious, infective, contagious, rapidly spreading, communicable, transmittable, transmissible, spreading, malignant, uncontrollable, pestilential, severe, extreme, violent, catching, pestiferous - *volatile*: /#text(font: IPAFont, fill: AccentColor)[ˈvɒl.ə.taɪl]/ evaporative, vaporous, vaporescent, explosive, eruptive, inflammable, unstable, labile, tense, strained, fraught, uneasy, uncomfortable, charged, explosive, eruptive, inflammatory, turbulent, in turmoil, full of upheavals, hairy, nail-biting, white-knuckle, dodgy #pagebreak() = *Group 16* - *antedate*: /#text(font: IPAFont, fill: AccentColor)[ˌæn.tiˈdeɪt]/ precede, predate, come/go before, be earlier than, anticipate - *banish*: /#text(font: IPAFont, fill: AccentColor)[ˈbæn.ɪʃ]/ exile, expel, deport, eject, expatriate, extradite, repatriate, transport, cast out, oust, drive away, evict, throw out, exclude, shut out, ban, excommunicate, ostracize - *bridle*: /#text(font: IPAFont, fill: AccentColor)[ˈbraɪ.dəl]/ bristle, be/become indignant, take offence, take umbrage, be affronted, be offended, get angry, draw oneself up, feel one's hackles rise - *comply*: /#text(font: IPAFont, fill: AccentColor)[kəmˈplaɪ]/ abide by, act in accordance with, observe, obey, adhere to, conform to, follow, respect, agree to, assent to, consent to, concur with/in, fall in with, acquiesce in, go along with, yield to, submit to, bow to, defer to, satisfy, meet, fulfil, measure up to - *crestfallen*: /#text(font: IPAFont, fill: AccentColor)[ˈkrestˌfɔː.lən]/ downhearted, downcast, despondent, disappointed, disconsolate, disheartened, discouraged, dispirited, dejected, depressed, desolate, heartbroken, broken-hearted, heavy-hearted, low-spirited, in the doldrums, sad, glum, gloomy, dismal, doleful, miserable, unhappy, woebegone, forlorn, long-faced, fed up, abashed, taken aback, dismayed, sheepish, hangdog, abject, defeated, blue, choked, shattered, down in the mouth, down in the dumps, brassed off, cheesed off, dolorous, chap-fallen - *curtail*: /#text(font: IPAFont, fill: AccentColor)[kəˈteɪl]/ reduce, cut, cut down, cut back, decrease, lessen, diminish, slim down, tighten up, retrench, pare down, trim, dock, lop, shrink, shorten, cut short, break off, truncate, restrict, put a restriction on, limit, put a limit on, curb, put the brakes on, rein in, rein back, chop - *elucidate*: /#text(font: IPAFont, fill: AccentColor)[iˈluː.sɪ.deɪt]/ explain, make clear, make plain, illuminate, throw/shed light on, clarify, comment on, interpret, explicate, expound on, gloss, annotate, spell out, clear up, sort out, resolve, straighten up/out, unravel, untangle - *evade*: /#text(font: IPAFont, fill: AccentColor)[ɪˈveɪd]/ elude, avoid, dodge, escape (from), stay away from, steer clear of, run away from, break away from, lose, leave behind, shake, shake off, keep at arm's length, keep out of someone's way, give someone a wide berth, sidestep, keep one's distance from, deceive, trick, cheat, end-run, ditch, give someone the slip, bilk - *feckless*: /#text(font: IPAFont, fill: AccentColor)[ˈfek.ləs]/ useless, worthless, incompetent, inefficient, inept, good-for-nothing, ne'er-do-well, lazy, idle, slothful, indolent, shiftless, spiritless, apathetic, aimless, unambitious, unenterprising, no-good, no-account, lousy - *fester*: /#text(font: IPAFont, fill: AccentColor)[ˈfes.tər]/ suppurate, become septic, form pus, secrete pus, discharge, run, weep, ooze, come to a head, maturate, be purulent, rankle, apostemate, rot, moulder, decay, decompose, putrefy, go bad, go off, perish, spoil, deteriorate, disintegrate, degrade, break down, break up, mortify, necrotize, corrupt, rankle, chafe, gnaw (at one's mind), eat away at one's mind, ferment, brew, smoulder, cause bitterness, cause resentment, cause vexation, cause annoyance - *iconoclastic*: /#text(font: IPAFont, fill: AccentColor)[aɪˌkɒn.əˈklæs.tɪk]/ critical, sceptical, questioning, heretical, irreverent, nonconformist, dissident, dissenting, dissentient, malcontent, rebellious, subversive, renegade, mutinous, maverick, original, innovative, groundbreaking - *immure*: /#text(font: IPAFont, fill: AccentColor)[ɪˈmjʊər]/ confine, intern, shut up, lock up, incarcerate, imprison, jail, put away, put behind bars, put under lock and key, hold captive, hold prisoner, coop up, mew up, fence in, wall in, close in, detain, keep, hold, trap - *improvise*: /#text(font: IPAFont, fill: AccentColor)[ˈɪm.prə.vaɪz]/ extemporize, ad lib, speak impromptu, make it up as one goes along, think on one's feet, take it as it comes, speak off the cuff, play it by ear, busk it, wing it, impromptu, improvisational, improvisatory, unrehearsed, unprepared, unscripted, extempore, extemporized, spontaneous, unstudied, unpremeditated, unarranged, unplanned, on the spot, ad libitum, off-the-cuff, spur of the moment, improvisatorial - *inhibit*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈhɪb.ɪt]/ impede, hinder, hamper, hold back, discourage, interfere with, obstruct, put a brake on, slow, slow down, retard, curb, check, suppress, repress, restrict, restrain, constrain, bridle, rein in, shackle, fetter, cramp, balk, frustrate, arrest, stifle, smother, prevent, block, thwart, foil, quash, stop, halt, put an end/stop to, nip in the bud - *inscrutable*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈskruː.tə.bəl]/ enigmatic, unreadable, impenetrable, mysterious, impossible to interpret, cryptic, unexpressive, inexpressive, emotionless, unemotional, expressionless, impassive, blank, vacant, deadpan, dispassionate, poker-faced, inexplicable, unexplainable, incomprehensible, beyond comprehension, beyond understanding, impossible to understand, unintelligible, unfathomable, fathomless, opaque, puzzling, perplexing, baffling, bewildering, confusing, abstruse, arcane, obscure, sibylline, wildering - *lionize*: /#text(font: IPAFont, fill: AccentColor)[ˈlaɪ.ə.naɪz]/ celebrate, fete, glorify, honour, bestow honour on, exalt, acclaim, admire, commend, sing/sound the praises of, praise, extol, applaud, hail, make a fuss of/over, make much of, cry up, venerate, eulogize, sing paeans to, reverence, pay homage to, pay tribute to, put on a pedestal, hero-worship, worship, idolize, adulate, aggrandize, laud, panegyrize - *monotonous*: /#text(font: IPAFont, fill: AccentColor)[məˈnɒt.ən.əs]/ tedious, boring, dull, uninteresting, unexciting, wearisome, tiresome, repetitive, repetitious, unvarying, unchanging, unvaried, lacking variety, without variety, humdrum, ho-hum, routine, mechanical, mind-numbing, soul-destroying, prosaic, run-of-the-mill, uneventful, unrelieved, dreary, plodding, colourless, featureless, dry as dust, uniform, monochrome, deadly, samey, dullsville - *peculiar*: /#text(font: IPAFont, fill: AccentColor)[pɪˈkjuː.li.ər]/ strange, unusual, odd, funny, curious, bizarre, weird, uncanny, queer, unexpected, unfamiliar, abnormal, atypical, anomalous, untypical, different, out of the ordinary, out of the way, exceptional, rare, extraordinary, remarkable, puzzling, mystifying, mysterious, perplexing, baffling, unaccountable, incongruous, uncommon, irregular, singular, deviant, aberrant, freak, freakish, suspicious, dubious, questionable, eerie, unnatural, unco, outré, fishy, creepy, spooky, rum, bizarro, backasswards, eccentric, idiosyncratic, unconventional, outlandish, offbeat, quirky, quaint, droll, zany, off-centre, wacky, freaky, kooky, screwy, kinky, oddball, cranky, off the wall, wacko, dilly - *premeditate*: ˈæv.əl.ɑːntʃ/#text(font: IPAFont, fill: AccentColor)[]/ planned, intentional, intended, deliberate, pre-planned, calculated, cold-blooded, conscious, done on purpose, wilful, prearranged, preconceived, considered, studied, purposive, prepense - *profligate*: /#text(font: IPAFont, fill: AccentColor)[ˈprɒf.lɪ.ɡət]/ wasteful, extravagant, spendthrift, improvident, prodigal, immoderate, excessive, thriftless, imprudent, reckless, irresponsible - *reconcile*: /#text(font: IPAFont, fill: AccentColor)[ˈrek.ən.saɪl]/ - *refine*: /#text(font: IPAFont, fill: AccentColor)[rɪˈfaɪn]/ purify, clarify, clear, cleanse, strain, sift, filter, rarefy, distil, concentrate, process, treat, rectify - *relinquish*: /#text(font: IPAFont, fill: AccentColor)[rɪˈlɪŋ.kwɪʃ]/ renounce, give up, part with, give away, hand over, turn over, lay down, let go of, waive, resign, abdicate, yield, cede, surrender, sign away, leave, resign from, stand down from, bow out of, walk out of, retire from, depart from, vacate, pull out of, abandon, quit, chuck, jack in, forsake, discontinue, stop, cease, drop, desist from, avoid, steer clear of, give a wide berth to, reject, eschew, forswear, refrain from, abstain from, forbear from, forgo, leave off, kick, let go, release, loose, unloose, loosen, relax - *ruminate*: /#text(font: IPAFont, fill: AccentColor)[ˈruː.mɪ.neɪt]/ think about, contemplate, consider, give thought to, give consideration to, mull over, meditate on, muse on, ponder on/over, deliberate about/on, cogitate about/on, dwell on, brood on/over, agonize over, worry about, chew over, puzzle over, turn over in one's mind, pore on, chew the cud - *skittish*: /#text(font: IPAFont, fill: AccentColor)[ˈskɪt.ɪʃ]/ restive, excitable, nervous, easily frightened, skittery, jumpy, fidgety, highly strung - *superfluous*: /#text(font: IPAFont, fill: AccentColor)[suːˈpɜː.flu.əs]/ surplus, redundant, unneeded, not required, excess, extra, spare, to spare, remaining, unused, left over, useless, unproductive, undue, in excess, surplus to requirements, expendable, disposable, dispensable, unwanted, waste, unnecessary, needless, inessential, pointless, uncalled for, unwarranted, unjustified, gratuitous - *synoptic*: /#text(font: IPAFont, fill: AccentColor)[sɪˈnɒp.tɪk]/ - *thorough*: /#text(font: IPAFont, fill: AccentColor)[ˈθʌr.ə]/ rigorous, in-depth, exhaustive, thoroughgoing, minute, detailed, close, meticulous, scrupulous, assiduous, conscientious, painstaking, methodical, careful, sedulous, complete, comprehensive, elaborate, full, intensive, extensive, widespread, sweeping, searching, all-embracing, all-inclusive - *visionary*: /#text(font: IPAFont, fill: AccentColor)[ˈvɪʒ.ən.ri]/ inspired, imaginative, creative, inventive, insightful, ingenious, enterprising, innovative, perceptive, intuitive, far-sighted, prescient, discerning, penetrating, sharp, shrewd, wise, clever, talented, gifted, resourceful, idealistic, idealized, utopian, romantic, quixotic, impractical, unrealistic, unworkable, unfeasible, out of touch with reality, fairy-tale, fanciful, dreamy, ivory-towered, theoretical, hypothetical, starry-eyed, head-in-the-clouds - *vociferous*: /#text(font: IPAFont, fill: AccentColor)[vəˈsɪf.ər.əs]/ vehement, outspoken, vocal, forthright, plain-spoken, frank, candid, open, uninhibited, direct, earnest, eager, enthusiastic, full-throated, vigorous, insistent, emphatic, demanding, clamorous, strident, loud, loud-mouthed, raucous, noisy, rowdy #pagebreak() = *Group 17* - *acclaim*: /#text(font: IPAFont, fill: AccentColor)[əˈkleɪm]/ praise, applaud, cheer, commend, express approval of, approve, express admiration for, welcome, pay tribute to, speak highly of, eulogize, compliment, congratulate, celebrate, sing the praises of, praise to the skies, rave about, go into raptures about/over, heap praise on, wax lyrical about, say nice things about, make much of, pat on the back, take one's hat off to, salute, throw bouquets at, lionize, exalt, admire, hail, toast, flatter, adulate, vaunt, extol, glorify, honour, hymn, clap, crack someone/something up, big someone/something up, ballyhoo, cry someone/something up, emblazon, laud, panegyrize, proclaim, announce, declare, pronounce, hail as, celebrated, admired, highly rated, lionized, revered, honoured, esteemed, exalted, lauded, vaunted, much touted, well thought of, well received, acknowledged, eminent, venerable, august, great, renowned, distinguished, prestigious, illustrious, pre-eminent, estimable, of note, noted, notable, of repute, of high standing, considerable - *ascertain*: /#text(font: IPAFont, fill: AccentColor)[ˌæs.əˈteɪn]/ find out, discover, get/come to know, work out, make out, fathom (out), become aware of, learn, ferret out, dig out/up, establish, fix, determine, settle, decide, verify, make certain of, confirm, deduce, divine, intuit, diagnose, discern, perceive, see, realize, appreciate, identify, pin down, recognize, register, understand, grasp, take in, comprehend, figure out, get a fix on, latch on to, cotton on to, catch on to, tumble to, get, twig, suss (out), savvy, cognize - *assertive*: /#text(font: IPAFont, fill: AccentColor)[əˈsɜː.tɪv]/ confident, forceful, self-confident, positive, bold, decisive, assured, self-assured, self-possessed, believing in oneself, self-assertive, authoritative, strong-willed, insistent, firm, determined, commanding, bullish, dominant, domineering, assaultive, feisty, not backward in coming forward, pushy, pushful - *bogus*: /#text(font: IPAFont, fill: AccentColor)[ˈbəʊ.ɡəs]/ fake, faked, spurious, false, fraudulent, sham, deceptive, misleading, pretended, counterfeit, forged, feigned, simulated, artificial, imitation, mock, make-believe, fictitious, dummy, quasi-, pseudo, ersatz, phoney, fakey, pretend, dud, put-on, cod - *cataclysmic*: /#text(font: IPAFont, fill: AccentColor)[ˌkæt.əˈklɪz.mɪk]/ disastrous, catastrophic, calamitous, tragic, devastating, ruinous, terrible, violent, awful - *circumscribe*: /#text(font: IPAFont, fill: AccentColor)[ˈsɜː.kəm.skraɪb]/ restrict, limit, set/impose limits on, keep within bounds, delimit, curb, confine, bound, restrain, regulate, control - *complementary*: /#text(font: IPAFont, fill: AccentColor)[ˌkɒm.plɪˈmen.tər.i]/ harmonizing, harmonious, complementing, supportive, supporting, reciprocal, interdependent, interrelated, compatible, corresponding, matching, twin, completing, finishing, perfecting, complemental - *contentious*: /#text(font: IPAFont, fill: AccentColor)[kənˈten.ʃəs]/ controversial, disputable, debatable, disputed, contended, open to question/debate, moot, vexed, ambivalent, equivocal, unsure, uncertain, unresolved, undecided, unsettled, borderline, controvertible - *disingenuous*: /#text(font: IPAFont, fill: AccentColor)[ˌdɪs.ɪnˈdʒen.ju.əs]/ dishonest, deceitful, underhand, underhanded, duplicitous, double-dealing, two-faced, dissembling, insincere, false, lying, untruthful, mendacious, not candid, not frank, not entirely truthful, artful, cunning, crafty, wily, sly, sneaky, tricky, scheming, calculating, designing, devious, unscrupulous, shifty, foxy, economical with the truth, terminologically inexact, subtle, hollow-hearted, false-hearted, double-faced, truthless, unveracious - *divulge*: /#text(font: IPAFont, fill: AccentColor)[daɪˈvʌldʒ]/ disclose, reveal, make known, tell, impart, communicate, pass on, publish, broadcast, proclaim, promulgate, declare, expose, uncover, make public, go public with, bring into the open, give away, let slip, let drop, blurt out, leak, confess, betray, admit, come out with, spill the beans about, let on about, tell all about, blow the lid off, squeal about, blow the gaff on, discover, unbosom - *dogmatic*: /#text(font: IPAFont, fill: AccentColor)[dɒɡˈmæt.ɪk]/ opinionated, peremptory, assertive, imperative, insistent, emphatic, adamant, doctrinaire, authoritarian, authoritative, domineering, imperious, high-handed, pontifical, arrogant, overbearing, dictatorial, uncompromising, unyielding, unbending, inflexible, rigid, entrenched, unquestionable, unchallengeable, intolerant, narrow-minded, small-minded - *fallacious*: /#text(font: IPAFont, fill: AccentColor)[fəˈleɪ.ʃəs]/ erroneous, false, untrue, wrong, incorrect, faulty, flawed, inaccurate, inexact, imprecise, mistaken, misinformed, misguided, misleading, deceptive, delusive, delusory, illusory, sophistic, specious, fictitious, spurious, fabricated, distorted, made up, trumped up, baseless, groundless, unfounded, foundationless, unsubstantiated, unproven, unsupported, uncorroborated, ill-founded, without basis, without foundation, bogus, phoney, iffy, dicey, full of holes, (way) off beam, dodgy - *foolhardy*: /#text(font: IPAFont, fill: AccentColor)[ˈfuːlˌhɑː.di]/ reckless, rash, incautious, careless, heedless, unheeding, thoughtless, unwise, imprudent, irresponsible, injudicious, impulsive, hot-headed, impetuous, daredevil, devil-may-care, death-or-glory, madcap, hare-brained, precipitate, precipitous, desperate, hasty, overhasty, over-adventurous, over-venturesome, temerarious - *hinder*: /#text(font: IPAFont, fill: AccentColor)[ˈhɪn.dər]/ hamper, be a hindrance to, obstruct, impede, inhibit, retard, balk, thwart, foil, baffle, curb, delay, arrest, interfere with, set back, slow down, hold back, hold up, forestall, stop, halt, restrict, restrain, constrain, block, check, curtail, frustrate, cramp, handicap, cripple, hamstring, shackle, fetter, encumber, stymie, throw a spoke in the wheel of, bork, cumber, trammel - *impair*: /#text(font: IPAFont, fill: AccentColor)[ɪmˈpeər]/ damage, harm, diminish, reduce, weaken, lessen, decrease, blunt, impede, hinder, mar, spoil, disable, undermine, compromise, threaten, foul up, put the kibosh on, vitiate - *impugn*: /#text(font: IPAFont, fill: AccentColor)[ɪmˈpjuːn]/ call into question, challenge, question, dispute, query, take issue with, impeach - *incessant*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈses.ənt]/ ceaseless, unceasing, constant, continual, unabating, interminable, endless, unending, never-ending, everlasting, eternal, perpetual, continuous, non-stop, uninterrupted, unbroken, ongoing, unremitting, persistent, relentless, unrelenting, unrelieved, sustained, unflagging, unwearying, untiring, recurrent - *inclined*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈklaɪnd]/ - *inveterate*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈvet.ər.ət]/ ingrained, deep-seated, deep-rooted, deep-set, entrenched, established, long-established, congenital, ineradicable, incurable, irredeemable, confirmed, hardened, chronic, hardcore, incorrigible, habitual, addicted, compulsive, obsessive, obsessional, pathological, hooked, staunch, steadfast, committed, devoted, dedicated, deep-dyed, dyed-in-the-wool, thorough, thoroughgoing, out and out, diehard, long-standing - *miserly*: /#text(font: IPAFont, fill: AccentColor)[ˈmaɪ.zəl.i]/ parsimonious, close-fisted, penny-pinching, cheese-paring, grasping, greedy, avaricious, Scrooge-like, ungenerous, illiberal, close, ascetic, puritanical, masochistic, mean, stingy, mingy, tight, tight-fisted, money-grubbing, money-grabbing, cheap, near - *patent*: /#text(font: IPAFont, fill: AccentColor)[ˈpeɪ.tənt]/ - *petulant*: /#text(font: IPAFont, fill: AccentColor)[ˈpetʃ.ə.lənt]/ peevish, bad-tempered, ill-tempered, pettish, cross, impatient, irritable, moody, in a bad mood, sulky, snappish, crotchety, touchy, waspish, irascible, tetchy, testy, querulous, fractious, captious, cantankerous, grumpy, complaining, whiny, fretful, huffish, huffy, pouty, disgruntled, crabbed, crabby, ill-humoured, sullen, surly, sour, churlish, ungracious, splenetic, choleric, snappy, chippy, grouchy, cranky, ratty, narky, eggy, whingy, miffy, mumpish, mardy, soreheaded, sorehead, peckish - *pithy*: /#text(font: IPAFont, fill: AccentColor)[ˈpɪθ.i]/ succinct, terse, concise, compact, short, short and sweet, brief, condensed, compendious, to the point, summary, epigrammatic, crisp, laconic, pointed, thumbnail, significant, meaningful, expressive, incisive, forceful, telling, trenchant, finely honed, aphoristic, sententious - *pliant*: /#text(font: IPAFont, fill: AccentColor)[ˈplaɪ.ənt]/ compliant, biddable, docile, tractable, yielding, malleable, manageable, governable, controllable, amenable, accommodating, susceptible, suggestible, easily influenced, influenceable, persuadable, manipulable, like putty in one's hands, responsive, receptive, persuasible, suasible, susceptive - *sanctimonious*: /#text(font: IPAFont, fill: AccentColor)[ˌsæŋk.tɪˈməʊ.ni.əs]/ self-righteous, holier-than-thou, churchy, pious, pietistic, moralizing, unctuous, smug, superior, priggish, mealy-mouthed, hypocritical, insincere, for form's sake, to keep up appearances, goody-goody, pi, religiose, Pharisaic, Pharisaical, Tartuffian - *sound*: /#text(font: IPAFont, fill: AccentColor)[saʊnd]/ go (off), resonate, resound, reverberate, blow, blare, ring, chime, peal, toll, ding, clang, operate, set off, play, blast, toot, wind - *tarnish*: /#text(font: IPAFont, fill: AccentColor)[ˈtɑː.nɪʃ]/ become discoloured, discolour, stain, rust, oxidize, corrode, deteriorate, become dull, lose its shine, lose its lustre, dull, make dull, dim - *tepid*: /#text(font: IPAFont, fill: AccentColor)[ˈtep.ɪd]/ lukewarm, warmish, slightly warm, at room temperature, chambré - *upbraid*: /#text(font: IPAFont, fill: AccentColor)[ʌpˈbreɪd]/ reprimand, rebuke, reproach, scold, admonish, reprove, remonstrate with, chastise, chide, berate, take to task, pull up, castigate, lambast, read someone the Riot Act, haul over the coals, criticize, censure, tell off, give someone a talking-to, give someone a telling-off, dress down, give someone a dressing-down, give someone an earful, give someone a roasting, give someone a rocket, give someone a rollicking, rap, rap someone over the knuckles, slap someone's wrist, let someone have it, bawl out, give someone hell, come down on, blow up, pitch into, lay into, lace into, give someone a caning, blast, rag, keelhaul, tick off, have a go at, carpet, monster, give someone a mouthful, tear someone off a strip, give someone what for, wig, give someone a wigging, row, give someone a row, chew out, ream out, call down, rate, give someone a rating, trim, reprehend, objurgate - *vexation*: /#text(font: IPAFont, fill: AccentColor)[vekˈseɪ.ʃən]/ annoyance, irritation, irritability, exasperation, anger, rage, fury, temper, bad temper, hot temper, wrath, spleen, chagrin, pique, crossness, indignation, displeasure, discontent, dissatisfaction, disgruntlement, ill humour, peevishness, petulance, testiness, tetchiness, gall, resentment, umbrage, perturbation, discomposure, worry, agitation, harassment, needling, aggravation, being rubbed up the wrong way, crabbiness, stroppiness, ire, choler #pagebreak() = *Group 18* - *abet*: /#text(font: IPAFont, fill: AccentColor)[əˈbet]/ assist, aid, help, lend a hand, support, back, encourage, cooperate with, collaborate with, work with, connive with, collude with, go along with, be in collusion with, be hand in glove with, side with, second, endorse, boost, favour, champion, sanction, succour, promote, further, expedite, push, give a push to, connive at, participate in - *accessible*: /#text(font: IPAFont, fill: AccentColor)[əkˈses.ə.bəl]/ reachable, attainable, approachable, within reach, available, on hand, obtainable, nearby, ready, convenient, handy, get-at-able - *acquisitive*: /#text(font: IPAFont, fill: AccentColor)[əˈkwɪz.ɪ.tɪv]/ greedy, hoarding, covetous, avaricious, possessive, grasping, grabbing, predatory, avid, rapacious, mercenary, materialistic, money-oriented, money-grubbing, money-grabbing, on the make, grabby, hungry, quaestuary, Mammonish, Mammonistic - *amalgamate*: /#text(font: IPAFont, fill: AccentColor)[əˈmæl.ɡə.meɪt]/ combine, merge, unite, integrate, fuse, blend, mingle, coalesce, consolidate, meld, intermingle, mix, intermix, incorporate, affiliate, join (together), join forces, band (together), club together, get together, link (up), team up, go into partnership, pool resources, unify, gang up, gang together, commingle - *attenuate*: /#text(font: IPAFont, fill: AccentColor)[əˈten.ju.eɪt]/ weakened, reduced, lessened, decreased, diminished, impaired, enervated - *augment*: /#text(font: IPAFont, fill: AccentColor)[ɔːɡˈment]/ increase, make larger, make bigger, make greater, add to, supplement, build up, enlarge, expand, extend, raise, multiply, elevate, swell, inflate, magnify, intensify, amplify, heighten, escalate, worsen, make worse, exacerbate, aggravate, inflame, compound, reinforce, improve, make better, boost, ameliorate, enhance, upgrade, top up, up, jack up, hike up, hike, bump up, crank up, step up - *aversion*: /#text(font: IPAFont, fill: AccentColor)[əˈvɜː.ʃən]/ dislike of, distaste for, disinclination, abhorrence, hatred, hate, loathing, detestation, odium, antipathy, hostility, disgust, revulsion, repugnance, horror, phobia, resistance, unwillingness, reluctance, avoidance, evasion, shunning, allergy, disrelish - *blithe*: /#text(font: IPAFont, fill: AccentColor)[blaɪð]/ heedless, uncaring, careless, casual, indifferent, thoughtless, unconcerned, unworried, untroubled, nonchalant, cool, blasé, devil-may-care, irresponsible - *contempt*: /#text(font: IPAFont, fill: AccentColor)[kənˈtempt]/ scorn, disdain, disrespect, deprecation, disparagement, denigration, opprobrium, odium, obloquy, scornfulness, derision, mockery, ridicule, disgust, loathing, detestation, abhorrence, hatred, contumely - *dawdle*: /#text(font: IPAFont, fill: AccentColor)[ˈdɔː.dəl]/ linger, dally, take one's time, drag one's feet, be slow, waste time, kill time, fritter time away, idle, delay, procrastinate, stall, hang fire, mark time, potter about/around/round, dilly-dally, tarry - *deflect*: /#text(font: IPAFont, fill: AccentColor)[dɪˈflekt]/ turn aside/away, divert, avert, sidetrack, distract, draw away, block, parry, stop, fend off, stave off, bounce, glance, ricochet, turn aside/away, turn, alter course, change course/direction, diverge, deviate, veer, swerve, slew, drift, bend, swing, twist, curve - *discount*: /#text(font: IPAFont, fill: AccentColor)[ˈdɪs.kaʊnt]/ reduction, deduction, markdown, price cut, cut, lower price, cut price, concession, concessionary price, rebate, deduct, take off, rebate, knock off, slash - *dissident*: /#text(font: IPAFont, fill: AccentColor)[ˈdɪs.ɪ.dənt]/ dissenter, objector, protester, disputant, freethinker, nonconformist, independent thinker, rebel, revolutionary, recusant, renegade, subversive, agitator, insurgent, insurrectionist, insurrectionary, disruptor, mutineer, refusenik - *efficacious*: /#text(font: IPAFont, fill: AccentColor)[ˌef.ɪˈkeɪ.ʃəs]/ effective, successful, effectual, productive, constructive, fruitful, potent, powerful, worthwhile, helpful, of help, of assistance, beneficial, advantageous, valuable, useful, of use - *equitable*: /#text(font: IPAFont, fill: AccentColor)[ˈek.wɪ.tə.bəl]/ fair, just, impartial, even-handed, fair-minded, unbiased, unprejudiced, non-discriminatory, anti-discrimination, unbigoted, egalitarian, with no axe to grind, without fear or favour, honest, right, rightful, proper, decent, good, honourable, upright, scrupulous, conscientious, above board, reasonable, sensible, disinterested, objective, neutral, uncoloured, dispassionate, non-partisan, balanced, open-minded, fair and square, upfront, on the level, on the up and up - *erratic*: /#text(font: IPAFont, fill: AccentColor)[ɪˈræt.ɪk]/ unpredictable, inconsistent, changeable, variable, inconstant, uncertain, irregular, unstable, turbulent, unsteady, unsettled, unreliable, undependable, changing, ever-changing, volatile, varying, shifting, fluctuating, fluid, mutable, protean, fitful, wavering, full of ups and downs, peaky, mercurial, capricious, whimsical, fickle, flighty, giddy, impulsive, wayward, temperamental, highly strung, excitable, moody, blowing hot and cold, labile, fluctuant, changeful - *industrious*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈdʌs.tri.əs]/ hard-working, diligent, assiduous, sedulous, conscientious, steady, painstaking, persistent, persevering, pertinacious, unflagging, untiring, tireless, indefatigable, studious, busy, busy as a bee, active, bustling, energetic, on the go, vigorous, determined, dynamic, driven, zealous, productive, laborious - *inform*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈfɔːm]/ tell, let someone know, notify, apprise, advise, announce to, impart to, communicate to, brief, prime, enlighten, send word to, keep posted, put in the picture, fill in, clue in/up, give the low-down to, suffuse, pervade, permeate, infuse, imbue, saturate, illuminate, animate, characterize, typify - *irksome*: /#text(font: IPAFont, fill: AccentColor)[ˈɜːk.səm]/ irritating, annoying, vexing, vexatious, galling, exasperating, displeasing, grating, disagreeable, tiresome, wearisome, tedious, trying, troublesome, burdensome, bothersome, awkward, inconvenient, difficult, boring, uninteresting, infuriating, maddening, pesky, cussed, confounded, infernal, pestiferous, plaguy, pestilent - *manacle*: /#text(font: IPAFont, fill: AccentColor)[ˈmæn.ə.kəl]/ handcuffs, shackles, chains, irons, fetters, restraints, bonds, cuffs, bracelets, darbies, gyves, shackle, fetter, chain, chain up, put in chains, put/clap in irons, handcuff, restrain, tie, secure, cuff - *modest*: /#text(font: IPAFont, fill: AccentColor)[ˈmɒd.ɪst]/ self-effacing, self-deprecating, humble, unpretentious, unassuming, unpresuming, unostentatious, low-key, free from vanity, shy, bashful, self-conscious, diffident, timid, reserved, retiring, media-shy, reticent, quiet, coy, embarrassed, shamefaced, blushing, fearful, meek, docile, mild, apologetic, mim - *noxious*: /#text(font: IPAFont, fill: AccentColor)[ˈnɒk.ʃəs]/ poisonous, toxic, deadly, virulent, harmful, dangerous, pernicious, damaging, destructive, environmentally unfriendly, very unpleasant, nasty, disgusting, awful, dreadful, horrible, terrible, vile, revolting, foul, sickening, nauseating, nauseous, appalling, offensive, foul-smelling, evil-smelling, malodorous, fetid, putrid, rancid, unwholesome, unhealthy, insalubrious, ghastly, horrid, bogging, noisome, mephitic, disgustful, miasmal, miasmic, nocuous, olid - *pernicious*: /#text(font: IPAFont, fill: AccentColor)[pəˈnɪʃ.əs]/ harmful, damaging, destructive, injurious, hurtful, detrimental, deleterious, dangerous, adverse, inimical, unhealthy, unfavourable, bad, evil, baleful, wicked, malign, malevolent, malignant, noxious, poisonous, cancerous, corrupting, ruinous, deadly, lethal, fatal, malefic, maleficent, pestilent, pestilential, baneful, pestiferous - *predicament*: /#text(font: IPAFont, fill: AccentColor)[prɪˈdɪk.ə.mənt]/ difficult situation, awkward situation, mess, difficulty, problematic situation, issue, plight, quandary, trouble, muddle, mare's nest, crisis, hole, fix, jam, sticky situation, pickle, scrape, bind, tight spot/corner, spot, corner, dilemma, hot/deep water, kettle of fish, how-do-you-do - *proficient*: /#text(font: IPAFont, fill: AccentColor)[prəˈfɪʃ.ənt]/ skilled, skilful, expert, accomplished, experienced, practised, trained, seasoned, well versed, adept, adroit, deft, dexterous, able, capable, competent, professional, effective, apt, handy, talented, gifted, masterly, consummate, master, good, great, excellent, brilliant, crack, ace, mean, wicked, wizard, crackerjack, badass, compleat - *prolix*: /#text(font: IPAFont, fill: AccentColor)[ˈprəʊ.lɪks]/ lengthy, long-winded, long-drawn-out, overlong, prolonged, protracted, interminable, laborious, ponderous, endless, unending, verbose, wordy, full of verbiage, verbal, diffuse, discursive, digressive, rambling, wandering, circuitous, meandering, maundering, periphrastic, circumlocutory, windy, ambagious, pleonastic, circumlocutionary, logorrhoeic - *scorn*: /#text(font: IPAFont, fill: AccentColor)[skɔːn]/ First off I’m a huge fan or HG Ginger, that being said I purchased the game on impulse and based on the trailer. Then I went to to read less then good reviews about how ..., First off I’m a huge fan or HG Ginger, that being said I purchased the game on impulse and based on the trailer. Then I went to to read less then good reviews about how ... - *subordinate*: /#text(font: IPAFont, fill: AccentColor)[səˈbɔː.dɪ.nət]/ lower-ranking, junior, lower, lesser, inferior, lowly, minor, supporting, second-fiddle - *unseemly*: /#text(font: IPAFont, fill: AccentColor)[ʌnˈsiːm.li]/ indecorous, improper, inappropriate, unbecoming, unfitting, unbefitting, unsuitable, unworthy, undignified, unrefined, indiscreet, indelicate, ungentlemanly, unladylike, impolite, ill-advised, out of place/keeping, tasteless, in poor/bad taste, disreputable, coarse, crass, shameful - *veritable*: /#text(font: IPAFont, fill: AccentColor)[ˈver.ɪ.tə.bəl]/ #pagebreak() = *Group 19* - *acolyte*: /#text(font: IPAFont, fill: AccentColor)[ˈæk.əl.aɪt]/ - *anoint*: /#text(font: IPAFont, fill: AccentColor)[əˈnɔɪnt]/ smear with oil, rub with oil, apply oil to, spread oil over, anele, consecrate, sanctify, bless, ordain, hallow - *base*: /#text(font: IPAFont, fill: AccentColor)[beɪs]/ foundation, bottom, foot, support, prop, stay, stand, pedestal, plinth, rest, bed, substructure - *coercion*: /#text(font: IPAFont, fill: AccentColor)[kəʊˈɜː.ʃən]/ force, compulsion, constraint, duress, oppression, enforcement, harassment, intimidation, threats, insistence, demand, arm-twisting, pressure, pressurization, influence - *coin*: /#text(font: IPAFont, fill: AccentColor)[kɔɪn]/ - *cunning*: /#text(font: IPAFont, fill: AccentColor)[ˈkʌn.ɪŋ]/ crafty, wily, artful, guileful, devious, sly, knowing, scheming, designing, tricky, slippery, slick, manipulative, Machiavellian, deceitful, deceptive, duplicitous, Janus-faced, shrewd, astute, clever, canny, sharp, sharp-witted, skilful, ingenious, resourceful, inventive, imaginative, deft, adroit, dexterous, foxy, savvy, fiendish, sneaky, fly, pawky, slim, subtle, vulpine, carny - *discomfit*: /#text(font: IPAFont, fill: AccentColor)[dɪˈskʌm.fɪt]/ embarrass, make uncomfortable, make uneasy, abash, disconcert, nonplus, discompose, discomfort, take aback, unsettle, unnerve, put someone off their stroke, ruffle, confuse, fluster, agitate, disorientate, upset, disturb, perturb, distress, chagrin, mortify, faze, rattle, discombobulate - *dissent*: /#text(font: IPAFont, fill: AccentColor)[dɪˈsent]/ disagreement, lack of agreement, difference of opinion, argument, dispute, demur, disapproval, objection, protest, opposition, defiance, insubordination, conflict, friction, strife, arguing, quarrelling, wrangling, bickering - *distill*: /#text(font: IPAFont, fill: AccentColor)[dɪˈstɪl]/ purify, refine, filter, treat, process, sublime, sublimate, fractionate - *dubious*: /#text(font: IPAFont, fill: AccentColor)[ˈdʒuː.bi.əs]/ doubtful, uncertain, unsure, in doubt, hesitant, undecided, unsettled, unconfirmed, undetermined, indefinite, unresolved, up in the air, wavering, vacillating, irresolute, in a quandary, in a dilemma, on the horns of a dilemma, sceptical, suspicious, iffy - *ebullient*: /#text(font: IPAFont, fill: AccentColor)[ɪbˈʊl.i.ənt]/ exuberant, buoyant, cheerful, joyful, cheery, merry, sunny, breezy, jaunty, light-hearted, in high spirits, high-spirited, exhilarated, elated, euphoric, jubilant, animated, sparkling, effervescent, vivacious, enthusiastic, irrepressible, bubbly, bouncy, peppy, zingy, upbeat, chipper, chirpy, smiley, sparky, full of beans, peart, gladsome, blithe, blithesome, gay, as merry as a grig, of good cheer - *facetious*: /#text(font: IPAFont, fill: AccentColor)[fəˈsiː.ʃəs]/ flippant, flip, glib, frivolous, tongue-in-cheek, waggish, whimsical, joking, jokey, jesting, jocular, playful, roguish, impish, teasing, arch, mischievous, puckish, in fun, in jest, witty, amusing, funny, droll, comic, comical, chucklesome, light-hearted, high-spirited, bantering, frolicsome, sportive, jocose - *fallible*: /#text(font: IPAFont, fill: AccentColor)[ˈfæl.ə.bəl]/ error-prone, erring, errant, liable to err, prone to err, open to error, imperfect, flawed, frail, weak - *florid*: /#text(font: IPAFont, fill: AccentColor)[ˈflɒr.ɪd]/ ruddy, red, red-faced, reddish, rosy, rosy-cheeked, pink, pinkish, roseate, rubicund, healthy-looking, glowing, fresh, flushed, blushing, high-coloured, blowsy, sanguine, erubescent, rubescent - *gawky*: /#text(font: IPAFont, fill: AccentColor)[ˈɡɔː.ki]/ awkward, ungainly, inelegant, graceless, ungraceful, gauche, maladroit, inept, bumbling, blundering, lumbering, socially awkward, socially unsure, unpolished, unsophisticated, uncultured, uncultivated, unworldly, nervous, shy, bashful, nervy - *inveigle*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈveɪ.ɡəl]/ cajole, wheedle, coax, persuade, convince, talk, tempt, lure, allure, entice, ensnare, seduce, flatter, beguile, dupe, fool, sweet-talk, soft-soap, butter up, twist someone's arm, con, bamboozle, sucker, blandish - *jettison*: /#text(font: IPAFont, fill: AccentColor)[ˈdʒet.ɪ.sən]/ - *mendacity*: /#text(font: IPAFont, fill: AccentColor)[menˈdæs.ə.ti]/ lying, untruthfulness, dishonesty, deceit, deceitfulness, deception, dissembling, insincerity, disingenuousness, hypocrisy, fraud, fraudulence, double-dealing, two-timing, duplicity, perjury, perfidy, untruth, fictitiousness, falsity, falsehood, falseness, fallaciousness, hollowness, kidology, codology, economy with the truth, terminological inexactitude, unveracity - *munificent*: /#text(font: IPAFont, fill: AccentColor)[mjuːˈnɪf.ɪ.sənt]/ generous, bountiful, open-handed, magnanimous, philanthropic, princely, handsome, lavish, unstinting, free-handed, unstinted, liberal, free, charitable, big-hearted, beneficent, ungrudging, bounteous - *naive*: /#text(font: IPAFont, fill: AccentColor)[naɪˈiːv]/ innocent, unsophisticated, artless, ingenuous, inexperienced, guileless, unworldly, childlike, trusting, trustful, dewy-eyed, starry-eyed, wide-eyed, fond, simple, natural, unaffected, unpretentious, gullible, credulous, easily taken in, easily deceived, unsuspecting, over-trusting, over-trustful, born yesterday, unsuspicious, deceivable, dupable, immature, callow, raw, green, as green as grass, ignorant, wet behind the ears - *noble*: /#text(font: IPAFont, fill: AccentColor)[ˈnəʊ.bəl]/ aristocratic, noble-born, of noble birth, titled, patrician, blue-blooded, high-born, well born, gentle, of gentle birth - *parochial*: /#text(font: IPAFont, fill: AccentColor)[pəˈrəʊ.ki.əl]/ narrow-minded, small-minded, provincial, insular, narrow, small-town, inward-looking, limited, restricted, localist, conventional, short-sighted, petty, close-minded, blinkered, myopic, hidebound, parish-pump, jerkwater, hick - *pedestrian*: /#text(font: IPAFont, fill: AccentColor)[pəˈdes.tri.ən]/ walker, person on foot, hiker, rambler, stroller, wayfarer, footslogger, foot traveller - *prevaricate*: /#text(font: IPAFont, fill: AccentColor)[prɪˈvær.ɪ.keɪt]/ be evasive, beat about the bush, hedge, fence, shilly-shally, shuffle, dodge (the issue), sidestep (the issue), pussyfoot, equivocate, be non-committal, parry questions, be vague, vacillate, quibble, cavil, lie, temporize, stall, stall for time, hum and haw, duck the issue, palter, tergiversate - *prime*: /#text(font: IPAFont, fill: AccentColor)[praɪm]/ - *radical*: /#text(font: IPAFont, fill: AccentColor)[ˈræd.ɪ.kəl]/ thoroughgoing, thorough, complete, total, entire, absolute, utter, comprehensive, exhaustive, root-and-branch, sweeping, far-reaching, wide-ranging, extensive, profound, drastic, severe, serious, major, desperate, stringent, violent, forceful, rigorous, draconian - *recrudescent*: ˈæv.əl.ɑːntʃ/#text(font: IPAFont, fill: AccentColor)[]/ - *temporal*: /#text(font: IPAFont, fill: AccentColor)[ˈtem.pər.əl]/ secular, non-spiritual, worldly, profane, material, mundane, earthly, terrestrial, non-religious, lay, carnal, fleshly, mortal, corporeal, sublunary, terrene - *transitory*: /#text(font: IPAFont, fill: AccentColor)[ˈtræn.zɪ.tər.i]/ temporary, transient, brief, short, short-lived, short-term, impermanent, ephemeral, evanescent, momentary, fleeting, flying, passing, fugitive, flitting, fading, mutable, unstable, volatile, here today and gone tomorrow, fly-by-night, fugacious - *viable*: /#text(font: IPAFont, fill: AccentColor)[ˈvaɪ.ə.bəl]/ workable, feasible, practicable, practical, applicable, usable, manageable, operable, operational, possible, within reach, within reason, likely, achievable, attainable, accomplishable, realizable, reasonable, sensible, realistic, logical, useful, of use, serviceable, suitable, expedient, effective, valid, tenable, sound, well advised, well thought out, well grounded, judicious, level-headed, wise, doable #pagebreak() = *Group 20* - *abreast*: /#text(font: IPAFont, fill: AccentColor)[əˈbrest]/ in a row, side by side, alongside, level, abeam, on a level, beside each other, shoulder to shoulder, cheek by jowl - *confound*: /#text(font: IPAFont, fill: AccentColor)[kənˈfaʊnd]/ amaze, astonish, dumbfound, stagger, surprise, startle, stun, stupefy, daze, nonplus, throw, shake, unnerve, disconcert, discompose, dismay, bewilder, set someone thinking, baffle, mystify, bemuse, perplex, puzzle, confuse, take someone's breath away, take by surprise, take aback, shake up, stop someone in their tracks, strike dumb, leave open-mouthed, leave aghast, catch off balance, buffalo, flabbergast, floor, knock for six, knock sideways, knock out, bowl over, blow someone's mind, blow away, flummox, discombobulate, faze, stump, beat, fox, be all Greek to, fog, wilder, gravel, maze, cause to be at a stand, distract, pose, obfuscate - *digression*: /#text(font: IPAFont, fill: AccentColor)[daɪˈɡreʃ.ən]/ deviation, detour, diversion, departure, excursus, aside, incidental remark, footnote, parenthesis, deviation from the subject, straying from the topic, straying from the point, going off at a tangent, getting sidetracked, losing one's thread, divergence, straying, drifting, rambling, wandering, meandering, maundering, obiter dictum, excursion, apostrophe, divagation - *discrepancy*: /#text(font: IPAFont, fill: AccentColor)[dɪˈskrep.ən.si]/ inconsistency, difference, disparity, variance, variation, deviation, divergence, disagreement, dissimilarity, dissimilitude, mismatch, lack of similarity, contrariety, contradictoriness, disaccord, discordance, incongruity, lack of congruence, incompatibility, irreconcilability, conflict, opposition - *duplicitous*: /#text(font: IPAFont, fill: AccentColor)[dʒuˈplɪs.ɪ.təs]/ - *expedient*: /#text(font: IPAFont, fill: AccentColor)[ɪkˈspiː.di.ənt]/ convenient, advantageous, in one's own interests, to one's own advantage, useful, of use, of service, beneficial, of benefit, profitable, gainful, effective, helpful, practical, pragmatic, strategic, tactical, politic, prudent, wise, judicious, sensible, desirable, suitable, advisable, appropriate, apt, fit, timely, opportune, propitious - *fabricate*: /#text(font: IPAFont, fill: AccentColor)[ˈfæb.rɪ.keɪt]/ forge, falsify, fake, counterfeit, make up, invent, concoct, contrive, think up, dream up, manufacture, trump up, cook up, make, create, manufacture, produce, construct, build, assemble, put together, cobble together, form, fashion, contrive, model, shape, forge, erect, put up, set up, raise, elevate - *glum*: /#text(font: IPAFont, fill: AccentColor)[ɡlʌm]/ gloomy, downcast, downhearted, dejected, disconsolate, dispirited, despondent, crestfallen, cast down, depressed, disappointed, disheartened, discouraged, demoralized, desolate, heavy-hearted, in low spirits, low-spirited, sad, unhappy, doleful, melancholy, miserable, woebegone, mournful, forlorn, long-faced, fed up, in the doldrums, wretched, lugubrious, morose, sepulchral, saturnine, dour, mirthless, blue, down, down in the mouth, down in the dumps, brassed off, cheesed off, dolorous, chap-fallen, adust - *harbinger*: /#text(font: IPAFont, fill: AccentColor)[ˈhɑː.bɪn.dʒər]/ herald, sign, indicator, indication, signal, prelude, portent, omen, augury, forewarning, presage, announcer, forerunner, precursor, messenger, usher, avant-courier, foretoken - *intrinsic*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈtrɪn.zɪk]/ inherent, innate, inborn, inbred, congenital, natural, native, constitutional, built-in, ingrained, deep-rooted, inseparable, permanent, indelible, ineradicable, ineffaceable, integral, basic, fundamental, underlying, constitutive, elemental, essential, vital, necessary, connate, connatural - *largesse*: /#text(font: IPAFont, fill: AccentColor)[lɑːˈʒes]/ generosity, liberality, munificence, bounty, bountifulness, beneficence, benefaction, altruism, charity, philanthropy, magnanimity, benevolence, charitableness, open-handedness, kindness, big-heartedness, great-heartedness, lavishness, free-handedness, unselfishness, selflessness, self-sacrifice, self-denial, almsgiving - *libertine*: /#text(font: IPAFont, fill: AccentColor)[ˈlɪb.ə.tiːn]/ philanderer, ladies' man, playboy, rake, roué, loose-liver, <NAME>, Lothario, Casanova, Romeo, lecher, seducer, womanizer, adulterer, debauchee, sensualist, voluptuary, hedonist, profligate, wanton, reprobate, degenerate, stud, player, playa, skirt-chaser, ladykiller, lech, wolf, rip, blood, gay dog, fornicator - *malfeasance*: /#text(font: IPAFont, fill: AccentColor)[mælˈfiː.zəns]/ - *manifest*: /#text(font: IPAFont, fill: AccentColor)[ˈmæn.ɪ.fest]/ obvious, clear, plain, apparent, evident, patent, palpable, distinct, definite, blatant, overt, glaring, barefaced, explicit, transparent, conspicuous, undisguised, unmistakable, unquestionable, undeniable, noticeable, perceptible, visible, recognizable, observable - *minute*: /#text(font: IPAFont, fill: AccentColor)[ˈmɪn.ɪt]/ - *modish*: /#text(font: IPAFont, fill: AccentColor)[ˈməʊ.dɪʃ]/ fashionable, stylish, smart, chic, modern, contemporary, designer, all the rage, in vogue, trendsetting, voguish, up to the minute, à la mode, trendy, cool, with it, in, now, hip, happening, snazzy, natty, nifty, kicking, kicky, tony, fly, spiffy, sassy, stylin', on fleek, all the go, swagger - *nascent*: /#text(font: IPAFont, fill: AccentColor)[ˈneɪ.sənt]/ just beginning, budding, developing, growing, embryonic, incipient, young, in its infancy, fledgling, evolving, emergent, emerging, rising, dawning, advancing, burgeoning, naissant - *perennial*: /#text(font: IPAFont, fill: AccentColor)[pəˈren.i.əl]/ everlasting, perpetual, eternal, continuing, unending, never-ending, endless, undying, ceaseless, abiding, enduring, lasting, persisting, permanent, constant, continual, unfailing, unchanging, never-changing - *pious*: /#text(font: IPAFont, fill: AccentColor)[ˈpaɪ.əs]/ religious, devout, devoted, dedicated, reverent, God-fearing, churchgoing, spiritual, prayerful, holy, godly, saintly, faithful, dutiful, righteous - *providential*: /#text(font: IPAFont, fill: AccentColor)[ˌprɒv.ɪˈden.ʃəl]/ opportune, advantageous, favourable, auspicious, propitious, heaven-sent, welcome, golden, good, right, lucky, happy, fortunate, benign, felicitous, timely, well timed, ripe, convenient, expedient, seasonable - *prowess*: /#text(font: IPAFont, fill: AccentColor)[ˈpraʊ.es]/ skill, skilfulness, expertise, effectiveness, mastery, facility, ability, capability, capacity, talent, genius, adroitness, adeptness, aptitude, dexterity, deftness, competence, competency, professionalism, excellence, accomplishment, experience, proficiency, expertness, finesse, know-how, savoir faire - *schism*: /#text(font: IPAFont, fill: AccentColor)[ˈskɪz.əm]/ division, split, rift, breach, rupture, break, separation, severance, estrangement, alienation, detachment, chasm, gulf, discord, disagreement, dissension, disunion, scission - *slander*: /#text(font: IPAFont, fill: AccentColor)[ˈslɑːn.dər]/ defamation, defamation of character, character assassination, misrepresentation of character, calumny, libel, scandalmongering, malicious gossip, muckraking, smear campaigning, disparagement, denigration, derogation, aspersions, vilification, traducement, obloquy, backbiting, scurrility, lie, slur, smear, untruth, false accusation, false report, insult, slight, mud-slinging, bad-mouthing, contumely - *stalwart*: /#text(font: IPAFont, fill: AccentColor)[ˈstɔːl.wət]/ staunch, loyal, faithful, committed, devoted, dedicated, dependable, reliable, steady, constant, trusty, hard-working, vigorous, stable, firm, steadfast, redoubtable, resolute, unswerving, unwavering, unhesitating, unfaltering - *supplicate*: /#text(font: IPAFont, fill: AccentColor)[ˈsʌp.lɪ.keɪt]/ entreat, beseech, beg, plead with, implore, petition, appeal to, solicit, call on, urge, enjoin, importune, pray, invoke, sue, ask, request - *terse*: /#text(font: IPAFont, fill: AccentColor)[tɜːs]/ curt, brusque, abrupt, clipped, blunt, gruff, short, brief, concise, succinct, to the point, compact, crisp, pithy, incisive, short and sweet, economical, laconic, epigrammatic, summary, condensed - *tirade*: /#text(font: IPAFont, fill: AccentColor)[taɪˈreɪd]/ diatribe, invective, polemic, denunciation, rant, broadside, attack, harangue, verbal onslaught, reviling, railing, decrying, condemnation, brickbats, flak, criticism, censure, lecture, berating, admonishment, admonition, reprimand, rebuke, reproof, reproval, upbraiding, abuse, stream of abuse, battering, stricture, tongue-lashing, vilification, castigation, denouncement, vituperation, obloquy, fulmination, knocking, blast, slating, philippic - *universal*: /#text(font: IPAFont, fill: AccentColor)[ˌjuː.nɪˈvɜː.səl]/ - *vanquish*: /#text(font: IPAFont, fill: AccentColor)[ˈvæŋ.kwɪʃ]/ - *woeful*: /#text(font: IPAFont, fill: AccentColor)[ˈwəʊ.fəl]/ sad, unhappy, miserable, woebegone, doleful, forlorn, crestfallen, glum, gloomy, dejected, downcast, disconsolate, downhearted, despondent, depressed, despairing, dismal, melancholy, broken-hearted, heartbroken, inconsolable, grief-stricken, blue, down in the mouth, down in the dumps, tragic, saddening, sorrowful, cheerless, wretched, sorry, pitiful, pathetic, pitiable, grievous, traumatic, upsetting, depressing, distressing, heartbreaking, heart-rending, tear-jerking, agonizing, harrowing, distressful #pagebreak() = *Group 21* - *abject*: /#text(font: IPAFont, fill: AccentColor)[ˈæb.dʒekt]/ obsequious, grovelling, crawling, creeping, fawning, toadyish, servile, cringing, snivelling, ingratiating, toadying, sycophantic, submissive, craven, humiliating - *amicable*: /#text(font: IPAFont, fill: AccentColor)[ˈæm.ɪ.kə.bəl]/ friendly, good-natured, cordial, civil, courteous, polite, easy, easy-going, neighbourly, brotherly, fraternal, harmonious, cooperative, civilized, non-hostile, peaceable, peaceful, conflict-free - *animosity*: /#text(font: IPAFont, fill: AccentColor)[ˌæn.ɪˈmɒs.ə.ti]/ antipathy, hostility, friction, antagonism, enmity, animus, opposition, aversion, acrimony, bitterness, rancour, resentment, dislike, ill feeling, bad feeling, ill will, bad blood, hatred, hate, loathing, detestation, abhorrence, odium, malice, spite, spitefulness, venom, malevolence, malignity, grudges, grievances, disrelish - *aver*: /#text(font: IPAFont, fill: AccentColor)[əˈvɜːr]/ - *barrage*: /#text(font: IPAFont, fill: AccentColor)[ˈbær.ɑːʒ]/ bombardment, gunfire, cannonade, battery, blast, broadside, salvo, volley, fusillade, storm, hail, shower, cascade, rain, stream, blitz, shelling, wall/curtain/barrier of fire, dam, weir, barrier, dyke, defence, embankment, wall, obstruction, gate, sluice - *cathartic*: /#text(font: IPAFont, fill: AccentColor)[kəˈθɑː.tɪk]/ purgative, purging, purifying, cleansing, cleaning, releasing, relieving, freeing, delivering, exorcising, ridding, abreactive, depurative, lustral - *decipher*: /#text(font: IPAFont, fill: AccentColor)[dɪˈsaɪ.fər]/ decode, decrypt, break, work out, solve, interpret, translate, construe, explain, make sense of, make head or tail of, get to the bottom of, unravel, find the key to, find the answer to, throw light on, crack, figure out, twig, suss, suss out - *delusion*: /#text(font: IPAFont, fill: AccentColor)[dɪˈluː.ʒən]/ misapprehension, mistaken impression, false impression, mistaken belief, misconception, misunderstanding, mistake, error, misinterpretation, misconstruction, misbelief, fallacy, illusion, figment of the imagination, fantasy, chimera, fool's paradise, self-deception, deception, misleading, deluding, fooling, tricking, trickery, duping - *dispense*: /#text(font: IPAFont, fill: AccentColor)[dɪˈspens]/ distribute, pass round, pass out, hand out, deal out, dole out, share out, divide out, parcel out, allocate, allot, apportion, assign, bestow, confer, supply, disburse, dish out - *eloquent*: /#text(font: IPAFont, fill: AccentColor)[ˈel.ə.kwənt]/ persuasive, expressive, articulate, fluent, strong, forceful, powerful, potent, well spoken, silver-tongued, smooth-tongued, well expressed, graceful, lucid, vivid, effective, graphic, glib - *enthral*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈθrɔːl]/ captivate, charm, enchant, bewitch, fascinate, beguile, entrance, enrapture, delight, attract, allure, lure, win, ensnare, dazzle, absorb, engross, rivet, grip, transfix, root someone to the spot, transport, carry away, hypnotize, mesmerize, intrigue, spellbind, hold spellbound, get under someone's skin, fascinating, entrancing, enchanting, bewitching, captivating, charming, beguiling, enrapturing, delightful, attractive, alluring, winning, dazzling, absorbing, engrossing, memorable, compelling, riveting, readable, gripping, exciting, transfixing, transporting, hypnotic, mesmerizing, intriguing, spellbinding, unputdownable - *eradicate*: /#text(font: IPAFont, fill: AccentColor)[ɪˈræd.ɪ.keɪt]/ get rid of, eliminate, do away with, remove, suppress, exterminate, destroy, annihilate, extirpate, obliterate, kill, wipe out, liquidate, decimate, finish off, abolish, stamp out, extinguish, quash, wipe off the face of the earth, wipe off the map, erase, efface, excise, expunge, root out, uproot, weed out, zap, deracinate - *fledgling*: /#text(font: IPAFont, fill: AccentColor)[ˈfledʒ.lɪŋ]/ chick, baby bird, nestling, emerging, emergent, arising, sunrise, dawning, beginning, developing, in the making, budding, rising, burgeoning, growing, embryonic, infant, nascent, incipient, promising, potential, up-and-coming - *fortitude*: /#text(font: IPAFont, fill: AccentColor)[ˈfɔː.tɪ.tʃuːd]/ courage, bravery, strength of mind, strength of character, moral strength, toughness of spirit, firmness of purpose, strong-mindedness, resilience, backbone, spine, mettle, spirit, nerve, pluck, pluckiness, doughtiness, fearlessness, valour, intrepidity, stout-heartedness, endurance, stoicism, steadfastness, patience, long-suffering, forbearance, tenacity, pertinacity, perseverance, resolve, resolution, resoluteness, determination, Dunkirk spirit, guts, grit, spunk - *fortuitous*: /#text(font: IPAFont, fill: AccentColor)[fɔːˈtʃuː.ɪ.təs]/ chance, unexpected, unanticipated, unpredictable, unforeseen, unlooked-for, serendipitous, casual, incidental, coincidental, haphazard, random, accidental, inadvertent, unintentional, unintended, unplanned, unpremeditated - *goad*: /#text(font: IPAFont, fill: AccentColor)[ɡəʊd]/ provoke, spur, prick, sting, prod, egg on, hound, badger, incite, rouse, stir, move, stimulate, motivate, excite, inflame, work/fire up, impel, pressure, pressurize, dragoon, prompt, induce, encourage, urge, inspire, prod, spiked stick, spike, staff, crook, pole, rod, ankus, prick - *imminent*: /#text(font: IPAFont, fill: AccentColor)[ˈɪm.ɪ.nənt]/ impending, at hand, close, near, approaching, fast approaching, coming, forthcoming, on the way, about to happen, upon us, in store, in the offing, in the pipeline, on the horizon, in the air, in the wind, brewing, looming, looming large, threatening, menacing, expected, anticipated, on the cards - *incontrovertible*: /#text(font: IPAFont, fill: AccentColor)[ɪnˌkɒn.trəˈvɜː.tə.bəl]/ indisputable, incontestable, undeniable, irrefutable, unassailable, beyond dispute, unquestionable, beyond question, indubitable, not in doubt, beyond doubt, beyond a shadow of a doubt, unarguable, inarguable, undebatable, unanswerable, unequivocal, unambiguous, unmistakable, certain, sure, definite, definitive, proven, positive, decisive, conclusive, final, ultimate, clear, clear-cut, straightforward, plain, as plain as a pikestaff, transparent, obvious, manifest, evident, self-evident, staring one in the face, patent, demonstrative, demonstrable, observable, palpable, uncontroversial, accepted, acknowledged, marked, pronounced, express, emphatic, categorical, compelling, convincing, clinching, airtight, watertight, irrefragable, apodictic - *itinerant*: /#text(font: IPAFont, fill: AccentColor)[aɪˈtɪn.ər.ənt]/ - *magnanimous*: /#text(font: IPAFont, fill: AccentColor)[mæɡˈnæn.ɪ.məs]/ generous, charitable, benevolent, beneficent, open-handed, big-hearted, great-hearted, munificent, bountiful, liberal, handsome, princely, altruistic, kind, kindly, philanthropic, chivalrous, noble, unselfish, selfless, self-sacrificing, ungrudging, unstinting, forgiving, merciful, lenient, indulgent, clement, bounteous - *meritorious*: /#text(font: IPAFont, fill: AccentColor)[ˌmer.ɪˈtɔː.ri.əs]/ praiseworthy, laudable, commendable, admirable, estimable, creditable, worthy, worthwhile, deserving, excellent, exemplary, good - *mutiny*: /#text(font: IPAFont, fill: AccentColor)[ˈmjuː.tɪ.ni]/ insurrection, rebellion, revolt, riot, revolution, uprising, rising, coup, coup d'état, putsch, protest, strike, insurgence, insurgency, subversion, sedition, anarchy, disorder, insubordination, disobedience, resistance, defiance, rise up, rebel, revolt, riot, resist/oppose authority, disobey/defy authority, refuse to obey orders, be insubordinate, protest, strike, go on strike - *paradoxical*: /#text(font: IPAFont, fill: AccentColor)[ˌpær.əˈdɒk.sɪ.kəl]/ contradictory, self-contradictory, inconsistent, incongruous, anomalous, conflicting, improbable, impossible, odd, illogical, confusing, absurd, puzzling, baffling, bewildering, incomprehensible, inexplicable, oxymoronic - *perseverance*: /#text(font: IPAFont, fill: AccentColor)[ˌpɜː.sɪˈvɪə.rəns]/ persistence, tenacity, determination, resolve, resolution, resoluteness, staying power, purposefulness, firmness of purpose, patience, endurance, application, diligence, sedulousness, dedication, commitment, doggedness, pertinacity, assiduity, assiduousness, steadfastness, tirelessness, indefatigability, stamina, intransigence, obstinacy, Sitzfleisch, stickability, stick-to-it-iveness, continuance, perseveration - *render*: /#text(font: IPAFont, fill: AccentColor)[ˈren.dər]/ give, provide, supply, furnish, make available, contribute, offer, extend, proffer, show, display, exhibit, evince, manifest, make, cause to be/become, leave - *repertoire*: /#text(font: IPAFont, fill: AccentColor)[ˈrep.ə.twɑːr]/ collection, stock, range, repertory, reserve, store, repository, supply, stockpile - *resilient*: /#text(font: IPAFont, fill: AccentColor)[rɪˈzɪl.i.ənt]/ strong, tough, hardy, quick to recover, quick to bounce back, buoyant, difficult to keep down, irrepressible, adaptable, flexible - *resolute*: /#text(font: IPAFont, fill: AccentColor)[ˈrez.ə.luːt]/ determined, purposeful, purposive, resolved, decided, adamant, single-minded, firm, unswerving, unwavering, undaunted, fixed, set, intent, insistent, steadfast, staunch, stalwart, earnest, manful, deliberate, unfaltering, unhesitating, unflinching, persevering, persistent, pertinacious, indefatigable, tenacious, bulldog, strong-minded, strong-willed, unshakeable, unshaken, steely, four-square, dedicated, committed, constant, stubborn, dogged, obstinate, obdurate, inflexible, relentless, intransigent, implacable, unyielding, unbending, immovable, unrelenting, spirited, brave, bold, courageous, plucky, stout, stout-hearted, mettlesome, indomitable, strenuous, vigorous, gritty, stiff, rock-ribbed, gutsy, spunky, perseverant, indurate - *supple*: /#text(font: IPAFont, fill: AccentColor)[ˈsʌp.əl]/ lithe, limber, nimble, lissom, flexible, loose-limbed, loose-jointed, agile, acrobatic, fit, deft, willowy, graceful, elegant, pliant, pliable, soft, bendable, workable, malleable, stretchy, stretchable, elastic, springy, yielding, rubbery, plastic, resilient - *valour*: /#text(font: IPAFont, fill: AccentColor)[ˈvæl.ər]/ #pagebreak() = *Group 22* - *arresting*: /#text(font: IPAFont, fill: AccentColor)[əˈres.tɪŋ]/ striking, eye-catching, conspicuous, noticeable, dramatic, impressive, imposing, spectacular, breathtaking, dazzling, amazing, astounding, astonishing, surprising, staggering, stunning, sensational, awesome, awe-inspiring, engaging, remarkable, notable, noteworthy, distinctive, extraordinary, outstanding, incredible, phenomenal, unusual, rare, uncommon, out of the ordinary, amazeballs - *chastise*: /#text(font: IPAFont, fill: AccentColor)[tʃæsˈtaɪz]/ scold, upbraid, berate, reprimand, reprove, rebuke, admonish, chide, censure, castigate, lambast, lecture, criticize, pull up, take to task, haul over the coals, bring to book, tell off, give someone a telling-off, dress down, give someone a dressing-down, bawl out, blow up at, give someone an earful, give someone a caning, give someone a roasting, give someone a rocket, give someone a rollicking, slap someone's wrist, rap over the knuckles, throw the book at, read someone the Riot Act, let someone have it, give someone hell, carpet, monster, tear someone off a strip, tick off, have a go at, give someone a mouthful, give someone what for, give someone some stick, give someone a wigging, chew out, ream out, trim, rate, give someone a rating, chasten, recompense, visit, reprehend, objurgate - *cumbersome*: /#text(font: IPAFont, fill: AccentColor)[ˈkʌm.bə.səm]/ unwieldy, unmanageable, awkward, clumsy, ungainly, inconvenient, incommodious, bulky, large, heavy, hefty, weighty, burdensome, hulking, clunky, cumbrous, unhandy, lumbersome - *economy*: /#text(font: IPAFont, fill: AccentColor)[iˈkɒn.ə.mi]/ - *elementary*: /#text(font: IPAFont, fill: AccentColor)[ˌel.ɪˈmen.tər.i]/ easy, simple, straightforward, uncomplicated, undemanding, unexacting, effortless, painless, uninvolved, child's play, plain sailing, rudimentary, facile, simplistic, as easy as falling off a log, as easy as pie, as easy as ABC, a piece of cake, easy-peasy, no sweat, kids' stuff - *embellish*: /#text(font: IPAFont, fill: AccentColor)[ɪmˈbel.ɪʃ]/ decorate, adorn, ornament, dress, dress up, furnish, beautify, enhance, enrich, grace, trim, garnish, gild, varnish, brighten up, ginger up, deck, bedeck, festoon, emblazon, bespangle, do up, do out, jazz up, zhoosh (up), tart up, bejewel, bedizen, caparison, furbelow, befrill, elaborate, embroider, colour, expand on, exaggerate, dress up, touch up, gild, catastrophize - *euphoric*: /#text(font: IPAFont, fill: AccentColor)[juːˈfɒr.ɪk]/ elated, happy, joyful, joyous, delighted, gleeful, excited, exhilarated, animated, jubilant, exultant, ecstatic, blissful, enraptured, rapturous, rhapsodic, in rhapsodies, intoxicated, transported, on cloud nine, in heaven, in paradise, in seventh heaven, on top of the world, over the moon, on a high - *exonerate*: /#text(font: IPAFont, fill: AccentColor)[ɪɡˈzɒn.ə.reɪt]/ absolve, clear, acquit, declare innocent, find innocent, pronounce not guilty, discharge, vindicate, exculpate - *extrapolate*: /#text(font: IPAFont, fill: AccentColor)[ɪkˈstræp.ə.leɪt]/ - *falter*: /#text(font: IPAFont, fill: AccentColor)[ˈfɒl.tər]/ hesitate, delay, drag one's feet, stall, think twice, get cold feet, change one's mind, waver, oscillate, fluctuate, vacillate, be undecided, be indecisive, be irresolute, see-saw, yo-yo, haver, hum and haw, sit on the fence, dilly-dally, shilly-shally, pussyfoot around, blow hot and cold, tergiversate, stammer, stutter, stumble, speak haltingly, hesitate, pause, halt, splutter, flounder, blunder, fumble - *fervent*: /#text(font: IPAFont, fill: AccentColor)[ˈfɜː.vənt]/ impassioned, passionate, intense, vehement, ardent, fervid, sincere, feeling, profound, deep-seated, heartfelt, deeply felt, emotional, animated, spirited, enthusiastic, zealous, fanatical, wholehearted, avid, eager, earnest, keen, committed, dedicated, devout, mad keen, card-carrying, true blue, keen as mustard, perfervid, passional - *foment*: /#text(font: IPAFont, fill: AccentColor)[fəʊˈment]/ instigate, incite, provoke, agitate, excite, stir up, whip up, arouse, inspire, encourage, urge, actuate, initiate, generate, cause, prompt, start, bring about, kindle, spark off, trigger off, touch off, fan the flames of, enkindle, effectuate - *gaffe*: /#text(font: IPAFont, fill: AccentColor)[ɡæf]/ blunder, mistake, error, slip, indiscretion, impropriety, breach of etiquette, miscalculation, gaucherie, solecism, faux pas, lapsus linguae, lapsus calami, slip-up, howler, boo-boo, boner, botch, fluff, fail, boob, bloomer, clanger, blooper, bloop, goof, floater - *heterodox*: /#text(font: IPAFont, fill: AccentColor)[ˈhet.ər.ə.dɒks]/ unorthodox, heretical, dissenting, dissident, blasphemous, nonconformist, apostate, freethinking, iconoclastic, schismatic, rebellious, renegade, separatist, sectarian, revisionist, sceptical, agnostic, atheistical, non-theistic, non-believing, unbelieving, idolatrous, pagan, heathen, impious, paynim, recreant, recusant, nullifidian - *histrionic*: /#text(font: IPAFont, fill: AccentColor)[ˌhɪs.triˈɒn.ɪk]/ melodramatic, theatrical, affected, dramatic, exaggerated, actorly, actressy, stagy, showy, artificial, overacted, overdone, unnatural, mannered, stilted, unreal, hammy, ham, camp - *implicit*: /#text(font: IPAFont, fill: AccentColor)[ɪmˈplɪs.ɪt]/ implied, indirect, inferred, understood, hinted, suggested, deducible, unspoken, unexpressed, undeclared, unstated, unsaid, tacit, unacknowledged, silent, taken for granted, taken as read, assumed, inherent, latent, underlying, inbuilt, incorporated, fundamental - *inviolate*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈvaɪə.lət]/ untouched, undamaged, unhurt, unharmed, unscathed, unmarred, unspoiled, unimpaired, unflawed, unsullied, unstained, undefiled, unpolluted, unprofaned, perfect, pristine, pure, virgin, intact, unbroken, whole, entire, complete, sound, solid, scatheless - *liability*: /#text(font: IPAFont, fill: AccentColor)[ˌlaɪ.əˈbɪl.ə.ti]/ accountability, responsibility, legal responsibility, answerability, incrimination, blame, blameworthiness, culpability, guilt, onus, fault, the rap - *obstinate*: /#text(font: IPAFont, fill: AccentColor)[ˈɒb.stɪ.nət]/ stubborn, headstrong, wilful, unyielding, inflexible, unbending, intransigent, intractable, obdurate, mulish, stubborn as a mule, pig-headed, bull-headed, self-willed, strong-minded, strong-willed, contrary, perverse, recalcitrant, refractory, uncooperative, unmanageable, cross-grained, stiff-necked, stiff, rigid, steely, iron-willed, uncompromising, implacable, relentless, unrelenting, unpersuadable, immovable, unmalleable, unshakeable, inexorable, with one's toes/feet dug in, persistent, persevering, tenacious, pertinacious, dogged, single-minded, adamant, firm, steadfast, determined, bloody-minded, bolshie, stroppy, balky, froward, contumacious, contrarious, indurate - *painstaking*: /#text(font: IPAFont, fill: AccentColor)[ˈpeɪnzˌteɪ.kɪŋ]/ careful, meticulous, thorough, assiduous, sedulous, attentive, diligent, industrious, laborious, hard-working, conscientious, ultra-careful, punctilious, scrupulous, demanding, exacting, searching, close, elaborate, minute, accurate, correct, studious, rigorous, particular, religious, strict, pedantic, fussy - *phlegmatic*: /#text(font: IPAFont, fill: AccentColor)[fleɡˈmæt.ɪk]/ self-controlled, calm, cool, composed, and collected, cool-headed, controlled, serene, tranquil, placid, impassive, self-possessed, self-confident, self-assured, stolid, imperturbable, unruffled, poised, level-headed, dispassionate, philosophical, unflappable, equanimous - *prodigious*: /#text(font: IPAFont, fill: AccentColor)[prəˈdɪdʒ.əs]/ enormous, huge, colossal, immense, vast, great, massive, gigantic, mammoth, tremendous, considerable, substantial, large, sizeable, inordinate, monumental, mighty, gargantuan, amazing, astonishing, astounding, staggering, stunning, marvellous, remarkable, wonderful, phenomenal, terrific, miraculous, impressive, striking, startling, sensational, spectacular, extraordinary, exceptional, breathtaking, incredible, unbelievable, unusual, humongous, stupendous, fantastic, fabulous, fantabulous, mind-boggling, mind-blowing, flabbergasting, mega, awesome, ginormous, wondrous - *propensity*: /#text(font: IPAFont, fill: AccentColor)[prəˈpen.sə.ti]/ tendency, inclination, predisposition, proneness, proclivity, readiness, susceptibility, liability, disposition, aptness, penchant, leaning, predilection, bent, habit, weakness - *qualm*: /#text(font: IPAFont, fill: AccentColor)[kwɑːm]/ misgiving, doubt, reservation, second thought, worry, concern, anxiety, hesitation, hesitance, hesitancy, demur, reluctance, disinclination, apprehension, trepidation, disquiet, disquietude, unease, uneasiness, scruple, pang of conscience, twinge of conscience/remorse, compunction, remorse - *renege*: /#text(font: IPAFont, fill: AccentColor)[rɪˈneɪɡ]/ default on, fail to honour, go back on, break, back out of, pull out of, withdraw from, retreat from, welsh on, backtrack on, repudiate, retract, go back on one's word, break one's word, break one's promise, do an about-face, cop out of, rat on - *stinting*: /#text(font: IPAFont, fill: AccentColor)[stɪnt]/ skimp on, scrimp on, be economical with, economize on, be sparing with, hold back on, be frugal with, be mean with, be parsimonious with, limit, restrict, pinch pennies, be stingy with, be mingy with, be tight-fisted with, be tight with - *temper*: /#text(font: IPAFont, fill: AccentColor)[ˈtem.pər]/ temperament, disposition, nature, character, personality, make-up, constitution, mind, spirit, stamp, mettle, mould, mood, frame of mind, cast of mind, habit of mind, attitude, humour, grain, moderate, modify, modulate, tone down, mitigate, palliate, alleviate, allay, assuage, lessen, reduce, weaken, lighten, soften, cushion, qualify - *tentative*: /#text(font: IPAFont, fill: AccentColor)[ˈten.tə.tɪv]/ provisional, unconfirmed, unsettled, indefinite, pencilled in, preliminary, to be confirmed, TBC, subject to confirmation, speculative, conjectural, untried, unproven, unsubstantiated, exploratory, experimental, trial, test, pilot, provisory, provisionary - *unprecedented*: /#text(font: IPAFont, fill: AccentColor)[ʌnˈpres.ɪ.den.tɪd]/ unparalleled, unequalled, unmatched, unrivalled, without parallel, without equal, extraordinary, uncommon, out of the ordinary, unusual, outstanding, striking, exceptional, prodigious, abnormal, singular, remarkable, unique, anomalous, atypical, untypical, freakish, unheard of, unknown, novel, original, new, groundbreaking, revolutionary, pioneering, one of a kind, unexampled - *vivacious*: /#text(font: IPAFont, fill: AccentColor)[vɪˈveɪ.ʃəs]/ lively, animated, full of life, spirited, high-spirited, effervescent, bubbling, bubbly, ebullient, buoyant, sparkling, scintillating, light-hearted, carefree, happy-go-lucky, jaunty, merry, happy, jolly, joyful, full of fun, full of the joys of spring, cheery, cheerful, perky, sunny, airy, breezy, bright, enthusiastic, irrepressible, vibrant, vivid, vital, zestful, energetic, dynamic, vigorous, full of vim and vigour, lusty, bright-eyed and bushy-tailed, bright and breezy, peppy, zingy, zippy, bouncy, upbeat, chirpy, full of beans, chipper, peart, gay #pagebreak() = *Group 23* - *allusive*: /#text(font: IPAFont, fill: AccentColor)[əˈluː.sɪv]/ - *astute*: /#text(font: IPAFont, fill: AccentColor)[əˈstʃuːt]/ shrewd, sharp, sharp-witted, razor-sharp, acute, quick, quick-witted, ingenious, clever, intelligent, bright, brilliant, smart, canny, media-savvy, intuitive, discerning, perceptive, perspicacious, penetrating, insightful, incisive, piercing, discriminating, sagacious, wise, judicious, cunning, artful, crafty, wily, calculating, on the ball, quick off the mark, quick on the uptake, brainy, streetwise, savvy, suss, pawky, heads-up, whip-smart, long-headed, argute, sapient - *commence*: /#text(font: IPAFont, fill: AccentColor)[kəˈmens]/ begin, start, start off, get down to business, get the ball rolling, get going, get under way, get off the ground, make a start on, set about, go about, enter on, embark on, launch into, lead off, get down to, set in motion, ring up the curtain on, open, initiate, institute, inaugurate, go ahead, get cracking on, get stuck into, kick off, get the show on the road, get weaving (on) - *convalescent*: /#text(font: IPAFont, fill: AccentColor)[ˌkɒn.vəˈles.ənt]/ recuperating, recovering, getting better, on the road to recovery, improving, making progress, on the mend - *curb*: /#text(font: IPAFont, fill: AccentColor)[kɜːb]/ restraint, restriction, check, brake, rein, control, limitation, limit, constraint, stricture, deterrent, damper, suppressant, retardant, crackdown, clampdown, trammel, restrain, hold back, keep back, hold in, repress, suppress, fight back, bite back, keep in check, check, control, keep under control, rein in, keep a tight rein on, contain, discipline, govern, bridle, tame, subdue, stifle, smother, swallow, choke back, muzzle, silence, muffle, strangle, gag, limit, put a limit on, keep within bounds, put the brakes on, slow down, retard, restrict, constrain, deter, impede, inhibit, freeze, peg, button up, keep a/the lid on, trammel - *decry*: /#text(font: IPAFont, fill: AccentColor)[dɪˈkraɪ]/ denounce, condemn, criticize, censure, damn, attack, fulminate against, rail against, inveigh against, blame, carp at, cavil at, run down, pillory, rap, lambast, deplore, disapprove of, vilify, execrate, revile, disparage, deprecate, discredit, derogate, cast aspersions on, slam, blast, knock, snipe at, do a hatchet job on, hold forth against, come down on, pull to pieces, tear to shreds, slate, excoriate, animadvert, asperse - *duress*: /#text(font: IPAFont, fill: AccentColor)[dʒuˈres]/ coercion, compulsion, force, pressure, pressurization, intimidation, threats, constraint, enforcement, exaction, arm-twisting - *evoke*: /#text(font: IPAFont, fill: AccentColor)[ɪˈvəʊk]/ bring to mind, call to mind, put one in mind of, call up, conjure up, summon up, summon, invoke, give rise to, bring forth, elicit, induce, kindle, stimulate, stir up, awaken, arouse, excite, raise, suggest, recall, echo, reproduce, encapsulate, capture, express, educe, bring to mind, call to mind, put one in mind of, call up, conjure up, summon up, summon, invoke, give rise to, bring forth, elicit, induce, kindle, stimulate, stir up, awaken, arouse, excite, raise, suggest, recall, echo, reproduce, encapsulate, capture, express, educe - *fawn*: /#text(font: IPAFont, fill: AccentColor)[fɔːn]/ beige, yellowish brown, pale brown, buff, sand, sandy, oatmeal, wheaten, biscuit, café au lait, camel, kasha, ecru, taupe, stone, stone-coloured, greige, greyish brown, mushroom, putty, neutral, natural, naturelle - *fret*: /#text(font: IPAFont, fill: AccentColor)[fret]/ worry, be anxious, feel uneasy, be distressed, be upset, upset oneself, concern oneself, feel unhappy, agonize, anguish, sorrow, sigh, pine, brood, mope, fuss, make a fuss, complain, grumble, whine, eat one's heart out, stew, feel peeved - *glib*: /#text(font: IPAFont, fill: AccentColor)[ɡlɪb]/ slick, pat, neat, plausible, silky, smooth-talking, fast-talking, smooth, urbane, smooth-tongued, silver-tongued, smooth-spoken, fluent, voluble, loquacious, disingenuous, insincere, facile, shallow, superficial, simplistic, oversimplified, easy, ready, flippant, flip, sweet-talking, with the gift of the gab - *headstrong*: /#text(font: IPAFont, fill: AccentColor)[ˈhed.strɒŋ]/ wilful, self-willed, strong-willed, contrary, perverse, wayward, unruly, refractory, ungovernable, unyielding, stubborn, obstinate, obdurate, reckless, heedless, rash, capricious, impulsive, wild - *intermittent*: /#text(font: IPAFont, fill: AccentColor)[ˌɪn.təˈmɪt.ənt]/ sporadic, irregular, fitful, spasmodic, broken, fragmentary, discontinuous, disconnected, isolated, odd, random, patchy, scattered, on again and off again, on and off, in fits and starts, occasional, periodic, cyclic, recurrent, recurring - *ire*: /#text(font: IPAFont, fill: AccentColor)[aɪər]/ anger, rage, fury, wrath, hot temper, outrage, temper, crossness, spleen, annoyance, exasperation, irritation, vexation, displeasure, chagrin, pique, indignation, resentment, choler - *languid*: /#text(font: IPAFont, fill: AccentColor)[ˈlæŋ.ɡwɪd]/ relaxed, unhurried, languorous, unenergetic, lacking in energy, slow, slow-moving, listless, lethargic, phlegmatic, torpid, sluggish, lazy, idle, slothful, inactive, indolent, lackadaisical, apathetic, indifferent, uninterested, impassive, laid back, otiose, pococurante, Laodicean - *lull*: /#text(font: IPAFont, fill: AccentColor)[lʌl]/ soothe, quiet, hush, lullaby, rock to sleep - *mettlesome*: ˈæv.əl.ɑːntʃ/#text(font: IPAFont, fill: AccentColor)[]/ spirited, game, gritty, intrepid, fearless, courageous, hardy, brave, plucky, gallant, valiant, valorous, bold, daring, audacious, heroic, tenacious, steely, determined, resolved, resolute, steadfast, indomitable - *mollify*: /#text(font: IPAFont, fill: AccentColor)[ˈmɒl.ɪ.faɪ]/ appease, placate, pacify, conciliate, humour, soothe, calm, calm down, still, propitiate, quieten, quiet, square someone off - *neutralize*: /#text(font: IPAFont, fill: AccentColor)[ˈnjuː.trə.laɪz]/ counteract, offset, counterbalance, balance (out), counterpoise, countervail, compensate for, make up for, cancel out, make/render ineffective, nullify, negate, annul, undo, invalidate, be an antidote to, wipe out, equalize, even up, square up, negative, counterweigh - *nonplussed*: /#text(font: IPAFont, fill: AccentColor)[ˌnɒnˈplʌst]/ confused, bewildered, bemused, puzzled, perplexed, baffled, stumped, mystified, stupefied, muddled, befuddled, fuddled, dumbfounded, at sea, at a loss, at sixes and sevens, thrown (off balance), taken aback, disoriented, disconcerted, discomposed, troubled, discomfited, unnerved, shaken, shaken up, dazed, stunned, surprised, astonished, astounded, flummoxed, bamboozled, discombobulated, clueless, fazed, floored, foxed, bushed, wildered, mazed, distracted - *precipitous*: /#text(font: IPAFont, fill: AccentColor)[prɪˈsɪp.ɪ.təs]/ steep, sheer, high, perpendicular, abrupt, sharp, dizzy, vertiginous, vertical, bluff, acclivitous, declivitous, hasty, overhasty, rash, hurried, rushed, impetuous, impulsive, spur-of-the-moment, precipitate, incautious, imprudent, injudicious, ill-advised, heedless, reckless, hare-brained, foolhardy, harum-scarum, previous, temerarious - *pretentious*: /#text(font: IPAFont, fill: AccentColor)[prɪˈten.ʃəs]/ affected, ostentatious, chi-chi, showy, flashy, tinselly, conspicuous, flaunty, tasteless, kitschy, overambitious, pompous, artificial, flatulent, inflated, overblown, overripe, fustian, hyperventilated, mannered, high-flown, high-sounding, flowery, grandiose, big, grand, elaborate, extravagant, heroic, flamboyant, ornate, grandiloquent, magniloquent, bombastic, turgid, orotund, rhetorical, oratorical, sophomoric, highfalutin, la-di-da, fancy-pants, posey, pseud, pseudo, poncy, toffee-nosed, dicty - *profound*: /#text(font: IPAFont, fill: AccentColor)[prəˈfaʊnd]/ heartfelt, intense, keen, great, very great, extreme, sincere, earnest, deep, deepest, deeply felt, wholehearted, acute, overpowering, overwhelming, deep-seated, deep-rooted, fervent, ardent, far-reaching, radical, extensive, exhaustive, thoroughgoing, sweeping, life-changing - *propagate*: /#text(font: IPAFont, fill: AccentColor)[ˈprɒp.ə.ɡeɪt]/ breed, grow, cultivate, generate, layer, pipe, spread, disseminate, communicate, pass on, put about, make known, promulgate, circulate, transmit, distribute, broadcast, publish, publicize, proclaim, preach, promote, propagandize - *recourse*: /#text(font: IPAFont, fill: AccentColor)[rɪˈkɔːs]/ option, possibility, alternative, possible course of action, resort, way out, place/person to turn to, source of assistance, available resource, hope, remedy, choice, expedient, refuge, resort to, make use of, use, avail oneself of, utilize, employ, turn to, call on, draw on, bring into play, bring into service, look to, appeal to, fall back on, run to - *refute*: /#text(font: IPAFont, fill: AccentColor)[rɪˈfjuːt]/ disprove, prove wrong/false, show/prove to be wrong/false, rebut, confute, give the lie to, demolish, explode, debunk, discredit, invalidate, shoot full of holes, shoot down (in flames), blow sky-high, controvert, negative - *regress*: /#text(font: IPAFont, fill: AccentColor)[rɪˈɡres]/ revert, retrogress, relapse, lapse, backslide, go backwards, slip back, drift back, subside, sink back, deteriorate, decline, worsen, degenerate, get worse, fall, fall off, fall away, drop, ebb, wane, slump, go downhill, go to pot, go to the dogs, recidivate, retrograde - *repercussion*: /#text(font: IPAFont, fill: AccentColor)[ˌriː.pəˈkʌʃ.ən]/ consequence, result, effect, outcome, by-product, reverberation, backlash, ripple, shock wave, aftermath, footprint, fallout - *replenish*: /#text(font: IPAFont, fill: AccentColor)[rɪˈplen.ɪʃ]/ refill, fill up, recharge, reload, top up, freshen, plenish - *vigilant*: /#text(font: IPAFont, fill: AccentColor)[ˈvɪdʒ.əl.ənt]/ watchful, on the lookout, observant, sharp-eyed, keen-eyed, gimlet-eyed, eagle-eyed, hawk-eyed, with eyes like a hawk, with one's eyes open, attentive, paying attention, alert, on the alert, on one's toes, on the qui vive, awake, wide awake, unsleeping, on one's guard, on guard, concentrating, careful, cautious, wary, chary, circumspect, prudent, heedful, mindful, prepared, ready, beady-eyed, not missing a trick, on the ball, leery, regardful, Argus-eyed #pagebreak() = *Group 24* - *assail*: /#text(font: IPAFont, fill: AccentColor)[əˈseɪl]/ attack, assault, make an assault on, launch an attack on, pounce on, set upon, launch oneself at, weigh into, fly at, let fly at, turn on, round on, lash out at, hit out at, beset, belabour, fall on, accost, mug, charge, rush, storm, besiege, lay into, tear into, lace into, sail into, pitch into, get stuck into, wade into, let someone have it, beat up, jump, set about, have a go at, light into, trouble, disturb, worry, plague, beset, torture, torment, rack, bedevil, nag, vex, harass, pester, dog, be prey to, be the victim of, criticize, censure, attack, condemn, castigate, chastise, berate, lambast, lash, pillory, find fault with, abuse, revile, give someone a bad press, knock, slam, hammer, lay into, give someone a roasting, cane, blast, give someone hell, bite someone's head off, jump down someone's throat, slate, slag off, monster, pummel, cut up, bag, rate, slash, excoriate, objurgate, reprehend - *benevolent*: /#text(font: IPAFont, fill: AccentColor)[bəˈnev.əl.ənt]/ kind, kindly, kind-hearted, warm-hearted, tender-hearted, big-hearted, good-natured, good, gracious, tolerant, benign, compassionate, caring, sympathetic, considerate, thoughtful, well meaning, obliging, accommodating, helpful, decent, neighbourly, public-spirited, charitable, altruistic, humane, humanitarian, philanthropic, generous, magnanimous, munificent, unselfish, ungrudging, unstinting, open-handed, free-handed, free, liberal, lavish, bountiful, beneficent, indulgent, bounteous, benignant - *berate*: /#text(font: IPAFont, fill: AccentColor)[bɪˈreɪt]/ rebuke, reprimand, reproach, reprove, admonish, remonstrate with, chastise, chide, upbraid, take to task, pull up, castigate, lambast, read someone the Riot Act, go on at, haul over the coals, criticize, censure, tell off, give someone a talking-to, give someone a telling-off, dress down, give someone a dressing-down, give someone an earful, give someone a roasting, give someone a rocket, give someone a rollicking, rap, rap over the knuckles, slap someone's wrist, let someone have it, bawl out, give someone hell, come down on, blow up at, pitch into, lay into, lace into, tear into, give someone a caning, put on the mat, slap down, blast, rag, keelhaul, tick off, have a go at, monster, carpet, give someone a carpeting, give someone a mouthful, tear someone off a strip, tear a strip off someone, give someone what for, give someone some stick, wig, give someone a wigging, give someone a row, row, chew out, ream out, take to the woodshed, call down, rate, give someone a rating, trim, reprehend, objurgate - *buoyant*: /#text(font: IPAFont, fill: AccentColor)[ˈbɔɪ.ənt]/ able to float, light, floating, floatable - *buttress*: /#text(font: IPAFont, fill: AccentColor)[ˈbʌt.rəs]/ prop, support, abutment, shore, pier, reinforcement, stanchion, stay, strut, strengthen, reinforce, fortify, support, prop up, bolster up, shore up, underpin, cement, brace, uphold, confirm, defend, maintain, back up, buoy up - *condone*: /#text(font: IPAFont, fill: AccentColor)[kənˈdəʊn]/ deliberately ignore, not take into consideration, disregard, take no notice of, take no account of, accept, allow, make allowances for, let pass, turn a blind eye to, overlook, forget, wink at, blink at, connive at, forgive, pardon, excuse, let someone off with, let go, sink, bury, let bygones be bygones, let something ride - *contravene*: /#text(font: IPAFont, fill: AccentColor)[ˌkɒn.trəˈviːn]/ break, breach, fail to comply with, fail to observe, violate, infringe, offend against, transgress against, defy, disobey, flout, infract - *denounce*: /#text(font: IPAFont, fill: AccentColor)[dɪˈnaʊns]/ condemn, criticize, attack, censure, castigate, decry, revile, vilify, besmirch, discredit, damn, reject, proscribe, find fault with, cast aspersions on, malign, pour scorn on, rail against, inveigh against, fulminate against, declaim against, give something a bad press, run something down, slur, bad-mouth, knock, pan, slam, hammer, blast, hit out at, lay into, lace into, pull to pieces, pull apart, savage, maul, slate, slag off, have a go at, give some stick to, rate, slash, reprobate, vituperate, excoriate, arraign, objurgate, asperse, anathematize, animadvert on, denunciate - *despotic*: /#text(font: IPAFont, fill: AccentColor)[dɪˈspɒt.ɪk]/ autocratic, dictatorial, totalitarian, authoritarian, absolute, absolutist, arbitrary, unconstitutional, undemocratic, anti-democratic, uncontrolled, unaccountable, summary, one-party, single-party, autarchic, monocratic, tyrannical, oppressive, tyrannous, repressive, harsh, ruthless, merciless, draconian, illiberal, domineering, imperious, arrogant, high-handed - *deviate*: /#text(font: IPAFont, fill: AccentColor)[ˈdiː.vi.eɪt]/ diverge, digress, drift, stray, slew, veer, swerve, turn away, turn aside, get sidetracked, branch off, differ, vary, change, depart, be different, be at variance with, run counter to, contrast with, contravene, contradict, divagate - *disinterested*: /#text(font: IPAFont, fill: AccentColor)[dɪˈsɪn.tres.tɪd]/ unbiased, unprejudiced, impartial, neutral, non-partisan, non-discriminatory, detached, uninvolved, objective, dispassionate, impersonal, clinical, open-minded, fair, just, equitable, balanced, even-handed, unselfish, selfless, free from discrimination, with no axe to grind, without fear or favour - *escalate*: /#text(font: IPAFont, fill: AccentColor)[ˈes.kə.leɪt]/ increase rapidly, soar, rocket, shoot up, mount, surge, spiral, grow rapidly, rise rapidly, climb, go up, be jacked up, go through the ceiling, go through the roof, skyrocket, balloon - *exorcise*: /#text(font: IPAFont, fill: AccentColor)[ˈek.sɔː.saɪz]/ drive out, cast out, expel, rid, deliver, free, purify, cleanse, purge, lustrate - *finicky*: /#text(font: IPAFont, fill: AccentColor)[ˈfɪn.ɪ.ki]/ fussy, fastidious, punctilious, over-particular, hard to please, overcritical, difficult, awkward, exacting, demanding, perfectionist, pass-remarkable, picky, choosy, pernickety, persnickety, nice - *foil*: /#text(font: IPAFont, fill: AccentColor)[fɔɪl]/ thwart, frustrate, counter, oppose, balk, disappoint, impede, obstruct, hamper, hinder, snooker, cripple, scotch, derail, smash, dash, stop, check, block, prevent, defeat, nip in the bud, mess up, screw up, do for, put paid to, stymie, cook someone's goose, scupper, nobble, put the mockers on, traverse - *intertwined*: /#text(font: IPAFont, fill: AccentColor)[ˌɪn·tərˈtwɑɪnd]/ entwine, interweave, interlace, interthread, interwind, intertwist, twist, coil, twirl, ravel, lace, braid, plait, knit, convolute - *inundate*: /#text(font: IPAFont, fill: AccentColor)[ˈɪn.ʌn.deɪt]/ overwhelm, overpower, overburden, overrun, overload, swamp, bog down, besiege, snow under, bury, bombard, glut, flood, deluge, overflow, overrun, swamp, submerge, engulf, drown, immerse, cover, saturate, soak, drench - *ironclad*: /#text(font: IPAFont, fill: AccentColor)[ˈaɪən.klæd]/ - *jeopardize*: /#text(font: IPAFont, fill: AccentColor)[ˈdʒep.ə.daɪz]/ threaten, endanger, imperil, menace, risk, put at risk, expose to risk, put in danger, expose to danger, put in jeopardy, put on the line, leave vulnerable, leave unprotected, compromise, prejudice, be prejudicial to, be a danger to, pose a threat to, damage, injure, harm, do harm to, be detrimental to, peril - *mercurial*: /#text(font: IPAFont, fill: AccentColor)[mɜːˈkjʊə.ri.əl]/ volatile, capricious, temperamental, excitable, fickle, changeable, unpredictable, variable, protean, mutable, erratic, quicksilver, inconstant, inconsistent, unstable, unsteady, fluctuating, ever-changing, kaleidoscopic, fluid, wavering, vacillating, moody, flighty, wayward, whimsical, giddy, impulsive, labile - *oblivious*: /#text(font: IPAFont, fill: AccentColor)[əˈblɪv.i.əs]/ unaware, unconscious, heedless, unmindful, insensible, unheeding, ignorant, blind, deaf, unsuspecting, unobservant, disregardful, unconcerned, impervious, unaffected, insensitive, indifferent, detached, removed, incognizant - *perpetrate*: /#text(font: IPAFont, fill: AccentColor)[ˈpɜː.pə.treɪt]/ commit, carry out, perform, execute, do, effect, bring about, be guilty of, be to blame for, be responsible for, accomplish, inflict, wreak, pull off, pull, effectuate - *plaintive*: /#text(font: IPAFont, fill: AccentColor)[ˈpleɪn.tɪv]/ mournful, sad, wistful, doleful, pathetic, pitiful, piteous, melancholy, melancholic, sorrowful, unhappy, wretched, woeful, grief-stricken, broken-hearted, heartbroken, desolate, heart-rending, forlorn, woebegone, disconsolate, plangent, heartsick, dolorous - *poignant*: /#text(font: IPAFont, fill: AccentColor)[ˈpɔɪ.njənt]/ touching, moving, sad, saddening, affecting, pitiful, piteous, pitiable, pathetic, sorrowful, mournful, tearful, wretched, miserable, bitter, painful, distressing, disturbing, heart-rending, heartbreaking, tear-jerking, plaintive, upsetting, tragic - *quiescent*: /#text(font: IPAFont, fill: AccentColor)[kwiˈes.ənt]/ inactive, inert, latent, fallow, passive, idle, at rest, inoperative, deactivated, in abeyance, quiet, still, motionless, immobile, stagnant, dormant, asleep, slumbering, sluggish, lethargic, torpid - *reiterate*: /#text(font: IPAFont, fill: AccentColor)[riˈɪt.ər.eɪt]/ repeat, say again, restate, retell, recapitulate, go over (and over), iterate, rehearse, belabour, dwell on, harp on, hammer away at, do over, ingeminate - *subside*: /#text(font: IPAFont, fill: AccentColor)[səbˈsaɪd]/ abate, let up, moderate, calm, lull, slacken (off), ease (up), relent, die down, die out, peter out, taper off, recede, lessen, soften, alleviate, attenuate, remit, diminish, decline, dwindle, weaken, fade, wane, ebb, still, cease, come to a stop, come to an end, terminate, quieten down, quiet down - *subsume*: /#text(font: IPAFont, fill: AccentColor)[səbˈsjuːm]/ - *surmount*: /#text(font: IPAFont, fill: AccentColor)[səˈmaʊnt]/ overcome, conquer, get over, prevail over, triumph over, get the better of, beat, vanquish, master, clear, cross, make one's way round/past/over, make it round/past/over, pass over, be unstoppable by, deal with, cope with, resist, endure - *tangential*: /#text(font: IPAFont, fill: AccentColor)[tænˈdʒen.ʃəl]/ #pagebreak() = *Group 25* - *adept*: /#text(font: IPAFont, fill: AccentColor)[əˈdept]/ expert, proficient, accomplished, skilful, talented, gifted, masterly, virtuoso, consummate, peerless, adroit, dexterous, deft, nimble-fingered, handy, artful, able, capable, competent, brilliant, very good, splendid, marvellous, formidable, outstanding, first-rate, first-class, excellent, impressive, fine, great, top-notch, top-drawer, top-hole, tip-top, A1, wizard, magic, ace, fab, mean, crack, nifty, deadly, slick, brill, smashing, a dab hand at, crackerjack, badass, compleat, habile - *adverse*: /#text(font: IPAFont, fill: AccentColor)[ˈæd.vɜːs]/ unfavourable, disadvantageous, inauspicious, unpropitious, unfortunate, unlucky, untimely, untoward, disagreeable, unpleasant, bad, poor, terrible, dreadful, dire, wretched, nasty, hostile, harmful, dangerous, injurious, detrimental, hurtful, deleterious, destructive, pernicious, unhealthy, antagonistic, unfriendly, ill-disposed, negative, opposing, opposed, contrary, dissenting, inimical, antipathetic, at odds - *appropriate*: /#text(font: IPAFont, fill: AccentColor)[əˈprəʊ.pri.ət]/ suitable, proper, fitting, apt, relevant, connected, pertinent, apposite, applicable, germane, material, significant, right, congruous, to the point, to the purpose, convenient, expedient, favourable, auspicious, propitious, opportune, felicitous, timely, well judged, well timed, seemly, befitting, deserved, ad rem, appurtenant, meet, seasonable - *archetype*: /#text(font: IPAFont, fill: AccentColor)[ˈɑː.kɪ.taɪp]/ - *articulate*: /#text(font: IPAFont, fill: AccentColor)[ɑːˈtɪk.jə.lət]/ eloquent, fluent, communicative, effective, persuasive, coherent, lucid, vivid, expressive, silver-tongued, vocal, cogent, illuminating, intelligible, comprehensible, understandable - *auspicious*: /#text(font: IPAFont, fill: AccentColor)[ɔːˈspɪʃ.əs]/ favourable, propitious, promising, full of promise, bright, rosy, good, optimistic, hopeful, encouraging, opportune, timely, well timed, lucky, fortunate, providential, felicitous, advantageous, beneficial - *bereft*: /#text(font: IPAFont, fill: AccentColor)[bɪˈreft]/ deprived of, robbed of, stripped of, denuded of, cut off from, parted from, devoid of, destitute of, bankrupt of, wanting, in need of, lacking, without, free from, low on, short of, deficient in, minus, sans, clean out of, fresh out of - *captious*: /#text(font: IPAFont, fill: AccentColor)[ˈkæp.ʃəs]/ critical, fault-finding, quibbling, niggling, cavilling, carping, criticizing, disapproving, censorious, judgemental, overcritical, hypercritical, pedantic, hair-splitting, pettifogging, pass-remarkable, nitpicking, pernickety, persnickety - *conclusive*: /#text(font: IPAFont, fill: AccentColor)[kənˈkluː.sɪv]/ incontrovertible, incontestable, irrefutable, unquestionable, undeniable, indisputable, unassailable, beyond dispute, beyond question, beyond doubt, beyond a shadow of a doubt, certain, decisive, convincing, clinching, definitive, definite, positive, final, ultimate, categorical, demonstrative, unequivocal, unarguable, unanswerable, uncontroversial, airtight, watertight - *conspire*: /#text(font: IPAFont, fill: AccentColor)[kənˈspaɪər]/ plot, hatch a plot, form a conspiracy, scheme, plan, lay plans, intrigue, collude, connive, collaborate, consort, machinate, manoeuvre, be/work hand in glove, abet, be an accessory, be in cahoots, cabal, act together, work together, combine, join, unite, ally, join forces, cooperate, gang up, coact - *delineate*: /#text(font: IPAFont, fill: AccentColor)[dɪˈlɪn.i.eɪt]/ describe, set forth, set out, present, outline, depict, portray, represent, characterize, map out, chart, define, detail, specify, identify, particularize, limn, outline, trace, draw the lines of, draw, sketch, block in, mark (out/off), delimit, mark the boundaries/limits of - *disentangle*: /#text(font: IPAFont, fill: AccentColor)[ˌdɪs.ɪnˈtæŋ.ɡəl]/ extricate, extract, free, remove, disengage, untwine, disentwine, release, liberate, loosen, unloose, detach, unfasten, unclasp, disconnect, untangle, unravel, remove the knots from, unknot, unsnarl, untwist, unwind, undo, untie, straighten out, smooth out, comb, card - *exhort*: /#text(font: IPAFont, fill: AccentColor)[ɪɡˈzɔːt]/ urge, encourage, call on, enjoin, adjure, charge, try to persuade, press, pressure, put pressure on, use pressure on, pressurize, lean on, push, egg on, spur, incite, goad, bid, appeal to, entreat, implore, beseech, advise, counsel, admonish, warn - *frailty*: /#text(font: IPAFont, fill: AccentColor)[ˈfreɪl.ti]/ infirmity, infirmness, weakness, weakliness, feebleness, enfeeblement, debility, incapacity, impairment, indisposition, fragility, delicacy, slightness, puniness, illness, sickness, sickliness, ill health, decrepitude, dodderiness, shakiness, weediness - *grievance*: /#text(font: IPAFont, fill: AccentColor)[ˈɡriː.vəns]/ injustice, unjust act, wrong, injury, ill, offence, disservice, unfairness, evil, outrage, atrocity, damage, affront, insult, indignity, complaint, criticism, objection, protestation, charge, protest, grumble, moan, cavil, quibble, problem, grudge, ill feeling, hard feeling, bad feeling, resentment, bitterness, rancour, pique, umbrage, grouse, gripe, grouch, niggle, beef, bone to pick, chip on one's shoulder, whinge, crow to pluck, plaint - *harangue*: /#text(font: IPAFont, fill: AccentColor)[həˈræŋ]/ tirade, lecture, diatribe, homily, polemic, rant, fulmination, broadside, verbal attack, verbal onslaught, invective, criticism, berating, censure, admonition, reproval, admonishment, exhortation, declamation, oration, peroration, speech, talk, address, sermon, tongue-lashing, spiel, pep talk, philippic, obloquy - *ploy*: /#text(font: IPAFont, fill: AccentColor)[plɔɪ]/ ruse, tactic, move, device, stratagem, scheme, trick, gambit, cunning plan, manoeuvre, contrivance, expedient, dodge, subterfuge, game, wile, wheeze, shift - *poise*: /#text(font: IPAFont, fill: AccentColor)[pɔɪz]/ balance, equilibrium, control, grace, gracefulness, presence, balance, hold (oneself) steady, steady oneself, be suspended, hang suspended, remain motionless, hang in mid-air, hang, hover - *pomposity*: /#text(font: IPAFont, fill: AccentColor)[pɒmˈpɒs.ə.ti]/ self-importance, imperiousness, pompousness, sententiousness, grandiosity, affectation, stiffness, airs, pretentiousness, pretension, arrogance, vanity, haughtiness, pride, conceit, egotism, superciliousness, condescension, affectedness, snootiness, uppishness, uppitiness, bombast, loftiness, turgidity, grandiloquence, magniloquence, ornateness, portentousness, pedantry, boastfulness, boasting, bragging, sonorousness, windiness, fustian, euphuism, orotundity - *proxy*: /#text(font: IPAFont, fill: AccentColor)[ˈprɒk.si]/ - *relent*: /#text(font: IPAFont, fill: AccentColor)[rɪˈlent]/ change one's mind, do a U-turn, back-pedal, back down, give way, give in, capitulate, yield, accede, come round, acquiesce, soften, melt, weaken, unbend, become merciful, become lenient, have/show pity, have/show mercy, give quarter, agree to something, allow something, concede something, admit something, do an about-turn - *rhetoric*: /#text(font: IPAFont, fill: AccentColor)[ˈret.ər.ɪk]/ oratory, eloquence, power of speech, command of language, expression, way with words, delivery, diction, bombast, loftiness, turgidity, grandiloquence, magniloquence, ornateness, portentousness, pomposity, boastfulness, boasting, bragging, heroics, hyperbole, extravagant language, purple prose, pompousness, sonorousness, windiness, wordiness, verbosity, prolixity, hot air, tumidity, fustian, euphuism, orotundity - *rigour*: /#text(font: IPAFont, fill: AccentColor)[ˈrɪɡ.ər]/ meticulousness, thoroughness, carefulness, attention to detail, diligence, scrupulousness, exactness, exactitude, precision, accuracy, correctness, strictness, punctiliousness, conscientiousness, nicety - *sparse*: /#text(font: IPAFont, fill: AccentColor)[spɑːs]/ scanty, scant, scattered, thinly distributed, scarce, infrequent, sporadic, few and far between, meagre, paltry, skimpy, limited, in short supply, at a premium, hard to come by, slight, thin - *steadfast*: /#text(font: IPAFont, fill: AccentColor)[ˈsted.fɑːst]/ loyal, faithful, committed, devoted, dedicated, dependable, reliable, steady, true, constant, staunch, trusty, firm, determined, resolute, stalwart, stout, relentless, implacable, single-minded, unchanging, unwavering, unhesitating, unfaltering, unswerving, unyielding, unflinching, inflexible, uncompromising - *suspect*: /#text(font: IPAFont, fill: AccentColor)[səˈspekt]/ have a suspicion, have a feeling, feel, be inclined to think, fancy, reckon, guess, surmise, conjecture, think, think it probable/likely, have a sneaking feeling, have a hunch, be of the opinion, suppose, conclude, expect, presume, consider, deduce, infer, glean, sense, imagine, be afraid, fear, have a foreboding, opine - *tedious*: /#text(font: IPAFont, fill: AccentColor)[ˈtiː.di.əs]/ boring, monotonous, dull, deadly dull, uninteresting, unexciting, unvaried, unvarying, lacking variety, mind-numbing, mindless, soul-destroying, soulless, humdrum, dreary, ho-hum, mundane, wearisome, wearying, tiresome, soporific, dry, as dry as dust, arid, lifeless, colourless, monochrome, uninspired, uninspiring, flat, plodding, slow, banal, vapid, insipid, bland, lacklustre, prosaic, run-of-the-mill, pedestrian, jejune, leaden, heavy, long-drawn-out, overlong, long-winded, prolix, laborious, ponderous, endless, interminable, mechanical, routine, dreich, deadly, draggy, samey, dullsville - *vitality*: /#text(font: IPAFont, fill: AccentColor)[vaɪˈtæl.ə.ti]/ liveliness, life, energy, animation, spirit, spiritedness, high-spiritedness, vivacity, exuberance, buoyancy, bounce, vibrancy, verve, vim, pep, brio, zest, zestfulness, sparkle, spark, effervescence, dynamism, passion, fire, vigour, forcefulness, ardour, zeal, relish, gusto, push, drive, punch, elan, zip, zing, fizz, get-up-and-go, oomph, pizzazz, feistiness - *whimsical*: /#text(font: IPAFont, fill: AccentColor)[ˈwɪm.zɪ.kəl]/ fanciful, playful, mischievous, waggish, quaint, fantastic, unusual, curious, droll, eccentric, quirky, offbeat, idiosyncratic, unconventional, outlandish, peculiar, bizarre, weird, odd, freakish, freaky, dotty, volatile, capricious, temperamental, impulsive, excitable, fickle, changeable, unpredictable, variable, erratic, quicksilver, mercurial, mutable, inconstant, inconsistent, unstable, unsteady, fluctuating, ever-changing, protean, kaleidoscopic, fluid, wavering, vacillating, wayward, labile - *yield*: /#text(font: IPAFont, fill: AccentColor)[jiːld]/ surrender, capitulate, submit, relent, admit defeat, accept defeat, concede defeat, back down, climb down, quit, give in, give up the struggle, lay down one's arms, raise/show the white flag, knuckle under, be overcome, be overwhelmed, be conquered, be beaten, fall victim, throw in the towel, throw in the sponge, cave in, accede to, submit to, bow down to, defer to, comply with, conform to, agree to, consent to, go along with, be guided by, heed, note, pay attention to, grant, permit, allow, sanction, warrant #pagebreak() = *Group 26* - *apprehension*: /#text(font: IPAFont, fill: AccentColor)[ˌæp.rɪˈhen.ʃən]/ anxiety, angst, alarm, worry, uneasiness, unease, nervousness, misgiving, disquiet, concern, agitation, restlessness, edginess, fidgetiness, nerves, tension, trepidation, perturbation, consternation, panic, fearfulness, dread, fear, shock, horror, terror, foreboding, presentiment, butterflies in the stomach, the willies, the heebie-jeebies - *ardent*: /#text(font: IPAFont, fill: AccentColor)[ˈɑː.dənt]/ passionate, avid, impassioned, fervent, fervid, zealous, wholehearted, eager, vehement, intense, fierce, fiery, flaming, emotional, hot-blooded, earnest, sincere, enthusiastic, keen, committed, dedicated, assiduous, mad keen - *axiomatic*: /#text(font: IPAFont, fill: AccentColor)[ˌæk.si.əˈmæt.ɪk]/ self-evident, unquestionable, undeniable, accepted, understood, given, granted, apodictic, indemonstrable - *cease*: /#text(font: IPAFont, fill: AccentColor)[siːs]/ come to an end, come to a halt, come to a stop, end, halt, stop, conclude, terminate, finish, wind up, draw to a close, be over, come to a standstill, pause, break off, peter out, fizzle out, abate, fade away, die away, bring to an end, bring to a halt, bring to a stop, discontinue, desist from, refrain from, leave off, quit, shut down, suspend, cut short - *conducive*: /#text(font: IPAFont, fill: AccentColor)[kənˈdʒuː.sɪv]/ good for, helpful to, instrumental in, calculated to produce, productive of, useful for, favourable, beneficial, valuable, advantageous, opportune, propitious, encouraging, promising, convenient, contribute to, lead to, tend to promote, make for, facilitate, favour, aid, assist, help, benefit, encourage - *corporeal*: /#text(font: IPAFont, fill: AccentColor)[kɔːˈpɔː.ri.əl]/ bodily, fleshly, carnal, corporal, human, mortal, earthly, physical, material, actual, real, substantial, tangible, concrete - *doctrinaire*: /#text(font: IPAFont, fill: AccentColor)[ˌdɒk.trɪˈneər]/ - *eclectic*: /#text(font: IPAFont, fill: AccentColor)[ekˈlek.tɪk]/ wide-ranging, wide, broad, broad-ranging, broad-based, extensive, comprehensive, encyclopedic, general, universal, varied, diverse, diversified, catholic, liberal, cross-disciplinary, interdisciplinary, multidisciplinary, all-embracing, non-exclusive, inclusive, indiscriminate, many-sided, multifaceted, multifarious, heterogeneous, miscellaneous, assorted, selective, selecting, choosing, picking and choosing, discriminating, discerning, critical - *equanimity*: /#text(font: IPAFont, fill: AccentColor)[ˌek.wəˈnɪm.ə.ti]/ composure, calmness, calm, level-headedness, self-possession, self-control, even-temperedness, coolness, cool-headedness, presence of mind, serenity, placidity, tranquillity, phlegm, impassivity, imperturbability, unexcitability, equilibrium, poise, self-assurance, assurance, self-confidence, aplomb, sangfroid, nerve, cool, unflappability, ataraxy - *exorbitant*: /#text(font: IPAFont, fill: AccentColor)[ɪɡˈzɔː.bɪ.tənt]/ extortionate, excessively high, extremely high, excessive, sky-high, prohibitive, outrageous, unreasonable, preposterous, inordinate, immoderate, inflated, monstrous, unwarranted, unconscionable, huge, enormous, disproportionate, punitive, ruinous, expensive, extravagant, over the odds, criminal, steep, stiff, over the top, OTT, costing an arm and a leg, costing a bomb, costing the earth, daylight robbery, a rip-off - *fickle*: /#text(font: IPAFont, fill: AccentColor)[ˈfɪk.əl]/ capricious, changeable, variable, volatile, mercurial, vacillating, fitful, irregular, inconstant, disloyal, undependable, unstable, unsteady, unfaithful, faithless, irresolute, flighty, giddy, skittish, erratic, impulsive, unpredictable, random, blowing hot and cold, labile, mutable - *figurative*: /#text(font: IPAFont, fill: AccentColor)[ˈfɪɡ.ər.ə.tɪv]/ metaphorical, non-literal, symbolic, allegorical, representative, emblematic, imaginative, fanciful, poetic, ornate, literary, flowery, florid, tropical, parabolic - *flustered*: /#text(font: IPAFont, fill: AccentColor)[ˈflʌs.təd]/ - *gullible*: /#text(font: IPAFont, fill: AccentColor)[ˈɡʌl.ə.bəl]/ credulous, over-trusting, over-trustful, trustful, easily deceived/led, easily taken in, exploitable, ripe for the picking, dupable, deceivable, impressionable, unsuspecting, unsuspicious, unwary, unguarded, unsceptical, ingenuous, naive, innocent, simple, inexperienced, unworldly, green, as green as grass, childlike, ignorant, foolish, silly, wet behind the ears, born yesterday - *idiosyncratic*: /#text(font: IPAFont, fill: AccentColor)[ˌɪd.i.ə.sɪŋˈkræt.ɪk]/ distinctive, individual, characteristic, distinct, distinguishing, peculiar, individualistic, different, typical, special, specific, representative, unique, personal, private, essential, eccentric, unconventional, uncommon, abnormal, irregular, aberrant, anomalous, odd, off-centre, quirky, queer, strange, weird, bizarre, outlandish, freakish, extraordinary, singular - *incidental*: /#text(font: IPAFont, fill: AccentColor)[ˌɪn.sɪˈden.təl]/ less important, of less importance, secondary, subsidiary, subordinate, ancillary, auxiliary, minor, peripheral, background, by-the-way, by-the-by, non-essential, inessential, unimportant, insignificant, inconsequential, unnecessary, trivial, trifling, negligible, petty, tangential, extrinsic, extraneous, dispensable, expendable - *ingrained*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈɡreɪnd]/ entrenched, established, fixed, implanted, deep-rooted, rooted, deep-seated, settled, firm, unshakeable, ineradicable, driven in, inveterate, dyed-in-the-wool, abiding, enduring, stubborn, unfading, inbred, instinctive, intrinsic, gut - *insolent*: /#text(font: IPAFont, fill: AccentColor)[ˈɪn.səl.ənt]/ impertinent, impudent, cheeky, ill-mannered, bad mannered, unmannerly, rude, impolite, uncivil, lacking civility, discourteous, disrespectful, insubordinate, contemptuous, presumptuous, audacious, bold, brazen, brash, pert, forward, insulting, abusive, offensive, fresh, flip, cocky, lippy, saucy, sassy, nervy, contumelious, malapert, mannerless - *lampoon*: /#text(font: IPAFont, fill: AccentColor)[læmˈpuːn]/ satirize, mock, ridicule, make fun of, poke fun at, caricature, burlesque, parody, take off, guy, make a fool of, rag, tease, send up, pasquinade, satire, burlesque, parody, skit, caricature, imitation, impersonation, impression, travesty, take-off, mockery, squib, send-up, spoof, pasquinade - *lavish*: /#text(font: IPAFont, fill: AccentColor)[ˈlæv.ɪʃ]/ sumptuous, luxurious, luxuriant, lush, gorgeous, costly, opulent, grand, elaborate, splendid, rich, regal, ornate, expensive, pretentious, showy, fancy, posh - *lugubrious*: /#text(font: IPAFont, fill: AccentColor)[luːˈɡuː.bri.əs]/ mournful, gloomy, sad, unhappy, doleful, Eeyorish, glum, melancholy, melancholic, woeful, miserable, woebegone, forlorn, despondent, dejected, depressed, long-faced, sombre, solemn, serious, sorrowful, morose, dour, mirthless, cheerless, joyless, wretched, dismal, grim, saturnine, pessimistic, funereal, sepulchral, dirge-like, elegiac, down in the mouth, down in the dumps, blue, dolorous - *macabre*: /#text(font: IPAFont, fill: AccentColor)[məˈkɑː.brə]/ gruesome, grisly, grim, gory, morbid, ghastly, unearthly, lurid, grotesque, hideous, horrific, horrible, horrifying, horrid, horrendous, terrifying, frightening, frightful, fearsome, shocking, dreadful, appalling, loathsome, repugnant, repulsive, sickening, black, weird, unhealthy, sick - *morose*: /#text(font: IPAFont, fill: AccentColor)[məˈrəʊs]/ sullen, sulky, gloomy, bad-tempered, ill-tempered, in a bad mood, dour, surly, sour, glum, moody, unsmiling, humourless, uncommunicative, taciturn, unresponsive, unsociable, scowling, glowering, ill-humoured, sombre, sober, saturnine, pessimistic, lugubrious, Eeyorish, mournful, melancholy, melancholic, doleful, miserable, dismal, depressed, dejected, despondent, downcast, unhappy, low-spirited, in low spirits, low, with a long face, blue, down, fed up, grumpy, irritable, churlish, cantankerous, crotchety, cross, crabbed, crabby, grouchy, testy, snappish, peevish, crusty, waspish, down in the mouth, down in the dumps, narky, mardy, mumpish - *officious*: /#text(font: IPAFont, fill: AccentColor)[əˈfɪʃ.əs]/ self-important, bumptious, self-assertive, overbearing, overzealous, dictatorial, bossy, domineering, interfering, intrusive, meddlesome, meddling, importunate, forward, opinionated, pushy, pragmatic, intermeddling, obtrusive, busy - *ramification*: /#text(font: IPAFont, fill: AccentColor)[ˌræm.ɪ.fɪˈkeɪ.ʃənz]/ consequence, result, aftermath, outcome, effect, upshot, issue, sequel, complication, development, implication, product, by-product, outgrowth, spin-off - *serene*: /#text(font: IPAFont, fill: AccentColor)[səˈriːn]/ calm, composed, collected, cool, and collected, as cool as a cucumber, tranquil, peaceful, at peace, pacific, untroubled, relaxed, at ease, poised, self-possessed, unperturbed, imperturbable, undisturbed, unflappable, centred, unruffled, unworried, unexcitable, placid, equable, even-tempered, together, chilled, nonplussed, quiet, still, restful, relaxing, soothing - *supplant*: /#text(font: IPAFont, fill: AccentColor)[səˈplɑːnt]/ replace, displace, supersede, take the place of, take over from, substitute for, undermine, override, oust, usurp, overthrow, remove, topple, unseat, depose, dethrone, eject, dispel, succeed, come after, step into the shoes of, fill someone's boots, crowd out, defenestrate - *tacit*: /#text(font: IPAFont, fill: AccentColor)[ˈtæs.ɪt]/ implicit, understood, implied, inferred, hinted, suggested, insinuated, unspoken, unstated, undeclared, unsaid, unexpressed, unmentioned, unvoiced, silent, mute, wordless, not spelt out, taken for granted, taken as read - *transcend*: /#text(font: IPAFont, fill: AccentColor)[trænˈsend]/ - *treatise*: /#text(font: IPAFont, fill: AccentColor)[ˈtriː.tɪs]/ disquisition, essay, paper, work, piece of writing, exposition, discourse, dissertation, thesis, monograph, study, critique, tract, pamphlet, tractate, institutes #pagebreak() = *Group 27* - *antagonize*: /#text(font: IPAFont, fill: AccentColor)[ænˈtæɡ.ə.naɪz]/ arouse hostility in, alienate, estrange, disaffect, anger, annoy, provoke, vex, irritate, offend, aggravate, rile, needle, get someone's back up, make someone's hackles rise, rub up the wrong way, ruffle someone's feathers, rattle someone's cage, get in someone's hair, get someone's dander up, get under someone's skin, nark, get on someone's wick, get up someone's nose, rark - *barren*: /#text(font: IPAFont, fill: AccentColor)[ˈbær.ən]/ unproductive, infertile, unfruitful, sterile, arid, desert, waste, desolate, uncultivatable, impoverished - *bombastic*: /#text(font: IPAFont, fill: AccentColor)[bɒmˈbæs.tɪk]/ pompous, blustering, ranting, blathering, verbose, wordy, turgid, periphrastic, euphuistic, orotund, pleonastic, high-flown, high-sounding, highfalutin, lofty, overwrought, convoluted, pretentious, affected, ostentatious, grandiloquent, magniloquent, fustian - *cajole*: /#text(font: IPAFont, fill: AccentColor)[kəˈdʒəʊl]/ persuade, wheedle, coax, talk into, manoeuvre, get round, prevail on, beguile, blarney, flatter, seduce, lure, entice, tempt, inveigle, woo, sweet-talk, soft-soap, butter up, twist someone's arm, blandish - *chary*: /#text(font: IPAFont, fill: AccentColor)[ˈtʃeə.ri]/ wary, cautious, circumspect, heedful, careful, on one's guard, guarded, mindful, watchful, distrustful, mistrustful, doubtful, sceptical, suspicious, dubious, hesitant, reluctant, disinclined, loath, averse, shy, nervous, apprehensive, uneasy, afraid, leery, cagey, iffy, on one's toes - *curmudgeon*: /#text(font: IPAFont, fill: AccentColor)[kəˈmʌdʒ.ən]/ bad-tempered person, crank, crosspatch, sourpuss, old trout, a bear with a sore head, kvetch, sorehead - *dirge*: /#text(font: IPAFont, fill: AccentColor)[dɜːdʒ]/ elegy, lament, funeral song/chant, burial hymn, requiem, dead march, keen, coronach, threnody, threnode, monody - *estimable*: /#text(font: IPAFont, fill: AccentColor)[ˈes.tɪ.mə.bəl]/ - *euphemism*: /#text(font: IPAFont, fill: AccentColor)[ˈjuː.fə.mɪ.zəm]/ polite term, substitute, mild alternative, indirect term, understatement, underplaying, softening, politeness, genteelism, coy term - *excoriate*: /#text(font: IPAFont, fill: AccentColor)[ekˈskɔː.ri.eɪt]/ abrade, rub away, rub off, rub raw, scrape, scratch, chafe, damage, strip away, peel away, skin, decorticate, criticize, find fault with, censure, denounce, condemn, arraign, attack, lambast, pillory, disapprove of, carp at, cavil at, rail against, inveigh against, cast aspersions on, pour scorn on, disparage, denigrate, deprecate, malign, vilify, besmirch, run down, give a bad press to, slur, knock, pan, slam, hammer, blast, bad-mouth, nitpick about, throw brickbats at, give flak to, lay into, lace into, pull to pieces, pull apart, pick holes in, hit out at, maul, savage, roast, skewer, crucify, slag off, have a go at, give some stick to, monster, slate, rubbish, pummel, cut up, trash, bag on, bag, sledge, rate, slash, vituperate against, reprobate, animadvert on, objurgate, asperse, derogate, reprehend - *exigent*: /#text(font: IPAFont, fill: AccentColor)[ˈek.sɪ.dʒənt]/ - *haughty*: /#text(font: IPAFont, fill: AccentColor)[ˈhɔː.ti]/ proud, vain, arrogant, conceited, snobbish, stuck-up, pompous, self-important, superior, egotistical, supercilious, condescending, lofty, patronizing, smug, scornful, contemptuous, disdainful, overweening, overbearing, imperious, lordly, cavalier, high-handed, full of oneself, above oneself, snooty, sniffy, hoity-toity, uppity, uppish, cocky, big-headed, swollen-headed, puffed up, high and mighty, la-di-da, fancy-pants, on one's high horse, too big for one's boots, toffee-nosed, chesty, too big for one's breeches, vainglorious - *heady*: /#text(font: IPAFont, fill: AccentColor)[ˈhed.i]/ potent, intoxicating, inebriating, strong, alcoholic, spirituous, vinous, intoxicant - *imperturbable*: /#text(font: IPAFont, fill: AccentColor)[ˌɪm.pəˈtɜː.bə.bəl]/ self-possessed, composed, collected, calm, cool, and collected, as cool as a cucumber, cool-headed, self-controlled, poised, tranquil, serene, relaxed, easy-going, unexcitable, even-tempered, placid, sedate, phlegmatic, unperturbed, unflustered, untroubled, unbothered, unruffled, undismayed, unagitated, undisturbed, unmoved, nonchalant, at ease, unflappable, unfazed, together, laid-back, nonplussed, equanimous - *implacable*: /#text(font: IPAFont, fill: AccentColor)[ɪmˈplæk.ə.bəl]/ unappeasable, unpacifiable, unplacatable, unmollifiable, unforgiving, unsparing, grudge-holding, inexorable, intransigent, adamant, determined, unshakeable, unswerving, unwavering, inflexible, unyielding, unbending, uncompromising, unrelenting, relentless, ruthless, remorseless, merciless, pitiless, heartless, cruel, hard, harsh, stern, steely, tough - *lambaste*: /#text(font: IPAFont, fill: AccentColor)[læmˈbæst]/ criticize, castigate, chastise, censure, condemn, take to task, harangue, attack, rail at, rant at, revile, fulminate against, haul/call over the coals, upbraid, scold, reprimand, rebuke, chide, reprove, admonish, berate, rap someone's knuckles, slap someone's wrist, lay into, pitch into, tear into, lace into, dress down, give someone a dressing-down, carpet, tell off, bawl out, tick off, have a go at, slag off, chew out, reprehend, excoriate, objurgate - *miscreant*: /#text(font: IPAFont, fill: AccentColor)[ˈmɪs.kri.ənt]/ criminal, culprit, wrongdoer, malefactor, offender, villain, black hat, lawbreaker, evil-doer, convict, delinquent, sinner, transgressor, outlaw, trespasser, scoundrel, wretch, reprobate, rogue, rascal, malfeasant, misfeasor - *peccadillo*: /#text(font: IPAFont, fill: AccentColor)[ˌpek.əˈdɪl.əʊ]/ misdemeanour, minor offence, petty offence, delinquency, indiscretion, lapse, misdeed, infraction, error, slip, slip-up - *philistine*: /#text(font: IPAFont, fill: AccentColor)[ˈfɪl.ɪ.staɪn]/ lowbrow, anti-intellectual, materialist, bourgeois, boor, ignoramus, lout, oaf, barbarian, primitive, savage, brute, yahoo, vulgarian, crass, tasteless, uncultured, uncultivated, uneducated, untutored, unenlightened, unread, commercial, materialist, bourgeois, unsophisticated, unrefined, boorish, barbarian, barbarous, barbaric, primitive, savage, brutish, loutish, oafish, uncivilized, uncouth, vulgar, coarse, rough - *relegate*: /#text(font: IPAFont, fill: AccentColor)[ˈrel.ɪ.ɡeɪt]/ downgrade, lower, lower in rank/status, put down, move down, consign, banish, exile, demote, degrade, declass, strip someone of their rank, reduce to the ranks, disrate, drum out, bust - *repugnant*: /#text(font: IPAFont, fill: AccentColor)[rɪˈpʌɡ.nənt]/ abhorrent, revolting, repulsive, repellent, disgusting, offensive, objectionable, vile, foul, nasty, loathsome, sickening, nauseating, nauseous, hateful, detestable, execrable, abominable, monstrous, appalling, reprehensible, deplorable, insufferable, intolerable, unacceptable, despicable, contemptible, beyond the pale, unspeakable, noxious, obscene, base, hideous, grisly, gruesome, horrendous, heinous, atrocious, awful, terrible, dreadful, frightful, obnoxious, unsavoury, unpalatable, unpleasant, disagreeable, distasteful, dislikeable, off-putting, displeasing, ghastly, horrible, horrid, gross, putrid, sick-making, yucky, godawful, beastly, bogging, skanky, noisome, disgustful, scurvy, loathly, rebarbative - *sentimental*: /#text(font: IPAFont, fill: AccentColor)[ˌsen.tɪˈmen.təl]/ nostalgic, tender, emotional, dewy-eyed, misty-eyed, affectionate, loving, soft-hearted, tender-hearted, soft, soft-centred, soppy - *squander*: /#text(font: IPAFont, fill: AccentColor)[ˈskwɒn.dər]/ waste, misspend, misuse, throw away, dissipate, fritter away, run through, lose, lavish, spend recklessly, spend unwisely, make poor use of, be prodigal with, spend money like water, blow, splurge, blue, splash out - *swindle*: /#text(font: IPAFont, fill: AccentColor)[ˈswɪn.dəl]/ fraud, trick, deception, deceit, trickery, chicanery, exploitation, cheat, imposture, sham, sharp practice, artifice, ruse, dodge, racket, wile, con trick, con, sting, diddle, rip-off, flimflam, fiddle, swizzle, swizz, bunco - *tangible*: /#text(font: IPAFont, fill: AccentColor)[ˈtæn.dʒə.bəl]/ touchable, palpable, tactile, material, physical, real, substantial, corporeal, solid, concrete, visible, noticeable - *turpitude*: /#text(font: IPAFont, fill: AccentColor)[ˈtɜː.pɪ.tʃuːd]/ wickedness, immorality, depravity, corruption, corruptness, vice, degeneracy, evil, baseness, iniquity, sinfulness, vileness, nefariousness, flagitiousness - *unalloyed*: /#text(font: IPAFont, fill: AccentColor)[ˌʌn.əˈlɔɪd]/ - *undercut*: /#text(font: IPAFont, fill: AccentColor)[ˌʌn.dəˈkʌt]/ charge less than, charge a lower price than, undersell, underbid - *wheedle*: /#text(font: IPAFont, fill: AccentColor)[ˈwiː.dəl]/ coax, cajole, inveigle, lure, induce, blarney, entice, charm, tempt, beguile, flatter, persuade, influence, sway, win someone over, bring someone round, prod, talk, convince, make, get, press, prevail on, get round, argue, reason, urge, pressure, pressurize, bring pressure to bear on, coerce, sweet-talk, soft-soap, twist someone's arm, smooth-talk, butter someone up - *xenophobic*: /#text(font: IPAFont, fill: AccentColor)[ˌzen.əˈfəʊ.bɪk]/ prejudiced, intolerant, bigoted, insular, isolationist, parochial, ethnocentric, ethnocentrist, racist, racialist, nationalist, nationalistic, jingoistic #pagebreak() = *Group 28* - *abeyance*: /#text(font: IPAFont, fill: AccentColor)[əˈbeɪ.əns]/ suspension, a state of suspension, a state of dormancy, a state of latency, a state of uncertainty, suspense, remission, reserve, pending, suspended, deferred, postponed, put off, put to one side, unattended, unfinished, incomplete, unresolved, undetermined, up in the air, betwixt and between, in cold storage, on ice, on the back burner, hanging fire, suspend, adjourn, interrupt, break off, postpone, delay, defer, shelve, arrest, intermit, prorogue, hold over, put aside, pigeonhole, reschedule, cut short, bring to an end, cease, discontinue, dissolve, disband, terminate, call a halt to, table, put on ice, put on the back burner, mothball, take a rain check on - *abstract*: /#text(font: IPAFont, fill: AccentColor)[ˈæb.strækt]/ theoretical, conceptual, notional, intellectual, metaphysical, philosophical, academic, hypothetical, speculative, conjectural, conjectured, suppositional, putative, suppositious, suppositive, ideational - *affront*: /#text(font: IPAFont, fill: AccentColor)[əˈfrʌnt]/ insult, offence, indignity, slight, snub, slur, aspersion, provocation, injury, put down, humiliation, outrage, atrocity, scandal, injustice, abuse, desecration, violation, slap in the face, kick in the teeth - *agitate*: /#text(font: IPAFont, fill: AccentColor)[ˈædʒ.ɪ.teɪt]/ upset, perturb, fluster, ruffle, disconcert, unnerve, disquiet, disturb, distress, unsettle, bother, concern, trouble, cause anxiety to, make anxious, alarm, work up, flurry, worry, inflame, incite, provoke, stir up, rattle, faze, discombobulate - *august*: /#text(font: IPAFont, fill: AccentColor)[ˈɔː.ɡəst]/ distinguished, respected, eminent, venerable, hallowed, illustrious, prestigious, renowned, celebrated, honoured, acclaimed, esteemed, exalted, highly regarded, well thought of, of distinction, of repute, great, important, of high standing, lofty, high-ranking, noble, regal, royal, aristocratic, imposing, impressive, awe-inspiring, magnificent, majestic, imperial, stately, lordly, kingly, grand, dignified, solemn, proud - *burnish*: /#text(font: IPAFont, fill: AccentColor)[ˈbɜː.nɪʃ]/ polish (up), shine, brighten, rub up/down, buff (up), smooth, glaze, furbish - *coy*: /#text(font: IPAFont, fill: AccentColor)[kɔɪ]/ arch, simpering, coquettish, flirtatious, kittenish, skittish, shy, modest, bashful, reticent, diffident, retiring, backward, self-effacing, shrinking, withdrawn, timid, demure - *deprecate*: /#text(font: IPAFont, fill: AccentColor)[ˈdep.rə.keɪt]/ disapprove of, deplore, abhor, find unacceptable, be against, frown on, take a dim view of, look askance at, take exception to, detest, despise, execrate, criticize, censure, condemn, denounce, protest against, inveigh against, rail against, knock, slam, hammer, cane, blast, bad-mouth, pull to pieces, pull apart, hit out at, slate, slag off, rubbish, slash, vituperate against, reprobate, animadvert on, asperse, derogate - *disdain*: /#text(font: IPAFont, fill: AccentColor)[dɪsˈdeɪn]/ contempt, scorn, scornfulness, contemptuousness, derision, disrespect, disparagement, condescension, superciliousness, hauteur, haughtiness, arrogance, lordliness, snobbishness, aloofness, indifference, dismissiveness, distaste, dislike, disgust, despite, contumely - *disperse*: /#text(font: IPAFont, fill: AccentColor)[dɪˈspɜːs]/ scatter, disseminate, distribute, spread, broadcast, diffuse, strew, sow, sprinkle, pepper, bestrew, besprinkle - *distend*: /#text(font: IPAFont, fill: AccentColor)[dɪˈstend]/ swell, bloat, bulge, puff out/up, blow up/out, expand, dilate, inflate, enlarge, tumefy, intumesce, swollen, bloated, tumescent, dilated, engorged, enlarged, inflated, stretched, blown up, pumped up/out, expanded, extended, ballooning, puffy, puffed up, bulbous, bulging, protuberant, prominent, sticking out, turgescent, ventricose, tumid - *endemic*: /#text(font: IPAFont, fill: AccentColor)[enˈdem.ɪk]/ - *enmity*: /#text(font: IPAFont, fill: AccentColor)[ˈen.mə.ti]/ hostility, animosity, antagonism, friction, antipathy, animus, opposition, dissension, rivalry, feud, conflict, discord, contention, acrimony, bitterness, rancour, resentment, aversion, dislike, ill feeling, bad feeling, ill will, bad blood, hatred, hate, loathing, detestation, abhorrence, odium, malice, spite, spitefulness, venom, malevolence, malignity, grudges, grievances, needle - *gauche*: /#text(font: IPAFont, fill: AccentColor)[ɡəʊʃ]/ awkward, gawky, inelegant, graceless, ungraceful, ungainly, bumbling, maladroit, inept, socially awkward, socially inept, lacking in social grace(s), unpolished, unsophisticated, uncultured, uncultivated, unrefined, raw, inexperienced, uneducated, unworldly - *hysterical*: /#text(font: IPAFont, fill: AccentColor)[hɪˈster.ɪ.kəl]/ overwrought, emotional, uncontrolled, uncontrollable, out of control, unrestrained, unrestrainable, frenzied, in a frenzy, frantic, wild, feverish, beside oneself, driven to distraction, in a panic, agitated, neurotic, mad, crazed, berserk, maniac, maniacal, manic, delirious, unhinged, deranged, out of one's mind, out of one's wits, raving, in a state, swivel-eyed - *impudent*: /#text(font: IPAFont, fill: AccentColor)[ˈɪm.pjə.dənt]/ impertinent, insolent, cheeky, audacious, brazen, shameless, immodest, pert, presumptuous, forward, disrespectful, insubordinate, irreverent, flippant, bumptious, brash, bold, bold as brass, rude, impolite, ill-mannered, bad-mannered, unmannerly, discourteous, insulting, ill-bred, fresh, cocky, brass-necked, saucy, lippy, mouthy, flip, sassy, nervy, malapert, contumelious - *inchoate*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈkəʊ.eɪt]/ - *penchant*: /#text(font: IPAFont, fill: AccentColor)[ˈpɑ̃ːŋ.ʃɑ̃ːŋ]/ liking, fondness, preference, taste, relish, appetite, partiality, soft spot, love, passion, desire, fancy, whim, weakness, inclination, bent, bias, proclivity, predilection, predisposition, affinity - *quandary*: /#text(font: IPAFont, fill: AccentColor)[ˈkwɒn.dri]/ dilemma, plight, predicament, state of uncertainty, state of perplexity, unfortunate situation, difficult situation, awkward situation, trouble, muddle, mix-up, mare's nest, mess, confusion, difficulty, impasse, stalemate, cleft stick, sticky situation, pickle, hole, stew, fix, bind, jam - *quarantine*: /#text(font: IPAFont, fill: AccentColor)[ˈkwɒr.ən.tiːn]/ - *quash*: /#text(font: IPAFont, fill: AccentColor)[kwɒʃ]/ cancel, reverse, rescind, repeal, revoke, retract, countermand, withdraw, take back, rule against, disallow, overturn, override, overrule, veto, set aside, overthrow, repudiate, annul, nullify, declare null and void, invalidate, render invalid, negate, void, abrogate, vacate, recall - *quibble*: /#text(font: IPAFont, fill: AccentColor)[ˈkwɪb.əl]/ minor criticism, trivial objection, trivial complaint, adverse comment, protest, query, argument, exception, moan, grumble, grouse, cavil, twine, niggle, gripe, beef, grouch, nitpicking, pettifogging, evasion, dodge, avoidance, equivocation, prevarication, hedging, fudging, find fault with, raise trivial objections to, complain about, object to, cavil at, carp about, split hairs, chop logic, criticize, query, fault, pick, holes in, nitpick, pettifog, be evasive, equivocate, avoid the issue, prevaricate, hedge, fudge, be ambiguous, beat about the bush - *ravage*: /#text(font: IPAFont, fill: AccentColor)[ˈræv.ɪdʒ]/ lay waste, devastate, ruin, leave in ruins, destroy, wreak havoc on, leave desolate, level, raze, demolish, wipe out, wreck, damage, pillage, plunder, harry, maraud, ransack, sack, loot, despoil, rape, spoil, havoc, depredate, spoliate, devastated, ruined, wrecked, desolate, war-torn, battle-scarred, damaging effects, ill effects, scars - *recant*: /#text(font: IPAFont, fill: AccentColor)[rɪˈkænt]/ renounce, forswear, disavow, deny, repudiate, renege on, abjure, relinquish, abandon, forsake, change one's mind, be apostate, defect, renege, apostatize, tergiversate, retract, take back, withdraw, disclaim, disown, recall, unsay - *redoubtable*: /#text(font: IPAFont, fill: AccentColor)[rɪˈdaʊ.tə.bəl]/ formidable, awe-inspiring, fearsome, daunting, alarming, impressive, commanding, tremendous, indomitable, invincible, resolute, doughty, mighty, strong, powerful - *retiring*: /#text(font: IPAFont, fill: AccentColor)[rɪˈtaɪə.rɪŋ]/ departing, outgoing, shy, diffident, bashful, self-effacing, shrinking, unassuming, unassertive, reserved, reticent, quiet, timid, timorous, nervous, modest, demure, coy, meek, humble, private, secret, secretive, withdrawn, reclusive, media-shy, unsociable, seclusive, eremitic, eremitical, hermitic, anchoritic - *shrill*: /#text(font: IPAFont, fill: AccentColor)[ʃrɪl]/ high-pitched, piercing, high, sharp, ear-piercing, ear-splitting, air-rending, penetrating, shattering, strident, loud, strong, intrusive, screeching, shrieking, screechy, squawky - *sophistry*: /#text(font: IPAFont, fill: AccentColor)[ˈsɒf.ɪ.stri]/ specious reasoning, sophism, casuistry, quibbling, equivocation, fallaciousness, fallacious argument, fallacy, quibble, paralogism - *substantiate*: /#text(font: IPAFont, fill: AccentColor)[səbˈstæn.ʃi.eɪt]/ prove, give proof of, show to be true, give substance to, support, uphold, back up, bear out, justify, vindicate, validate, corroborate, verify, authenticate, confirm, endorse, give credence to, lend weight to, establish, demonstrate, vouch for, attest to, testify to, stand by, bear witness to - *wily*: /#text(font: IPAFont, fill: AccentColor)[ˈwaɪ.li]/ #pagebreak() = *Group 29* - *abscond*: /#text(font: IPAFont, fill: AccentColor)[æbˈskɒnd]/ run away, escape, bolt, clear out, flee, make off, take flight, take off, fly, decamp, make a break for it, take to one's heels, make a quick getaway, beat a hasty retreat, show a clean pair of heels, run for it, make a run for it, disappear, vanish, slip away, steal away, sneak away, do a bunk, do a moonlight flit, cut and run, skedaddle, skip, do a runner, head for the hills, fly the coop, take French leave, vamoose, scarper, take a powder, go on the lam - *apogee*: /#text(font: IPAFont, fill: AccentColor)[ˈæp.ə.dʒiː]/ - *aspersion*: /#text(font: IPAFont, fill: AccentColor)[əˈspɜː.ʃən]/ vilification, disparagement, denigration, defamation, defamation of character, abuse, vituperation, condemnation, criticism, censure, castigation, denunciation, flak, deprecation, opprobrium, obloquy, derogation, slander, revilement, reviling, calumny, calumniation, slurs, smears, execration, excoriation, lambasting, upbraiding, bad press, character assassination, attack, invective, libel, insults, slights, curses, mud-slinging, bad-mouthing, tongue-lashing, stick, verbal, slagging off, slagging, contumely, animadversion, objurgation, vilify, disparage, denigrate, defame, run down, impugn, revile, berate, belittle, insult, slight, speak badly of, speak ill of, speak evil of, pour scorn on, criticize, condemn, decry, denounce, pillory, lambast, fulminate against, rail against, inveigh against, malign, spread lies about, blacken the name/reputation of, sully the reputation of, give someone a bad name, bring into disrepute, discredit, stigmatize, traduce, calumniate, slur, bad-mouth, do a hatchet job on, take to pieces, pull apart, throw mud at, drag through the mud, have a go at, hit out at, jump on, lay into, tear into, knock, slam, pan, bash, hammer, roast, skewer, throw brickbats at, rubbish, slag off, slate, pummel, dump on, bag, monster, contemn, derogate, vituperate, asperse, vilipend - *bawdy*: /#text(font: IPAFont, fill: AccentColor)[ˈbɔː.di]/ ribald, indecent, risqué, racy, rude, spicy, suggestive, titillating, naughty, improper, indelicate, indecorous, off colour, earthy, broad, locker-room, Rabelaisian, pornographic, obscene, vulgar, crude, coarse, gross, lewd, dirty, filthy, smutty, unseemly, salacious, prurient, lascivious, licentious, X-rated, scatological, near the bone, near the knuckle, erotic, sexy, sexual, blue, raunchy, nudge-nudge, adult - *chagrin*: /#text(font: IPAFont, fill: AccentColor)[ˈʃæɡ.rɪn]/ annoyance, irritation, vexation, exasperation, displeasure, pique, spleen, crossness, anger, rage, fury, wrath, dissatisfaction, discontent, indignation, resentment, umbrage, disgruntlement, rankling, smarting, distress, discomposure, discomfiture, disquiet, fretfulness, frustration, embarrassment, mortification, humiliation, shame, aggravation, ire - *collude*: /#text(font: IPAFont, fill: AccentColor)[kəˈluːd]/ conspire, connive, intrigue, be hand in glove, plot, participate in a conspiracy, collaborate, scheme, be in cahoots, machinate, cabal, complot - *commiserate*: /#text(font: IPAFont, fill: AccentColor)[kəˈmɪz.ə.reɪt]/ offer sympathy to, be sympathetic to, express sympathy for, send condolences to, offer condolences to, condole with, sympathize with, empathize with, feel pity for, feel sorry for, feel for, be moved by, mourn for, sorrow for, grieve for, comfort, console, solace, give solace to, one's heart goes out to, compassion, compassionate - *conflagration*: /#text(font: IPAFont, fill: AccentColor)[ˌkɒn.fləˈɡreɪ.ʃən]/ fire, blaze, flames, inferno, firestorm, holocaust - *contretemps*: /#text(font: IPAFont, fill: AccentColor)[ˈkɒn.trə.tɒ]/ argument, quarrel, squabble, altercation, clash, fight, disagreement, difference of opinion, dispute, dissension, tiff, set-to, run-in, spat, row, barney, afters, rammy, mishap, misadventure, accident, mischance, unfortunate occurrence, awkward moment, problem, difficulty - *conviction*: /#text(font: IPAFont, fill: AccentColor)[kənˈvɪk.ʃən]/ sentence, judgement - *croon*: /#text(font: IPAFont, fill: AccentColor)[kruːn]/ sing softly, hum, lilt, carol, warble, trill, quaver, troll - *depose*: /#text(font: IPAFont, fill: AccentColor)[dɪˈpəʊz]/ overthrow, overturn, topple, bring down, remove from office, remove, unseat, dethrone, supplant, displace, dismiss, discharge, oust, drum out, throw out, force out, drive out, expel, eject, strip of rank, demote, cashier, sack, fire, axe, chuck out, boot out, defenestrate, get rid of, give someone the push, give someone the boot, show someone the door, turf out, swear, testify, attest, undertake, assert, declare, profess, aver, submit, claim, swear on the Bible, swear under oath, state on oath, make a deposition, give an undertaking, solemnly promise, asseverate, represent - *detente*: /#text(font: IPAFont, fill: AccentColor)[deɪˈtɒnt]/ - *dowdy*: /#text(font: IPAFont, fill: AccentColor)[ˈdaʊ.di]/ unfashionable, frumpish, frumpy, drab, dull, old-fashioned, outmoded, out of style, not smart, inelegant, badly dressed, ill-dressed, shabby, scruffy, faded, untidy, dingy, frowzy, sad, tacky, mumsy, antwacky, daggy - *echelon*: /#text(font: IPAFont, fill: AccentColor)[ˈeʃ.ə.lɒn]/ level, rank, grade, step, rung, tier, stratum, plane, position, order, division, sector - *ennui*: /#text(font: IPAFont, fill: AccentColor)[ˌɒnˈwiː]/ boredom, tedium, listlessness, lethargy, lassitude, languor, restlessness, weariness, sluggishness, enervation, malaise, dissatisfaction, unhappiness, uneasiness, unease, melancholy, depression, despondency, dejection, disquiet, Weltschmerz - *expatiate*: /#text(font: IPAFont, fill: AccentColor)[ekˈspeɪ.ʃi.eɪt]/ hold forth about, speak/write at length about, pontificate about, discourse on, expound, go into detail about, go on about, dwell on, expand on, enlarge on, elaborate on, amplify, embellish, spout about, sound off about, perorate on, dilate on, dissertate on - *fraught*: /#text(font: IPAFont, fill: AccentColor)[frɔːt]/ full of, filled with, swarming with, rife with, thick with, bristling with, charged with, loaded with, brimful of, brimming with, attended by, accompanied by, anxious, worried, upset, distraught, overwrought, agitated, distressed, distracted, desperate, frantic, panic-stricken, panic-struck, panicky, beside oneself, at one's wits' end, at the end of one's tether, out of one's mind, stressed, hassled, wound up, worked up, in a state, in a flap, in a cold sweat, tearing one's hair out, having kittens, in a flat spin, stressy - *fulcrum*: /#text(font: IPAFont, fill: AccentColor)[ˈfʊl.krəm]/ - *imbroglio*: /#text(font: IPAFont, fill: AccentColor)[ɪmˈbrəʊ.li.əʊ]/ complicated situation, complication, complexity, problem, difficulty, predicament, plight, trouble, entanglement, confusion, muddle, mess, quandary, dilemma, bind, jam, pickle, fix, scrape, corner, tight corner, hole, sticky situation, mare's nest, hot water, deep water - *jocund*: /#text(font: IPAFont, fill: AccentColor)[ˈdʒɒk.ənd]/ cheerful, happy, jolly, merry, bright, glad, sunny, joyful, joyous, light-hearted, in good spirits, in high spirits, sparkling, bubbly, exuberant, ebullient, cock-a-hoop, elated, gleeful, breezy, airy, cheery, sprightly, jaunty, animated, radiant, smiling, grinning, laughing, mirthful, frolicsome, jovial, genial, good-humoured, happy-go-lucky, carefree, unworried, untroubled, without a care in the world, full of the joys of spring, buoyant, optimistic, hopeful, full of hope, positive, content, contented, upbeat, chipper, chirpy, peppy, smiley, sparky, zippy, zingy, bright-eyed and bushy-tailed, full of beans, full of vim and vigour, peart, gay, gladsome, blithe, blithesome, of good cheer - *languish*: /#text(font: IPAFont, fill: AccentColor)[ˈlæŋ.ɡwɪʃ]/ weaken, grow weak, deteriorate, decline, go into a decline, wither, droop, flag, wilt, fade, fail, waste away, go downhill - *nadir*: /#text(font: IPAFont, fill: AccentColor)[ˈneɪ.dɪər]/ the lowest point, the all-time low, the lowest level, low-water mark, the bottom, as low as one can get, rock-bottom, the depths, zero, the pits - *nimble*: /#text(font: IPAFont, fill: AccentColor)[ˈnɪm.bəl]/ - *ominous*: /#text(font: IPAFont, fill: AccentColor)[ˈɒm.ɪ.nəs]/ threatening, menacing, baleful, forbidding, sinister, doomy, inauspicious, unpropitious, portentous, unfavourable, dire, unpromising, black, dark, wintry, gloomy, ugly, direful, minatory, minacious, sinistrous - *outlandish*: /#text(font: IPAFont, fill: AccentColor)[ˌaʊtˈlæn.dɪʃ]/ weird, offbeat, far out, freakish, grotesque, quirky, zany, eccentric, off-centre, idiosyncratic, unconventional, unorthodox, funny, bizarre, fantastic, unusual, extraordinary, strange, unfamiliar, unknown, unheard of, alien, foreign, peculiar, odd, curious, atypical, irregular, anomalous, deviant, abnormal, quaint, out of the way, ludicrous, preposterous, outré, way-out, wacky, freaky, kooky, screwy, kinky, oddball, cranky, off the wall, in left field, bizarro, backasswards, singular - *propitious*: /#text(font: IPAFont, fill: AccentColor)[prəˈpɪʃ.əs]/ favourable, auspicious, promising, providential, advantageous, fortunate, lucky, optimistic, bright, happy, rosy, full of promise, heaven-sent, hopeful, beneficial, opportune, suitable, apt, fitting, timely, well timed - *prurient*: /#text(font: IPAFont, fill: AccentColor)[ˈprʊə.ri.ənt]/ salacious, licentious, voyeuristic, lascivious, lecherous, lustful, lewd, libidinous, lubricious, depraved, debauched, degenerate, dissolute, dissipated, concupiscent - *sadistic*: /#text(font: IPAFont, fill: AccentColor)[səˈdɪs.tɪk]/ callous, barbarous, bestial, perverted, vicious, brutal, cruel, savage, fiendish, cold-blooded, inhuman, ruthless, heartless, merciless, pitiless - *zenith*: /#text(font: IPAFont, fill: AccentColor)[ˈzen.ɪθ]/ #pagebreak() = *Group 30* - *aberrant*: /#text(font: IPAFont, fill: AccentColor)[əˈber.ənt]/ deviant, deviating, divergent, abnormal, atypical, anomalous, digressive, irregular, nonconformist, rogue, transgressing, strange, odd, peculiar, uncommon, freakish, eccentric, quirky, exceptional, singular, twisted, warped, perverted - *abide*: /#text(font: IPAFont, fill: AccentColor)[əˈbaɪd]/ comply with, obey, observe, follow, keep to, hold to, conform to, adhere to, stick to, stand by, act in accordance with, uphold, heed, pay attention to, agree to/with, consent to, accede to, accept, acquiesce in, go along with, acknowledge, respect, defer to - *bravado*: /#text(font: IPAFont, fill: AccentColor)[brəˈvɑː.dəʊ]/ boldness, bold manner, swagger, swaggering, bluster, swashbuckling, machismo, boasting, boastfulness, bragging, bombast, showing off, skite, braggadocio, rodomontade, fanfaronade, gasconade - *callow*: /#text(font: IPAFont, fill: AccentColor)[ˈkæl.əʊ]/ immature, inexperienced, naive, green, as green as grass, born yesterday, raw, unseasoned, untrained, untried, juvenile, adolescent, jejune, innocent, guileless, artless, unworldly, unsophisticated, wet behind the ears - *capitulate*: /#text(font: IPAFont, fill: AccentColor)[kəˈpɪtʃ.ə.leɪt]/ surrender, give in, yield, admit defeat, concede defeat, give up the struggle, submit, back down, climb down, give way, cave in, succumb, crumble, bow to someone/something, relent, acquiesce, accede, come to terms, be beaten, be overcome, be overwhelmed, fall, lay down one's arms, raise/show the white flag, throw in the towel, throw in the sponge - *cogitate*: /#text(font: IPAFont, fill: AccentColor)[ˈkɒdʒ.ɪ.teɪt]/ think (about), contemplate, consider, give thought to, give consideration to, mull over, meditate (on), muse (on), ponder (on/over), reflect (on), deliberate (about/on), ruminate (about/on/over), dwell on, brood (on/over), agonize (over), worry (about), chew over, puzzle (over), speculate about, weigh up, revolve, turn over in one's mind, review, study, be in a brown study, put on one's thinking cap, pore on, cerebrate - *deportment*: /#text(font: IPAFont, fill: AccentColor)[dɪˈpɔːt.mənt]/ gait, posture, carriage, comportment, bearing, stance, way of standing, way of holding oneself, way of carrying oneself, way of bearing oneself, attitude, demeanour, mien, air, appearance, aspect, style, manner, behaviour, conduct, performance, way of behaving, way of acting, way of conducting oneself, etiquette, manners, ways, habits, practices, actions, acts, activities, exploits, capers - *extemporize*: /#text(font: IPAFont, fill: AccentColor)[ɪkˈstem.pər.aɪz]/ improvise, ad lib, play it by ear, think on one's feet, make it up as one goes along, take it as it comes, busk it, wing it, do something off the cuff - *factious*: /#text(font: IPAFont, fill: AccentColor)[ˈfæk.ʃəs]/ divided, split, sectarian, schismatic, dissenting, contentious, discordant, conflicting, argumentative, disagreeing, disputatious, quarrelling, quarrelsome, clashing, warring, at variance, at loggerheads, at odds, disharmonious, tumultuous, turbulent, dissident, rebellious, insurrectionary, seditious, mutinous - *fallow*: /#text(font: IPAFont, fill: AccentColor)[ˈfæl.əʊ]/ uncultivated, unploughed, untilled, unplanted, unsown, unseeded, unused, undeveloped, dormant, resting, empty, bare, virgin, neglected, untended, unmaintained, unmanaged - *feint*: /#text(font: IPAFont, fill: AccentColor)[feɪnt]/ - *flagrant*: /#text(font: IPAFont, fill: AccentColor)[ˈfleɪ.ɡrənt]/ blatant, glaring, obvious, overt, evident, conspicuous, naked, barefaced, shameless, brazen, audacious, brass-necked, undisguised, unconcealed, patent, transparent, manifest, palpable, out and out, utter, complete, outrageous, scandalous, shocking, disgraceful, reprehensible, dreadful, terrible, gross, enormous, heinous, atrocious, monstrous, wicked, iniquitous, villainous, arrant - *gratuitous*: /#text(font: IPAFont, fill: AccentColor)[ɡrəˈtʃuː.ɪ.təs]/ unjustified, without reason, uncalled for, unwarranted, unprovoked, undue, indefensible, unjustifiable, needless, unnecessary, superfluous, redundant, avoidable, inessential, non-essential, unmerited, groundless, ungrounded, causeless, without cause, senseless, careless, wanton, indiscriminate, unreasoning, brutish, excessive, immoderate, disproportionate, inordinate, unfounded, baseless, inappropriate, de trop - *grovel*: /#text(font: IPAFont, fill: AccentColor)[ˈɡrɒv.əl]/ crawl, creep, cringe, crouch, prostrate oneself, kneel, fall on one's knees, behave obsequiously, be obsequious, be servile, be sycophantic, fawn, kowtow, bow and scrape, toady, truckle, abase oneself, humble oneself, prostrate oneself, curry favour with, flatter, court, woo, dance attendance on, make up to, play up to, ingratiate oneself with, crawl, creep, suck up, butter up, be all over, fall all over, lick someone's boots, rub up the right way, blandish - *indecorous*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈdek.ər.əs]/ improper, unseemly, unbecoming, undignified, immodest, indecent, indelicate, indiscreet, immoral, shameless, loose, wanton, unvirtuous, inappropriate, incorrect, wrong, unsuitable, inapt, inapposite, undesirable, unfitting, out of keeping, unacceptable, impolite, discourteous, in bad taste, ill-bred, ill-mannered, beyond the pale - *intrigue*: /#text(font: IPAFont, fill: AccentColor)[ɪnˈtriːɡ]/ interest, be of interest to, fascinate, be a source of fascination to, arouse someone's curiosity, engage someone's attention, attract, draw, lure, tempt, tantalize, rivet, absorb, engross, charm, captivate, divert, titillate, interesting, fascinating, absorbing, compelling, gripping, riveting, captivating, engaging, enthralling, diverting, titillating, tantalizing, stimulating, thought-provoking - *nominal*: /#text(font: IPAFont, fill: AccentColor)[ˈnɒm.ɪ.nəl]/ in name/title only, titular, formal, official, ceremonial, theoretical, purported, supposed, ostensible, self-styled, so-called, would-be - *obdurate*: /#text(font: IPAFont, fill: AccentColor)[ˈɒb.dʒə.rət]/ stubborn, obstinate, unyielding, unbending, inflexible, intransigent, implacable, pig-headed, bull-headed, mulish, stiff-necked, headstrong, wilful, unshakeable, unmalleable, intractable, unpersuadable, unrelenting, relentless, immovable, inexorable, uncompromising, hard, stony, iron, iron-willed, adamant, firm, fixed, determined, bloody-minded, indurate - *obstreperous*: /#text(font: IPAFont, fill: AccentColor)[əbˈstrep.ər.əs]/ unruly, unmanageable, disorderly, undisciplined, uncontrollable, unrestrained, rowdy, uncontrolled, disruptive, truculent, difficult, refractory, rebellious, mutinous, out of hand, riotous, out of control, wild, turbulent, uproarious, tumultuous, tempestuous, unbridled, irrepressible, boisterous, roisterous, rackety, noisy, loud, clamorous, raucous, vociferous, stroppy, bolshie, rumbustious, rambunctious, rampageous - *odious*: /#text(font: IPAFont, fill: AccentColor)[ˈəʊ.di.əs]/ revolting, repulsive, repellent, repugnant, disgusting, offensive, objectionable, vile, foul, abhorrent, loathsome, nauseating, nauseous, sickening, hateful, detestable, execrable, abominable, monstrous, appalling, reprehensible, deplorable, insufferable, intolerable, unacceptable, despicable, contemptible, beyond the pale, unspeakable, poisonous, noxious, obscene, base, hideous, grisly, gruesome, horrendous, heinous, atrocious, awful, terrible, dreadful, frightful, obnoxious, unsavoury, unpalatable, unpleasant, disagreeable, nasty, distasteful, dislikeable, off-putting, displeasing, ghastly, horrible, horrid, gross, putrid, sick-making, yucky, godawful, beastly, bogging, skanky, noisome, disgustful, scurvy, loathly - *plucky*: /#text(font: IPAFont, fill: AccentColor)[ˈplʌk.i]/ brave, courageous, bold, daring, fearless, intrepid, spirited, game, valiant, valorous, lionhearted, heroic, gallant, stout-hearted, stout, dauntless, resolute, determined, gritty, stalwart, undaunted, indomitable, unflinching, audacious, unafraid, doughty, mettlesome, gutsy, ballsy, spunky, have-a-go, feisty - *precocious*: /#text(font: IPAFont, fill: AccentColor)[prɪˈkəʊ.ʃəs]/ advanced, old beyond one's years, forward, ahead of one's peers, mature, prematurely developed, ahead, gifted, talented, clever, intelligent, quick, smart, rathe-ripe - *remuneration*: /#text(font: IPAFont, fill: AccentColor)[rɪˌmjuː.nərˈeɪ.ʃən]/ payment, pay, salary, wages, earnings, fee(s), stipend, emolument(s), honorarium, remittance, consideration, reward, recompense, reimbursement, repayment - *slovenly*: /#text(font: IPAFont, fill: AccentColor)[ˈslʌv.ən.li]/ scruffy, untidy, messy, unkempt, ill-groomed, slatternly, dishevelled, bedraggled, tousled, rumpled, frowzy, blowsy, down at heel, dirty, grubby, slobbish, slobby, raggedy, schlumpy, raunchy, draggle-tailed - *soliloquy*: /#text(font: IPAFont, fill: AccentColor)[səˈlɪl.ə.kwi]/ monologue, speech, address, lecture, oration, sermon, homily, stand-up, aside, dramatic monologue, interior monologue, spiel - *spurn*: /#text(font: IPAFont, fill: AccentColor)[spɜːn]/ refuse, decline, say no to, reject, rebuff, scorn, turn down, turn away, repudiate, treat with contempt, disdain, look down one's nose at, despise, snub, slight, disown, jilt, repulse, repel, dismiss, brush off, turn one's back on, give someone the cold shoulder, cold-shoulder, ignore, cut (dead), look right through, turn one's nose up at, give someone the brush-off, tell someone where to get off, put down, freeze out, stiff-arm, kick in the teeth, knock back, give someone the bum's rush, give someone the brush, snout, give someone the go-by - *stolid*: /#text(font: IPAFont, fill: AccentColor)[ˈstɒl.ɪd]/ impassive, phlegmatic, unemotional, calm, placid, unexcitable, apathetic, uninterested, unimaginative, indifferent, dull, bovine, lumpish, wooden, slow, lethargic, torpid, stupid - *temerity*: /#text(font: IPAFont, fill: AccentColor)[təˈmer.ə.ti]/ audacity, boldness, audaciousness, nerve, effrontery, impudence, impertinence, cheek, barefaced cheek, gall, presumption, presumptuousness, brazenness, forwardness, front, rashness, daring, face, neck, brass neck, brass, chutzpah, hide, crust, procacity, assumption - *tenuous*: /#text(font: IPAFont, fill: AccentColor)[ˈten.ju.əs]/ slight, insubstantial, flimsy, negligible, weak, fragile, shaky, sketchy, doubtful, dubious, questionable, suspect, vague, nebulous, hazy, unspecific, indefinite, indeterminate - *verve*: /#text(font: IPAFont, fill: AccentColor)[vɜːv]/
https://github.com/ahplev/notes
https://raw.githubusercontent.com/ahplev/notes/main/qm/fm.typ
typst
#set text( font: "Noto Sans SignWriting Regular", ) #set math.equation(numbering: "1", supplement: [Eq.]) = Formalism - An operator $Q$ is hermitian operator if $ angle.l f bar.v hat(Q) g angle.r = angle.l hat(Q) f bar.v g angle.r space "for all" space f space "and" space g $ - *Observables are represented by hermitian operators* - hermitian conjugate of $hat(Q)$ satisfies $ angle.l f | hat(Q) g angle.r = angle.l hat(Q)^dagger f | g angle.r $ - hermitian operator is equal to its hermitian conjugate - $(hat(Q)hat(R))^dagger = hat(R)^dagger hat(Q)^dagger$ $ angle.l f | hat(Q) hat(R) g angle.r = angle.l hat(Q) f | hat(R) g angle.r = angle.l hat(R)hat(Q)f | g angle.r $ - the product of two hermitian operators is hermitian if and only if they are commutative $ angle.l f bar.v hat(Q)hat(R) g angle.r = angle.l (hat(Q)hat(R))^dagger f bar.v g angle.r\ (hat(Q)hat(R))^dagger = hat(R)^dagger hat(Q)^dagger\ hat(Q)hat(R) = hat(R)hat(Q) $ - $x^dagger = x$ - $(d/(d x))^dagger = - d/(d x)$ $ angle.l f | d/(d x) g angle.r &= integral f d/(d x) g d x\ &= integral d f g - integral g d/(d x) f d x\ &= angle.l (-d/(d x)) f | g angle.r $ cause we are in hilbert space, $integral_(-oo)^oo d f g$ vanishes == Eigenfunctions of hermitian operators === Discrete Spectra - eigenvalues are real $ hat(Q) f = q f\ angle.l f | hat(Q)f angle.r = angle.l hat(Q)f | f angle.r\ q angle.l f | f angle.r = q^* angle.l f | f angle.r\ q = q^* space qed $ - eigenfunctions belonging to distinct eigenvalues are orthogonal $ hat(Q) f = q f, space hat(Q)g = q' g\ angle.l f | hat(Q)g angle.r = angle.l hat(Q)f | g angle.r\ q' angle.l f | g angle.r = q^* angle.l f | g angle.r\ "since" space q' eq.not q, space angle.l f | g angle.r = 0 space qed $ while this only applies to indegenerate states, we can always use *Gram-Schmidt orthogonalization prodedure* to construct orthogonal eigenfunctions within each degenerate subspace - eigenfunctions of an observable operator are _*complete*_ === Continuous Spectra - eigenfunctions are non-normalizable - eigenfunctions with real eigenvalues are Dirac orthonormalizable and complete more specifically, for momentum operator $ -i planck.reduce d/(d x) f = p f\ f = A e^(i p x slash planck.reduce)\ integral_(-oo)^oo f_(p')^* f_p d x = |A|^2 integral_(-oo)^oo e^(i(p - p')x slash planck.reduce) d x = |A|^2 2 pi planck.reduce delta (p - p')\ A = 1/sqrt(2 pi planck.reduce)\ angle.l f_(p') | f_p angle.r = delta (p-p') $ position operator $ hat(x) g_y (x) = y g_y (x)\ g_y(x) = delta(x - y)\ angle.l g_y | g_(y') angle.r = delta(y - y') $ == Uncertainty Principle $ sigma^2 = angle.l (Q - angle.l Q angle.r)^2 angle.r = angle.l Psi | (hat(Q) - q)^2 Psi angle.r $ for observables A and B, $ sigma_A^2 = angle.l (hat(A) - angle.l A angle.r) Psi | (hat(A) - angle.l A angle.r) Psi angle.r = angle.l f|f angle.r\ sigma_B^2 = angle.l (hat(B) - angle.l B angle.r) Psi | (hat(B) - angle.l B angle.r) Psi angle.r = angle.l g|g angle.r $ where $f := (hat(A) - angle.l A angle.r)Psi, space g := (hat(B) - angle.l B angle.r)Psi$ $ sigma_A^2 sigma_B^2 = angle.l f|f angle.r angle.l g|g angle.r gt.eq |angle.l f|g angle.r|^2 space "(Schwarz innequality)"\ |z|^2 = Re^2(Z) + Im^2(z) gt.eq Im^2(z) = [1/(2 i)](z - z^*)^2\ sigma_A^2 sigma_B^2 gt.eq (1/(2 i)[angle.l f|g angle.r - angle.l g|f angle.r])^2 $ $ angle.l f|g angle.r &= angle.l (hat(A) - angle.l A angle.r)Psi|(hat(B) - angle.l B angle.r)Psi angle.r = angle.l Psi|(hat(A) - angle.l A angle.r)(hat(B) - angle.l B angle.r)Psi angle.r\ &= angle.l Psi|(hat(A)hat(B) - hat(A) angle.l B angle.r - hat(B)angle.l A angle.r + angle.l A angle.r angle.l B angle.r)Psi angle.r\ &= angle.l Psi|hat(A)hat(B)Psi angle.r - angle.l B angle.r angle.l Psi|hat(A)Psi angle.r - angle.l A angle.r angle.l Psi|hat(B)Psi angle.r + angle.l A angle.r angle.l B angle.r angle.l Psi|Psi angle.r\ &= angle.l hat(A)hat(B) angle.r - angle.l A angle.r angle.l B angle.r $ $ angle.l g|f angle.r = angle.l hat(B)hat(A) angle.r - angle.l A angle.r angle.l B angle.r $ $ angle.l f|g angle.r - angle.l g|f angle.r = angle.l hat(A)hat(B) angle.r - angle.l hat(B)hat(A) angle.r = angle.l [hat(A), hat(B)] angle.r $ - $sigma_A^2 sigma_B^2 gt.eq (1/(2 i)angle.l [hat(A), hat(B)]angle.r)^2 $ - $sigma_x^2 sigma_p^2 gt.eq (planck.reduce/2)^2$ == Comutator - $[hat(A) + hat(B), hat(C)] = [hat(A), hat(C)] + [hat(B), hat(C)]$ - $[hat(A)hat(B), hat(C)] = hat(A)[hat(B), hat(C)] + [hat(A), hat(C)]hat(B)$ $ (hat(A)hat(B)hat(C) - hat(C)hat(A)hat(B))psi\ (hat(A)(hat(B)hat(C)-hat(C)hat(B)) + (hat(A)hat(C) - hat(C)hat(A)) hat(B))psi $ - $[x^n, hat(p)] = i planck.reduce n x^(n-1)$ $ (-x^n i planck.reduce d/(d x) + i planck.reduce d/(d x) x^n) psi &= -x^n i planck.reduce d/(d x) psi + i planck.reduce n x^(n-1) x psi + i planck.reduce x^n d/(d x) psi\ &= i planck.reduce n x^(n-1) psi $ - $[f(x), hat(p)] = i planck.reduce (d f)/(d x)$ - two commuting operators can share a same set of complete functions if $hat(P)$ and $hat(Q)$ have a complete set of common eigenfunctions, then $[hat(P), hat(Q)]f=0$ holds for any function in hilbert space
https://github.com/pku-typst/PKU-typst-template
https://raw.githubusercontent.com/pku-typst/PKU-typst-template/main/templates/思政课/课程论文/example.typ
typst
MIT License
#import "@local/PKU-Typst-Template:0.1.0": 思政课课程论文 #show: 思政课课程论文.config #思政课课程论文.title( title: "测试标题测试标题:测试《测试标题》测试标题", faculty: "测试测试系", author: "赵测试", abstract: [测试测试测试测试测试测试测,试测试测试测试测试测试,测试测试测试测试《测试书籍测试》测试测试测试测。试测试测试测试测试测试测试测试测试测试测试测试测试测试测试测试摘要测试测试测试测试,测试摘要测试测试测试测试测试测试测试测试测试。测试测试测试测试测试测试测试测试测试测试测试测试测试测试测试测试测试测试测试测试,测试测试测试。], keywords: ("《测试测试测试测试》", "测试形象", "主体测试", "测试主义建设"), ) = 引言 #lorem(100) = 《测试测试测试》与测试主体性 #lorem(100)
https://github.com/HarryLuoo/sp24
https://raw.githubusercontent.com/HarryLuoo/sp24/main/431/notes/BriefTheoryOfPrabability.typ
typst
#set heading(numbering: "1.1") #set page(margin: (x: 3cm, y: 1cm)) #import "@preview/wrap-it:0.1.0": wrap-content #text(font: "Cambria",size: 14pt,weight: "black")[Brief Theory of Probability: Notes from MATH 431]\ Compiled by <NAME> #line(length:100%, stroke:(thickness: 2pt)) #outline( indent: auto, ) #pagebreak() //part1: exam1 contents #include "part1.typ" // part 2: exam 2 contents #include "part2.typ" // part 3: exam 3 contents #include "part3.typ"
https://github.com/lcharleux/LCharleux_Teaching_Typst
https://raw.githubusercontent.com/lcharleux/LCharleux_Teaching_Typst/main/src/courses/MECA510_Statique/MECA510_Statique.typ
typst
MIT License
// TEMPLATE IMPORT #import "../../templates/conf.typ": conf, todo, comment, idea, note, important #import "../../templates/drawing.typ": dvec, dpoint, dangle3p, dimension_line, arotz90, arrnumprod, arrsub, anorm, normalize, rotmat2D, dispvcol, arradd, mvec, arrcrossprod, arrdotprod, torseur1, torseur2, torseur6, part_label #import "@preview/unify:0.6.0": num, qty, numrange, qtyrange #import "@preview/cetz:0.2.2" #import "@preview/showybox:2.0.1": showybox #import "@preview/chic-hdr:0.4.0": * #import cetz.draw: * #import "@preview/physica:0.9.3": * #set math.equation(numbering: "(1)") // DOCUMENT SETUP #let course = "MECA510 - Statique" #let block = "Statique" #let section = "MECA3-FISA" #let teacher = "<NAME>" #let email = "<EMAIL>" #show: doc => conf( course: course, block: block, section: section, teacher: teacher, email: email, doc, ) = Cours #todo[MAJ du cours] == Mécanismes === Tableau des liaisons #let frame1 = { cetz.canvas({ let O = (0, 0, 0) let x = (1, 0, 0) let y = (0, 1, 0) let vrad = 0.3 dvec(O, arradd(O, x), label: [$#mvec[x]_1$], color: green, shrink: 0, rotate_label: false, thickness: 1pt, label_fill: none, anchor: "south", padding: 6pt, anchor_at: 100%) dvec(O, arradd(O, y), label: [$#mvec[y]_1$], color: green, shrink: 0, rotate_label: false, thickness: 1pt, label_fill: none, anchor: "east", padding: 6pt, anchor_at: 100%) circle(O, radius: vrad, stroke: green, fill: white) line(O, arradd(O, x), stroke: (paint: green, thickness: 1pt)) dpoint(O, label: [$#mvec[z]_0$], anchor: "north-east", color: green, padding: 8pt) }) } #let frame2 = { cetz.canvas({ let O = (0, 0, 0) let x = (1, 0, 0) let y = (0, 1, 0) let vrad = 0.3 dvec(O, arradd(O, x), label: [$#mvec[z]_1$], color: green, shrink: 0, rotate_label: false, thickness: 1pt, label_fill: none, anchor: "south", padding: 6pt, anchor_at: 100%) dvec(O, arradd(O, y), label: [$#mvec[y]_1$], color: green, shrink: 0, rotate_label: false, thickness: 1pt, label_fill: none, anchor: "east", padding: 6pt, anchor_at: 100%) circle(O, radius: vrad, stroke: green, fill: white) for theta in (45deg, 135deg, 225deg, 315deg) { let P = (vrad * calc.cos(theta), vrad * calc.sin(theta), 0) line(O, P, stroke: (paint: green, thickness: 1pt)) } content(O, anchor: "north-east", padding: 8pt)[#text(fill: green)[$#mvec[x]_0$]] }) } #let pivot1 = { cetz.canvas({ let A = (0, 0) line((0, -1), A, stroke: (paint: red, thickness: 2pt)) line((0, 1), A, stroke: (paint: blue, thickness: 2pt)) circle(A, radius: .5, stroke: (paint: red, thickness: 2pt), fill: white) dpoint(A, label: [$A$], anchor: "north-east", color: black, padding: 12pt) part_label((0, -1), $0$, color: red, anchor: "north-west") part_label((0, 1), $1$, color: blue, anchor: "south-east") }) } #let pivot2 = { cetz.canvas({ let pw = 0.75 let A = (0, 0) line((0, -1), (0, -pw / 2), stroke: (paint: red, thickness: 2pt)) rect((-1, -pw / 2), (1, pw / 2), stroke: (paint: red, thickness: 2pt)) line((-1.5, 1), (-1.5, 0), stroke: (paint: blue, thickness: 2pt)) line((-1.5, 0), (1.5, 0), stroke: (paint: blue, thickness: 2pt)) line((-1.25, pw / 1.5), (-1.25, -pw / 1.5), stroke: (paint: blue, thickness: 2pt)) line((1.25, pw / 1.5), (1.25, -pw / 1.5), stroke: (paint: blue, thickness: 2pt)) // circle(A, radius: .5, stroke:(paint: red, thickness:2pt), fill: white) dpoint(A, label: [$A$], anchor: "north-east", color: black, padding: 14pt) part_label((0, -1), $0$, color: red, anchor: "north-west") part_label((-1.5, 1), $1$, color: blue, anchor: "south-east") }) } #let pivot_glissant1 = { cetz.canvas({ let A = (0, 0) line((0, -1), A, stroke: (paint: red, thickness: 2pt)) circle(A, radius: .5, stroke: (paint: red, thickness: 2pt), fill: white) line((0, 1), A, stroke: (paint: blue, thickness: 2pt)) dpoint(A, label: [$A$], anchor: "north-east", color: black, padding: 12pt) part_label((0, -1), $0$, color: red, anchor: "north-west") part_label((0, 1), $1$, color: blue, anchor: "south-east") }) } #let pivot_glissant2 = { cetz.canvas({ let pw = 0.75 let A = (0, 0) line((0, -1), (0, -pw / 2), stroke: (paint: red, thickness: 2pt)) rect((-1, -pw / 2), (1, pw / 2), stroke: (paint: red, thickness: 2pt)) line((-1.5, 1), (-1.5, 0), stroke: (paint: blue, thickness: 2pt)) line((-1.5, 0), (1.5, 0), stroke: (paint: blue, thickness: 2pt)) dpoint(A, label: [$A$], anchor: "north-east", color: black, padding: 14pt) part_label((0, -1), $0$, color: red, anchor: "north-west") part_label((-1.5, 1), $1$, color: blue, anchor: "south-east") }) } #let glissiere1 = { cetz.canvas({ let radius = 0.5 let A = (0, 0) line((0, -1), A, stroke: (paint: red, thickness: 2pt)) rect((-radius, -radius), (radius, radius), stroke: (paint: red, thickness: 2pt), fill: white) line((0, 1), A, stroke: (paint: blue, thickness: 2pt)) line((-.4, -.4), (.4, .4), stroke: (paint: blue, thickness: 2pt)) line((.4, -.4), (-.4, .4), stroke: (paint: blue, thickness: 2pt)) dpoint(A, label: [$A$], anchor: "north-east", color: black, padding: 16pt) part_label((0, -1), $0$, color: red, anchor: "north-west") part_label((0, 1), $1$, color: blue, anchor: "south-east") }) } #let glissiere2 = { cetz.canvas({ let pw = 0.75 let A = (0, 0) line((0, -1), (0, -pw / 2), stroke: (paint: red, thickness: 2pt)) line((-1.5, 0), (1.5, 0), stroke: (paint: blue, thickness: 2pt)) rect((-1, -pw / 2), (1, pw / 2), stroke: (paint: red, thickness: 2pt), fill: white) line((-1.5, 1), (-1.5, 0), stroke: (paint: blue, thickness: 2pt)) dpoint(A, label: [$A$], anchor: "east", color: black, padding: 6pt) part_label((0, -1), $0$, color: red, anchor: "north-west") part_label((-1.5, 1), $1$, color: blue, anchor: "south-east") }) } #let encastrement = { cetz.canvas({ let radius = 0.5 let A = (0, 0) line((0, -1), A, stroke: (paint: red, thickness: 2pt)) // rect((-radius, - radius),(radius, radius), stroke:(paint: red, thickness:2pt), fill: white) line((0, 1), A, stroke: (paint: blue, thickness: 2pt)) arc((.3, 0), start: 0deg, delta: 90deg, radius: .3, mode: "PIE", stroke: (paint: blue, thickness: 2pt), fill: blue) line((-1, 0), (1, 0), stroke: (paint: red, thickness: 2pt)) // line((-.4,-.4), (.4, .4), stroke: (paint: blue, thickness: 2pt)) // line((.4,-.4), (-.4, .4), stroke: (paint: blue, thickness: 2pt)) // dpoint(A, label: [$A$], anchor: "north-east", color: black, padding:16pt) part_label((0, -1), $0$, color: red, anchor: "north-west") part_label((0, 1), $1$, color: blue, anchor: "south-east") }) } #let rotule = { cetz.canvas({ let A = (0, 0) line((0, -1), A, stroke: (paint: red, thickness: 2pt)) circle(A, radius: .5, stroke: (paint: red, thickness: 2pt), fill: white) line((0, 1.), (0, .6), stroke: (paint: blue, thickness: 2pt)) arc((0, .6), start: 90deg, delta: -135deg, radius: .6, stroke: (paint: blue, thickness: 2pt)) arc((0, .6), start: 90deg, delta: 135deg, radius: .6, stroke: (paint: blue, thickness: 2pt)) dpoint(A, label: [$A$], anchor: "north-east", color: black, padding: 14pt) part_label((0, -1), $0$, color: red, anchor: "north-west") part_label((0, 1), $1$, color: blue, anchor: "south-east") }) } #let ponctuelle = { cetz.canvas({ let A = (0, 0) line((0, -1), A, stroke: (paint: red, thickness: 2pt)) line((0, 1), A, stroke: (paint: blue, thickness: 2pt)) line((-.5, .3), (.5, .3), stroke: (paint: blue, thickness: 2pt)) circle(A, radius: .3, stroke: (paint: red, thickness: 2pt), fill: white) dpoint((0, .3), label: [$A$], anchor: "north-east", color: black, padding: 12pt) part_label((0, -1), $0$, color: red, anchor: "north-west") part_label((0, 1), $1$, color: blue, anchor: "south-east") }) } #table( columns: (1fr, 1fr, 1.2fr, 1fr, 1fr), align: (center + horizon, center + horizon, center + horizon, center + horizon), table.header[Liaison][#frame1][#frame2][Action Méca. \ $ torseur1(T: F_(12) ) $ ][ Tors. Ciné. \ $ torseur1(T: V_(2 slash 1) ) $], [*Encastrement*], encastrement, [], [$torseur6(rx: X_(12), ry: Y_(12), rz: Z_(12) , mx: L_(12), my: M_(12), mz: N_(12), basis:1, p:"A" )$], [$torseur6(basis:1, p:"A" )$], [*Pivot* \ - Axe $(A, #mvec[z])$], pivot1, pivot2, [$torseur6(rx: X_(12), ry: Y_(12), rz: Z_(12) , mx: L_(12), my: M_(12), basis:1, p:"A" )$], [$torseur6(rz: Omega_z, basis:1, p:"A" )$], [*Pivot glissant* \ - Axe $(A, #mvec[z])$], pivot_glissant1, pivot_glissant2, [$torseur6(rx: X_(12), ry: Y_(12), rz:0 , mx: L_(12), my: M_(12), basis:1, p:"A" )$], [$torseur6(mz: V_z, rz: Omega_z, basis:1, p:"A" )$], [*Glissière* \ - Axe $(A, #mvec[z])$], glissiere1, glissiere2, [$torseur6(rx: X_(12), ry: Y_(12), rz:0 , mx: L_(12), my: M_(12), mz:M_(12), basis:1, p:"A" )$], [$torseur6(mz: V_z, basis:1, p:"A" )$], [*Rotule* \ - Centre $A$], rotule, [], [$torseur6(rx: X_(12), ry: Y_(12), rz:Z_(12), basis:1, p:"A" )$], [$torseur6(rx: Omega_x, ry: Omega_y, rz: Omega_z, basis:1, p:"A" )$], [*Ponctuelle* \ - Centre $A$ \ - Normale $#mvec[y]_1$], ponctuelle, [], [$torseur6(ry: Y_(12), basis:1, p:"A" )$], [$torseur6(rx: Omega_x, ry: Omega_y, rz: Omega_z, mx:V_x, mz:V_Z, basis:1, p:"A" )$], ) == Actions de contact #let coulomb_friction(psilabel: $psi_0$, Fn: 3.5, Ft: 2, psi0: 45deg) = { cetz.canvas({ let I = (0, 0) let radius0 = 5 let angular_span0 = 30deg let radius1 = 3 let angular_span1 = 60deg let radpsi = 4 let bold = 2pt let medium = 1pt let light = .5pt let x = (1, 0, 0) let y = (0, 1, 0) arc(I, start: 90deg, delta: angular_span0, radius: radius0, stroke: (paint: black, thickness: medium), name: "arc01") arc(I, start: 90deg, delta: -angular_span0, radius: radius0, stroke: (paint: black, thickness: medium), name: "arc02") arc(I, start: -90deg, delta: -angular_span1, radius: radius1, stroke: (paint: blue, thickness: medium), name: "arc11") arc(I, start: -90deg, delta: angular_span1, radius: radius1, stroke: (paint: blue, thickness: medium), name: "arc12") dvec(I, arradd(I, (Ft, Fn)), label: [$#mvec[F]_(01)$], color: red, shrink: 0, rotate_label: false, thickness: medium, anchor: "west", anchor_at: 100%) dvec(I, arradd(I, (0, Fn)), label: [$#mvec[F]_N$], color: red, shrink: 0, rotate_label: false, thickness: medium, anchor: "south-east", anchor_at: 100%) dvec(I, arradd(I, (Ft, 0)), label: [$#mvec[F]_T$], color: red, shrink: 0, rotate_label: false, thickness: medium, anchor: "west", anchor_at: 100%) dvec(I, arradd(I, x), label: [$#mvec[t]$], color: green, shrink: 0, rotate_label: false, thickness: bold, anchor: "north", padding: 10pt, label_fill: none) dvec(I, arradd(I, y), label: [$#mvec[n]$], color: green, shrink: 0, rotate_label: false, thickness: bold, anchor: "center") dpoint(I, label: [$I$], anchor: "north", padding: 8pt) line((Ft, 0), (Ft, Fn), stroke: (paint: black, thickness: light)) line((0, Fn), (Ft, Fn), stroke: (paint: black, thickness: light)) line(I, (calc.cos(90deg - psi0) * radpsi, calc.sin(90deg - psi0) * radpsi), stroke: (paint: orange, thickness: light)) dangle3p(I, (0, 1), (calc.cos(90deg - psi0) * radpsi, calc.sin(90deg - psi0) * radpsi), label: psilabel, color: orange, mark: (start: ">", end: ">")) part_label((-2.5, -1), $0$, color: black, anchor: "center") part_label((-2.5, 1.9), $1$, color: blue, anchor: "center") }) } // #align(center)[ // #coulomb_friction() // ] #table( columns: 4, align: (center + horizon, center + horizon, center + horizon, center + horizon), table.header[Cas][Vitesse][Relation][Schéma], [*Adhérence*], $#mvec[V] (I in 1 slash 0) = #mvec[0]$, $abs(F_T/F_N) < tan(psi_0)$, coulomb_friction( psi0: 50deg), [*Frottement*], $#mvec[V] (I in 1 slash 0) != #mvec[0]$, $abs(F_T/F_N) = tan(psi)$, coulomb_friction(psilabel: $psi$, Fn: 3.5, Ft: 3.5, psi0: 45deg) ) = Exercices == Poutre encastrée #align(center)[ #cetz.canvas({ let L = 10 let nhatch = 8 let O0 = (0, 0) let x = (2, 0, 0) let y = (0, 2, 0) let bold = 2pt let light = .5pt let fat = 3pt let r = -30deg let g = 4. let Nf = 10 let p = 2.5 // grid((0,0), (L, 8), stroke: (paint:black.lighten(50%), thickness:.2pt), step: .2) // grid((0, 0), (L, 8), stroke: (paint: black.lighten(50%), thickness: .2pt)) // GRID line(O0, (L, 0), stroke: (paint: black, thickness: bold)) line((0, -1), (0, 1), stroke: (paint: black, thickness: bold)) for i in range(nhatch + 1) { let P = (0, i * 2 / nhatch - 1) let Q = (-.5, i * 2 / nhatch - 1.5) line(P, Q, stroke: (paint: black, thickness: light)) } dpoint((L, 0), label: [$A$], anchor: "north-west") for i in range(Nf + 1) { let x = L * i / Nf let y = p let B = (x, 0, 0) let C = (x, y, 0) // dpoint(B, label: [$B B_#str(i)$], anchor: "north") dvec(C, B, label: none, color: red, shrink: 0, rotate_label: false, thickness: 1pt) } dvec((L + .5, 0), arradd((L + .5, 0), x), label: [$#mvec[x]_0$], color: green, shrink: 0, rotate_label: false, thickness: fat) dvec(O0, arradd(O0, y), label: [$#mvec[y]_0$], color: green, shrink: 0, rotate_label: false, thickness: fat, padding: 4pt) dpoint(O0, label: [$O_0$], anchor: "north-west") dimension_line((0, 0), (L, 0), label: [$L$], inv: true, offs: 2) }) ] On considère une poutre encastrée en $O_0$ et soumise à une force répartie $#mvec[p] = -p #mvec[y]_0$ uniforme sur toute sa longueur $L$. === Questions 1. Déterminer le torseur de la force répartie en $O_0$. 2. Déterminer la force concentrée équivalente à la force répartie. 3. Faire un bilan d'actions mécaniques. 4. Ecrire l'équilibre de la poutre et en déduire les actions de liaisons. == Poutre sur 2 appuis et force répartie #align(center)[ #cetz.canvas({ let L = 10 let nhatch = 8 let O0 = (0, 0) let x = (2, 0, 0) let y = (0, 2, 0) let bold = 2pt let light = .5pt let fat = 3pt let r = -30deg let g = 4. let Nf = 10 let p = 2.5 // grid((0,0), (L, 8), stroke: (paint:black.lighten(50%), thickness:.2pt), step: .2) // grid((0, 0), (L, 8), stroke: (paint: black.lighten(50%), thickness: .2pt)) // GRID line(O0, (L, 0), stroke: (paint: blue, thickness: bold)) line((-1, -1), (-1, 1), stroke: (paint: black, thickness: bold)) for i in range(nhatch + 1) { let P = (-1, i * 2 / nhatch - 1) let Q = (-1.5, i * 2 / nhatch - 1.5) line(P, Q, stroke: (paint: black, thickness: light)) } circle((0, 0), radius: .5, stroke: (paint: black, thickness: bold), fill: white) line((-1, 0), (0, 0), stroke: (paint: black, thickness: bold)) dpoint((L, 0), label: [$A$], anchor: "north-west") for i in range(1, Nf + 1) { let x = L * i / Nf let y = p * x / L let B = (x, 0, 0) let C = (x, y, 0) // dpoint(B, label: [$B B_#str(i)$], anchor: "north") dvec(C, B, label: none, color: red, shrink: 0, rotate_label: false, thickness: 1pt) } line(O0, (L, p), stroke: (paint: red, thickness: light)) line((L, 0), (L, -1), stroke: (paint: black, thickness: bold)) line((L - 1, -1), (L + 1, -1), stroke: (paint: black, thickness: bold)) for i in range(nhatch + 1) { let P = (L - 1 + i * 2 / nhatch, -1) let Q = (L - 1 + i * 2 / nhatch - .5, -1.5) line(P, Q, stroke: (paint: black, thickness: light)) } circle((L, -.2), radius: .2, stroke: (paint: black, thickness: bold), fill: white) dvec((L + .5, 0), arradd((L + .5, 0), x), label: [$#mvec[x]_0$], color: green, shrink: 0, rotate_label: false, thickness: fat) dvec(O0, arradd(O0, y), label: [$#mvec[y]_0$], color: green, shrink: 0, rotate_label: false, thickness: fat, padding: 4pt) dpoint(O0, label: [$O_0$], anchor: "north-west") dimension_line((0, 0), (L, 0), label: [$L$], inv: true, offs: 2) }) ] On considère une poutre encastrée en $O_0$ et soumise à une force répartie $#mvec[p] = -p x/L #mvec[y]_0$ uniforme sur toute sa longueur $L$. === Questions 1. Déterminer le torseur de la force répartie en $O_0$. 2. Déterminer la force concentrée équivalente à la force répartie. 3. Faire un bilan d'actions mécaniques. 4. Ecrire l'équilibre de la poutre et en déduire les actions de liaisons. == Poutre sur 2 appuis et force concentrée #align(center)[ #cetz.canvas({ let L = 10 let nhatch = 8 let O0 = (0, 0) let x = (2, 0, 0) let y = (0, 2, 0) let bold = 2pt let light = .5pt let fat = 3pt let r = -30deg let g = 4. let Nf = 10 let p = 2.5 let a = 4 let A = (a, 0) // grid((0,0), (L, 8), stroke: (paint:black.lighten(50%), thickness:.2pt), step: .2) // grid((0, 0), (L, 8), stroke: (paint: black.lighten(50%), thickness: .2pt)) // GRID line(O0, (L, 0), stroke: (paint: blue, thickness: bold)) line((-1, -1), (-1, 1), stroke: (paint: black, thickness: bold)) for i in range(nhatch + 1) { let P = (-1, i * 2 / nhatch - 1) let Q = (-1.5, i * 2 / nhatch - 1.5) line(P, Q, stroke: (paint: black, thickness: light)) } circle((0, 0), radius: .5, stroke: (paint: black, thickness: bold), fill: white) line((-1, 0), (0, 0), stroke: (paint: black, thickness: bold)) dpoint((L, 0), label: [$B$], anchor: "north-west") line((L, 0), (L, -1), stroke: (paint: black, thickness: bold)) line((L - 1, -1), (L + 1, -1), stroke: (paint: black, thickness: bold)) for i in range(nhatch + 1) { let P = (L - 1 + i * 2 / nhatch, -1) let Q = (L - 1 + i * 2 / nhatch - .5, -1.5) line(P, Q, stroke: (paint: black, thickness: light)) } circle((L, -.2), radius: .2, stroke: (paint: black, thickness: bold), fill: white) dvec((L + .5, 0), arradd((L + .5, 0), x), label: [$#mvec[x]_0$], color: green, shrink: 0, rotate_label: false, thickness: fat) dvec(O0, arradd(O0, y), label: [$#mvec[y]_0$], color: green, shrink: 0, rotate_label: false, thickness: fat, padding: 4pt) dvec(arradd(A, (0, 2)), A, label: [$#mvec[F]$], color: red, shrink: 0, rotate_label: false, thickness: bold, padding: 4pt) dpoint(O0, label: [$O_0$], anchor: "north-west") dpoint(A, label: [$A$], anchor: "north-west") dimension_line((0, 0), (L, 0), label: [$L$], inv: true, offs: 2) dimension_line(O0, A, label: [$a$], inv: true, offs: 1) }) ] On considère une poutre encastrée en $O_0$ et soumise à une force concentrée $#mvec[F] = -F #mvec[y]_0$ en $A$. === Questions 1. Faire un bilan d'actions mécaniques. 2. Ecrire l'équilibre de la poutre et en déduire les actions de liaisons. // == Pieds du module lunaire Apollo // #align(center)[ // #cetz.canvas({ // ortho( // x: 30deg, // y: 30deg, // // z: 0deg, // { // let scale = .5 // let O0 = (0, 0, 0) // let x = (3, 0, 0) // let y = (0, 3, 0) // let z = (0, 0, 3) // let F = arrnumprod((12, 0, 0), scale) // let A = arrnumprod((9, 14, 0), scale) // let D = arrnumprod((0, 9, 4), scale) // let E = arrnumprod((0, 9, -4), scale) // let C = arrnumprod((0, 19, 4), scale) // let B = arrnumprod((0, 19, -4), scale) // let bold = 2pt // let light = .5pt // let fat = 3pt // dpoint(O0, label: [$O_0$], anchor: "north") // dvec(O0, x, label: [$#mvec[x]_0$], color: green, shrink: 0, rotate_label: false, thickness: 1pt) // dvec(O0, y, label: [$#mvec[y]_0$], color: green, shrink: 0, rotate_label: false, thickness: 1pt) // dvec(O0, z, label: [$#mvec[z]_0$], color: green, shrink: 0, rotate_label: false, thickness: 1pt) // dpoint(O0, label: [$O_0$], anchor: "north") // dpoint(F, label: [$F$], anchor: "north-west", color:black) // dpoint(A, label: [$A$], anchor: "north-west", color:black) // dpoint(D, label: [$D$], anchor: "north-west", color:black) // dpoint(E, label: [$E$], anchor: "north-west", color:black) // dpoint(C, label: [$C$], anchor: "north-west", color:black) // dpoint(B, label: [$B$], anchor: "north-west", color:black) // line(D, F, stroke: (paint: black, thickness: bold)) // line(E, F, stroke: (paint: black, thickness: bold)) // line(A, F, stroke: (paint: black, thickness: bold)) // for p in (D, E, B, C) { // line(A, p, stroke: (paint: black, thickness: bold)) // } // for (p0, p1) in ((D, E), (E, B), (B, C), (C, D)) { // line(p0, p1, stroke: (paint: black, thickness: light)) // } // dimension_line(C, D, label: [$l$], inv: true) // }, // ) // }) // ] == Echelle contre un mur #align(center)[ #cetz.canvas({ let L = 8 let nhatch = 20 let O0 = (0, 0) let A = (4, 0) let B = (0, 6) let x = (2, 0, 0) let y = (0, 2, 0) let G = (3.2, 5) let bold = 2pt let light = .5pt let fat = 3pt let P1 = (G.at(0), B.at(1)) let P2 = (A.at(0), G.at(1)) // grid((0,0), (L, 8), stroke: (paint:black.lighten(50%), thickness:.2pt), step: .2) // grid((0, 0), (L, 8), stroke: (paint: black.lighten(50%), thickness: .2pt)) // GRID line(O0, (L, 0), stroke: (paint: black, thickness: bold)) line(O0, (0, L), stroke: (paint: black, thickness: bold)) for i in range(nhatch + 1) { let P = (i * L / nhatch, 0) let Q = (i * L / nhatch - 0.5, -0.5) line(P, Q, stroke: (paint: black, thickness: light)) } for i in range(nhatch + 1) { let P = (0, i * L / nhatch) let Q = (-0.5, i * L / nhatch - 0.5) line(P, Q, stroke: (paint: black, thickness: light)) } dvec(O0, arradd(O0, x), label: [$#mvec[x]_0$], color: green, shrink: 0, rotate_label: false, thickness: fat) dvec(O0, arradd(O0, y), label: [$#mvec[y]_0$], color: green, shrink: 0, rotate_label: false, thickness: fat, padding: 4pt) dpoint(O0, label: [$O_0$], anchor: "south-east") line((4, .25), (.25, 6), stroke: (paint: blue, thickness: 2pt), name: "AB") line((name:"AB", anchor:50%), G, stroke: (paint: blue, thickness: 2pt), name: "AG") circle((4, .25), radius: .25, stroke: (paint: blue, thickness: 2pt), fill: white) circle((.25, 6), radius: .25, stroke: (paint: blue, thickness: 2pt), fill: white) dpoint(G, label: [$G_1$], anchor: "south-west") part_label((7, 0), $0$, color: black, anchor: "south") part_label((1, 4.8), $1$, color: blue, anchor: "center") dpoint(A, label: [$A$], anchor: "south-west") dpoint(B, label: [$B$], anchor: "south-west") dvec((6, 7), (6, 3), label: [$#mvec[g] = -g #mvec[y]_0$], color: red, shrink: 0, rotate_label: false, thickness: bold, padding: 4pt) dimension_line(O0, (4, 0), label: [$x_A$], inv: true) dimension_line(O0, (0, 6), label: [$y_B$], inv: false) // dimension_line((4, 0), (0, 6), label: [$L$], inv: true, invert_label: true) line((G), P1, stroke: (paint: black, thickness: light)) line((G), P2, stroke: (paint: black, thickness: light)) dimension_line(B, P1, label: [$x_G$], inv: false, invert_label: false) dimension_line(P2, A, label: [$y_G$], inv: false, invert_label: true, offs:1) }) ] On considère l'échelle et l'opérateur qui monte dessus comme le solide $(1)$. L'ensemble ($1$) a pour centre de gravité $G_1$. Le mur et et le sol forment le solide $(0)$. Le contact en $A$ entre ($1$) et ($0$) est avec frottement de coefficient $f$. Le contact en $B$ ($1$) et ($0$) est sans frottement. === Questions 1. Faire un bilan d'actions mécaniques. 2. Ecrire l'équilibre du solide $(1)$. 3. En déduire à quelle conditions son équilibre est possible. 4. Traduire graphiquement les positions de l'opérateur qui permettent l'équilibre et celles qui vont le conduire à la chute. == VTT dans une pente #align(center)[ #cetz.canvas({ let L = 8 let nhatch = 20 let O0 = (0, 0) let x = (2, 0, 0) let y = (0, 2, 0) let bold = 2pt let light = .5pt let fat = 3pt let r = -30deg let g = 4. rotate(z: r) { // grid((0,0), (L, 8), stroke: (paint:black.lighten(50%), thickness:.2pt), step: .2) // grid((0, 0), (L, 8), stroke: (paint: black.lighten(50%), thickness: .2pt)) // GRID line(O0, (L, 0), stroke: (paint: black, thickness: bold)) for i in range(nhatch + 1) { let P = (i * L / nhatch, 0) let Q = (i * L / nhatch - 0.5, -0.5) line(P, Q, stroke: (paint: black, thickness: light)) } dvec(O0, arradd(O0, x), label: [$#mvec[x]_0$], color: green, shrink: 0, rotate_label: false, thickness: fat) dvec(O0, arradd(O0, y), label: [$#mvec[y]_0$], color: green, shrink: 0, rotate_label: false, thickness: fat, padding: 4pt) dpoint(O0, label: [$O_0$], anchor: "north-east") circle((2, 1), radius: 1, stroke: (paint: blue, thickness: 2pt), fill: none) circle((6, 1), radius: 1, stroke: (paint: blue, thickness: 2pt), fill: none) line((2, 1), (6, 1), stroke: (paint: blue, thickness: 2pt), name: "AB") line((4.5, 1), (4.5, 3), stroke: (paint: blue, thickness: 2pt), name: "CD") circle((2, 1), radius: .1, stroke: (paint: blue, thickness: 2pt), fill: white) circle((6, 1), radius: .1, stroke: (paint: blue, thickness: 2pt), fill: white) dpoint((2, 0), label: [$A$], anchor: "north-east") dpoint((6, 0), label: [$B$], anchor: "north-east") dpoint((4.5, 3), label: [$G_1$], anchor: "south") dvec((5, 7), (5 - g * calc.sin(r), 7 - g * calc.cos(r)), label: [$#mvec[g] = g (-cos(theta) #mvec[y]_0 + sin(theta) #mvec[x]_0)$], color: red, shrink: 0, rotate_label: false, thickness: bold, padding: 8pt, anchor:"west") line((5, 7), (5, 3), stroke: (paint: black, thickness: 1pt, dash: "dashed")) dangle3p((5, 7), (5, 3), (5 - g * calc.sin(r), 7 - g * calc.cos(r)), radius: 3.5, label: $theta$, color: green) dimension_line((2, 0), (4.5, 0), label: [$l$], inv: true, offs: 1) dimension_line((2, 0), (6, 0), label: [$L$], inv: true, offs: 2) dimension_line((0, 0), (0, 3), label: [$H$], inv: false, offs: 2) line((0, 3), (4.5, 3), stroke: (paint: black, thickness: light)) part_label((4, 2), $1$, color: blue, anchor: "center") part_label((1, -1), $0$, color: black, anchor: "center") } }) ] On considère un VTT en train de gravir une pente inclinée d'un angle $theta$ par rapport à l'horizontale. Le problème est plan. Il est considéré comme quasi statique. Le VTT est donc en équilibre et ne bouge pas. Le VTT dans son ensemble, roues comprises, peut être modélisé par un solide $(1)$. Le VTT est modélisé par un solide $(1)$ de centre de gravité $G_1$. Le contact au point $A$ est sans frottement. Le contact au point $B$ est avec frottement de coefficient $f$. Les longueurs $L$ et $H$ sont connues et constantes. Le cycliste peut ajuster sa position en jouant sur la longueur $l$. === Questions 1. Faire un bilan d'actions mécaniques. 2. Ecrire l'équilibre du solide $(1)$. 3. En déduire à quelle conditions sa roue avant ne décolle pas du sol. 4. En déduire à quelle conditions le VTT ne glisse pas au point $B$. 5. Existe-t-il des pentes pour lesquelles le VTT ne peut pas monter? Si oui, lesquelles ? Quelle doit être la position du cycliste pour que le VTT puisse monter quand cela est possible. == Point de bascule #align(center)[ #cetz.canvas({ let L = 4 let H = 6 let xA = 2 let nhatch = 20 let O0 = (0, 0) let A = (0, 3) let B = (L, 3) let x = (2, 0, 0) let y = (0, 2, 0) let bold = 2pt let light = .5pt let fat = 3pt let A = (xA, 0) let B = (xA + L, 0) let C = (xA + L, H) let D = (xA, H) let G = (xA + L / 2, H / 2) // grid((0,0), (L, 8), stroke: (paint:black.lighten(50%), thickness:.2pt), step: .2) // grid((0, 0), (xA + L + 1, 8), stroke: (paint: black.lighten(50%), thickness: .2pt)) // GRID line(O0, ((xA + L + 1), 0), stroke: (paint: black, thickness: bold)) for i in range(nhatch + 1) { let P = (i * (xA + L + 1) / nhatch, 0) let Q = (i * (xA + L + 1) / nhatch - 0.5, -0.5) line(P, Q, stroke: (paint: black, thickness: light)) } dvec(O0, arradd(O0, x), label: [$#mvec[x]_0$], color: green, shrink: 0, rotate_label: false, thickness: fat) dvec(O0, arradd(O0, y), label: [$#mvec[y]_0$], color: green, shrink: 0, rotate_label: false, thickness: fat, padding: 4pt) dpoint(O0, label: [$O_0$], anchor: "south-east") rect(A, C, stroke: (paint: blue, thickness: bold)) part_label((xA + L, 0), $1$, color: blue, anchor: "south-east") part_label((xA + L + 1, 0), $0$, color: black, anchor: "north") dpoint(A, label: [$A$], anchor: "south-east") dpoint(B, label: [$B$], anchor: "south-west") dpoint(C, label: [$C$], anchor: "south-west") dpoint(D, label: [$D$], anchor: "south-east") dpoint(G, label: [$G$], anchor: "north-west") dvec((8, 7), (8, 5), label: [$#mvec[g] = -g #mvec[y]_0$], color: red, shrink: 0, rotate_label: false, thickness: bold, padding: 4pt) dimension_line(A, B, label: [$L$], inv: true) dimension_line(D, A, label: [$H$], inv: true, offs: 4) dvec((D), (0, H), label: [$#mvec[F]$], color: red, shrink: 0, rotate_label: false, thickness: bold, padding: 2pt, anchor: "center") }) ] On considère un solide de forme parallélépipédique $(1)$ en équilibre contre le solide $(0)$. Le contact entre les solides $(1)$ et $(0)$ dans la zone $[A B]$ est avec frottement de coefficient $f$. Le centre de gravité du solide $(1)$ l'échelle est en $G$. Une force $#mvec[F] = -F #mvec[x]_0$ est appliquée en $A$ sur le solide $(1)$. === Questions 1. Faire un bilan d'actions mécaniques. 2. Ecrire l'équilibre du solide $(1)$. 3. Dans quelles conditions le solide $(1)$ peut-il se mettre à glisser sur le solide $(0)$ ? 4. Dans quelles conditions se produit le basculement du solide $(1)$ autour du point $A$ ? == Dispositif de bridage #align(center)[ #cetz.canvas({ let L = 10 let nhatch = 20 let O0 = (0, 0) let A = (0, 3) let B = (L, 3) let x = (2, 0, 0) let y = (0, 2, 0) let bold = 2pt let light = .5pt let fat = 3pt // grid((0,0), (L, 8), stroke: (paint:black.lighten(50%), thickness:.2pt), step: .2) // grid((0,0), (L, 8), stroke: (paint:black.lighten(50%), thickness:.2pt)) // GRID line((0, 6), (L, 6), stroke: (paint: black, thickness: light)) line((0, 4), (L, 4), stroke: (paint: black, thickness: light)) line((0, 0), (0, 7), stroke: (paint: black, thickness: light)) line((3, 0), (3, 7), stroke: (paint: black, thickness: light)) line((7, 0), (7, 7), stroke: (paint: black, thickness: light)) line((10, 0), (10, 7), stroke: (paint: black, thickness: light)) line(O0, (L, 0), stroke: (paint: black, thickness: bold)) for i in range(nhatch + 1) { let P = (i * L / nhatch, 0) let Q = (i * L / nhatch - 0.5, -0.5) line(P, Q, stroke: (paint: black, thickness: light)) } line(O0, A, stroke: (paint: black, thickness: 2pt)) line((L, 0), B, stroke: (paint: black, thickness: 2pt)) line((L / 2, 0), (L / 2, .9), stroke: (paint: black, thickness: bold)) line((L / 4, .9), (3 * L / 4, .9), stroke: (paint: black, thickness: bold)) line((L / 4, 1.1), (3 * L / 4, 1.1), stroke: (paint: red, thickness: bold)) line((L / 2, 1.1), (L / 2, 4), stroke: (paint: red, thickness: bold)) line((L / 4, 4), (3 * L / 4, 4), stroke: (paint: red, thickness: bold)) line(A, (2, 5), stroke: (paint: green, thickness: bold)) line((2, 5), (3, 5), stroke: (paint: green, thickness: bold)) line((3, 5), (3, 4), stroke: (paint: green, thickness: bold), mark: (end: ">")) line(B, (L - 2, 5), stroke: (paint: maroon, thickness: bold)) line((L - 2, 5), (L - 3, 5), stroke: (paint: maroon, thickness: bold)) line((L - 3, 5), (L - 3, 4), stroke: (paint: maroon, thickness: bold), mark: (end: ">")) line((2, 5), (2, 6), stroke: (paint: green, thickness: bold)) line((2, 6), (6.2, 6), stroke: (paint: blue, thickness: bold)) line((L - 3, 6), (L - 3, 7), stroke: (paint: orange, thickness: bold)) line((7, 7), (5, 7), stroke: (paint: orange, thickness: bold)) line((5, 7), (5, 6), stroke: (paint: orange, thickness: bold)) rect((4, 5.5), (6, 6.5), stroke: (paint: orange, thickness: bold), fill: white) line((4, 5.5), (6, 6.5), stroke: (paint: orange, thickness: bold)) circle(A, radius: .3, stroke: (paint: black, thickness: 2pt), fill: white) circle(B, radius: .3, stroke: (paint: black, thickness: 2pt), fill: white) circle((2, 6), radius: .3, stroke: (paint: green, thickness: 2pt), fill: white) circle((L - 3, 6), radius: .5, stroke: (paint: orange, thickness: 2pt), fill: white) line((L - 3, 5), (L - 3, 6), stroke: (paint: maroon, thickness: bold)) circle((L - 3, 6), radius: .3, stroke: (paint: maroon, thickness: 2pt), fill: white) dvec(O0, arradd(O0, x), label: [$#mvec[x]_0$], color: green, shrink: 0, rotate_label: false, thickness: fat) dvec(O0, arradd(O0, y), label: [$#mvec[y]_0$], color: green, shrink: 0, rotate_label: false, thickness: fat, padding: 4pt) dpoint(O0, label: [$O_0$], anchor: "south-east") part_label((8, 0), $0$, color: black, anchor: "south") part_label((6, 1.1), $1$, color: red, anchor: "south") part_label((2, 5), $2$, color: green, anchor: "south-west") part_label((L - 3, 5), $3$, color: maroon, anchor: "south-west") part_label((3, 6), $4$, color: blue, anchor: "south") part_label((6, 7), $5$, color: orange, anchor: "south") dpoint(A, label: [$A$], anchor: "south-east") dpoint(B, label: [$B$], anchor: "south-west") dpoint((2, 6), label: [$C$], anchor: "south-east") dpoint((L - 3, 6), label: [$D$], anchor: "south-west") dpoint((3, 4), label: [$I$], anchor: "north-east") dpoint((L - 3, 4), label: [$J$], anchor: "north-west") dimension_line(O0, (3, 0), label: [$l$], inv: true) dimension_line((0, 0), (0, 4), label: [$h$], inv: false) dimension_line((7, 0), (10, 0), label: [$l$], inv: true) dimension_line((0, 0), (0, 6), label: [$H$], inv: false, offs: 3) dimension_line((0, 0), (10, 0), label: [$L$], inv: true, offs: 3) }) ] On considère un dispositif de bridage constitué de 5 pièces. Il a pour fonction de serrer la pièce $(1)$ contre la pièce $(0)$ au moyen des brides $(2)$ et $(3)$. On veut savoir quelle est la relation entre cet effort de serrage et l'action de la vis $(4)$ dans l'écrou $(5)$. #note[Cet exercice est inspiré de #cite(<bremont1996mecanique2>, form:"full") page 97.] On fait les hypothèses suivantes: - Les longueurs $L$, $h$ et $H$ sont connues et constantes. - L'écrou $(5)$ applique un effort de serrage $#mvec[R]_(53) = -S #mvec[x]_0$ sur la bride $(3)$. - La pesanteur est négligée. - Le référentiel $(0)$ est galiéen. - Le problème est plan. === Questions 1. Faire le graphe des liaisons. 2. Faire un bilan d'actions mécaniques. 3. Définir les solides à isoler et l'ordre dans lequel vous comptez le faire afin de calculer l'effort appliqué par les brides sur la pièce $(1)$. 4. Calculer l'effort appliqué par les brides sur la pièce $(1)$ en fonction de $S$. 5. Conclure quant au choix des dimensions du systéme. #bibliography("../../biblio.bib", style: "institute-of-electrical-and-electronics-engineers", title: "Références")
https://github.com/typst-community/glossarium
https://raw.githubusercontent.com/typst-community/glossarium/master/glossarium.typ
typst
MIT License
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE // SOFTWARE. #import "themes/default.typ": gls, agls, glspl, make-glossary, register-glossary, print-glossary, gls-key, gls-short, gls-artshort, gls-plural, gls-long, gls-artlong, gls-longplural, gls-description, gls-group
https://github.com/Myriad-Dreamin/typst.ts
https://raw.githubusercontent.com/Myriad-Dreamin/typst.ts/main/fuzzers/corpora/text/shift_00.typ
typst
Apache License 2.0
#import "/contrib/templates/std-tests/preset.typ": * #show: test-page #table( columns: 3, [Typo.], [Fallb.], [Synth], [x#super[1]], [x#super[5n]], [x#super[2 #box(square(size: 6pt))]], [x#sub[1]], [x#sub[5n]], [x#sub[2 #box(square(size: 6pt))]], )
https://github.com/jassielof/typst-templates
https://raw.githubusercontent.com/jassielof/typst-templates/main/README.md
markdown
MIT License
# Collection of Typst templates All templates/works in this repository are made by me under my free time, and licensed under the MIT License. ## Usage To use a template from this project, simply copy/clone the contents. ### Cloning or Using Submodules You can clone the whole repository inside your working directory/project and use the template as: ```sh git clone https://github.com/jassielof/typst-templates.git template ``` This method won't let you upload your project because it will be a cloned repository, you can either remove the `.git/` directory, but this won't let you update the template for any future changes. In that case, you can use a submodule: ```sh git submodule add https://github.com/jassielof/typst-templates.git template ``` This will let you update the template by running `git submodule update --remote --merge` inside the `template/` directory. And also upload your project as a git repository without any conflicts. The repository will appear as a reference git repository in your project. ### Typst Universe
https://github.com/Enter-tainer/natrix
https://raw.githubusercontent.com/Enter-tainer/natrix/main/demo.typ
typst
Apache License 2.0
#import "lib.typ": * #set page(height: auto, width: auto, fill: white) = Natural and consistent matrix --- #smallcaps[Natrix] Switch your *#underline(`mat`)* to *#underline(`nat`)* and you will get a natural and consistent matrix. ```typ #import "@preview/natrix:0.1.0": * $ bnat(a,b;c,d) bnat(x;y) = x bnat(a;c) + y bnat(b;d) = bnat(a x + b y; c x + d y) $ ``` == With #smallcaps[Natrix]'s *#underline(`nat`)* $ bnat(a,b;c,d) bnat(x;y) = x bnat(a;c) + y bnat(b;d) = bnat(a x+b y;c x+d y) $ == With original *#underline(`mat`)* #[ #set math.mat(delim: "[") $ mat(a,b;c,d) mat(x;y) = x mat(a;c) + y mat(b;d) = mat(a x+b y;c x+d y) $ ]
https://github.com/cadojo/vita
https://raw.githubusercontent.com/cadojo/vita/main/src/experience.typ
typst
MIT License
#let experiencelist = state("experiencelist", ()) #let experience( organization, role: none, start: none, stop: none, notes ) = { let content = [ #grid( columns: (65%, 33%, 1fr), heading(level: 2, organization), align(right)[ #set text(rgb(130,130,130)) #start #if stop != none { " — " + stop} ] ) #if role != none { set text(rgb(100,100,100)) if type(role) == "string" { v(-0.75em) heading(level: 3, text(style: "italic", role)) } else { v(-0.75em) heading(level: 3, text(style: "italic", role.join(", "))) } } #notes ] experiencelist.update(current => current + (content,)) } #let experiences(header: "Professional Experience", color: black, size: 9pt) = { locate( loc => { let experiencelist = experiencelist.final(loc) if experiencelist.len() > 0 { heading(level: 1, text(header)) line(length: 97%) set text(color, size: size) experiencelist.join() } } ) }
https://github.com/Myriad-Dreamin/tinymist
https://raw.githubusercontent.com/Myriad-Dreamin/tinymist/main/docs/tinymist/commands.typ
typst
Apache License 2.0
#import "mod.typ": * #show: book-page.with(title: "Tinymist Command System") The extra features are exposed via LSP's #link("https://microsoft.github.io/language-server-protocol/specifications/lsp/3.17/specification/#workspace_executeCommand")[`workspace/executeCommand`] request, forming a command system. The commands in the system share a name convention. - `export`#text(olive, `Fmt`). these commands perform export on some document, with a specific format (#text(olive, `Fmt`)), e.g. `exportPdf`. - `interactCodeContext({`#text(olive, `kind`)`}[])`. The code context requests are useful for _Editor Frontends_ to extend some semantic actions. A batch of requests are sent at the same time, to get code context _atomically_. - `getResources(`#text(olive, `"path/to/resource/"`)`, `#text(red, `opts`)`)`. The resources required by _Editor Frontends_ should be arranged in #text(olive, "paths"). A second arguments can be passed as options to request a resource. This resemebles a restful `POST` action to LSP, with a url #text(olive, "path") and a HTTP #text(red, "body"), or a RPC with a #text(olive, "method name") and #text(red, "params"). Note you can also hide some commands in list of commands in UI by putting them in `getResources` command. - `do`#text(olive, `Xxx`). these commands are internally for _Editor Frontends_, and you'd better not to invoke them directly. You can still invoke them manually, as long as you know what would happen. - The rest commands are public and tend to be user-friendly. // === Stateful Commands // Two styles are made for stateful commands. === Code Context The code context requests are useful for _Editor Frontends_ to check syntax and semantic the multiple positions. For example an editor frontend can filter some completion list by acquire the code context at current position.
https://github.com/ojas-chaturvedi/typst-templates
https://raw.githubusercontent.com/ojas-chaturvedi/typst-templates/master/assignments/template.typ
typst
MIT License
#let assignment(title, author, course_id, professor_name, semester, due_time, body) = { set document(title: title, author: author) set text(12pt) set page( paper:"us-letter", header: locate( loc => if ( counter(page).at(loc).first()==1) { none } else if (counter(page).at(loc).first()==2) { align(right, [*#author* | *#course_id: #title* | *Problem 1*] ) } else { align(right, [*#author* | *#course_id: #title* | *Problem #problem_counter.at(loc).first()*] ) } ), footer: locate( loc => if ( counter(page).at(loc).first()==1) { none } else { let page_number = counter(page).at(loc).first() let total_pages = counter(page).final(loc).last() align(center)[Page #page_number of #total_pages] } ) ) block(height:25%,fill:none) align(center, text(17pt)[ *#course_id: #title*]) align(center, text(10pt)[ Due on #due_time]) align(center, [_Prof. #professor_name _, #semester, #due_time]) block(height:35%,fill:none) align(center)[*#author*] pagebreak(weak: false) body } #let problem_counter = counter("problem") #let prob(question, body) = { [== Problem #problem_counter.step() #problem_counter.display()] text(12pt)[Question: #question] block(fill:rgb(250, 255, 250), width: 100%, inset:8pt, radius: 4pt, stroke:rgb(31, 199, 31), body) }
https://github.com/rlpundit/typst
https://raw.githubusercontent.com/rlpundit/typst/main/Typst/en-Report/Class.typ
typst
MIT License
#import "@preview/colorful-boxes:1.2.0": outlinebox #import "common/metadata.typ": * // --- Chapter Titles --- #let chap(ref, ack: false) = { set page(header: none) v(8cm) if ack == false { text(white)[= #ref] } place( center, rect(height: 50pt,radius: (rest: 2pt))[ #text(3em, weight: 700, ref) ] ) } #let report( title: "", titre: "", diploma: "", program: "", supervisor: "", author: "", date: none, bibFile: none, isAbstract: false, body, ) = { // --- Set the document's geometric properties. --- set page( margin: (left: 30mm, right: 30mm, top: 40mm, bottom: 40mm), numbering: "1", number-align: center, ) // --- Save heading and body font families in variables --- let body-font = "Garamond" let sans-font = "Garamond" // --- Body font family --- set text( font: body-font, size: 12pt, lang: "en" ) show math.equation: set text(weight: 400) // --- Headings --- show heading: set block(below: 0.85em, above: 1.75em) show heading: set text(font: body-font) set heading(numbering: "1.1") /* set page(header: locate(loc => { let elems = query( selector(heading).before(loc), loc, ) if elems == () { align(right, capstone) } else { let body = elems.last().body capstone + h(1fr) + emph(body) } })) */ // --- Paragraphs --- show par: set block(spacing: 1.5em) set par(leading: 1em, justify: true) // --- Figures --- show figure: set text(size: 0.85em) body // --- Bibliography --- if bibFile != none { chap("Bibliography") set page(header: smallcaps(title) + h(1fr) + emph("Bibliography") + line(length: 100%)) //text(white)[#heading(bookmarked: true)[Bibliography]] v(-1cm) bibliography(bibFile, title: none, full: true, style: "ieee") } // --- Abstract | Résumé --- if isAbstract == true { set page(header: none, numbering: none) outlinebox( title: "Abstract", color: none, width: auto, radius: 2pt, centering: false )[ #abstract #line(length: 100%) _*Keywords --*_ #keywords ] outlinebox( title: "Résumé", color: none, width: auto, radius: 2pt, centering: false )[ #resume #line(length: 100%) _*Mots clés --*_ #motscles ] } }
https://github.com/typst/packages
https://raw.githubusercontent.com/typst/packages/main/packages/preview/suiji/0.2.0/src/random.typ
typst
Apache License 2.0
//============================================================================== // Random number generator // // Public functions are: // gen-rng // integers, random, uniform, normal // shuffle, choice //============================================================================== #import "taus.typ": taus-get, taus-get-float, taus-set //---------------------------------------------------------- // Private functions //---------------------------------------------------------- // Return random integers from [0, n), 1 <= n <= 0xFFFFFFFF #let _uniform-int(rng, n) = { let scale = calc.quo(0xFFFFFFFF, n) let val = 0 while true { (rng, val) = taus-get(rng) let k = calc.quo(val, scale) if k < n {return (rng, k)} } } //---------------------------------------------------------- // Public functions //---------------------------------------------------------- // Construct a new random number generator with a seed // // Arguments: // seed: value of seed, effective value is an integer from [1, 2^32-1] // // Returns: // rng: generated object of random number generator #let gen-rng(seed) = { assert(type(seed) == int, message: "`seed` should be an integer") taus-set(seed) } // Return random integers from low (inclusive) to high (exclusive). // // Arguments: // rng: object of random number generator // low: lowest (signed) integers to be drawn from the distribution, optional // high: one above the largest (signed) integer to be drawn from the distribution, optional // size: returned array size, must be positive integer, optional // endpoint: if true, sample from the interval [low, high] instead of the default [low, high), optional // // Returns: // array of (rng, arr) // rng: updated object of random number generator // arr: array of random numbers #let integers(rng, low: 0, high: 100, size: 1, endpoint: false) = { assert(type(size) == int and size >= 1, message: "`size` should be positive") let gap = high - low if endpoint {gap += 1} assert(gap >= 1 and gap <= 0xFFFFFFFF, message: "invalid range between `low` and `high`") let val = 0 let a = () for i in range(size) { (rng, val) = _uniform-int(rng, gap) a.push(val + low) } if size == 1 { return (rng, a.at(0)) } else { return (rng, a) } } // Return random floats in the half-open interval [0.0, 1.0). // // Arguments: // rng: object of random number generator // size: returned array size, must be positive integer, optional // // Returns: // array of (rng, arr) // rng: updated object of random number generator // arr: array of random numbers #let random(rng, size: 1) = { assert(type(size) == int and size >= 1, message: "`size` should be positive") let val = 0 let a = () for i in range(size) { (rng, val) = taus-get-float(rng) a.push(val) } if size == 1 { return (rng, a.at(0)) } else { return (rng, a) } } // Draw samples from a uniform distribution of half-open interval [low, high) (includes low, but excludes high). // // Arguments: // rng: object of random number generator // low: lower boundary of the output interval, optional // high: upper boundary of the output interval, optional // size: returned array size, must be positive integer, optional // // Returns: // array of (rng, arr) // rng: updated object of random number generator // arr: array of random numbers #let uniform(rng, low: 0.0, high: 1.0, size: 1) = { assert(type(size) == int and size >= 1, message: "`size` should be positive") let val = 0 let a = () for i in range(size) { (rng, val) = taus-get-float(rng) a.push(low * (1 - val) + high * val) } if size == 1 { return (rng, a.at(0)) } else { return (rng, a) } } // Draw random samples from a normal (Gaussian) distribution. // // Arguments: // rng: object of random number generator // loc: float, mean (centre) of the distribution, optional // scale: float, standard deviation (spread or width) of the distribution, must be non-negative, optional // size: returned array size, must be positive integer, optional // // Returns: // array of (rng, arr) // rng: updated object of random number generator // arr: array of random numbers #let normal(rng, loc: 0.0, scale: 1.0, size: 1) = { assert(type(size) == int and size >= 1, message: "`size` should be positive") assert(scale >= 0, message: "`scale` should be non-negative") let x = 0 let y = 0 let r2 = 0 let val = 0 let a = () for i in range(size) { while true { // Choose x and y in uniform square (-1,-1) to (+1,+1) (rng, val) = taus-get-float(rng) x = -1 + 2 * val (rng, val) = taus-get-float(rng) y = -1 + 2 * val // See if it is in the unit circle r2 = x * x + y * y if r2 <= 1.0 and r2 != 0 {break} } // Box-Muller transform a.push(loc + scale * y * calc.sqrt(-2.0 * calc.ln(r2) / r2)); } if size == 1 { return (rng, a.at(0)) } else { return (rng, a) } } // Randomly shuffle a given array. // // Arguments: // rng: object of random number generator // arr: the array to be shuffled // // Returns: // array of (rng, arr) // rng: updated object of random number generator // arr: shuffled array #let shuffle(rng, arr) = { assert(type(arr) == array, message: "`arr` should be arrry type") let size = arr.len() assert(size >= 1, message: "size of `arr` should be positive") if size == 1 {return (rng, arr)} let j = 0 for i in range(size - 1, 0, step: -1) { (rng, j) = _uniform-int(rng, i + 1) if i != j { (arr.at(i), arr.at(j)) = (arr.at(j), arr.at(i)) } } return (rng, arr) } // Generates random samples from a given array. // The sample assumes a uniform distribution over all entries in the array. // // Arguments: // rng: object of random number generator // arr: the array to be sampled // size: returned array size, must be positive integer, optional // replacement: whether the sample is with or without replacement, optional; default is true, meaning that a value of arr can be selected multiple times. // permutation: whether the sample is permuted when sampling without replacement, optional; default is true, false provides a speedup. // // Returns: // array of (rng, arr) // rng: updated object of random number generator // arr: generated random samples #let choice(rng, arr, size: 1, replacement: true, permutation: true) = { assert(type(arr) == array, message: "`arr` should be arrry type") assert(type(size) == int and size >= 1, message: "`size` should be positive") assert(type(replacement) == bool, message: "`replacement` should be boolean") assert(type(permutation) == bool, message: "`permutation` should be boolean") let n = arr.len() assert(n >= 1, message: "size of `arr` should be positive") let val = 0 let a = () if replacement { // Sample with replacement for i in range(size) { (rng, val) = _uniform-int(rng, n) a.push(arr.at(val)) } } else { // Sample without replacement assert(size <= n, message: "`size` should be no more than input array size when `replacement` is false") let i = 0 let j = 0 while i < n and j < size { (rng, val) = taus-get-float(rng) if (n - i) * val < size - j { a.push(arr.at(i)) j += 1 } i += 1 } if permutation { (rng, a) = shuffle(rng, a) } } if size == 1 { return (rng, a.at(0)) } else { return (rng, a) } }
https://github.com/FrightenedFoxCN/cetz-cd
https://raw.githubusercontent.com/FrightenedFoxCN/cetz-cd/main/src/snipets.typ
typst
#import "cetz-cd.typ": * // need to be rewrite completely // a grid with downwards and rightwards array // #let grid-rd(table) = { // let line-number = table.len() // let line-length = table.at(0).len() // for line in table { // if line.len() != line-length { // panic("Numbers of items in a line is different. Check your input!") // } // } // cetz-cd-raw( // table, // ("r, d & " * (line-length - 1) + "d \\") * (line-number - 1) + ("r &" * (line-length - 1)) // ) // } // // a push-out is simply a 2 by 2 grid // #let pushout(a, b, c, d) = grid-rd(((a, b), (c, d))) // // a triangle with rightwards and downwards arrow // #let triangle-rd(a, b, c) = cetz-cd-raw(((a, b), ("", c)), "r, rd & d")
https://github.com/AU-Master-Thesis/thesis
https://raw.githubusercontent.com/AU-Master-Thesis/thesis/main/journal/main.typ
typst
MIT License
#let locations = (beumer: [Beumer], au: [AU 5124 139], home: [From Home], ol: [OrbitLab]) #let important-datetimes = ( project: ( start: datetime(day: 29, month: 01, year: 2024), end: datetime(day: 04, month: 06, year: 2024), ), ) #let datetime-display-format = "[weekday] (week [week_number padding:space]) [day]-[month]-[year]" #let project-week-number(date) = { let dur = date - important-datetimes.project.start calc.ceil(dur.weeks()) } #let datetime-display-format = "[weekday] (week [week_number padding:space]) [day]-[month]-[year]" #let hr = line(length: 100%) #let day(dt) = { let weekday = dt.display("[weekday]") let date = dt.display("[day]-[month]-[year]") [ == #weekday #date (project week #project-week-number(dt)) #hr ] } #let deadline-countdown() = { let today = datetime.today() let dur = important-datetimes.project.end - today let floor = calc.floor let weeks = floor(dur.weeks()) let days = floor(dur.days()) - weeks * 7 // let hours = floor(dur.hours()) - weeks * 7 * 24 - days * 24 let weeks-postfix = if weeks == 1 { "week" } else { "weeks" } let days-postfix = if days == 1 { "day" } else { "days" } set align(center) set text(size: 18pt) if 0 < weeks { [#text(color.red, [#weeks]) #weeks-postfix ] } if 0 < days { [#text(color.red, [#days]) #days-postfix ] } let emojies = ( emoji.face.goofy, emoji.face.devil, emoji.face.explode, emoji.face.cry, emoji.face.frust, emoji.face.grin, emoji.face.angry, ) assert(emojies.len() == 7) let daily-emoji = emojies.at(calc.rem(floor(dur.days()), emojies.len())) [left to hand-in deadline #daily-emoji] } #let journal-entry(what, c: none, author: none) = { block( fill: c.lighten(50%), stroke: c, inset: 1em, outset: 0pt, radius: 5pt, width: 100%, [ *#author* \ #what ], ) } #let jens = journal-entry.with(author: [Jens], c: color.blue) #let kristoffer = journal-entry.with(author: [Kristoffer], c: color.orange) #let gbpplanner = ( code: link("https://github.com/aalpatya/gbpplanner"), website: link("https://aalok.uk/gbpplanner/"), paper: [Distributing Collaborative Multi-Robot Planning With Gaussian Belief Propagation], ) #let gbp-visual-introduction = ( notebook: link( "https://colab.research.google.com/drive/1-nrE95X4UC9FBLR0-cTnsIP_XhA_PZKW?usp=sharing#scrollTo=NzotHENoaY6g", ), paper: [A visual introduction to Gaussian Belief Propagation], website: link("https://gaussianbp.github.io/"), ) #let gbp = [Gaussian Belief Propagation] #show link: it => underline(text(blue, it)) #set page(numbering: "1 / 1") // #include "../acronyms.typ": * // #import "../acronyms.typ": * = Journal #outline() #day(datetime(day: 29, month: 01, year: 2024)) #kristoffer[ #locations.beumer - Started project - Had meeting with Jonas discussing what to start with the first 2 weeks - Read these papers: - #gbp-visual-introduction.paper @gbp-visual-introduction - #gbpplanner.paper @gbpplanner - Tried compiling examples from #gbpplanner.code but faced issues with missing X11 headers, even though they were installed on my system. ] #jens[ #locations.beumer - Starting with a meeting all three (Kristoffer, Jens, Jonas) - Read papers: - #gbp-visual-introduction.paper @gbp-visual-introduction - #gbpplanner.paper @gbpplanner - Successful compilation and run of examples from #gbpplanner.code. - Successfully created custom environment to attempt to highlight weaknesses of the current implementation. ] #day(datetime(day: 30, month: 01, year: 2024)) #kristoffer[ #locations.home - Created GitHub repository #link("https://github.com/AU-Master-Thesis/gbp-rs") as we want to rewrite the #gbpplanner.code in Rust. - Looked at different Rust simulation/visualization tools to use. - #link("https://macroquad.rs/") - #link("https://nannou.cc/") - #link("https://bevyengine.org/") - Decided to go with *bevy* as it has a lot of community support/solutions and we thought its ECS system is really cool!. - We read through the introduction book for bevy, to learn the core concepts behind the ECS paradigm and how applications are structured in bevy. ] #jens[ #locations.home - Set up Rust project structure - Looked at the visualisation tools with Kristoffer, discussing which to go with. - Learned Bevy and ran some examples - Wrote some of the examples out and mix-matched some of it to learn how it all fit together. ] #day(datetime(day: 31, month: 01, year: 2024)) #kristoffer[ #locations.ol - Continued to have issues compiling the code for #gbpplanner.code. - We both decided to re-flash our OS with NixOS. - Spent some getting acquainted with the terminology and methodology of how to do things in NixOS - Create a `flake.nix` for both our Rust port and `gbpplanner` to create a reproducible environment, where we can compile and run the code without issue. ] #jens[ #locations.ol - Re-flash OS to NixOS - Learn NixOS and contemplated using hyprland - ] #day(datetime(day: 1, month: 02, year: 2024)) #kristoffer[ #locations.ol - Continued learning about NixOS and setting up our development environment, with the tools we like to use. - Spent some time trying to port the code from #gbp-visual-introduction.notebook to our Rust implementation. ] #jens[ #locations.ol - Setting up NixOS and hyprland - Migrating gbpplanner to Rust ] #day(datetime(day: 2, month: 02, year: 2024)) #kristoffer[ #locations.home - Continued our attempt to port the code from #gbp-visual-introduction.notebook to our Rust codebase. - Jens wrote the code, while we both discussed how to port the Python code to Rust. ] #jens[ #locations.home - Rust migration ] #day(datetime(day: 5, month: 02, year: 2024)) #kristoffer[ #locations.beumer - Read recent survey paper from 2023 @multi-robot-path-planning-review. - No mention of any paper/approach using #gbp. - Many newer paper use AI methodologies. - Neural Network based - Genetic Algorithms - Ant Colony - artificial bee colony algorithm - Lin–Kernighan–Helsgaun heuristic algorithm (dunno, names sounds interesting #emoji.face.think) - Dynamic Particle Swarm Optimization (PSO) [ref: 126,128] ] #jens[ At Beumer \ - Struggling to set up hyprland with displaylink - Ended the struggle, and joined Kristoffer in continuing the Rust migration. ] #day(datetime(day: 6, month: 02, year: 2024)) #jens[ #locations.home - Collaborative coding to migrate to Rust - Fixed a lot of compiler errors ] #day(datetime(day: 7, month: 02, year: 2024)) #jens[ #locations.au - Attempted to continue for a while with the generic factor-graph gbp library we have been attempting to make, however, it had become too much of a headache so: - Started over, in a much simpler fashion - Supported with chatGPT - Supported as sparring partner, and made sure to understand things more precisely - Also added journal entries for all my previous weeks ] #day(datetime(day: 8, month: 02, year: 2024)) #kristoffer[ #locations.au - Continued working on the rewrite of gbpplanner in rust. - Spent some time playning around with the C++ Eigen library, to confirm how variaous matrix operations and matrix slicing work, to correctly port them to rust. - Reread parts of the methodology section, to better understand some of the math. ] #jens[ #locations.au - Working with Kristoffer to continue translation to Rust. - Decided to split the work load. - I looked at Bevy, and learned further how to work it. - Implemented an input-manager, such that the user can press keys on the keyboard or gamepad to interact with the simulation. - Applied some keybinds like movement, boost to change movement speed, and toggling of a dynamic unknown object in the simulation. - The toggling is currently only done by setting alpha to 0/1, which should later also disable/enable the actor's hitbox. ] #day(datetime(day: 9, month: 02, year: 2024)) #jens[ #locations.home - Decomposed input and objects in the Bevy ECS architecture. - Watches episodes 1, 2, and 3 of the Bevy tutorial series. - Decomposed the system even further to have movement handled by itself. - This introduced a bug where movement of objects don't stop. - Reworked the project with a 3D scene and 3D camera. - Created and asset loader, to handle the loading of the 3D models. - Changed the moveable object to be a 3D model. ] #kristoffer[ #locations.home - Found a similar paper to the @gbpplanner called Robot Web @robotweb, that had some interesting demo videos on their #link("https://rmurai.co.uk/projects/RobotWeb/", [website]). - My intention is to read it over the weekend or next week, to see how it differs from @gbpplanner. - Continued working on the port to Rust. - Abstracted the robot radius into a trait `BoundingBox`, where i am right now creating a impl for a `BoundingBox2d` - Created an abstraction for the `CommunicationMedia` - Tried using Julia to verify some of the math, but had issues getting the `Distributions` package to compile on `NixOS` - Still need to figure out how Messages are exchanged between robots, in a way that it is decoupled from running the simulation in a single thread with the same address space to a multiprocess system. ] #day(datetime(day: 10, month: 02, year: 2024)) #jens[ #locations.home - Fixed the movement bug from yesterday, such that velocity is reset when the movement stops. - Extended the `MovementPlugin` to handle rotation as well in a similar fashion to the movement. - Consider decomposing the rotation into its own plugin. - Changed the moveable object to a box instead of the roomba. ] #day(datetime(day: 12, month: 02, year: 2024)) #kristoffer[ #locations.home - Continued working on porting gbpplanner factorgraph to Rust. - Spend some time figuring out how to map Eigen operations to Rust nalgebra crate. - Unsure about current design with every Variable have `Vec<Rc<Factor>>` and Factors having `Vec<Rc<Variable>>` makes the abstraction kinda awkward. - Thinking about restructuring and using a proper graph structure. - For this I think we can use the `petgraph` library. - Also considered ways to abstract the connection with other robots/factorgraphs such that the library can be used in both simulation and real world setup. ] #jens[ #locations.home - Finished initial camera controls. - Set up an infinite grid to visualize the environment. ] #day(datetime(day: 13, month: 02, year: 2024)) #kristoffer[ #locations.au - Meeting with Andriy and Jonas. - Showcased and discussed what we had been doing for the first two weeks. - Talked about some of the shortcomings we had identified with gbpplanner, and which were relevant to pursue. - Try and incorporate a global planner with the GBP algorithm. - Use a scheme to only communicate with the robots most uncertain about, to reduce number of messages being communicated in areas with a lot of robots. Avoid $O(n^2)$ complexity - Focus on first making a rewrite that reproduces the results of @gbpplanner, before applying the software design decisions that we think would be better. - Focus on not only record what we do in text (in this journal), but also take pictures and video recordings of when things work and don't. Because they might be difficult to recreate later. - Read "A Robot Web for Distributed Many-Device Localisation" @robotweb. - Very similar to @gbpplanner, I think some of the authors are the same. - They exchange messages using HTTP. Where each robot host a web server that the other robots can send POST requests to. - Similar results and findings as @gbpplanner. - Some of their conclusions - "While increasing the communication radius improves the performance, 30m onwards, the difference is negligible." - "Retain low ATE up to 50% message loss" - "Demonstrates its resilience to large initialisation errors up to (0.2m, 0.2m, 0.2rad) after which it explodes" // - Robust factors ] #jens[ #locations.au - Meeting with <NAME> Jonas. - Added zoom functionality to the camera with button bindings. - Fixed object not visible from the beginning. Due to normilization of zero-vector. - Same problem with moving the camera, everything would vanish after a while because of normilization of zero-vector. - Read half of "A Robot Web for Distributed Many-Device Localisation" @robotweb. ] #day(datetime(day: 14, month: 02, year: 2024)) #jens[ #locations.au - Set up mouse/touchpad keybindings for camera movement in simulation. ] #kristoffer[ #locations.au - Finished reading paper @robotweb. - Worked on porting @gbpplanner C++ code to our Rust version. ] #day(datetime(day: 15, month: 02, year: 2024)) #jens[ #locations.au - Made a system to add follow cameras to each robot tagged with `FollowCameraMe`. - Made the follow camera work quite reliably and almost not laggy. ] #kristoffer[ #locations.au - Ported most of `Robot`, `FactorGraph` and `Variable` class to Rust. ] #day(datetime(day: 16, month: 02, year: 2024)) #kristoffer[ #locations.home - Continued port of `gbpplanner` to Rust. ] #jens[ #locations.home - Meshified the environment heightmap from greyscale PNG. - Tested first with a perlin noise with normal vectors - Wasn't able to make the heightmap work with the normal vectors, due to an extra triangle being created. ] #day(datetime(day: 19, month: 02, year: 2024)) #jens[ #locations.beumer - Fixed the heightmap to work with normal vectors, solving the extra triangle issue. - Started to work on how to visualise the eventual factor graph. - Spheres for variables, cubes for factors. - Spent too much time trying to make a line between the two with thickness. It works, but it is currently 2D. I wonder if it is too performance intensive just to make the 2D mesh real-time, so it might not be worth to make 3D. ] #kristoffer[ #locations.beumer - Finished transcribing the `Robot` class to Rust. - Wrote some unit tests for some of the utility functions ] #day(datetime(day: 20, month: 02, year: 2024)) #jens[ #locations.au - A lot of fiddling to get Fusion360 working on NixOS #sym.arrow.r.long No success #emoji.face.cry. - Wanted to export simple meshes for the Beumer robot. This might breach NDA? #emoji.face.think - Change factor graph visualisation, such that lines are drawn live. - Destroyed then remade every `Update`. - Might be too performance intensive, but we will see later - Wanted to delve into WGSL for a bit to learn shaders - Thus I could make the lines thicker, but this lead me into wanting a WGSL language server, which would significantly speed up my learning, but it never worked, so I gave up. - Fixed line kinking factor with proper trigonometry, to make it exact. - Was initially taken from #link( "https://github.com/Pervasive-Computing/flutter_app/blob/main/lib/misc/network_utils.dart", [`Pervasive-Computing/flutter_app`], ) - Thought maybe I could occlude the lines using the depth in a shader, and I asked ChatGPT for help, but it was a bit too much to ask for. ] #kristoffer[ #locations.au - Continued porting code to Rust. - Wrote some unit tests for the `MultiVariateNormal` struct. ] #day(datetime(day: 21, month: 02, year: 2024)) #jens[ #locations.au - Major decomposition of `InputPlugin`, into several plugins for each input context. - Started a `ThemePlugin`, to empower the user to be able to control the theme. - Override some defaults of the Bevy `WindowPlugin` as part of the `DefaultPlugin`. - Started integrating the translated gbpplanner with the Bevy simulation with Kristoffer. - Standardised configuration interface. - Developed an expressive, declarative formation configuration interface. - Put some thought into the possible environment layouts with three levels of complexity: - Low: Micro-scenarios focused on single intersections/junctions. - Medium: Macro-scenarios imitating the complexity of a real-world case from BEUEMR. - High: Macro-scenario imitating a maze-like structure. ] #day(datetime(day: 22, month: 02, year: 2024)) #jens[ #locations.au Working in pair all day. - Continued with the formation configuration interface. - We were missing a way to expression waypoints for groups of robots indirectly. - Seriously started integrating, by making decisions on what should be Bevy components/entities. And what should be left. - And furthermore; which concepts could be handed over and handled by the Bevy ECS. #locations.home - Dynamic theming to change dark/light mode during runtime. ] #kristoffer[ #locations.au - Refactored graph representation to use `petgraph` instead of `Vec<Rc<>>` and `Rc<Weak<>>` ] #day(datetime(day: 23, month: 02, year: 2024)) #jens[ #locations.home - Continued conversion to Bevy ECS. - Endless fighting with the borrow checker. ] #kristoffer[ #locations.home - Continued conversion to Bevy ECS. ] #day(datetime(day: 04, month: 03, year: 2024)) #kristoffer[ #locations.home - Refactored `MultiVariateNormal` into its own crate `gbp_multivariate_normal` - Continued work on implementing the `Formation` system ] #day(datetime(day: 06, month: 03, year: 2024)) #jens[ #locations.au - Collaborated with Kristoffer to get the Bevy/Factorgraph integration to finally run. - Made some improvements to the settings panel. - Incorporated the `DrawSection` of the `config.toml`, to toggle elements to draw. ] #kristoffer[ #locations.au - Collaborated with Jens to get the Bevy/Factorgraph integration to finally run. - Made compilation of factorgraphs.dot with `dot` asysc using `bevy::tasks` - Tested proof of concept for loading `factorgraphs.png` into bevy UI ] #day(datetime(day: 07, month: 03, year: 2024)) #jens[ #locations.au - Visualisation plugin - Made visualisation of waypoints - Made visualisation of predicted trajectories - Including Variables - Lines between variables - Made these visualisations toggleable in the settings panel ] #kristoffer[ #locations.au - Spent all day trying to chase down why each robots factor graph almost immediately converges to their own position, i.e. they end up not moving at all. - Found some issues, but I have not figured it out completely. Will continue tomorrow. ] #day(datetime(day: 11, month: 03, year: 2024)) #kristoffer[ #locations.home - Have been sick today, so I have not done a whole lot. - Improved pretty printers for matrices in both `gbpplanner` and `gbp-rs`. So it is easier to spot the differences between our version and theirs. - Continue working on getting our impl to behave like the original. ] #day(datetime(day: 12, month: 03, year: 2024)) #kristoffer[ #locations.home - Decided to dumb down to the design, to not enforce that the covariance of a `MultivariateNormal` has to be invertible. - This finally made the code be able to move, the robots, but variables covariance is still all zeros, which we have to fix. ] #day(datetime(day: 13, month: 03, year: 2024)) #kristoffer[ #locations.home - Spent pre midday on modifying factorgraph to handle "external" nodes, i.e. (proxy) nodes belonging to other graphs. Design quickly got crazy with a lot of types, and we decided to start over. This we think will lead to a simpler design. ] #day(datetime(day: 14, month: 03, year: 2024)) #kristoffer[ #locations.au - Finally got some progress on the reimplementation. Fixed the variables moving all over the place by not mixing up the `mean` and `information_vector` at a point in the algorithm. - Still some issues with the observed behavior, but we are getting closer. - Some of the issues remaining are: - Seems susceptible to the initial position given to each robot. - Almost every run one of the robots, accelerate downwards while the others approach their goal. - The chain of variables does not have the same straight shape as in the original. - Continued work on the `Formation` system. ] #day(datetime(day: 21, month: 03, year: 2024)) #kristoffer[ #locations.au - Implemented some utility keybinds like using the spacebar to pause/resume the simulation. - implemented repeated spawning of robots ] #day(datetime(day: 8, month: 04, year: 2024)) #kristoffer[ #locations.au - Use `cfg!` macro to make our `main.rs` compatible with both our local build and our `wasm` build. - Create a notification system for our sim ui. - Fork `egui-notify` to support centered toasts - Create crate `bevy_notify` to expose `egui-notify` in bevy. - Hook up part of our system to use the notification system such as: - Take screenshot - Export factorgraphs as dot ] #day(datetime(day: 9, month: 04, year: 2024)) #kristoffer[ #locations.au - Learned about `bevy::diagnostic` and started creating diagnostic providers for metrics such as number of robots, number of variables and factors and number of messages sent in total. - Worked on exposing the collected metrics in a `egui` window. I will allow Jens to make it pretty ;) - Spent some time helping Pernille with some networking issues in her project. Conclusion Windows bad. ] #day(datetime(day: 12, month: 04, year: 2024)) #kristoffer[ #locations.au - Started refactoring some of the code. Especially the factorgraph code ] #day(datetime(day: 18, month: 04, year: 2024)) #kristoffer[ #locations.au - Got circle formation to work ] #deadline-countdown() #bibliography( "../references.yaml", style: "institute-of-electrical-and-electronics-engineers", )
https://github.com/kdog3682/mathematical
https://raw.githubusercontent.com/kdog3682/mathematical/main/0.1.0/src/formulas.typ
typst
#let midpoint(a, b) = { return ( a.at(0) + (0.5 * (b.at(0) - a.at(0))), a.at(1) + (0.5 * (b.at(1) - a.at(1))), ) } #let hypot(a, b) = { return calc.sqrt(calc.pow(a, 2) + calc.pow(b, 2)) } #let quadratic(a, b, c) = { let discriminant = b*b - 4*a*c if discriminant < 0 { return () } else if discriminant == 0 { let x = -b / (2*a) return (x) } else { let x1 = (-b + calc.sqrt(discriminant)) / (2*a) let x2 = (-b - calc.sqrt(discriminant)) / (2*a) return (x1, x2) } } #let double(n) = { return n * 2 } #let triple(n) = { return n * 3 }
https://github.com/sthenic/technogram
https://raw.githubusercontent.com/sthenic/technogram/main/src/registers.typ
typst
MIT License
#import "descriptions.typ": * #import "grouped-outline.typ" as _grouped-outline #import "palette.typ": get-palette /* TODO: Short description + typesetting in some compact way? */ /* States */ #let register-size = state("register-size", 32) #let _number-cells(low, high, top: true) = { let color = luma(240) let stroke = ( left: 1pt + color, right: 1pt + color, top: if top { 1pt + color } else { none }, bottom: if top { none } else { 1pt + color }, ) range(high, low - 1, step: -1).map(x => grid.cell( fill: color, stroke: stroke, )[#x]) } #let _field-cells(fields, register, show-descriptions, size-bytes) = { let reserved = none let result = () for byte in range(0, size-bytes) { let bit = 8 * byte let high = 8 * (byte + 1) - 1 while bit <= high { let match = fields.find(x => { bit >= x.pos and bit < x.pos + x.size }) if match != none { if reserved != none { /* Reserved field ends. */ result.push(grid.cell(colspan: reserved.size, stroke: 1pt)[`-`]) reserved = none } /* Clamp the high index at the byte limit and calculate the size of the slice we're about to typeset by referencing the current bit. */ let slice-size = calc.clamp(match.pos + match.size - 1, 0, high) - bit + 1 let slice-low = bit - match.pos let slice-high = slice-low + slice-size - 1 let slice-label = raw( if show-descriptions { register + "::" } else { "" } + match.name + if match.size > 1 { if slice-high == slice-low { "[" + str(slice-low) + "]" } else { "[" + str(slice-high) + ":" + str(slice-low) + "]" } } ) result.push(grid.cell(colspan: slice-size, stroke: 1pt)[#slice-label]) bit += slice-size } else if reserved != none { /* Extending the reserved field. */ reserved.size += 1 bit += 1 } else { /* Starting a new reserved field. */ reserved = (pos: bit, size: 1) bit += 1 } } /* Add any reserved field trailing at the end of the byte. */ if reserved != none { result.push(grid.cell(colspan: reserved.size, stroke: 1pt)[`-`]) reserved = none } } /* Reverse the array of cells since we went through the register from low to high. */ result.rev() } /* Define a register */ #let register( name: none, offset: none, default: none, group: none, see-also: none, show-descriptions: true, ..fields, description, ) = context { /* Not having these as positional arguments leads to more readable invocations. Ideally, the LSP could be leveraged for that but lookup of custom functions seems a bit shaky? */ if name == none { panic("A 'name' must be specified.") } if offset == none { panic("An 'offset' must be specified.") } if default == none { panic("A 'default' value must be specified.") } for field in fields.pos() { if field.name == none { panic("A field 'name' must be specified.") } if field.pos == none { panic("A field 'pos' (position) must be specified.") } if field.size == none { panic("A field 'size' must be specified.") } } /* Add entry so we can retrieve the object for the outline. */ _grouped-outline.grouped-outline-entry(raw(name), group, "reg") let see-also-cells = if see-also != none { (strong("See also"), see-also.join(", ")) } else { none } let group-cells = if group != none { let label = if query(label(group)).len() > 0 { link(label(group))[#text(fill: text.fill)[#group]] } else { group } (strong("Group"), label) } else { none } /* This information is expected to be compact with mostly one output line per grid row. We use an unbreakable block to keep things together. */ block(breakable: false)[ #set block(spacing: 8pt) #line(length: 100%, stroke: 1pt + get-palette().primary) #grid( columns: (auto, 1fr), align: bottom, row-gutter: 1em, column-gutter: 1em, [*Name* #label(name)], raw(name), strong("Offset"), raw(offset), strong("Default"), raw(default), ..group-cells, ..see-also-cells ) ] /* Add the description if defined. */ if description != none { block[#description] } /* Add a two-dimensional view of the register. */ let size-bits = register-size.get() let size-bytes = int(size-bits / 8) if size-bits != size-bytes * 8 { panic("The register size (" + str(size-bits) + ") must be divisible by 8.") } let top-row = _number-cells(size-bits - 8, size-bits - 1, top: true) let bottom-row = if size-bits > 8 { _number-cells(0, 7, top: false) } else { none } block(breakable: false)[ #grid( columns: (100% / 8,) * 8, align: center + bottom, inset: 0.5em, ..top-row, .._field-cells(fields.pos(), name, show-descriptions, size-bytes), ..bottom-row, ) ] /* Add the field descriptions. */ if show-descriptions and fields.pos().len() > 0 { let last_lsb = size-bits let seen = () for field in fields.pos().sorted(key: x => { x.pos }).rev() { let field-name = name + "::" + field.name let msb = field.pos + field.size - 1 let lsb = field.pos /* The field must be unique, reside within the register and not overlap with another field. */ if field.name in seen { panic("Field " + field-name + " already exists in the register.") } if msb >= size-bits or lsb < 0 { panic("Field " + field-name + " exceeds the bounds of the register.") } if msb >= last_lsb { panic("Field " + field-name + " overlaps with another field in the register.") } let field-label = [ *Bit #if field.size > 1 [ #str(msb):#str(lsb) ] else { str(lsb) }* --- #raw(field.name) ] if field.short-description != none { field-label += [ --- #field.short-description] } describe([ #field-label #label(field-name) ], note: field.access )[#field.body] last_lsb = lsb seen.push(field.name) } } } #let field( name: none, pos: none, size: none, access: none, read-only: false, write-only: false, default: "0", short-description: none, body ) = { ( name: name, pos: pos, size: size, access: if access != none { access } else if read-only [ /* TODO: These might be confusing... */ #text(font: "Font Awesome 6 Free Solid", "\u{f304}") #box(width: -2pt)[#text(font: "Font Awesome 6 Free Solid", "\u{f715}")] Read-only ] else if write-only [ #text(font: "Font Awesome 6 Free Solid", "\u{f070}") Write-only ] else { "R/W" }, default: default, short-description: short-description, body: body ) } #let outline( groups: none, show-title: true ) = _grouped-outline.grouped-outline(groups, show-title, [reg], "reg")
https://github.com/Myriad-Dreamin/typst.ts
https://raw.githubusercontent.com/Myriad-Dreamin/typst.ts/main/fuzzers/corpora/bugs/subelement-panic_00.typ
typst
Apache License 2.0
#import "/contrib/templates/std-tests/preset.typ": * #show: test-page // #2530 #figure(caption: [test])[].caption
https://github.com/typst/templates
https://raw.githubusercontent.com/typst/templates/main/badformer/template/main.typ
typst
MIT No Attribution
#import "@preview/badformer:0.1.0": game #show: game(read("main.typ")) // Move with WASD and jump with space.
https://github.com/MultisampledNight/interpretation
https://raw.githubusercontent.com/MultisampledNight/interpretation/main/README.md
markdown
Other
# interpretation Das, was ich für Interpretationen in Deutsch gerne früher gewusst hätte. Nun ja, jetzt nützt mir das Wissen nichts mehr, also gebe ich es an andere Entitäten weiter. Damit diese hoffentlich schneller in Deutsch besser werden, als es bei mir gedauert hat. ## Hilfe ich will nur ein PDF Einfach unter dem letzten Release unter `Assets` auf `interpretation.pdf` klicken: https://github.com/MultisampledNight/interpretation/releases/latest ## Mithelfen Hängt davon ab, was genau verbessert werden möchte! Das Dokument an sich und dessen Grafiken sind in Typst geschrieben: https://typst.app/docs/tutorial/ Sobald oder falls man schon etwas Bewandnis mit Typst hat, kann man einfach 1. Das Repo klonen 2. Einen neuen Branch für die Änderungen erstellen 3. Änderungen durchführen 4. Änderungen auf dem Branch auf einen Fork pushen 5. Final einen Pull Request auf GitHub erstellen! In Shell Commands, angenommen, man ist auf Linux und hat schon SSH für GitHub aufgesetzt: ```sh # Schritt 1: Clone git clone https://github.com/MultisampledNight/interpretation cd interpretation # Schritt 2: Branchoff git switch -c supertolle-änderungszusammenfassung # Schritt 3: Changes # Öffne in einem Editor deiner Wahl die Datei `interpretation.typ` und # ändere, was dir lustig ist # Diese Zeile unten kannst du jedes Mal machen, sobald du deine Änderungen in "behalten" möchtest # (Und eventuell später wie eine Zeitmaschine darauf zurückkommen möchtest) git commit -m "Super hilfreiche Nachricht, die diese Änderungen beschreibt" # Schritt 4: Fork # Forke in der GitHub UI das Repo auf deinen Account git remote add fork [email protected]/DeinNutzerNameWasAuchImmer/interpretation.git git remote update git push -u fork @ # Schritt 5: PR # In der GitHub UI, navigiere auf https://github.com/MultisampledNight/interpretation # Dort sollte oben ein gelbes Banner auftauchen, mit dem du einen Pull Request erstellen kannst # Folge dessen Instruktionen! ``` (Ansonsten ist auch vollständig okay, wenn ihr mir ungefähr sagt, was ihr geändert haben wollt, und das irgendwo anders schreibt. Ich fügs dann ein. Oder ihr sendet mir einen Patch, das ist genauso super!) Es kann sein, dass ich mir diese anschaue, vielleicht auch nicht, je nach dem, wie ich gerade Lust darauf habe. Fühl dich bitte frei, deine eigenen Erkenntnisse auch hinzuzufügen! Idealerweise sollte das das Dokument sein, dass man frustrierten Schüler:innen in die Hände drücken kann, wenn es ihnen in Deutsch aktuell nicht zu gut geht, aber auch gleichzeitig ein kondensiertes Nachschlagewerk bilden. # Lizenz CC BY-NC-SA 4.0. Siehe [LICENSE.md](./LICENSE.md).
https://github.com/pedrofp4444/BD
https://raw.githubusercontent.com/pedrofp4444/BD/main/report/content/[1] Definição do sistema/motivacao.typ
typst
#let motivacao = { [ == Motivação e Objetivos do Trabalho Atormentada pelo crescimento exponencial da criminalidade, a pequena cidade necessitava agora, mais do que nunca, de um novo regime de segurança e organização que permitisse restabelecer a ordem local. Nesse contexto, os líderes comunitários, liderados pelo xerife <NAME>, tomaram uma decisão crucial: estabelecer um acordo com a empresa _Lusium_. Em troca de terrenos ricos em minérios preciosos e benefícios fiscais, comprometeram-se a reduzir drasticamente o roubo de _nunium_ e _edium_. Com a nova missão em mente, os representantes da _Lusium_, <NAME>, <NAME> e <NAME>, fundaram o departamento “Brigada de Espionagem e Localização Operacional" para enfrentar a árdua tarefa de combater o roubo de minérios. À medida que a situação se desenrolava, surgiu a oportunidade de buscar aconselhamento junto da "Quatro em Linha", uma empresa jovem composta por engenheiros de software da Universidade do Minho, especializada em desenvolver projetos íntegros e escaláveis de armazenamento, controlo e manipulação de informação. Desta forma, contratualizou-se a aquisição dos serviços de prospeção e aplicação de um modelo de base de dados personalizado e simplificador da questão-problema inicial, tendo como objetivos: - Controlar o fluxo criminal na cidade de Vizela, proporcionando uma melhoria na qualidade de vida dos residentes; - Organizar o modelo de concretização da entidade de segurança, bem como melhorar a sua capacidade de gestão e registo de furtos, terrenos e funcionários que neles trabalham; - Coordenar recursos materiais e humanos; - Supervisionar, de forma eficiente, os recursos da empresa de minérios Lusium, tendo em conta os terrenos adquiridos e as joalharias, assim como os lucros das mesmas; - Permitir a análise dos dados coletados, de modo a identificar tendências e padrões nos furtos, bem como traçar um perfil dos hábitos dos suspeitos; - Melhorar a segurança de dados, ajudando a empresa de minérios a proteger informação privada de ameaças externas; - Desenvolvimento de um modelo operacional estruturado, visando aprimorar a eficiência na resposta a furtos e crimes nos terrenos de mineração. - Técnicas de análise de padrões para identificação de áreas de risco. ] }
https://github.com/Myriad-Dreamin/typst.ts
https://raw.githubusercontent.com/Myriad-Dreamin/typst.ts/main/fuzzers/corpora/text/quote_01.typ
typst
Apache License 2.0
#import "/contrib/templates/std-tests/preset.typ": * #show: test-page // Text direction affects block alignment #set quote(block: true) #quote(attribution: [<NAME>])[cogito, ergo sum] #set text(lang: "ar") #quote(attribution: [عالم])[مرحبًا]
https://github.com/0xPARC/0xparc-intro-book
https://raw.githubusercontent.com/0xPARC/0xparc-intro-book/main/src/copy-constraints.typ
typst
#import "preamble.typ":* #let rbox(s) = [#text(red)[#ellipse(stroke: red, inset: 2pt, s)]] #let bbox(s) = [#text(blue)[#rect(stroke: blue, inset: 4pt, s)]] = Copy constraints in PLONK <copy-constraints> Now we elaborate on Step 3 which we deferred back in @copy-constraint-deferred. As an example, the constraints might be: $ a_1 = a_4 = c_4 #h(1em) "and" #h(1em) b_2 = c_1. $ Before we show how to check this, we provide a solution to a "simpler" problem called "permutation-check". Then we explain how to deal with the full copy check. == Easier case: permutation-check #problem[ Suppose we have polynomials $P, Q in FF_q [X]$ which encode two vectors of values $ arrow(p) &= angle.l P(omega^1), P(omega^2), ..., P(omega^n) angle.r \ arrow(q) &= angle.l Q(omega^1), Q(omega^2), ..., Q(omega^n) angle.r. $ Is there a way that one can quickly verify $arrow(p)$ and $arrow(q)$ are the same up to permutation of the $n$ entries? ] Well, actually, it would be necessary and sufficient for the identity #eqn[ $ (T+P(omega^1))(T+P(omega^2)) ... (T+P(omega^n)) \ = (T+Q(omega^1))(T+Q(omega^2)) ... (T+Q(omega^n)) $ <permcheck-poly> ] to be true, in the sense both sides are the same polynomial in $FF_q [T]$ in a single formal variable $T$. And for that, it is sufficient that a single random challenge $T = lambda$ passes @permcheck-poly: if the two sides of @permcheck-poly aren't the same polynomial, then the two sides can have at most $n-1$ common values. So for a randomly chosen $lambda$ (chosen from a field with $q approx 2^(256)$ elements), the chances that $T = lambda$ passes @permcheck-poly are extremely small. We can then get a proof of @permcheck-poly using the technique of adding an _accumulator polynomial_. The idea is this: Victor picks a random challenge $lambda in FF_q$. Peggy then interpolates the polynomial $F_P in FF_q [T]$ such that $ F_P (omega^1) &= lambda + P(omega^1) \ F_P (omega^2) &= (lambda + P(omega^1))(lambda + P(omega^2)) \ &dots.v \ F_P (omega^n) &= (lambda + P(omega^1))(lambda + P(omega^2)) dots.c (lambda + P(omega^n)). $ Then the accumulator $F_Q in FF_q [T]$ is defined analogously. So to prove @permcheck-poly, the following algorithm works: #algorithm[Permutation-check][ Suppose Peggy has committed $Com(P)$ and $Com(Q)$. 1. Victor sends a random challenge $lambda in FF_q$. 2. Peggy interpolates polynomials $F_P [T]$ and $F_Q [T]$ such that $F_P (omega^k) = product_(i <= k) (lambda + P(omega^i))$. Define $F_Q$ similarly. Peggy sends $Com(F_P)$ and $Com(F_Q)$. 3. Peggy uses @root-check to prove all of the following statements: - $F_P (X) - (lambda + P(X))$ vanishes at $X = omega$; - $F_P (omega X) - (lambda + P(omega X)) F_P (X)$ vanishes at $X in {omega, ..., omega^(n-1)}$; - The previous two statements also hold with $F_P$ replaced by $F_Q$; - $F_P (X) - F_Q (X)$ vanishes at $X = 1$. ] == Copy check Moving on to copy-check, let's look at a concrete example where $n=4$. Suppose that our copy constraints were $ #rbox($a_1$) = #rbox($a_4$) = #rbox($c_4$) #h(1em) "and" #h(1em) #bbox($b_2$) = #bbox($c_1$). $ (We've colored and circled the variables that will move around for readability.) So, the copy constraint means we want the following equality of matrices: #eqn[ $ mat( a_1, b_1, c_1; a_2, b_2, c_2; a_3, b_3, c_3; a_4, b_4, c_4 ) = mat( #rbox($a_4$), b_1, #bbox($b_2$) ; a_2, #bbox($c_1$), c_2 ; a_3, b_3, c_3 ; #rbox($c_4$), b_4, #rbox($a_1$); ) . $ <copy1> ] Again, our goal is to make this into a _single_ equation. There's a really clever way to do this by tagging each entry with $+ eta^j omega^k mu$ in reading order for $j = 0, 1, 2$ and $k = 1, ..., n$; here $eta in FF_q$ is any number such that $eta^2$ doesn't happen to be a power of $omega$, so all the tags are distinct. Specifically, if @copy1 is true, then for any $mu in FF_q$, we also have #eqn[ $ & mat( a_1 + omega^1 mu, b_1 + eta omega^1 mu, c_1 + eta^2 omega^1 mu; a_2 + omega^2 mu, b_2 + eta omega^2 mu, c_2 + eta^2 omega^2 mu; a_3 + omega^3 mu, b_3 + eta omega^3 mu, c_3 + eta^2 omega^3 mu; a_4 + omega^4 mu, b_4 + eta omega^4 mu, c_4 + eta^2 omega^4 mu; ) \ =& mat( #rbox($a_4$) + omega^1 mu, b_1 + eta omega^1 mu, #bbox($b_2$) + eta^2 omega^1 mu; a_2 + omega^2 mu, #bbox($c_1$) + eta omega^2 mu, c_2 + eta^2 omega^2 mu; a_3 + omega^3 mu, b_3 + eta omega^3 mu, c_3 + eta^2 omega^3 mu; #rbox($c_4$) + omega^4 mu, b_4 + eta omega^4 mu, #rbox($a_1$) + eta^2 omega^4 mu; ) . $ <copy2> ] Now how can the prover establish @copy2 succinctly? The answer is to run a permutation-check on the $3n$ entries of @copy2! The prover will simply prove that the twelve matrix entries of the matrix on the left are a permutation of the twelve matrix entries of the matrix on the right. The reader should check that this is correct! If the prover starts with values $a_i$, $b_i$, and $c_i$ that don't satisfy all the copy constraints, then a randomly selected $mu$ is very unlikely to satisfy this permutation check. The right-hand side will not be a permutation of the left-hand side, and the check will fail. To clean things up, shuffle the $12$ terms on the right-hand side of @copy2 so that each variable is in the cell it started at: We want to prove #eqn[ $ mat( a_1 + omega^1 mu, b_1 + eta omega^1 mu, c_1 + eta^2 omega^1 mu; a_2 + omega^2 mu, b_2 + eta omega^2 mu, c_2 + eta^2 omega^2 mu; a_3 + omega^3 mu, b_3 + eta omega^3 mu, c_3 + eta^2 omega^3 mu; a_4 + omega^4 mu, b_4 + eta omega^4 mu, c_4 + eta^2 omega^4 mu; ) \ "is a permutation of" \ mat( a_1 + #rbox($eta^2 omega^4 mu$), b_1 + eta omega^1 mu, c_1 + #bbox($eta omega^2 mu$) ; a_2 + omega^2 mu, b_2+ #bbox($eta^2 omega^1 mu$), c_2 + eta^2 omega^2 mu; a_3 + omega^3 mu, b_3 + eta omega^3 mu, c_3 + eta^2 omega^3 mu; a_4 + #rbox($omega^1 mu$), b_4 + eta omega^4 mu, c_4 + #rbox($omega^4 mu$) ) . $ <copy3> ] The permutations needed are part of the problem statement, hence globally known. So in this example, both parties are going to interpolate cubic polynomials $sigma_a, sigma_b, sigma_c$ that encode the weird coefficients row-by-row: $ mat( delim: #none, sigma_a (omega^1) = #rbox($eta^2 omega^4$), sigma_b (omega^1) = eta omega^1, sigma_c (omega^1) = #bbox($eta omega^2$) ; sigma_a (omega^2) = omega^2, sigma_b (omega^2) = #bbox($eta^2 omega^1$), sigma_c (omega^2) = eta^2 omega^2; sigma_a (omega^3) = omega^3, sigma_b (omega^3) = eta omega^3, sigma_c (omega^3) = eta^2 omega^3; sigma_a (omega^4) = #rbox($omega^1$), sigma_b (omega^4) = eta omega^4, sigma_c (omega^4) = #rbox($omega^4$). ) $ Then the prover can start defining accumulator polynomials, after re-introducing the random challenge $lambda$ from permutation-check. We're going to need six in all, three for each side of @copy3: we call them $F_a$, $F_b$, $F_c$, $F'_a$, $F'_b$, $F'_c$. The ones on the left-hand side are interpolated so that #eqn[ $ F_a (omega^k) &= product_(i <= k) (a_i + omega^i mu + lambda) \ F_b (omega^k) &= product_(i <= k) (b_i + eta omega^i mu + lambda) \ F_c (omega^k) &= product_(i <= k) (c_i + eta^2 omega^i mu + lambda) \ $ <copycheck-left> ] while the ones on the right have the extra permutation polynomials #eqn[ $ F'_a (omega^k) &= product_(i <= k) (a_i + sigma_a (omega^i) mu + lambda) \ F'_b (omega^k) &= product_(i <= k) (b_i + sigma_b (omega^i) mu + lambda) \ F'_c (omega^k) &= product_(i <= k) (c_i + sigma_c (omega^i) mu + lambda). $ <copycheck-right> ] And then we can run essentially the algorithm from before. There are six initialization conditions #eqn[ $ F_a (omega^1) &= A(omega^1) + omega^1 mu + lambda \ F_b (omega^1) &= B(omega^1) + eta omega^1 mu + lambda \ F_c (omega^1) &= C(omega^1) + eta^2 omega^1 mu + lambda \ F'_a (omega^1) &= A(omega^1) + sigma_a (omega^1) mu + lambda \ F'_b (omega^1) &= B(omega^1) + sigma_b (omega^1) mu + lambda \ F'_c (omega^1) &= C(omega^1) + sigma_c (omega^1) mu + lambda. $ <copycheck-init> ] and six accumulation conditions #eqn[ $ F_a (omega X) &= F_a (X) dot (A(omega X) + X mu + lambda) \ F_b (omega X) &= F_b (X) dot (B(omega X) + eta X mu + lambda) \ F_c (omega X) &= F_c (X) dot (C(omega X) + eta^2 X mu + lambda) \ F'_a (omega X) &= F'_a (X) dot (A(omega X) + sigma_a (X) mu + lambda) \ F'_b (omega X) &= F'_b (X) dot (B(omega X) + sigma_b (X) mu + lambda) \ F'_c (omega X) &= F'_c (X) dot (C(omega X) + sigma_c (X) mu + lambda) \ $ <copycheck-accum> ] before the final product condition #eqn[ $ F_a (1) F_b (1) F_c (1) = F'_a (1) F'_b (1) F'_c (1). $ <copycheck-final> ] To summarize, the copy-check goes as follows: #algorithm[Copy-check][ 0. Peggy has already sent the three commitments $Com(A), Com(B), Com(C)$ to Victor; these commitments bind her to the values of all the variables $a_i$, $b_i$, and $c_i$. 1. Both parties compute the degree $n-1$ polynomials $sigma_a, sigma_b, sigma_c in FF_q [X]$ described above, based on the copy constraints in the problem statement. 2. Victor chooses random challenges $mu, lambda in FF_q$ and sends them to Peggy. 3. Peggy interpolates the six accumulator polynomials $F_a$, ..., $F'_c$ defined in @copycheck-left and @copycheck-right. 4. Peggy uses @root-check to prove @copycheck-init holds. 5. Peggy uses @root-check to prove @copycheck-accum holds for $X in {omega, omega^2, ..., omega^(n-1)}$. 6. Peggy uses @root-check to prove @copycheck-final holds. ]
https://github.com/hrutvikyadav/typst
https://raw.githubusercontent.com/hrutvikyadav/typst/main/testfile.typ
typst
= Intro In this report, we will explore the various factors that influence fluid dynamics in glaciers and how they contribute to the formation and behaviour of these natural structures. + asdf - zcv - zxcv + akkdfsaj + jkllk == Test heading V is a vector of _x1_, _x2_, _x3_. $ v := vec(x_1, x_2, x_3) $ Honest employee must be as shown in @employee. #figure( image("./images/Media.jpg", width: 44%), caption: [ _Employee_ ] ) <employee> = Random Image #image("./images/DAS-electron review.svg")
https://github.com/AxiomOfChoices/Typst
https://raw.githubusercontent.com/AxiomOfChoices/Typst/master/Research/Fall%202024/Toby%20Quals%20Notes.typ
typst
#import "/Templates/generic.typ": latex #import "/Templates/notes.typ": chapter_heading #import "/Templates/monograph.typ": style, frontpage, outline_style, chapter_headings, start_outline #import "@preview/ctheorems:1.1.0": * #import "/Templates/math.typ": * #import "@preview/cetz:0.2.1" #import "/Templates/i-figure.typ" #show: latex #show: chapter_heading #show: thmrules #show: symbol_replacing #show: equation_references #show: style #show math.equation: i-figure.show-equation.with( level: 1, only-labeled: true, ) #show ref: i-figure.show-equation-refrences.with(level: 1) #show: thmrules #show: outline_style #show: doc => frontpage( toptitle: [Qualifying Exam Notes], name: [<NAME>], middletitle: [My notes for studying for the Qualifying exam at MIT in Geometric Analysis under Toby Colding], doc, ) #set page(margin: (x: 1in, top: 1in, bottom: 1in)) = Riemannian Metrics #proposition("The Fubini-Study Metric")[ There exists a unique metric on $CC PP^(n)$ such that the map $p : SS^(2n + 1) -> CC PP^(n)$ defined by identifying $CC^n$ with $RR^(2 n)$ acts as an isometry from $(ker p_*)^perp$ to $T CC PP^(n)$. ] #proof[ Let $L_lambda$ be the map on $SS^(2n+1)$ acting by multiplication by $lambda in CC^times$, this map acts an isometry on $SS^(2n + 1)$, it preserves fibers over $CC PP^n$, and is transitive over them. Thus it gives us a canonical identification of all horizontal tangent spaces $(ker p_*)_x^perp$ in the same fiber, this identification then defines an inner product on the image on $T_(p(x)) CC PP^n$. Locally around the point $[Z_0,Z_1,...,Z_n]$ the metric looks like $ d s^2 = (abs(Z)^2 abs(d Z)^2 - (ov(Z) dot d Z)(Z dot d ov(Z))) / abs(Z)^4 $ ]
https://github.com/chengluyu/ucs-artifact-document
https://raw.githubusercontent.com/chengluyu/ucs-artifact-document/main/main.typ
typst
#import "@preview/cetz:0.2.2": canvas, draw, tree #import "@preview/codly:0.2.0": * #set raw(syntaxes: ("syntaxes/MLscript.sublime-syntax")) #show: codly-init.with() #codly( enable-numbers: false, display-icon: false, zebra-color: white, languages: ( mls: (name: "MLscript", icon: (), color: blue.lighten(75%)), ) ) #set page(paper: "a4", numbering: "1") #set text(font:"Newsreader", size: 12pt) #show raw.where(block: false): it => box( fill: luma(95%), // blue.desaturate(50%).lighten(90%), inset: (left: 0.1em, right: 0.1em), outset: (top: 0.25em, bottom: 0.3em), radius: 2pt, it) #set par(justify: true, leading: 0.8em) #set heading(numbering: "1.") #show heading: it => [ #it #v(0.25em) ] #show link: set text(fill: blue.saturate(25%).darken(25%)) #show link: it => underline(offset: 4pt, it) #show ref: set text(fill: teal.saturate(25%).darken(50%)) // #show ref: it => underline(offset: 4pt, it) #let cell = (it) => table.cell(align: left + horizon)[ #set par(justify: false) #it ] #let callout-note = (it) => block( width: 100%, fill: blue.lighten(95%), stroke: 0.75pt + blue.lighten(75%), inset: (left: 0em, right: 0em, top: 0.75em, bottom: 0.75em), outset: (left: 1em, right: 1em, top: 0.25em, bottom: 0.25em), radius: 5pt )[ #text(fill: blue.darken(50%), weight: "semibold")[Note] #set text(fill: blue.darken(35%)) #it ] #v(1fr) #align(center)[ #text(size: 24pt, weight: "semibold")[ #set par(justify: false, leading: 0.5em) Artifact Documentation for \ _The Ultimate Conditional Syntax_ ] #text(size: 18pt)[ For OOPSLA 2024 Artifact Evaluation ] #text(size: 12pt)[ <NAME>, Hong Kong University of Science and Technology, China September 2024 ] ] #v(1fr) #pagebreak() #outline(title: [Table of Contents], indent: true) #pagebreak() = Overview of the Artifact Our paper introduces a new expressive conditional syntax called _Ultimate Conditional Syntax_ (hereinafter referred to as UCS). In the paper, we propose an algorithm to translate this syntax to traditional pattern matching and prove its correctness. Our artifact implements this syntax and its translation algorithm on the MLscript compiler. The artifacts consists of two parts: 1. _The main project_ is a Scala project, which is a complete MLscript compiler, and includes the implementation and tests of UCS; 2. _The web demo_ provides a user-friendly interface, allowing people to compile and run MLscript (with UCS) programs directly in the browser, and view the results of each stage of the algorithm described in the paper. The main project is the paper's main contribution, which fully implements the algorithm specified by the paper. The web demo illustrates the reusability of our main project: it can be reused by other programs (even in different programming languages). This document contains the evaluation instructions for these two parts (@getting-started), explains how the algorithm proposed in the paper was implemented (@main-project), and provides usage instructions for the web demo (@web-demo). == List of Claims #let list-head = it =>[ #set text(weight: "semibold", fill: luma(20%)) #it ] Most claims in the paper can be verified by reproducing particular examples in the test suite. You can test the examples by modifying them directly in the test suite or just trying them out individually in the web, which comes with a syntax reference. 1. #list-head[The translation algorithm can handle examples from the paper, and the translated program works correctly after being compiled.] The web demo includes most examples in the paper. You can load them and view the translation intermediate results. See @web-demo for a guide to the web demo. 2. #list-head[The translation algorithm's coverage checking stage can identify the three types of redundant branches mentioned in Section 3.5.1 of the paper.] The test files for this claim are located at `shared/src/test/diff/pretyper/ucs/coverage`. The warnings and errors in the output (lines starting with `//│`) after each test block#footnote[Check @test-files-explained for more information about test files used in the main project.] are generated by the translation algorithm. 3. #list-head[The translation algorithm's post-processing stage can sort out branches according to Section 3.6 of the paper.] Check the output of following test files: - `shared/src/test/diff/pretyper/ucs/stages/PostProcessing.mls`; - `shared/src/test/diff/pretyper/ucs/DualOption.mls` since line 172. // 4. #list-head[] == Hardware Requirements This artifact does not require advanced hardware to run. Any computer connected to the internet and capable of running Java, Node.js, and modern browsers released in recent two years, can complete the artifact evaluation. == Reusability Guide The entire main project can be reused in following ways. 1. The main project can be extended directly. One can refer to @main-project to understand the overall structure of the project. Each stage of the translation in the paper has corresponding source files (as in @correspondence). People only need to make changes to the relevant parts to extend the translation algorithm as well as other parts of the compiler. 2. The web demo illustrates the other aspect of reusing the main project. In `build.sbt`, we derived a subproject named `npmBuild` from the main project, compiled it to JavaScript via #link("https://www.scala-js.org")[Scala.js], and generated a reusable npm package. This package is referenced in the web demo, thus the main project's compiler can be invoked, and the intermediate results of the UCS translation part are output. @web-demo:scratch exercises the process above. #pagebreak() = Getting Started <getting-started> This section gives instructions for setup and basic testing. There are several ways of running the artifacts on your computer. We provide a detailed step-by-step guide for each approach. If you encounter any problems at any step, please contact us on the review platform, and we will provide the most timely assistance. == Running the Main Project This section introduces two methods to test running the main project. Please refer @running-tests to learn how the tests are organized and performed. === Using Docker <using-docker> We have built Docker images containing all necessary dependencies compiled for both `amd64` and `arm64` platforms and published them on #link("https://hub.docker.com/r/mlscript/ucs-docker/tags")[Docker Hub]. 1. Run command `docker run -it --rm mlscript/ucs-docker`#footnote[This docker image already includes both `amd64` and `arm64` platforms. Docker will automatically select the image based on your computer's architecture.], which will pull the Docker image, launch a temporary container, run sbt's interactive shell inside the container, and immediately attach to the shell. 2. Run command `mlscriptJVM / test` in the shell, which will run _all_ the tests. 3. All tests are expected to be passed. 4. After the test is completed, you can enter `exit` to terminate the sbt shell, and the container just created will be destroyed afterwards. === Starting from Scratch <main-project:start-from-scratch> Before the installation, please make sure that you have the following toolchains installed on your computer. 1. First, you should install *#link("https://get-coursier.io")[Coursier]*, which sets up a Scala development environment. Please follow its #link("https://get-coursier.io/docs/cli-installation")[instructions] according to your operating system. You may need to install Java manually on some platforms. 2. Then, please install *sbt* and *Scala* compiler with Coursier: `cs install sbt scala`. 3. *#link("https://nodejs.org")[Node.js] 22*. It will also install npm (node package manager), which is also required. If you already have Node.js on your computer but don't want to overwrite the default one, you can consider using #link("https://github.com/nvm-sh/nvm")[nvm (node version manager)]. #callout-note[Please ensure the `node` executable is in the `PATH`, otherwise all tests will fail.] Next, download and unpack the artifact, and then enter the directory. Suppose the artifact is unpacked at location `artifact/`. Follow the steps below. 1. Run `sbt` at `artifact/`. This will start an interactive shell of sbt. 2. Run command `mlscriptJVM / test` in sbt shell, which will run _all_ the tests. 3. All tests are expected to be passed. 4. After the test is completed, you can enter `exit` to terminate the sbt shell == Running the Web Demo This section only describes how to run the web demo. Please refer to @web-demo for a guidance to the web demo. === Direct Access The easiest way to start the web demo is to access #link("https://ucs.mlscript.dev")[https://ucs.mlscript.dev] in browsers. The web demo is designed to work on desktop computers and laptops. Also, you have to enable JavaScript to use the web demo normally. Additionally, the web demo is supposed to to work on a modern browser, if you encountered any problems, please first read @web-demo-compatibility for compatible browsers. #callout-note[ The website is hosted via #link("https://pages.cloudflare.com")[Cloudflare Pages] statically and does not contain any trackers. Therefore, any access to the web demo will be purely anonymous. Alternatively, you also choose the methods in @web-demo:docker and @web-demo:scratch. ] === Using Docker <web-demo:docker> We have built a Docker image specially for running the web demo locally. 1. Run `docker run -d --name web-demo -p 8080:3000 mlscript/ucs-web-demo`. 2. Access #link("http://localhost:8080")[http://localhost:8080] with your browser. 3. Remember to delete the container named `web-demo`. #callout-note[You can replace `8080` in the command above with other available ports.] === Building from Scratch <web-demo:scratch> If you want to verify that the web demo does use code from the main project, you can build the web demo from scratch by following the steps below. You are supposed to install toolchains mentioned in @main-project:start-from-scratch. 1. Assume the artifact has been downloaded and unpacked to the `artifact/`. 2. Run command `sbt "npmBuildJS / Compile / fullLinkJS"` at `artifact/`. This will emit a npm package at `artifact/npm/dist`. 3. Change the directory to `artifact/web-demo/` and run `npm install`. This will install dependencies of the web demo project. 4. Run command `npm run dev`, which will starts a development server. This command will usually have the following output. #block(breakable: false)[ ``` VITE v5.3.1 ready in 256 ms ➜ Local: http://localhost:5173/ ➜ Network: use --host to expose ➜ press h + enter to show help ``` ] At this point, you can see the web demo by visiting the suggested URL (usually #link("http://localhost:5173/")[`http://localhost:5173/`]). If you make changes to the source code of the web demo at this time, this development server will automatically update the webpage opened in the browser. #pagebreak() = Introduction to the Main Project <main-project> == Project Structure <project-structure> The implementation of the main project is based on MLscript. @main-project-structure shows the file structure in the project and which source files and tests are related to UCS. #let framed-node = (it) => rect( stroke: 0.75pt, radius: 2pt, align(center, it) ) #let shaded-node = (it) => rect( stroke: (thickness: 0.75pt, dash: "dashed"), radius: 2pt, align(center, it) ) #let centered-node = (it) => align(center, it) #let data = ([`shared/src/`], (centered-node[`main/scala/mlscript/` \ Source code files], framed-node[`ucs/` \ UCS implementation], centered-node[other \ sources files] ), (centered-node[`test/diff/` \ Test files], shaded-node[`ucs/` and `pretyper/ucs/` \ UCS test files], centered-node[other \ test files] ), ) #figure(caption: [The main project's structure.])[ #canvas(length: 1cm, { import draw: * set-style(content: (padding: .2), fill: gray.lighten(25%), stroke: gray.lighten(25%)) tree.tree(data, spread: 4, grow: 2.25, draw-node: (node, ..) => { // circle((), radius: .5, stroke: none) content((), node.content) }, draw-edge: (from, to, ..) => { line((a: from, number: 1, b: to), (a: to, number: 1.1, b: from), mark: (end: ">")) }, name: "tree") // Draw a "custom" connection between two nodes // let (a, b) = ("tree.0-0-1", "tree.0-1-0",) // line((a, .6, b), (b, .6, a), mark: (end: ">", start: ">")) }) ] <main-project-structure> The files from #box(inset: (x: 3pt), outset: (x: 0pt, y: 4pt), stroke: black + 0.75pt, radius: 2pt)[framed part] is the implementation of the algorithm and the #box(inset: (x: 3pt), outset: (x: 0pt, y: 4pt), stroke: (paint: black, thickness: 0.75pt, dash: "dashed"), radius: 2pt)[dashed framed part] contains the related test files. @correspondence describes how these source files correspond to the algorithm in the paper. The purposes of the remaining source files and test files will be described in @other-parts. == Correspondence between Paper and Code <correspondence> The implementation of algorithm and its definition from the paper are implemented in this folder of the artifact: `shared/src/main/scala/mlscript/ucs/`. For brevity, the path names in the following description are relative to this path. === Syntax Definitions #[ #set text(size: 0.875em) #table(stroke: 0.75pt, columns: (1fr, 1fr, 1.4fr), [*Definition*], [*Location in the Paper*], [*Source Code Files*], cell[Source abstract syntax], cell[Fig. 2 in Section 3.1], [`syntax/source.scala`], cell[Core abstract syntax], cell[Fig. 3 in Section 3.2], [`syntax/core.scala`], ) ] === Translation Algorithm #[ #set text(size: 0.875em) #table(stroke: 0.75pt, columns: (1fr, 1.2fr, 1.6fr), [*Stage*], [*Location in the Paper*], [*Source Code Files*], cell[Desugaring], cell[Section 3.3 and Appendix A.1 (Fig. 14 and Fig. 15)], cell[`stages/Desugaring.scala`], cell[Normalization], cell[Section 3.4 and Fig. 8], cell[`stages/Normalization.scala`], cell[Coverage checking], cell[Section 3.5 and Fig. 10], cell[`stages/CoverageChecking.scala`], cell[Post-processing], cell[Section 3.6], cell[`stages/PostProcessing.scala`], ) ] Besides the specific stages mentioned above, the class `Desugarer` // #footnote[At `shared/src/main/scala/mlscript/ucs/Desugarer.scala`.] is responsible for connecting these stages together and integrating them into the entire compiler pipeline. One may notice that there is a stage `stages/Transformation.scala` that is not introduced in the paper. This is because the parser was implemented before we wrote the paper, therefore the definition of the syntax tree nodes used by the parser is quite different. This stage is designed to convert the old syntax tree nodes to the source abstract syntax nodes described in the paper. == Running Tests <running-tests> === Test Files Explained <test-files-explained> The suffix of the test file is `.mls`. Each file contains several _test blocks_ separated by empty lines. For example, the test file in @example-test-file contains three test blocks. Test output is inserted in place in the test file after each corresponding block, as comments beginning with `//│`. This makes it very easy and convenient to see the test results for each code block. For this reason, we recommend using an editor that automatically reloads open files on changes. VSCode#footnote[We recommend to install #link("https://marketplace.visualstudio.com/items?itemName=chengluyu.mlscript-syntax-highlight")[mlscript-syntax-highlight] extension if using VSCode.] and Sublime Text work well for this. #figure( caption: [An example of test files.] )[ ```mls abstract class List[out T]: Cons[T] | Nil class Cons[out T](head: T, tail: List[T]) extends List[T] module Nil extends List[nothing] fun (::) cons(x, xs) = Cons(x, xs) //│ abstract class List[T]: Cons[T] | Nil //│ class Cons[T](head: T, tail: List[T]) extends List //│ module Nil extends List //│ fun (::) cons: forall 'T. ('T, List['T]) -> Cons['T] fun sum(acc, xs) = if xs is Cons(x, xs) then sum(acc + x, xs) Nil then acc //│ fun sum: (Int, Cons[Int] | Nil) -> Int sum(0, 1 :: 2 :: 3 :: Nil) //│ Int //│ res //│ = 6 ``` ] <example-test-file> The output of each test block includes inferred types, evaluation results (by executing transpiled JavaScript programs), and possibly debugging information if debug flags are provided. === Test in Real-Time with Watch Mode Using sbt's watch mode, we can modify test files, run tests, and view the test results in real-time. Assume the main project is located at `artifact/` 1. Run sbt at `artifact/`. This starts an interactive shell. 2. Run command `~mlscriptJVM / test`. The leading `~` indicates that the tests will rerun when any test file changes. 3. Open the project with code editor, for example, VSCode. Then, open a UCS test file, for example, `shared/src/test/diff/pretyper/ucs/examples/ListFold.mls`. 4. Make some changes. For example, update line 36 to ```mls join(", ")(1 :: 2 :: 3 :: 4 :: Nil) ``` You will see its output at line 40 is updated to ```mls //│ = '1, 2, 3, 4' ``` === Running Tests Individually The command given above runs all the tests. Individual tests can be run with option `-z`. ``` ~mlscriptJVM/testOnly mlscript.DiffTests -- -z List ``` The command above will watch for file changes and continuously run all `List` tests (those that have "List" in their names). Please note that we have limited the tests to run only those related to UCS, as specified in @project-structure. == Other Parts of the Main Project <other-parts> This section explains the other parts of the main project. The main project has all the basic components of a static-typed programming language compiler: lexer, parser, pretyper, typer, and code generator. === Lexing and Parsing The lexer accepts source strings and returns tokens to be parsed. `Lexer.scala` contains the lexer class and `Token.scala` contains the token data types. The parser accepts tokens generated by the lexer and returns an abstract syntax tree of the input program in the surface syntax. `Parser.scala` contains the parser class and `syntax.scala` contains the _surface_ syntax data types of the language. === Pre-Typing The pre-typing stage is used for name resolution and desugaring of high-level syntaxes (such as UCS) into MLscript's core syntax. The translation algorithm described by the paper is implemented in this stage. When we packaged this artifact, the pre-typing stage had just been completed, and its name resolution information had not yet been utilized by the typer or the subsequent code generation stage. As a result, some information can only be displayed with test flag `:ShowPreTyperErrors`. === Type Inference The `Typer` class accepts an abstract syntax tree of a program and performs type checking. MLscript supports principal type inference with subtyping. Please refer to #link("https://dl.acm.org/doi/abs/10.1145/3563304")[MLstruct] for more information. `Typer.scala` contains the `Typer` class. `TypeSimplifier.scala` contains type simplification algorithms to simplify inferred types. `TypeDefs.scala` and `NuTypeDefs.scala` contain classes and methods for type declarations. `ConstraitSolver.scala` contains class `ConstraintSolver` which solves subtyping constraints. `NormalForms.scala` the infrastructure to solve tricky subtyping constraints with disjunct normal forms (DNF) on the left and conjunct normal forms (CNF) on the right. `TyperDatatypes.scala` includes data types for internal representation of types with mutable states to support type inference with subtyping. `TyperHelpers.scala` provides helper methods for the typer. === Code Generation The code generator translates MLscript AST into JavaScript AST and generates the corresponding JavaScript code. Those corresponding files are: - `codegen/Codegen.scala` contains definitions of JavaScript AST nodes and methods for JavaScript code generation; - `codegen/Scope.scala` and `codegen/Symbol.scala` provides symbol management and provides hygienic runtime name generation; and - `JSBackend.scala` contains class `JSBackend` that translates an MLscript AST into a JavaScript AST. == Compatibility Check We have tested two methods on the following operating systems. The version of Docker is also annotated. Any similar platform with a proper setup should work as well. #[ #set text(size: 0.875em) #set par(justify: false) #table(stroke: 0.75pt, columns: (1fr, 1.1fr, 0.9fr), [], cell[*Using Docker* (@using-docker)], [*Starting from Scratch* (@main-project:start-from-scratch)], [*macOS 14.5 (Apple Silicon)*], [Test passed with Docker 26.1.3], [Test passed], // [macOS 13.6 (Apple Silicon)], [], [], // [Windows 11 23H2 (ARM64)], [], [], [*Windows 11 (x64)*], [Test passed with Docker 24.0.2], [Test passed], // [Windows 10 (x64)], [], [], [*Ubuntu 24.04 (x64)*], [Did Not Test], [Test passed], [*Fedora 40 (x64)*], [Test passed with Docker 27.0.3], [Did Not Test] ) ] If you encounter a situation where the project cannot be run, please contact us through the review platform. #pagebreak() = Guide to the Web Demo <web-demo> This section provides a hands-on guide for the web demo and illustrates various features of the web demo through screenshots. Most importantly, we have visualized the results of different stages in the paper through the web demo and provided an interactive place to test our translation. == User Interface #figure(caption: [The user interface of the web demo.])[ #image("screenshots/user-interface.png") ] <user-interface> As shown in @user-interface, the interface is divided into three parts: _the navigation bar_, _the editor area_, and _the result display area_. Through the navigation bar, we can load existing examples to the editor and view the MLscript tutorials and artifact's README. The code in the editor area is editable, and the "Compile & Run" button at the top will compile the code in the editor into JavaScript and execute it directly in the browser when clicked. The result display area on the right has four tabs, which function as follows. - The _UCS Translation_ tab displays how each UCS expression in the code in the left editor is translated. The paper introduces that the translation of UCS expressions includes three stages: desugaring, normalization, and post-processing. We can see the syntax tree of the expression output at each stage here. Note that these syntax trees are also interactive. - In the _Type Inference_ tab, the results of type inference on the code on the left are displayed, and the panel below shows possible type errors, warnings, and other diagnostic information. - The _Code Generation_ tab displays the JavaScript code transpiled from the MLscript code on the left side. - The last _Execution_ tab shows all the values corresponding to expressions and statements after running the transpiled JavaScript. We strongly recommend that you check out a few examples and look at the output of each stage of the UCS Translation on the right. We also suggest you read the MLscript guide (on the right side of the navigation bar) and then write some programs using UCS yourself and run them to see the results. == Built-in Examples === Loading Built-in Examples The web demo provides many examples from the paper. By hovering the mouse cursor to the navigation buttons "Basic Examples" and "Advanced Examples", a pop-up menu containing examples will appear (@example-menus). Click on an example, and it will be loaded into the editor, automatically compiled and executed. Note that the source of each example from the original paper is marked in the lower right corner. #figure(caption: [Screenshots of built-in examples in the web demo.])[ #image("screenshots/example-menus.png", width: 75%) ] <example-menus> === Viewing UCS Translation Results After an example is loaded, compiled, and executed, you can see the intermediate results of each stage of the UCS translation in the result display area on the right (@translation-results). #figure(caption: [The UCS translation results.], placement: auto)[ #image("screenshots/translation-results.png", width: 75%) ] <translation-results> The UCS Translation tab displays the intermediate syntax trees from stages of the translation of a UCS expression at a time. Please note that these syntax trees are interactive; for example, users can click on the braces on either side to open/collapse the nested split structures. From top to bottom, they are: - the source code in plain text excerpted from the source code; - the syntax tree obtained after parsing (corresponding to _the source abstract syntax_ in the paper), in which we indicate the type of "split" structures; - the syntax tree obtained after desugaring (corresponding to _the core abstract syntax_ in the paper); - the syntax tree obtained after normalization (corresponding to _the restricted core abstract syntax_ in the paper); - the syntax tree of the final result obtained after post-processing; and - the coverage checking results. Since only one UCS expression can be displayed at a time, users can select other UCS expressions from the source code through _the expression selector_ (indicated by the blue frame in @translation-results). Users can also click the "Previous" and "Next" buttons on either side to quickly switch expressions. == Compatibility Check <web-demo-compatibility> Generally speaking, people do not need to check their browser version to use the web demo. Since most modern browsers update automatically, any personal computer with a stable internet connection are supposed to run the web demo without issues. In case you encounter compatibility issues, you can refer to @web-demo-compatibility-table, which lists the versions of browsers available for the web demo that we have tested on various common operating systems. #figure(caption: [Versions of various browsers that run the web demo across various operating systems which we have tested. They are not the minimum version requirements.])[ #set text(size: 0.875em) #table(stroke: 0.75pt, columns: (1fr, 1fr, 1fr, 1fr, 1fr), [], [*macOS 14*], [*Windows 11*], [*Ubuntu 24.04*], [*Fedora 40*], [*Apple Safari*], [17.5], [N/A], [N/A], [N/A], [*Google Chrome*], [126.0.6478.127], [126.0.6478.127], [Did Not Test], [126.0.6478.126], [*Microsoft Edge*], [126.0.2592.87], [126.0.2592.87], [Did Not Test], [126.0.2592.87], [*Mozilla Firefox*], [127.0.2], [127.0.2], [119.0], [124.0.1], ) ] <web-demo-compatibility-table> In old browsers (for example, browsers from two years ago), the layout of the web demo may change, and some components may also not display properly. Please forgive us for not being able to support older browsers, and be sure to use the latest browser to access the web demo.
https://github.com/yhtq/Notes
https://raw.githubusercontent.com/yhtq/Notes/main/代数学二/作业/hw4.typ
typst
#import "../../template.typ": * #import "@preview/commute:0.2.0": node, arr, commutative-diagram #show: note.with( title: "作业3", author: "YHTQ", date: none, logo: none, withOutlined : false, withTitle :false, ) (应交时间为3月27日) #let dirSum = $plus.circle$ = 取 $phi: M -> Inv(S) M$ - 显然若 $exists s in S$ 使得 $s M = 0$,则 $0 = phi(s M) = phi(s) phi(M)$\ 但 $phi(s)$ 是可逆元,因此 $phi(M) = 0 <=> Inv(S) M = 0$ - 反之若 $phi(M) = 0 <=> Inv(S) M = 0$,设 $x_i$ 是有限个生成元,则应有: $ phi(x_i) = 0 => exists s_i, s_i x_i = 0 $ 从而容易验证: $ (product_(i) s_i) x_k = 0, forall k\ => (product_(i) s_i) M = 0 $ 这就找到了 $s := (product_(i) s_i) in S$ 符合条件 = - 首先验证 $S$ 是乘性子群,$1 in S$ 显然,而: $ (1 + a)(1 + b) = 1 + (a + b + a b) in S $ - 为了验证 $Inv(S) alpha subset Re_j$,只需任取 $a/(1 + b) in Inv(S) alpha, a, b in alpha$,验证: $ forall a', b' in alpha, 1 + a/(1 + b) a'/(1 + b') = (1 + b + b' + b b' + a a')/(1 + b + b' + b b') in U(Inv(S) A) $ 既然 $1 + b + b' + b b' + a a' in S$ ,这是显然的 对于第二个命题,设 $M$ 有限生成,$alpha M = M$,取 $S = 1 + alpha $,则: $ Inv(S) M = Inv(S) (alpha M) = (Inv(S) alpha)(Inv(S) M) $ 同时,该题证明了 $Inv(S) alpha subset Re_j (Inv(S) M)$,Nakayama 将给出 $Inv(S) M = 0$,由习题一,这意味着: $ exists a in alpha, (1 + a) M = 0 $ 这当然就是结论 = 由局部化的泛性质,有: #align(center)[#commutative-diagram( node((0, 0), $A$, 1), node((0, 1), $B$, 2), node((1, 0), $Inv(S) A$, 3), arr(1, 2, $"with" &f(S) subset U(B) \ &f$), arr(3, 2, $exists ! f'$), arr(1, 3, $pi_1$),)] #align(center)[#commutative-diagram( node((0, 0), $Inv(S) A$, 1), node((0, 1), $C$, 2), node((1, 0), $Inv(U) (Inv(S) A)$, 3), arr(1, 2, $"with" &g(U) subset U(C) \ &g$), arr(3, 2, $exists ! g'$), arr(1, 3, $pi_2$),)] 我们希望证明: #align(center)[#commutative-diagram( node((0, 0), $A$, 1), node((0, 1), $B$, 2), node((1, 0), $Inv(S) A$, 3), node((2, 0), $Inv(U) (Inv(S) A)$, 4), arr(1, 2, $"with" &h(S T) subset U(B) \ &h$), arr(3, 2, $exists_1 ! h'$), arr(1, 3, $pi_1$, label-pos: right), arr(3, 4, $pi_2$, label-pos: right), arr(4, 2, $exists_2 ! h''$, label-pos: right), )] 进而 $Inv(U) (Inv(S) A)$ 与 $Inv((S T))A$ 具有相同的泛性质,进而同构\ - 首先需要说明 $(pi_2 compose pi_1)(S T) subset U(Inv(U) (Inv(S) A))$,事实上: $ (pi_2 compose pi_1)(S T) = pi_2 (pi_1 (S)) * pi_2 (pi_1 (T)) \ subset pi_2 (U (Inv(S) A)) * pi_2 (U)\ subset U(Inv(U) (Inv(S) A)) * U (Inv(U) (Inv(S) A))\ = U(Inv(U) (Inv(S) A)) $ - 其次 - 注意到 $S subset S T$,通过第一个图表可以将 $h$ 提升至 $h'$ - 注意到: $ h'(U) = h'(pi_1 (T)) = h(T) subset h(S T) subset U(B) $ 因此可以利用交换图表再次提升至 $h''$ 这保证了 $h''$ 的存在性 - 最后验证该位置的 $h''$ 是唯一的,事实上,假设有两个 $phi'', psi''$ 都可以在 $h''$ 的位置上使得(不含 $h'$ 的)交换图表成立,则令: $ phi' = phi'' compose pi_2, psi' = psi'' compose pi_2 $ 此时 $phi', psi'$ 都可以在 $h'$ 的位置使交换图表成立,由第一个图表的唯一性知(刚才已经验证了使用条件成立): $ phi' = psi' $ 再由第二个图表的唯一性即可得到: $ phi'' = psi'' $ 证毕 = 容易验证 $T$ 是 $B$ 的乘性子集,定义: $ funcDef(phi, Inv(S) B, Inv(T) B, b/s, b/f(s)) $ - 首先验证良定义性,若 $b/s = b'/s'$,则: $ exists s_0 in S, f(s_0)(b f(s') - b' f(s)) => exists t := f(s_0) in T, t(b f(s') - b' f(s)) = 0\ = > b/ f(s) = b'/ f(s') $ - 同态性是容易验证的 - 由 $f(S) = T$,容易看出它是满射 - 若 $b/f(s) = 0$,则: $ exists f(s_1) in T, f(s_1) b = 0\ => exists s_1 in S, s_1 b = f(s_1) b = 0\ => b/s = 0 $ 因此它是单射 证毕 = 假设 $A$ 有幂零元 $a$,任取素理想 $p$ 及 $phi_p : A -> A_p$,将有 $phi_p (a)$ 幂零,继而 $phi_p (a) = 0$\ 换言之,将有 $(a)_p = 0, forall p in Spec(A)$,这导出 $(a) = 0 => a = 0$,证毕 第二个结论未必成立,考虑 $A = Z_6$,它显然不是整环,其中恰有两个素理想 $p_2 = (2), p_3 = (3)$,而 $A_(p_2), A_(p_3)$ 是域,例如取 $pi: A -> A_(p_2)$,我们发现: $ pi(2 dot 3) = pi(2) dot pi(3) = 0 $ 然而 $pi(3)$ 是可逆元,进而 $pi(2) = 0 => pi(p_2) = 0$\ 然而 $pi(p_2)$ 应当是唯一的极大理想,这表明 $A_(p_2)$ 是域。另一个是类似的 = 利用 Zoun 引理,在集合的包含关系下,设 $I$ 是 $Sigma$ 的全序子集,断言: $ union I in Sigma $ 进而成为该全序子集的上界 - 首先,由于 $1 in i, 0 in.not i, forall i in I$,因此 $1 in union I, 0 in.not union I$ - 其次,任取 $a, b in union I$,则存在 $i, j in I$ 使得 $a in i, b in j$,不妨设 $i subset j$,则 $a, b in j$,进而 $a b in j subset union I$,因此 $union I$ 对乘法封闭 证毕 对于第二个事实,先证明: #lemmaLinear[][ $S$ 是极大元当且仅当 $Inv(S) A$ 的幂零根是唯一的素理想 ] #proof[ //等价于说明 $forall a in A - S, exists s in S, n >= 0, s a^n = 0$\ 取 $pi: A -> Inv(S) A$, 注意到任取 $a in A$ $ union_(n >=0) a^n S $ 是最小的包含 $S, a$ 的乘性子集 - 若 $S$ 极大,必有 $a in S$ 或 $exists n in NN, s in S, s a^n = 0 => pi(a^n) = 0$,这表明 $pi(A - S)$ 中元素都是幂零元。然而 $Inv(S) A$ 中不可逆的元素均形如 $pi(a)/s, a in A - S, s in S$,这也是幂零元,进而其中不可逆元素都幂零,自然所有的理想都含于幂零根,因此幂零根是唯一的素理想 - 反之,设 $a in A - S$,$pi(a)$ 当然可以生成一个极大理想(同时也是素理想),由题设这就是幂零根,进而 $pi(a)$ 是幂零元,也即 $0 in union_(n >=0) a^n S$\ 由 $a$ 的任意性知 $S$ 中不能添加任何元素,从而极大 ] - 设 $S$ 是一个极大元,引理的证明过程给出 $A - S = Inv(pi)(Re)$ 是素理想,极小性由 $Spec(Inv(S) A)$ 与 $A$ 中与 $S$ 不交的素理想(等价的,含于 $A-S$ 的素理想)一一对应给出 - 假设 $p$ 是极小的素理想,由上述一一对应 $A_p = Inv((A - p)) A$ 只有一个素理想,当然就是幂零根,由引理知 $A - p$ 是极大元 = == - 假设 $A - S = union.big_(i in I) p_i$,其中 $p_i$ 是素理想,则设 $x in A - S$,将存在 $p_i$ 使得 $x in p_i$,进而: $ forall y in A, x y in p_i subset A - S $ 表明 $S$ 是饱和的 - 反之若 $S$ 饱和 - 假设 $0 in S$,则容易看出 $forall a in A, 0 a in S => a in S$,此时 $S$ 是整个环,结论正确 - 假设 $1 in.not S$,则容易看出 $forall s in S, 1 S in S => 1 in S$ 表明 $S$ 是空集,结论正确。 - 否则,我们证明任取 $x in A - S$,存在 $p_x subset A - S$ 是包含 $x$ 的素理想,为此,取 $pi: A -> Inv(S) A$,断言 $pi(x)$ 不可逆,否则: $ exists s in S, (x - 1)s = 0 => s x = s in S => x in s $ 矛盾\ 因此,可以在 $Inv(S) A$ 中取得包含 $pi(x)$ 的极大理想,不妨设为 $p (Inv(S) A)$,则 $p subset A - S$ 且 $x in p$,这就证明了断言\ 从而 $A - S = union.big(x in A - S) p_x$,证毕 // 设: // $ // Sigma = {i "is ideal"| x in i, i subset A - S} // $ // - $Sigma$ 非空,因为 $x in.not S => (x) subset A - S$ // - 任取全序子集 $I$,显然 $union I$ 仍是理想并且含于 $A - S$,因此成为 $Sigma$ 中的上界 // 由 Zoun 引理将存在一个极大元 $p$,我们证明它是素理想。\ // 首先由于 $1 in S$ 知 $p$ 不是整个环\ // 反设 $a, b in.not p$,验证 $a b in.not p$,不妨设 $a b in.not S$\ // 由极大性,有: // $ // p + (a) sect S != emptyset => exists h in A, x in p, h a + x in S\ // p + (b) sect S != emptyset => exists g in A, y in p, g b + y in S // $ == 取 $D = {p in Spec(A)|p subset A - S}$ - 一方面,$union D subset A - S => S subset A - union D$,而由之前的结论 $A - union D$ 是一个饱和的乘性子集 - 另一方面,假设 $S' supset S$ 是饱和的乘性子集,则: $ A - S' = union {p in Spec(A)|p subset A - S'} \ &{p in Spec(A)|p subset A - S'} subset D \ &=> A - S' = union {p in Spec(A)|p subset A - S'} subset union D \ &=> A - union D subset S' $ 表明了 $A - union D$ 的极小性 设 $p$ 是素理想,则: $ p sect 1 + alpha != emptyset\ <=> exists x in p, y in alpha, x = 1 + y\ <=> exists x in p, y in alpha, 1 = x + y\ <=> p + alpha = A\ $ 因此 $D$ 恰好是所有与 $alpha$ 不互素的素理想 = == i) $=>$ ii) 同构当然将单位映回单位 == ii) $=>$ iii) 由定义: $ t / 1 in U(Inv(S) A) => exists s in S, s(t - 1) = 0 &=> s t = s in S\ $ 取 $x = S$ 即可 == iii) $=>$ iv) 取 $S$ 的饱和化为 $overline(S)$,有: $ &forall t in T, exists x in A, x t in S subset overline(S) \ &=> forall t in T, exists x in A, x in overline(S) and t in S\ &=> T subset overline(S) $ == iv) $=>$ v) 若 $p subset A - S$,则 $p subset A - overline(S) = A - overline(T) => p subset A - T$ == v) $=>$ ii) 设 $phi: A -> Inv(S) A$,任取 $t in T$,注意到任取 $Inv(S) A$ 的素理想 $p$,有: $ phi(t) in p => t in Inv(phi)(p) => Inv(phi)(p) sect S != emptyset $ 这是荒谬的,因此 $phi(t)$ 不在任何素理想之中,进而可逆 == ii) $=>$ i) 令 $pi: A -> Inv(S) A, pi': A -> Inv(T) A$ 条件给出: $ phi(T) subset U(Inv(S) A) $ 由 $Inv(T) A$ 的泛性质,存在唯一 $phi': Inv(T) A -> Inv(S) A$ 使得: $ phi' pi' = pi $ 再由定义知: $ phi.alt pi = pi' $ 进而: $ phi.alt phi' pi'= pi'\ (phi' + id - phi.alt phi') pi' = pi $ 由唯一性知 $id = phi.alt phi'$,另一侧类似,故 $phi.alt, phi'$ 互为逆映射,证毕 = 习题 6 的引理表明,设 $p$ 是极小的素理想,则 $A-p$ 将满足: $ forall a in p,exists n in NN, s in A-p, a^n s = 0 $ 表明 $p$ 中所有元素都是零因子,从而 $p subset D$ == i) 任取乘性子集 $S$ 使得 $phi: A -> Inv(S) A$ 是单射,从而: $ forall s in S, a in A, s a != 0 $ 表明 $S$ 中所有元素都不是零因子,从而 $S subset S_0$ == ii) 取 $phi: A -> Inv(S_0) A$,不难发现 $phi(S_0)$ 都是单位而 $phi(A - S_0)$ 都是零因子,从而 $Inv(S) A$ 中只有单位或零因子 == iii) 利用上一个习题的 v),取 $S = {1}, T = S_0$,显然没有任何素理想包含 $1$,也没有任何素理想包含 $S_0$(既然其中都是单位),因此由上一题结论立得 $A tilde.eq Inv(S_0) A$
https://github.com/MrToWy/Bachelorarbeit
https://raw.githubusercontent.com/MrToWy/Bachelorarbeit/master/Code/canActivateNew.typ
typst
```ts async canActivate(context: ExecutionContext): Promise<boolean> { // canActivate() will inject the context of the current request // we need to call it first to be able to access the user later (@User() user:UserDto) let canActivate = super.canActivate(context); try { if (isObservable(canActivate)) { canActivate = await lastValueFrom(canActivate as Observable<boolean>); } else { canActivate = await canActivate; } } catch (UnauthorizedException) { canActivate = false; } const isPublic = this.reflector.get<boolean>( "isPublic", context.getHandler() ); if (isPublic) { return true; } if (context.getHandler().name === "login") return true; if (context.getHandler().name === "license") return true; return canActivate; } ```
https://github.com/drupol/ipc2023
https://raw.githubusercontent.com/drupol/ipc2023/main/src/ipc2023/software-builder.typ
typst
#import "imports/preamble.typ": * #focus-slide[ #set align(center + horizon) #set text(size: 1.5em, fill: white, font: "Virgil 3 YOFF") Nix is just#uncover("2-4")[.]#uncover("3-4")[.]#uncover("4-4")[.] #uncover("5-")[a *software builder*] #pdfpc.speaker-note(```md Nix is many things as you can see, that's why it is also so confusing for newcomers. In just a binary weighting around 3 Megabytes, you also have a configuration manager slash deployment system. Sadly, there are so many great things to show on this topic but I won't show them because I still do not know them very well. I wish I could have showed you how to build and run in 20 lines of code, a vm based on QEMU but it will be for another time. In this part of the presentation, I will show a trivial example, how to build the symfony-cli client using Nix. I'm using that example because this is the first program I packaged for Nix, the 10th of June 2021. ```) ] #slide(title: "The software builder")[ #set text(size: .6em) #figure(caption: "Nix")[ #sourcefile(lang: "nix", read("../../resources/sourcecode/symfony-cli.nix")) ] #pdfpc.speaker-note(```md In those 18 lines of Nix, we are building a program from source. Using the function `buildGoModule` from Nix. This function is a software builder, it takes a set of arguments and in the end returns a working program. As we can see, this is very straightforward, we are just telling Nix where to find the source of the program, we are also providing two hashes. One to verify that the downloaded sources hasn't been tampered, and one to verify that the Go dependencies required to build the symfony-cli are valid. And that's it... We are done, we have a working symfony-cli program. ```) ] #slide(title: "The software builder")[ #set text(size: .6em) #only(1)[ #set text(size: .5em) #figure( image("../../resources/screenshots/Screenshot_20231023_153403.png", height: 90%), caption:[ #link("https://github.com/NixOS/nixpkgs/pull/259229")[Github] ] ) <phpstan-pr> ] #only(2)[ #set text(size: .5em) #figure( image("../../resources/screenshots/Screenshot_20231023_153600.png", height: 90%), caption:[ #link("https://github.com/NixOS/nixpkgs/pull/259229")[Github] ] ) <phpstan-pr-diff> ] #pdfpc.speaker-note(```md The very cool thing with Nix is that once you submit a program to `nixpkgs`, there's a robot scanning the repository each day to find outdated software, and when it has found one, it automatically provides a PR on Github. Here's an example with an update of PHPStan... On this <phpstan-pr>, it shows the pull-request... And on the following <phpstan-pr-diff>, it shows the changes, only 2 lines. ```) ]
https://github.com/0xPARC/0xparc-intro-book
https://raw.githubusercontent.com/0xPARC/0xparc-intro-book/main/src/bigbook-frontmatter.typ
typst
#import "preamble.typ":* = About this novel This novel _Notes on Programmable Cryptography_ is a sequel to the novella _Four Easy Pieces in Programmable Cryptography_, from the #link("https://0xparc.org", "0xPARC Foundation"). Whereas the novella was short enough to print and give to friends as a souvenir to read on a plane ride, this novel is meant to be a bit of a deeper dive. Nonetheless, it's still not meant to be a exhaustive textbook or mathematically complete reference; but rather a introduction to the general landscape and ideas for newcomers. We assume a bit of general undergraduate math background, but not too much. (For example, we'll just use the word "abelian group" freely, and the reader is assumed to know modular arithmetic.) We don't assume specialized knowledge like elliptic curve magic. == Characters - *Alice* and *Bob* reprise their #link("https://w.wiki/8iXL", "usual roles as generic characters"). - *Peggy* and *Victor* play the roles of _Prover_ and _Verifier_ for protocols in which Peggy wishes to prove something to Victor. - *Trent* is a trusted administrator or arbiter, for protocols in which a trusted setup is required. (In real life, Trent is often a group of people performing a multi-party computation, such that as long as at least one of them is honest, the trusted setup will work.) == Notation and conventions <notation> - Throughout these notes, $E$ will always denote an elliptic curve over some finite field $FF$ (whose order is known for calculation but otherwise irrelevant). - If we were being pedantic, we might be careful to distinguish the elliptic curve $E$ from its set of $FF$-points $E(FF)$. But to ease notation, we simply use $E$ interchangeably with $E(FF)$. - Hence, the notation "$g in E$" means "$g$ is a point of $E(FF)$". Elements of the curve $E$ are denoted by lowercase Roman letters; $g in E$ and $h in E$ are especially common. - We always use additive notation for the group law on $E$: given $g in E$ and $h in E$ we have $g+h in E$. - $FF_q$ denotes the finite field of order $q$. In these notes, $q$ is usually a globally known large prime, often $q approx 2^256$. - $FF_q [X]$ denotes the ring of univariate polynomials with coefficients in $FF_q$ in a single formal variable $X$. More generally, $FF_q [T_1, ..., T_n]$ denotes the ring of polynomials in the $n$ formal variables $T_1$, ..., $T_n$. We'll prefer capital Roman letters for both polynomials and formal variables. - $NN = {1,2,...,}$ denotes the set of _positive_ integers, while $ZZ = {...,-1,0,1,...}$ is the set of all integers. We prefer the Roman letters $m$, $n$, $N$ for integers. - We let $sha()$ denote your favorite one-way hash function, such as #link("https://w.wiki/KgC", "SHA-256"). For us, it'll take in any number of arguments of any type (you should imagine they are coerced into strings) and output a single number in $FF_q$. That is, $ sha : "any number of inputs" -> FF_q. $ == Acknowledgments Authors #todo[Vitalik, Darken]
https://github.com/ericthomasca/resume-v1
https://raw.githubusercontent.com/ericthomasca/resume-v1/main/modules/skills.typ
typst
Apache License 2.0
#import "../brilliant-CV/template.typ": * #cvSection("Skills") #cvSkill( type: [Languages], info: [C\# #hBar() Python #hBar() Java #hBar() Go] ) #cvSkill( type: [Web], info: [React #hBar() Material-UI #hBar() ASP.NET #hBar() HTML5 #hBar() CSS3 #hBar() JavaScript #hBar() TypeScript] ) #cvSkill( type: [Backend], info: [Node.js #hBar() Express #hBar() SQL Server #hBar() MongoDB #hBar() PostgreSQL] ) #cvSkill( type: [DevOps & Cloud], info: [AWS #hBar() Docker #hBar() Linux #hBar() Azure DevOps] )
https://github.com/typst/packages
https://raw.githubusercontent.com/typst/packages/main/packages/preview/note-me/0.2.1/README.md
markdown
Apache License 2.0
# GitHub Admonition for Typst > [!NOTE] > Add GitHub style admonitions (also known as alerts) to Typst. ## Usage Import this package, and do ```typ = Basic Examples #note[ Highlights information that users should take into account, even when skimming. ] #tip[ Optional information to help a user be more successful. ] #important[ Crucial information necessary for users to succeed. ] #warning[ Critical content demanding immediate user attention due to potential risks. ] #caution[ Negative potential consequences of an action. ] #admonition( icon: "icons/stop.svg", color: color.fuchsia, title: "Customize", foreground-color: color.white, background-color: color.black, )[ The icon, (theme) color, title, foreground and background color are customizable. ] = More Examples #todo[ Fix `note-me` package. ] ``` ![github-admonition](example.svg) Further Reading: - https://github.com/orgs/community/discussions/16925 - https://docs.asciidoctor.org/asciidoc/latest/blocks/admonitions/ ## Style It borrows the style of GitHub's admonition. > [!NOTE] > Highlights information that users should take into account, even when skimming. > [!TIP] > Optional information to help a user be more successful. > [!IMPORTANT] > Crucial information necessary for users to succeed. > [!WARNING] > Critical content demanding immediate user attention due to potential risks. > [!CAUTION] > Negative potential consequences of an action. ## Credits The admonition icons are from [Octicons](https://github.com/primer/octicons).
https://github.com/Myriad-Dreamin/tinymist
https://raw.githubusercontent.com/Myriad-Dreamin/tinymist/main/crates/tinymist-query/src/fixtures/rename/cross-module.typ
typst
Apache License 2.0
// path: user.typ #let f() = 1; ----- #import "user.typ": f #(/* position after */ f);
https://github.com/Doublonmousse/pandoc-typst-reproducer
https://raw.githubusercontent.com/Doublonmousse/pandoc-typst-reproducer/main/formatting/underbrace.typ
typst
$ underbrace(sum x_n,=2) $