-
Notifications
You must be signed in to change notification settings - Fork 367
/
sfact.py
637 lines (539 loc) · 31.1 KB
/
sfact.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
#!/usr/bin/python
"""
This page is in the table of contents.
==Overview==
===Introduction===
Skeinforge is a GPL tool chain to forge a gcode skein for a model.
The tool chain starts with carve, which carves the model into layers, then the layers are modified by other tools in turn like fill, comb, tower, raft, stretch, hop, wipe, fillet & export. Each tool automatically gets the gcode from the previous tool. So if you want a carved & filled gcode, call the fill tool and it will call carve, then it will fill and output the gcode. If you want to use all the tools, call export and it will call in turn all the other tools down the chain to produce the gcode file.
If you do not want a tool after preface to modify the output, deselect the Activate checkbox for that tool. When the Activate checkbox is off, the tool will just hand off the gcode to the next tool without modifying it.
The skeinforge module provides a single place to call up all the setting dialogs. When the 'Skeinforge' button is clicked, skeinforge calls export, since that is the end of the chain.
The plugin buttons which are commonly used are bolded and the ones which are rarely used have normal font weight.
There are also tools which handle settings for the chain, like polyfile.
The analyze tool calls plugins in the analyze_plugins folder, which will analyze the gcode in some way when it is generated if their Activate checkbox is selected.
The interpret tool accesses and displays the import plugins.
The default settings are similar to those on Nophead's machine. A setting which is often different is the 'Layer Thickness' in carve.
===Command Line Interface===
To bring up the skeinforge dialog without a file name, type:
python skeinforge_application/skeinforge.py
Slicing a file from skeinforge_utilities/skeinforge_craft.py, for example:
python skeinforge_application/skeinforge_utilities/skeinforge_craft.py test.stl
will slice the file and exit. This is the correct option for programs which use skeinforge to only generate a gcode file.
Slicing a file from skeinforge.py, for example:
python skeinforge_application/skeinforge.py test.stl
will slice the file and bring up the skeinforge window and the analyze windows and then skeinforge will wait for user input.
Slicing a file from skeinforge_plugins/craft.py, for example:
python skeinforge_application/skeinforge_plugins/craft.py test.stl
will slice the file and bring up the analyze windows only and then skeinforge will wait for user input.
===Contribute===
You can contribute by helping develop the manual at:
http://fabmetheus.crsndoo.com/wiki/index.php/Skeinforge
There is also a forum thread about how to contribute to skeinforge development at:
http://dev.forums.reprap.org/read.php?12,27562
I will only reply to emails from contributors or to complete bug reports.
===Documentation===
There is a manual at:
http://fabmetheus.crsndoo.com/wiki/index.php/Skeinforge
There is also documentation is in the documentation folder, in the doc strings for each module and it can be called from the '?' button or the menu or by clicking F1 in each setting dialog.
A list of other tutorials is at:
http://fabmetheus.crsndoo.com/wiki/index.php/Skeinforge#Tutorials
Skeinforge tagged pages on thingiverse can be searched for at:
http://www.thingiverse.com/search?cx=015525747728168968820%3Arqnsgx1xxcw&cof=FORID%3A9&ie=UTF-8&q=skeinforge&sa=Search&siteurl=www.thingiverse.com%2F#944
===Fabrication===
To fabricate a model with gcode and the Arduino you can use the send.py in the fabricate folder. The documentation for it is in the folder as send.html and at:
http://reprap.org/bin/view/Main/ArduinoSend
Another way is to use an EMC2 or similar computer controlled milling machine, as described in the "ECM2 based repstrap" forum thread at:
http://forums.reprap.org/read.php?1,12143
using the M-Apps package, which is at:
http://forums.reprap.org/file.php?1,file=772
Another way is to use Zach's ReplicatorG at:
http://replicat.org/
There is also an older Processing script at:
http://reprap.svn.sourceforge.net/viewvc/reprap/trunk/users/hoeken/arduino/GCode_Host/
Yet another way is to use the reprap host, written in Java, to load and print gcode:
http://dev.www.reprap.org/bin/view/Main/DriverSoftware#Load_GCode
For jogging, the Metalab group wrote their own exerciser, also in Processing:
http://reprap.svn.sourceforge.net/viewvc/reprap/trunk/users/metalab/processing/GCode_Exerciser/
The Metalab group has descriptions of skeinforge in action and their adventures are described at:
http://reprap.soup.io/
There is a board about printing issues at:
http://www.bitsfrombytes.com/fora/user/index.php?board=5.0
You can buy the Rapman (an improved Darwin) from Bits from Bytes at:
http://www.bitsfrombytes.com/
You can buy the Makerbot from Makerbot Industries at:
http://www.makerbot.com/
===File Formats===
An explanation of the gcodes is at:
http://reprap.org/bin/view/Main/Arduino_GCode_Interpreter
and at:
http://reprap.org/bin/view/Main/MCodeReference
A gode example is at:
http://forums.reprap.org/file.php?12,file=565
The settings are saved as tab separated .csv files in the .skeinforge folder in your home directory. The settings can be set in the tool dialogs. The .csv files can also be edited with a text editor or a spreadsheet program set to separate tabs.
The Scalable Vector Graphics file produced by vectorwrite can be opened by an SVG viewer or an SVG capable browser like Mozilla:
http://www.mozilla.com/firefox/
A good triangle surface format is the GNU Triangulated Surface format, which is supported by Mesh Viewer and described at:
http://gts.sourceforge.net/reference/gts-surfaces.html#GTS-SURFACE-WRITE
You can export GTS files from Art of Illusion with the Export GNU Triangulated Surface.bsh script in the Art of Illusion Scripts folder.
STL is an inferior triangle surface format, described at:
http://en.wikipedia.org/wiki/STL_(file_format)
If you're using an STL file and you can't even carve it, try converting it to a GNU Triangulated Surface file in Art of Illusion. If it still doesn't carve, then follow the advice in the troubleshooting section.
===Getting Skeinforge===
The latest version is at:
http://members.axion.net/~enrique/reprap_python_beanshell.zip
a sometimes out of date version is in the last reprap_python_beanshell.zip attachment in the last post of the Fabmetheus blog at:
http://fabmetheus.blogspot.com/
another sometimes out of date version is at:
https://reprap.svn.sourceforge.net/svnroot/reprap/trunk/reprap/miscellaneous/python-beanshell-scripts/
===Getting Started===
For skeinforge to run, install python 2.x on your machine, which is available from:
http://www.python.org/download/
To use the settings dialog you'll also need Tkinter, which probably came with the python installation. If it did not, look for it at:
http://www.tcl.tk/software/tcltk/
If you want python and Tkinter together on MacOS, you can try:
http://www.astro.washington.edu/users/rowen/ROPackage/Overview.html
If you want python and Tkinter together on all platforms and don't mind filling out forms, you can try the ActivePython package from Active State at:
http://www.activestate.com/Products/activepython/feature_list.mhtml
The computation intensive python modules will use psyco if it is available and run about twice as fast. Psyco is described at:
http://psyco.sourceforge.net/index.html
The psyco download page is:
http://psyco.sourceforge.net/download.html
Skeinforge imports Stereolithography (.stl) files or GNU Triangulated Surface (.gts) files. If importing an STL file directly doesn't work, an indirect way to import an STL file is by turning it into a GTS file is by using the Export GNU Triangulated Surface script at:
http://members.axion.net/~enrique/Export%20GNU%20Triangulated%20Surface.bsh
The Export GNU Triangulated Surface script is also in the Art of Illusion folder, which is in the same folder as skeinforge.py. To bring the script into Art of Illusion, drop it into the folder ArtOfIllusion/Scripts/Tools/. Then import the STL file using the STL import plugin in the import submenu of the Art of Illusion file menu. Then from the Scripts submenu in the Tools menu, choose 'Export GNU Triangulated Surface' and select the imported STL shape. Click the 'Export Selected' checkbox and click OK. Once you've created the GTS file, you can turn it into gcode by typing in a shell in the same folder as skeinforge:
> python skeinforge.py
When the skeinforge dialog pops up, click 'Skeinforge', choose the file which you exported in 'Export GNU Triangulated Surface' and the gcode file will be saved with the suffix '_export.gcode'.
Or you can turn files into gcode by adding the file name, for example:
> python skeinforge.py Screw Holder Bottom.stl
===License===
GNU Affero General Public License
http://www.gnu.org/licenses/agpl.html
===Motto===
I may be slow, but I get there in the end.
===Troubleshooting===
If there's a bug, try downloading the very latest version because skeinforge is often updated without an announcement. The very latest version is at:
http://members.axion.net/~enrique/reprap_python_beanshell.zip
If there is still a bug, then first prepare the following files:
1. stl file
2. pictures explaining the problem
3. your settings (pack the whole .skeinforge directory with all your settings)
4. alterations folder, if you have any active alterations files
Then zip all the files.
Second, write a description of the error, send the description and the archive to the developer, enrique ( perez_enrique AT yahoo.com.removethispart ). After a bug fix is released, test the new version and report the results to enrique, whether the fix was successful or not.
If the dialog window is too big for the screen, on most Linux window managers you can move a window by holding down the Alt key and then drag the window with the left mouse button to get to the off screen widgets.
If you can't use the graphical interface, you can change the settings for skeinforge by using a text editor or spreadsheet to change the settings in the profiles folder in the .skeinforge folder in your home directory.
Comments and suggestions are welcome, however, I won't reply unless you are a contributor. Likewise, I will only answer your questions if you contribute to skeinforge in some way. Some ways of contributing to skeinforge are in the contributions thread at:
http://dev.forums.reprap.org/read.php?12,27562
You could also contribute articles to demozendium on any topic:
http://fabmetheus.crsndoo.com/wiki/index.php/Main_Page
If you contribute in a significant way to another open source project, I will consider that also.
When I answered everyone's questions, eventually I received more questions than I had time to answer, so now I only answer questions from contributors.
I reserve the right to make any correspondence public. Do not send me any correspondence marked confidential. If you do I will delete it.
==Examples==
The following examples forge the STL file Screw Holder.stl. The examples are run in a terminal in the folder which contains Screw Holder.gts and skeinforge.py.
> python skeinforge.py
This brings up the dialog, after clicking 'Skeinforge', the following is printed:
The exported file is saved as Screw Holder_export.gcode
> python skeinforge.py Screw Holder.stl
The exported file is saved as Screw Holder_export.gcode
To run only fill for example, type in the craft_plugins folder which fill is in:
> python fill.py
"""
from __future__ import absolute_import
import __init__
from fabmetheus_utilities.fabmetheus_tools import fabmetheus_interpret
from fabmetheus_utilities import archive
from fabmetheus_utilities import euclidean
from fabmetheus_utilities import gcodec
from fabmetheus_utilities import settings
from optparse import OptionParser
from skeinforge_application.skeinforge_utilities import skeinforge_craft
from skeinforge_application.skeinforge_plugins.analyze_plugins import skeinlayer
from skeinforge_application.skeinforge_utilities import skeinforge_polyfile
from skeinforge_application.skeinforge_utilities import skeinforge_profile
import os
import sys
# attributeDictionary, write, getTextContent, comment, pcdata, idDictionary.., importName getImportChain, document, rootElement
# cool travel bug? getLayerTimeActive multiplier = active / (remainder + active) http://forums.reprap.org/read.php?154,91413
# double circle top infill in skin & above layer, should clip before getAroundsFromPath(
# circle is average radius in circle, cylinder, drill, extrude
# infuse _extrusion
# cutting ahmet
# smooth http://hydraraptor.blogspot.com/2010/12/frequency-limit.html _extrusion
# think about changing getOverlapRatio(loop, pointDictionary) < 0.2 to 0.51
# change topOverBottom in linearbearingexample to pegAngle
# add links download manual svg_writer, add left right arrow keys to layer
# change thickness to face width in gear xml
# documentation Retract When Crossing
# document announce skirt convex
# announcement clairvoyance, synopsis, export http://garyhodgson.com/reprap/2011/06/hacking-skeinforge-export-module/
# maybe in svgReader if loop intersection with previous union else add
# think about http://code.google.com/p/skeinarchiver/ and/or undo
#
# unimportant
# minor outline problem when an end path goes through a path, like in the letter A
# view profile 1 mm thickness
#
# raftPerimeter outset by maximum thickness
# xmlparser to xmldocument, xmlelement of xml dom, originally 563 http://stackoverflow.com/questions/1971186/how-to-set-elements-id-in-pythons-xml-dom-minidom
# When opening a file for craft I wondered if there is an option to set the file type to .stl as it currently defaults to .xml
# scrollbar/width problem when starting with narrow view like help/meta/profile
# check inset loop for intersection with rotatedLoopLayer.loops
# maybe make vectorwrite prominent, not skeiniso, probably not because it doesn't work on Mac
# move more __file__
# close, getPillarByLoopLists, addConcave, polymorph original graph section, loop, add step object, add continuous object
# hollow top
# chamber: heated bed off at a layer http://blog.makerbot.com/2011/03/17/if-you-cant-stand-the-heat/
# packingDensity or density in grid - probably just density
# derivations for shapes
# think about rectangular getVector3RemoveByPre..
# links in layerTemplate
# del previous, add begin & end if far get actual path
# linearbearingexample 15 x 1 x 2, linearbearingcage
# add date time 11.01.02|12:08
# polling
# connectionfrom, to, connect, xaxis
# lathe, transform normal in getRemaining, getConnection
# getConnection of some kind like getConnectionVertexes, getConnection
# xml_creation
# voronoi average location intersection looped inset intercircles
# 'fileName, text, repository' commandLineInterface
# delete: text = text.replace(('\nName %sValue\n' % globalSpreadsheetSeparator), ('\n_Name %sValue\n' % globalSpreadsheetSeparator))
#
#
# multiply to table + boundary bedBound bedWidth bedHeight bedFile.csv
# getNormal, getIsFlat?
# info statistics, procedures, xml if any
# test solid arguments
# combine xmlelement with csvelement using example.csv & geometry.csv, csv _format, _column, _row, _text
# pixel, voxel, surfaxel/boxel, lattice, mesh
# probably not replace getOverlapRatio with getOverlap if getOverlapRatio is never small, always 0.0
# mesh. for cube, then cyliner, then sphere after lathe
# dimension extrude diameter, density
# thermistor lookup table
# add overview link to crnsdoo index and svg page
# stretch add back addAlong
# import, write, copy examples
# maybe remove default warnings from scale, rotate, translate, transform
# easy helix
# write tool; maybe write one deep
#
#
# tube
# rotor
# coin
# demozendium privacy policy, maybe thumbnail logo
# pymethe
# test translate
# full lathe
# pyramid
# round extrusion ?, fillet
# make html statistics, move statistics to folder
# manipulate solid, maybe manipulate around elements
# boolean loop corner outset
# mechaslab advanced drainage, shingles
# dovetail
# maybe not getNewObject, getNew, addToBoolean
# work out close and radius
# maybe try to get rid of comment if possible
# maybe have add function as well as append for list and string
# maybe move and give geometryOutput to cube, cylinder, sphere
#
# comb -> maybe add back running jump look at outside loops only for jump, find closest points, find slightly away inside points, link
# global simplify pathBetween
# comb documentation
#
# maybe move widen before bottom
# maybe add 1 to max layer input to iso in layer_template.svg
# maybe save all generated_files option
# table to dictionary
# check for last existing then remove unneeded fill code (getLastExistingFillLoops) from euclidean
# remove cool set at end of layer
# add fan on when hot in chamber
# maybe measuring rod
# getLayerThickness from xml
# maybe center for xy plane
# remove comments from clip, bend
# winding into coiling, coil into wind & weave
# later, precision
# documentation
# http://wiki.makerbot.com/configuring-skeinforge
#
#
# remove index from CircleIntersection remove ahead or behind from CircleIntersection _speed
# cache surroundingCarves _speed
# probably not speed up CircleIntersection by performing isWithinCircles before creation _speed
# pixelSet instead of pixelTable for arounds _speed
#
#
# add hook _extrusion
# integral thin width _extrusion
# layer color, for multilayer start http://reprap.org/pub/Main/MultipleMaterialsFiles/legend.xml _extrusion
# maybe double height shells option _extrusion
# maybe raft triple layer base, middle interface with hot loop or ties
# somehow, add pattern to outside, http://blog.makerbot.com/2010/09/03/lampshades/
# implement acceleration & collinear removal in penultimate viewers _extrusion
#
# rename skeinforge_profile.addListsToCraftTypeRepository to skeinforge_profile.addToCraftTypeRepository after apron
# basic tool
# arch, ceiling
# meta setting, rename setting _setting
# add polish, has perimeter, has cut first layer (False)
# probably not set addedLocation in distanceFeedRate after arc move
# maybe horizontal bridging and/or check to see if the ends are standing on anything
# thin self? check when removing intersecting paths in inset
# maybe later remove isPerimeterPathInSurroundLoops, once there are no weird fill bugs, also change getHorizontalSegmentListsFromLoopLists
# save all analyze viewers of the same name except itself, update help menu self.wikiManualPrimary.setUpdateFunction
# check alterations folder first, if there is something copy it to the home directory, if not check the home directory
# set temperature in temperature
# add links to demozendium in help
# maybe add hop only if long option
#
#
#
# help primary menu item refresh
# add plugin help menu, add craft below menu
# give option of saving when switching profiles
# xml & svg more forgiving, svg make defaults for layerHeight
# option of surrounding lines in display
# maybe add connecting line in display line
# maybe check inset loops to see if they are smaller, but this would be slow
# maybe status bar
# maybe measurement ruler mouse tool
# search rss from blogs, add search links for common materials, combine created on or progress bar with searchable help
# boundaries, center radius z bottom top, alterations file, circular or rectangular, polygon, put cool minimum radius orbits within boundaries, <bounds> bound.. </bounds>
# move & rotate model
# possible jitter bug http://cpwebste.blogspot.com/2010/04/hydras-first-print.html
# trial, meta in a grid settings
# maybe interpret svg_convex_mesh
#laminate tool head
#maybe use 5x5 radius search in circle node
#maybe add layer updates in behold, skeinlayer and maybe others
#lathe winding, extrusion and cutting; synonym for rotation or turning, loop angle
# maybe split into source code and documentation sections
# transform plugins, start with sarrus http://www.thingiverse.com/thing:1425
# maybe make setting backups
# maybe settings in gcode or saved versions
# move skeinforge_utilities to fabmetheus_utilities
# maybe lathe cutting
# maybe lathe extrusion
# maybe lathe millng
# maybe lathe winding & weaving
#
#
#
# pick and place
# search items, search links, choice entry field
# svg triangle mesh, svg polygon mesh
# simulate
#transform
# juricator
# probably not run along sparse infill to avoid stops
#custom inclined plane, inclined plane from model, screw, fillet travel as well maybe
# probably not stretch single isLoop
#maybe much afterwards make congajure multistep view
#maybe stripe although model colors alone can handle it
#stretch fiber around shape, maybe modify winding for asymmetric shapes
#multiple heads around edge
#maybe add rarely used tool option
#angle shape for overhang extrusions
#maybe m111? countdown
#first time tool tip
#individual tool tip to place in text
# maybe try to simplify raft layer start
# maybe make temp directory
# maybe carve aoi xml testing and check xml gcode
# maybe cross hatch support polishing???
# maybe print svg view from current layer or zero layer in single view
# maybe check if tower is picking the nearest island
# maybe combine skein classes in fillet
# maybe isometric svg option
#Manual
#10,990
#11,1776,786
#12,3304,1528
#1,4960,1656
#2, 7077,2117
#3, 9598,2521
#4 12014,2305
#5 14319,2536
#6 16855,3226
#7 20081, 2189
#8 22270, 2625
#9 24895, 2967, 98
#10 27862, 3433, 110
#11 31295, 3327
#12 34622
#85 jan7, 86jan11, 87 jan13, 88 jan15, 91 jan21, 92 jan23, 95 jan30, 98 feb6
#make one piece electromagnet spool
#stepper rotor with ceramic disk magnet in middle, electromagnet with long thin spool line?
#stepper motor
#make plastic coated thread in vat with pulley
#tensile stuart platform
#kayak
#gear vacuum pump
#gear turbine
#heat engine
#solar power
#sailboat
#yacht
#house
#condo with reflected gardens in between buildings
#medical equipment
#cell counter, etc..
#pipe clamp lathe
# square tube driller & cutter
# archihedrongagglevoteindexium
# outline images
# look from top of intersection circle plane to look for next, add a node; tree out until all are stepped on then connect, when more than three intersections are close
# when loading a file, we should have a preview of the part and orientation in space
# second (and most important in my opinion) would be the ability to rotate the part on X/Y/Z axis to chose it's orientation
# third, a routine to detect the largest face and orient the part accordingly. Mat http://reprap.kumy.net/
# concept, three perpendicular slices to get display spheres
# extend lines around short segment after cross hatched boolean
# concept, donation, postponement, rotate ad network, cached search options
# concept, local ad server, every time the program runs it changes the iamge which all the documentation points to from a pool of ads
# concept, join cross slices, go from vertex to two orthogonal edges, then from edges to each other, if not to a common point, then simplify polygons by removing points which do not change the area much
# concept, each node is fourfold, use sorted intersectionindexes to find close, connect each double sided edge, don't overlap more than two triangles on an edge
# concept, diamond cross section loops
# concept, in file, store polygon mesh and centers
# concept, display spheres or polygons would have original triangle for work plane
# .. then again no point with slices
# concept, filled slices, about 2 mm thick
# concept, rgb color triangle switch to get inside color, color golden ratio on 5:11 slope with a modulo 3 face
# concept, interlaced bricks at corners ( length proportional to corner angle )
# concept, new links to archi, import links to archi and adds skeinforge tool menu item, back on skeinforge named execute tool is added
# concept, trnsnt
# concept, indexium expand condense remove, single text, pymetheus
# concept, inscribed key silencer
# concept, spreadsheet to python and/or javascript
# concept, range voting for posters, informative, complainer, funny, insightful, rude, spammer, literacy, troll?
# concept, intermittent cloud with multiple hash functions
__author__ = 'Enrique Perez ([email protected]) modifed as SFACT by Ahmet Cem Turan ([email protected])'
__credits__ = """
Adrian Bowyer <http://forums.reprap.org/profile.php?12,13>
Brendan Erwin <http://forums.reprap.org/profile.php?12,217>
Greenarrow <http://forums.reprap.org/profile.php?12,81>
Ian England <http://forums.reprap.org/profile.php?12,192>
John Gilmore <http://forums.reprap.org/profile.php?12,364>
Jonwise <http://forums.reprap.org/profile.php?12,716>
Kyle Corbitt <http://forums.reprap.org/profile.php?12,90>
Michael Duffin <http://forums.reprap.org/profile.php?12,930>
Marius Kintel <http://reprap.soup.io/>
Nophead <http://www.blogger.com/profile/12801535866788103677>
PJR <http://forums.reprap.org/profile.php?12,757>
Reece.Arnott <http://forums.reprap.org/profile.php?12,152>
Wade <http://forums.reprap.org/profile.php?12,489>
Xsainnz <http://forums.reprap.org/profile.php?12,563>
Zach Hoeken <http://blog.zachhoeken.com/>
Organizations:
Art of Illusion <http://www.artofillusion.org/>"""
__date__ = '$Date: 2008/02/05 $'
__license__ = 'GNU Affero General Public License http://www.gnu.org/licenses/agpl.html'
#Init has to be imported first because it has code to workaround the python bug where relative imports don't work if the module is imported as a main module.
def addToProfileMenu(profileSelection, profileType, repository):
'Add a profile menu.'
pluginFileNames = skeinforge_profile.getPluginFileNames()
craftTypeName = skeinforge_profile.getCraftTypeName()
pluginModule = skeinforge_profile.getCraftTypePluginModule()
profilePluginSettings = settings.getReadRepository(pluginModule.getNewRepository())
for pluginFileName in pluginFileNames:
skeinforge_profile.ProfileTypeMenuRadio().getFromMenuButtonDisplay(profileType, pluginFileName, repository, craftTypeName == pluginFileName)
for profileName in profilePluginSettings.profileList.value:
skeinforge_profile.ProfileSelectionMenuRadio().getFromMenuButtonDisplay(profileSelection, profileName, repository, profileName == profilePluginSettings.profileListbox.value)
def getNewRepository():
'Get new repository.'
return SkeinforgeRepository()
def getPluginFileNames():
'Get skeinforge plugin fileNames.'
return archive.getPluginFileNamesFromDirectoryPath(archive.getSkeinforgePluginsPath())
def getRadioPluginsAddPluginGroupFrame(directoryPath, importantFileNames, names, repository):
'Get the radio plugins and add the plugin frame.'
repository.pluginGroupFrame = settings.PluginGroupFrame()
radioPlugins = []
for name in names:
radioPlugin = settings.RadioPlugin().getFromRadio(name in importantFileNames, repository.pluginGroupFrame.latentStringVar, name, repository, name == importantFileNames[0])
radioPlugin.updateFunction = repository.pluginGroupFrame.update
radioPlugins.append( radioPlugin )
defaultRadioButton = settings.getSelectedRadioPlugin(importantFileNames + [radioPlugins[0].name], radioPlugins)
repository.pluginGroupFrame.getFromPath(defaultRadioButton, directoryPath, repository)
return radioPlugins
def writeOutput(fileName):
'Craft a file, display dialog.'
repository = getNewRepository()
repository.fileNameInput.value = fileName
repository.execute()
settings.startMainLoopFromConstructor(repository)
class SkeinforgeRepository:
'A class to handle the skeinforge settings.'
def __init__(self):
'Set the default settings, execute title & settings fileName.'
skeinforge_profile.addListsToCraftTypeRepository('skeinforge_application.skeinforge.html', self)
self.fileNameInput = settings.FileNameInput().getFromFileName( fabmetheus_interpret.getGNUTranslatorGcodeFileTypeTuples(), 'Open File for Skeinforge', self, '')
self.profileType = settings.MenuButtonDisplay().getFromName('Profile Type: ', self )
self.profileSelection = settings.MenuButtonDisplay().getFromName('Profile Selection: ', self)
addToProfileMenu( self.profileSelection, self.profileType, self )
settings.LabelDisplay().getFromName('Search:', self )
reprapSearch = settings.HelpPage().getFromNameAfterHTTP('github.com/ahmetcemturan/SFACT', 'SFACT Update', self)
skeinforgeSearch = settings.HelpPage().getFromNameAfterHTTP('www.reprapfordummies.net/index.php/softwaresection/44-gcode-generators/49-sfact-homepage', 'SFACT Help', self )
skeinforgeSearch.column += 6
webSearch = settings.HelpPage().getFromNameAfterHTTP('www.reprap.org', 'Reprap', self)
webSearch.column += 4
versionText = archive.getFileText( archive.getVersionFileName() )
self.version = settings.LabelDisplay().getFromName('Version: ' + versionText, self)
settings.LabelDisplay().getFromName('', self)
importantFileNames = ['craft', 'profile']
getRadioPluginsAddPluginGroupFrame(archive.getSkeinforgePluginsPath(), importantFileNames, getPluginFileNames(), self)
self.usePyPyforSlicing = settings.BooleanSetting().getFromValue('Slice with PyPy ', self, True )
self.executeTitle = 'Skeinforge'
def execute(self):
'Skeinforge button has been clicked.'
fileNames = skeinforge_polyfile.getFileOrDirectoryTypesUnmodifiedGcode(self.fileNameInput.value, fabmetheus_interpret.getImportPluginFileNames(), self.fileNameInput.wasCancelled)
# expotFileName = skeinforge_polyfile.getFileOrDirectoryTypesUnmodifiedGcode(self.fileNameInput.value, fabmetheus_interpret.getImportPluginFileNames(), self.fileNameInput.wasCancelled)
if self.usePyPyforSlicing.value :
for fileName in fileNames:
os.getcwd()
CommandOutput=os.popen('C:\pypy-1.9\pypy.exe %s%s %s' % (os.getcwd(),'\skeinforge_application\skeinforge_utilities\skeinforge_craft.py', fileName)).read() #for pypy slicing
# print fileName
print CommandOutput #for pypy slicing
# print "Slicing finished....."
# skeinlayer.writeOutput('', '', fileNamePenultimate,)
fileNameSkeinLayer = fileName[: fileName.rfind('.')] + '_penultimate.gcode'
skeinlayer.writeOutput('', '', fileNameSkeinLayer, '')
# fileNamePenultimate = fileName[: fileName.rfind('.')] + '_penultimate.gcode'
else:
for fileName in fileNames:
skeinforge_craft.writeOutput(fileName) #use this line instead of the below two for regular python slicing
def save(self):
'Profile has been saved and profile menu should be updated.'
self.profileType.removeMenus()
self.profileSelection.removeMenus()
addToProfileMenu(self.profileSelection, self.profileType, self)
self.profileType.addRadiosToDialog(self.repositoryDialog)
self.profileSelection.addRadiosToDialog(self.repositoryDialog)
def main():
'Display the skeinforge dialog.'
parser = OptionParser()
parser.add_option(
'-p', '--prefdir', help='set path to preference directory', action='store', type='string', dest='preferencesDirectory')
parser.add_option(
'-s', '--start', help='set start file to use', action='store', type='string', dest='startFile')
parser.add_option(
'-e', '--end', help='set end file to use', action='store', type='string', dest='endFile')
parser.add_option(
'-o', '--option', help='set an individual option in the format "module:preference=value"',
action='append', type='string', dest='preferences')
(options, args) = parser.parse_args()
if options.preferencesDirectory:
archive.globalTemporarySettingsPath = options.preferencesDirectory
if options.preferences:
for prefSpec in options.preferences:
(moduleName, prefSpec) = prefSpec.split(':', 1)
(prefName, valueName) = prefSpec.split('=', 1)
settings.addPreferenceOverride(moduleName, prefName, valueName)
sys.argv = [sys.argv[0]] + args
if len( args ) > 0:
writeOutput( ' '.join(args) )
else:
settings.startMainLoopFromConstructor(getNewRepository())
if __name__ == '__main__':
main()