My daughter's alphabet

66

12

The other day we were writing sentences with my daughter with a fridge magnet letter. While we were able to make some(I love cat), we didn't have enough letters to make the others (I love you too) due to an insufficient amount of letters o (4)

I then found out that while one set included 3 e letters it had only 2 o letters. Probably inspired by http://en.wikipedia.org/wiki/Letter_frequency this would still not reflect the actual situation "on the fridge".

Problem

Given the text file where each line contains a "sample sentence" one would want to write on the fridge, propose an alphabet set with minimum amount of letters but still sufficient to write each sentence individually.

Note: ignore cases, all magnet letters are capitals anyway.

Input

The file contain newline separated sentences:

hello
i love cat
i love dog
i love mommy
mommy loves daddy

Output

Provide back sorted list of letters, where each letter appears only as many times to be sufficient to write any sentence:

acdddeghillmmmoostvyy

(thanks, isaacg!)

Winner

Shortest implementation (code)

UPDATED: Testing

I have created an extra test and tried with various answers here:

https://gist.github.com/romaninsh/11159751

romaninsh

Posted 2014-04-10T05:31:43.173

Reputation: 883

May we assume all uppercase input? Does the output have to be sorted? – Titus – 2018-12-14T08:56:21.683

2There should be a letter v in the output ;) – Antonio Ragagnin – 2014-04-10T06:35:59.533

1I believe the correct output is: acdddeghillmmmoostvyy – isaacg – 2014-04-10T06:49:55.230

1Damnit, I accidentally bought one pack with lowercase letters too... – PlasmaHH – 2014-04-10T08:41:25.530

40Are we allowed / required to substitute an upside-down M for a W, or a sideways N for a Z? ;-) – Ilmari Karonen – 2014-04-10T11:42:35.080

4Basically you can construct any letter using Is. – swish – 2014-04-10T11:53:49.353

7More seriously, when you say "ignore cases", do you mean that we can assume that the input is already all in the same case, or that we must convert it all into the same case? Also, is it OK for the output to include some leading spaces? – Ilmari Karonen – 2014-04-10T12:01:58.920

2@swish Try making a G out of Is :P Or an S – Doorknob – 2014-04-10T13:09:34.940

3@Doorknob: _\¯ – Ilmari Karonen – 2014-04-10T13:37:56.047

@IlmariKaronen looks more like a backwards Z – Tim Seguine – 2014-04-11T15:33:37.527

@swish or you can use m's as pixels, as they're the closest thing to a filled in square – Cruncher – 2014-04-11T15:56:14.490

Lordy you guys want to bring back 1337 5p33|< ? – Carl Witthoft – 2014-04-12T12:54:28.753

Answers

18

GolfScript, 28 / 34 chars

n/:a{|}*{a{.[2$]--}%*$-1=}%$

The 28-character program above assumes that all the input letters are in the same case. If this is not necessarily so, we can force them into upper case by prepending {95&}% to the code, for a total of 34 chars:

{95&}%n/:a{|}*{a{.[2$]--}%*$-1=}%$

Notes:

  • For correct operation, the input must include at least one newline. This will be true for normal text files with newlines at the end of each line, but might not be true if the input consists of just one line with no trailing newline. This could be fixed at the cost of two extra chars, by prepending n+ to the code.

  • The uppercasing used in the 34-character version is really crude — it maps lowercase ASCII letters to their uppercase equivalents (and spaces to NULs), but makes a complete mess of numbers and most punctuation. I'm assuming that the input will not include any such characters.

  • The 28-character version treats all input characters (except newlines and NULs) equally. In particular, if the input contains any spaces, some will also appear in the output; conveniently, they will sort before any other printable ASCII characters. The 34-character version, however, does ignore spaces (because it turns out I can do that without it costing me any extra chars).

Explanation:

  • The optional {95&}% prefix uppercases the input by zeroing out the sixth bit of the ASCII code of each input byte (95 = 64 + 31 = 10111112). This maps lowercase ASCII letters to uppercase, spaces to null bytes, and leaves newlines unchanged.

  • n/ splits the input at newlines, and :a assigns the resulting array into the variable a. Then {|}* computes the set union of the strings in the array, which (assuming that the array has at least two elements) yields a string containing all the unique (non-newline) characters in the input.

  • The following { }% loop then iterates over each of these unique characters. Inside the loop body, the inner loop a{.[2$]--}% iterates over the strings in the array a, removing from each string all characters not equal to the one the outer loop is iterating over.

    The inner loop leaves the ASCII code of the current character on the stack, below the filtered array. We make use of this by repeating the filtered array as many times as indicated by the ASCII code (*) before sorting it ($) and taking the last element (-1=). In effect, this yields the longest string in the filtered array (as they all consist of repeats of the same character, lexicographic sorting just sorts them by length), except if the character has ASCII code zero, in which case it yields nothing.

  • Finally, the $ at the end just sorts the output alphabetically.

Ilmari Karonen

Posted 2014-04-10T05:31:43.173

Reputation: 19 513

3Amazing. TODO: Learn GolfScript! – DLosc – 2014-04-13T02:38:07.813

1You may even reduce it to 26: n/:a{|}*{{{=}+,}+a%$-1=}%$. – Howard – 2014-06-05T09:41:05.423

13

J - 37 char

Reads from stdin, outputs to console.

dlb#&a.>./+/"2=/&a.tolower;._2[1!:1]3

1!:1]3 is the call to stdin. tolower;._2 performs double duty by splitting up the lines and making them lowercase simultaneously. Then we count how many times a character occurs in each row with +/"2=/&a., and take the pointwise maximum over all lines with >./.

Finally, we pull that many of each character out of the alphabet with #&a.. This includes spaces—all found at the front due to their low ASCII value—so we just delete leading blanks with dlb.

algorithmshark

Posted 2014-04-10T05:31:43.173

Reputation: 8 144

12

JavaScript (ECMAScript 6) - 148 139 135 Characters

Version 2:

Updated to use array comprehension:

[a[i][0]for(i in a=[].concat(...s.split('\n').map(x=>x.split(/ */).sort().map((x,i,a)=>x+(a[i-1]==x?++j:j=0)))).sort())if(a[i-1]<a[i])]

Version 1:

[].concat(...s.split('\n').map(x=>x.split(/ */).sort().map((x,i,a)=>x+(a[i-1]==x?++j:j=0)))).sort().filter((x,i,a)=>a[i-1]!=x).map(x=>x[0])

Assumes that:

  • The input string is in the variable s;
  • We can ignore the case of the input (as specified by the question - i.e. it is all in either upper or lower case);
  • The output is an array of characters (which is about as close as JavaScript can get to the OP's requirement of a list of characters); and
  • The output is to be displayed on the console.

With comments:

var l = s.split('\n')             // split the input up into sentences
         .map(x=>x.split(/ */)   // split each sentence up into letters ignoring any
                                  // whitespace
                  .sort()         // sort the letters in each sentence alphabetically
                  .map((x,i,a)=>x+(a[i-1]==x?++j:j=0)))
                                  // append the frequency of previously occurring identical
                                  // letters in the same sentence to each letter.
                                  // I.e. "HELLO WORLD" =>
                                  // ["D0","E0","H0","L0","L1","L2","O0","O1","R0","W0"]
[].concat(...l)                   // Flatten the array of arrays of letters+frequencies
                                  // into a single array.
  .sort()                         // Sort all the letters and appended frequencies
                                  // alphabetically.
  .filter((x,i,a)=>a[i-1]!=x)     // Remove duplicates and return the sorted
  .map(x=>x[0])                   // Get the first letter of each entry (removing the
                                  // frequencies) and return the array.

If you want to:

  • Return it as a string then add .join('') on the end;
  • Take input from a user then replace the s variable with prompt(); or
  • Write it as a function f then add f=s=> to the beginning.

Running:

s="HELLO\nI LOVE CAT\nI LOVE DOG\nI LOVE MOMMY\nMOMMY LOVE DADDY";
[].concat(...s.split('\n').map(x=>x.split(/ */).sort().map((x,i,a)=>x+(a[i-1]==x?++j:j=0)))).sort().filter((x,i,a)=>a[i-1]!=x).map(x=>x[0])

Gives the output:

["A","C","D","D","D","E","G","H","I","L","L","M","M","M","O","O","T","V","Y","Y"]

MT0

Posted 2014-04-10T05:31:43.173

Reputation: 3 373

[].concat(...s.split`N`.map(x=>x.split(/ */).map((x,i,a)=>x+(a[x]=a[x]?++j:j=1)))).sort().map((x,i,a)=>a[i-1]<x?x[0]:'').join``; – l4m2 – 2018-05-12T05:35:04.443

1Nice! You can save 3 bytes by reducing /\s*/ to / */ and removing the parens around j=0 – nderscore – 2014-04-11T06:16:08.303

1couldn't you use ... instead of apply ? – Ven – 2014-04-12T21:57:11.350

Thanks to you both - that saves 9 characters - The spread (...) operator is one I've not come across before.

– MT0 – 2014-04-12T22:30:13.873

11

Perl - 46 bytes

#!perl -p
$s=~s/$_//ifor/./g;$s.=uc}for(sort$s=~/\w/g){

Counting the shebang as 1. This is a loose translation of the Ruby solution below.


Ruby 1.8 - 72 bytes

s='';s+=$_.upcase.scan(/./){s.sub!$&,''}while gets;$><<s.scan(/\w/).sort

Input is taken from stdin.

Sample usage:

$ more in.dat
Hello
I love cat
I love dog
I love mommy
Mommy loves daddy

$ ruby fridge-letters.rb < in.dat
ACDDDEGHILLMMMOOSTVYY

primo

Posted 2014-04-10T05:31:43.173

Reputation: 30 891

Output needs to be sorted. – Matt – 2014-04-10T07:28:30.523

@Matt now fixed. – primo – 2014-04-10T08:04:36.073

Nice. If your Perl is vaguely recent though, you'll want a space between /i and for. – tobyink – 2014-04-10T13:45:32.517

8

Python - 206 204 199 177 145 129 117 94 88 chars

print(''.join(c*max(l.lower().count(c)for l in open(f))for c in map(chr,range(97,123))))

I wasn't sure how I was supposed to obtain the file name, so at the moment the code assumes that it is contained in a variable named f. Please let me know if I need to change that.

Tal

Posted 2014-04-10T05:31:43.173

Reputation: 1 358

8in the spirit of unix - you could read from stdin. – romaninsh – 2014-04-10T07:02:41.630

5always make the file name one character long... – None – 2014-04-10T12:40:47.863

@professorfish is that the customary thing to do here? I'm still fairly new to this site – Tal – 2014-04-10T12:50:36.733

3@Tal I'm also new, but if it saves characters, why not? – None – 2014-04-10T12:54:28.517

@professorfish I felt that the "right" thing to do is replace that with proper input (argv, stdin, whatever), but that felt like a waste of characters, so I decided to just leave it – Tal – 2014-04-10T12:58:47.160

1By assuming f for the input filename and using uppercase (all magnet letters are uppercase anyway), you can get it down to 91: print(''.join([chr(i)*max(l.upper().count(chr(i))for l in open(f))for i in range(65,91)])) – Gabe – 2014-04-10T16:30:45.990

you can reduce by a few characters by using for i in string.uppercase rather than for i in range(65,91), as you wouldn't need the chr(i) (should be 6 characters less). Don't know if the import string shouldn't be counted too, though – njzk2 – 2014-04-11T14:33:08.103

(do we need the print, btw?) – njzk2 – 2014-04-11T14:35:10.233

1@njzk2 well, if we run this in the console, in theory it would just print the result by itself... – Tal – 2014-04-11T15:54:15.390

92 in Python 2: print ''.join([c*max(l.lower().count(c)for l in open('i'))for c in map(chr,range(97,123))]) – Cees Timmerman – 2014-04-11T16:41:40.003

My solution almost exactly. :) You can save two characters by eliminating the [] around the list comprehension: a comprehension, being iterable, can be passed directly to the join() function. – DLosc – 2014-04-13T02:32:51.457

I wonder if the output's format is totally necessary, I could just print the list and drop the ''.join – Tal – 2014-04-13T05:56:50.020

6

Ruby 1.9+, 51 (or 58 or 60)

a=*$<
?a.upto(?z){|c|$><<c*a.map{|l|l.count c}.max}

Assumes everything's in lowercase. Case insensitivity costs 7 characters via .upcase, while case insensitivity and lowercase output costs 9 characters via .downcase.

histocrat

Posted 2014-04-10T05:31:43.173

Reputation: 20 600

4

R (156, incl. file read)

With table I construct the letter frequency table for each sentence. Then I end up with taking for each letter the maximum value.

a=c();for(w in tolower(read.csv(fn,h=F)$V1))a=c(a,table(strsplit(w,"")[[1]]));a=tapply(seq(a),names(a),function(i)max(a[i]))[-1];cat(rep(names(a),a),sep="")

Ungolfed:

a=c()
words = read.csv(fn,h=F)$V1
for(w in tolower(words))
  a=c(a, table(strsplit(w, "")[[1]]))
a = tapply(seq(a), names(a), function(i) max(a[i]))[-1] ## The -1 excludes the space count.
cat(rep(names(a), a), sep="")

Solution:

acdddeghillmmmoooooostuvyy

lambruscoAcido

Posted 2014-04-10T05:31:43.173

Reputation: 401

@lambruscoAcido you could vectorize the three first lines (of the ungolfed code) which would give you a=unlist(lapply(readLines(fn),function(x)table(strsplit(tolower(x),""))));a=tapply(seq(a),names(a),function(i)max(a[i]))[-1];cat(rep(names(a),a),sep=""), but it is only 3 characters shorter – jkd – 2018-02-28T20:48:20.667

Another approach with only 112 characters would be cat(unlist(sapply(letters,function(i)rep(i,max(sapply(gregexpr(i,readLines(f)),function(x)sum(x>0)))))),sep="") assuming f is the filename – jkd – 2018-02-28T20:49:55.583

4

Haskell, 109 108

import Data.List
import Data.Char
main=interact$sort.filter(/=' ').foldl1(\x y->x++(y\\x)).lines.map toLower

The program reads from stdin and writes to sdtout.

It is quite straightforward: it breaks the string into a list of lines, and rebuilds it by iterating on the list and adding the new letters contained in each line.

lortabac

Posted 2014-04-10T05:31:43.173

Reputation: 761

Oh wow why have I never heard of (\) before? – Flonk – 2014-04-10T15:18:57.807

4

Perl 6: 56 53 characters; 58 55 bytes

say |sort
([∪] lines.map:{bag comb /\S/,.lc}).pick(*)

For each line, this combs through it for the non-space characters of the lower-cased string (comb /\S/,.lc), and makes a Bag, or a collection of each character and how many times it occurs. [∪] takes the union of the Bags over all the lines, which gets the max number of times the character occurred. .pick(*) is hack-y here, but it's the shortest way to get all the characters from the Bag replicated by the number of times it occurred.

EDIT: To see if it would be shorter, I tried translating histocrat's Ruby answer. It is 63 characters, but I still very much like the approach:

$!=lines».lc;->$c{print $c x max $!.map:{+m:g/$c/}} for"a".."z"

Mouq

Posted 2014-04-10T05:31:43.173

Reputation: 906

3

Haskell, 183 162 159

Assuming the file is in file.txt!

import Data.Char
import Data.List
main=readFile"file.txt">>=putStr.concat.tail.map(tail.maximum).transpose.map(group.sort.(++' ':['a'..'z'])).lines.map toLower

If file.txt contains, for example

abcde
abcdef
aaf

The script will output

aabcdef

Basically I'm appending the whole alphabet to each line, so that when grouping and sorting, I'm sure I'll end up with a list that contains 27 elements. Next, I transpose the "frequency table", so that each row in this array consists of the frequencies of a single letter in each line, e.g. ["a","","aaa","aa","aaaa"]. I then choose the maximum of each array (which works just like I want because of how the Ord-instance of Strings work), and drop the letter that I appended at the start, get rid of the spaces, and output the result.

Flonk

Posted 2014-04-10T05:31:43.173

Reputation: 7 621

1Instead of drop 1, just use tail – Bergi – 2014-04-10T23:55:42.647

@Bergi Haha derp, thanks! I changed it in the post. – Flonk – 2014-04-11T11:29:16.100

3

Bash, 171 159 158, 138 with junk output

Requires lowercase-only input. Assumes that the file is called _ (underscore). Maximum of 26 lines in the input file due to the annoying filenames which split creates (xaa, xab... xaz, ???).

In bash, {a..z} outputs a b c d e f ....

touch {a..z}
split _ -1
for l in {a..z}
do for s in {a..z}
do grep -so $l xa$s>b$l
if [ `wc -l<b$l` -ge `wc -l<$l` ]
then mv b$l $l
fi
done
tr -d '\n'<$l
done

Sample output

acdddeghillmmmoostvyy

Explanation

touch {a..z}

Create files that we will be reading from later on so that bash doesn't complain that they don't exist. If you remove this line you will save 13 chars but get a lot of junk output.

split _ -1

Split the input file into sections, each storing 1 line. The files this command creates are named xaa, xab, xac and so on, I have no idea why.

for l in {a..z}
do for s in {a..z}

For each letter $l read through all lines stored in files xa$s.

do grep -so $l xa$s>b$l

Remove the -s switch to save 1 char and get a lot of junk output. It prevents grep from complaining about nonexistent files (will occur unless you have 26 lines of input). This processes the file xa$s, removing anything but occurences of $l, and sending output to the file b$l. So "i love mommy" becomes "mmm" with new lines after each letter when $l is m.

if [ `wc -l<b$l` -ge `wc -l<$l` ]

If the number of lines in the file we just created is greater than or equal to (i.e. more letters since there is one letter per line) the number of lines in our highest result so far (stored in $l)...

then mv b$l $l

...store our new record in the file $l. At the end of this loop, when we have gone through all the lines, the file $l will store x lines each containing the letter $l, where x is the highest number of occurences of that letter in a single line.

fi
done
tr -d '\n'<$l

Output the contents of our file for that particular letter, removing new lines. If you don't want to remove the new lines, change the line with tr to echo $l, saving 6 chars.

done

user16402

Posted 2014-04-10T05:31:43.173

Reputation:

Tried with GNU bash, version 3.2.51 (apple), but file '-l1aa' in a current folder containing input data.. – romaninsh – 2014-04-21T23:33:17.553

@romaninsh It might be that you have a different version of split (from coreutils). I am currently running GNU bash 4.3.8 and GNU coreutils 8.21 on Ubuntu 14.04 and it works fine (it also worked on Ubuntu 13.10 before I upgraded). However, I did have to place the program and the input file in a separate directory for it to work properly - I suspect this was only because of the millions of junk files in my home folder. – None – 2014-04-22T07:03:35.087

@romaninsh in fact, if you look at the exact command in the script: split _ -l1 and you notice that your input is being saved to -l1aa, I think that your version of split isn't recognising -l1 as an option and instead taking it to be a prefix for output. Try putting a space between -l and 1, or putting --lines=1, or just -1 (this appears to be an obsolete and more golfy syntax which I will now update the post with). – None – 2014-04-22T07:06:26.903

3

C, 99 chars

t[256];main(c){for(--*t;++t[1+tolower(getchar())];);for(c=97;c<123;c++)while(t[c]--)putchar(c-1);}

It crashes if less than one newline is provided. I think it could be fixed quite easily.

zakk

Posted 2014-04-10T05:31:43.173

Reputation: 161

I tried, but it didn't produce correct results. https://gist.github.com/romaninsh/11159751

– romaninsh – 2014-04-21T23:15:18.823

3

kdb (q/k): 59 characters:

d:.Q.a! 26#0
.z.pi:{d|:.Q.a##:'=_y}.z.exit:{-1@,/.:[d]#'!:d}
  • generate pre-sorted seed dictionary from alphabet .Q.a
  • process each line of input, convert to lowercase, group into dictionary, count each element, take alphabetic characters from result (I.e. prune spaces, newlines, etc at this stage) and use max-assign to global d to keep a running total.
  • define exit handler, which gets passed in to .z.pi to save a delimiter but otherwise unused there. Take from each key-value to generate list of characters, flatten and finally print to stdout.

-1 adds a newline, using 1 would save a character but does not generate the output specified. Wish I could get rid of the .z.pi / .z.exit boilerplate, which would remove 14 characters.

Edit: avoid use of inter/asc by using seed dictionary.

user20349

Posted 2014-04-10T05:31:43.173

Reputation: 31

3

Perl, 46

for$:(a..z){$a[ord$:]|=$:x s/$://gi}}{print@a

Here's another Perl solution, reads from STDIN, requires -n switch (+1 to count), ties with primo's score but runs without complaints :-). It exploits the fact that bitwise or's result has longer string argument's length.

user2846289

Posted 2014-04-10T05:31:43.173

Reputation: 1 541

1tried with my test and it worked great. – romaninsh – 2014-04-21T23:37:06.460

3

C#, 172 bytes

var x="";foreach(var i in File.ReadAllText(t).ToLower().Split('\r','\n'))foreach(var j in i)if(x.Count(c=>c==j)<i.Count(c=>c==j))x+=j;string.Concat(x.OrderBy(o=>o)).Trim();

jzm

Posted 2014-04-10T05:31:43.173

Reputation: 369

Clever ...clever ... I thought about playing with linq, but doubt it'll be as short as these contorted foreachs :) – Noctis – 2014-04-14T06:42:51.347

3

I'm adding my own solution:

Bash - 72

Assumes that input is in file "i"

for x in {A..Z};do echo -n `cat i|sed "s/[^$x]//g"|sort -r|head -1`;done

Explanation

For each possible letter, filters it out only from input file resulting in something like this:

AAA
A
A

AAAA

A
AAAAAAAAAAAAAAAA

Then result is sorted and the longest line is selected. echo -n is there to remove newlines.

romaninsh

Posted 2014-04-10T05:31:43.173

Reputation: 883

2

Python 2 - 129

Idea from @Tal

a,r=[0]*26,range(26)
for l in open('f'):a=[max(a[i],l.lower().count(chr(i+97)))for i in r]
print''.join(chr(i+97)*a[i]for i in r)

A couple more ways to do the same thing in the same number of characters:

a=[0]*26
b='(chr(i+97)))for i in range(26)'
exec'for l in open("f"):a=[max(a[i],l.lower().count'+b+']\nprint"".join(a[i]*('+b+')'

a=[0]*26
b='(chr(i+97)))for i in range(26))'
exec'for l in open("f"):a=list(max(a[i],l.lower().count'+b+'\nprint"".join(a[i]*('+b

This assumes the file is saved as f in an accessible directory. This program is directly runable, with no extra input necessary.

isaacg

Posted 2014-04-10T05:31:43.173

Reputation: 39 268

Why the down vote? Sorry if I did something wrong. – isaacg – 2014-04-10T07:53:20.453

2

Javascript, 261 chars

eval('s=prompt().toUpperCase().split("\\n");Z=[########0,0];H=Z.slice();s@r){h=Z.slice();r.split("")@c){if(c.match(/\\w/))h[c.charCodeAt(0)-65]++});H=H@V,i){return V>h[i]?V:h[i]})});s="";H@n,i){s+=Array(n+1).join(String.fromCharCode(i+97))});s'.replace(/@/g,".map(function(").replace(/#/g,"0,0,0,"))

Remove the eval(...) and execute to get the real code; this is (somewhat) compressed.

s multi-functions as the array of lines and as the outputted string, h contains the histogram of the letters per line and H contains the histogram with the maximum values up until now. It's case-insensitive, and just ignores anything but a-z and A-Z (I think... JS arrays are sometimes weird).

Now correct :)

tomsmeding

Posted 2014-04-10T05:31:43.173

Reputation: 2 034

This just totals the characters, not quite what the question asked. The letters should be totalled to be the bare minimum set to form any single sentence in the input, not all of them. I quite like your approach to prevent the need to sort the output though. – Matt – 2014-04-10T12:11:37.380

@Matt oh that's right... I'll fix it later. Haven't really got time right now. – tomsmeding – 2014-04-10T15:57:22.310

1Wondered what was going on with the @ until I got to the end. I like it :) – Matt – 2014-04-10T23:20:40.600

2

Mathematica v10 - 110

It's not out yet, but reading new documentation very carefully, I think this should work:

StringJoin@MapIndexed[#2~Table~{#1}&,Rest@Merge[Counts/@Characters@StringSplit[ToLowerCase@Input[],"\n"],Max]]

swish

Posted 2014-04-10T05:31:43.173

Reputation: 7 484

2

Scala, 125 characters

val i=""::io.Source.stdin.getLines.toList.map(_.toLowerCase);println('a'to'z'map(c=>(""+c)*i.map(_.count(_==c)).max)mkString)

First I read the input, converting it into lower case and adding one empty line.

Then for each letter from a to z I repeat that letter maximum number of times it appears in any of the lines (that's why I need the empty line: max cannot be called on an enpty input). Then I just join the results and print to the output.

To read from a file, replace stdin with fromFile("FILENAME"), increasing the size of the code to 132 characters + file name length.

Karol S

Posted 2014-04-10T05:31:43.173

Reputation: 161

2

JavaScript (ES5) 141 bytes

Assuming variable s is the input string with no case-checking requirements and array output:

for(a in s=s[o=_='',y='split']('\n'))for(i=0;x=s[a][i++];)o+=x!=0&&(l=s[a][y](x).length-~-o[y](x).length)>0?Array(l).join(x):_;o[y](_).sort()

nderscore

Posted 2014-04-10T05:31:43.173

Reputation: 4 912

I tested your solution and was looking inside "o" for an output, but it does not seem to be sorted properly. (see https://gist.github.com/romaninsh/11159751)

– romaninsh – 2014-04-21T23:28:17.993

@romaninsh the output I see in your gist looks properly sorted – nderscore – 2014-04-21T23:41:06.303

Yes, that's a reference / correct output. When I tried your code, I have got this: https://gist.github.com/romaninsh/11161018

– romaninsh – 2014-04-22T00:16:48.957

Apologies if I executed your example incorrectly. – romaninsh – 2014-04-22T00:18:00.547

@romaninsh ah, I had intended for it to just be run in the browser's console. Here's a version reformatted that works on node: https://gist.github.com/nderscore/96aa888c77d275c26c15

– nderscore – 2014-04-22T00:27:02.230

Ah I see. The gist you provided still didn't output result correctly, however I tried your original sample in console. It produced a sorted result, but too many letters: ["A", "A", "A", "A", "A", "A", "A", "A", "A",. – romaninsh – 2014-04-22T00:41:58.983

Working here – nderscore – 2014-04-22T01:20:45.347

2

Groovy, 113/127 102/116 characters

Assuming the file is all in one case (102 chars):

t=new File('f').text;t.findAll('[A-Z]').unique().sort().each{c->print c*t.readLines()*.count(c).max()}

Assuming the file is in mixed case (116 chars):

t=new File('f').text.toUpperCase();t.findAll('[A-Z]').unique().sort().each{c->print c*t.readLines()*.count(c).max()}

Basically:

  • t=new File('f').text To get the text of the file.
  • t.findAll('[A-Z]').unique().sort().each{c-> To get the unique characters, sort them, and iterate.
  • print c*t.readLines()*.count(c).max() Get the max occurances in a single line and print the character that many times.

dbramwell

Posted 2014-04-10T05:31:43.173

Reputation: 201

2

Python 2, 154 bytes

import collections
c = collections.Counter()
for line in open("input.txt"):
    c |= collections.Counter(line.upper())
print "".join(sorted(c.elements()))

Frankfurt

Posted 2014-04-10T05:31:43.173

Reputation: 21

Welcome to PCG! This site supports Markdown syntax, which you can use to format your code, so that it appears nice: just indent each line of code 4 spaces. – algorithmshark – 2014-04-10T22:02:56.830

You'll need to add the characters necessary to import collections. – isaacg – 2014-04-11T00:14:52.767

1does not answer the question, as you need the minimum amount of letters to write each sentence individually. In your code, you output the number of letters needed to write all sentences at the same time. – njzk2 – 2014-04-11T14:35:29.250

You're missing an s at the end of the import statement and the with block lacks indentation. And since this is code golf, it would benefit you greatly to remove unnecessary whitespace where possible. – Fraxtil – 2014-04-13T01:56:05.947

since this is code golf, remove the with statement (just loop over a call to open) and I don't think the elements need sorting. – RemcoGerlich – 2014-04-13T19:04:35.643

good remarks guys, thank you. Sorting output is a requirement. – Frankfurt – 2014-04-15T12:58:48.860

(1) You can indent by just one space to save three bytes. (2) Use one-letter variable names, e.g. l instead of line. (3) Since you reference collections.Counter twice, you should cache it (C = collections.Counter) and use c = C() and c |= C(line.upper()). (4) You should indicate the length of your code in characters in the answer. – nyuszika7h – 2014-04-21T19:53:51.003

Good effort. It does pre-pend a proper output with all the spaces, but seems to work OK. – romaninsh – 2014-04-21T23:34:47.223

2

PowerShell - 141

Reads text from a file named 'a'.

$x=@{}
gc a|%{[char[]]$_|group|%{$c=$_.name.tolower().trim()
$n=$_.count;$x[$c]=($n,$x[$c])[$n-lt$x[$c]]}}
($x.Keys|sort|%{$_*$x[$_]})-join""

Rynant

Posted 2014-04-10T05:31:43.173

Reputation: 2 353

2

Bash (mostly awk) - 172 163 157

awk -v FS="" '{delete l;for(i=1;i<=NF;i++)l[toupper($i)]++;for(i in l)o[i]=(o[i]>l[i]?o[i]:l[i])}END{for(i in o)for(j=0;j<o[i];j++)print i}'|sort|tr -d ' \n'

Text needs to be piped in to awk (or specified as a file).

Example Input

Hello
I love cat
I love dog
I love mommy
Mommy loves daddy

Example Output

ACDDDEGHILLMMMOOSTVYY

PHP (probably could be better) - 174 210

$o=array();foreach(explode("\n",$s) as $a){$l=array();$i=0;while($i<strlen($a)){$k=ucfirst($a[$i++]);if($k==' ')continue;$o[$k]=max($o[$k],++$l[$k]);}}ksort($o);foreach($o as $k=>$v)for($i=0;$i<$v;$i++)echo $k;

Assumes that the string is contained in the variable $s

Example Input

Hello
I love cat
I love dog
I love mommy
Mommy loves daddy

Example Output

ACDDDEGHILLMMMOOSTVYY

Tyzoid

Posted 2014-04-10T05:31:43.173

Reputation: 692

2

I realize this probably isn't the most efficient answer, but I wanted to try and solve the problem anyways. Here's my ObjC variation:

- (NSArray *) lettersNeededForString:(NSString *)sourceString {
    sourceString = [sourceString stringByReplacingOccurrencesOfString:@"\n" withString:@""];
    sourceString = [sourceString stringByReplacingOccurrencesOfString:@" " withString:@""];
    const char * sourceChars = sourceString.UTF8String;
    NSMutableArray * arr = [NSMutableArray new];
    for (int i = 0; i < sourceString.length; i++) {
        [arr addObject:[NSString stringWithFormat:@"%c", sourceChars[i]]];
    }
    return [arr sortedArrayUsingSelector:@selector(localizedCaseInsensitiveCompare:)];
}    

Then you can call it for whatever string:

NSArray * letters = [self lettersNeededForString:@"Hello\nI love cat\nI love dog\nI love mommy\nMommy loves daddy"];
NSLog(@"%@",letters);

I was thinking about applications with larger amounts of text and I'd rather not have to count my array. For this, I added to the method to get this:

- (NSDictionary *) numberOfLettersNeededFromString:(NSString *)sourceString {

    sourceString = [sourceString stringByReplacingOccurrencesOfString:@"\n" withString:@""];
    sourceString = [sourceString stringByReplacingOccurrencesOfString:@" " withString:@""];
    const char * sourceChars = sourceString.UTF8String;
    NSMutableArray * arr = [NSMutableArray new];
    for (int i = 0; i < sourceString.length; i++) {
        [arr addObject:[NSString stringWithFormat:@"%c", sourceChars[i]]];
    }

    static NSString * alphabet = @"abcdefghijklmnopqrstuvwxyz";
    NSMutableDictionary * masterDictionary = [NSMutableDictionary new];
    for (int i = 0; i < alphabet.length; i++) {
        NSString * alphabetLetter = [alphabet substringWithRange:NSMakeRange(i, 1)];
        NSIndexSet * indexes = [arr indexesOfObjectsPassingTest:^BOOL(id obj, NSUInteger idx, BOOL *stop) {
            if ([[(NSString *)obj lowercaseString] isEqualToString:alphabetLetter]) {
                return YES;
            }
            else {
                return NO;
            }
        }];

        masterDictionary[alphabetLetter] = @(indexes.count);
    }

    return masterDictionary;
}

Run like:

NSDictionary * lettersNeeded = [self numberOfLettersNeededFromString:@"Hello\nI love cat\nI love dog\nI love mommy\nMommy loves daddy"];
NSLog(@"%@", lettersNeeded);

Will give you:

{ a = 2; b = 0; c = 1; d = 4; e = 5; f = 0; g = 1; h = 1; i = 3; j = 0; k = 0; l = 6; m = 6; n = 0; o = 8; p = 0; q = 0; r = 0; s = 1; t = 1; u = 0; v = 4; w = 0; x = 0; y = 3; z = 0; }

Which I think is better if I had a very large amount of text and I just needed to know how many of each letter I would need.

Logan

Posted 2014-04-10T05:31:43.173

Reputation: 121

2

C, 298 bytes

char c;
int j,n;
char C[26];
char D[26];
int main()
{
char a='a';
while((c=getchar())>=0)
{
c=tolower(c);
if(c>=a&&c<='z'){j=c-a;D[j]++;}
if(c=='\n'){
for(j=0;j<26;j++){
if(D[j]>C[j])
{C[j]=D[j];}
D[j]=0;
}
}
}
for(j=0;j<26;j++)
{
n=C[j];
while(n--)
{
putchar(a+j);
}
}
}

Array D holds tally of letters for each line, then the maximum count is copied to C.

Note: I put my answer yesterday but is now not listed, maybe I pressed delete instead of edit by mistake?

bacchusbeale

Posted 2014-04-10T05:31:43.173

Reputation: 1 235

It's only 271 bytes. You also have a lot of extraneous newlines. Also, you can you can omit the int from int main() and int j,n;. – nyuszika7h – 2014-04-21T19:59:08.067

Also, your previous answer is still there.

– nyuszika7h – 2014-04-21T20:01:06.037

2

PHP, 143 bytes

Assuming that input is passed in variable $s:

$i=explode("\n",$s);foreach(range('a','z')as$c){$x=array_map(function($l)use($c){return substr_count($l,$c);},$i);echo str_repeat($c,max($x));}

Explanation

For each possible letter I'm mapping array containing list of strings through a user-defined function which replaces each line with number of characters used. For letter 'd' the line "Mommy loves daddy" will be mapped into 3.

Afterwards I find maximum value inside array and output letter just this many times. Here is multi-line version:

$i=explode("\n",$s);
foreach(range('A','Z')as $c){
    $x=array_map(function($l)use($c){
        return substr_count($l,$c);
    },$i);
    echo str_repeat($c,max($x));
}

romaninsh

Posted 2014-04-10T05:31:43.173

Reputation: 883

2

K, 34

{`$a@<a:,/(.:a)#'!:a:|/#:''=:'0:x}

tmartin

Posted 2014-04-10T05:31:43.173

Reputation: 3 917

1

Japt v1.4.5, 11 bytes

;CËpUmèD rw

Try it online!

Unpacked & How it works

;CmDEF{DpUmèD rw

;                 Use an alternative set of predefined variables
 C                "abc...z"
  mDEF{           Map over each char and form a string...
         UmèD       Map over input array into char count
              rw    Reduce with max
       Dp           Repeat the char this number of times

Bubbler

Posted 2014-04-10T05:31:43.173

Reputation: 16 616

1

Python (209, with the sample included, 136 without.):

from collections import*;c=Counter()
for i in ["Hello","I love cat", "I love Dog", "I love mommy", "Mommy loves daddy"]:
 for j in i.lower(): c[j]=max(c[j],list(i).count(j))
print "".join(sorted(c.elements()))

I'll post a PYG sample this afternoon.

ɐɔıʇǝɥʇuʎs

Posted 2014-04-10T05:31:43.173

Reputation: 4 449

I had no idea Python strings had a count method... I don't suppose it's considered legit to change my answer to the question to use this new found knowledge? :p – Tal – 2014-04-10T07:16:12.940

@tal They don't. It's a method of a list, if you look closer – ɐɔıʇǝɥʇuʎs – 2014-04-10T07:17:42.543

1Oh, I see... but in an unexpected twist it turns out strings apparently have this method as well (in 3.x anyway) – Tal – 2014-04-10T07:22:02.280

1

JavaScript - 244

Accepts a parameter of string with newlines.

function s(z){n=m="",y=[];z.toLowerCase().split("\n").map(function(g){a=[];g.replace(/ /g,n).split(n).map(function(e,i){if((+y[e]|0)<(a[e]=(+a[e]|0)+1))y[e]=a[e];});});for(var b in y){m+=Array(y[b]+1).join(b);}return m.split(n).sort().join(n);}

Not happy with the sorting and preparation of the output.

Edit: case-insensitive regex unnecessary! Thanks @Bergi

Matt

Posted 2014-04-10T05:31:43.173

Reputation: 777

2Upper- and lowercase spaces in that regex? – Bergi – 2014-04-10T23:59:07.890

1

C++, 264 characters.

Reads lowercase text from standard input.

#include<algorithm>
#include<iostream>
#include<map>
using namespace std;main(){string s;map<int,long> m;while(getline(cin,s)){int c='`';while(c++<'z')m[c]=max(m[c],count_if(begin(s),end(s),[c](int d){return d==c;}));}for(auto i:m)cout<<string(i.second,i.first);}

C++ function, 205 characters.

string a(istream&i){string s;map<int,long> m;while(getline(i,s)){int c='`';while(c++<'z')m[c]=max(m[c],count_if(begin(s),end(s),[c](int d){return d==c;}));}for(auto i:m)s.append(i.second,i.first);return s;}

user20288

Posted 2014-04-10T05:31:43.173

Reputation: 11

1

JavaScript, 199 characters

function(n){for(s in p=n.toUpperCase(t=[]).split("\n"))for(i in p[k={},s])t[l=p[s][i]]=Math.max(t[l]||0,k[l]=k[l]+1||1);for(l in t)t.push(new Array(t[l]+1).join(l));return t.sort().join('').trim()}

Andrew

Posted 2014-04-10T05:31:43.173

Reputation: 156

In Chrome 33, doing for(..in..) on a string results in function properties being accessed. It breaks this solution. The example input from OP gives this result: "ACDDDEGHILLMMMOOSTVYYfunction (){var e=this.toString();if(!arguments.length)return e;var t=typeof arguments[0],n="string"==t||"number"==t?Array.prototype.slice.call(arguments):arguments[0];for(var i in n)e=e.replace(new RegExp("\\{"+i+"\\}","gi"),n[i]);return e}function (e){return this.indexOf(e)>-1}function (e){var t=this.lastIndexOf(e);return 0>t?[this]:[this.substr(0,t),this.substr(t)]}function (e,t){var n=this.toString();re... – nderscore – 2014-04-10T19:56:59.737

1

Lua - 206 Chars

g=string
f,t,b,e=io.lines(({...})[1]),{},g.byte,g.char
for s in f do for c=b"a",b"a" do _,d=s:lower():gsub(e(c),"");t[c]=t[c]and(t[c]>d and t[c])or d end end for c=b"a",b"z" do io.write(g.rep(e(c),t[c]))end

Reads from the file passed via command line, then creates a table with the maximum number of occurences per letter. Finally outputs the occuring letters.

Henrik Ilgen

Posted 2014-04-10T05:31:43.173

Reputation: 121

1

Julia, 159

My objective is help understand/improve the expressiveness of Julia. Here's a first attempt.

a='a'-1;print(foldl((c,n)->(global a+=1;"$c"*"$a"^n),"",int(mapreduce(s->hist(int({s...}),0:255)[2],(S,T)->max(S,T),zeros(255),readlines(STDIN))[97:122]))"\n")

Here's my crazy idea.

Using mapreduce, foldl, and hist (builtin histogram) were advantageous, but having to deal assembling an array from a string and then back to a string from an array and globals expanded the length.

Program reads from STDIN. Required foldl which is new in Julia 0.30.

Sample Input

alskdja
flkjaslakjd
asa
as
g
alkdjaslkajsd
Output
aaaddfgjjkkllss

waTeim

Posted 2014-04-10T05:31:43.173

Reputation: 141

1

Java, 335

Here is the executable code in java in a more readable form. Once all the unnecessary white spaces are removed, you will see 335 characters in all. The output is:

ACDDDEGHILLMMMOOSTVYY

It gets a filename as input and reads each character from the file, converts it to uppercase and stores the count of it's occurrence in an array. For every new line, the maximum occurrence of each character is updated. At last it is printed. Pre-requiste: The file should end with a newline.

class F {
    public static void main(String[] a) throws Exception {
        java.io.FileInputStream f = new java.io.FileInputStream(a[0]);
        int j, r, l = 256;
        int[] i = new int[l], t = new int[l];
        while ((r = f.read()) > 0) {
            r = r > 96 ? r - 32 : r;
            if (r == 10)
                for (j = 0; j < l; j++) {
                    i[j] = i[j] < t[j] ? t[j] : i[j];
                    t[j] = 0;
                }
            else
                t[r]++;
        }
        for (j = 65; j < 91; j++)
            while (i[j]-- > 0)
                System.out.print((char) j);
    }
}

After removing the white spaces the code will look like the following:

class F{public static void main(String[] a)throws Exception{java.io.FileInputStream f=new java.io.FileInputStream(a[0]);int j,r,l=256;int[] i=new int[l],t=new int[l];while((r=f.read())>0){r=r>96?r-32:r;if(r==10)for(j=0;j<l;j++){i[j]=i[j]<t[j]?t[j]:i[j];t[j]=0;}else t[r]++;}for(j=65;j<91;j++)while(i[j]-->0)System.out.print((char)j);}}

Parasu

Posted 2014-04-10T05:31:43.173

Reputation: 11

1

C#, 265 characters

Assuming input is in variable s, here's a C# Expression, using mainly LINQ (Enumerable.cs):

string.Join("",s.ToLower().Split('\n').Select(e=>e.Where(l=>l!=' '&&l!='\r')
.GroupBy(l=>l).ToDictionary(k=>k.Key,v=>v.Count())).SelectMany(u=>u).GroupBy(l=>l.Key)
.Select(g=>new String(Enumerable.Range(1,g.Max(v=>v.Value)).Select(i=>g.Key).ToArray()))
.OrderBy(l=>l))

Jacob

Posted 2014-04-10T05:31:43.173

Reputation: 1 582

0

Kotlin, 189 bytes

lines().map{it.filter{it.isLetter()}.groupingBy{it}.eachCount()}.fold(mutableMapOf<Char,Int>()){r,i->i.map{(t,u)->r[t]=maxOf(r[t] ?:0,u)}
r}.flatMap{(k,v)->(0..v-1).map{k}}.joinToString("")

Beautified

lines()
    .map { it.filter { it.isLetter() }.groupingBy { it }.eachCount() }
    .fold(mutableMapOf<Char, Int>()) { r, i ->
        i.map { (t, u) -> r[t] = maxOf(r[t] ?: 0, u)}
        r
    }
    .flatMap { (k, v) -> (0..v-1).map { k } }
    .joinToString("")

Test

fun String.f() =

lines().map{it.filter{it.isLetter()}.groupingBy{it}.eachCount()}.fold(mutableMapOf<Char,Int>()){r,i->i.map{(t,u)->r[t]=maxOf(r[t] ?:0,u)}
r}.flatMap{(k,v)->(0..v-1).map{k}}.joinToString("")

fun main(args: Array<String>) {
    val i = """hello
i love cat
i love dog
i love mommy
mommy loves daddy"""
    println(i.f().map { it }.sorted().joinToString(""))
    println("acdddeghillmmmoostvyy")
}

TIO

TryItOnline

jrtapsell

Posted 2014-04-10T05:31:43.173

Reputation: 915

0

Haskell, 41 bytes

f s=do c<-['a'..];maximum$filter(==c)<$>s

Try it online! f takes a list of lines as input.

Add main=interact$f.lines to get a full program for a total of 63 bytes.

Explanation

f s=                -- input s is the list of lines
 do c<-['a'..];     -- for each char c starting at c='a', concatenate the following strings
    filter(==c)<$>s -- for each line in s remove all characters except for the current c
   maximum$         -- take the longest of those strings

Laikoni

Posted 2014-04-10T05:31:43.173

Reputation: 23 676

0

Stax, 8 bytes

ü2lLÜ▀⌂æ

Run and debug it

  1. Reduce the array of inputs using a multiset union operation.
  2. Sort the resulting characters.
  3. Remove spaces.

recursive

Posted 2014-04-10T05:31:43.173

Reputation: 8 616

0

Powershell, 118 116 87 bytes

-join($args|%{$_|% t*y|group|%{-join$_.Group}}|sort|group{$_[0]}|%{$_.Group[-1]})|% t*m

Less golfed test script:

$f = {

$x=$args|%{$_|% t*y|group|%{-join$_.Group}} # unsorted groups of the same letters for each sentence: (h,e,ll,o), (...), (...), (i, ,l,oo,v,e,d,g),...
$y=$x|sort|group{$_[0]}                     # sort all groups and group it again by the first letter (( , , , ), (a,a), (c), (d,ddd), ... (y,yy))
$z=$y|%{$_.Group[-1]}                       # get a last item (maximum item) from each group
-join($z)|% t*m                             # join it and trim spaces

}

@(
    ,("acdddeghillmmmoostvyy",
      "hello",
      "i love cat",
      "i love dog",
      "i love mommy",
      "mommy loves daddy")

    ,("AAAAAAAAAAAAAAAABBBCCCCDDDDDEEEEEEEEEFFGGGGHHHHHHIIIIIIIIIIJJKKLLLLMMMMMMMNNNNNNNNNNNNNOOOOOOOOOPPPPPPPQRRRRRRSSSSSSSTTTTTTUUUUUVWWXYYY",
      "I SAW THE MAN WITH THE BINOCULARS",
      "THEY ARE HUNTING DOGS",
      "FREE WHALES",
      "POLICE HELP DOG BITE VICTIM",
      "HE SAW THAT GAS CAN EXPLODE",
      "TURN RIGHT HERE",
      "WE SAW HER DUCK",
      "IN ANIMAL CRACKERS GROUCHO MARX AS CAPTAIN RUFUS T SPAULDING QUIPPED ONE MORNING I SHOT AN ELEPHANT IN MY PAJAMAS HOW HE GOT IN MY PAJAMAS I DONT KNOW",
      "SHIP SAILS TOMORROW",
      "BOOK STAYS IN LONDON",
      "WANTED A NURSE FOR A BABY ABOUT TWENTY YEARS OLD",
      "THE GIRL IN THE CAR THAT NEEDED WATER IS WAITING",
      "DID YOU EVER HEAR THE STORY ABOUT THE BLIND CARPENTER WHO PICKED UP HIS HAMMER AND SAW",
      "THOSE PROSECUTORS HAVE BEEN TRYING TO LOCK HIM UP FOR TEN YEARS",
      "FLYING PLANES CAN BE DANGEROUS",
      "I ONCE SAW A DEER RIDING MY BICYCLE",
      "TOILET OUT OF ORDER PLEASE USE FLOOR BELOW",
      "LOOK AT THE DOG WITH ONE EYE")
) | %{
    $expected,$s = $_
    $result = &$f @s
    "$($result-eq$expected): $result"
}

Output:

True: acdddeghillmmmoostvyy
True: AAAAAAAAAAAAAAAABBBCCCCDDDDDEEEEEEEEEFFGGGGHHHHHHIIIIIIIIIIJJKKLLLLMMMMMMMNNNNNNNNNNNNNOOOOOOOOOPPPPPPPQRRRRRRSSSSSSSTTTTTTUUUUUVWWXYYY

mazzy

Posted 2014-04-10T05:31:43.173

Reputation: 4 832

0

Jelly, 7, 6, 5 or 4 bytes

ỴŒuœ|/Ṣ

Try it online!

Function submission. Depending on how you interpret the I/O rules, it may be possible to drop the leading (which would then require input to be the data structure "list of strings", as opposed to a single string that was divided using newlines); and it may be possible to drop the Œu (which would then require the input to use a consistent case for the output to be correct).

Explanation

ỴŒuœ|/Ṣ
Ỵ        Split on newlines
 Œu      Uppercase each resulting string
     /   Combine the resulting strings using…
   œ|      …multiset union
      Ṣ  Sort

ais523

Posted 2014-04-10T05:31:43.173

Reputation: 11

Many answers interpret ignore cases, all magnet letters are capitals anyway as that we don't have to handle input with different cases. The fact that the test case uses lowercase letters supports this interpretation. – Dennis – 2018-12-13T19:04:01.060

I interpreted the question as requiring you to standardise case (although it didn't matter whether you used uppercase or lowercase). Without that, you can obviously drop the Œu for a 5 or 4 byte solution. – ais523 – 2018-12-13T19:06:09.533

0

PHP, 116 bytes

foreach(file(T)as$y=>$s)for($i=0;~$c=ucfirst($s[$i++]);)$$c[$y]++;for($c=A;!$c[1];$c++)echo str_repeat($c,max($$c));

assumes filename T. Run with -nr.

breakdown

foreach(file(T)as$y=>$s)            # loop through lines of file
    for($i=0;~$c=ucfirst($s[$i++]);)    # loop through line characters
        $$c[$y]++;       # increment counter ($A..$Z)
 for($c=A;!$c[1];$c++)    # loop $c through uppercase letters
  echo str_repeat($c,max($$c));      # get max from $A, $B etc, use as multiplier for str_repeat

Titus

Posted 2014-04-10T05:31:43.173

Reputation: 13 814

0

05AB1E, 12 bytes

εAS¢}ø€àAS×J

I have the feeling this can be golfed by at least a few bytes..

Input taken as a list of lowercase strings. If taking the input as a newline-delimited string and with mixed case is mandatory, two more bytes should be added.

Try it online.

Explanation:

ε   }         # Map each string in the (implicit) input-list to:
 A            #  Push the lowercase alphabet
  S           #  as a list of characters
   ¢          #  And get the count of each letter in the map-string
              #   i.e. ["hello","i love cat","i love dog","i love mommy","mommy loves daddy"]
              #    → [[0,0,0,0,1,0,0,1,0,0,0,2,0,0,1,0,0,0,0,0,0,0,0,0,0,0],[1,0,1,0,1,0,0,0,1,0,0,1,0,0,1,0,0,0,0,1,0,1,0,0,0,0],[0,0,0,1,1,0,1,0,1,0,0,1,0,0,2,0,0,0,0,0,0,1,0,0,0,0],[0,0,0,0,1,0,0,0,1,0,0,1,3,0,2,0,0,0,0,0,0,1,0,0,1,0],[1,0,0,3,1,0,0,0,0,0,0,1,3,0,2,0,0,0,1,0,0,1,0,0,2,0]]
     ø        # Zip/transpose; swapping rows/columns
              #  → [[0,1,0,0,1],[0,0,0,0,0],[0,1,0,0,0],[0,0,1,0,3],[1,1,1,1,1],[0,0,0,0,0],[0,0,1,0,0],[1,0,0,0,0],[0,1,1,1,0],[0,0,0,0,0],[0,0,0,0,0],[2,1,1,1,1],[0,0,0,3,3],[0,0,0,0,0],[1,1,2,2,2],[0,0,0,0,0],[0,0,0,0,0],[0,0,0,0,0],[0,0,0,0,1],[0,1,0,0,0],[0,0,0,0,0],[0,1,1,1,1],[0,0,0,0,0],[0,0,0,0,0],[0,0,0,1,2],[0,0,0,0,0]]
      ۈ      # Leave the maximum of each
              #  → [1,0,1,3,1,0,1,1,1,0,0,2,3,0,2,0,0,0,1,1,0,1,0,0,2,0]
        AS×   # Repeat each the letters of the alphabet amount of times
              #  → ["a","","c","ddd","e","","g","h","i","","","ll","mmm","","oo","","","","s","t","","v","","","yy",""]
           J  # And join everything together (which is output implicitly)
              #  → "acdddeghillmmmoostvyy"

Kevin Cruijssen

Posted 2014-04-10T05:31:43.173

Reputation: 67 575

0

JavaScript, 105 104 bytes

Takes input as an array of character arrays and returns a string.

a=>[...new Set(a+``)].sort().map(c=>c.repeat(a.map(r=w=>r=w.map(l=>o+=c>{}&c==l,o=0)|o<r?r:o)|r)).join``

Try it online

Shaggy

Posted 2014-04-10T05:31:43.173

Reputation: 24 623

0

Pyth, 14 10 bytes

smeS@Ld.zG

Accepts input as lowercase strings. Try it online here.

smeS@Ld.zG   Implicit: .z=input as list of strings, G=lowercase alphabet
 m       G   Map each letter in G, as d, using:
     L .z      In each string in .z ...
    @ d        ... keep only those characters which match d
   S           Sort by length
  e            Take the last element (i.e. longest)
s            Concatenate into string, implicit print

Edit: golfed 3 bytes. Previous version: sm*deSml@dk.zG

Sok

Posted 2014-04-10T05:31:43.173

Reputation: 5 592

0

C, 298 bytes

(242 bytes by not counting newlines)

Array D keeps tally of letters in each line, then the maximum count of each letter is copied into array C.

char c;
int j,n;
char C[26];
char D[26];
int main()
{
char a='a';
while((c=getchar())>=0)
{
c=tolower(c);
if(c>=a&&c<='z'){j=c-a;D[j]++;}
if(c=='\n'){
for(j=0;j<26;j++){
if(D[j]>C[j])
{C[j]=D[j];}
D[j]=0;
}
}
}
for(j=0;j<26;j++)
{
n=C[j];
while(n--)
{
putchar(a+j);
}
}
}

Note: I just discovered Notepad++ which gives my character count, counts newlines as 2 chars. Should these be subtracted?

bacchusbeale

Posted 2014-04-10T05:31:43.173

Reputation: 1 235

That's because you use CRLF (Windows) line terminators. You should tell Notepad++ to use LF (Unix), then they will only count as one character. – nyuszika7h – 2014-04-21T20:00:37.463

0

C# / LINQPad, 181 bytes

In C# Expression mode; assumes input file is named a (and probably in the LINQPad Program Files folder)

string.Join("",File.ReadAllLines("a").SelectMany(s=>s.ToUpper().Where(c=>c>64&&c<91).GroupBy(c=>c)).GroupBy(g=>g.Key).Select(g=>new string(g.Key,g.Max(x=>x.Count()))).OrderBy(s=>s))

Ungolfed

string.Join("",                                                     // concat all substrings, with no separator
    File.ReadAllLines("a")                                          // read all lines from text file called 'a'
        .SelectMany(                                                // apply function to each subset and union into a single set
            s => s.ToUpper()                                        // convert strings to uppercase
                  .Where(c => c > 64 && c < 91)                     // shorter than char.IsLetter(c) for all uppercase
                  .GroupBy(c => c)                                  // group on each character in the string
         )                            
        .GroupBy(g => g.Key)                                        // group again on each character (I'd love to get rid of this...)
        .Select(g => new string(g.Key, g.Max(x => x.Count())))      // string(char, count) constructor build repeating-char string
        .OrderBy(s => s)                                            // sorted set required
)

Input (text file called a)

Hello
I love cat
I love dog
I love mommy
Mommy loves daddy

Output

ACDDDEGHILLMMMOOSTVYY

jimbobmcgee

Posted 2014-04-10T05:31:43.173

Reputation: 371

0

C# - 146 Bytes

var x="";foreach(var l in File.ReadAllLines(t))foreach(var p in l)if(x.Count(c=>c==p)<l.Count(c=>c==p))x+=p;string.Concat(x.OrderBy(o=>o)).Trim();

Well, I think this is as short as C# can get. This code expects a path to the text file in the variable t.

tsavinho

Posted 2014-04-10T05:31:43.173

Reputation: 163