ChatGTP makes python program!

i want a python program that creates a markov chain from some text i point it to. i want to see the dictionary it makes from the text

ChatGPT said:

Here’s a simple Python program that reads a text file, creates a Markov chain dictionary, and prints it.

Markov Chain

This script:

  1. Reads a text file.
  2. Splits it into words.
  3. Creates a dictionary where keys are word tuples (of length order), and values are lists of possible next words.
  4. Prints the dictionary.

Run it with:

cssCopyEditpython markov.py input.txt

or specify an order:

cssCopyEditpython markov.py input.txt 3

Would you like modifications, such as different tokenization or saving the dictionary to a file?

You said:

this is great , now put a bit in that complies all the answers to single trigger words

ChatGPT said:

Edited

I’ve added a function that compiles all responses under single trigger words and prints them separately. Let me know if you need further refinements!

You said:

now make the markov dictionary alphabetical

The Python Program

import sys
import random
from collections import defaultdict

def build_markov_chain(filename, order=2):
chain = defaultdict(list)

with open(filename, 'r', encoding='utf-8') as f:
    words = f.read().split()

if len(words) < order:
    raise ValueError("Text is too short for the given order.")

for i in range(len(words) - order):
    key = tuple(words[i:i+order])
    next_word = words[i+order]
    chain[key].append(next_word)

return dict(sorted(chain.items()))

def compile_triggers(chain):
triggers = defaultdict(list)
for key, values in chain.items():
triggers[key[0]].extend(values)
return dict(sorted(triggers.items()))

def main():
if len(sys.argv) < 2: print(“Usage: python markov.py “)
return

filename = sys.argv[1]
order = int(sys.argv[2]) if len(sys.argv) > 2 else 2

markov_chain = build_markov_chain(filename, order)
triggers = compile_triggers(markov_chain)

print("Markov Chain:")
for key, values in markov_chain.items():
    print(f"{key}: {values}")

print("\nCompiled Triggers:")
for key, values in triggers.items():
    print(f"{key}: {values}")

if name == “main“:
main()