online compiler and debugger for c/c++

code. compile. run. debug. share.
Source Code   
Language
import functools print('Word square maker') print('Make a word square out of words given in a file called words.txt.') print(' Example words provided were taken from') print(' http://www.manythings.org/vocabulary/lists/l/words.php?f=ogden') print('This program allows you to use a patience for making incomplete squares.') print(' A patience of "p" means that up to "p" words can be left out.') print('It also allows you to use a constraint word that the square must have.') print('Output is all the magic squares that could be made out of the words.') print('Output is saved in a file called results.txt.') print() while True: try: box_size = int(input('Enter square size: ')) patience = int(input('Enter patience: ')) constraint_word = input('Enter constraint word (or blank if none): ') or None if constraint_word is not None: constraint_in_middle = input('Put constraint word in middle? (y/n): ') == 'y' with open('words.txt', 'r', encoding='utf-8') as f: all_words = f.read().strip().split('\n') words = [ word for word in all_words if len(word) == box_size ] print('There are', len(words), 'words in words.txt with the given size out of', len(all_words)) print() if constraint_word is not None and constraint_word not in words: raise Exception('Constraint word ' + constraint_word + ' is not in list') if constraint_word is not None and len(constraint_word) != box_size: raise Exception('Constraint word ' + constraint_word + ' is not the size of the square (' + str(box_size) + ')') mistakes = list() for word in words: if '?' in word: mistakes.append(word) if len(mistakes) > 0: raise Exception('Found the following words with a ? in them: '+ ', '.join(mistakes)) intersect = lambda sets:functools.reduce(set.intersection, sets) index = [ { '?': set() } for i in range(box_size) ] for word in words: for (i, ch) in enumerate(word): index[i]['?'].add(word) if ch not in index[i]: index[i][ch] = set() index[i][ch].add(word) def search(selected, patience): if len(selected) == box_size: yield selected else: i = len(selected) candidates = sorted(intersect([ index[j].get(w[i], set()) for (j, w) in enumerate(selected) ])) if len(candidates) == 0 and patience > 0: candidates = [ '?'*box_size ] patience -= 1 for word in candidates: for box in search(selected+[word], patience): yield box def fix_box(box): box = [ list(line) for line in box ] for i in range(box_size-1): for j in range(i+1, box_size): if box[i][j] == '?' and box[j][i] != '?': box[i][j] = box[j][i] elif box[i][j] != '?' and box[j][i] == '?': box[j][i] = box[i][j] return [ ''.join(line) for line in box ] with open('results.txt', 'w', encoding='utf-8') as f: num_results = 0 for word in words: for box in search([word], patience): if constraint_word is None or (box[box_size//2] == constraint_word if constraint_in_middle else any(line == constraint_word for line in box)): for line in fix_box(box): print(line, file=f) print('', file=f) num_results += 1 print('Found', num_results, 'results.') except Exception as e: print(str(e)) print() if input('Try again? (y/n): ') != 'y': break print()
a able about account acid across act addition adjustment advertisement after again against agreement air all almost among amount amusement and angle angry animal answer ant any apparatus apple approval arch argument arm army art as at attack attempt attention attraction authority automatic awake baby back bad bag balance ball band base basin basket bath be beautiful because bed bee before behaviour belief bell bent berry between bird birth bit bite bitter black blade blood blow blue board boat body boiling bone book boot bottle box boy brain brake branch brass bread breath brick bridge bright broken brother brown brush bucket building bulb burn burst business but butter button by cake camera canvas card care carriage cart cat cause certain chain chalk chance change cheap cheese chemical chest chief chin church circle clean clear clock cloth cloud coal coat cold collar colour comb come comfort committee common company comparison competition complete complex condition connection conscious control cook copper copy cord cork cotton cough country cover cow crack credit crime cruel crush cry cup cup current curtain curve cushion damage danger dark daughter day dead dear death debt decision deep degree delicate dependent design desire destruction detail development different digestion direction dirty discovery discussion disease disgust distance distribution division do dog door doubt down drain drawer dress drink driving drop dry dust ear early earth east edge education effect egg elastic electric end engine enough equal error even event ever every example exchange existence expansion experience expert eye face fact fall false family far farm fat father fear feather feeble feeling female fertile fiction field fight finger fire first fish fixed flag flame flat flight floor flower fly fold food foolish foot for force fork form forward fowl frame free frequent friend from front fruit full future garden general get girl give glass glove go goat gold good government grain grass great green grey grip group growth guide gun hair hammer hand hanging happy harbour hard harmony hat hate have he head healthy hear hearing heart heat help high history hole hollow hook hope horn horse hospital hour house how humour I ice idea if ill important impulse in increase industry ink insect instrument insurance interest invention iron island jelly jewel join journey judge jump keep kettle key kick kind kiss knee knife knot knowledge land language last late laugh law lead leaf learning leather left leg let letter level library lift light like limit line linen lip liquid list little living lock long look loose loss loud love low machine make male man manager map mark market married mass match material may meal measure meat medical meeting memory metal middle military milk mind mine minute mist mixed money monkey month moon morning mother motion mountain mouth move much muscle music nail name narrow nation natural near necessary neck need needle nerve net new news night no noise normal north nose not note now number nut observation of off offer office oil old on only open operation opinion opposite or orange order organization ornament other out oven over owner page pain paint paper parallel parcel part past paste payment peace pen pencil person physical picture pig pin pipe place plane plant plate play please pleasure plough pocket point poison polish political poor porter position possible pot potato powder power present price print prison private probable process produce profit property prose protest public pull pump punishment purpose push put quality question quick quiet quite rail rain range rat rate ray reaction reading ready reason receipt record red regret regular relation religion representative request respect responsible rest reward rhythm rice right ring river road rod roll roof room root rough round rub rule run sad safe sail salt same sand say scale school science scissors screw sea seat second secret secretary see seed seem selection self send sense separate serious servant sex shade shake shame sharp sheep shelf ship shirt shock shoe short shut side sign silk silver simple sister size skin skirt sky sleep slip slope slow small smash smell smile smoke smooth snake sneeze snow so soap society sock soft solid some son song sort sound soup south space spade special sponge spoon spring square stage stamp star start statement station steam steel stem step stick sticky stiff still stitch stocking stomach stone stop store story straight strange street stretch strong structure substance such sudden sugar suggestion summer sun support surprise sweet swim system table tail take talk tall taste tax teaching tendency test than that the then theory there thick thin thing this thought thread throat through through thumb thunder ticket tight till time tin tired to toe together tomorrow tongue tooth top touch town trade train transport tray tree trick trouble trousers true turn twist umbrella under unit up use value verse very vessel view violent voice waiting walk wall war warm wash waste watch water wave wax way weather week weight well west wet wheel when where while whip whistle white who why wide will wind window wine wing winter wire wise with woman wood wool word work worm wound writing wrong year yellow yes yesterday you young
care acid ring edge fish idea seat hate girl idea rest late kick iron come knee kind idea near dark kiss idea seem same kiss idea self safe line idea news east milk iron love knee mind idea near dark mine idea news east silk iron love knee swim wide idea meal swim wide idea meat till idea left late will idea left late wind idea near dark wine idea news east with idea test hate

Compiling Program...

Command line arguments:
Standard Input: Interactive Console Text
×

                

                

Program is not being debugged. Click "Debug" button to start program in debug mode.

#FunctionFile:Line
VariableValue
RegisterValue
ExpressionValue