Script request thread

For scripts to aid with computation or simulation in cellular automata.
User avatar
pzq_alex
Posts: 793
Joined: May 1st, 2021, 9:00 pm
Location: tell me if you know

Re: Script request thread

Post by pzq_alex » April 16th, 2023, 10:17 am

atavoidirc wrote:
April 15th, 2023, 8:36 pm
a script that provides a census of a single pattern
Pipe into apgsearch running some stdin symmetry.
\sum_{n=1}^\infty H_n/n^2 = \zeta(3)

How much of current CA technology can I redevelop "on a desert island"?

hkoenig
Posts: 259
Joined: June 20th, 2009, 11:40 am

Re: Script request thread

Post by hkoenig » April 19th, 2023, 9:12 pm

On my list of things to do is a rewrite/replacement of my partition and census functions, if I can find the time. The methods I wrote date back to the last century and could use an update. I'd like to look at how apgsearch (or lifelib) does this and look for ideas to steal. Pointers to the relevant files and functions would be appreciated. Or broad descriptions of what it is doing.

User avatar
pzq_alex
Posts: 793
Joined: May 1st, 2021, 9:00 pm
Location: tell me if you know

Re: Script request thread

Post by pzq_alex » April 24th, 2023, 9:02 am

hkoenig wrote:
April 19th, 2023, 9:12 pm
On my list of things to do is a rewrite/replacement of my partition and census functions, if I can find the time. The methods I wrote date back to the last century and could use an update. I'd like to look at how apgsearch (or lifelib) does this and look for ideas to steal. Pointers to the relevant files and functions would be appreciated. Or broad descriptions of what it is doing.
The bulk of code responsible for separating patterns into objects belongs to https://gitlab.com/apgoucher/lifelib/-/ ... assifier.h . It uses a disjoint-set-union data structure.
\sum_{n=1}^\infty H_n/n^2 = \zeta(3)

How much of current CA technology can I redevelop "on a desert island"?

atavoidirc
Posts: 49
Joined: April 14th, 2022, 3:09 pm

Re: Script request thread

Post by atavoidirc » June 29th, 2023, 2:02 pm

A script that takes a glider synthesis and convert it to Quadlife by coloring the gliders according to direction.

User avatar
dvgrn
Moderator
Posts: 10694
Joined: May 17th, 2009, 11:00 pm
Location: Madison, WI
Contact:

Re: Script request thread

Post by dvgrn » June 29th, 2023, 4:09 pm

atavoidirc wrote:
June 29th, 2023, 2:02 pm
A script that takes a glider synthesis and convert it to Quadlife by coloring the gliders according to direction.
That's an easy hack from glider-rewinder.py:

Code: Select all

# glider-colorizer-by-direction-QuadLife.py
# https://conwaylife.com/w/index.php?title=Rule:QuadLife&action=raw
#
# If you have a selection, then only the gliders inside the selection will get updated.
# The others will stay in state 1, which is supposed to be the color for NW-traveling gliders

import golly as g
import os
import itertools
from glife import *

lib=[["NW","bo$2o$obo!"],["NE","2o$b2o$o!"],["SE","obo$b2o$bo!"],["SW","2bo$2o$b2o!"]]

def getenvelope(pat):
  env=[]
  if len(pat)%2:
    g.exit("Must be a 2-state list.")
  for i in range(0,len(pat)-1,2):
    for x in range(-1,2):
      for y in range(-1,2):
        if abs(x)!=0 or abs(y)!=0: # add eight neighbors of each ON cell to the mask
          if [pat[i]+x,pat[i+1]+y] not in env:
            env.append([pat[i]+x,pat[i+1]+y])
  for i in range(0,len(pat),2):
    if [pat[i],pat[i+1]] in env:
      env.remove([pat[i],pat[i+1]]) # take original pattern back out of mask
    # else: # with the reduced envelope, this will now happen, e.g. with *WSS singleton sparks
    #  g.note("Technical error: " + str([pat[i],pat[i+1]])+ " not in envelope:" + str(env) + " \n\n" + str(pat)) 
  return list(itertools.chain.from_iterable(env))

r=g.getselrect()
if len(r)==0:
  r=g.getrect()
  if len(r)==0: g.exit("No pattern, nothing to do.")
sel = g.getcells(r)
if len(sel)==0: g.exit("Nothing in selection.")
if len(sel)%2: g.exit("Can't do colorization starting with a multistate rule.  Try Alt+J / Option+J first.")
all = g.getcells(g.getrect())
allcoords=[]
for i in range(0,len(all),2):
  allcoords.append([all[i],all[i+1]])

# g.show("Processing object library...")
odict=dict()
for i in range(len(lib)):
  # g.show("Processing object " + lib[i][0])
  # run and normalize each library object until a duplicate of the original pattern appears
  # The number of ticks to duplication, and the offset, give all the information needed to rewind...
  obj = g.parse(lib[i][1])
  basex, basey,ticks,newobj=obj[0],obj[1],0,[]
  baseobj = g.transform(obj,-basex,-basey)
  basepat = pattern(baseobj) # use glife to avoid having to add a layer in Golly
  
  # TODO: figure out the actual right way to compare in Python 3.x... baseobj>newobj or baseobj<newobj, maybe?
  while str(baseobj) != str(newobj):
    ticks+=1
    newpat=basepat[ticks]
    newlist = list(newpat)
    newobj=g.transform(newpat,-newlist[0],-newlist[1])
    if ticks>999:
      g.exit(obj[0] + " in library has no reasonable repeat time.")
  stridex,stridey=newlist[0],newlist[1]
  
  # odict key is name+phase, and there's an entry for each phase of each object
  # Contains list of repeat, stridex, stridey, dx, dy, clist, envclist.
  # By convention, the first ON cell in phase 0 is at (0,0) and dx and dy are also 0,0.
  # The first ON cell in other phases is also 0,0 but dx and dy will be altered appropriately.
  
  odict[lib[i][0]+"_0"]=[ticks, stridex, stridey, 0, 0, baseobj, getenvelope(baseobj)]
  for t in range(1,ticks):
    newlist=list(basepat[t])
    normalized=g.transform(newlist,-newlist[0],-newlist[1])
    odict[lib[i][0]+"_"+str(t)]=[ticks,stridex,stridey,newlist[0],newlist[1],normalized,getenvelope(normalized)]
g.show("")

# make a list of coordinate pairs that might be Objects of Interest (gliders or LWSSes)
coords=[]
for i in range(0,len(sel),2):
  coords.append([sel[i],sel[i+1]])

rewindable=[]
# now go through the selection and find all the recognizable patterns
i=0
while i<len(coords):
  x0,y0=coords[i][0], coords[i][1]
  for k, v in list(odict.items()):
    clist = v[5] # object cell list
    match=1
    for j in range(0,len(clist),2):
      if [x0+clist[j],y0+clist[j+1]] not in coords:
        match=0
        break # a cell in this object is not in the selected pattern
    if match:
      envclist=v[6] # object envelope cell list
      for j in range(0,len(envclist),2):
        if [x0+envclist[j],y0+envclist[j+1]] in allcoords: # could use coords instead, but selection should be increased 2 cells all around
          match=0
          break # a cell in the surrounding must-be-OFF area is ON
    if match:
      # remove all recognized cells from coords
      for j in range(0,len(clist),2):
        crd=[x0+clist[j],y0+clist[j+1]]
        if crd in coords:
          coords.remove(crd)
        else:
          g.exit("A coordinate that should have been there wasn't: " + str(crd) + "\n\n" + str(coords))
      rewindable.append([k,x0-v[3],y0-v[4]])
      break # no need to go through rest of items in dictionary
  if not match:
    i+=1 # only increment index if current coord has not been removed due to a match

g.setrule("QuadLife")
# color all gliders
for item in rewindable:
  lookup=odict[item[0]]
  # odict[name+phase]=[ticks, stridex, stridey, dx, dy, clist, getenvelope(clist)]
  clist = lookup[5]
  
  # lookup[1] and lookup[2] will contain each glider's x and y offsets every four ticks --
  #   convert those numbers into a value from 1 to 4
  color = (lookup[1]*4+lookup[2]*2 + 10) // 4
  
  for i in range(0,len(clist),2):
    g.setcell(clist[i]+item[1]+lookup[3],clist[i+1]+item[2]+lookup[4],color)

erictom333
Posts: 172
Joined: January 9th, 2019, 2:44 am

Re: Script request thread

Post by erictom333 » August 17th, 2023, 6:30 am

A script to determine critical mass of a rule. Something along the lines of:

Code: Select all

Set n to some preset number (16?)
While necessary {
	Repeat 1000 times {
		Run a random n*n soup
		Check if it stabilises
	}
	If a majority of soups do not stabilise {
		Choose larger n
	} Else {
		Choose smaller n
	}
}
Return smallest n such that a majority of n*n soups do not stabilise

User avatar
b3s23love
Posts: 97
Joined: May 24th, 2023, 6:30 am
Location: The (Life?) Universe

Re: Script request thread

Post by b3s23love » September 13th, 2023, 4:47 pm

(moved from script-related questions because this is a better thread for this)
Would someone like to provide a stdin script for apgsearch that provides multistate random soups?

User avatar
confocaloid
Posts: 3059
Joined: February 8th, 2022, 3:15 pm

Re: Script request thread

Post by confocaloid » September 13th, 2023, 9:23 pm

Barring bugs, this Python 3 script should print a given number of multistate soups. Change the constants at the beginning as needed. No express or implied warranty.

Code: Select all

import random

################################################################################
# The number of cellstates:
N_STATES    = 16
# The rulestring to be used:
RULESTRING  = "QuadB3S23"
# The number of columns:
RLE_WIDTH   = 16
# The number of rows:
RLE_HEIGHT  = 16
# The number of RLEs to generate (set to 0 to run 'forever'; set to 10 to generate 10 RLEs, etc.)
N_RLES      = 0
################################################################################

def random_cellstate():
  return random.randrange(0, N_STATES)

S1 = ["", "p", "q", "r", "s", "t", "u", "v", "w", "x", "y"]
S2 = "ABCDEFGHIJKLMNOPQRSTUVWX"

def cellstate_to_rle(c):
  if c == 0:
    return "."
  return S1[(c - 1) // 24] + S2[(c - 1) % 24]

def random_rle():
  rle = ""
  for y in range(RLE_HEIGHT):
    rle = rle + "".join(cellstate_to_rle(random_cellstate()) for x in range(RLE_WIDTH))
    rle = rle + "{}\n".format("$" if y < RLE_HEIGHT - 1 else "!")
  return "x = {}, y = {}, rule = {}\n{}".format(RLE_WIDTH, RLE_HEIGHT, RULESTRING, rle)

def main():
  print(random_rle())
  i = 1
  while i != N_RLES:
    print(random_rle())
    i += 1

main()
127:1 B3/S234c User:Confocal/R (isotropic CA, incomplete)
Unlikely events happen.
My silence does not imply agreement, nor indifference. If I disagreed with something in the past, then please do not construe my silence as something that could change that.

User avatar
lk050807
Posts: 113
Joined: April 10th, 2023, 4:12 pm
Location: One hour from a river were salmons leap.

Re: Script request thread

Post by lk050807 » October 8th, 2023, 9:47 am

A script that takes a list of catalysts and the list of objects it can catalyze(e.g.:Tutorials/Catalyses,and List of common catalysts), and two objects: one is the input and one is the output.
Then it makes a conduit that can turn the input into the output.
"For the snark is a boojum, you see."
The P3 guy.

Whaz this?

Please support HeartLife

HELP WANTED!
I discovered a new p101 SKOP! Its md5 hash is: b5de045f2a2f5a35160f69afd5ba9572!
Now apgsearching so, not online.

User avatar
ClippyCosmologist
Posts: 22
Joined: May 7th, 2022, 5:24 pm

Re: Script request thread

Post by ClippyCosmologist » January 16th, 2024, 9:12 pm

A function that converts a multi-step shinjuku synthesis into a single-step synthesis pattern.
"Human beings, five hundred years after the Scientific Revolution, are only just starting to match their wits against the billion-year heritage of biology." -- E. Yudkowsky

User avatar
dvgrn
Moderator
Posts: 10694
Joined: May 17th, 2009, 11:00 pm
Location: Madison, WI
Contact:

Re: Script request thread

Post by dvgrn » January 17th, 2024, 3:36 pm

ClippyCosmologist wrote:
January 16th, 2024, 9:12 pm
A function that converts a multi-step shinjuku synthesis into a single-step synthesis pattern.
We kind of have that already, though as usual it needs a bit of bug-hunting work -- if you'll allow "Catagolue synthesis RLE" as a substitute for "Shinjuku synthesis".

There's a pre-processor for a multi-step Catagolue synthesis (which is usually called an "incremental synthesis" on the forums and Discord) posted on the Scripts board -- Ian07's world-renowned Offset Standardi(s|z)er™.

Then incremental-to-continuous-synthesis-python3.py can (usually, with a bunch of annoying exceptions) take you the rest of the way to a "single-step synthesis" (which is usually called a "continuous synthesis" around here.)

User avatar
otismo
Posts: 1218
Joined: August 18th, 2010, 1:41 pm
Location: Florida
Contact:

Re: Thread for your CA software/algorithms ideas

Post by otismo » February 4th, 2024, 3:20 am

I would like a script that makes Loafer BitMap Printers, please.

Thank You !

EDIT by dvgrn: this was a second request for an implementation of an existing idea, rather than a new algorithm. Looks like the request never made it to the Script Request thread, so I moved it here.
"One picture is worth 1000 words; but one thousand words, carefully crafted, can paint an infinite number of pictures."
- autonomic writing
forFUN : http://viropet.com
Art Gallery : http://cgol.art
Video WebSite : http://conway.life

User avatar
H. H. P. M. P. Cole
Posts: 152
Joined: July 15th, 2023, 9:36 pm
Location: Error: 'H. H. P. M. P. Cole' has no attribute 'location'.

Re: Script request thread

Post by H. H. P. M. P. Cole » February 9th, 2024, 1:09 am

Can someone please precompile apgsearch v5.41-ll2.5.7? It will be very useful to those who have computers that cannot compile apgsearch. My priorities for this precompiled version are to allow users to enter in their own rule (or a .rule file if a ruletable), and a user-defined standard/inflated symmetry.
Harfordson Parker-Cole

Factorio

User avatar
confocaloid
Posts: 3059
Joined: February 8th, 2022, 3:15 pm

Re: Script request thread

Post by confocaloid » February 9th, 2024, 1:24 am

H. H. P. M. P. Cole wrote:
February 9th, 2024, 1:09 am
Can someone please precompile apgsearch v5.41-ll2.5.7? It will be very useful to those who have computers that cannot compile apgsearch. My priorities for this precompiled version are to allow users to enter in their own rule (or a .rule file if a ruletable), and a user-defined standard/inflated symmetry.
I think apgsearch recompiles itself differently depending on the specific rule you choose. That means a user won't be able to choose a different rule later without recompiling the program.

Edit:
H. H. P. M. P. Cole wrote:
February 9th, 2024, 1:27 am
You should specify the system on which you are, since the binary will be OS-specific. I'm on Ubuntu.
Last edited by confocaloid on February 9th, 2024, 1:32 am, edited 2 times in total.
127:1 B3/S234c User:Confocal/R (isotropic CA, incomplete)
Unlikely events happen.
My silence does not imply agreement, nor indifference. If I disagreed with something in the past, then please do not construe my silence as something that could change that.

User avatar
H. H. P. M. P. Cole
Posts: 152
Joined: July 15th, 2023, 9:36 pm
Location: Error: 'H. H. P. M. P. Cole' has no attribute 'location'.

Re: Script request thread

Post by H. H. P. M. P. Cole » February 9th, 2024, 1:27 am

confocaloid wrote:
February 9th, 2024, 1:24 am
H. H. P. M. P. Cole wrote:
February 9th, 2024, 1:09 am
Can someone please precompile apgsearch v5.41-ll2.5.7? It will be very useful to those who have computers that cannot compile apgsearch. My priorities for this precompiled version are to allow users to enter in their own rule (or a .rule file if a ruletable), and a user-defined standard/inflated symmetry.
I think apgsearch recompiles itself differently depending on the specific rule you choose. That means a user won't be able to choose a different rule later without recompiling the program.
Okay then, so can you precompile it for Factorio, C1? (And if it is not a burden for you, can you precompile Factorio for every standard symmetry, 2x128, and iC1? My computer cannot compile apgsearch.)
Harfordson Parker-Cole

Factorio

User avatar
confocaloid
Posts: 3059
Joined: February 8th, 2022, 3:15 pm

Re: Script request thread

Post by confocaloid » February 9th, 2024, 2:02 am

H. H. P. M. P. Cole wrote:
February 9th, 2024, 1:27 am
[...]
Okay then, so can you precompile it for Factorio, C1? (And if it is not a burden for you, can you precompile Factorio for every standard symmetry, 2x128, and iC1? My computer cannot compile apgsearch.)

My computer uses a Windows/Linux/ChromeOS.
I'd say it would be better to investigate the problem to understand why you cannot compile apgsearch for yourself, instead of having to distribute lots of binaries for different rulesym combinations. With three different OSes, it seems there should be a way to compile apgsearch for at least one of them, right? What is the error?
127:1 B3/S234c User:Confocal/R (isotropic CA, incomplete)
Unlikely events happen.
My silence does not imply agreement, nor indifference. If I disagreed with something in the past, then please do not construe my silence as something that could change that.

User avatar
H. H. P. M. P. Cole
Posts: 152
Joined: July 15th, 2023, 9:36 pm
Location: Error: 'H. H. P. M. P. Cole' has no attribute 'location'.

Re: Script request thread

Post by H. H. P. M. P. Cole » February 9th, 2024, 5:35 am

confocaloid wrote:
February 9th, 2024, 2:02 am
H. H. P. M. P. Cole wrote:
February 9th, 2024, 1:27 am
[...]
Okay then, so can you precompile it for Factorio, C1? (And if it is not a burden for you, can you precompile Factorio for every standard symmetry, 2x128, and iC1? My computer cannot compile apgsearch.)

My computer uses a Windows/Linux/ChromeOS.
I'd say it would be better to investigate the problem to understand why you cannot compile apgsearch for yourself, instead of having to distribute lots of binaries for different rulesym combinations. With three different OSes, it seems there should be a way to compile apgsearch for at least one of them, right? What is the error?
I am unable to run any of the steps on the wiki page.
Harfordson Parker-Cole

Factorio

User avatar
confocaloid
Posts: 3059
Joined: February 8th, 2022, 3:15 pm

Re: Script request thread

Post by confocaloid » February 9th, 2024, 5:59 am

H. H. P. M. P. Cole wrote:
February 9th, 2024, 5:35 am
[...]
I am unable to run any of the steps on the wiki page.
That might be because the linked wiki page doesn't give any instructions, and instead just aims to be an encyclopedic article explaining what is apgsearch.
Did you look through Tutorials/Contributing to Catagolue / try the steps listed there?
127:1 B3/S234c User:Confocal/R (isotropic CA, incomplete)
Unlikely events happen.
My silence does not imply agreement, nor indifference. If I disagreed with something in the past, then please do not construe my silence as something that could change that.

User avatar
H. H. P. M. P. Cole
Posts: 152
Joined: July 15th, 2023, 9:36 pm
Location: Error: 'H. H. P. M. P. Cole' has no attribute 'location'.

Re: Script request thread

Post by H. H. P. M. P. Cole » February 9th, 2024, 8:53 pm

confocaloid wrote:
February 9th, 2024, 5:59 am
That might be because the linked wiki page doesn't give any instructions, and instead just aims to be an encyclopedic article explaining what is apgsearch.
Did you look through Tutorials/Contributing to Catagolue / try the steps listed there?
Thanks for the link, Confocal! I will try figuring out how to compile apgsearch on my old computer.
Harfordson Parker-Cole

Factorio

User avatar
HerscheltheHerschel
Posts: 589
Joined: September 4th, 2023, 5:23 am

Re: Script request thread

Post by HerscheltheHerschel » February 10th, 2024, 10:44 am

This is not a Python script request, but I'm not finding any better thread, so I'm posting it here.
I would like a (user-friendly) fuse search program for Windows. I want it precompiled. (I am fine with command lines)
superstrings, fuses, waves, wicks, and agars are cool
30P5H2V0 IS A BAD, UNMEMORIZABLE NAME
moved to new account hth

User avatar
dvgrn
Moderator
Posts: 10694
Joined: May 17th, 2009, 11:00 pm
Location: Madison, WI
Contact:

Re: Script request thread

Post by dvgrn » February 10th, 2024, 12:07 pm

HerscheltheHerschel wrote:
February 10th, 2024, 10:44 am
This is not a Python script request, but I'm not finding any better thread, so I'm posting it here.
I would like a (user-friendly) fuse search program for Windows. I want it precompiled. (I am fine with command lines)
What would be wrong with a Python-script fuse searcher? With no need for precompiling, a fairly simple Python or Lua script could generate tens of thousands of fuses in a fairly short amount of time (which, honestly, is exactly why nobody has written a script like that yet.)

What do you want this fuse search program to do, exactly? The easy implementation I'm thinking of would
  • start with a selected object in Golly,
  • ask the user for a value K specifying how many of that object should be used per unit of fuse,
  • maybe ask the user about whether or not to allow rotations or reflections of the object,
  • maybe ask for parameters to allow setting up orthogonal/diagonal/oblique/any-of-the-above searches,
  • randomly place K objects near each other, and test to make sure they don't interact,
  • randomly pick an offset, or enumerate all possible offsets, and make sure that adjacent units of fuse don't interact at that offset,
  • start cycling through tests where N units of fuse are drawn in Golly, with a blob of random soup at one end, and the pattern is run for T ticks
  • write out to a text file or RLE stamp collection any cases where the unit of fuse farthest away from the soup blob gets destroyed after T ticks.

User avatar
HerscheltheHerschel
Posts: 589
Joined: September 4th, 2023, 5:23 am

Re: Script request thread

Post by HerscheltheHerschel » February 10th, 2024, 1:33 pm

dvgrn wrote:
February 10th, 2024, 12:07 pm
HerscheltheHerschel wrote:
February 10th, 2024, 10:44 am
This is not a Python script request, but I'm not finding any better thread, so I'm posting it here.
I would like a (user-friendly) fuse search program for Windows. I want it precompiled. (I am fine with command lines)
What would be wrong with a Python-script fuse searcher? With no need for precompiling, a fairly simple Python or Lua script could generate tens of thousands of fuses in a fairly short amount of time (which, honestly, is exactly why nobody has written a script like that yet.)

What do you want this fuse search program to do, exactly? The easy implementation I'm thinking of would
  • start with a selected object in Golly,
  • ask the user for a value K specifying how many of that object should be used per unit of fuse,
  • maybe ask the user about whether or not to allow rotations or reflections of the object,
  • maybe ask for parameters to allow setting up orthogonal/diagonal/oblique/any-of-the-above searches,
  • randomly place K objects near each other, and test to make sure they don't interact,
  • randomly pick an offset, or enumerate all possible offsets, and make sure that adjacent units of fuse don't interact at that offset,
  • start cycling through tests where N units of fuse are drawn in Golly, with a blob of random soup at one end, and the pattern is run for T ticks
  • write out to a text file or RLE stamp collection any cases where the unit of fuse farthest away from the soup blob gets destroyed after T ticks.
Sorry. I'm also fine with Python scripts, unless it's a golly script (which means that it has to be a Lua script in that case).
superstrings, fuses, waves, wicks, and agars are cool
30P5H2V0 IS A BAD, UNMEMORIZABLE NAME
moved to new account hth

User avatar
dvgrn
Moderator
Posts: 10694
Joined: May 17th, 2009, 11:00 pm
Location: Madison, WI
Contact:

Re: Script request thread

Post by dvgrn » February 10th, 2024, 2:02 pm

HerscheltheHerschel wrote:
February 10th, 2024, 1:33 pm
I'm also fine with Python scripts, unless it's a golly script (which means that it has to be a Lua script in that case).
To be clear, you're fine with Golly Lua scripts, but you don't want a Golly Python script?

Is this is because you aren't able to get Python working with Golly on your computer? Might the Windows or Mac Python troubleshooting guides help? (Post there if so.)

User avatar
HerscheltheHerschel
Posts: 589
Joined: September 4th, 2023, 5:23 am

Re: Script request thread

Post by HerscheltheHerschel » February 10th, 2024, 2:08 pm

dvgrn wrote:
February 10th, 2024, 2:02 pm
HerscheltheHerschel wrote:
February 10th, 2024, 1:33 pm
I'm also fine with Python scripts, unless it's a golly script (which means that it has to be a Lua script in that case).
To be clear, you're fine with Golly Lua scripts, but you don't want a Golly Python script?

Is this is because you aren't able to get Python working with Golly on your computer? Might the Windows or Mac Python troubleshooting guides help? (Post there if so.)
I'll try the windows troubleshooting guide tomorrow. I'll PM you the results when I try it.
superstrings, fuses, waves, wicks, and agars are cool
30P5H2V0 IS A BAD, UNMEMORIZABLE NAME
moved to new account hth

User avatar
HerscheltheHerschel
Posts: 589
Joined: September 4th, 2023, 5:23 am

Re: Script request thread

Post by HerscheltheHerschel » February 12th, 2024, 8:06 am

(This is unrelated to the python script request above)
I need apgsearch for windows precompiled to search xfactorio/C1, xfactorio/D8_1, B3S23/D8_1, and B3S23/Pseudo-C1.
superstrings, fuses, waves, wicks, and agars are cool
30P5H2V0 IS A BAD, UNMEMORIZABLE NAME
moved to new account hth

Post Reply