Find words which contains more than 3 e vowels: Difference between revisions

From Rosetta Code
Content added Content deleted
(Add PL/I)
m (→‎{{header|Wren}}: Minor tidy)
 
(32 intermediate revisions by 22 users not shown)
Line 11: Line 11:
{{Template:Strings}}
{{Template:Strings}}
<br><br>
<br><br>

=={{header|11l}}==
{{trans|Python}}

<syntaxhighlight lang="11l">V aiou = ‘aiou’ // to get round ‘bug in MSVC 2017’[https://developercommunity.visualstudio.com/t/bug-with-operator-in-c/565417]

L(word) File(‘unixdict.txt’).read().split("\n")
I !any(word.map(c -> c C :aiou)) & sum(word.map(c -> Int(c == ‘e’))) > 3
print(word)</syntaxhighlight>

{{out}}
<pre>
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee
</pre>


=={{header|8080 Assembly}}==
=={{header|8080 Assembly}}==
<lang 8080asm>puts: equ 9 ; CP/M syscall to print a string
<syntaxhighlight lang="8080asm">puts: equ 9 ; CP/M syscall to print a string
fopen: equ 15 ; Open file
fopen: equ 15 ; Open file
fread: equ 20 ; Read block
fread: equ 20 ; Read block
Line 76: Line 105:
jmp 5
jmp 5
emsg: db 'Error$'
emsg: db 'Error$'
word: equ $</lang>
word: equ $</syntaxhighlight>


{{out}}
{{out}}
Line 97: Line 126:
telemeter
telemeter
tennessee
tennessee
</pre>

=={{header|Action!}}==
In the following solution the input file [https://gitlab.com/amarok8bit/action-rosetta-code/-/blob/master/source/unixdict.txt unixdict.txt] is loaded from H6 drive. Altirra emulator automatically converts CR/LF character from ASCII into 155 character in ATASCII charset used by Atari 8-bit computer when one from H6-H10 hard drive under DOS 2.5 is used.
<syntaxhighlight lang="action!">BYTE FUNC Count(CHAR ARRAY text CHAR c)
BYTE i,n

i=1 n=0
FOR i=1 TO text(0)
DO
IF text(i)=c THEN
n==+1
FI
OD
RETURN (n)

BYTE FUNC IsValidWord(CHAR ARRAY word)
IF Count(word,'a)#0 THEN RETURN(0) FI
IF Count(word,'e)<=3 THEN RETURN(0) FI
IF Count(word,'i)#0 THEN RETURN(0) FI
IF Count(word,'o)#0 THEN RETURN(0) FI
IF Count(word,'u)#0 THEN RETURN(0) FI
RETURN (1)

PROC FindWords(CHAR ARRAY fname)
CHAR ARRAY line(256)
CHAR ARRAY tmp(256)
BYTE dev=[1]

Close(dev)
Open(dev,fname,4)
WHILE Eof(dev)=0
DO
InputSD(dev,line)
IF IsValidWord(line) THEN
PrintE(line)
FI
OD
Close(dev)
RETURN

PROC Main()
CHAR ARRAY fname="H6:UNIXDICT.TXT"

FindWords(fname)
RETURN</syntaxhighlight>
{{out}}
[https://gitlab.com/amarok8bit/action-rosetta-code/-/raw/master/images/Find_words_which_contains_more_than_3_e_vowels.png Screenshot from Atari 8-bit computer]
<pre>
belvedere dereference elsewhere erlenmeyer evergreen everywhere exegete freewheel
nevertheless persevere preference referee seventeen seventeenth telemeter tennessee
</pre>
</pre>


=={{header|Ada}}==
=={{header|Ada}}==
<lang Ada>with Ada.Text_Io;
<syntaxhighlight lang="ada">with Ada.Text_Io;
with Ada.Strings.Maps;
with Ada.Strings.Maps;
with Ada.Strings.Fixed;
with Ada.Strings.Fixed;
Line 130: Line 210:
end loop;
end loop;
Close (File);
Close (File);
end Find_Three_E;</lang>
end Find_Three_E;</syntaxhighlight>


=={{header|ALGOL 68}}==
=={{header|ALGOL 68}}==
Interesting to note the word with the most es is "dereference" - a term first used (I believe) in Algol 68...
Interesting to note the word with the most es is "dereference" - a term first used (I believe) in Algol 68...
<lang algol68># find words that contain more than 3 es and no other vowels #
<syntaxhighlight lang="algol68"># find words that contain more than 3 es and no other vowels #


# read the list of words and look for suitable words #
# read the list of words and look for suitable words #
Line 179: Line 259:
OD;
OD;
close( input file )
close( input file )
FI</lang>
FI</syntaxhighlight>
{{out}}
{{out}}
<pre>
<pre>
Line 199: Line 279:
16: tennessee (4)
16: tennessee (4)
</pre>
</pre>

=={{header|AppleScript}}==
<syntaxhighlight lang="applescript">on findWordsWhichContainsMoreThan3EVowels()
script o
property wrds : words of ¬
(read file ((path to desktop as text) & "unixdict.txt") as «class utf8»)
end script
set output to {}
set astid to AppleScript's text item delimiters
set AppleScript's text item delimiters to "e"
repeat with thisWord in o's wrds
set thisWord to thisWord's contents
if (((count thisWord's text items) > 4) and not ¬
((thisWord contains "a") or (thisWord contains "i") or ¬
(thisWord contains "o") or (thisWord contains "u"))) then
set end of output to thisWord
end if
end repeat
set AppleScript's text item delimiters to linefeed
set output to output as text
set AppleScript's text item delimiters to astid
return output
end findWordsWhichContainsMoreThan3EVowels

findWordsWhichContainsMoreThan3EVowels()</syntaxhighlight>

{{output}}
<syntaxhighlight lang="applescript">"belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee"</syntaxhighlight>


=={{header|Arturo}}==
=={{header|Arturo}}==


<lang rebol>words: read.lines relative "unixdict.txt"
<syntaxhighlight lang="rebol">words: read.lines relative "unixdict.txt"
otherVowels: ["a" "i" "o" "u"]
otherVowels: ["a" "i" "o" "u"]
containsMoreThan3Es?: function [w][
containsMoreThan3Es?: function [w][
Line 216: Line 339:
if containsMoreThan3Es? word ->
if containsMoreThan3Es? word ->
print word
print word
]</lang>
]</syntaxhighlight>


{{out}}
{{out}}


<pre>belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee</pre>

=={{header|AutoHotkey}}==
<syntaxhighlight lang="autohotkey">FileRead, db, % A_Desktop "\unixdict.txt"
vowelsLessE := ["a", "i", "o", "u"]
oRes := []
main:
for i, word in StrSplit(db, "`n", "`r")
{
for j, v in vowelsLessE
{
StrReplace(word, v, v, c)
if c
continue main
}
StrReplace(word, "e", "e", c)
if c > 3
result .= word "`n"
}
MsgBox, 262144, , % result</syntaxhighlight>
{{out}}
<pre>belvedere
<pre>belvedere
dereference
dereference
Line 238: Line 397:


=={{header|AWK}}==
=={{header|AWK}}==
<lang AWK>/e.*e.*e.*e/ && !/a|i|o|u/ {print}</lang>
<syntaxhighlight lang="awk">/e.*e.*e.*e/ && !/a|i|o|u/ {print}</syntaxhighlight>


{{out}}
{{out}}
Line 262: Line 421:


=={{header|BCPL}}==
=={{header|BCPL}}==
<lang bcpl>get "libhdr"
<syntaxhighlight lang="bcpl">get "libhdr"


let reads(v) = valof
let reads(v) = valof
Line 288: Line 447:
while reads(word) if testword(word) do writef("%S*N",word)
while reads(word) if testword(word) do writef("%S*N",word)
endread()
endread()
$)</lang>
$)</syntaxhighlight>
{{out}}
{{out}}
<pre>belvedere
<pre>belvedere
Line 308: Line 467:


=={{header|C}}==
=={{header|C}}==
<lang c>#include <stdio.h>
<syntaxhighlight lang="c">#include <stdio.h>
#define SIZE 256
#define SIZE 256


Line 342: Line 501:
fclose(f);
fclose(f);
return 0;
return 0;
}</lang>
}</syntaxhighlight>


{{out}}
{{out}}
Line 364: Line 523:


=={{header|C++}}==
=={{header|C++}}==
<lang cpp>#include <iostream>
<syntaxhighlight lang="cpp">#include <iostream>
#include <fstream>
#include <fstream>


Line 394: Line 553:
return 0;
return 0;
}</lang>
}</syntaxhighlight>


{{out}}
{{out}}


<pre>belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee</pre>

=={{header|CLU}}==
<syntaxhighlight lang="clu">e_word = proc (s: string) returns (bool)
e: int := 0
for c: char in string$chars(s) do
if string$indexc(c, "aiou") ~= 0 then
return (false)
end
if c = 'e' then e := e + 1 end
end
return (e > 3)
end e_word

start_up = proc ()
po: stream := stream$primary_output()
dict: stream := stream$open(file_name$parse("unixdict.txt"), "read")
while true do
word: string := stream$getl(dict)
except when end_of_file: break end
if e_word(word) then stream$putl(po, word) end
end
stream$close(dict)
end start_up</syntaxhighlight>
{{out}}
<pre>belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee</pre>

=={{header|COBOL}}==
<syntaxhighlight lang="cobol"> IDENTIFICATION DIVISION.
PROGRAM-ID. E-WORDS.
ENVIRONMENT DIVISION.
INPUT-OUTPUT SECTION.
FILE-CONTROL.
SELECT DICT ASSIGN TO DISK
ORGANIZATION LINE SEQUENTIAL.
DATA DIVISION.
FILE SECTION.
FD DICT
LABEL RECORD STANDARD
VALUE OF FILE-ID IS "unixdict.txt".
01 WORD PIC X(64).
WORKING-STORAGE SECTION.
01 E PIC 99.
01 OTHER PIC 99.
PROCEDURE DIVISION.
BEGIN.
OPEN INPUT DICT.
READ-WORD.
READ DICT, AT END CLOSE DICT, STOP RUN.
PERFORM CHECK-WORD.
GO TO READ-WORD.
CHECK-WORD.
MOVE ZERO TO E, OTHER.
INSPECT WORD TALLYING OTHER FOR ALL 'a'.
INSPECT WORD TALLYING E FOR ALL 'e'.
INSPECT WORD TALLYING OTHER FOR ALL 'i'.
INSPECT WORD TALLYING OTHER FOR ALL 'o'.
INSPECT WORD TALLYING OTHER FOR ALL 'u'.
IF E IS GREATER THAN 3 AND OTHER IS EQUAL TO ZERO,
DISPLAY WORD.</syntaxhighlight>
{{out}}
<pre>belvedere
<pre>belvedere
dereference
dereference
Line 416: Line 674:


=={{header|Cowgol}}==
=={{header|Cowgol}}==
<lang cowgol>include "cowgol.coh";
<syntaxhighlight lang="cowgol">include "cowgol.coh";
include "file.coh";
include "file.coh";


Line 464: Line 722:
end if;
end if;


ForEachLine(&file, CheckWord);</lang>
ForEachLine(&file, CheckWord);</syntaxhighlight>


{{out}}
{{out}}
Line 485: Line 743:
tennessee
tennessee
</pre>
</pre>

=={{header|Delphi}}==
{{works with|Delphi|6.0}}
{{libheader|Classes,StdCtrls,SysUtils}}
This program makes extensive use of the standard Delphi TStringList component. It holds the dictionary, which is preloaded. It capture the E-Vowel-only information in a TStringList and uses it to display the words.

<syntaxhighlight lang="Delphi">

var Dict: TStringList; {List holds dictionary}

function HasEVowels(S: string): boolean;
{Test if string has exclusively E-Vowels and no "a,i,o,u"}
var I,ECount: integer;
begin
Result:=False;
ECount:=0;
for I:=1 to Length(S) do
begin
if S[I] in ['a','i','o','u'] then exit;
if S[I]='e' then Inc(ECount);
end;
Result:=ECount>3;
end;


procedure ShowEVowels(Memo: TMemo);
{Show words in dictionary that only}
{have e-vowels and have at least three}
var I: integer;
var SL: TStringList;
var S: string;
begin
SL:=TStringList.Create;
try
{Make list of words with least three E-vowels}
for I:=0 to Dict.Count-1 do
if HasEVowels(Dict[I]) then SL.Add(Dict[I]);
{Display all the words found}
S:='Found: '+IntToStr(SL.Count)+#$0D#$0A;
for I:=0 to SL.Count-1 do
begin
S:=S+Format('%-23s',[SL[I]]);
if (I mod 4)=3 then S:=S+#$0D#$0A;
end;
Memo.Text:=S;
finally SL.Free; end;
end;



initialization
{Create/load dictionary}
Dict:=TStringList.Create;
Dict.LoadFromFile('unixdict.txt');
Dict.Sorted:=True;
finalization
Dict.Free;
end.

</syntaxhighlight>
{{out}}
<pre>
Found: 16
belvedere dereference elsewhere erlenmeyer
evergreen everywhere exegete freewheel
nevertheless persevere preference referee
seventeen seventeenth telemeter tennessee
</pre>


=={{header|Draco}}==
<syntaxhighlight lang="draco">proc eword(*char line) bool:
word e;
char c;
bool ok;
ok := true;
e := 0;
while
c := line*;
line := line + 1;
ok and c ~= '\e'
do
if c='a' or c='i' or c='o' or c='u' then
ok := false
elif c='e' then
e := e + 1
fi
od;
ok and e>3
corp

proc nonrec main() void:
file(1024) dictfile;
[32] char buf;
*char line;
channel input text dict;
open(dict, dictfile, "unixdict.txt");
line := &buf[0];
while readln(dict; line) do
if eword(line) then writeln(line) fi
od;
close(dict)
corp</syntaxhighlight>
{{out}}
<pre>belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee</pre>


=={{header|F_Sharp|F#}}==
=={{header|F_Sharp|F#}}==
<lang fsharp>
<syntaxhighlight lang="fsharp">
// Words contains more than 3 e vowels. Nigel Galloway: February 11th., 2021.
// Words contains more than 3 e vowels. Nigel Galloway: February 11th., 2021.
let fN g=let n=Map.ofSeq (Seq.countBy id g) in let fN g=not(n.ContainsKey g) in fN 'a' && fN 'i' && fN 'o' && fN 'u' && not(fN 'e') && n.['e']>3
let fN g=let n=Map.ofSeq (Seq.countBy id g) in let fN g=not(n.ContainsKey g) in fN 'a' && fN 'i' && fN 'o' && fN 'u' && not(fN 'e') && n.['e']>3
seq{use n=System.IO.File.OpenText("unixdict.txt") in while not n.EndOfStream do yield n.ReadLine()}|>Seq.filter fN|>Seq.iter(printfn "%s")
seq{use n=System.IO.File.OpenText("unixdict.txt") in while not n.EndOfStream do yield n.ReadLine()}|>Seq.filter fN|>Seq.iter(printfn "%s")
</syntaxhighlight>
</lang>
{{out}}
{{out}}
<pre>
<pre>
Line 513: Line 894:


=={{header|Factor}}==
=={{header|Factor}}==
<lang factor>USING: formatting io io.encodings.ascii io.files kernel math
<syntaxhighlight lang="factor">USING: formatting io io.encodings.ascii io.files kernel math
sequences ;
sequences ;


Line 519: Line 900:
[ [ "aiou" member? ] any? ] reject
[ [ "aiou" member? ] any? ] reject
[ [ CHAR: e = ] count 3 > ] filter
[ [ CHAR: e = ] count 3 > ] filter
[ 1 + "%2d: " printf print ] each-index</lang>
[ 1 + "%2d: " printf print ] each-index</syntaxhighlight>
{{out}}
{{out}}
<pre>
<pre>
Line 542: Line 923:
=={{header|Forth}}==
=={{header|Forth}}==
{{works with|Gforth}}
{{works with|Gforth}}
<lang forth>: e3 ( addr u -- ? )
<syntaxhighlight lang="forth">: e3 ( addr u -- ? )
0 { ecount }
0 { ecount }
0 do
0 do
Line 578: Line 959:


main
main
bye</lang>
bye</syntaxhighlight>


{{out}}
{{out}}
<pre>
1. belvedere
2. dereference
3. elsewhere
4. erlenmeyer
5. evergreen
6. everywhere
7. exegete
8. freewheel
9. nevertheless
10. persevere
11. preference
12. referee
13. seventeen
14. seventeenth
15. telemeter
16. tennessee
</pre>

=={{header|FreeBASIC}}==
<syntaxhighlight lang="freebasic">open "unixdict.txt" for input as #1

dim as string s, c
dim as integer e, i

while not eof(1)
line input #1, s
e = 0
for i = 1 to len(s)
c = mid(s,i,1)
if c="e" then e+=1
if c="a" or c="i" or c="o" or c="u" then continue while
next i
if e>3 then print s
wend</syntaxhighlight>
{{out}}<pre>
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee
</pre>

=={{header|Frink}}==
<syntaxhighlight lang="frink">for word = lines["https://web.archive.org/web/20180611003215if_/http://www.puzzlers.org:80/pub/wordlists/unixdict.txt"]
{
d = countToDict[charList[word]]
if d.get["a",0] == 0 and d.get["e",0] > 3 and d.get["i",0] == 0 and d.get["o",0] == 0 and d.get["u",0] == 0
println[word]
}</syntaxhighlight>
{{out}}
<pre>
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee
</pre>


=={{header|FutureBasic}}==
<syntaxhighlight lang="futurebasic">
include resources "unixdict.txt"

local fn ThreePlusEWord( string as CFStringRef ) as BOOL
long i, count = len(string), ecount = 0
for i = 0 to count -1
unichar ch = fn StringCharacterAtIndex( string, i )
select (ch)
case _"a", _"A", _"i", _"I", _"o", _"O", _"u", _"U" : exit fn = NO
case _"e", _"E" : ecount++
case else : continue
end select
next
if ecount > 3 then exit fn = YES
end fn = NO

void local fn CheckWords
CFURLRef url = fn BundleURLForResource( fn BundleMain, @"unixdict", @"txt", NULL )
CFStringRef string = fn StringWithContentsOfURL( url, NSUTF8StringEncoding, NULL )
CFArrayRef words = fn StringComponentsSeparatedByCharactersInSet( string, fn CharacterSetNewlineSet )
CFMutableStringRef mutStr = fn MutableStringNew
NSUInteger count = 1
CFStringRef wordStr
for wordStr in words
if fn ThreePlusEWord( wordStr ) then MutableStringAppendString( mutStr, fn StringWithFormat( @"%2lu. %@\n", count, wordStr ) ) : count++
next
print mutStr
end fn

fn CheckWords

HandleEvents
</syntaxhighlight>
{{output}}
<pre>
<pre>
1. belvedere
1. belvedere
Line 601: Line 1,101:


=={{header|Go}}==
=={{header|Go}}==
<lang go>package main
<syntaxhighlight lang="go">package main


import (
import (
Line 645: Line 1,145:
}
}
}
}
}</lang>
}</syntaxhighlight>


{{out}}
{{out}}
Line 668: Line 1,168:


=={{header|Haskell}}==
=={{header|Haskell}}==
<lang haskell>import System.IO
<syntaxhighlight lang="haskell">import System.IO


main = withFile "unixdict.txt" ReadMode $ \h -> do
main = withFile "unixdict.txt" ReadMode $ \h -> do
Line 674: Line 1,174:
putStrLn $ unlines $ filter valid words
putStrLn $ unlines $ filter valid words
valid w = not (any (`elem` "aiou") w) && length (filter (=='e') w) > 3</lang>
valid w = not (any (`elem` "aiou") w) && length (filter (=='e') w) > 3</syntaxhighlight>


Or, defining the predicate in terms of a single fold:

<syntaxhighlight lang="haskell">import System.IO (readFile)
import Data.Bifunctor (first)


---------- MORE THAN THREE VOWELS, AND NONE BUT E --------

p :: String -> Bool
p = uncurry (&&) . first (3 <) . foldr rule (0, True)
rule :: Char -> (Int, Bool) -> (Int, Bool)
rule _ (n, False) = (n, False)
rule 'e' (n, b) = (succ n, b)
rule c (n, b)
| c `elem` "aiou" = (n, False)
| otherwise = (n, b)

--------------------------- TEST -------------------------
main :: IO ()
main = readFile "unixdict.txt"
>>= (putStrLn . unlines . filter p . lines)
</syntaxhighlight>
{{out}}
{{out}}
<pre>belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee</pre>

=={{header|J}}==

<syntaxhighlight lang="j"> >(#~ (0 4 0 0 0 -: 4 <. +/ .(=/)&'aeiou')@>) cutLF fread'unixdict.txt'
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee</syntaxhighlight>

(Also possible to do this with regular expressions, but this works. Here, we counted how many times each vowel occurred, limited the maximum count to 4, and checked the resulting signature.)

=={{header|JavaScript}}==
ECMAScript defines no file operations. Here, to read the dictionary, we use a library available to Apple's "JavaScript for Automation" embedding of a JS interpreter.
<syntaxhighlight lang="javascript">(() => {
"use strict";

// ----- MORE THAN THREE VOWELS, AND NONE BUT E ------

// p :: String -> Bool
const p = w => {
// True if the word contains more than three vowels,
// and none of its vowels are other than "e".
const
[noOtherVowels, eCount] = [...w].reduce(
([bool, n], c) => bool
? "e" === c
? [bool, 1 + n]
: "aiou".includes(c)
? [false, n]
: [bool, n]
: [false, n],

// Initial accumulator.
[true, 0]
);

return noOtherVowels && (3 < eCount);
};

// ---------------------- TEST -----------------------
const main = () =>
lines(
readFile(
"~/Desktop/unixdict.txt"
)
)
.filter(p)
.join("\n");

// --------------------- GENERIC ---------------------

// lines :: String -> [String]
const lines = s =>
// A list of strings derived from a single string
// which is delimited by \n or by \r\n or \r.
0 < s.length
? s.split(/\r\n|\n|\r/u)
: [];

// ----------------------- jxa -----------------------

// readFile :: FilePath -> IO String
const readFile = fp => {
// The contents of a text file at the
// given file path.
const
e = $(),
ns = $.NSString
.stringWithContentsOfFileEncodingError(
$(fp).stringByStandardizingPath,
$.NSUTF8StringEncoding,
e
);

return ObjC.unwrap(
ns.isNil() ? (
e.localizedDescription
) : ns
);
};


// MAIN ---
return main();
})();</syntaxhighlight>
{{Out}}
<pre>belvedere
<pre>belvedere
dereference
dereference
Line 700: Line 1,335:


===Using regular expressions===
===Using regular expressions===
<lang jq>inputs
<syntaxhighlight lang="jq">inputs
| select(test("[aiou]")|not)
| select(test("[aiou]")|not)
| select(test("e.*e.*e.*e"))</lang>
| select(test("e.*e.*e.*e"))</syntaxhighlight>
===Regex-free solution===
===Regex-free solution===
<lang jq>def count(s): reduce s as $x (null; .+1);
<syntaxhighlight lang="jq">def count(s): reduce s as $x (null; .+1);


("aiou" | explode) as $disallow
("aiou" | explode) as $disallow
Line 713: Line 1,348:
count(.[] | select(. == 101)) > 3) # "e" is 101
count(.[] | select(. == 101)) > 3) # "e" is 101
| $word
| $word
</syntaxhighlight>
</lang>
{{out}}
{{out}}
Invocation example: jq -nrR program.jq unixdict.txt
Invocation example: jq -nrR program.jq unixdict.txt
Line 737: Line 1,372:
=={{header|Julia}}==
=={{header|Julia}}==
See [[Alternade_words#Julia]] for the foreachword function.
See [[Alternade_words#Julia]] for the foreachword function.
<lang julia>ecount(word) = count(x -> x == 'e', word)
<syntaxhighlight lang="julia">ecount(word) = count(x -> x == 'e', word)
vowelcount(word) = count(x -> x in ['a', 'e', 'i', 'o', 'u'], word)
vowelcount(word) = count(x -> x in ['a', 'e', 'i', 'o', 'u'], word)
onlyevowelsmorethan3(word, _) = begin n, m = vowelcount(word), ecount(word); n == m && m > 3 ? word : "" end
onlyevowelsmorethan3(word, _) = begin n, m = vowelcount(word), ecount(word); n == m && m > 3 ? word : "" end


foreachword("unixdict.txt", onlyevowelsmorethan3, colwidth=15, numcols=8)
foreachword("unixdict.txt", onlyevowelsmorethan3, colwidth=15, numcols=8)
</lang>{{out}}
</syntaxhighlight>{{out}}
<pre>
<pre>
belvedere dereference elsewhere erlenmeyer evergreen everywhere exegete freewheel
belvedere dereference elsewhere erlenmeyer evergreen everywhere exegete freewheel
nevertheless persevere preference referee seventeen seventeenth telemeter tennessee
nevertheless persevere preference referee seventeen seventeenth telemeter tennessee
</pre>
</pre>
=={{header|Kotlin}}==
<syntaxhighlight lang="kotlin">
import kotlin.io.path.Path
import kotlin.io.path.useLines

fun main() {
Path("unixdict.txt").useLines { lines ->
lines
.filter { line -> line.none { it in "aiou" } }
.filter { line -> line.count { it == 'e' } > 3 }
.forEach(::println)
}
}
</syntaxhighlight>
{{Output}}
<pre>
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee
</pre>

=={{header|Ksh}}==
<syntaxhighlight lang="ksh">
#!/bin/ksh

# Find words which contains more than 3 e vowels and only e vowels

# # Variables:
#
badvowels='a|i|o|u'
typeset -si MINE=4

dictionary='../unixdict.txt'

# # Functions:
#

# # Function _countch(str, ch) return cpount of ch in str
#
function _countch {
typeset _str ; typeset -l _str="$1"
typeset _ch ; typeset -lL1 _ch="$2"
typeset _i _cnt ; typeset -si _i _cnt=0

for ((_i=0; _i<${#_str}; _i++)); do
[[ ${_str:_i:1} == ${_ch} ]] && (( _cnt++ ))
done
echo ${_cnt}
}

######
# main #
######

while read; do
[[ $REPLY == *+(${badvowels})* ]] && continue
(( $(_countch "$REPLY" "e") >= MINE )) && print $REPLY
done < ${dictionary}
</syntaxhighlight>
{{out}}<pre>
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee</pre>

=={{header|Mathematica}}/{{header|Wolfram Language}}==
<syntaxhighlight lang="mathematica">vowels = Characters["euioa"];
dict = Once[Import["https://web.archive.org/web/20180611003215/http://www.puzzlers.org/pub/wordlists/unixdict.txt"]];
dict //= StringSplit[#, "\n"] &;
dict = {#, Select[Characters[#], MemberQ[vowels, #] &]} & /@ dict;
dict //= Select[Last /* Count["e"] /* GreaterThan[3]];
dict //= Select[Last /* Apply[SameQ]];
dict[[All, 1]]</syntaxhighlight>
{{out}}
<pre>{belvedere, dereference, elsewhere, erlenmeyer, evergreen, everywhere, exegete, freewheel, nevertheless, persevere, preference, referee, seventeen, seventeenth, telemeter, tennessee}</pre>


=={{header|Nim}}==
=={{header|Nim}}==
<lang Nim>import strutils
<syntaxhighlight lang="nim">import strutils


const NonEVowels = ['a', 'i', 'o', 'u']
const NonEVowels = ['a', 'i', 'o', 'u']
Line 760: Line 1,495:
if vowel in word: break checkWord
if vowel in word: break checkWord
inc count
inc count
stdout.write word.align(14), if count mod 4 == 0: '\n' else: ' '</lang>
stdout.write word.align(14), if count mod 4 == 0: '\n' else: ' '</syntaxhighlight>


{{out}}
{{out}}
Line 770: Line 1,505:
=={{header|Pascal}}==
=={{header|Pascal}}==
{{works with|Turbo Pascal}}
{{works with|Turbo Pascal}}
<lang pascal>program EWords;
<syntaxhighlight lang="pascal">program EWords;
var
var
FileVar: Text;
FileVar: Text;
Line 797: Line 1,532:
end
end
end
end
end.</lang>
end.</syntaxhighlight>


{{out}}
{{out}}
Line 819: Line 1,554:


=={{header|Perl}}==
=={{header|Perl}}==
<lang perl>#!/usr/bin/perl
<syntaxhighlight lang="perl">#!/usr/bin/perl


use strict; # https://rosettacode.org/wiki/Find_words_which_contains_more_than_3_e_vowels
use strict; # https://rosettacode.org/wiki/Find_words_which_contains_more_than_3_e_vowels
Line 825: Line 1,560:


@ARGV = 'unixdict.txt';
@ARGV = 'unixdict.txt';
tr/e// > 3 and tr/aiou// == 0 and print while <>;</lang>
tr/e// > 3 and tr/aiou// == 0 and print while <>;</syntaxhighlight>
{{out}}
{{out}}
belvedere
belvedere
Line 845: Line 1,580:


=={{header|Phix}}==
=={{header|Phix}}==
<!--<lang Phix>(phixonline)-->
<!--<syntaxhighlight lang="phix">(phixonline)-->
<span style="color: #008080;">with</span> <span style="color: #008080;">javascript_semantics</span>
<span style="color: #008080;">with</span> <span style="color: #008080;">javascript_semantics</span>
<span style="color: #008080;">function</span> <span style="color: #000000;">note</span><span style="color: #0000FF;">(</span><span style="color: #004080;">string</span> <span style="color: #000000;">word</span><span style="color: #0000FF;">)</span> <span style="color: #008080;">return</span> <span style="color: #7060A8;">find_any</span><span style="color: #0000FF;">(</span><span style="color: #008000;">"aiou"</span><span style="color: #0000FF;">,</span><span style="color: #000000;">word</span><span style="color: #0000FF;">)=</span><span style="color: #000000;">0</span> <span style="color: #008080;">and</span> <span style="color: #7060A8;">length</span><span style="color: #0000FF;">(</span><span style="color: #7060A8;">find_all</span><span style="color: #0000FF;">(</span><span style="color: #008000;">'e'</span><span style="color: #0000FF;">,</span><span style="color: #000000;">word</span><span style="color: #0000FF;">))></span><span style="color: #000000;">3</span> <span style="color: #008080;">end</span> <span style="color: #008080;">function</span>
<span style="color: #008080;">function</span> <span style="color: #000000;">note</span><span style="color: #0000FF;">(</span><span style="color: #004080;">string</span> <span style="color: #000000;">word</span><span style="color: #0000FF;">)</span> <span style="color: #008080;">return</span> <span style="color: #7060A8;">find_any</span><span style="color: #0000FF;">(</span><span style="color: #008000;">"aiou"</span><span style="color: #0000FF;">,</span><span style="color: #000000;">word</span><span style="color: #0000FF;">)=</span><span style="color: #000000;">0</span> <span style="color: #008080;">and</span> <span style="color: #7060A8;">length</span><span style="color: #0000FF;">(</span><span style="color: #7060A8;">find_all</span><span style="color: #0000FF;">(</span><span style="color: #008000;">'e'</span><span style="color: #0000FF;">,</span><span style="color: #000000;">word</span><span style="color: #0000FF;">))></span><span style="color: #000000;">3</span> <span style="color: #008080;">end</span> <span style="color: #008080;">function</span>
<span style="color: #004080;">sequence</span> <span style="color: #000000;">notes</span> <span style="color: #0000FF;">=</span> <span style="color: #7060A8;">filter</span><span style="color: #0000FF;">(</span><span style="color: #7060A8;">unix_dict</span><span style="color: #0000FF;">(),</span><span style="color: #000000;">note</span><span style="color: #0000FF;">)</span>
<span style="color: #004080;">sequence</span> <span style="color: #000000;">notes</span> <span style="color: #0000FF;">=</span> <span style="color: #7060A8;">filter</span><span style="color: #0000FF;">(</span><span style="color: #7060A8;">unix_dict</span><span style="color: #0000FF;">(),</span><span style="color: #000000;">note</span><span style="color: #0000FF;">)</span>
<span style="color: #7060A8;">printf</span><span style="color: #0000FF;">(</span><span style="color: #000000;">1</span><span style="color: #0000FF;">,</span><span style="color: #008000;">"%d words: %s\n"</span><span style="color: #0000FF;">,{</span><span style="color: #7060A8;">length</span><span style="color: #0000FF;">(</span><span style="color: #000000;">notes</span><span style="color: #0000FF;">),</span><span style="color: #7060A8;">join</span><span style="color: #0000FF;">(</span><span style="color: #7060A8;">shorten</span><span style="color: #0000FF;">(</span><span style="color: #000000;">notes</span><span style="color: #0000FF;">,</span><span style="color: #008000;">""</span><span style="color: #0000FF;">,</span><span style="color: #000000;">3</span><span style="color: #0000FF;">))})</span>
<span style="color: #7060A8;">printf</span><span style="color: #0000FF;">(</span><span style="color: #000000;">1</span><span style="color: #0000FF;">,</span><span style="color: #008000;">"%d words: %s\n"</span><span style="color: #0000FF;">,{</span><span style="color: #7060A8;">length</span><span style="color: #0000FF;">(</span><span style="color: #000000;">notes</span><span style="color: #0000FF;">),</span><span style="color: #7060A8;">join</span><span style="color: #0000FF;">(</span><span style="color: #7060A8;">shorten</span><span style="color: #0000FF;">(</span><span style="color: #000000;">notes</span><span style="color: #0000FF;">,</span><span style="color: #008000;">""</span><span style="color: #0000FF;">,</span><span style="color: #000000;">3</span><span style="color: #0000FF;">))})</span>
<!--</lang>-->
<!--</syntaxhighlight>-->
{{out}}
{{out}}
<pre>
<pre>
Line 857: Line 1,592:


=={{header|PL/I}}==
=={{header|PL/I}}==
<lang pli>moreThanThreeEs: procedure options(main);
<syntaxhighlight lang="pli">moreThanThreeEs: procedure options(main);
declare dict file;
declare dict file;
open file(dict) title('unixdict.txt');
open file(dict) title('unixdict.txt');
Line 878: Line 1,613:
close file(dict);
close file(dict);
end moreThanThreeEs;</lang>
end moreThanThreeEs;</syntaxhighlight>
{{out}}
{{out}}
<pre>belvedere
<pre>belvedere
Line 898: Line 1,633:


=={{header|Python}}==
=={{header|Python}}==
<lang python>with open('unixdict.txt', 'rt') as f:
<syntaxhighlight lang="python">with open('unixdict.txt', 'rt') as f:
for line in f.readlines():
for line in f.readlines():
if not any(c in 'aiou' for c in line) and sum(c=='e' for c in line)>3:
if not any(c in 'aiou' for c in line) and sum(c=='e' for c in line)>3:
print(line.strip())</lang>
print(line.strip())</syntaxhighlight>


{{out}}
{{out}}
Line 921: Line 1,656:
telemeter
telemeter
tennessee</pre>
tennessee</pre>

=={{header|Quackery}}==

<syntaxhighlight lang="Quackery"> [ bit
[ 0 $ "aiou"
witheach
[ bit | ] ] constant
& 0 != ] is aiou ( c --> b )

[]
$ "rosetta/unixdict.txt" sharefile drop nest$
witheach
[ 0 over
witheach
[ dup char e = if
[ dip 1+ ]
aiou if
[ drop 0
conclude ] ]
3 > iff
[ nested join ]
else drop ]

50 wrap$</syntaxhighlight>

{{out}}

<pre>belvedere dereference elsewhere erlenmeyer
evergreen everywhere exegete freewheel
nevertheless persevere preference referee
seventeen seventeenth telemeter tennessee
</pre>

=={{header|R}}==
Adapting this from https://rosettacode.org/wiki/Find_words_which_contains_all_the_vowels#R is trivial.
<syntaxhighlight lang="rsplus">dict <- scan("https://web.archive.org/web/20180611003215/http://www.puzzlers.org/pub/wordlists/unixdict.txt", what = character())
#The following line is equivalent to sapply(c("a", "i", "o", "u"), function(x) stringr::str_count(dict, x))
#As with all things with strings in R, life is easier with stringr or stringi.
notEVowelCount <- sapply(c("a", "i", "o", "u"), function(x) lengths(regmatches(dict, gregexec(x, dict))))
eCount <- lengths(regmatches(dict, gregexec("e", dict)))
dict[apply(notEVowelCount, MARGIN = 1, function(x) all(x < 1)) & eCount > 3]</syntaxhighlight>


=={{header|Racket}}==
=={{header|Racket}}==


<lang racket>#lang racket
<syntaxhighlight lang="racket">#lang racket


;; probably not the best name, but matches the name of the task
;; probably not the best name, but matches the name of the task
Line 942: Line 1,718:


(module+ main
(module+ main
qualifying-words)</lang>
qualifying-words)</syntaxhighlight>


{{out}}
{{out}}
Line 951: Line 1,727:


Hardly even worth saving as a script file; an easily entered one-liner.
Hardly even worth saving as a script file; an easily entered one-liner.
<lang perl6>.say for "unixdict.txt".IO.lines.grep: { !/<[aiou]>/ and /e.*e.*e.*e/ };</lang>
<syntaxhighlight lang="raku" line>.say for "unixdict.txt".IO.lines.grep: { !/<[aiou]>/ and /e.*e.*e.*e/ };</syntaxhighlight>
{{out}}
{{out}}
<pre>
<pre>
Line 974: Line 1,750:
In an attempt to be a little less useless, here's an alternate script that allows you to specify a vowel, the minimum count to search for, and the file to search. Counts base vowels case, and combining accent insensitive; works with ''any'' text file, not just word lists. Defaults to finding words with at least 4 'e's in unixdict.txt. Default output is same as above.
In an attempt to be a little less useless, here's an alternate script that allows you to specify a vowel, the minimum count to search for, and the file to search. Counts base vowels case, and combining accent insensitive; works with ''any'' text file, not just word lists. Defaults to finding words with at least 4 'e's in unixdict.txt. Default output is same as above.


<lang perl6>unit sub MAIN ($vowel = 'e', $min = 4, $file = 'unixdict.txt');
<syntaxhighlight lang="raku" line>unit sub MAIN ($vowel = 'e', $min = 4, $file = 'unixdict.txt');
.say for squish sort
.say for squish sort
( $file.IO.slurp.words.grep: { ((my $b = .lc.samemark(' ').comb.Bag){$vowel} >= $min) && $b<a e i o u>.sum == $b{$vowel} } )\
( $file.IO.slurp.words.grep: { ((my $b = .lc.samemark(' ').comb.Bag){$vowel} >= $min) && $b<a e i o u>.sum == $b{$vowel} } )\
».subst(/<[":;,.?!_\[\]]>/, '', :g);</lang>
».subst(/<[":;,.?!_\[\]]>/, '', :g);</syntaxhighlight>


How about: find words with at least 4 'a's in the [https://github.com/thundergnat/rc-run/blob/master/rc/resources/lemiz.txt Les Misérables file] used for the [[Word frequency]] task?
How about: find words with at least 4 'a's in the [https://github.com/thundergnat/rc-run/blob/master/rc/resources/lemiz.txt Les Misérables file] used for the [[Word frequency]] task?
Line 988: Line 1,764:
Salamanca
Salamanca
Vâsaphantâ</pre>
Vâsaphantâ</pre>

=={{header|Red}}==
<syntaxhighlight lang="rebol">Red[]

words: read/lines %unixdict.txt
forbidden: charset "aiou"

foreach word words [
e's: 0
retain: yes
foreach char word [
if find forbidden char [retain: no break]
if #"e" = char [e's: e's + 1]
]
if all [retain e's > 3] [print word]
]</syntaxhighlight>
{{out}}
<pre>
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee
</pre>


=={{header|REXX}}==
=={{header|REXX}}==
Line 994: Line 1,805:


It also allows the vowel to be specified, &nbsp; and also the minimum number of the specific vowels to be specified on the command line (CL) as well as the dictionary file identifier.
It also allows the vowel to be specified, &nbsp; and also the minimum number of the specific vowels to be specified on the command line (CL) as well as the dictionary file identifier.
<lang rexx>/*REXX pgm finds words (within an identified dict.) which contain more than three "e"s.*/
<syntaxhighlight lang="rexx">/*REXX pgm finds words (within an identified dict.) which contain more than three "e"s.*/
parse arg char many iFID . /*obtain optional arguments from the CL*/
parse arg char many iFID . /*obtain optional arguments from the CL*/
if char=='' | char=="," then char= 'e' /*Not specified? Then use the default.*/
if char=='' | char=="," then char= 'e' /*Not specified? Then use the default.*/
Line 1,018: Line 1,829:
end /*j*/
end /*j*/
/*stick a fork in it, we're all done. */
/*stick a fork in it, we're all done. */
say copies('─', 30) finds " words found having " many ' ' copies(char, many) " letters."</lang>
say copies('─', 30) finds " words found having " many ' ' copies(char, many) " letters."</syntaxhighlight>
{{out|output|text=&nbsp; when using the default inputs:}}
{{out|output|text=&nbsp; when using the default inputs:}}
<pre>
<pre>
Line 1,042: Line 1,853:


=={{header|Ring}}==
=={{header|Ring}}==
<lang ring>
<syntaxhighlight lang="ring">
load "stdlib.ring"
load "stdlib.ring"


Line 1,083: Line 1,894:


see "done..." + nl
see "done..." + nl
</syntaxhighlight>
</lang>
Output:
Output:
<pre>
<pre>
Line 1,105: Line 1,916:
16. tennessee
16. tennessee
done...
done...
</pre>

=={{header|RPL}}==
As RPL is a language for calculators, it is not suitable for reading large text files.
« → w
« { 5 } 0 CON
1 w SIZE '''FOR''' j
w j DUP SUB
'''IF''' "AEIOUaeiou" SWAP POS '''THEN'''
LASTARG 1 - 5 MOD 1 +
DUP2 GET 1 + PUT
'''END'''
'''NEXT'''
DUP 2 GET 3 ≥ SWAP
[ 1 0 1 1 1 ] DOT NOT AND
» » ‘<span style="color:blue>EEE?</span>’ STO

"Seventeen" <span style="color:blue>EEE?</span> <span style="color:grey>@ returns 1 (true)</span>
"Eighteen" <span style="color:blue>EEE?</span> <span style="color:grey>@ returns 0 (false)</span>

=={{header|Ruby}}==
<syntaxhighlight lang="ruby">File.new("unixdict.txt").each do |word|
puts word if word.count("e") > 3 && word.count("aiou") == 0
end
</syntaxhighlight>
{{out}}
<pre>belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee
</pre>

=={{header|sed}}==
<syntaxhighlight lang="sed">#!/bin/sed -f

/^\([^aeiou]*e\)\{4\}[^aiou]*$/!d</syntaxhighlight>
{{out}}
<pre>
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee
</pre>
</pre>


=={{header|Snobol}}==
=={{header|Snobol}}==
<lang snobol> input(.words, 1,, 'unixdict.txt') :s(line)
<syntaxhighlight lang="snobol"> input(.words, 1,, 'unixdict.txt') :s(line)
output = 'Error!' :(end)
output = 'Error!' :(end)
line word = words :f(end)
line word = words :f(end)
Line 1,114: Line 1,991:
word 'e' arb 'e' arb 'e' arb 'e' :f(line)
word 'e' arb 'e' arb 'e' arb 'e' :f(line)
output = word :(line)
output = word :(line)
end</lang>
end</syntaxhighlight>


{{out}}
{{out}}
Line 1,136: Line 2,013:


=={{header|Swift}}==
=={{header|Swift}}==
<lang swift>import Foundation
<syntaxhighlight lang="swift">import Foundation


func e3(_ word: String) -> Bool {
func e3(_ word: String) -> Bool {
Line 1,161: Line 2,038:
} catch {
} catch {
print(error.localizedDescription)
print(error.localizedDescription)
}</lang>
}</syntaxhighlight>


{{out}}
{{out}}
Line 1,185: Line 2,062:
=={{header|Wren}}==
=={{header|Wren}}==
{{libheader|Wren-fmt}}
{{libheader|Wren-fmt}}
<lang ecmascript>import "io" for File
<syntaxhighlight lang="wren">import "io" for File
import "/fmt" for Fmt
import "./fmt" for Fmt


var hasAIOU = Fn.new { |word| word.any { |c| "aiou".contains(c) } }
var hasAIOU = Fn.new { |word| word.any { |c| "aiou".contains(c) } }
Line 1,197: Line 2,074:
Fmt.print("$2d: $s", count, word)
Fmt.print("$2d: $s", count, word)
}
}
}</lang>
}</syntaxhighlight>


{{out}}
{{out}}
Line 1,217: Line 2,094:
15: telemeter
15: telemeter
16: tennessee
16: tennessee
</pre>

=={{header|XPL0}}==
<syntaxhighlight lang="xpl0">string 0; \Use zero-terminated strings
int I, Ch, Len;
char Word(100); \(longest word in unixdict.txt is 22 chars)
def LF=$0A, CR=$0D, EOF=$1A;

func Vowel(Ch); \Return 'true' if character is a vowel, except "e"
int Ch;
case Ch of ^a, ^i, ^o, ^u: return true
other return false;

func Es;
\Return 'true' if Word contains more than 3 e's and no other vowels
int Cnt, I;
[Cnt:= 0;
for I:= 0 to Len-1 do
[if Word(I) = ^e then Cnt:= Cnt+1;
if Vowel(Word(I)) then return false;
];
return Cnt > 3;
];

[FSet(FOpen("unixdict.txt", 0), ^I); \open dictionary and set it to device 3
OpenI(3);
repeat I:= 0;
loop [repeat Ch:= ChIn(3) until Ch # CR; \remove possible CR
if Ch=LF or Ch=EOF then quit;
Word(I):= Ch;
I:= I+1;
];
Len:= I;
Word(I):= 0; \terminate string
if Es then [Text(0, Word); CrLf(0)];
until Ch = EOF;
]</syntaxhighlight>

{{out}}
<pre>
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee
</pre>
</pre>

Latest revision as of 12:17, 5 December 2023

Find words which contains more than 3 e vowels is a draft programming task. It is not yet considered ready to be promoted as a complete task, for reasons that should be found in its talk page.
Task

Use the dictionary   unixdict.txt

Find words which contains more than three   e   vowels   and   contains only   e   vowels.

Show the output here on this page.


Other tasks related to string operations:
Metrics
Counting
Remove/replace
Anagrams/Derangements/shuffling
Find/Search/Determine
Formatting
Song lyrics/poems/Mad Libs/phrases
Tokenize
Sequences



11l

Translation of: Python
V aiou = ‘aiou’ // to get round ‘bug in MSVC 2017’[https://developercommunity.visualstudio.com/t/bug-with-operator-in-c/565417]

L(word) File(‘unixdict.txt’).read().split("\n")
   I !any(word.map(c -> c C :aiou)) & sum(word.map(c -> Int(c == ‘e’))) > 3
      print(word)
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

8080 Assembly

puts:	equ	9	; CP/M syscall to print a string
fopen:	equ	15	; Open file
fread:	equ	20	; Read block
FCB1:	equ	5Ch	; File given on command line
dma:	equ	80h
	org	100h
	lxi	d,FCB1	; Try to open file
	mvi	c,fopen
	call	5
	inr	a	; A=FF = error
	jz	err
	lxi	h,word 	; Word buffer
block:	push	h
	lxi	d,FCB1	; Read 128-byte block
	mvi	c,fread
	call	5
	pop	h	; Restore word buffer pointer
	lxi	d,dma	; Start of block
	dcr	a	; If A=1, we're done
	rz
	inr	a	; Otherwise, if A<>0, error
	jnz	err
char:	ldax	d	; Get character from block
	mov	m,a	; Copy into word buffer
	inx	h
	cpi	10	; End of line?
	cz	line	; Then test this line
	inr	e	; Next character in block
	jnz	char	; If rollover, read next block
	jmp	block
line:	mvi	m,'$'	; CP/M string terminator
	lxi	h,word	; Start at beginning
	mvi	c,0	; 'E' counter 
letter:	mov	a,m	; Get letter from word
	inx	h
	cpi	'$'	; End of string?
	jz	done
	cpi	'a'	; A / I / O / U = not valid
	jz	no
	cpi	'i'
	jz	no
	cpi	'o'
	jz	no
	cpi	'u'
	jz	no
	cpi	'e'	; E?
	jnz	letter	; If not, try next letter
	inr	c	; If so, count the E
	jmp	letter
done:	mvi	a,3	; More than 3 Es?
	cmp	c
	jnc	no	; If not, then don't print
	push	d	; Keep buffer pointer
	lxi	d,word	; Print word
	mvi	c,puts 
	call	5
	pop	d	; Restore buffer pointer
no:	lxi	h,word	; Start reading at begin of word buffer
	ret
err:	lxi	d,emsg	; Print error
	mvi	c,puts
	jmp	5
emsg:	db	'Error$'
word:	equ	$
Output:
A>ewords unixdict.txt
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

Action!

In the following solution the input file unixdict.txt is loaded from H6 drive. Altirra emulator automatically converts CR/LF character from ASCII into 155 character in ATASCII charset used by Atari 8-bit computer when one from H6-H10 hard drive under DOS 2.5 is used.

BYTE FUNC Count(CHAR ARRAY text CHAR c)
  BYTE i,n

  i=1 n=0
  FOR i=1 TO text(0)
  DO
    IF text(i)=c THEN
      n==+1
    FI
  OD
RETURN (n)

BYTE FUNC IsValidWord(CHAR ARRAY word)
  IF Count(word,'a)#0 THEN RETURN(0) FI
  IF Count(word,'e)<=3 THEN RETURN(0) FI
  IF Count(word,'i)#0 THEN RETURN(0) FI
  IF Count(word,'o)#0 THEN RETURN(0) FI
  IF Count(word,'u)#0 THEN RETURN(0) FI
RETURN (1)

PROC FindWords(CHAR ARRAY fname)
  CHAR ARRAY line(256)
  CHAR ARRAY tmp(256)
  BYTE dev=[1]

  Close(dev)
  Open(dev,fname,4)
  WHILE Eof(dev)=0
  DO
    InputSD(dev,line)
    IF IsValidWord(line) THEN
      PrintE(line)
    FI
  OD
  Close(dev)
RETURN

PROC Main()
  CHAR ARRAY fname="H6:UNIXDICT.TXT"

  FindWords(fname)
RETURN
Output:

Screenshot from Atari 8-bit computer

belvedere dereference elsewhere erlenmeyer evergreen everywhere exegete freewheel
nevertheless persevere preference referee seventeen seventeenth telemeter tennessee

Ada

with Ada.Text_Io;
with Ada.Strings.Maps;
with Ada.Strings.Fixed;

procedure Find_Three_E is
   use Ada.Text_Io;
   use Ada.Strings;
   use type Ada.Strings.Maps.Character_Set;

   Filename   : constant String  := "unixdict.txt";
   Y_Is_Vowel : constant Boolean := False;
   Set_E      : constant Maps.Character_Set := Maps.To_Set ("eE");
   Set_Y      : constant Maps.Character_Set := Maps.To_Set ("yY");
   Set_Others : constant Maps.Character_Set :=
     Maps.To_Set ("aiouAIOU") or (if Y_Is_Vowel then Set_Y else Maps.Null_Set);
   File       : File_Type;
begin
   Open (File, In_File, Filename);
   while not End_Of_File (File) loop
      declare
         Word         : constant String  := Get_Line (File);
         Count_E      : constant Natural := Fixed.Count (Word, Set_E);
         Count_Others : constant Natural := Fixed.Count (Word, Set_Others);
      begin
         if Count_E > 3 and Count_Others = 0 then
            Put_Line (Word);
         end if;
      end;
   end loop;
   Close (File);
end Find_Three_E;

ALGOL 68

Interesting to note the word with the most es is "dereference" - a term first used (I believe) in Algol 68...

# find words that contain more than 3 es and no other vowels         #

# read the list of words and look for suitable words                 #
IF  FILE input file;
    STRING file name = "unixdict.txt";
    open( input file, file name, stand in channel ) /= 0
THEN
    # failed to open the file #
    print( ( "Unable to open """ + file name + """", newline ) )
ELSE
    # file opened OK #
    BOOL at eof := FALSE;
    # set the EOF handler for the file #
    on logical file end( input file, ( REF FILE f )BOOL:
                                     BEGIN
                                         # note that we reached EOF on the #
                                         # latest read #
                                         at eof := TRUE;
                                         # return TRUE so processing can continue #
                                         TRUE
                                     END
                       );
    INT eeee words := 0;
    WHILE STRING word;
          get( input file, ( word, newline ) );
          NOT at eof
    DO
        INT e count := 0, other vowel count := 0;
        FOR w pos FROM LWB word TO UPB word DO
            CHAR c = word[ w pos ];
            IF   c = "e"
            THEN e count +:= 1
            ELIF c = "a"
              OR c = "i"
              OR c = "o"
              OR c = "u"
            THEN other vowel count +:= 1
            FI
        OD;
        IF e count > 3 AND other vowel count = 0 THEN
           eeee words +:= 1;
           print( ( whole( eeee words, -5 ), ": ", word, "   (", whole( e count, 0 ), ")", newline ) )
        FI
    OD;
    close( input file )
FI
Output:
    1: belvedere   (4)
    2: dereference   (5)
    3: elsewhere   (4)
    4: erlenmeyer   (4)
    5: evergreen   (4)
    6: everywhere   (4)
    7: exegete   (4)
    8: freewheel   (4)
    9: nevertheless   (4)
   10: persevere   (4)
   11: preference   (4)
   12: referee   (4)
   13: seventeen   (4)
   14: seventeenth   (4)
   15: telemeter   (4)
   16: tennessee   (4)

AppleScript

on findWordsWhichContainsMoreThan3EVowels()
    script o
        property wrds : words of ¬
            (read file ((path to desktop as text) & "unixdict.txt") as «class utf8»)
    end script
    set output to {}
    set astid to AppleScript's text item delimiters
    set AppleScript's text item delimiters to "e"
    repeat with thisWord in o's wrds
        set thisWord to thisWord's contents
        if (((count thisWord's text items) > 4) and not ¬
            ((thisWord contains "a") or (thisWord contains "i") or ¬
                (thisWord contains "o") or (thisWord contains "u"))) then
            set end of output to thisWord
        end if
    end repeat
    set AppleScript's text item delimiters to linefeed
    set output to output as text
    set AppleScript's text item delimiters to astid
    return output
end findWordsWhichContainsMoreThan3EVowels

findWordsWhichContainsMoreThan3EVowels()
Output:
"belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee"

Arturo

words: read.lines relative "unixdict.txt"
otherVowels: ["a" "i" "o" "u"]
containsMoreThan3Es?: function [w][
    if 4 > size match w "e" -> return false

    loop otherVowels 'v [
        if contains? w v -> return false
    ]
    return true
]

loop words 'word [
    if containsMoreThan3Es? word ->
        print word
]
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

AutoHotkey

FileRead, db, % A_Desktop "\unixdict.txt"
vowelsLessE := ["a", "i", "o", "u"]
oRes := []
main:
for i, word in StrSplit(db, "`n", "`r")
{
    for j, v in vowelsLessE
    {
        StrReplace(word, v, v, c)
        if c
            continue main
    }
    StrReplace(word, "e", "e", c)
    if c > 3
        result .= word "`n"
}
MsgBox, 262144, , % result
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

AWK

/e.*e.*e.*e/ && !/a|i|o|u/ {print}
Output:
$ awk -f ewords.awk unixdict.txt
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

BCPL

get "libhdr"

let reads(v) = valof
$(  v%0 := 0
    $(  let ch = rdch()
        if ch = endstreamch resultis false
        if ch = '*N' resultis true
        v%0 := v%0 + 1
        v%(v%0) := ch
    $) repeat
$)

let testword(v) = valof
$(  let e = 0
    for i = 1 to v%0
    $(  if v%i='e' then e := e+1
        if v%i='a' | v%i='i' | v%i='u' | v%i='o' resultis false
    $)
    resultis e > 3
$)

let start() be
$(  let word = vec 256/BYTESPERWORD
    selectinput(findinput("unixdict.txt"))
    while reads(word) if testword(word) do writef("%S*N",word)
    endread()
$)
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

C

#include <stdio.h>
#define SIZE 256

int check(char *word) {
    int e = 0, ok = 1;
    for(; *word && ok; word++) {
        switch(*word) {
            case 'a':
            case 'i':
            case 'o':
            case 'u': ok = 0; break;
            case 'e': e++;
        }
    }
    
    return ok && e > 3;
}
    
int main() {
    FILE *f;
    char line[SIZE];
    
    if (!(f = fopen("unixdict.txt", "r"))) {
        fprintf(stderr, "Cannot open unixdict.txt\n");
        return 1;
    }
    
    while (!feof(f)) {
        fgets(line, SIZE, f);
        if (check(line)) printf("%s", line);
    }
    
    fclose(f);
    return 0;
}
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

C++

#include <iostream>
#include <fstream>

bool test(const std::string &line) {
    unsigned int e = 0;
    for (char c : line) {
        switch(std::tolower(c)) {
            case 'a': return false;
            case 'i': return false;
            case 'o': return false;
            case 'u': return false;
            case 'e': ++e;
        }
    }
    return e > 3;
}

int main() {
    std::ifstream dict{"unixdict.txt"};
    
    if (! dict.is_open()) {
        std::cerr << "Cannot open unixdict.txt\n";
        return 3;
    }
    
    for (std::string line; std::getline(dict, line);) {
        if (test(line)) std::cout << line << std::endl;
    }
    
    return 0;
}
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

CLU

e_word = proc (s: string) returns (bool)
    e: int := 0
    for c: char in string$chars(s) do
        if string$indexc(c, "aiou") ~= 0 then
            return (false)
        end
        if c = 'e' then e := e + 1 end
    end
    return (e > 3)
end e_word
    

start_up = proc ()
    po: stream := stream$primary_output()
    dict: stream := stream$open(file_name$parse("unixdict.txt"), "read")
    
    while true do
        word: string := stream$getl(dict)
            except when end_of_file: break end
        if e_word(word) then stream$putl(po, word) end
    end
    stream$close(dict)
end start_up
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

COBOL

       IDENTIFICATION DIVISION.
       PROGRAM-ID. E-WORDS.
       
       ENVIRONMENT DIVISION.
       INPUT-OUTPUT SECTION.
       FILE-CONTROL.
           SELECT DICT ASSIGN TO DISK
           ORGANIZATION LINE SEQUENTIAL.
           
       DATA DIVISION.
       FILE SECTION.
       FD DICT 
           LABEL RECORD STANDARD
           VALUE OF FILE-ID IS "unixdict.txt".
       01 WORD            PIC X(64).
       
       WORKING-STORAGE SECTION.
       01 E               PIC 99.
       01 OTHER           PIC 99.
       
       PROCEDURE DIVISION.
       BEGIN.
           OPEN INPUT DICT.
           
       READ-WORD.
           READ DICT, AT END CLOSE DICT, STOP RUN.
           PERFORM CHECK-WORD.
           GO TO READ-WORD.
           
       CHECK-WORD.
           MOVE ZERO TO E, OTHER.
           INSPECT WORD TALLYING OTHER FOR ALL 'a'.
           INSPECT WORD TALLYING E FOR ALL 'e'.
           INSPECT WORD TALLYING OTHER FOR ALL 'i'.
           INSPECT WORD TALLYING OTHER FOR ALL 'o'.
           INSPECT WORD TALLYING OTHER FOR ALL 'u'.
           IF E IS GREATER THAN 3 AND OTHER IS EQUAL TO ZERO,
               DISPLAY WORD.
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

Cowgol

include "cowgol.coh";
include "file.coh";

interface LineCb(line: [uint8]);
sub ForEachLine(file: [FCB], cb: LineCb) is
    var buf: uint8[256];
    var ptr := &buf[0];
    
    var length := FCBExt(file);
    while length != 0 loop
        var ch := FCBGetChar(file);
        [ptr] := ch;
        ptr := @next ptr;
        if ch == '\n' then
            [ptr] := 0;
            ptr := &buf[0];
            cb(&buf[0]);
        end if;
        length := length - 1;
    end loop;
end sub;

sub CheckWord implements LineCb is
    var ch := line; 
    var e: uint8 := 0;
    loop
        case [ch] is
            when 0: break;
            when 'a': return;
            when 'i': return;
            when 'o': return;
            when 'u': return;
            when 'e': e := e + 1;
        end case;
        ch := @next ch;
    end loop;
    
    if e > 3 then
        print(line);
    end if;
end sub;

var file: FCB;
if FCBOpenIn(&file, "unixdict.txt") != 0 then
    print("Cannot open unixdict.txt\n");
    ExitWithError();
end if;

ForEachLine(&file, CheckWord);
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

Delphi

Works with: Delphi version 6.0

This program makes extensive use of the standard Delphi TStringList component. It holds the dictionary, which is preloaded. It capture the E-Vowel-only information in a TStringList and uses it to display the words.

var Dict: TStringList;	{List holds dictionary}

function HasEVowels(S: string): boolean;
{Test if string has exclusively E-Vowels and no "a,i,o,u"}
var I,ECount: integer;
begin
Result:=False;
ECount:=0;
for I:=1 to Length(S) do
	begin
	if S[I] in ['a','i','o','u'] then exit;
	if S[I]='e' then Inc(ECount);
	end;
Result:=ECount>3;
end;


procedure ShowEVowels(Memo: TMemo);
{Show words in dictionary that only}
{have e-vowels and have at least three}
var I: integer;
var SL: TStringList;
var S: string;
begin
SL:=TStringList.Create;
try
{Make list of words with least three E-vowels}
for I:=0 to Dict.Count-1 do
 if HasEVowels(Dict[I]) then SL.Add(Dict[I]);
{Display all the words found}
S:='Found: '+IntToStr(SL.Count)+#$0D#$0A;
for I:=0 to SL.Count-1 do
	begin
	S:=S+Format('%-23s',[SL[I]]);
	if (I mod 4)=3 then S:=S+#$0D#$0A;
	end;
Memo.Text:=S;
finally SL.Free; end;
end;



initialization
{Create/load dictionary}
Dict:=TStringList.Create;
Dict.LoadFromFile('unixdict.txt');
Dict.Sorted:=True;
finalization
Dict.Free;
end.
Output:
Found: 16
belvedere              dereference            elsewhere              erlenmeyer             
evergreen              everywhere             exegete                freewheel              
nevertheless           persevere              preference             referee                
seventeen              seventeenth            telemeter              tennessee              


Draco

proc eword(*char line) bool:
    word e;
    char c;
    bool ok;
    ok := true;
    e := 0;
    while 
        c := line*;
        line := line + 1;
        ok and c ~= '\e'
    do
        if c='a' or c='i' or c='o' or c='u' then
            ok := false
        elif c='e' then
            e := e + 1
        fi
    od;
    ok and e>3
corp

proc nonrec main() void:
    file(1024) dictfile;
    [32] char buf;
    *char line;
    channel input text dict;
    
    open(dict, dictfile, "unixdict.txt");
    line := &buf[0];
    
    while readln(dict; line) do
        if eword(line) then writeln(line) fi
    od;
    
    close(dict)
corp
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

F#

// Words contains more than 3 e vowels. Nigel Galloway: February 11th., 2021.
let fN g=let n=Map.ofSeq (Seq.countBy id g) in let fN g=not(n.ContainsKey g) in fN 'a' && fN 'i' && fN 'o' && fN 'u' && not(fN 'e') && n.['e']>3
seq{use n=System.IO.File.OpenText("unixdict.txt") in while not n.EndOfStream do yield n.ReadLine()}|>Seq.filter fN|>Seq.iter(printfn "%s")
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

Factor

USING: formatting io io.encodings.ascii io.files kernel math
sequences ;

"unixdict.txt" ascii file-lines
[ [ "aiou" member? ] any? ] reject
[ [ CHAR: e = ] count 3 > ] filter
[ 1 + "%2d: " printf print ] each-index
Output:
 1: belvedere
 2: dereference
 3: elsewhere
 4: erlenmeyer
 5: evergreen
 6: everywhere
 7: exegete
 8: freewheel
 9: nevertheless
10: persevere
11: preference
12: referee
13: seventeen
14: seventeenth
15: telemeter
16: tennessee

Forth

Works with: Gforth
: e3 ( addr u -- ? )
  0 { ecount }
  0 do
    dup c@ case
      'a' of false endof
      'e' of ecount 1+ to ecount true endof
      'i' of false endof
      'o' of false endof
      'u' of false endof
      true swap
    endcase
    invert if unloop drop false exit then
    1+
  loop
  drop
  ecount 3 > ;

256 constant max-line

: main
  0 0 { count fd-in }
  s" unixdict.txt" r/o open-file throw to fd-in
  begin
    here max-line fd-in read-line throw
  while
    here swap 2dup e3 if
      count 1+ to count
      count 2 .r ." . " type cr
    else
      2drop
    then
  repeat
  drop
  fd-in close-file throw ;

main
bye
Output:
 1. belvedere
 2. dereference
 3. elsewhere
 4. erlenmeyer
 5. evergreen
 6. everywhere
 7. exegete
 8. freewheel
 9. nevertheless
10. persevere
11. preference
12. referee
13. seventeen
14. seventeenth
15. telemeter
16. tennessee

FreeBASIC

open "unixdict.txt" for input as #1

dim as string s, c
dim as integer e, i

while not eof(1)
    line input #1, s
    e = 0
    for i = 1 to len(s)
        c = mid(s,i,1)
        if c="e" then e+=1
        if c="a" or c="i" or c="o" or c="u" then continue while
    next i
    if e>3 then print s
wend
Output:

belvedere dereference elsewhere erlenmeyer evergreen everywhere exegete freewheel nevertheless persevere preference referee seventeen seventeenth telemeter tennessee

Frink

for word = lines["https://web.archive.org/web/20180611003215if_/http://www.puzzlers.org:80/pub/wordlists/unixdict.txt"]
{
   d = countToDict[charList[word]]
   if d.get["a",0] == 0 and d.get["e",0] > 3 and d.get["i",0] == 0 and d.get["o",0] == 0 and d.get["u",0] == 0
      println[word]
}
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee


FutureBasic

include resources "unixdict.txt"

local fn ThreePlusEWord( string as CFStringRef ) as BOOL
  long i, count = len(string), ecount = 0
  
  for i = 0 to count -1
    unichar ch = fn StringCharacterAtIndex( string, i )
    select (ch)
      case _"a", _"A", _"i", _"I", _"o", _"O", _"u", _"U" : exit fn = NO
      case _"e", _"E" : ecount++
      case else : continue
    end select
  next
  if ecount > 3 then exit fn = YES
end fn = NO

void local fn CheckWords
  CFURLRef              url = fn BundleURLForResource( fn BundleMain, @"unixdict", @"txt", NULL )
  CFStringRef        string = fn StringWithContentsOfURL( url, NSUTF8StringEncoding, NULL )
  CFArrayRef          words = fn StringComponentsSeparatedByCharactersInSet( string, fn CharacterSetNewlineSet )
  CFMutableStringRef mutStr = fn MutableStringNew
  NSUInteger          count = 1
  CFStringRef       wordStr
  
  for wordStr in words
    if fn ThreePlusEWord( wordStr ) then MutableStringAppendString( mutStr, fn StringWithFormat( @"%2lu. %@\n", count, wordStr ) ) : count++
  next
  print mutStr
end fn

fn CheckWords

HandleEvents
Output:
 1. belvedere
 2. dereference
 3. elsewhere
 4. erlenmeyer
 5. evergreen
 6. everywhere
 7. exegete
 8. freewheel
 9. nevertheless
10. persevere
11. preference
12. referee
13. seventeen
14. seventeenth
15. telemeter
16. tennessee

Go

package main

import (
    "bytes"
    "fmt"
    "io/ioutil"
    "log"
    "strings"
    "unicode/utf8"
)

func main() {
    wordList := "unixdict.txt"
    b, err := ioutil.ReadFile(wordList)
    if err != nil {
        log.Fatal("Error reading file")
    }
    bwords := bytes.Fields(b)
    var words []string
outer:
    for _, bword := range bwords {
        s := string(bword)
        if utf8.RuneCountInString(s) >= 4 {
            for _, c := range s {
                if strings.ContainsRune("aiou", c) {
                    continue outer
                }
            }
            words = append(words, s)
        }
    }
    wcount := 0
    for _, word := range words {
        ecount := 0
        for _, c := range word {
            if c == 'e' {
                ecount++
            }
        }
        if ecount > 3 {
            wcount++
            fmt.Printf("%2d: %s\n", wcount, word)
        }
    }
}
Output:
 1: belvedere
 2: dereference
 3: elsewhere
 4: erlenmeyer
 5: evergreen
 6: everywhere
 7: exegete
 8: freewheel
 9: nevertheless
10: persevere
11: preference
12: referee
13: seventeen
14: seventeenth
15: telemeter
16: tennessee

Haskell

import System.IO

main = withFile "unixdict.txt" ReadMode $ \h -> do
    words <- fmap lines $ hGetContents h
    putStrLn $ unlines $ filter valid words 
    
valid w = not (any (`elem` "aiou") w) && length (filter (=='e') w) > 3

Or, defining the predicate in terms of a single fold:

import System.IO (readFile)
import Data.Bifunctor (first)


---------- MORE THAN THREE VOWELS, AND NONE BUT E --------

p :: String -> Bool
p = uncurry (&&) . first (3 <) . foldr rule (0, True)
    
rule :: Char -> (Int, Bool) -> (Int, Bool)
rule _ (n, False) = (n, False)
rule 'e' (n, b) = (succ n, b)
rule c (n, b)
  | c `elem` "aiou" = (n, False)
  | otherwise = (n, b)

--------------------------- TEST -------------------------
main :: IO ()
main = readFile "unixdict.txt" 
  >>= (putStrLn . unlines . filter p . lines)
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

J

   >(#~ (0 4 0 0 0 -: 4 <. +/ .(=/)&'aeiou')@>) cutLF fread'unixdict.txt'
belvedere   
dereference 
elsewhere   
erlenmeyer  
evergreen   
everywhere  
exegete     
freewheel   
nevertheless
persevere   
preference  
referee     
seventeen   
seventeenth 
telemeter   
tennessee

(Also possible to do this with regular expressions, but this works. Here, we counted how many times each vowel occurred, limited the maximum count to 4, and checked the resulting signature.)

JavaScript

ECMAScript defines no file operations. Here, to read the dictionary, we use a library available to Apple's "JavaScript for Automation" embedding of a JS interpreter.

(() => {
    "use strict";

    // ----- MORE THAN THREE VOWELS, AND NONE BUT E ------

    // p :: String -> Bool
    const p = w => {
        // True if the word contains more than three vowels,
        // and none of its vowels are other than "e".
        const
            [noOtherVowels, eCount] = [...w].reduce(
                ([bool, n], c) => bool
                    ? "e" === c
                        ? [bool, 1 + n]
                        : "aiou".includes(c)
                            ? [false, n]
                            : [bool, n]
                    : [false, n],

                // Initial accumulator.
                [true, 0]
            );

        return noOtherVowels && (3 < eCount);
    };

    // ---------------------- TEST -----------------------
    const main = () =>
        lines(
            readFile(
                "~/Desktop/unixdict.txt"
            )
        )
        .filter(p)
        .join("\n");

    // --------------------- GENERIC ---------------------

    // lines :: String -> [String]
    const lines = s =>
        // A list of strings derived from a single string
        // which is delimited by \n or by \r\n or \r.
        0 < s.length
            ? s.split(/\r\n|\n|\r/u)
            : [];

    // ----------------------- jxa -----------------------

    // readFile :: FilePath -> IO String
    const readFile = fp => {
        // The contents of a text file at the
        // given file path.
        const
            e = $(),
            ns = $.NSString
            .stringWithContentsOfFileEncodingError(
                $(fp).stringByStandardizingPath,
                $.NSUTF8StringEncoding,
                e
            );

        return ObjC.unwrap(
            ns.isNil() ? (
                e.localizedDescription
            ) : ns
        );
    };

    // MAIN ---
    return main();
})();
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

jq

Works with: jq

Works with gojq, the Go implementation of jq

Using regular expressions

inputs
| select(test("[aiou]")|not)
| select(test("e.*e.*e.*e"))

Regex-free solution

def count(s): reduce s as $x (null; .+1);

("aiou" | explode) as $disallow
| inputs
| . as $word
| explode
| select( all(.[]; . != $disallow[]) and
          count(.[] | select(. == 101)) > 3) # "e" is 101
| $word
Output:

Invocation example: jq -nrR program.jq unixdict.txt

belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

Julia

See Alternade_words#Julia for the foreachword function.

ecount(word) = count(x -> x == 'e', word)
vowelcount(word) = count(x -> x in ['a', 'e', 'i', 'o', 'u'], word)
onlyevowelsmorethan3(word, _) = begin n, m = vowelcount(word), ecount(word); n == m && m > 3 ? word : "" end

foreachword("unixdict.txt", onlyevowelsmorethan3, colwidth=15, numcols=8)
Output:
belvedere      dereference    elsewhere      erlenmeyer     evergreen      everywhere     exegete        freewheel      
nevertheless   persevere      preference     referee        seventeen      seventeenth    telemeter      tennessee

Kotlin

import kotlin.io.path.Path
import kotlin.io.path.useLines

fun main() {
    Path("unixdict.txt").useLines { lines ->
        lines
            .filter { line -> line.none { it in "aiou" } }
            .filter { line -> line.count { it == 'e' } > 3 }
            .forEach(::println)
    }
}
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

Ksh

#!/bin/ksh

# Find words which contains more than 3 e vowels and only e vowels

#	# Variables:
#
badvowels='a|i|o|u'
typeset -si MINE=4

dictionary='../unixdict.txt'

#	# Functions:
#

#	# Function _countch(str, ch) return cpount of ch in  str
#
function _countch {
	typeset _str ; typeset -l _str="$1"
	typeset _ch ; typeset -lL1 _ch="$2"
	typeset _i _cnt ; typeset -si _i _cnt=0

	for ((_i=0; _i<${#_str}; _i++)); do
		[[ ${_str:_i:1} == ${_ch} ]] && (( _cnt++ ))
	done
	echo ${_cnt}
}

 ######
# main #
 ######

while read; do
	[[ $REPLY == *+(${badvowels})* ]] && continue
	(( $(_countch "$REPLY" "e") >= MINE )) && print $REPLY
done < ${dictionary}
Output:

belvedere dereference elsewhere erlenmeyer evergreen everywhere exegete freewheel nevertheless persevere preference referee seventeen seventeenth telemeter

tennessee

Mathematica/Wolfram Language

vowels = Characters["euioa"];
dict = Once[Import["https://web.archive.org/web/20180611003215/http://www.puzzlers.org/pub/wordlists/unixdict.txt"]];
dict //= StringSplit[#, "\n"] &;
dict = {#, Select[Characters[#], MemberQ[vowels, #] &]} & /@ dict;
dict //= Select[Last /* Count["e"] /* GreaterThan[3]];
dict //= Select[Last /* Apply[SameQ]];
dict[[All, 1]]
Output:
{belvedere, dereference, elsewhere, erlenmeyer, evergreen, everywhere, exegete, freewheel, nevertheless, persevere, preference, referee, seventeen, seventeenth, telemeter, tennessee}

Nim

import strutils

const NonEVowels = ['a', 'i', 'o', 'u']

var count = 0
for word in "unixdict.txt".lines:
  block checkWord:
    if word.count('e') <= 3: break checkWord
    for vowel in NonEVowels:
      if vowel in word: break checkWord
    inc count
    stdout.write word.align(14), if count mod 4 == 0: '\n' else: ' '
Output:
     belvedere    dereference      elsewhere     erlenmeyer
     evergreen     everywhere        exegete      freewheel
  nevertheless      persevere     preference        referee
     seventeen    seventeenth      telemeter      tennessee

Pascal

Works with: Turbo Pascal
program EWords;
var
   FileVar: Text;
   Line: string[255];
   I: Integer;
   E: Integer;
   OK: Boolean;
begin
   Assign(FileVar, 'unixdict.txt');
   Reset(FileVar);

   while not Eof(FileVar) do
   begin
      ReadLn(FileVar, Line);
      E := 0;
      OK := True;
      for I := 1 to Length(Line) do
      begin
         OK := OK and (Pos(Line[I], 'aiou') = 0);
         if Line[I] = 'e' then E := E + 1
      end;
      if OK and (E > 3) then
      begin
         Write(Line);
         WriteLn;
      end
   end
end.
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

Perl

#!/usr/bin/perl

use strict; # https://rosettacode.org/wiki/Find_words_which_contains_more_than_3_e_vowels
use warnings;

@ARGV = 'unixdict.txt';
tr/e// > 3 and tr/aiou// == 0 and print while <>;
Output:

belvedere dereference elsewhere erlenmeyer evergreen everywhere exegete freewheel nevertheless persevere preference referee seventeen seventeenth telemeter tennessee

Phix

with javascript_semantics
function note(string word) return find_any("aiou",word)=0 and length(find_all('e',word))>3 end function
sequence notes = filter(unix_dict(),note)
printf(1,"%d words: %s\n",{length(notes),join(shorten(notes,"",3))})
Output:
16 words: belvedere dereference elsewhere ... seventeenth telemeter tennessee

PL/I

moreThanThreeEs: procedure options(main);
    declare dict file;
    open file(dict) title('unixdict.txt');
    on endfile(dict) stop;
    
    declare word char(32) varying;
    do while('1'b);
        next: get file(dict) list(word);

        declare (e, i) fixed, ch char;
        e = 0;
        do i=1 to length(word);
            ch = substr(word, i, 1);
            if verify(ch, 'aiou') = 0 then go to next;
            if ch = 'e' then e = e + 1;
        end;
        
        if e > 3 then put skip list(word);
    end;
    
    close file(dict);
end moreThanThreeEs;
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

Python

with open('unixdict.txt', 'rt') as f:
    for line in f.readlines():
        if not any(c in 'aiou' for c in line) and sum(c=='e' for c in line)>3:
            print(line.strip())
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

Quackery

  [ bit
    [ 0 $ "aiou"
      witheach
        [ bit | ] ] constant
    & 0 != ]                 is aiou ( c --> b )

  []
  $ "rosetta/unixdict.txt" sharefile drop nest$
  witheach
    [ 0 over
      witheach
        [ dup char e = if
            [ dip 1+ ]
          aiou if
            [ drop 0
              conclude ] ]
      3 > iff
        [ nested join ]
      else drop ]

    50 wrap$
Output:
belvedere dereference elsewhere erlenmeyer
evergreen everywhere exegete freewheel
nevertheless persevere preference referee
seventeen seventeenth telemeter tennessee

R

Adapting this from https://rosettacode.org/wiki/Find_words_which_contains_all_the_vowels#R is trivial.

dict <- scan("https://web.archive.org/web/20180611003215/http://www.puzzlers.org/pub/wordlists/unixdict.txt", what = character())
#The following line is equivalent to sapply(c("a", "i", "o", "u"), function(x) stringr::str_count(dict, x))
#As with all things with strings in R, life is easier with stringr or stringi.
notEVowelCount <- sapply(c("a", "i", "o", "u"), function(x) lengths(regmatches(dict, gregexec(x, dict))))
eCount <- lengths(regmatches(dict, gregexec("e", dict)))
dict[apply(notEVowelCount, MARGIN = 1, function(x) all(x < 1)) & eCount > 3]

Racket

#lang racket

;; probably not the best name, but matches the name of the task
(define (contains-more-than-3-e-vowels? s)
  (let loop ((i (string-length s)) (es 0))
    (if (zero? i)
        (> es 3)
        (let ((i- (sub1 i)))
          (match (string-ref s i-)
            ((or #\a #\i #\o #\u) #f)
            (#\e (loop i- (add1 es)))
            (_ (loop i- es)))))))

(define qualifying-words
  (filter contains-more-than-3-e-vowels?
          (file->lines "../../data/unixdict.txt")))

(module+ main
  qualifying-words)
Output:
'("belvedere" "dereference" "elsewhere" "erlenmeyer" "evergreen" "everywhere" "exegete" "freewheel" "nevertheless" "persevere" "preference" "referee" "seventeen" "seventeenth" "telemeter" "tennessee")

Raku

Hardly even worth saving as a script file; an easily entered one-liner.

.say for "unixdict.txt".IO.lines.grep: { !/<[aiou]>/ and /e.*e.*e.*e/ };
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

In an attempt to be a little less useless, here's an alternate script that allows you to specify a vowel, the minimum count to search for, and the file to search. Counts base vowels case, and combining accent insensitive; works with any text file, not just word lists. Defaults to finding words with at least 4 'e's in unixdict.txt. Default output is same as above.

unit sub MAIN ($vowel = 'e', $min = 4, $file = 'unixdict.txt');
.say for squish sort
  ( $file.IO.slurp.words.grep: { ((my $b = .lc.samemark(' ').comb.Bag){$vowel} >= $min) && $b<a e i o u>.sum == $b{$vowel} } )\
  ».subst(/<[":;,.?!_\[\]]>/, '', :g);

How about: find words with at least 4 'a's in the Les Misérables file used for the Word frequency task?

Command line > raku monovowel a 4 lemiz.txt

Output:
Caracalla
Caracara
Salamanca
Vâsaphantâ

Red

Red[]

words: read/lines %unixdict.txt
forbidden: charset "aiou"

foreach word words [
    e's: 0
    retain: yes
    foreach char word [
        if find forbidden char [retain: no break]
        if #"e" = char [e's: e's + 1]
    ]
    if all [retain e's > 3] [print word]
]
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

REXX

This REXX version doesn't care what order the words in the dictionary are in,   nor does it care what
case  (lower/upper/mixed)  the words are in,   the search for the words and vowels is   caseless.

It also allows the vowel to be specified,   and also the minimum number of the specific vowels to be specified on the command line (CL) as well as the dictionary file identifier.

/*REXX pgm finds words (within an identified dict.)  which contain more than three "e"s.*/
parse arg char many iFID .                       /*obtain optional arguments from the CL*/
if char=='' | char=="," then char= 'e'           /*Not specified?  Then use the default.*/
if many=='' | many=="," then many=  4            /* "      "         "   "   "     "    */
if iFID=='' | iFID=="," then iFID='unixdict.txt' /* "      "         "   "   "     "    */
chrU= char;                  upper chrU          /*obtain an uppercase version of  char.*/
           do #=1  while lines(iFID)\==0         /*read each word in the file  (word=X).*/
           x= strip( linein( iFID) )             /*pick off a word from the input line. */
           @.#= x                                /*save:  the original case of the word.*/
           end   /*#*/
#= # - 1                                         /*adjust word count because of DO loop.*/
say copies('─', 30)     #        "words in the dictionary file: "       iFID
finds= 0                                         /*count of the  "eeee"  words found.   */
vowels= 'aeiou'                                  /*obtain the list of all the vowels.   */
upper vowels                                     /*uppercase all the other vowels.      */
vowels= space( translate(vowels, , chrU),  0)    /*elide the one vowel we're looking for*/
                                                 /*process all the words that were found*/
     do j=1  for #;    $= @.j;         upper $   /*obtain word from dict.; uppercase it.*/
     if verify(vowels, $, 'M')>0  then iterate   /*Does it contain other vowels? Skip it*/
     if countstr(chrU, $) < many  then iterate   /*  "   " have enough of  'e's?   "   "*/
     finds= finds + 1                            /*bump count of only "e" vowels found. */
     say right( left(@.j, 30),  40)              /*indent original word for readability.*/
     end        /*j*/
                                                 /*stick a fork in it,  we're all done. */
say copies('─', 30) finds  " words found having "  many ' ' copies(char, many) " letters."
output   when using the default inputs:
────────────────────────────── 25104 words in the dictionary file:  unixdict.txt
          belvedere
          dereference
          elsewhere
          erlenmeyer
          evergreen
          everywhere
          exegete
          freewheel
          nevertheless
          persevere
          preference
          referee
          seventeen
          seventeenth
          telemeter
          tennessee
────────────────────────────── 16  words found having  4   eeee  letters.

Ring

load "stdlib.ring"

cStr = read("unixdict.txt")
wordList = str2list(cStr)
char = list(9)
nextwords = []
nr = 0
num = 0

see "working..." + nl

ln = len(wordList)
for n = ln to 1 step -1
    if len(wordList[n]) < 6
       del(wordList,n)
    ok
next

see "Words are:" + nl

for n = 1 to len(wordList)
    num = 0
    flag = 1
    for m = 1 to len(wordList[n])
        if isvowel(wordList[n][m])
           if wordList[n][m] != "e"
              flag = 0
              exit
           else
              num = num + 1
           ok
        ok
    next
    if flag = 1 and num > 3
       nr = nr + 1
       see "" + nr + ". " + wordList[n] + nl
    ok
next

see "done..." + nl

Output:

working...
Words are:
1. belvedere
2. dereference
3. elsewhere
4. erlenmeyer
5. evergreen
6. everywhere
7. exegete
8. freewheel
9. nevertheless
10. persevere
11. preference
12. referee
13. seventeen
14. seventeenth
15. telemeter
16. tennessee
done...

RPL

As RPL is a language for calculators, it is not suitable for reading large text files.

« → w
 « { 5 } 0 CON 
    1 w SIZE FOR j 
       w j DUP SUB
       IF "AEIOUaeiou" SWAP POS THEN
          LASTARG 1 - 5 MOD 1 + 
          DUP2 GET 1 + PUT 
       END
    NEXT 
    DUP 2 GET 3 ≥ SWAP
    [ 1 0 1 1 1 ] DOT NOT AND
» » ‘EEE?’ STO
"Seventeen" EEE?   @ returns 1 (true)
"Eighteen" EEE?    @ returns 0 (false)

Ruby

File.new("unixdict.txt").each do |word| 
  puts word if word.count("e") > 3 && word.count("aiou") == 0
end
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

sed

#!/bin/sed -f

/^\([^aeiou]*e\)\{4\}[^aiou]*$/!d
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

Snobol

        input(.words, 1,, 'unixdict.txt')   :s(line)
        output = 'Error!'                   :(end)
line    word = words                        :f(end)
        word 'a' | 'i' | 'o' | 'u'          :s(line)
        word 'e' arb 'e' arb 'e' arb 'e'    :f(line)
        output = word                       :(line)
end
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee

Swift

import Foundation

func e3(_ word: String) -> Bool {
    var ecount = 0
    for ch in word {
        switch (ch) {
        case "a", "A", "i", "I", "o", "O", "u", "U":
            return false
        case "e", "E":
            ecount += 1
        default:
            break
        }
    }
    return ecount > 3
}

do {
    try String(contentsOfFile: "unixdict.txt", encoding: String.Encoding.ascii)
        .components(separatedBy: "\n")
        .filter{e3($0)}
        .enumerated()
        .forEach{print(String(format: "%2d. %@", $0.0 + 1, $0.1))}
} catch {
    print(error.localizedDescription)
}
Output:
 1. belvedere
 2. dereference
 3. elsewhere
 4. erlenmeyer
 5. evergreen
 6. everywhere
 7. exegete
 8. freewheel
 9. nevertheless
10. persevere
11. preference
12. referee
13. seventeen
14. seventeenth
15. telemeter
16. tennessee

Wren

Library: Wren-fmt
import "io" for File
import "./fmt" for Fmt

var hasAIOU = Fn.new { |word| word.any { |c| "aiou".contains(c) } }
var wordList = "unixdict.txt" // local copy
var words = File.read(wordList).trimEnd().split("\n").where { |w| w.count >= 4 && !hasAIOU.call(w) }.toList
var count = 0
for (word in words) {
    if (word.count { |c| c == "e" } > 3) {
        count = count + 1
        Fmt.print("$2d: $s", count, word)
    }
}
Output:
 1: belvedere
 2: dereference
 3: elsewhere
 4: erlenmeyer
 5: evergreen
 6: everywhere
 7: exegete
 8: freewheel
 9: nevertheless
10: persevere
11: preference
12: referee
13: seventeen
14: seventeenth
15: telemeter
16: tennessee

XPL0

string 0;               \Use zero-terminated strings
int  I, Ch, Len;
char Word(100); \(longest word in unixdict.txt is 22 chars)
def  LF=$0A, CR=$0D, EOF=$1A;

        func Vowel(Ch); \Return 'true' if character is a vowel, except "e"
        int  Ch;
        case Ch of ^a, ^i, ^o, ^u: return true
        other return false;

        func Es;
        \Return 'true' if Word contains more than 3 e's and no other vowels
        int  Cnt, I;
        [Cnt:= 0;
        for I:= 0 to Len-1 do
            [if Word(I) = ^e then Cnt:= Cnt+1;
            if Vowel(Word(I)) then return false;
            ];
        return Cnt > 3;
        ];

[FSet(FOpen("unixdict.txt", 0), ^I);    \open dictionary and set it to device 3
OpenI(3);
repeat  I:= 0;
        loop    [repeat Ch:= ChIn(3) until Ch # CR;     \remove possible CR
                if Ch=LF or Ch=EOF then quit;
                Word(I):= Ch;
                I:= I+1;
                ];
        Len:= I;
        Word(I):= 0;                    \terminate string
        if Es then [Text(0, Word);  CrLf(0)];
until   Ch = EOF;
]
Output:
belvedere
dereference
elsewhere
erlenmeyer
evergreen
everywhere
exegete
freewheel
nevertheless
persevere
preference
referee
seventeen
seventeenth
telemeter
tennessee