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
|
# Virtual sdcard support (print files directly from a host g-code file)
#
# Copyright (C) 2018 Kevin O'Connor <kevin@koconnor.net>
#
# This file may be distributed under the terms of the GNU GPLv3 license.
import os, logging
class VirtualSD:
def __init__(self, config):
printer = config.get_printer()
# sdcard state
sd = config.get('path')
self.sdcard_dirname = os.path.normpath(os.path.expanduser(sd))
self.current_file = None
self.file_position = self.file_size = 0
# Work timer
self.reactor = printer.get_reactor()
self.must_pause_work = False
self.work_timer = None
# Register commands
self.gcode = printer.lookup_object('gcode')
for cmd in ['M20', 'M21', 'M23', 'M24', 'M25', 'M26', 'M27']:
self.gcode.register_command(cmd, getattr(self, 'cmd_' + cmd))
for cmd in ['M28', 'M29', 'M30']:
self.gcode.register_command(cmd, self.cmd_error)
def printer_state(self, state):
if state == 'shutdown' and self.work_timer is not None:
self.must_pause_work = True
def get_file_list(self):
dname = self.sdcard_dirname
try:
filenames = os.listdir(self.sdcard_dirname)
return [(fname, os.path.getsize(os.path.join(dname, fname)))
for fname in filenames]
except:
logging.exception("virtual_sdcard get_file_list")
raise self.gcode.error("Unable to get file list")
def get_status(self, eventtime):
progress = 0.
if self.work_timer is not None and self.file_size:
progress = float(self.file_position) / self.file_size
return {'progress': progress}
# G-Code commands
def cmd_error(self, params):
raise self.gcode.error("SD write not supported")
def cmd_M20(self, params):
# List SD card
files = self.get_file_list()
self.gcode.respond("Begin file list")
for fname, fsize in files:
self.gcode.respond("%s %d" % (fname, fsize))
self.gcode.respond("End file list")
def cmd_M21(self, params):
# Initialize SD card
self.gcode.respond("SD card ok")
def cmd_M23(self, params):
# Select SD file
if self.work_timer is not None:
raise self.gcode.error("SD busy")
if self.current_file is not None:
self.current_file.close()
self.current_file = None
self.file_position = self.file_size = 0
try:
orig = params['#original']
filename = orig[orig.find("M23") + 4:].split()[0].strip()
if '*' in filename:
filename = filename[:filename.find('*')].strip()
except:
raise self.gcode.error("Unable to extract filename")
if filename.startswith('/'):
filename = filename[1:]
files = self.get_file_list()
files_by_lower = { fname.lower(): fname for fname, fsize in files }
try:
fname = files_by_lower[filename.lower()]
fname = os.path.join(self.sdcard_dirname, fname)
f = open(fname, 'rb')
f.seek(0, os.SEEK_END)
fsize = f.tell()
f.seek(0)
except:
logging.exception("virtual_sdcard file open")
raise self.gcode.error("Unable to open file")
self.gcode.respond("File opened:%s Size:%d" % (filename, fsize))
self.gcode.respond("File selected")
self.current_file = f
self.file_position = 0
self.file_size = fsize
def cmd_M24(self, params):
# Start/resume SD print
if self.work_timer is not None:
raise self.gcode.error("SD busy")
self.must_pause_work = False
self.work_timer = self.reactor.register_timer(
self.work_handler, self.reactor.NOW)
def cmd_M25(self, params):
# Pause SD print
if self.work_timer is not None:
self.must_pause_work = True
def cmd_M26(self, params):
# Set SD position
if self.work_timer is not None:
raise self.gcode.error("SD busy")
pos = self.gcode.get_int('S', params, minval=0)
self.file_position = pos
def cmd_M27(self, params):
# Report SD print status
if self.current_file is None or self.work_timer is None:
self.gcode.respond("Not SD printing.")
return
self.gcode.respond("SD printing byte %d/%d" % (
self.file_position, self.file_size))
# Background work timer
def work_handler(self, eventtime):
self.reactor.unregister_timer(self.work_timer)
try:
self.current_file.seek(self.file_position)
except:
logging.exception("virtual_sdcard seek")
self.gcode.respond_error("Unable to seek file")
self.work_timer = None
return self.reactor.NEVER
partial_input = ""
lines = []
while not self.must_pause_work:
if not lines:
# Read more data
try:
data = self.current_file.read(8192)
except:
logging.exception("virtual_sdcard read")
self.gcode.respond_error("Error on virtual sdcard read")
break
if not data:
# End of file
self.current_file.close()
self.current_file = None
self.gcode.respond("Done printing file")
break
lines = data.split('\n')
lines[0] = partial_input + lines[0]
partial_input = lines.pop()
lines.reverse()
continue
# Dispatch command
try:
res = self.gcode.process_batch(lines[-1])
if not res:
self.reactor.pause(self.reactor.monotonic() + 0.100)
continue
except self.gcode.error as e:
break
except:
logging.exception("virtual_sdcard dispatch")
break
self.file_position += len(lines.pop()) + 1
self.work_timer = None
return self.reactor.NEVER
def load_config(config):
return VirtualSD(config)
|