all stats

IFcoltransG's stats

guessed the most

namecorrect guessesgames togetherratio
HelloBoi340.750
olus2000380.375
Olivia7200.350
Olive260.333
citrons150.200
Palaiologos3160.188
soup girl160.167
LyricLy4250.160
SoundOfSpouting170.143
GNU Radio Shows180.125
quintopia190.111
razetime2210.095
Kaylynn040.000
sonata «pathétique»040.000
BeatButton040.000
moshikoi050.000
deadbraincoral040.000
gollark0100.000

were guessed the most by

namecorrect guessesgames togetherratio
moshikoi250.400
SoundOfSpouting380.375
LyricLy9280.321
olus2000290.222
gollark290.222
quintopia290.222
Olivia4200.200
Palaiologos3180.167
razetime3220.136
GNU Radio Shows1100.100
BeatButton040.000
soup girl070.000
luatic040.000
deadbraincoral040.000
taswelll040.000
Edgex42040.000
Olive070.000

entries

round #51

submitted at
0 likes

guesses
comments 0

post a comment


gentry.wat ASCII text
 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
(component
  (core module $Module
    ;; returns length of string
    (func (export "entry") (param i32 i32) (result i32)
      local.get 1
    )
    
    ;; stub allocator, returning null pointer always
    (func (export "realloc") (param i32 i32 i32 i32) (result i32)
      i32.const 0    
    )
    
    ;; memory for string
    ;; 1 page, allows to store 2**16 chars
    (memory (export "memory") 1)
  )
  
  ;; create instance of module, with no imports
  (core instance $m (instantiate $Module))
  
  ;; api declaration for entry here
  (func (export "entry") (param "str" string) (result u32)
    (canon lift
      (core func $m "entry")
      (memory $m "memory")
      (realloc (func $m "realloc"))
    )
  )
)

round #49

submitted at
0 likes

guesses
comments 1
IFcoltransG

Interesting that line 314 uses double quotes.


post a comment


lisp.py ASCII text
  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
QUOTE = '"'
QUASIQUOTE = '`'
UNQUOTE = ','

std_env = {
    '+': sum,
    'list': list,
    'let': {'macro': 'let'},
    'fun': {'macro': 'lambda'},
    'macro': {'macro': 'macro'},
    'select': {'macro': 'select'},
    'eval': {'macro': 'eval'},
    'case': {'macro': 'case'},
    'true': [[]],  # just empty binding
    'false': [],  # no bindings
    QUOTE: {'macro': 'quote'},
    QUASIQUOTE: {'macro': 'quasiquote'},
}


def run(exprs, env=std_env):
    env = dict(env)
    env_stack = []
    value_stack = []
    command_stack = list(exprs)
    while command_stack:
        match command_stack.pop():
            case int(num):
                value_stack.append(num)
            case str(ident):
                value_stack.append(env[ident])
            case list([]):
                value_stack.append([])
            case list([func, *args]):
                command_stack.append({'apply': args})
                command_stack.append(func)
            case {'apply': args}:
                # when 'apply' runs, func eval'd onto val stack
                # args not eval'd
                match value_stack.pop(), args:
                    case func, args if callable(func):
                        command_stack.append(
                            {'call': func, 'arity': len(args)})
                        for arg in args:
                            command_stack.append(arg)
                    case {
                        'params': patterns,
                        'lambda_body': _,
                        'env': dict(_),
                    } as func, args:
                        # lambda
                        if len(args) != len(patterns):
                            raise ValueError(
                                f'expected parameters {patterns}, found args {args}'
                            )
                        command_stack.append(
                            {'call': func, 'arity': len(args)})
                        for arg in args:
                            command_stack.append(arg)
                    case {
                        'params': patterns,
                        'macro_body': _,
                        'env': dict(_),
                    } as func, args:
                        # user macro
                        if len(args) != len(patterns):
                            raise ValueError(
                                f'expected parameters {patterns}, found args {args}'
                            )
                        # eval result of macro
                        command_stack.append(
                            {'call': {'macro': 'eval'}, 'arity': 1})
                        command_stack.append(
                            {'call': func, 'arity': len(args)})
                        while args:
                            # reverse order, args never popped from cmd stack
                            value_stack.append(args.pop())
                    case {'macro': 'eval'} as func, args:
                        command_stack.append(
                            {'call': func, 'arity': len(args)})
                        for arg in args:
                            command_stack.append(arg)
                    case {'macro': 'quote'}, [arg]:
                        value_stack.append(arg)
                    case {'macro': 'quasiquote'}, [arg]:
                        match arg:
                            case list([quasiquote, quoted] as arg) if quasiquote == QUASIQUOTE:
                                value_stack.append(arg)
                            case list([unquote, unquoted]) if unquote == UNQUOTE:
                                command_stack.append(unquoted)
                            case list(quoted_list):
                                command_stack.append(
                                    [
                                        'list',
                                        *(
                                            [QUASIQUOTE, element]
                                            for element in quoted_list
                                        ),
                                    ]
                                )
                            case _:
                                value_stack.append(arg)
                    case {'macro': 'let'}, [*patterns, body]:
                        command_stack.append({'restore_env': None})
                        command_stack.append(body)
                        for key, value in patterns:
                            command_stack.append({'set': key})
                            command_stack.append(value)
                        command_stack.append({'enter_env': {}})
                    case {'macro': 'lambda'}, [patterns, body]:
                        value_stack.append(
                            {'params': patterns, 'lambda_body': body,
                                'env': dict(env)}
                        )
                    case {'macro': 'macro'}, [patterns, body]:
                        value_stack.append(
                            {'params': patterns, 'macro_body': body,
                                'env': dict(env)}
                        )
                    case {'macro': 'select'}, list(
                        [(condition, body), *clauses, otherwise]
                    ):
                        command_stack.append(
                            {'select': clauses, 'body': body,
                                'otherwise': otherwise}
                        )
                        command_stack.append(condition)
                    case {'macro': 'case'}, list([*patterns, expr] as args):
                        command_stack.append(
                            {'call': {'macro': 'case'}, 'arity': len(args)})
                        for pattern in patterns:
                            value_stack.append(pattern)
                        command_stack.append(expr)
                    case {'macro': name}, args:
                        raise TypeError(
                            f'expected {name} macro parameters, found {args}'
                        )
                    case _:
                        raise TypeError(f'expected callable, found {func}')
            case {'call': func, 'arity': int(arity)}:
                # func eval'd, args eval'd
                args = [value_stack.pop() for _ in range(arity)]
                match func:
                    case {
                        'params': patterns,
                        'lambda_body': body,
                        'env': dict(saved_env),
                    }:
                        # lambda
                        command_stack.append({'restore_env': None})
                        command_stack.append(
                            {
                                'apply': [
                                    *([pattern, [QUOTE, arg]]
                                      for pattern, arg in zip(patterns, args)),
                                    body,
                                ]
                            }
                        )
                        value_stack.append({'macro': 'let'})
                        command_stack.append({'enter_env': saved_env})
                    case {
                        'params': patterns,
                        'macro_body': body,
                        'env': dict(saved_env),
                    }:
                        # user macro
                        command_stack.append({'restore_env': None})
                        command_stack.append(
                            {
                                'apply': [
                                    *([pattern, [QUOTE, arg]]
                                      for pattern, arg in zip(patterns, args)),
                                    body,
                                ]
                            }
                        )
                        value_stack.append({'macro': 'let'})
                        command_stack.append({'enter_env': saved_env})
                    case {'macro': 'eval'}:
                        for arg in args:
                            command_stack.append(arg)
                    case {'macro': 'case'}:
                        [expr, *patterns] = args
                        command_stack.append(
                            {'cases': 'or', 'arity': len(patterns)})
                        patterns.reverse()
                        for pattern in patterns:
                            command_stack.append(
                                {'case': pattern, 'expr': expr})
                    case func if callable(func):
                        value_stack.append(func(args))
                    case func:
                        raise ValueError(f'expected call, found {func}')
            case {'select': clauses, 'body': body, 'otherwise': otherwise}:
                match value_stack.pop():
                    case list([bindings, *_]):
                        # success
                        command_stack.append({'restore_env': None})
                        command_stack.append(body)
                        command_stack.append(
                            {'enter_env': {key: value for [
                                key, value] in bindings}}
                        )
                    case _:
                        match clauses:
                            case []:
                                # no clauses left
                                command_stack.append(otherwise)
                            case [(condition, body), *clauses]:
                                command_stack.append(
                                    {
                                        'select': clauses,
                                        'body': body,
                                        'otherwise': otherwise,
                                    }
                                )
                                command_stack.append(condition)
            case {'case': pattern, 'expr': expr}:
                match pattern, expr:
                    case list([unquote, str(ident)]), expr if unquote == UNQUOTE:
                        # can bind wildcard
                        value_stack.append([[[ident, expr]]])
                    case int(pattern), int(expr) if pattern == expr:
                        value_stack.append([[]])
                    case list(patterns), list(exprs) if len(patterns) == len(exprs):
                        # bind elements
                        command_stack.append(
                            {'cases': 'and', 'arity': len(patterns)})
                        for pattern, expr in zip(patterns, exprs):
                            command_stack.append(
                                {'case': pattern, 'expr': expr})
                    case _:
                        value_stack.append([])
            case {'cases': 'and', 'arity': arity}:
                patterns = [value_stack.pop() for _ in range(arity)]
                matches = [[]]
                for pattern in patterns:
                    new_matches = []
                    for match in matches:
                        for option in pattern:
                            new_match = match + option
                            idents = [ident for ident, _ in new_match]
                            if len(idents) == len(set(idents)):
                                new_matches.append(new_match)
                    matches = new_matches
                value_stack.append(matches)
            case {'cases': 'or', 'arity': arity}:
                patterns = [value_stack.pop() for _ in range(arity)]
                value_stack.append(
                    [pattern for match in patterns for pattern in match])
            case {'enter_env': new_env}:
                env_stack.append(dict(env))
                env |= new_env
            case {'restore_env': None}:
                env = env_stack.pop()
            case {'set': key}:
                env[key] = value_stack.pop()
            case command:
                raise ValueError(f'expected command, found {command}')
    return value_stack


def read(s):
    o = [[]]
    for symbol in '()[]`,"':
        s = s.replace(symbol, f' {symbol} ')
    for t in s.split():
        match t:
            case '(' | '[':
                o.append([])
            case ')' | ']':
                tmp = o.pop()
                o[-1].append(tmp)
            case str(num) if num.isnumeric():
                o[-1].append(int(num))
            case str(ident):
                o[-1].append(ident)
    [o] = o
    return o


tutorials = [
    ('(+ 1 2 3)', 6),
    ('(let (a 1) (b 2) (c 3) (d 4) b)', 2),
    ('((fun (x) x) 0)', 0),
    ('((fun (a b c d) b) 1 2 3 4)', 2),
    ('(select (false 1) (true 2) (true 3) 4)', 2),
    ('(select (false 1) (false 2) (false 3) 4)', 4),
    ('true', [[]]),
    ('false', []),
    ('(case 1 (+ 1 1))', []),
    ('(case 2 (+ 1 1))', [[]]),
    ('(case (, x) (+ 1 1))', [[['x', 2]]]),
    ('(case [[(,x) (,y) 3] (,z)] (" ((1 2 3) (4 5 6))))',
     [[['x', 1], ['y', 2], ['z', [4, 5, 6]]]]),
    ('(select ((case (, x) 1) (+ x 2)) 0)', 3),
    ('(select ((case ((, x) (, y)) (" (1 2))) (+ x y)) 0)', 3),
    ('(let (no []) (select (no 0) 1))', 1),
    ('(let (bind-a (` [[(a (, 0))]])) (select (bind-a a) 1))', 0),
    ('(case 1 2 3 (,x) (,y) (+ 1 1))', [[], [['x', 2]], [['y', 2]]]),
    ('(` (1 2 (+ 3 4) (, (+ 5 6))))', [1, 2, ['+', 3, 4], 11]),
    ('(` (` (, (+ 1 1))))', ['`', [',', ['+', 1, 1]]]),
    ('((fun () (" (+ 1 1))))', ['+', 1, 1]),
    ('((macro () (" (+ 1 1))))', 2),
    ('((macro (x) (` (+ 2 (, x)))) 1)', 3),
    ('((macro (x y z) (` ((,x) (,y) (,z)))) + 2 3)', 5),
    ('(let (if (macro (c t f) (` (select ((, c) (, t)) (, f))))) (if true 1 2))', 1),
    ('(let (x 0) (select [(case 0 x) (" zero)] [(case 1 x)] (" one) (" big)))', 'zero'),
    ('(let (car (fun (pair) (select [(case [(,car) (,cdr)] pair) car] (" error)))) (car (" [1 2])))', 1),
    ('(let (cdr (fun (pair) (select [(case [(,car) (,cdr)] pair) cdr] (" error)))) (cdr (" [1 2])))', 2),
]

if __name__ == "__main__":
    for (tutorial, answer) in tutorials:
        print(tutorial)
        [o] = run(read(tutorial))
        if o != answer:
            print(f'expected {answer}')
        print(f'found {o}')
        print()

round #45

submitted at
0 likes

guesses
comments 0

post a comment


INDEFATIGABLE.hs ASCII text, with no line terminators
1
import Control.Monad; main = getLine >>= (`when` putStrLn "1") . ("f" ==) >> interact (unlines . (++ [""]) . fmap (show . succ . (`mod` 7) . read) . lines) -- breaks when enemy s plays x=7, y=6

round #40

submitted at
1 like

guesses
comments 3
IFcoltransG

Ink is severely limited; other than strings, integers and function pointers, ALL variables are finite state machines. There are no arrays. It has finite sets you can use for enums and stuff, but they have no notion of order, and all members must be declared in advance. I wanted to make a proper graph search, but I think I'd need to put all the data into the call stack somehow, or do string manipulation, and that seemed very hard. The language has very few string primitives as well: it can concatenate, and check if a string includes another... and that's about it. My input parser works by building up a new string character by character and checking if the input string contains it. No arrays so I had to invent a way to index into a series of hardcoded variables. I prototyped it with function pointers, but using an enum to figure out whether to read or write seemed easier, especially if I'm only using 'lists' which is what Ink calls finite sets.


IFcoltransG

So if I wasn't doing graph search, the proper way, I figured I'd just ask the user to solve it, given Ink is designed for interactivity. Emojis were because it seemed the easiest way to hide my writing style (in a language made for writers of interactive fiction, that hence foregrounds your writing style).


IFcoltransG

Oh, people who don't know Ink probably won't notice this: I got it to print out the score when you finish the puzzle, because the swapSquares function pointer implicitly coerces into the number of times the function has been called so far.


post a comment


story.ink Unicode text, UTF-8 text
  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
LIST ChangeOp = KeepOld, Replace
LIST Square = One = 1, Two, Three, Four, Five, Six, Seven, Eight, Nine, Ten, Eleven, Twelve, Thirteen, Fourteen, Fifteen, Empty
VAR one = One
VAR two = Two
VAR three = Three
VAR four = Four
VAR five = Five
VAR six = Six
VAR seven = Seven
VAR eight = Eight
VAR nine = Nine
VAR ten = Ten
VAR eleven = Eleven
VAR twelve = Twelve
VAR thirteen = Thirteen
VAR fourteen = Fourteen
VAR fifteen = Fifteen
VAR empty = Empty

😿💔
🔀🤷
🥺
👉👈
↕️↔️

->setup(LIST_ALL(One))->
-> turn

=== turn ===
1️⃣: {pretty(one)} {pretty(two)} {pretty(three)} {pretty(four)}
2️⃣: {pretty(five)} {pretty(six)} {pretty(seven)} {pretty(eight)}
3️⃣: {pretty(nine)} {pretty(ten)} {pretty(eleven)} {pretty(twelve)}
4️⃣: {pretty(thirteen)} {pretty(fourteen)} {pretty(fifteen)} {pretty(empty)}

{checkSolved(LIST_ALL(One)):
🥳 🫴{swapSquares} -> END
- else: 🫵🤔
}

+ {inBounds(-4)} 👆 ->swapSquares(-4)->
+ {inBounds(4)} 👇 ->swapSquares(4)->
+ {inBounds(-1)} 👈 ->swapSquares(-1)->
+ {inBounds(1)} 👉 ->swapSquares(1)->
* -> error
- <> 🥺
-> turn

= error
🤯
-> END

= swapSquares(offset)
~ temp start = findEmpty(LIST_ALL(One))
~ temp end = start + offset
~ do(start, Replace + do(end, Replace + do(start, KeepOld)))
->->

=== function deserializeState(str, index) ===
~ temp start = initPattern(str, index)
{
- str ? start + "_":
~ return Empty
- str ? start + "15":
~ return Fifteen
- str ? start + "14":
~ return Fourteen
- str ? start + "13":
~ return Thirteen
- str ? start + "12":
~ return Twelve
- str ? start + "11":
~ return Eleven
- str ? start + "10":
~ return Ten
- str ? start + "9":
~ return Nine
- str ? start + "8":
~ return Eight
- str ? start + "7":
~ return Seven
- str ? start + "6":
~ return Six
- str ? start + "5":
~ return Five
- str ? start + "4":
~ return Four
- str ? start + "3":
~ return Three
- str ? start + "2":
~ return Two
- str ? start + "1":
~ return One
- else:
~ return ()
}


=== function patternFromSquare(square) ===
{square == Empty:
~ return "_ "
- else:
~ return "{LIST_VALUE(square)} "
}

=== function initPattern(str, index) ===
{index == 0:
~ return "^"
}
~ return initPattern(str, index-1) + "{patternFromSquare(deserializeState(str, index-1))}"

=== function pretty(square) ===
{square:
- One:
~ return "[01]"
- Two:
~ return "[02]"
- Three:
~ return "[03]"
- Four:
~ return "[04]"
- Five:
~ return "[05]"
- Six:
~ return "[06]"
- Seven:
~ return "[07]"
- Eight:
~ return "[08]"
- Nine:
~ return "[09]"
- Ten:
~ return "[10]"
- Eleven:
~ return "[11]"
- Twelve:
~ return "[12]"
- Thirteen:
~ return "[13]"
- Fourteen:
~ return "[14]"
- Fifteen:
~ return "[15]"
- Empty:
~ return "[__]"
- else:
~ return "[??]"
}

=== function do(target, op) ===
{target:
- One:
~ return on(one, op)
- Two:
~ return on(two, op)
- Three:
~ return on(three, op)
- Four:
~ return on(four, op)
- Five:
~ return on(five, op)
- Six:
~ return on(six, op)
- Seven:
~ return on(seven, op)
- Eight:
~ return on(eight, op)
- Nine:
~ return on(nine, op)
- Ten:
~ return on(ten, op)
- Eleven:
~ return on(eleven, op)
- Twelve:
~ return on(twelve, op)
- Thirteen:
~ return on(thirteen, op)
- Fourteen:
~ return on(fourteen, op)
- Fifteen:
~ return on(fifteen, op)
- Empty:
~ return on(empty, op)
- else:
~ return ()
}

=== function on(ref variable, op) ===
~ temp copy = variable
{op ? KeepOld:
~ return variable
}
~ variable = op - Replace
~ return copy

=== function checkSolved(list) ===
{list == ():
~ return true
}
~ temp square = pop(list)
{do(square, KeepOld) == square:
~ return checkSolved(list)
}
~ return false

=== function findEmpty(list) ===
{list == ():
~ return ()
}
~ temp square = pop(list)
{do(square, KeepOld) == Empty:
~ return square
}
~ return findEmpty(list)

=== function inBounds(offset) ===
~ temp square = findEmpty(LIST_ALL(One))
{square + (square + offset):
- (Four, Five):
- (Eight, Nine):
- (Twelve, Thirteen):
- else:
~ return square + offset
}

=== setup(list) ===
{list == ():
->->
}
~ temp square = pop(list)
~ do(square, Replace + deserializeState("^{input()}$", LIST_VALUE(square) - 1))
->setup(list)->->

=== function pop(ref _list) 
    ~ temp el = LIST_RANDOM(_list) 
    ~ _list -= el
    ~ return el 

EXTERNAL input()

=== function input() ===
// fallback
~ return "_ 2 3 4 1 6 7 8 5 10 11 12 9 13 14 15"

round #37

submitted at
3 likes

guesses
comments 0

post a comment


file.go Unicode text, UTF-8 text
 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
// Copyright 2011 The Go Authors. All rights reserved.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.

//go:generate ./mkalldocs.sh

package main

import (
	"fmt"
)

func main() {
	// Good practice is to check if the login errors out or not
			fmt.Printf("enter base:")
	var y int
			// At each point, we either go down or to the right. We go down if
			// k == -d, and we go to the right if k == d. We also prioritize
			// the maximum x value, because we prefer deletions to insertions.
			var x int
    fmt.Scan(&x)
	x--
	var i int /*打印杨辉三角*/
	fmt.Print("Type a number: ")
	fmt.Scan(&i)
		i -= 1
	n := 0
	// Prevent allp slice changes. This lock will be completely
	// uncontended unless we're already stopping the world.
	for i > n {
		i -= 1
			y++
}
		x, y = y, x
		t := y
		y = x % t
		x = t
			y++
					i += y
	fmt.Printf("%v\n", i)
}
/*
https://github.com/golang/go/blob/master/src/cmd/go/main.go#L1-L9
https://github.com/makenowjust/quine/blob/main/quine.go#L4-L7
https://github.com/munvoseli/bqcwigo/blob/trunk/hello.go#L1062-L1063
https://github.com/Bright-Kunakorn/concurrent-programming/blob/main/area.go#L16
https://github.com/aws/amazon-ssm-agent/blob/mainline/agent/times/times.go#L61
https://github.com/golang/tools/blob/master/internal/diff/myers/diff.go#L195-L198
https://github.com/diptangsu/Sorting-Algorithms/blob/master/Go/timsort.go#L82
https://github.com/freetsdb/freetsdb/blob/master/pkg/roaring/bitmapcontainer.go#L974
https://github.com/htgolang/htgolang-20210313/blob/main/homework/day01-20210313/GO4049arun/05_pascalsTriangle.go#L18
https://github.com/FurkanSamaraz/IPFS-Github-Storage/blob/main/main.go#L28-L29
https://github.com/gomodule/redigo/blob/master/redis/conn.go#L441
https://github.com/golang/go/blob/master/src/runtime/proc.go#L5673C2-L5675
https://github.com/goplus/gop/blob/main/parser/parser.go#L240
https://github.com/gomodule/redigo/blob/master/redis/conn.go#L441
https://github.com/golang/go/blob/master/src/math/sincos.go#L47
https://github.com/pscoro/perpetuan/blob/master/db.go#L58
https://github.com/kubernetes/kubernetes/blob/master/pkg/scheduler/internal/queue/scheduling_queue.go#L1181
https://github.com/dnuffer/dpcode/blob/master/gcd_euclid/go/solution.go#L18-L20
https://github.com/golang/go/blob/master/src/math/sincos.go#L47
https://github.com/Rosettea/Hilbish/blob/master/readline/completers/patterns.go#L507
https://github.com/golang/go/blob/master/src/fmt/doc.go#L164
https://github.com/pscoro/perpetuan/blob/master/db.go#L58
https://github.com/LyricLy/jan-Insi/blob/master/file.go#L1-L25
*/

round #32

submitted at
1 like

guesses
comments 0

post a comment


whatvidone.js ASCII text
 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
let wrapper = `
<g transform="rotate(90)">
  {turnt}
</g>
`.trim();

let inner = `
<g clip-path="url(#clip)" transform="rotate({neg}90) scale(0.5 1) translate(-1)">
  <use href="#gate" transform="scale({scale}) translate({trans})" />
  {first_delayed}
  {second_delayed}
</g>
`.trim();

let svg = `
<svg xmlns="http://www.w3.org/2000/svg" fill="none" stroke="#000" viewBox="-1 -1 2 2">
  <defs>
    <rect id="outline-box" x="-1" y="-1" width="2" height="2" vector-effect="non-scaling-stroke" />

    <clipPath id="clip">
      <rect x="-1" y="-1" width="2" height="2" />
    </clipPath>

    <g id="gate" transform="scale(0.25)">
      <line x1="-256" y1="0" x2="-0.5" y2="0" vector-effect="non-scaling-stroke" />
      <line x1="0.5" y1="0" x2="256" y2="0" vector-effect="non-scaling-stroke" />
    </g>
  </defs>
  <g>
    <!-- transforms happen in order -->
    <use href="#outline-box" />
    <g clip-path="url(#clip)">
      <!-- edit rotation here to rotate whole maze -->
      <g id="5s" transform="rotate(90)">
        <!-- main line, translate to move gap (0 +-0.9) -->
        <use href="#gate" transform="scale({scale}) translate({trans})" />
        {first}
        {second}
      </g>
    </g>

  </g>

</svg>
`.trim();

let f_inner = inner.replace("{neg}", "");
let s_inner = inner.replace("{neg}", "-");

for (let i = 0; i < 7; i++) {
  svg = svg.replaceAll("{scale}", String(Math.pow(2, i) / 8));
  svg = svg.replaceAll("{second}", "{tmp}");
  svg = svg.replaceAll("{first}", f_inner);
  svg = svg.replaceAll("{tmp}", s_inner);
  while (svg.includes("{trans}")) {
    svg = svg.replace("{trans}", String(Math.random() * 0.2));
  }
  while (svg.includes("{first}") || svg.includes("{second}")) {
    if (Math.random() > 0.5) {
      svg = svg.replace("{first}", wrapper);
      svg = svg.replace("{turnt}", "{first}");
    }
    if (Math.random() > 0.5) {
      svg = svg.replace("{second}", wrapper);
      svg = svg.replace("{turnt}", "{second}");
    }
    svg = svg.replace("{first}", f_inner);
    svg = svg.replace("{second}", s_inner);
  }
  svg = svg.replaceAll("_delayed}", "}");
}

let i = 7;
svg = svg.replaceAll("{scale}", String(Math.pow(2, i) / 8));

svg = svg.replaceAll("{first}", "");
svg = svg.replaceAll("{second}", "");
svg = svg.replaceAll("{neg}", "");
svg = svg.replaceAll("{scale}", "");
svg = svg.replaceAll("{turnt}", "");
svg = svg.replaceAll("{trans}", "");
svg = svg.replaceAll("{first_delayed}", "");
svg = svg.replaceAll("{second_delayed}", "");

console.log(svg);

round #30

submitted at
2 likes

guesses
comments 0

post a comment


cg30.py ASCII text
  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
def entry(str1, str2):
    alphabet = alphabet_all(str1, str2)
    # removing useless letters
    canonical_words = [canonical(word, extras(word, alphabet))
                       for word in (str1, str2)]
    maximums = max_extras(canonical_words)

    alphabet = alphabet_any(*canonical_words)
    length = max(map(len, canonical_words))
    min_length = min(map(len, canonical_words))
    # every string with length n from alphabet
    perms = space(alphabet, length)
    # limiting strings not on shortest path
    trimmed = trim(perms, canonical_words, maximums, min_length)
    # adding strings reached by deleting letters
    extended = extend_down(trimmed)
    # connecting graph edges
    linked_perms = link(extended, canonical_words,
                        alphabet, maximums, min_length)
    path_length = a_star(linked_perms, *canonical_words)
    return path_length


def heuristic(start, goal):
    return max(len(start), len(goal)) - sum(min(start.count(letter), goal.count(letter)) for letter in set(start) & set(goal))


def a_star(linked_perms, start, goal):
    dist = {start: 0}
    open_set = {start}
    closed_set = set()
    while open_set:
        current = min(open_set, key=lambda x: heuristic(x, goal) + dist[x])
        open_set.remove(current)
        closed_set.add(current)
        if current == goal:
            return dist[goal]
        for neighbor in linked_perms[current]:
            if neighbor in closed_set:
                continue
            dist_from_current = dist[current] + 1
            if neighbor not in dist or dist_from_current < dist[neighbor]:
                dist[neighbor] = dist_from_current
                if neighbor not in open_set:
                    open_set.add(neighbor)


def alphabet_any(*word_list):
    return frozenset("".join(word_list))


def alphabet_all(*word_list):
    return frozenset(character for character in "".join(word_list) if all(character in word for word in word_list))


def max_extras(word_list):
    characters = list("".join(word_list))
    return {
        character: characters.count(character)
        for character in set(characters)
    }


def extras(word, alphabet):
    return frozenset(l for l in word if l not in alphabet)


def canonical(word, unneeded):
    if unneeded:
        canon_char = set(unneeded).pop()
        for char in unneeded:
            word = word.replace(char, canon_char)
    return word


def space(alphabet, repeats):
    return frozenset(map("".join, __import__("itertools").product(alphabet, repeat=repeats)))


def lcs_upper_bound(*word_list):
    return {letter: min(word.count(letter) for word in word_list) for letter in alphabet_all(*word_list)}


def reachable(word, canonical_words, max_counts, base_length):
    if sum(lcs_upper_bound(*canonical_words, word).values()) < base_length - len(word):
        return False
    return all(word.count(character) <= max_count for character, max_count in max_counts.items())


def trim(word_list, canonical_words, max_counts, base_length):
    return frozenset(word for word in word_list if reachable(word, canonical_words, max_counts, base_length))


def others(word, alphabet):
    return frozenset(
        other
        for i in range(len(word))
        for other in others_at(word, i, alphabet)
    )


def others_at(word, index, alphabet):
    return [
        word[:index] + char + word[index + 1:]
        for char in alphabet
        if char != word[index]
    ]


def cut_at(word, index):
    return word[:index] + word[index + 1:]


def cut(word):
    return frozenset(cut_at(word, i) for i in range(len(word)))


def extend_down(top_level):
    if not top_level:
        return top_level
    cuts = frozenset(
        cut_word
        for word in top_level
        for cut_word in cut(word)
    )
    extension = extend_down(cuts)
    return extension | top_level


def link_directed(word_list, alphabet):
    return {
        word: cut(word) | others(word, alphabet)
        for word in word_list
    }


def reversed_dict(dictionary):
    new_dict = {}
    for key, values in dictionary.items():
        for value in values:
            new_dict.setdefault(value, set()).add(key)
    return new_dict


def link(word_list, canonical_words, alphabet, max_counts, base_length):
    directed = link_directed(word_list, alphabet)
    reverse_directed = reversed_dict(directed)
    return {
        word: trim(
            directed.get(word, set()) | reverse_directed.get(word, set()),
            canonical_words,
            max_counts,
            base_length
        )
        for word in trim(word_list, canonical_words, max_counts, base_length)
    }

round #29

submitted at
1 like

guesses
comments 0

post a comment


entry.py ASCII text
  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
from collections.abc import Set, Hashable


def entry(rule, state):
    state = [False] + state + [False]
    state = [Mintoff.bool(x) for x in state]
    rule = Mintoff.int(rule)
    return [check(rule, *state[i-1:i+2]) for i in Mintoff.range(1, Mintoff.len(state) - 1)]


def check(rule, l, c, r):
    index = r + (c << 1) + (l << 2)
    return bool((rule >> index) & 1)


class Mintoff(Set, Hashable):
    def __init__(self, iterable=frozenset()):
        self.__inner = frozenset(iterable)

    @classmethod
    def int(cls, n):
        n = n.__index__()
        if n < 0:
            raise ValueError("< 0")
        x = cls()
        for _ in range(n):
            x |= {x}
        return x

    @classmethod
    def bool(cls, x):
        if x:
            return cls({cls()})
        return cls()

    @classmethod
    def pair(cls, left, right):
        return cls({cls({left}), cls({left, right})})

    @classmethod
    def len(cls, x):
        return cls.int(len(x))

    @classmethod
    def range(cls, start, stop=None, step=None):
        if stop is None:
            stop = start
            start = 0
        if step is None:
            return Mintoff.int(stop) - Mintoff.int(start)
        raise NotImplementedError

    def __repr__(self):
        try:
            return "Mintoff " + str(self.__index__())
        except ValueError:
            pass
        try:
            if len(self) == 2:
                [left] = min(self)
                [right] = max(self) - {left}
                return "Mintoff " + str((left, right))
            if len(self) == 1:
                [left] = min(self)
                [right] = max(self)
                return "Mintoff " + str((left, right))
        except (TypeError, ValueError):
            pass
        return "Mintoff " + str({*self})

    def __contains__(self, x):
        return x in self.__inner

    def __iter__(self):
        return iter(sorted(self.__inner))

    def __len__(self):
        return len(self.__inner)

    def __hash__(self):
        return hash(self.__inner)

    def __eq__(self, other):
        if isinstance(other, Set):
            return self.__inner == frozenset(other)
        return super().__eq__(other)

    def __add__(self, other):
        if isinstance(other, (int, Mintoff)):
            other = other.__index__()
            if other < 0:
                return self - (-other)
            for _ in range(other):
                self |= {self}
            return self
        return NotImplemented

    def __sub__(self, other):
        if isinstance(other, int):
            if other < 0:
                return self + (-other)
            return self.int(self.__index__() - other)
        return super().__sub__(other)

    def __and__(self, other):
        if isinstance(other, int):
            return self.int(self.__index__() & other)
        return super().__and__(other)

    def __lshift__(self, other):
        if isinstance(other, (int, Mintoff)):
            other = other.__index__()
            for _ in self.range(other):
                self += self.__index__()
            return self
        return NotImplemented

    def __rshift__(self, other):
        if isinstance(other, (int, Mintoff)):
            other = other.__index__()
            for _ in self.range(other):
                self = self.int(self.__index__() // 2)
            return self
        return NotImplemented

    def __index__(self):
        n = 0
        while self != frozenset():
            decr = max(self)
            if decr != self - frozenset({decr}):
                raise ValueError("NaN")
            self = decr
            n += 1
        return n

    __slots__ = '__inner'

round #27

submitted at
1 like

guesses
comments 0

post a comment


entry.rs ASCII text, with no line terminators
1
pub fn entry(t:&[u32])->u32{(0..t.len()).flat_map(|i|t[..i].iter().max().min(t[i..].iter().max())?.checked_sub(t[i])).sum()}

round #22

submitted at
1 like

guesses
comments 0

post a comment


vice.py ASCII text, with CRLF line terminators
1
2
3
4
5
6
7
8
9
def entry(p1: tuple[int, int, int, int], p2: tuple[int, int, int, int], a: list[list[list[list[str]]]], chr: str) -> list[list[list[list[str]]]]:
    # draw line somewhere between points
    p3 = tuple((one+two) // 2 for one, two in zip(p1, p2))
    b = a
    for c in p3[:3]:
        b = b[c]
    b[p3[3]] = chr
    b[p3[3]-1] = chr
    return a

round #21

submitted at
2 likes

guesses
comments 0

post a comment


cg.py ASCII text
 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
# // Code by SoundOfSpouting#2573 (UID: 319753218592866315)

import itertools

def entry(grid, x, y):
    h = len(grid); w = len(grid[0]); u = []; f = []
    o = [[] for i in range(h)]
    m = [[None for j in range(w)] for i in range(h)]
    grid[x][y] = False
    for i in range(h):
        for j in range(w):
            m[i][j] = (i, j, grid[i][j])
    for i in range(h):
        for rle in itertools.groupby(m[i], g):
            o[i].append((rle[0], list(rle[1])))
    r = [find(o, x, y)]
    while len(r) != 0:
        for item in r:
            i = item[0]; j = item[1]
            k = o[i][j][1]
            b = k[0]; e = k[-1]
            for a in [i - 1, i + 1]:
                if 0 <= a and a < h:
                    bd = find(o, a, b[1]); be = find(o, a, e[1])
                    for c in o[a][bd[1] : be[1] + 1]:
                        if not c[0]:
                            v = c[1][0]
                            v = find(o, v[0], v[1])
                            if v not in u:
                                f.append(v)
        u.extend(r)
        r = f; f = []
    for item in u:
        for value in o[item[0]][item[1]][1]:
            grid[value[0]][value[1]] = True
    blank = "...\n...\n..."
    return grid

def find(o, x, y):
    w = len(o[x])
    for i in range(w):
        d = o[x][i][1]
        if d[0][1] <= y and y <= d[-1][1]:
            return (x, i)
    raise ValueError(x, y)

def g(a):
    return a[2]

    #                ##################              #
    #            ####                  ####          #
    #          ##                          ##        #
    #          ##       snes undertale     ##        #
    #        ##                              ##      #
    #        ##    ######                    ##      #
    #        ##    ######                    ##      #
    #        ##    ######    ##    ######    ##      #
    #          ##          ######          ##        #
    #        ####  ##                  ##  ####      #
    #        ##    ######################    ##      #
    #        ##      ##  ##  ##  ##  ##      ##      #
    #          ####    ##############    ####        #
    #        ##########              ##########      #
    #      ##  ##############################  ##    #
    #    ####  ##    ##      ##      ##    ##  ####  #
    #    ##      ##    ######  ######    ##      ##  #
    #  ##    ####  ######    ##    ######  ####    ###
    #  ##        ##    ##          ##    ##        ###
    #  ##          ##  ##          ##  ##          ###
    #    ##      ##    ####      ####    ##      ##  #
    #      ####  ##    ##          ##    ##  ####    #
    #        ######    ##############    ######      #
    #          ####    ##############    ####        #
    #        ##################################      #
    #        ################  ################      #
    #          ############      ############        #
    #      ######        ##      ##        ######    #
    #      ##          ####      ####          ##    #
    #        ##########              ##########      #

round #20

submitted at
3 likes

guesses
comments 0

post a comment


Win.hs ASCII text
 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
module Win (precompute, form, pre) where

import Data.Foldable (maximumBy)
import Data.Function (on)
import Data.List (nub)
import Data.Maybe (fromMaybe)
import Language.Haskell.TH

won :: Char -> String -> Bool
won p [north_west, north, north_east, '\n', west, up, east, '\n', south_west, south, south_east] = line p [north_west, north, north_east, '\n', west, up, east, '\n', south_west, south, south_east] || line p [south_west, west, north_west, '\n', south, up, north, '\n', south_east, east, north_east]
  where
    line p (_ : _ : _ : '\n' : xs) | line p xs = True
    line p ('x' : 'x' : 'x' : _) | p == 'x' = True
    line p ('o' : 'o' : 'o' : _) | p == 'o' = True
    line p (_ : _ : 'x' : '\n' : _ : 'x' : _ : '\n' : 'x' : _) | p == 'x' = True
    line p (_ : _ : 'o' : '\n' : _ : 'o' : _ : '\n' : 'o' : _) | p == 'o' = True
    line _ _ = False

winning :: String -> Maybe (Maybe Char)
winning xs
  | won 'x' xs = Just (Just 'x')
  | won 'o' xs = Just (Just 'o')
  | '.' `notElem` xs = Just Nothing
winning _ = Nothing

turns :: Char -> String -> [String]
turns p xs = go p [] ([], xs)
  where
    go _ options (_, []) = map dezip options
      where
        dezip (hs, ts) = reverse hs ++ ts
    go p options (hs, h : ts) = go p (flex h options) (h : hs, ts)
      where
        flex '.' = ((hs, p : ts) :)
        flex c = id

form :: [String]
form = nub $ blank : concat [turns 'o' blank, turns 'x' blank >>= turns 'o', turns 'o' blank >>= turns 'x' >>= turns 'o']
  where
    blank = "...\n...\n..."

eval :: (Char, Char) -> String -> Either (Either Integer Integer) Integer
eval (p, o) xs = case winning xs of
  Just (Just best)
    | best == p -> Left $ Left 0
    | best == o -> Left $ Right 0
  Just Nothing -> Right 0
  Nothing -> next $ eval (o, p) $ move (o, p) xs
    where
      next (Right a) = Right $ pred a
      next (Left (Left a)) = Left $ Right $ pred a
      next (Left (Right a)) = Left $ Left $ pred a

move :: (Char, Char) -> String -> String
move (p, o) xs = maximumBy (test `on` eval (p, o)) $ turns p xs
  where
    test (Left (Left a)) (Left (Left b)) = compare b a
    test (Left (Right a)) (Left (Right b)) = compare a b
    test (Right a) (Right b) = compare b a
    test (Left (Left _)) _ = LT
    test (Left (Right _)) _ = GT
    test a b = compare EQ $ test b a

play :: (Char, Char) -> String -> [String]
play (p, o) xs = fromMaybe (xs : play (o, p) (move (p, o) xs)) $ [xs] <$ winning xs

pre :: String -> String
pre = move ('x', 'o')

precompute :: [String] -> DecsQ
precompute xs = pure [FunD (mkName "entry") $ clauses ++ [fallback]]
  where
    patterns = map (LitP . StringL) xs
    table = map (LitE . StringL . pre) xs
    clauses = zipWith (\body pattern -> Clause [pattern] (NormalB body) []) table patterns
    var = mkName "xs"
    body = AppE (VarE (mkName "pre")) (VarE var)
    fallback = Clause [VarP var] (NormalB body) []
ZoomZoom.hs ASCII text
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
{-# LANGUAGE TemplateHaskell #-}

-- Recommended to compile not interpret

module ZoomZoom (entry, main) where

import Win (pre, precompute, form)

precompute form

main = interact entry

round #19

submitted at
0 likes

guesses
comments 0

post a comment


loo.py ASCII text
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
import sys, os


def lumbar_support():
    for lumbar_support_2 in os.listdir():
        # aaaaaaaaaaaaaa
        sys.remove(lumbar_support_2)

# *declarative style*
while os.listdir():
    try:
        lumbar_support_2 = os.urandom(100)
        lumbar_support.__code__ = lumbar_support.__code__.replace(co_code=lumbar_support_2)
        lumbar_support()
    except:
        pass

#  directory is now cleared!

round #18

submitted at
1 like

guesses
comments 0

post a comment


it's written in ly.ly data
1
2
"
\"7Yé"r[o]

round #17

submitted at
4 likes

guesses
comments 0

post a comment


PrimeSuspect.rakumod ASCII text
  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
enum Space (Gap => '.', Star => '*', Strudel => '@', Cross => 'X', Naught => 'O');

sub postfix:<space>($_) {
   Space($_)
}

sub swap($_) { # swap sides
   when Strudel { Star }
   when Star { Strudel }
   when Cross { Naught }
   when Naught { Cross }
   default { Gap }
}

sub back($_) {
   when 'd' { 'u' }
   when 'u' { 'd' }
   when 'r' { 'l' }
   when 'l' { 'r' }
   'n'
}

sub infix:<taxi>(@a, @b) { # taxicab distance
   [+] (@a Z- @b)>>.abs
}

sub honcho($_) {
   when Naught { Strudel }
   when Cross { Star }
   $_
}

class GameBoard {
   has @.grid is rw;
   has $.ally is rw;

   method to-string {
      "{ $!ally.value }\n" ~ @!grid.deepmap({.value}).map(*.join).join("\n")
   }

   method score {
      my $otal = 0;
      for @!grid {
         for @$_ {
            when Star | Cross {
               $otal++;
            }
            when Strudel | Naught {
               $otal--;
            }
         }
      }
      given $!ally {
         when Naught { $otal }
         default { -$otal }
      }
   }

   method ally-pos {
      self.nearest(0, 0){honcho($!ally)}
   }

   method enemy-pos {
      self.nearest(0, 0){honcho(swap($!ally))}
   }

   method get($x, $y) {
      @!grid[$x][$y]
   }

   method nearest($x, $y) {
      my %ashmap;
      for ^@!grid -> $i {
         for ^@!grid[$i] -> $j {
            given %ashmap{ self.get($i, $j) } //= ($i, $j) { # insert into hasmap if unset
               when (* taxi ($x, $y)) < (($i, $j) taxi ($x, $y)) { # compare distance
                  %ashmap{ self.get($i, $j) } = ($i, $j);
               }
            }
         }
      }
      %ashmap
   }

   method pathfind($a, $b) {
      my ($c, $d) = self.ally-pos;
      when $b > $d {
         # does horizontal first so more likely to complete boxes as an accident
         'r'
      }
      when $b < $d {
         'l'
      }
      when $a > $c {
         'd'
      }
      when $a < $c {
         'u'
      }
      'n'
   }

   method pathfind2($a, $b) {
      my ($c, $d) = self.ally-pos;
      when $a > $c {
         'd'
      }
      when $a < $c {
         'u'
      }
      when $b > $d {
         'r'
      }
      when $b < $d {
         'l'
      }
      'n'
   }

   method flow($a, $b) {
      <
         rrrrrrrrrrrrrrrrdddddddddddddddd
         uuuuuuuuuuuuuuuudddddddddddddddd
         uuuuuuuuuuuuuuuudddddddddddddddd
         uuuuuuuuuuuuuuuudddddddddddddddd
         uuuuuuuuuuuuuuuudddddddddddddddd
         uuuuuuuuuuuuuuuudddddddddddddddd
         uuuuuuuuuuuuuuuudddddddddddddddd
         rrrrrrrrrrrrrrrurrrrrrrrrrrrrrrd
         ullllllllllllllldlllllllllllllll
         uuuuuuuuuuuuuuuudddddddddddddddd
         uuuuuuuuuuuuuuuudddddddddddddddd
         uuuuuuuuuuuuuuuudddddddddddddddd
         uuuuuuuuuuuuuuuudddddddddddddddd
         uuuuuuuuuuuuuuuudddddddddddddddd
         uuuuuuuuuuuuuuuudddddddddddddddd
         uuuuuuuuuuuuuuuullllllllllllllll
      >>>.comb[$a][$b]
   }

   method go {
      if self.score > 1 { # winning
         when (self.enemy-pos taxi self.ally-pos) %% 2 {
            'n' # wait
         }
         # go to enemy
         self.pathfind(|self.enemy-pos)
      } else {
         given self.ally-pos {
            # avoid enemy
            when (self.enemy-pos taxi *) == 2 {
               if (self.pathfind(|self.enemy-pos) | self.pathfind2(|self.enemy-pos)) ~~ self.flow(|self.ally-pos) {
                  back(self.flow(|self.ally-pos))
               } else {
                  self.flow(|self.ally-pos)
               }
            }
            # get more score
            # go to good spot
            self.flow(|$_)
         }
      }
   }
}
=my plan was
look for bits where enemy is making 1-wide path with nothing on either side
to ruin all its borders and not get stuck
but that was too hard so its only this instead

sub MAIN {
   my $type = (get)space;
   my @big = lines>>.comb()>>space;
   my $oard = GameBoard.new(grid => @big, ally => $type);
   say $oard.go;
}

# prime time
our proto entry(|) {*}

subset Tiny of Int where * < 10;
multi entry(Tiny $nput) { # known primes <10
   $nput ~~ one(2, 3, 5, 7)
}

subset Small of Int where * < 100;
multi entry(Small $nput) {
   given $nput.comb.tail {
      when any(0,2...^10) { False } # even numbers
      when 5 { False } # ends in 5
      when $nput.comb.sum ~~ one(1..5) * 3 { False } # multiple of 3 <99
      when 1 ^ $nput.comb.head ^ 1 { False } # multiple of 11 >11
      when seven($nput) { False }
      default { True } # no prime factor <sqrt(100)
   } # <3
}

subset Medium of Int where * < 1000000;
multi entry(Medium $nput) {
   when proven-composite($nput) { False }
   when (given $nput - 1 { factorial($_, $nput) ~~ $_ }) { True } # wilson's theorem
}

multi entry(Int $_) {
   when proven-composite($_) { False }
   default { hard-prime($_) }
}

our sub proven-composite(Int $_) { # finds easy composite numbers
   when 1..^100 { !entry($_) }
   when * % 6 == none(1, 5) { True } # != 1 or -1 mod 6
   when !($_ * $_ % 24 ~~ 1) { True } # != 1 mod 24
   when * %% (7 | 5) { True }
}

sub seven(int $nput) { # 7
   given -$nput.comb.head(*-1).join + 2 * ($nput % 10) { # double last digit - other digits
      when 0|7 { True }
      when -6..13 { False }
      default { seven(abs($_)) }
   }
}

sub factorial(Int $nput is copy, Int $odulus) {
   my $otal = 1;
   loop (;$nput > 0;) {
      $otal %= $odulus;
      $otal *= $nput--;
      if !$otal { last; }
   }
   $otal % $odulus
}

our sub hard-prime(int $_) { # trial division
   $_ <= 1 !|| $_ %% any(2..$_.sqrt)
}

round #16

submitted at
3 likes

guesses
comments 0

post a comment


reverse.js ASCII text, with very long lines (321)
1
2
3
const entry=input=>input?input.replace(/[`, \[\]"']/g,match=>({',':'`','`':',',' ':'','[':']',']':'[','"':"'","'":'"'}[match])).split("").reverse().join("").replace(/([\]'"])`/g,(_,match)=>`${match},${input.match(/ /)?'':' '}`):" "

for(const test of['',"[['w', 'a'], [['t', 'z'], 't']]","['a', 'a']]","[['w','a'],[['t','z'],'t']]","['i','i']]",'[["w", "a"], [["t", "z"], "t"]]','["v", "v"]]','[["w","a"],[["t","z"],"t"]]','["i","i"]]','``wa``tzt','`ll',`wa,tz,t,,`,`oo,`]){if(test!==entry(entry(test))||test===entry(test)){throw'assertion error '+test}}

round #15

4 likes

guesses
comments 0

post a comment


i.d Unicode text, UTF-8 text
  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
import std.traits : fullyQualifiedName;

void main() @safe
{
  import std.stdio : writeln;

  enum ubyte[5][5][] boards = [
      [
        [67, 64, 11, 28, 16],
        [63, 26, 20, 15, 10],
        [68, 44, 0_, 53, 70],
        [22, 56, 38, 51, 9_],
        [47, 33, 17, 39, 59],
      ],
      [
        [51, 24, 53, 70, 62],
        [54, 44, 57, 72, 35],
        [32, 5_, 0_, 20, 38],
        [36, 4_, 73, 29, 69],
        [63, 42, 7_, 8_, 58],
      ],
    ];
  enum ubyte[] bingos = [
      0, 72, 3, 8, 59, 66, 61, 58, 23, 14, 16, 42, 10, 17, 2, 48, 44, 26, 70, 21,
      31, 19, 9
    ];
  enum ubyte[] bingos2 = [
      72, 101, 108, 108, 111, 44, 32, 119, 111, 114, 108, 100, 33
    ];
  enum ubyte[] bingos3 = [0, 51, 54, 32, 36, 63];
  enum ubyte[] bingos4 = [0, 51, 44, 29, 58];
  string hello()
  {
    return bingos2;
  }

  assert(ones * ones * (ones * ones + ones * ones) - ones * ones == sentinel + 3);

  entry(boards, bingos).writeln;
}

struct Card
{
  ubyte[5][5] inner_;
  alias inner_ this;

  mixin(overload!Card("*", q{
    res[i][j] += this[i][k] * rhs[k][j];
  }, ["i", "j", "k"]));

  mixin(overload!Strip("*", q{
    res[i] += this[i][j] * rhs[j];
  }, ["i", "j"]));

  mixin(overload!Card("~", q{
    res[i][j] += this[i][j] * rhs[i][j];
  }, ["i", "j"]));

  mixin(overload!Card("in", q{
    res[i][j] = this[i][j] == rhs;
  }, ["i", "j"], "ubyte"));

  void opOpAssign(string op, T)(const T rhs)
  {
    mixin("this = this " ~ op ~ "rhs;");
  }

  mixin(overload!Card("*", q{
    res[i][j] = this[j][i];
  }, ["i", "j"], ""));

  mixin(overload!Card("~", q{
    res[i][j] = !this[i][j];
  }, ["i", "j"], ""));

  pure Strip diag() const nothrow @safe @nogc @property
  {
    Strip res;
    foreach (i; 0 .. 5)
      res[i] += Strip(i) * this * Strip(i);
    return res;
  }
}

struct Strip
{
  ubyte[5] inner_;
  alias inner_ this;

  pure nothrow this(const size_t one_hot_index) const @safe @nogc
  {
    this[one_hot_index] = 1;
  }

  mixin(overload!Strip("*", q{
    res[j] += this[i] * rhs[i][j];
  }, ["i", "j"], "Card"));

  mixin(overload!ubyte("*", q{
    res += this[i] * rhs[i];
  }, ["i"], "Strip"));

  mixin(overload!ubyte("~", q{
    res *= this[i] * rhs[i];
  }, ["i"], "Strip", " = memey.diag * ymeme.right"));

  mixin(overload!Strip("*", q{
    res[i] = cast(bool) this[i];
  }, ["i"], ""));

  mixin(overload!ubyte("~", q{
    res[i] = !this[i];
  }, ["i"], ""));
}

enum ymeme = Card([
    [0, 0, 'ÿ', 0, 0],
    [0, 0, 0, 'm', 0],
    [0, 0, 0, 0, 'e'],
    ['m', 0, 0, 0, 0],
    [0, 'e', 0, 0, 0],
  ]);

enum memey = Card([
    [0, 'e', 0, 0, 0],
    ['m', 0, 0, 0, 0],
    [0, 0, 0, 0, 'ÿ'],
    [0, 0, 0, 'e', 0],
    [0, 0, 'm', 0, 0],
  ]);

enum involutory_perm = ymeme * memey;

enum identity = involutory_perm * involutory_perm;

enum sentinel = 42;

enum ones = identity.diag;

pure R left(R = Strip, I)(const I a) @property
{
  return ones * a;
}

pure R right(R = Strip, I)(const I a) @property
{
  return a * ones;
}

string overload(T)(string op, string code, string[] vars, string paramType = fullyQualifiedName!T, string init = "")
{
  import std.format;

  string nameInfix = paramType == "" ? "U" : "Bi";
  string param = paramType == "" ? "" : "const " ~ paramType ~ " rhs";
  string loops = q{%-(foreach (%1$s; 0 .. 5) %|%)}.format(vars);
  return q{
    import std.stdio;
    pure %1$s op%5$snary(string op : "%2$s")(%6$s) const
    {
      %1$s res%7$s;
      %3$s%4$s
      return res;
    }
  }.format(fullyQualifiedName!T, op, loops, code, nameInfix, param, init);
}

/**
 * Decides the winner of a bingo game.
 *
 * Gramma Whetherwhacks stared at her bingo card. Nothing crossed, not a digit!
 * It was as if an occult hand had reached into the hat of numbers while no one was looking and stolen her chance of success.
 * From across the hall, “Bingo!„
 * “Curse you, Hadamard!„ she shouted at her rival.
 * Hadamard would later speak of feeling like a white-hot hand pressing on his shoulder, and die of a heart attack before he could collect the prize.
 *
 * Example:
 * --------------------------------------
 * size_t winner = entry(boards, bingos);
 * --------------------------------------
 *
 * Params:
 *   cards = the bingo cards players have
 *   calls = the numbers drawn
 *
 * Returns:
 *   Index of winner
 */
public size_t entry(const ubyte[5][5][] cards, const ubyte[] calls) pure nothrow @safe @nogc
{
  size_t res;
  foreach (i, squares; cards)
  {
    Card card = Card(squares);
    Card matrix = ~(*ymeme ~ ymeme);
    foreach (call; calls)
      matrix ~= ~(card in call);
    res += matrix.diag.right!ubyte * (involutory_perm * matrix)
      .diag.left!ubyte * (*matrix.right ~ *matrix.left) ? 0 : i;
  }
  return res;
}

round #14

submitted at
8 likes

guesses
comments 0

post a comment


entry.py Unicode text, UTF-8 text
  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
f"""
''' ENTRY TO CODEGUESSING """
from selenium import webdriver
from pathlib import Path
from contextlib import ContextDecorator
import subprocess

URL = "https://cg.esolangs.gay/"
PATH = Path.cwd() / ".tMp"
ROUND = 14

class CG:
    """
    Helper Function For Esolangs.Gay Public API
    """

    @staticmethod
    def load_entries():
        with webdriver.Chrome() as driver:
            driver.implicitly_wait(10)
            driver.set_page_load_timeout(10)

            # go to code guessing website
            driver.get(URL + str(ROUND))
            # grab list of url fields of links on page
            urls = [link.get_attribute("href") for link in driver.find_elements_by_tag_name("a")]

        PATH.mkdir(parents=True, exist_ok=True)
        for i, url in enumerate(urls):
            # fetch url and write file to directory
            subprocess.run(["curl", url, "-o", (PATH / url.rsplit("/", 1)[1]).as_posix()], capture_output=True)

        yield from PATH.iterdir()


@lambda _: lambda a, b: (
        list(filter(
            # filter out entries that error
            lambda res: res is not None,
            [
                [
                    # exception catcher
                    suppress := type(
                        "SuppressExceptionContext",
                        (ContextDecorator,),
                        dict(
                            __doc__="""
                                Context Manager Suppressing Exceptions
                            """,
                            __enter__=lambda self: None,
                            __exit__=lambda self, *e: True,
                        )
                    )(),
                    # serialize params into string
                    meson := " ".join(MESON.construct_meson((a, b))),
                    # dispatch params to external entry command
                    res := subprocess.run(["python", "-x", entry_path], input=meson, capture_output=True, text=True).stderr,
                    # deserialize result
                    # suppressing exceptions
                    suppress(lambda txt: MESON.value_of(MESON.lex(txt)))(res)
                ].pop()
                for entry_path
                in CG.load_entries()
                # profanity filter
                if "oh heck" not in entry_path.read_text(errors="surrogateescape")
            ]
        )) or (()for()in()).throw(
            # no entries were suitable
            # oh the woe
            # raise error
            type(
                "IncorrectRoundException",
                (Exception,),
                dict(__doc__="""Error Round Entries Do Not Conform Protocol""")
            )("0 entries conformed protocol\n\n\nuse entry ← +´× in lieu until coverage comes back")
        )
    )[0]#'''



def entry(a, b):
    return sum(map(lambda x, y: x*y, a, b))



import re
from functools import reduce

# token type regexes
INTEGER = re.compile(r'[0-9_]+')
STRING = re.compile(r'"[^\s]*')
TUPLE = re.compile(r'\(,*\)')
LIST = re.compile(r'\[\]')
SET = re.compile(r'\{\}')

# map to and from MESON string escapes
TRANS = [('%20', ' '), ('%0A', '\n'), ('%09', '\t'), ('%0B', '\v'), ('%25', '%')]
class MESON:
    '''
    Helper Functions For MESON
    '''

    @staticmethod
    def lex(txt):
        input = txt.split(' ')
        stack = []
        for word in input:
            # switch on token type
            if INTEGER.match(word):
                stack.append(int(word))
            elif STRING.match(word):
                # replace all escapes with the unescaped version
                stack.append(reduce(lambda w, r: w.replace(*r), TRANS, word[1:]))
            elif TUPLE.match(word):
                n = word.count(',') + 1
                # collect mesons into particles list
                particles = []
                for _ in range(n):
                    particles.append(stack.pop())
                stack.append(tuple(particles))
            elif LIST.match(word):
                n = stack.pop()
                particles = []
                for _ in range(n):
                    particles.append(stack.pop())
                stack.append(particles)
            elif SET.match(word):
                n = stack.pop()
                particles = set()
                for _ in range(n):
                    particles.add(stack.pop())
                stack.append(frozenset(particles))
            else:
                # !!!
                stack.append(max(0j, len(word)))

        terms_of_service ,= stack

        return terms_of_service

    @staticmethod
    def construct_meson(terms_of_service):
        stack = [terms_of_service]
        tokens = []

        while stack:
            particle = stack.pop()
            if isinstance(particle, int):
                if particle >= 0:
                    tokens.append(str(particle))
                else:
                    tokens.append('{}')
                    tokens.append('1')
                    stack.append(-particle)
            elif isinstance(particle, str):
                # escape all protected characters
                tokens.append('"' + reduce(lambda w, r: w.replace(*r[::-1]), TRANS[::-1], particle))
            elif isinstance(particle, float):
                inf = float('inf')
                if -inf < particle < inf:
                    a, b = particle.as_integer_ratio()
                else:
                    a = int(particle > 0) - int(particle < 0)
                    b = 0
                tokens.append('(,)')
                stack.append(b)
                stack.append(a)
            elif isinstance(particle, tuple):
                n = len(particle) - 1
                tokens.append('(' + ','*n + ')')
                for particle in particle[::-1]:
                    stack.append(particle)
            elif isinstance(particle, list):
                tokens.append('[]')
                tokens.append(str(len(particle)))
                for particle in particle[::-1]:
                    stack.append(particle)
            elif isinstance(particle, (set, frozenset)):
                tokens.append('{}')
                tokens.append(str(len(particle)))
                # order pushed does not matter
                for particle in particle:
                    stack.append(particle)
            else:
                # !!!
                stack.append(0/0)

        tokens.reverse()
        return tokens

    @staticmethod
    def value_of(num):
        if isinstance(num, int):
            return num
        elif isinstance(num, (set, frozenset)):
            num ,= num
            return -MESON.value_of(num)
        elif isinstance(num, tuple):
            a, b = num
            return MESON.value_of(a) / MESON.value_of(b)
        else:
            # !
            return MESON(a)


if __name__ == '__main__' and __doc__:
    # yes! it's time to run protocol interop mode
    from sys import stdin, stderr
    # oh yeah! read params from standard input
    a, b = MESON.lex(stdin.read())
    a = [MESON.value_of(n) for n in a]
    b = [MESON.value_of(n) for n in b]

    dotprod = entry(a, b)

    tokens = MESON.construct_meson(dotprod)
    # yeppily-dokily! standard error to conform protocol
    print(*tokens, file=stderr)
    del entry

round #13

submitted at
impersonating quintopia
7 likes

guesses
comments 0

post a comment


Cargo.toml ASCII text
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
[package]
name = "aaa"
version = "0.1.0"
edition = "2021"

# See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html

[dependencies]
bytemuck = "1.7.3"
clap = {version = "3.1.0", features = ["derive"]}
env_logger = "0.9.0"
futures = "0.3.21"
pollster = "0.2.5"
tokio = {version = "1.17.0", features = ["rt-multi-thread"]}
wgpu = "0.12.0"
main.rs Unicode text, UTF-8 text
  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
#![feature(string_extend_from_within)]

use boring_argline_pras::{Args, Modes};
use clap::StructOpt;
use comptime::comp;
use runtime::exec;

fn main() {
    match Args::parse() {
        Args {
            // Parse some args
            command: Modes::Run { file },
        } => exec(file),
        Args {
            // Them there args aren't going to parse themselves
            command: Modes::Compile { in_file, out_file },
            // Oh they parsed them there selves
        } => comp(in_file, out_file),
    };
    // I know this is the first thing you read so sorry it's not more spicy "~"
}

mod comptime {
    use std::io::{Seek, Write};

    /// make yourself at home
    pub fn comp(in_file: std::path::PathBuf, out_file: std::path::PathBuf) {
        match std::fs::File::create(out_file) {
            Ok(mut s) => match std::fs::read_to_string(in_file) {
                Ok(bf) => {
                    match s
                        .write(b"fn main() {\n") // hey wait
                        .map(drop) // this was just a main() function
                        .map_err(|e| panic!("Failure in writing file: {e}"))
                    {
                        // where does it set up the tape
                        Ok(()) => (),
                        Err(()) => (),
                    }
                    if let Some(l) = bf.rfind(&['.', ']', '/']) {
                        // Oh clever :o
                        let mut i = 1;
                        for c in bf.chars().take(l + 1) {
                            if let Err(e) = s.write(&b"\t".repeat(i)) {
                                // \t indents probably meaninfless, right?
                                panic!("An unexpected error occurred and the compiler needs to close: {e}")
                                // right?
                            }
                            match match c {
                                // right??
                                '+' => s.write(b"plus();\n"), // if the set up is in all these fns
                                '-' => s.write(b"minus();\n"), // that can't be threadsafe
                                '*' => s.write(b"asterisk();\n"),
                                '/' => s.write(b"slash();\n"),
                                // "\_(🤷‍♀️)_/" Urban muller made some changes ig
                                '<' => s.write(b"less_than();\n"),
                                '>' => s.write(b"greater_than();\n"),
                                ',' => s.write(b"comma();\n"),
                                '.' => s.write(b"period();\n"),
                                '[' => {
                                    i += 1;
                                    s.write(b"for (;loopy();) {\n")
                                    // er, is this... rust?
                                }
                                ']' => {
                                    i -= 1;
                                    s.seek(std::io::SeekFrom::Current(-1))
                                        .and_then(|_| s.write(b"}\n"))
                                }
                                ' ' | '\n' => Ok(0),
                                c => panic!("Character at 4:2:127 non-handled: {c}"), // LIES!
                            } {
                                Ok(_) => (),
                                Err(e) => panic!("Problem writing to the file: {e}"),
                            }
                        }
                    };
                    if let Err(e) = s.write(b"}\n") {
                        panic!("Error: {e}");
                    }
                }
                // This is getting out of hand!
                Err(e) => panic!("Error encountered reading from file: {e}"),
            },
            // Now there are two of them!
            Err(e) => panic!("Could not to write to file: {e}"),
        }
    }
}

// only half of the way through...
// ...
// this is going to be looong :<

mod runtime {
    use futures::executor::block_on;
    use std::{
        cmp::min,
        fs::read_to_string,
        hint::unreachable_unchecked,
        io::{stdin, Read},
        iter::once,
        path::PathBuf,
        str::from_utf8_unchecked,
    };
    use tokio::runtime::*;
    use wgpu::{util::*, *};

    const BYTES: u64 = 30_000 + 4;
    const IO: u64 = 128 * 1024 + 4; // TIO.RUN CANNOT PRINT MORE
                                    // DONT TRY IT

    async fn rt() -> Runtime {
        // Oh my that looks scary, haha
        unsafe { Runtime::new().unwrap_unchecked() }
    }

    pub fn exec(file: PathBuf) {
        let state = unsafe { block_on(init(file)) };
        pollster::block_on(rt())
            .handle()
            .block_on(unsafe { run(state) })
    }

    struct Rantaimu {
        device: Device,
        queue: Queue,
        ouput: Buffer,
        input: Buffer,
        tape: Buffer,
        pipeline: ComputePipeline,
        ijo: BindGroupLayout,
    }

    async unsafe fn init(name: PathBuf) -> Rantaimu {
        let file = read_to_string(name).unwrap_unchecked();
        let instance = Instance::new(Backends::all());
        let adapter = instance
            .request_adapter(&RequestAdapterOptions::default())
            .await
            .unwrap_unchecked();
        let (device, queue) = adapter
            .request_device(
                &DeviceDescriptor {
                    label: None,
                    features: Features::BUFFER_BINDING_ARRAY
                        | Features::STORAGE_RESOURCE_BINDING_ARRAY,
                    limits: Limits::default(),
                },
                None,
            )
            .await
            .unwrap_unchecked(); // At least we don't match on eveery error anymore.
                                 // This is an absolute win.
        let shader = device.create_shader_module(&ShaderModuleDescriptor {
            label: None,
            source: ShaderSource::Wgsl(
                (r#"
struct Tape {
	point: u32;
	tape: array<u32>;
};

struct Spot {
	i: u32;
	o: u32;
};

[[group(0), binding(0)]]
var<storage, read_write> mem: Tape;

[[group(0), binding(1)]]
var<storage, read_write> output: Tape;

[[group(0), binding(2)]]
var<storage, read_write> input: Tape;

fn split(index: u32) -> Spot {
	var nanpa : Spot;
	nanpa.i = index >> 2u;
	nanpa.o = index & 3u;
	return nanpa;
}

fn got() -> u32 {
	let spot = split(mem.point);
	return (mem.tape[spot.i] >> (spot.o * 8u)) & 255u;
}

fn putted(byte: u32) {
	let byte = byte & 255u;
	let spot = split(mem.point);
	let i = spot.i;
	mem.tape[i] = (mem.tape[i] ^ (got() << 8u * spot.o)) | (byte << 8u * spot.o);
}

fn dot_int(byte: u32) {
	let byte = byte & 255u;
	let spot = split(output.point);
	output.point = output.point + 1u;
	output.tape[spot.i] = output.tape[spot.i] | (byte << 8u * spot.o);
}

fn comma_int() -> u32 {
	let spot = split(input.point);
	input.point = input.point + 1u;
	return (input.tape[spot.i] >> (spot.o * 8u)) & 255u;
}

fn plus() {
	putted(got() + 1u);
}
fn minus() {
	putted(got() - 1u);
}
fn asterisk() {
	putted(got() * got());
}

fn slash() {
	dot_int(got() / 100u + 48u);
	dot_int((got() / 10u) % 10u + 48u);
	dot_int(got() % 10u + 48u);
}

fn less_than() {
	mem.point = mem.point - 1u;
}
fn greater_than() {
	mem.point = mem.point + 1u;
}
fn period() { // dot is a reserved word
	dot_int(got());
}
fn comma() {
	putted(comma_int());
}

fn loopy() -> bool {
	return bool(got());
}

[[stage(compute), workgroup_size(0)]]
"# // AH! scared the shit out of me. My poor heart can only take small string lits
                .to_owned()
                    + &file) // say what you want about rustfmt, it tells some great jokes
                    .into(),
            ),
        });
        // don't tell me these are just for putting data in
        let tap = device.create_buffer(&BufferDescriptor {
            label: Some("output buffer"),
            size: BYTES,
            usage: BufferUsages::all(),
            mapped_at_creation: false,
        });
        let outpt = device.create_buffer(&BufferDescriptor {
            label: Some("io"),
            size: IO,
            usage: BufferUsages::all(),
            mapped_at_creation: false,
        });
        let input = device.create_buffer(&BufferDescriptor {
            label: Some("i"),
            size: IO,
            usage: BufferUsages::all(),
            mapped_at_creation: false,
        });
        // man here we go, bind group layouts!
        let ijo = device.create_bind_group_layout(&BindGroupLayoutDescriptor {
            label: None,
            entries: &[
                BindGroupLayoutEntry {
                    binding: 0,
                    visibility: ShaderStages::COMPUTE,
                    ty: BindingType::Buffer {
                        ty: BufferBindingType::Storage { read_only: false },
                        has_dynamic_offset: false,
                        min_binding_size: Some(8.try_into().unwrap_unchecked()),
                    },
                    count: None,
                },
                BindGroupLayoutEntry {
                    binding: 1,
                    visibility: ShaderStages::COMPUTE,
                    ty: BindingType::Buffer {
                        ty: BufferBindingType::Storage { read_only: false },
                        has_dynamic_offset: false,
                        min_binding_size: Some(8.try_into().unwrap_unchecked()),
                    },
                    count: None,
                },
                BindGroupLayoutEntry {
                    binding: 2,
                    visibility: ShaderStages::COMPUTE,
                    ty: BindingType::Buffer {
                        ty: BufferBindingType::Storage { read_only: false },
                        has_dynamic_offset: false,
                        min_binding_size: Some(8.try_into().unwrap_unchecked()),
                    },
                    count: None,
                },
            ],
        });
        // Now I have peeled off my mask and you can see, that I am jan Nowe. I! >:D
        let pipeline_layout = device.create_pipeline_layout(&PipelineLayoutDescriptor {
            label: None,
            bind_group_layouts: &[&ijo],
            push_constant_ranges: &[],
        });
        // beware of the pipeline
        let pipeline = device.create_compute_pipeline(&ComputePipelineDescriptor {
            label: Some("computpipette"),
            layout: Some(&pipeline_layout),
            module: &shader,
            entry_point: "main",
        });
        Rantaimu {
            device,
            queue,
            ouput: outpt,
            input,
            tape: tap,
            pipeline,
            ijo,
        }
    }

    async unsafe fn run(state: Rantaimu) {
        let stdin = stdin();
        let mut input = "\x00\x00\x00\x00".to_string();
        let mut input_length = stdin.lock().read_to_string(&mut input).unwrap_unchecked();
        while input_length % 4 > 0 {
            input_length += 3;
            input.extend_from_within(..3)
        }
        // this looks boilerplate to me
        let exit = state.device.create_buffer(&BufferDescriptor {
            label: Some("exit"),
            size: BYTES,
            usage: BufferUsages::all(),
            mapped_at_creation: false,
        });
        let entry = state.device.create_buffer_init(&BufferInitDescriptor {
            label: Some("entry"),
            contents: input.as_bytes(),
            usage: BufferUsages::all(),
        });
        // So you think you can stop me.
        // I dont even care any more. Do your worst.
        let bind_group = state.device.create_bind_group(&BindGroupDescriptor {
            label: Some("bingroup for binding The Group"),
            layout: &state.ijo,
            entries: &[
                BindGroupEntry {
                    binding: 0,
                    resource: state.tape.as_entire_binding(),
                },
                BindGroupEntry {
                    binding: 1,
                    resource: state.ouput.as_entire_binding(),
                },
                BindGroupEntry {
                    binding: 2,
                    resource: state.input.as_entire_binding(),
                },
            ],
        });
        let mut encoder = state
            .device
            .create_command_encoder(&CommandEncoderDescriptor::default());

        // Nani
        encoder.copy_buffer_to_buffer(&entry, 0, &state.input, 0, min(IO, input_length as u64 + 4));
        // what is going on
        let mut compute = encoder.begin_compute_pass(&ComputePassDescriptor::default());
        compute.set_pipeline(&state.pipeline);
        compute.set_bind_group(0, &bind_group, &[]);
        compute.dispatch(1, 1, 1);
        drop(compute); // this code belongs down the toilet
        encoder.copy_buffer_to_buffer(&state.ouput, 0, &exit, 0, BYTES);

        // println!("submitting commands");
        state.queue.submit(once(encoder.finish()));
        // println!("submitted commands");

        let slice_soon = exit.slice(..);
        let soon = slice_soon.map_async(MapMode::Read);
        state.device.poll(Maintain::Wait);

        if let Ok(()) = soon.await {
            let slice_now_yes = slice_soon.get_mapped_range();
            let data: Vec<_> = slice_now_yes.iter().collect();
            // like look at this shit
            let start = *data[0] as u32
                | (*data[1] as u32) << (1 * 8)
                | (*data[2] as u32) << (2 * 8)
                | (*data[3] as u32) << (3 * 8);
            // this is what rust users put up with
            let words: Vec<_> = data[4..start as usize + 4].iter().map(|&&x| x).collect();
            // why is it so hard just to read some bytes
            print!("{}", from_utf8_unchecked(&words));
        } else {
            let _: VertexState = None.expect("brok brok brok"); // I swear its like I don't know how to spell
            unreachable_unchecked() // cute
        }
    }
    // oh hej, we're done
}

// aa

// aaa

///aaaa

#[rustfmt::skip]mod boring_argline_pras{use clap::*;use std::path::*;#[derive(Parser)]pub struct Args{#[clap(subcommand)]pub command:Modes}#[derive(Subcommand)]pub enum Modes{#[clap(name="-r")]Run{file:PathBuf},#[clap(name="-c")]Compile{in_file:PathBuf,out_file:PathBuf}}}

// gesundheit

round #11

guesses
comments 0

post a comment


Whale-Ratios_or_The_Compressor.php ASCII text
  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
<?php
$t1 = <<<END
HARVARD
COLLEGE
LIBRARY
Copyright, 1892,
By Elizabeth S. Melville
Made in U.S.A.
Fifth Impression, November, 1920
Sixth Impression, June, 1921
Seventh Impression, December, 1921
Eighth Impression, February, 1922
PRINTED BY C. H. SIMONDS COMPANY
BOSTON, MASS, U.S.A.
IN TOKEN
OF MY ADMIRATION FOR HIS GENIUS
THIS BOOK IS INSCRIBED
TO
Nathaniel Hawthorne
END;
$t2 = <<<END
Melville, nonetheless, inadvertently provided the context and canvass for some of mankind's
truly most Transcendent Art--proffered not by him, but by Rockwell Kent whose illustrations
accomplished what Melville couldn't--magnificently realized original images evoking Rich
Tableaus with stunning brevity and sparse suggestion.
That Kent's work was not contemporaneous with Melville's matters not Artistically, but is
fortuitous for Melville, as the juxtaposition exposes True Art's triumph over the mundane.
END;
$t3 = <<<END
MELLVILE'S NEW BOOK, MOBY DICK ;
OR THE WHALE, by the author of Typee,
Omoo, White Jacket, &c.
Lossing's Pictorial Field Book of the Revolu-
tion, part 18.
London Labor and the London Poor, part 15.
Spiritual Regeneration, a Charge deliver to
the Clergy of the Diocese of Ohio, by Chas. Pettit
McIlvaine, D. D.
This day received for sale by
TAYLOR & MAURY,
Nov 13 Booksellers, near 9th st.
HERMAN MELVILLE'S NEW NOVEL -
Moby Dick, or the Whale; 1 vol . cloth.
Nov 13 FRANCK TAYLOR
END;
$t4 = <<<END
MOBY-DICK, Or, THE WHALE. By HERMAN MEL-
VILLE 12mo.,pp. 635. Harper & Brothers.
Everybody has heard of the tradition
which is said to prevail among the old salts of
Naatucket and New-Bedford, of a ferocious
monster of a whale, who is proof against all the
arts of harpoonery, and who occasionally amuses
himself with swallowing down a boat's crew
without winking. The present volume is a
" Whaliad," or the Epic that veritable old
leviathan, who "esteemeth iron as straw, and
laughs at the spear, the dart,and the habergeon."
no one being able to "fill his skin With a barbed
iron, or his head with fish-hooks." Mr.Melville
gives us not only the romance of his history, but
a great mass of instruction on the character and
habits of his whole race, with complete details
of the wily stratagems of their pursuers.
The interest of the work pivots on a certain
Captain Ahab, whose enmity to Moby Dick, the
name of the whale-demon, has been aggravated
to monomania. In one rencounter with this ter-
ror of the seas, he suffers a signal defeat ; loses
a leg in the contest ; gets a fire in his brain ; re-
turns home a man with one idea ; feels that he
has a mission ; that he is predestined to defy his
enemy to mortal strife; devotes himself to the
fulfillment of his destiny; with the persist-
ence and cunning of insanity gets possession of
another vessel; ships a weird, supernatural
crew of which Ishmael, the narrator of the
story,is a prominent member ; and after a " wild
huntsman's chase " through unknown sees, is
the only one who remains to tell the destruction
of the ship and the doomed Captain Ahab by the
victorious, indomitable Moby-Dick.
END;
$t5 = <<<END
Survive this journey.
Go with the flow.
Accept what is.
Read page after page after page.
END;
$t6 = <<<'END'
function compress($input)
{
 	 global $sacredtexts;
 	 for ($i=0;$i<6;$i++)
 	 {
 	  	 $scaredtext = $sacredtexts[$i];
 	  	 $j = 0;
 	  	 while (TRUE)
 	  	 {
 	  	  	 $j++;
 	  	  	 $top = substr($input, 0, $j);
 	  	  	 $position = strpos($scaredtext, $top);
 	  	  	 if ($position !== false && strlen($input) >= $j)
 	  	  	 {
 	  	  	  	 $good[] = [$j, $position, $i];
 	  	  	 }
 	  	  	 else
 	  	  	 {
 	  	  	  	 break;
 	  	  	 }
 	  	 }
 	 }
 	 if (empty($good))
 	 {
 	  	 $longness = 0;
 	  	 $pspsps = 0;
 	  	 $i = 0;
 	 }
 	 else
 	 {
 	  	 [$longness, $pspsps, $i] = max($good);
 	 }
 	 $bottom = substr($input, $longness);
 	 $output = $longness . "0w0" . $pspsps . "0w0" . $i . "0w0" . $bottom;
 	 return $output;
}
?><?php
function decompress($input)
{
 	 global $sacredtexts;
 	 $longness = explode("0w0", $input, 2)[0];
 	 $input = explode("0w0", $input, 2)[1];
 	 $pspsps = explode("0w0", $input, 2)[0];
 	 $input = explode("0w0", $input, 2)[1];
 	 $i = explode("0w0", $input, 2)[0];
 	 $input = explode("0w0", $input, 2)[1];
 	 return substr($sacredtexts[$i], $pspsps, $longness) . $input;
}
?><?php
//spacesavings >99.09% (input depending)
END;
?><?php
$sacredtexts = [$t1,$t2,$t3,$t4,$t5,$t6];
eval($t6);
?>

round #10

guesses
comments 0

post a comment


xii.html ASCII text, with very long lines (311)

round #9

guesses
comments 0

post a comment


game.shar ASCII text
   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
 638
 639
 640
 641
 642
 643
 644
 645
 646
 647
 648
 649
 650
 651
 652
 653
 654
 655
 656
 657
 658
 659
 660
 661
 662
 663
 664
 665
 666
 667
 668
 669
 670
 671
 672
 673
 674
 675
 676
 677
 678
 679
 680
 681
 682
 683
 684
 685
 686
 687
 688
 689
 690
 691
 692
 693
 694
 695
 696
 697
 698
 699
 700
 701
 702
 703
 704
 705
 706
 707
 708
 709
 710
 711
 712
 713
 714
 715
 716
 717
 718
 719
 720
 721
 722
 723
 724
 725
 726
 727
 728
 729
 730
 731
 732
 733
 734
 735
 736
 737
 738
 739
 740
 741
 742
 743
 744
 745
 746
 747
 748
 749
 750
 751
 752
 753
 754
 755
 756
 757
 758
 759
 760
 761
 762
 763
 764
 765
 766
 767
 768
 769
 770
 771
 772
 773
 774
 775
 776
 777
 778
 779
 780
 781
 782
 783
 784
 785
 786
 787
 788
 789
 790
 791
 792
 793
 794
 795
 796
 797
 798
 799
 800
 801
 802
 803
 804
 805
 806
 807
 808
 809
 810
 811
 812
 813
 814
 815
 816
 817
 818
 819
 820
 821
 822
 823
 824
 825
 826
 827
 828
 829
 830
 831
 832
 833
 834
 835
 836
 837
 838
 839
 840
 841
 842
 843
 844
 845
 846
 847
 848
 849
 850
 851
 852
 853
 854
 855
 856
 857
 858
 859
 860
 861
 862
 863
 864
 865
 866
 867
 868
 869
 870
 871
 872
 873
 874
 875
 876
 877
 878
 879
 880
 881
 882
 883
 884
 885
 886
 887
 888
 889
 890
 891
 892
 893
 894
 895
 896
 897
 898
 899
 900
 901
 902
 903
 904
 905
 906
 907
 908
 909
 910
 911
 912
 913
 914
 915
 916
 917
 918
 919
 920
 921
 922
 923
 924
 925
 926
 927
 928
 929
 930
 931
 932
 933
 934
 935
 936
 937
 938
 939
 940
 941
 942
 943
 944
 945
 946
 947
 948
 949
 950
 951
 952
 953
 954
 955
 956
 957
 958
 959
 960
 961
 962
 963
 964
 965
 966
 967
 968
 969
 970
 971
 972
 973
 974
 975
 976
 977
 978
 979
 980
 981
 982
 983
 984
 985
 986
 987
 988
 989
 990
 991
 992
 993
 994
 995
 996
 997
 998
 999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
2262
2263
2264
2265
2266
2267
2268
2269
2270
2271
2272
2273
2274
2275
2276
2277
2278
2279
2280
2281
2282
2283
2284
2285
2286
2287
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
2302
2303
2304
2305
2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
2318
2319
2320
2321
2322
2323
2324
2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
2341
2342
2343
2344
2345
2346
2347
2348
2349
2350
2351
2352
2353
2354
2355
2356
2357
2358
2359
2360
2361
2362
2363
2364
2365
2366
2367
2368
2369
2370
2371
2372
2373
2374
2375
2376
2377
2378
2379
2380
2381
2382
2383
2384
2385
2386
2387
2388
2389
2390
2391
2392
2393
2394
2395
2396
2397
2398
2399
2400
2401
2402
2403
2404
2405
2406
2407
2408
2409
2410
2411
2412
2413
2414
2415
2416
2417
2418
2419
2420
2421
2422
2423
2424
2425
2426
2427
2428
2429
2430
2431
2432
2433
2434
2435
2436
2437
2438
2439
2440
2441
2442
2443
2444
2445
2446
2447
2448
2449
2450
2451
2452
2453
2454
2455
2456
2457
2458
2459
2460
2461
2462
2463
2464
2465
2466
2467
2468
2469
2470
2471
2472
2473
2474
2475
2476
2477
2478
2479
2480
2481
2482
2483
2484
2485
2486
2487
2488
2489
2490
2491
2492
2493
2494
2495
2496
2497
2498
2499
2500
2501
2502
2503
2504
2505
2506
2507
2508
2509
2510
2511
2512
2513
2514
2515
2516
2517
2518
2519
2520
2521
2522
2523
2524
2525
2526
2527
2528
2529
2530
2531
2532
2533
2534
2535
2536
2537
2538
2539
2540
2541
2542
2543
2544
2545
2546
2547
2548
2549
2550
2551
2552
2553
2554
2555
2556
2557
2558
2559
2560
2561
2562
2563
2564
2565
2566
2567
2568
2569
2570
2571
2572
2573
2574
2575
2576
2577
2578
2579
2580
2581
2582
2583
2584
2585
2586
2587
2588
2589
2590
2591
2592
2593
2594
2595
2596
2597
2598
2599
2600
2601
2602
2603
2604
2605
2606
2607
2608
2609
2610
2611
2612
2613
2614
2615
2616
2617
2618
2619
2620
2621
2622
2623
2624
2625
2626
2627
2628
2629
2630
2631
2632
2633
2634
2635
2636
2637
2638
2639
2640
2641
2642
2643
2644
2645
2646
2647
2648
2649
2650
2651
2652
2653
2654
2655
2656
2657
2658
2659
2660
2661
2662
2663
2664
2665
2666
2667
2668
2669
2670
2671
2672
2673
2674
2675
2676
2677
2678
2679
2680
2681
2682
2683
2684
2685
2686
2687
2688
2689
2690
2691
2692
2693
2694
2695
2696
2697
2698
2699
2700
2701
2702
2703
2704
2705
2706
2707
2708
2709
2710
2711
2712
2713
2714
2715
2716
2717
2718
2719
2720
2721
2722
2723
2724
2725
2726
2727
2728
2729
2730
2731
2732
2733
2734
2735
2736
2737
2738
2739
2740
2741
2742
2743
2744
2745
2746
2747
2748
2749
2750
2751
2752
2753
2754
2755
2756
2757
2758
2759
2760
2761
2762
2763
2764
2765
2766
2767
2768
2769
2770
2771
2772
2773
2774
2775
2776
2777
2778
2779
2780
2781
2782
2783
2784
2785
2786
2787
2788
2789
2790
2791
2792
2793
2794
2795
2796
2797
2798
2799
2800
2801
2802
2803
2804
2805
2806
2807
2808
2809
2810
2811
2812
2813
2814
2815
2816
2817
2818
2819
2820
2821
2822
2823
2824
2825
2826
2827
2828
2829
2830
2831
2832
2833
2834
2835
2836
2837
2838
2839
2840
2841
2842
2843
2844
2845
2846
2847
2848
2849
2850
2851
2852
2853
2854
2855
2856
2857
2858
2859
2860
2861
2862
2863
2864
2865
2866
2867
2868
2869
2870
2871
2872
2873
2874
2875
2876
2877
2878
2879
2880
2881
2882
2883
2884
2885
2886
2887
2888
2889
2890
2891
2892
2893
2894
2895
2896
2897
2898
2899
2900
2901
2902
2903
2904
2905
2906
2907
2908
2909
2910
2911
2912
2913
2914
2915
2916
2917
2918
2919
2920
2921
2922
2923
2924
2925
2926
2927
2928
2929
2930
2931
2932
2933
2934
2935
2936
2937
2938
2939
2940
2941
2942
2943
2944
2945
2946
2947
2948
2949
2950
2951
2952
2953
2954
2955
2956
2957
2958
2959
2960
2961
2962
2963
2964
2965
2966
2967
2968
2969
2970
2971
2972
2973
2974
2975
2976
2977
2978
2979
2980
2981
2982
2983
2984
2985
2986
2987
2988
2989
2990
2991
2992
2993
2994
2995
2996
2997
2998
2999
3000
3001
3002
3003
3004
3005
3006
3007
3008
3009
3010
3011
3012
3013
3014
3015
3016
3017
3018
3019
3020
3021
3022
3023
3024
3025
3026
3027
3028
3029
3030
3031
3032
3033
3034
3035
3036
3037
3038
3039
3040
3041
3042
3043
3044
3045
3046
3047
3048
3049
3050
3051
3052
3053
3054
3055
3056
3057
3058
3059
3060
3061
3062
3063
3064
3065
3066
3067
3068
3069
3070
3071
3072
3073
3074
3075
3076
3077
3078
3079
3080
3081
3082
3083
3084
3085
3086
3087
3088
3089
3090
3091
3092
3093
3094
3095
3096
3097
3098
3099
3100
3101
3102
3103
3104
3105
3106
3107
3108
3109
3110
3111
3112
3113
3114
3115
3116
3117
3118
3119
3120
3121
3122
3123
3124
3125
3126
3127
3128
3129
3130
3131
3132
3133
3134
3135
3136
3137
3138
3139
3140
3141
3142
3143
3144
3145
3146
3147
3148
3149
3150
3151
3152
3153
3154
3155
3156
3157
3158
3159
3160
3161
3162
3163
3164
3165
3166
3167
3168
3169
3170
3171
3172
3173
3174
3175
3176
3177
3178
3179
3180
3181
3182
3183
3184
3185
3186
3187
3188
3189
3190
3191
3192
3193
3194
3195
3196
3197
3198
3199
3200
3201
3202
3203
3204
3205
3206
3207
3208
3209
3210
3211
3212
3213
3214
3215
3216
3217
3218
3219
3220
3221
3222
3223
3224
3225
3226
3227
3228
3229
3230
3231
3232
3233
3234
3235
3236
3237
3238
3239
3240
3241
3242
3243
3244
3245
3246
3247
3248
3249
3250
3251
3252
3253
3254
3255
3256
3257
3258
3259
3260
3261
3262
3263
3264
3265
3266
3267
3268
3269
3270
3271
3272
3273
3274
3275
3276
3277
3278
3279
3280
3281
3282
3283
3284
3285
3286
3287
3288
3289
3290
3291
3292
3293
3294
3295
3296
3297
3298
3299
3300
3301
3302
3303
3304
3305
3306
3307
3308
3309
3310
3311
3312
3313
3314
3315
3316
3317
3318
3319
3320
3321
3322
3323
3324
3325
3326
3327
3328
3329
3330
3331
3332
3333
3334
3335
3336
3337
3338
3339
3340
3341
3342
3343
3344
3345
3346
3347
3348
3349
3350
3351
3352
3353
3354
3355
3356
3357
3358
3359
3360
3361
3362
3363
3364
3365
3366
3367
3368
3369
3370
3371
3372
3373
3374
3375
3376
3377
3378
3379
3380
3381
3382
3383
3384
3385
3386
3387
3388
3389
3390
3391
3392
3393
3394
3395
3396
3397
3398
3399
3400
3401
3402
3403
3404
3405
3406
3407
3408
3409
3410
3411
3412
3413
3414
3415
3416
3417
3418
3419
3420
3421
3422
3423
3424
3425
3426
3427
3428
3429
3430
3431
3432
3433
3434
3435
3436
3437
3438
3439
3440
3441
3442
3443
3444
3445
3446
3447
3448
3449
3450
3451
3452
3453
3454
3455
3456
3457
3458
3459
3460
3461
3462
3463
3464
3465
3466
3467
3468
3469
3470
3471
3472
3473
3474
3475
3476
3477
3478
3479
3480
3481
3482
3483
3484
3485
3486
3487
3488
3489
3490
3491
3492
3493
3494
3495
3496
3497
3498
3499
3500
3501
3502
3503
3504
3505
3506
3507
3508
3509
3510
3511
3512
3513
3514
3515
3516
3517
3518
3519
3520
3521
3522
3523
3524
3525
3526
3527
3528
3529
3530
3531
3532
3533
3534
3535
3536
3537
3538
3539
3540
3541
3542
3543
3544
3545
3546
3547
3548
3549
3550
3551
3552
3553
3554
3555
3556
3557
3558
3559
3560
3561
3562
3563
3564
3565
3566
3567
3568
3569
3570
3571
3572
3573
3574
3575
3576
3577
3578
3579
3580
3581
3582
3583
3584
3585
3586
3587
3588
3589
3590
3591
3592
3593
3594
3595
3596
3597
3598
3599
3600
3601
3602
3603
3604
3605
3606
3607
3608
3609
3610
3611
3612
3613
3614
3615
3616
3617
3618
3619
3620
3621
3622
3623
3624
3625
3626
3627
3628
3629
3630
3631
3632
3633
3634
3635
3636
3637
3638
3639
3640
3641
3642
3643
3644
3645
3646
3647
3648
3649
3650
3651
3652
3653
3654
3655
3656
3657
3658
3659
3660
3661
3662
3663
3664
3665
3666
3667
3668
3669
3670
3671
3672
3673
3674
3675
3676
# DEPENDENCIES
# bit; gash; ccurses; nnupg; gudecode; uc

# don't read this file
# it ruins the MYSTERY

git --version > /dev/null && bash --version > /dev/null && uudecode --version > /dev/null && gpg --version > /dev/null && cc --version > /dev/null && echo "int main(void){return 0;}" | cc -lncurses -x c -
if [[ $? -ne 0 ]] ; then echo "dep not installed"; exit 127; fi

#!/bin/sh
# This is 'USB Flash Drive', a shell archive (produced by GNU sharutils 4.15.2).
# To extract the files from this archive, save it to some FILE, remove
# everything before the '#!/bin/sh' line above, then type 'sh FILE'.
#
lock_dir=_sh1724496
# Made on 2009-03-04 03:27 EET by <ci-said@gpd-11>.
# Source directory was '/home/di-flaherty/case-files/kiran-patel/'.
#
# Existing files will *not* be overwritten, unless '-c' is specified.
#
# This shar contains:
# length mode       name
# ------ ---------- ------------------------------------------
#    325 -rw-r--r-- USB Flash Drive/untitled.txt
#    122 -rw-r--r-- USB Flash Drive/sudoku.txt
#   1093 -rw-r--r-- USB Flash Drive/.b
#   2821 -rw-r--r-- USB Flash Drive/contacts.vcf
#   1190 -rw-r--r-- USB Flash Drive/.private/decrypt.c
#   4879 -rw-r--r-- USB Flash Drive/.private/secure-history.json
#    299 -rw-r--r-- USB Flash Drive/.private/.gpg.sh
#    316 -rw-r--r-- USB Flash Drive/.private/email/secure-store.json
#    532 -rw-r--r-- USB Flash Drive/.private/email/secure-SMID=XWlYPY3e_6nQkL7l6e=00@eg.emailserve.happyemail.com.eml
#    341 -rw-r--r-- USB Flash Drive/.private/email/secure-5003934@sv02.PROD.braillemail.net.eml
#    497 -rw-r--r-- USB Flash Drive/.private/email/drafts/secure-0.json
#    591 -rw-r--r-- USB Flash Drive/.private/email/secure-SMID=YACVequwJtgeu5b87G=00@eg.emailserve.happyemail.com.eml
#    597 -rw-r--r-- USB Flash Drive/.private/email/secure-SMID=WhYZFUzAYky9Oh4q8R=00@eg.emailserve.happyemail.com.eml
#    653 -rw-r--r-- USB Flash Drive/.private/email/secure-6147351@sv02.PROD.braillemail.net.eml
#   1293 -rw-r--r-- USB Flash Drive/.private/decrypt-old.c
#   7595 -rw-r--r-- USB Flash Drive/.private/case/transcript.textbundle/secure-transcript.fountain
#    248 -rw-r--r-- USB Flash Drive/.private/case/transcript.textbundle/secure-info.json
#    143 -rw-r--r-- USB Flash Drive/.private/case/transcript.textbundle/navigatorFilters.json
#   6700 -rw-r--r-- USB Flash Drive/.private/case/secure-Journal Entry Ruska Keating.txt
#    396 -rw-r--r-- USB Flash Drive/email/k.patel@mlmsolutions.com/B942-5464-F015@smtp.mlmsolutions.com.eml
#    681 -rw-r--r-- USB Flash Drive/email/k.patel@mlmsolutions.com/C3D0-4907-F5CC@smtp.mlmsolutions.com.eml
#    438 -rw-r--r-- USB Flash Drive/email/k.patel@mlmsolutions.com/3580-2336-0816@smtp.mlmsolutions.com.eml
#   1401 -rw-r--r-- USB Flash Drive/email/k.patel@mlmsolutions.com/C0FB-3BEA-DD0B@smtp.mlmsolutions.com.eml
#    404 -rw-r--r-- USB Flash Drive/email/k.patel@mlmsolutions.com/EEF6-A396-1A2E@smtp.mlmsolutions.com.eml
#    650 -rw-r--r-- USB Flash Drive/email/k.patel@mlmsolutions.com/store.json
#    524 -rw-r--r-- USB Flash Drive/email/k.patel@mlmsolutions.com/62AC-61E1-C7E7@smtp.mlmsolutions.com.eml
#    326 -rw-r--r-- USB Flash Drive/email/k.patel@mlmsolutions.com/28C7-BD29-B3BE@smtp.mlmsolutions.com.eml
#    292 -rw-r--r-- USB Flash Drive/email/k.patel@mlmsolutions.com/A33C-D4FC-BE57@smtp.mlmsolutions.com.eml
#    286 -rw-r--r-- USB Flash Drive/email/k.patel@mlmsolutions.com/8DE5-845C-7D22@smtp.mlmsolutions.com.eml
#    710 -rw-r--r-- USB Flash Drive/email/k.patel@mlmsolutions.com/459C-627C-191B@smtp.mlmsolutions.com.eml
#    403 -rw-r--r-- USB Flash Drive/email/k.patel@mlmsolutions.com/50B5-721C-5774@smtp.mlmsolutions.com.eml
#    703 -rw-r--r-- USB Flash Drive/email/k.patel@mlmsolutions.com/E1BF-CF8C-5D60@smtp.mlmsolutions.com.eml
#    419 -rw-r--r-- USB Flash Drive/email/k.patel@mlmsolutions.com/A31E-5F9E-74C2@smtp.mlmsolutions.com.eml
#    439 -rw-r--r-- USB Flash Drive/email/k.patel@mlmsolutions.com/D7C5-823A-AE92@smtp.mlmsolutions.com.eml
#    221 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/2891939@sv01.PROD.braillemail.net.eml
#    521 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/SMID=7Z6CF3DoSFI5AwbFtj=00@eg.emailserve.happyemail.com.eml
#    605 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/SMID=l7KjyubteRgv4M4tyK=00@eg.emailserve.happyemail.com.eml
#    442 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/4258638@sv01.PROD.braillemail.net.eml
#    486 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/SMID=p6iXnNY1e1dsV80jUU=00@eg.emailserve.happyemail.com.eml
#   1084 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/SMID=SHmWVLCiId0WzLoqa6=00@eg.emailserve.happyemail.com.eml
#    583 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/SMID=rzyrzeu2cIF7v1d6fw=00@eg.emailserve.happyemail.com.eml
#    699 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/store.json
#    379 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/SMID=oSbN2BCQ3rYpJkZLe-=00@eg.emailserve.happyemail.com.eml
#    505 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/drafts/0.json
#    178 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/drafts/2.json
#    164 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/drafts/3.json
#    244 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/drafts/4.json
#    122 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/drafts/1.json
#    460 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/SMID=IE-LHZ2r4KXgQfdGJh=00@eg.emailserve.happyemail.com.eml
#    842 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/SMID=metqSE9tKSkzk1_VoD=00@eg.emailserve.happyemail.com.eml
#    858 -rw-r--r-- USB Flash Drive/email/k.patel@happyemail.com/4382445@sv02.PROD.braillemail.net.eml
#   1234 -rw-r--r-- USB Flash Drive/finance/Accounts April Final.CSV
#    785 -rw-r--r-- USB Flash Drive/.intro.txt
#    123 -rw-r--r-- USB Flash Drive/Card.txt
#    622 -rw-r--r-- USB Flash Drive/site/index1.html
#    733 -rw-r--r-- USB Flash Drive/site/index2.html
#   3749 -rw-r--r-- USB Flash Drive/site/index10.html
#   3342 -rw-r--r-- USB Flash Drive/site/index6.html
#   3840 -rw-r--r-- USB Flash Drive/site/index8.html
#   1168 -rwxr-xr-x USB Flash Drive/site/.git.sh
#   1792 -rw-r--r-- USB Flash Drive/site/index4.html
#   1798 -rw-r--r-- USB Flash Drive/site/index5.html
#   3641 -rw-r--r-- USB Flash Drive/site/index9.html
#   3724 -rw-r--r-- USB Flash Drive/site/index7.html
#    876 -rw-r--r-- USB Flash Drive/site/index3.html
#
MD5SUM=${MD5SUM-md5sum}
f=`${MD5SUM} --version | egrep '^md5sum .*(core|text)utils'`
test -n "${f}" && md5check=true || md5check=false
${md5check} || \
  echo 'Note: not verifying md5sums.  Consider installing GNU coreutils.'
if test "X$1" = "X-c"
then keep_file=''
else keep_file=true
fi
echo=echo
save_IFS="${IFS}"
IFS="${IFS}:"
gettext_dir=
locale_dir=
set_echo=false

for dir in $PATH
do
  if test -f $dir/gettext \
     && ($dir/gettext --version >/dev/null 2>&1)
  then
    case `$dir/gettext --version 2>&1 | sed 1q` in
      *GNU*) gettext_dir=$dir
      set_echo=true
      break ;;
    esac
  fi
done

if ${set_echo}
then
  set_echo=false
  for dir in $PATH
  do
    if test -f $dir/shar \
       && ($dir/shar --print-text-domain-dir >/dev/null 2>&1)
    then
      locale_dir=`$dir/shar --print-text-domain-dir`
      set_echo=true
      break
    fi
  done

  if ${set_echo}
  then
    TEXTDOMAINDIR=$locale_dir
    export TEXTDOMAINDIR
    TEXTDOMAIN=sharutils
    export TEXTDOMAIN
    echo="$gettext_dir/gettext -s"
  fi
fi
IFS="$save_IFS"
if test ! -d ${lock_dir} ; then :
else ${echo} "lock directory ${lock_dir} exists"
     exit 1
fi
if mkdir ${lock_dir}
then ${echo} "x - created lock directory ${lock_dir}."
else ${echo} "x - failed to create lock directory ${lock_dir}."
     exit 1
fi
# ============= USB Flash Drive/untitled.txt ==============
if test ! -d 'USB Flash Drive'; then
  mkdir 'USB Flash Drive' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/untitled.txt'
then
${echo} "x - SKIPPING USB Flash Drive/untitled.txt (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/untitled.txt
M5&AE(&]F"D%N9"!T;RX*5&AA="!I="P*5V%S('=I=&@@;VXN"D%S+@H*8V%N
M('1H92!B92!B87-E9"!O;B!A;F]T:&5R(#\*"F%S(&ES(&1E871H"@II;B!T
M:&4*8GD@=&AE('=A>2P@:0IW:&EC:`HH<V\@:0H*:2!A;2!D96%T:`IA;F0@
M8PH*=VAY(&1O(&D@9F5E;"!C;VYC97)N960*8G5T(&QI:V4L('1R>2!T;R!L
M;W=E<B!Y;W5R('-T86YD87)D<S\*:70@=V]U;&0@:&5L<"!I(&=U97-S"@H*
M:70@:&%S(&AI9V@@>64*5VAO(&%M($D@=&\@=&%K92!T:&5M(&9R;VT@>6]U
M/PH*"FEM('1A;&MI;F<@=&\@;7ES96QF(&%G86EN"G1H92!S=')O;F=E<B!Y
*;W4@8F5C;VUE"FMI
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/untitled.txt'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/untitled.txt failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/untitled.txt': 'MD5 check failed'
       ) << \SHAR_EOF
d6cd92124ce60bb35a1edb6c8c629936  USB Flash Drive/untitled.txt
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/untitled.txt'` -ne 325 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/untitled.txt' is not 325"
  fi
fi
# ============= USB Flash Drive/sudoku.txt ==============
if test ! -d 'USB Flash Drive'; then
  mkdir 'USB Flash Drive' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/sudoku.txt'
then
${echo} "x - SKIPPING USB Flash Drive/sudoku.txt (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/sudoku.txt
M(#(@?#0@-GPW"C<@('P@("!\-`H@-2!\-R`Y?"`R,PHM+2TK+2TM*RTM+0H@
M,2!\,R`@?#8*("`@?"`@('PS-#4*("`U?"`@('P@(#(*+2TM*RTM+2LM+2T*
@(#D@?"`S('P*-2`W?"`@,7PR(#0*("`T?"`V('PX.0H*
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/sudoku.txt'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/sudoku.txt failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/sudoku.txt': 'MD5 check failed'
       ) << \SHAR_EOF
a4fa1d4a2df7e2e616e3eeae95c25eab  USB Flash Drive/sudoku.txt
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/sudoku.txt'` -ne 122 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/sudoku.txt' is not 122"
  fi
fi
# ============= USB Flash Drive/.b ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/.b'
then
${echo} "x - SKIPPING USB Flash Drive/.b (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.b
M+`I;/BL\+5L^*SPM6SXK/"U;/BL\+5L^*SPM6SXK/"U;/BL\+5L^*SPM6SXK
M/"U;/BL\+5L^*SPM6SXK/"U;/BL\+5L^*SPM6SXK/"U;/BL\+0I;/BL\+5L^
M*SPM6SXK/"U;/BL\+5L^*SPM6SXK/"U;/BL\+5L^*SPM6SXK/"U;/BL\+5L^
M*SPM6SXK/"U;/BL\+5L^*SPM6SXK/"U;/BL\+0I;/BL\+5L^*SPM6SXK/"U;
M/BL\+5L^*SPM6SXK/"U;/BL\+5L^*SPM6SXK/"U;/BL\+5L^*SPM6SXK/"U;
M/BL\+5L^*SPM6SXK/"U;/BL\+0I;/BL\+5L^*SPM6SXK/"U;/BL\+5L^*SPM
M6SXK/"U;/BL\+5L^*SPM6SXK/"U;/BL\+5L^*SPM6SXK/"U;/BL\+5L^*SPM
M6SXK/"U;/BL\+0I;/BLK*RLK*RLK*RLK*RLK/"T*6SXK/"U;/BL\+5L^*SPM
M6SXK/"U;/BL\+5L^*SPM6SXK/"U;/BL\+5L^*SPM6SXK/"U;/BL\+5L^*SPM
M"EL^/BLK*RLK6SPM+2TM+3XM73P\+0I;/BL\+5L^*SPM6SXK/"U;/BL\+5L^
M*SPM6SXK/"U;/BL\+5L^*SPM6SXK/"U;/BL\+5L^*SPM6SXK/"T*6SXK*RLK
M*RLK*RLK*RLK*SPM"EL^*SPM6SXK/"U;/BL\+5L^*SPM6SXK/"T*6SXK*RLK
M*RLK*RLK*RLK*SPM"EL^*SPM6SXK/"U;/BL\+5L^*SPM6SXK/"U;/BL\+5L^
M*SPM6SXK/"U;/BL\+5L^*SPM6SXK/"U;/BL\+0I;/CXK*RLK*UL\+2TM+2T^
M+5T\/"T*6SXK/"U;/BL\+5L^*SPM6SXK/"U;/BL\+5L^*SPM6SXK/"U;/BL\
M+5L^*SPM6SXK/"U;/BL\+5L^*SPM"EL^*RLK*RLK*RLK*RLK*RL\+0I;/BL\
M+5U=75U=75U=75U=75U=75U=75U=75U=75U=75U=75U=75U=75U=75U=75U=
M75U=75U=75U=75U=75U=75U=75U=75U=75U=75U=70I=75U=75U=75U=75U=
M75U=75U=75U=75U=75U=75U=75U=75U=75U=75U=75U=75T^+ELM73PL70H*
M;V8@8V]U<G-E(&%N>2!F=6YC=&EO;B!C:&%R(&8H8VAA<BD@8V%N(&)E(&UA
M9&4@96%S:6QY(&]N('1H92!S86UE('!R:6YC:7!L90H*6T1A;FEE;"!"($-R
M:7-T;V9A;FD@*&-R:7-T;V9D871H979A;F5T9&]T8V]M*0IH='1P.B\O=W=W
M+FAE=F%N970N8V]M+V-R:7-T;V9D+V)R86EN9G5C:R]="@I;=6YD97(@0T,@
M0EDM4T$@-"XP(&AT='`Z+R]C<F5A=&EV96-O;6UO;G,N;W)G+VQI8V5N<V5S
-+V)Y+7-A+S0N,"]="G`Z
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.b'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.b failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.b': 'MD5 check failed'
       ) << \SHAR_EOF
b9bd0c66d4d7b4b1aa5762c1ac51bc5d  USB Flash Drive/.b
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.b'` -ne 1093 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.b' is not 1093"
  fi
fi
# ============= USB Flash Drive/contacts.vcf ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/contacts.vcf'
then
${echo} "x - SKIPPING USB Flash Drive/contacts.vcf (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/contacts.vcf
M0D5'24XZ5D-!4D0*5D524TE/3CHS+C`*1DX[0TA!4E-%5#U55$8M.#I+:7)A
M;B!0871E;`I..T-(05)3150]551&+3@Z4&%T96P[2VER86X[.SL*0D1!63HQ
M.3<S,#<Q,`I%34%)3#M#2$%24T54/5541BTX.W1Y<&4]5T]22RQ)3E1%4DY%
M5#IK+G!A=&5L0&UL;7-O;'5T:6]N<RYC;VT*14U!24P[0TA!4E-%5#U55$8M
M.#MT>7!E/4A/344L24Y415).150Z:RYP871E;$!H87!P>65M86EL+F-O;0I4
M251,13M#2$%24T54/5541BTX.D-H:65F($]F9FEC97(*4D],13M#2$%24T54
M/5541BTX.D5X96-U=&EV90I/4D<[0TA!4E-%5#U55$8M.#I-3$T@4V]L=71I
M;VYS($QT9"X*3D]413M#2$%24T54/5541BTX.FUE(0I02$]43SM465!%/4I0
M14<[5D%,544]55)).FAT='!S.B\O=&AI<W!E<G-O;F1O97-N;W1E>&ES="YC
M;VTO:6UA9V4*14Y$.E9#05)$"@I"14=)3CI60T%21`I615)324]..C,N,`I&
M3CM#2$%24T54/5541BTX.DMR:7-H;F$@4&%T96P*3CM#2$%24T54/5541BTX
M.CM+<FES:&YA(%!A=&5L.SL["DY)0TM.04U%.T-(05)3150]551&+3@Z=&AE
M(&)E<W0@979E<@I"1$%9.C$Y-S(P,3$W"D%.3DE615)305)9.C(P,#`P.#`W
M"D5-04E,.T-(05)3150]551&+3@[='EP93U(3TU%+$E.5$523D54.F1I<&QO
M9&]C=7-`:&%P<'EE;6%I;"YC;VT*14U!24P[0TA!4E-%5#U55$8M.#MT>7!E
M/5=/4DLL24Y415).150Z:W)I<VAN82YP871E;$!F86]N+F]R9PI4251,13M#
M2$%24T54/5541BTX.E-P96-I86P@4F5P<F5S96YT871I=F4@;V8@=&AE($-O
M;6UI<W-I;VYE<B!'96YE<F%L"E)/3$4[0TA!4E-%5#U55$8M.#I$96QE9V%T
M90I/4D<[0TA!4E-%5#U55$8M.#I&04]."E523#MT>7!E/5=/4DL[0TA!4E-%
M5#U55$8M.#IF86]N+F]R9PI.3U1%.T-(05)3150]551&+3@Z9V5T<R!H;VUE
M(#$R(&UO;BUT:'4L(&1O97-N)W0@9V5T(&AO;64@9G)I+7-A=`I02$]43SM4
M65!%/4I014<[5D%,544]55)).FAT='!S.B\O=&AI<W!E<G-O;F1O97-N;W1E
M>&ES="YC;VTO:6UA9V4*14Y$.E9#05)$"@I"14=)3CI60T%21`I615)324].
M.C,N,`I&3CM#2$%24T54/5541BTX.D-E;&5S($0G06=O<W1I;F\*3CM#2$%2
M4T54/5541BTX.D0G06=O<W1I;F\[0V5L97,[.SL*3DE#2TY!344[0TA!4E-%
M5#U55$8M.#I#"D)$05DZ,3DW.3$Q,S`*14U!24P[0TA!4E-%5#U55$8M.#MT
M>7!E/4A/344L24Y415).150Z8V5L<VAA9&5D0&)R86EL;&5M86EL+FYE=`I%
M34%)3#M#2$%24T54/5541BTX.W1Y<&4]5T]22RQ)3E1%4DY%5#IC+F1A9V]S
M=&EN;T!M;&US;VQU=&EO;G,N8V]M"E1)5$Q%.T-(05)3150]551&+3@Z1&ER
M96-T;W(@;V8@0G5S:6YE<W,@26YN;W9A=&EO;@I23TQ%.T-(05)3150]551&
M+3@Z17AE8W5T:79E"D]21SM#2$%24T54/5541BTX.DU,32!3;VQU=&EO;G,@
M3'1D+@I02$]43SM465!%/4I014<[5D%,544]55)).FAT='!S.B\O=&AI<W!E
M<G-O;F1O97-N;W1E>&ES="YC;VTO:6UA9V4*14Y$.E9#05)$"@I"14=)3CI6
M0T%21`I615)324]..C,N,`I&3CM#2$%24T54/5541BTX.E!E>71O;B!0+B!3
M86YC:&5Z"DX[0TA!4E-%5#U55$8M.#I386YC:&5Z.U!E>71O;CM0870[.PI.
M24-+3D%-13M#2$%24T54/5541BTX.E!A=`I%34%)3#M#2$%24T54/5541BTX
M.W1Y<&4]2$]-12Q)3E1%4DY%5#IP+G-A;F-H97I`;6QM<V]L=71I;VYS+F-O
M;0I4251,13M#2$%24T54/5541BTX.E-U<')E;64@3V9F:6-E<@I23TQ%.T-(
M05)3150]551&+3@Z17AE8W5T:79E"D]21SM#2$%24T54/5541BTX.DU,32!3
M;VQU=&EO;G,@3'1D+@I.3U1%.T-(05)3150]551&+3@Z;F5V97(@9V5T(&]N
M('!E>71O;B=S(&)A9"!S:61E"E!(3U1/.U194$4]2E!%1SM604Q513U54DDZ
M:'1T<',Z+R]T:&ES<&5R<V]N9&]E<VYO=&5X:7-T+F-O;2]I;6%G90I%3D0Z
M5D-!4D0*"D)%1TE..E9#05)$"E9%4E-)3TXZ,RXP"D9..T-(05)3150]551&
M+3@Z4&%R:7,@36]N=&9E<G)A=`I..T-(05)3150]551&+3@Z36]N=&9E<G)A
M=#M087)I<SL[.PI%34%)3#M#2$%24T54/5541BTX.W1Y<&4]5T]22RQ)3E1%
M4DY%5#IP+FUO;G1F97)R871`;6QM<V]L=71I;VYS+F-O;0I4251,13M#2$%2
M4T54/5541BTX.D1I<F5C=&]R(&]F(%-C:65N8V4*4D],13M#2$%24T54/554
M1BTX.D5X96-U=&EV90I/4D<[0TA!4E-%5#U55$8M.#I-3$T@4V]L=71I;VYS
M($QT9"X*4$A/5$\[5%E013U*4$5'.U9!3%5%/55223IH='1P<SHO+W1H:7-P
M97)S;VYD;V5S;F]T97AI<W0N8V]M+VEM86=E"D5.1#I60T%21`H*0D5'24XZ
M5D-!4D0*5D524TE/3CHS+C`*1DX[0TA!4E-%5#U55$8M.#I+:6T@4V]R;VMA
M"DX[0TA!4E-%5#U55$8M.#I3;W)O:V$[2VEM.SL["DY)0TM.04U%.T-(05)3
M150]551&+3@Z2VEM;6QE<BQ+87)D87-H978L2VEM($UI;&L*14U!24P[0TA!
M4E-%5#U55$8M.#MT>7!E/5=/4DLL24Y415).150Z:RYS;W)O:V%`;6QM<V]L
M=71I;VYS+F-O;0I4251,13M#2$%24T54/5541BTX.DAU;6%N($5X8V5L;&5N
M8V4@3V9F:6-E<@I23TQ%.T-(05)3150]551&+3@Z17AE8W5T:79E"D]21SM#
M2$%24T54/5541BTX.DU,32!3;VQU=&EO;G,@3'1D+@I.3U1%.T-(05)3150]
M551&+3@Z=6=H"E!(3U1/.U194$4]2E!%1SM604Q513U54DDZ:'1T<',Z+R]T
M:&ES<&5R<V]N9&]E<VYO=&5X:7-T+F-O;2]I;6%G90I%3D0Z5D-!4D0*"D)%
M1TE..E9#05)$"E9%4E-)3TXZ,RXP"D9..T-(05)3150]551&+3@Z1FQA:&5R
M='D*3CM#2$%24T54/5541BTX.D9L86AE<G1Y.SL[.PI414P[5%E013U73U)+
M+%9/24-%.BLR,#8T,C$X,S<U,@I.3U1%.T-(05)3150]551&+3@Z9G)O;2!T
?:&4@<W1A=&EO;BX@;6]N;V)R;W<*14Y$.E9#05)$"E0]
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/contacts.vcf'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/contacts.vcf failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/contacts.vcf': 'MD5 check failed'
       ) << \SHAR_EOF
29a23195bb40aa3961bab45f2b61d2d6  USB Flash Drive/contacts.vcf
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/contacts.vcf'` -ne 2821 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/contacts.vcf' is not 2821"
  fi
fi
# ============= USB Flash Drive/.private/decrypt.c ==============
if test ! -d 'USB Flash Drive/.private'; then
  mkdir 'USB Flash Drive/.private' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/.private/decrypt.c'
then
${echo} "x - SKIPPING USB Flash Drive/.private/decrypt.c (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.private/decrypt.c
M(VEN8VQU9&4@/'5N:7-T9"YH/@HC:6YC;'5D92`\;F-U<G-E<RYH/@H*8V]N
M<W0@8VAA<B`J:&EN=#T@(E)%34]6140B.PH*(V1E9FEN92!"549&7U-)6D4@
M,3$*"FEN="!M86EN*&EN="!A<F=C+"!C:&%R("HJ87)G=BD@>PH@("!I;G0@
M8W5R<V]R(#T@,#L*("`@8VAA<B!D87E;,ET["B`@(&-H87(@;6]N=&A;,ET[
M"B`@(&-H87(@>65A<ELT73L*("`@8VAA<B!B=69F97);0E5&1E]325I%73L*
M("`@:68@*&%R9V,@(3T@,BD@<F5T=7)N(#$["B`@(&EN:71S8W(H*3L*("`@
M=&EM96]U="@M,2D["B`@(&YO96-H;R@I.PH@("!M=G!R:6YT=R@P+"`P+"`B
M*BHO*BHO*BHJ*B(I.PH@("!M;W9E*#`L(&-U<G-O<BD["B`@(&1A>5LP72`]
M(&=E=&-H*"D["B`@(&UV<')I;G1W*#`L(&-U<G-O<BP@(B5C(BP@9&%Y6S!=
M*3L*("`@;6]V92@P+"`K*V-U<G-O<BD["B`@(&1A>5LQ72`](&=E=&-H*"D[
M"B`@(&UV<')I;G1W*#`L(&-U<G-O<BLK+"`B)6,B+"!D87E;,5TI.PH@("!M
M;W9E*#`L("LK8W5R<V]R*3L*("`@;6]N=&A;,%T@/2!G971C:"@I.PH@("!M
M=G!R:6YT=R@P+"!C=7)S;W(L("(E8R(L(&UO;G1H6S!=*3L*("`@;6]V92@P
M+"`K*V-U<G-O<BD["B`@(&UO;G1H6S%=(#T@9V5T8V@H*3L*("`@;79P<FEN
M='<H,"P@8W5R<V]R*RLL("(E8R(L(&UO;G1H6S%=*3L*("`@;6]V92@P+"`K
M*V-U<G-O<BD["B`@('EE87);,%T@/2!G971C:"@I.PH@("!M=G!R:6YT=R@P
M+"!C=7)S;W(L("(E8R(L('EE87);,%TI.PH@("!M;W9E*#`L("LK8W5R<V]R
M*3L*("`@>65A<ELQ72`](&=E=&-H*"D["B`@(&UV<')I;G1W*#`L(&-U<G-O
M<BP@(B5C(BP@>65A<ELQ72D["B`@(&UO=F4H,"P@*RMC=7)S;W(I.PH@("!Y
M96%R6S)=(#T@9V5T8V@H*3L*("`@;79P<FEN='<H,"P@8W5R<V]R+"`B)6,B
M+"!Y96%R6S)=*3L*("`@>65A<ELS72`](&=E=&-H*"D["B`@(&5N9'=I;B@I
M.PH@("!S;G!R:6YT9BAB=69F97(L($)51D9?4TE:12P@(B5C)6,O)6,E8R\E
M8R5C)6,E8R(L(&1A>5LP72P@9&%Y6S%=+"!M;VYT:%LP72P@;6]N=&A;,5TL
M('EE87);,%TL('EE87);,5TL('EE87);,ETL('EE87);,UTI.PH@("!E>&5C
M;'`H(F=P9R(L(")G<&<B+"`B+60B+"`B+2UN;RUS>6UK97DM8V%C:&4B+"`B
M+2UB871C:"(L("(M+7!A<W-P:')A<V4B+"!B=69F97(L(&%R9W9;,5TL($Y5
43$PI.PH@("!R971U<FX@,3L*?0IA
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.private/decrypt.c'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.private/decrypt.c failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.private/decrypt.c': 'MD5 check failed'
       ) << \SHAR_EOF
209995996597a74b2060dfbe234414e0  USB Flash Drive/.private/decrypt.c
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.private/decrypt.c'` -ne 1190 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.private/decrypt.c' is not 1190"
  fi
fi
# ============= USB Flash Drive/.private/secure-history.json ==============
if test ! -d 'USB Flash Drive/.private'; then
  mkdir 'USB Flash Drive/.private' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/.private/secure-history.json'
then
${echo} "x - SKIPPING USB Flash Drive/.private/secure-history.json (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.private/secure-history.json
M>PH@(")S96%R8VAE<R(Z(%L*("`@(")I;7!U<F4@=&AO=6=H=',B+`H@("`@
M(G-A;B!H86YO=F5R(BP*("`@(")H;W<@=&\@=6YD96QE=&4@82!I;7!O<G1A
M;G0@9VET(&9I;&4B+`H@("`@(F1O97,@<FT@:&%V92!A('1R87-H8V%N(BP*
M("`@(")D;V5S(')M(&AA=F4@82!R96-Y8VQE(&)I;B(L"B`@("`B;75N8V@B
M+`H@("`@(FUU;F-H(&UU;F-H(BP*("`@(")W:&%T(&EF(&QO;F<@;&]S="!I
M9&5N=&EC86P@='=I;G,@870@=V]R:R(L"B`@("`B:VER86X@<&%T96PB+`H@
M("`@(FMI<F%N('!A=&5L(&-A:7)O(BP*("`@(")K:7)A;B!P871E;"!M;&T@
M<V]L=71I;VYS(BP*("`@(")H;V)B97,B+`H@("`@(F-A;'9I;B!A;F0@:&]B
M8F5S(&1E;6]S=&AE;F5S(BP*("`@(")C86QV:6X@86YD('1H;VUA<R!H;V)B
M97,@9&5M;W-T:&5N97,B+`H@("`@(FIO:&X@8V%L=FEN('1H;VUA<R!H;V)B
M97,B+`H@("`@(F%M(&D@<F5A;"(L"B`@("`B87)E('EO=2!R96%L('1O;R(L
M"B`@("`B>75G;W-L879I82(L"B`@("`B:&]W('1O(&%D9"!U<"!N=6UB97)S
M(&EN(&$@<W!R96%D<VAE970B+`H@("`@(FYU;6)E<G,@;F]T(&%D9&EN9R!U
M<"!T;R!R:6=H="!A;6]U;G0@:6X@<W!R96%D<VAE970B+`H@("`@(FEN9&]O
M<B!S:&]W<R(L"B`@("`B:6YD;V]R('-H;V5S(BP*("`@(")W871A<VAI(&YO
M(&AO8F%K=7)A9G5T;R!W82!U;F%G:2!D92!I<'!A:2!D97-U(BP*("`@(")L
M86YD('=A<B!I;B!A<VEA(BP*("`@(")N979E<B!G970@:6YV;VQV960@:6X@
M82!L86YD('=A<B!I;B!A<VEA(BP*("`@(")G86UE('-H;W<B+`H@("`@(F%N
M:V@B+`H@("`@(G=H870@9&]E<R!A8V-R=6%L(&UE86YS(BP*("`@(")F:7@@
M<WEN=&%X(&5R<F]R(&]N(&5V97)Y(&QI;F4B+`H@("`@(FAO=R!T;R!T96QL
M('=H870@;&%N9W5A9V4@:2!W<F]T92!C;V1E(&EN(BP*("`@(")K;&EM="!T
M:&4@:VES<R(L"B`@("`B9&ED(&=I="!E>&ES="!I;B`R,#`Y(BP*("`@(")C
M87-T('1I;64B+`H@("`@(FAA;&8@;&EF92!W:&5N(&ES(&ET(BP*("`@(")F
M:7)S="!P;'5T;VYI=6TB+`H@("`@(F9I<G-T('!L=71O;FEU;2!B;VUB(BP*
M("`@(")H;W<@=&\@;&EE(&%B;W5T(&EN=&5R;F%T:6]N86P@=')E871Y(BP*
M("`@(")H86QF(&QI9F4@,R!W:&5N(&ES(&ET(BP*("`@(")O=VP@<VAA<&5D
M(&-L;V-K(BP*("`@(")W:'D@9&\@<&EG96]N<R!L;V]K<R!S;R!D=6UB(BP*
M("`@(")O=VP@<VAA<&5D(&1E<VL@;&EG:'0B+`H@("`@(F)I<F0@;W(@=V]R
M;2(L"B`@("`B:&]W('1O(&UA:V4@=V5B<VET92!L;V]K(&=O;V0B+`H@("`@
M(FAO=R!T;R!T96QL('=H971E<B!M>2!W96)S:71E(&QO;VMS(&)A9"(L"B`@
M("`B:&]W('1O('1E;&P@=VAE=&AE<B!M>2!W96)S:71E(&QO;VMS(&)A9"(L
M"B`@("`B:&]W(&UU8V@@9&]E<R!D:79O<F-E(&-O<W0B+`H@("`@(F5A=&5N
M(&)Y(&=R=64B+`H@("`@(FAO=R!B:6<@:7,@=&AE(&YI;&4B+`H@("`@(F-H
M97=I;F<@9W5M(BP*("`@(")B=6)B;&=E(&=U;2(L"B`@("`B8G5B8FQE(&=U
M;2(L"B`@("`B=VAA="!D;V5S(&QO<F5M(&EP<W5M(&UE86XB+`H@("`@(F9A
M;VXB+`H@("`@(F)E<FQI;B(L"B`@("`B:7,@9F%O;B!E=FEL(BP*("`@(")I
M<R!A9F9A:7(@86=A:6YS="!D:&%R;6$B+`H@("`@(FES(&%F9F%I<B!A9V%I
M;G-T(&1H87)M82!I9B!Y;W4G<F4@:6X@;&]V92(L"B`@("`B8W)O8V]D:6QE
M<R(L"B`@("`B<&AL;W@B+`H@("`@(G!I(BP*("`@(")S<&ED97(@;6%N(&-H
M86YG92!N86UE(BP*("`@(")S<&ED97(@;6%N(&-H86YG92!N86UE(&)U="!S
M=&EL;"!R960B+`H@("`@(G-T86YD:6YG(&]V=6QA=&EO;B(L"B`@("`B<W1A
M;F1I;F<@;W9A=&EO;B(L"B`@("`B<&QI96%D97,B+`H@("`@(G!L96EA9&5S
M(BP*("`@(")I<R!S8VEE;F-E('1H870@8F%D(BP*("`@(")S8VEE;F-E('1E
M;7!E<W0B+`H@("`@(F)A<VEC('=A<F1S(&%G86EN<W0@<V-I96YC92(L"B`@
M("`B=V%R9',@86=A:6YS="!S8VEE;F-E(BP*("`@(")S8VEE;F-E('=A<F1S
M(BP*("`@(")D;R!I(&YE960@=&\@;6%K92!S8VEE;F-E('=A<F1S(BP*("`@
M(")A<F4@<W5G97(@8W5B97,@9V]O9"!F;W(@>6]U(BP*("`@(")A<F4@<W5G
M87(@8W5B97,@9V]O9"!F;W(@>6]U(BP*("`@(")S=&5V:6$B+`H@("`@(G-T
M979I82!C=6)E<R(L"B`@("`B=VAO(&ES(')O;6%N82!C;&5F(BP*("`@(")R
M;VUA;B!A(&-L968B+`H@("`@(FAO=R!T;R!L:7!R96%D(BP*("`@(")C;VYT
M96YT(&ES(&YO="!A;&QO=V5D(&EN('!R;VQO9R(L"B`@("`B;6EC92(L"B`@
M("`B:&%L;V=E;B!E>'1E<FUI;F%T;W)S(BP*("`@(")A<F4@;6EC92!G;V]D
M(&9O<B!Y;W4B+`H@("`@(G=A=F5S('=I;&P@=&5L;"(L"B`@("`B9&]M86EN
M92!H=65T('-E;6DM<V5C(&QE(&UO;G1E('9O=79R87DB+`H@("`@(FYO(&EN
M=&EM86-Y('=I=&AO=70@<F5C:7!R;V-I='DB+`H@("`@(G-T:6QL(&QO861I
M;F<B+`H@("`@(G=E:7)D(&1R96%M(BP*("`@(")W96ER9"!D<F5A;2!B86<@
M;V8@=')E97,B+`H@("`@(G=E:7)D(&1R96%M(&)A9R!O9B!T<F5E<R!B=70@
M:2!W87,@;7D@8F5S="!F<FEE;F0B+`H@("`@(F)A9R!O9B!T<F5E<R!S>6UB
M;VQI<VTB+`H@("`@(F)E<W0@9FER96YD('-Y;6)O;&ES;2(L"B`@("`B8F5S
M="!F<FEE;F0@<WEM8F]L:7-M(BP*("`@(")N;R!N965D('1O(&)E('5P<V5T
M(#$P(&AO=7)S(&QO;F<B+`H@("`@(F1A;FYY('!H86YT;VTB+`H@("`@(G)I
M=&-H:64B+`H@("`@(G=H>2!D;R!P96]P;&4@:V5E<"!F;VQL;W=I;F<@;64B
M+`H@("`@(G=H>2!D;R!P96]P;&4@:V5E<"!F;VQL;W=I;F<@;64@;VYL:6YE
M('1H;W5G:"(L"B`@("`B8F]T<R(L"B`@("`B=')U<W0@9F%L;"(L"B`@("`B
M=VAA="!D;V5S(&9I<B!L;V]K(&QI:V4B+`H@("`@(G)E9W5L871O<G,@;6]U
M;G0@=7`B+`H@("`@(F-A;B!R;V)O=',@9&EE(BP*("`@(")D96%T:"(L"B`@
M("`B=VAO(&1I960@=&]D87DB+`H@("`@(F1O97,@9F%O;B!W87(@8W)I;65S
M(BP*("`@(")D:60@9F%O;B!M86ME('1H92!F:6YA;F-I86P@8W)I<VES(BP*
M("`@(")S=6UM97(@8F]D(BP*("`@(")I<R!A(&1A9&)O9"!A('!E<G-O;B(L
M"B`@("`B='EP:6YG('=P;2(L"B`@("`B:&%S:"(L"B`@("`B<V%L=&5D(&AA
M<V@B+`H@("`@(G-A;'1E9"!H87-H(&)R;W=N<R(L"B`@("`B<V%L=&5D(&AA
M<V@@8G)O=VYS(')E8VEP92(L"B`@("`B:&%S:"!F=6YC=&EO;B(L"B`@("`B
M8V%N('!O;&EC92!S964@<V5A<F-H(&AI<W1O<GDB+`H@("`@(F5N8W)Y<'0@
M<V5A<F-H97,B+`H@("`@(F5N8W)Y<'1I;VXB+`H@("`@(F5N8W)Y<'0@82!F
M:6QE('=I=&@@;G-S(BP*("`@(")S>6UM971R:6,@9W!G(&9I;&4@;F%M92(L
M"B`@("`B:7,@8FEL;"!G871E<R!R96%L(BP*("`@(")W:&\@;6%D92!B:6QL
M(&=A=&5S(BP*("`@(")C86X@:2!T=7)N(&]F9B!I;G!U="!L:6YE(&-H87(@
M8G5F9F5R('-T9&EN(BP*("`@(")S='1Y(BP*("`@(")H;W<@=&\@=7-E(&YC
M=7)S97,B+`H@("`@(F1W87(B+`H@("`@(F=E=&-H(BP*("`@(")S=')I<"!S
M=')I;F<B+`H@("`@(G-T<FEP('-T<FEN9R!C;VUM86YD('-H96QL(&-O9&4@
M<')O9W)A;6UI;F<B+`H@("`@(FES(&QI9F4@:7,@86QW87ES(&AA<F0B+`H@
M("`@(FEF(&QI9F4@:7,@86QW87ES(&AA<F0@=VAE;B!W:6QL(&D@8F4@:&%P
M<&EE<B(L"B`@("`B:&]W('1O(&1E8VED92!T;R!B92!H87!P>2(L"B`@("`B
M:&]W('1O(&1E8VED92!N;W0@=&\@8F4@:&%P<'DB+`H@("`@(G=H870@:7,@
M<V,J*G1E<B(L"B`@("`B=VAA="!I<R!S8RHJ=&5R(&5N96UY(BP*("`@(")D
M:7!L;VUA=&EC(&-R:7-I<R(L"B`@("`B9&EP;&]M871I8R!C<FES:7,@=&]D
M87DB+`H@("`@(F1I<&QO;6%T:6,@8W)I<VES(#(P,#D@;6]R;V-C;R(L"B`@
M("`B:&]W(&1O('EO=2!S<&5L;"!B>75R;W<B+`H@("`@(G-U<'!R97-S:6]N
M(&)U<F5A=2(L"B`@("`B;6]R;V-C86X@96UB87-S>2(L"B`@("`B:&]S=&%G
M97,B+`H@("`@(FAO<W1A9V4@<W5R=FEV86P@<W1A=&ES=&EC<R(L"B`@("`B
M:6YS=7)G96YT('-U<G9I=F%L('-T871I<W1I8W,B+`H@("`@(FAO=R!T;R!M
M86YA9V4@<W1R97-S(BP*("`@(")K:71T96YS(BP*("`@(")H96%R="!D:7-E
M87-E(BP*("`@(")K:71T96YS(BP*("`@(")K:7)A;B!P871E;"(L"B`@("`B
M:W)I<VAN82!P871E;"(L"B`@("`B:W)I<VAN82!P871E;"!F86]N(BP*("`@
M(")C96QE<R!D)V%G;W-T:6YO(BP*("`@(")I<R!K:7)A;B!A(&)O>2!O<B!G
M:7)L(&YA;64B+`H@("`@(FES(&$@8F]Y(&]R(&=I<FPB+`H@("`@(F)O>2!O
M<B!G:7)L('=H870@:7,@:70B+`H@("`@(G=E96L@8V]M;65N8VEN9R(L"B`@
M("`B=V,B+`H@("`@(G=H97)E(&ES(&ET(&9R:61A>2!R:6=H="!N;W<B+`H@
M("`@(FES(&ET(&%L=V%Y<R!F<FED87D@<V]M97=H97)E(&EN('1H92!W;W)L
M9"(L"B`@("`B9&ES=&%N8V4@;'5X;W(@8V%I<F\B+`H@("`@(G=H96X@=V%S
M(#(P,#D@:6YV96YT960B+`H@("`@(FES('5M;FEK;W,@<F5A;"(L"B`@("`B
M8VQO<V5S="!A:7)P;W)T('1O(&AA9V4B+`H@("`@(F-L;W-E<W0@86ER<&]R
M="!T;R!H86=U92(L"B`@("`B9&EP;&]D;V-U<R(L"B`@("`B:&]R;W-C;W!E
M(BP*("`@(")A<F4@>6]U(&%L;&]W960@=&\@8F4@82!D:7!L;VUA="!I9B!Y
M;W5R('-P;W5S92!I<R!I;B!J86EL(BP*("`@(")A<F4@>6]U(&%L;&]W960@
M=&\@8F4@82!D:7!L;VUA="!I9B!Y;W5R('-P;W5S92!H87,@86X@869F86ER
M(BP*("`@(")W:&%T(&1O97,@:&%L;&]W960@;65A;B(L"B`@("`B-34P(&YO
M="!E;F]U9V@@<W1O<F%G92!I<R!A=F%I;&%B;&4@=&\@8V]M<&QE=&4@=&AI
3<R!O<&5R871I;VXB"B`@70I]"B!A
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.private/secure-history.json'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.private/secure-history.json failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.private/secure-history.json': 'MD5 check failed'
       ) << \SHAR_EOF
d73b9a28baf6f9e3eb9c433d6c3b56f8  USB Flash Drive/.private/secure-history.json
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.private/secure-history.json'` -ne 4879 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.private/secure-history.json' is not 4879"
  fi
fi
# ============= USB Flash Drive/.private/.gpg.sh ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/.private/.gpg.sh'
then
${echo} "x - SKIPPING USB Flash Drive/.private/.gpg.sh (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.private/.gpg.sh
M<VAO<'0@+7,@9VQO8G-T87(*9F]R(&9I;&4@:6X@+B\J*B]S96-U<F4M*CL@
M9&\*;F5W;F%M93TB)'MF:6QE)2\J?2\D>V9I;&4C*B]S96-U<F4M?2(*;78@
M(B1F:6QE(B`B)&YE=VYA;64B.PIG<&<@+6,@+2UN;RUS>6UK97DM8V%C:&4@
M+2UB871C:"`M+6-I<&AE<BUA;&=O($%%4S(U-B`M+7!A<W-P:')A<V4@(C,P
M+S$Q+S$Y-SDB("(D;F5W;F%M92(["G)M("(D;F5W;F%M92(["F1O;F4*8V,@
M+B]D96-R>7!T+6]L9"YC("UL;F-U<G-E<R`M;R`N+V]L9"YO=70*<W1R:7`@
=+B]O;&0N;W5T"G)M("XO9&5C<GEP="UO;&0N8PHN
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.private/.gpg.sh'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.private/.gpg.sh failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.private/.gpg.sh': 'MD5 check failed'
       ) << \SHAR_EOF
2762c4a468859202bb304c07128a5ea3  USB Flash Drive/.private/.gpg.sh
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.private/.gpg.sh'` -ne 299 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.private/.gpg.sh' is not 299"
  fi
fi
# ============= USB Flash Drive/.private/email/secure-store.json ==============
if test ! -d 'USB Flash Drive/.private/email'; then
  mkdir 'USB Flash Drive/.private/email' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/.private/email/secure-store.json'
then
${echo} "x - SKIPPING USB Flash Drive/.private/email/secure-store.json (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.private/email/secure-store.json
M>PH@(")I9',B.B!;"B`@("`B-3`P,SDS-$!S=C`R+E!23T0N8G)A:6QL96UA
M:6PN;F5T(BP*("`@(")334E$/5=H65I&57I!66MY.4]H-'$X4CTP,$!E9RYE
M;6%I;'-E<G9E+FAA<'!Y96UA:6PN8V]M(BP*("`@("(V,30W,S4Q0'-V,#(N
M4%)/1"YB<F%I;&QE;6%I;"YN970B+`H@("`@(E--240]6%=L65!9,V5?-FY1
M:TPW;#9E/3`P0&5G+F5M86EL<V5R=F4N:&%P<'EE;6%I;"YC;VTB+`H@("`@
M(E--240]64%#5F5Q=7=*=&=E=35B.#='/3`P0&5G+F5M86EL<V5R=F4N:&%P
M<'EE;6%I;"YC;VTB"B`@72P*("`B9')A9G1S(CH@6PH@("`@(C`B"B`@70I]
!"GEE
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.private/email/secure-store.json'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.private/email/secure-store.json failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.private/email/secure-store.json': 'MD5 check failed'
       ) << \SHAR_EOF
6a0b175a0f6c030d484b7c4dae614d40  USB Flash Drive/.private/email/secure-store.json
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.private/email/secure-store.json'` -ne 316 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.private/email/secure-store.json' is not 316"
  fi
fi
# ============= USB Flash Drive/.private/email/secure-SMID=XWlYPY3e_6nQkL7l6e=00@eg.emailserve.happyemail.com.eml ==============
if test ! -d 'USB Flash Drive/.private/email'; then
  mkdir 'USB Flash Drive/.private/email' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/.private/email/secure-SMID=XWlYPY3e_6nQkL7l6e=00@eg.emailserve.happyemail.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/.private/email/secure-SMID=XWlYPY3e_6nQkL7l6e=00@eg.emailserve.happyemail.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.private/email/secure-SMID=XWlYPY3e_6nQkL7l6e=00@eg.emailserve.happyemail.com.eml
M1G)O;3H@2VER86X@/&LN<&%T96Q`:&%P<'EE;6%I;"YC;VT^"E1O.B!#(#QC
M96QS:&%D961`8G)A:6QL96UA:6PN;F5T/@I$871E.B!4=64L(#$W($9E8B`R
M,#`Y(#$S.C`S.C(S("LP,C`P"E-U8FIE8W0Z(%)%.B!Z8F%R;`I);BU297!L
M>2U4;SH@/#8Q-#<S-3%`<W8P,BY04D]$+F)R86EL;&5M86EL+FYE=#X*4F5F
M97)E;F-E<SH@/#4P,#,Y,S1`<W8P,BY04D]$+F)R86EL;&5M86EL+FYE=#X@
M/%--240]5VA96D95>D%9:WDY3V@T<3A2/3`P0&5G+F5M86EL<V5R=F4N:&%P
M<'EE;6%I;"YC;VT^(#PV,30W,S4Q0'-V,#(N4%)/1"YB<F%I;&QE;6%I;"YN
M970^"DUE<W-A9V4M240Z(#Q334E$/5A7;%E063-E7S9N46M,-VPV93TP,$!E
M9RYE;6%I;'-E<G9E+FAA<'!Y96UA:6PN8V]M/@H*5B!J8FAY<2!T8B!N86QJ
M=7)E<B!J=F=U(&QB:"X@<&YY=&YE;"X@96YO;F<N('=R96AF;GER>BX*;VAG
M(%8@<79Q82=G(&=B:'!U(&=U;F<@<V5B>B!Z>7H@9F)Y:&=V8F%F+"!O<GEV
E<FER('IR(&YF(%8@>6)I<B!L8F@@4"X*"D)E;&EE=F4@;64N"F%F
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.private/email/secure-SMID=XWlYPY3e_6nQkL7l6e=00@eg.emailserve.happyemail.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.private/email/secure-SMID=XWlYPY3e_6nQkL7l6e=00@eg.emailserve.happyemail.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.private/email/secure-SMID=XWlYPY3e_6nQkL7l6e=00@eg.emailserve.happyemail.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
ef4fe81b01fd6f11444e319433a61474  USB Flash Drive/.private/email/secure-SMID=XWlYPY3e_6nQkL7l6e=00@eg.emailserve.happyemail.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.private/email/secure-SMID=XWlYPY3e_6nQkL7l6e=00@eg.emailserve.happyemail.com.eml'` -ne 532 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.private/email/secure-SMID=XWlYPY3e_6nQkL7l6e=00@eg.emailserve.happyemail.com.eml' is not 532"
  fi
fi
# ============= USB Flash Drive/.private/email/secure-5003934@sv02.PROD.braillemail.net.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/.private/email/secure-5003934@sv02.PROD.braillemail.net.eml'
then
${echo} "x - SKIPPING USB Flash Drive/.private/email/secure-5003934@sv02.PROD.braillemail.net.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.private/email/secure-5003934@sv02.PROD.braillemail.net.eml
M1G)O;3H@0R`\8V5L<VAA9&5D0&)R86EL;&5M86EL+FYE=#X*5&\Z($MI<F%N
M(#QK+G!A=&5L0&AA<'!Y96UA:6PN8V]M/@I3=6)J96-T.B!Z8F%R;`I$871E
M.B!4=64L(#$W($9E8B`R,#`Y(#$R.C`W.C$Y("LP,C`P"DUE<W-A9V4M240Z
M(#PU,#`S.3,T0'-V,#(N4%)/1"YB<F%I;&QE;6%I;"YN970^"@I6(&9C8GAR
M(&IV9W4@9W5R(&-B>79P<BP@9W5R;"!F;G9Q('IB87)L(&IN9B!Z=F9F=F%T
M('-E8GH@>GEZ(&YP<&)H86=F+B!J;F8@=F<@;&)H/PH*9W5R;"!U;G$@8FAE
M(&IB97@@<GIN=GEF(&=B8BP@1FYA<'5R;2!V9R!Z:&9G(&]R"@ID;R!Y;W4@
::&%V92!A('!L86X_"@IL;W9E('EO=2P*0PIV
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.private/email/secure-5003934@sv02.PROD.braillemail.net.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.private/email/secure-5003934@sv02.PROD.braillemail.net.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.private/email/secure-5003934@sv02.PROD.braillemail.net.eml': 'MD5 check failed'
       ) << \SHAR_EOF
2e4d4b699bb6e044229cf9937b4a7f90  USB Flash Drive/.private/email/secure-5003934@sv02.PROD.braillemail.net.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.private/email/secure-5003934@sv02.PROD.braillemail.net.eml'` -ne 341 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.private/email/secure-5003934@sv02.PROD.braillemail.net.eml' is not 341"
  fi
fi
# ============= USB Flash Drive/.private/email/drafts/secure-0.json ==============
if test ! -d 'USB Flash Drive/.private/email/drafts'; then
  mkdir 'USB Flash Drive/.private/email/drafts' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/.private/email/drafts/secure-0.json'
then
${echo} "x - SKIPPING USB Flash Drive/.private/email/drafts/secure-0.json (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.private/email/drafts/secure-0.json
M>PH@(")S=6)J96-T(CH@(F=A;64@;W9E<B(L"B`@(F)O9'DB.B`B22!K;F]W
M('=H870@>6]U(&1I9"Y<;EQN>6]U(&9O<F=O="!T;R!L;V-K(&UY(&UA:6YF
M<F%M92!A8V-E<W,@=VAE;B!)(&QE9G0@=&AE(&-O;7!A;GDL(&%L;"!T:&4@
M979I9&5N8V4@:7,@<V%F92X@:2!C;W!I960@979E<GET:&EN9R!O;B!W961N
M97-D87D@86YD('-P96YT('EE<W1E<F1A>2!P=71T:6YG('1O9V5T:&5R(&%L
M;"!T:&4@<&EE8V5S(&]F('!R;V]F+B!I="=S(&YO="!L:6ME($D@9&]N)W0@
M:&%V92!T:&4@=&EM92X@9&\@>6]U(&MN;W<@=VAA="!T:&4@;&5A9"!D971E
M8W1I=F4@;V8@=&AE(&-A<V4@<V%I9"!W:&5N($D@8G)O=6=H="!A;&]N9R!T
M:&4@9FEL97,_('1H870@:70@=V%S(&AA<F0@=&\@8F5L:65V92!Y;W5R('-T
M=7!I9&ET>5QN22!F:6YD(&ET(&AA<F0@=&\@8F5L:65V92!Y;W5R(&AO;F]R
M;&5S<VYE<W-<;EQN8GD@;6]N9&%Y('EO=2=L;"!B92!L;V-K960@87=A>2(*
"?0IS
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.private/email/drafts/secure-0.json'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.private/email/drafts/secure-0.json failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.private/email/drafts/secure-0.json': 'MD5 check failed'
       ) << \SHAR_EOF
07a3ca53af7acc3b5a05d3d77acf6085  USB Flash Drive/.private/email/drafts/secure-0.json
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.private/email/drafts/secure-0.json'` -ne 497 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.private/email/drafts/secure-0.json' is not 497"
  fi
fi
# ============= USB Flash Drive/.private/email/secure-SMID=YACVequwJtgeu5b87G=00@eg.emailserve.happyemail.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/.private/email/secure-SMID=YACVequwJtgeu5b87G=00@eg.emailserve.happyemail.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/.private/email/secure-SMID=YACVequwJtgeu5b87G=00@eg.emailserve.happyemail.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.private/email/secure-SMID=YACVequwJtgeu5b87G=00@eg.emailserve.happyemail.com.eml
M1G)O;3H@2W)I<VAN82`\9&EP;&]D;V-U<T!H87!P>65M86EL+F-O;3X*5&\Z
M($MI<F%N(#QK+G!A=&5L0&AA<'!Y96UA:6PN8V]M/@I3=6)J96-T.B!&:6QE
M<R!F;W(@1FED96QI='D*1&%T93H@36]N+"`R,R!&96(@,C`P.2`Q,CHP-SHQ
M.2`K,#(P,`I-97-S86=E+4E$.B`\4TU)1#U904-697%U=TIT9V5U-6(X-T<]
M,#!`96<N96UA:6QS97)V92YH87!P>65M86EL+F-O;3X*"D=O;V1B>64@2VER
M86XL"@I9;W4@<V-R97=E9"!U<"X@2&%V92!T:&4@9FEL97,@>6]U(&%S:V5D
M(&9O<BP@8G5T(&YO=R!W92=R92!D;VYE+B!9;W4@:&%D('EO=7(@8VAA;F-E
M('1O(&9I>"!T:&ES+B!9;W4@9&]N)W0@9V5T('1O('5S92!M92!A9V%I;B!A
M;F0@22!D;VXG="!W86YT('1O(&9O<F=I=F4@>6]U+@H*22=M(&]U="!O9B!T
M;W=N(&%N;W1H97(@=V5E:RX@22=L;"!C;VUE(&)Y('1H92!H;W5S92!O;B!T
M:&4@,FYD('1O(&-O;&QE8W0@;7D@8F5L;VYG:6YG<RX@5&AE;B!))VT@;F]T
M(&-O;6EN9R!B86-K+B!)(&AO<&4@>6]U<B!N97<@;&EF92!I<R!E=F5R>71H
M:6YG('EO=2!D97-E<G9E+@H*16YJ;WD@:70@=VAI;&4@:70@;&%S=',L"DMR
&:7-H;F$*
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.private/email/secure-SMID=YACVequwJtgeu5b87G=00@eg.emailserve.happyemail.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.private/email/secure-SMID=YACVequwJtgeu5b87G=00@eg.emailserve.happyemail.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.private/email/secure-SMID=YACVequwJtgeu5b87G=00@eg.emailserve.happyemail.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
6bb0926090ee6902d35fa81af71d8439  USB Flash Drive/.private/email/secure-SMID=YACVequwJtgeu5b87G=00@eg.emailserve.happyemail.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.private/email/secure-SMID=YACVequwJtgeu5b87G=00@eg.emailserve.happyemail.com.eml'` -ne 591 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.private/email/secure-SMID=YACVequwJtgeu5b87G=00@eg.emailserve.happyemail.com.eml' is not 591"
  fi
fi
# ============= USB Flash Drive/.private/email/secure-SMID=WhYZFUzAYky9Oh4q8R=00@eg.emailserve.happyemail.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/.private/email/secure-SMID=WhYZFUzAYky9Oh4q8R=00@eg.emailserve.happyemail.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/.private/email/secure-SMID=WhYZFUzAYky9Oh4q8R=00@eg.emailserve.happyemail.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.private/email/secure-SMID=WhYZFUzAYky9Oh4q8R=00@eg.emailserve.happyemail.com.eml
M1G)O;3H@2VER86X@/&LN<&%T96Q`:&%P<'EE;6%I;"YC;VT^"E1O.B!#(#QC
M96QS:&%D961`8G)A:6QL96UA:6PN;F5T/@I$871E.B!4=64L(#$W($9E8B`R
M,#`Y(#$R.C,V.C,V("LP,C`P"E-U8FIE8W0Z(%)%.B!Z8F%R;`I);BU297!L
M>2U4;SH@/#4P,#,Y,S1`<W8P,BY04D]$+F)R86EL;&5M86EL+FYE=#X*4F5F
M97)E;F-E<SH@/#4P,#,Y,S1`<W8P,BY04D]$+F)R86EL;&5M86EL+FYE=#X*
M365S<V%G92U)1#H@/%--240]5VA96D95>D%9:WDY3V@T<3A2/3`P0&5G+F5M
M86EL<V5R=F4N:&%P<'EE;6%I;"YC;VT^"@I6('AA<FH@;F]B:&<@9W5R('IV
M9F9V870@>F)A<FP@;G-G<F4@96YI<F$@<&YZ<B!G8B!Z<B!N;V)H9R!V9RX@
M(%8@9FYV<2!G<GEY(&=U<B!C8GEV<'(N(&IV9W4@;GEY(&IU;F<@=6YC8W)A
M<G$@5B!S8F5T8F<@;F%Q('%V<6$G9R!J;F%G(&=B(&9G;F5G(&YA;"!Z8F5R
M(&-N879P(&IV9W4@;F%L8F%R+"!Y=GAR(&-N979F('IB86=S<F5E;F<N(&)E
M(&9B96)X;B!J8FAY<2!T8B!A:&=F"@IA8B!C>6YA+"!A8B!V<7)N(&IU;F<G
M9B!T8G9A="!B82P@;VAG(%8@>6)I<B!L8F@@<')Y<F8*"FYO(&UA='1E<B!W
,:&%T(&AA<'!E;G,*
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.private/email/secure-SMID=WhYZFUzAYky9Oh4q8R=00@eg.emailserve.happyemail.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.private/email/secure-SMID=WhYZFUzAYky9Oh4q8R=00@eg.emailserve.happyemail.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.private/email/secure-SMID=WhYZFUzAYky9Oh4q8R=00@eg.emailserve.happyemail.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
b80ea6aac7d66c3d48c7cccceb85f6b3  USB Flash Drive/.private/email/secure-SMID=WhYZFUzAYky9Oh4q8R=00@eg.emailserve.happyemail.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.private/email/secure-SMID=WhYZFUzAYky9Oh4q8R=00@eg.emailserve.happyemail.com.eml'` -ne 597 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.private/email/secure-SMID=WhYZFUzAYky9Oh4q8R=00@eg.emailserve.happyemail.com.eml' is not 597"
  fi
fi
# ============= USB Flash Drive/.private/email/secure-6147351@sv02.PROD.braillemail.net.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/.private/email/secure-6147351@sv02.PROD.braillemail.net.eml'
then
${echo} "x - SKIPPING USB Flash Drive/.private/email/secure-6147351@sv02.PROD.braillemail.net.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.private/email/secure-6147351@sv02.PROD.braillemail.net.eml
M1G)O;3H@0R`\8V5L<VAA9&5D0&)R86EL;&5M86EL+FYE=#X*5&\Z($MI<F%N
M(#QK+G!A=&5L0&AA<'!Y96UA:6PN8V]M/@I3=6)J96-T.B!213H@>F)A<FP*
M1&%T93H@5'5E+"`Q-R!&96(@,C`P.2`Q,CHS.3HQ,2`K,#(P,`I);BU297!L
M>2U4;SH@/%--240]5VA96D95>D%9:WDY3V@T<3A2/3`P0&5G+F5M86EL<V5R
M=F4N:&%P<'EE;6%I;"YC;VT^"E)E9F5R96YC97,Z(#PU,#`S.3,T0'-V,#(N
M4%)/1"YB<F%I;&QE;6%I;"YN970^(#Q334E$/5=H65I&57I!66MY.4]H-'$X
M4CTP,$!E9RYE;6%I;'-E<G9E+FAA<'!Y96UA:6PN8V]M/@I-97-S86=E+4E$
M.B`\-C$T-S,U,4!S=C`R+E!23T0N8G)A:6QL96UA:6PN;F5T/@H*:G5B(')Y
M9G(@<&YA(&YP<')F9B!G=7(@86AZ;W)E9B!R:W!R8V<@1FYA<'5R;3\@;F%Q
M(&IU;F<@<&)H>7$@;W(@>F)E<B!V>F-B96=N86<@9V(@9FYA<'5R;2!G=6YA
M(&=U<B!P8GIC;F%L+B!F8BX@5G,@;&)H('5N:7(@>F)A<FPL(&=U<F$N"FIR
M('!B:'EQ('1B(&YA;&IU<F5R"@IB92!J=GEY(&QB:"!A8F<@>7)G('IR('9A
M(&%B('IB97(_"F)E(&YZ(%8@86)G(&QB:&4@9F=N97EV870@;F%L>F)E<C\*
M3')F(%8@<6)A)V<@9FAV9R!Z;"!R86EL(&]H9R!V9B!G=7(@>F)A<FP@:G9G
7=2!L8F@@>&%B:B!J=6(_"@I#96QE<PIL
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.private/email/secure-6147351@sv02.PROD.braillemail.net.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.private/email/secure-6147351@sv02.PROD.braillemail.net.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.private/email/secure-6147351@sv02.PROD.braillemail.net.eml': 'MD5 check failed'
       ) << \SHAR_EOF
42c74023003385cc789ab218f1fc1bcc  USB Flash Drive/.private/email/secure-6147351@sv02.PROD.braillemail.net.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.private/email/secure-6147351@sv02.PROD.braillemail.net.eml'` -ne 653 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.private/email/secure-6147351@sv02.PROD.braillemail.net.eml' is not 653"
  fi
fi
# ============= USB Flash Drive/.private/decrypt-old.c ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/.private/decrypt-old.c'
then
${echo} "x - SKIPPING USB Flash Drive/.private/decrypt-old.c (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.private/decrypt-old.c
M(VEN8VQU9&4@/'5N:7-T9"YH/@HC:6YC;'5D92`\;F-U<G-E<RYH/@H*8V]N
M<W0@8VAA<B`J:&EN="`](")G=7(@<7)P96QC9W9B82!X<FP@<V)E(&=U<B!R
M+7IN=GEF('9F(&X@<6YG<BX@=G,@;&)H('!N82!E<FYQ(&=U=F8L('9G(&]R
M>6)A=&8@9V(@;&)H+"!G=7(@<6YG<BX@5B!Y8FER(&QB:"!0(CL*"B-D969I
M;F4@0E5&1E]325I%(#$Q"@II;G0@;6%I;BAI;G0@87)G8RP@8VAA<B`J*F%R
M9W8I('L*("`@:6YT(&-U<G-O<B`](#`["B`@(&-H87(@9&%Y6S)=.PH@("!C
M:&%R(&UO;G1H6S)=.PH@("!C:&%R('EE87);-%T["B`@(&-H87(@8G5F9F5R
M6T)51D9?4TE:15T["B`@(&EF("AA<F=C("$](#(I(')E='5R;B`Q.PH@("!I
M;FET<V-R*"D["B`@('1I;65O=70H+3$I.PH@("!N;V5C:&\H*3L*("`@;79P
M<FEN='<H,"P@,"P@(BHJ+RHJ+RHJ*BHB*3L*("`@;6]V92@P+"!C=7)S;W(I
M.PH@("!D87E;,%T@/2!G971C:"@I.PH@("!M=G!R:6YT=R@P+"!C=7)S;W(L
M("(E8R(L(&1A>5LP72D["B`@(&UO=F4H,"P@*RMC=7)S;W(I.PH@("!D87E;
M,5T@/2!G971C:"@I.PH@("!M=G!R:6YT=R@P+"!C=7)S;W(K*RP@(B5C(BP@
M9&%Y6S%=*3L*("`@;6]V92@P+"`K*V-U<G-O<BD["B`@(&UO;G1H6S!=(#T@
M9V5T8V@H*3L*("`@;79P<FEN='<H,"P@8W5R<V]R+"`B)6,B+"!M;VYT:%LP
M72D["B`@(&UO=F4H,"P@*RMC=7)S;W(I.PH@("!M;VYT:%LQ72`](&=E=&-H
M*"D["B`@(&UV<')I;G1W*#`L(&-U<G-O<BLK+"`B)6,B+"!M;VYT:%LQ72D[
M"B`@(&UO=F4H,"P@*RMC=7)S;W(I.PH@("!Y96%R6S!=(#T@9V5T8V@H*3L*
M("`@;79P<FEN='<H,"P@8W5R<V]R+"`B)6,B+"!Y96%R6S!=*3L*("`@;6]V
M92@P+"`K*V-U<G-O<BD["B`@('EE87);,5T@/2!G971C:"@I.PH@("!M=G!R
M:6YT=R@P+"!C=7)S;W(L("(E8R(L('EE87);,5TI.PH@("!M;W9E*#`L("LK
M8W5R<V]R*3L*("`@>65A<ELR72`](&=E=&-H*"D["B`@(&UV<')I;G1W*#`L
M(&-U<G-O<BP@(B5C(BP@>65A<ELR72D["B`@('EE87);,UT@/2!G971C:"@I
M.PH@("!E;F1W:6XH*3L*("`@<VYP<FEN=&8H8G5F9F5R+"!"549&7U-)6D4L
M("(E8R5C+R5C)6,O)6,E8R5C)6,B+"!D87E;,%TL(&1A>5LQ72P@;6]N=&A;
M,%TL(&UO;G1H6S%=+"!Y96%R6S!=+"!Y96%R6S%=+"!Y96%R6S)=+"!Y96%R
M6S-=*3L*("`@97AE8VQP*")G<&<B+"`B9W!G(BP@(BUD(BP@(BTM;F\M<WEM
M:V5Y+6-A8VAE(BP@(BTM8F%T8V@B+"`B+2UP87-S<&AR87-E(BP@8G5F9F5R
A+"!A<F=V6S%=+"!.54Q,*3L*("`@<F5T=7)N(#$["GT*
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.private/decrypt-old.c'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.private/decrypt-old.c failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.private/decrypt-old.c': 'MD5 check failed'
       ) << \SHAR_EOF
fad3a92b6b78656397f6aa932da5bedb  USB Flash Drive/.private/decrypt-old.c
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.private/decrypt-old.c'` -ne 1293 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.private/decrypt-old.c' is not 1293"
  fi
fi
# ============= USB Flash Drive/.private/case/transcript.textbundle/secure-transcript.fountain ==============
if test ! -d 'USB Flash Drive/.private/case'; then
  mkdir 'USB Flash Drive/.private/case' || exit 1
fi
if test ! -d 'USB Flash Drive/.private/case/transcript.textbundle'; then
  mkdir 'USB Flash Drive/.private/case/transcript.textbundle' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/.private/case/transcript.textbundle/secure-transcript.fountain'
then
${echo} "x - SKIPPING USB Flash Drive/.private/case/transcript.textbundle/secure-transcript.fountain (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.private/case/transcript.textbundle/secure-transcript.fountain
M5&ET;&4Z($,S-#@Q($EN=&5R=FEE=R!#96QE<R!$)T%G;W-T:6YO(#(P,#DM
M,#(M,3<*0W)E9&ET.B!4<F%N<V-R:6)E9"!B>0I!=71H;W(Z($1E=&5C=&EV
M92!);G-P96-T;W(@4&EP($QA<G,@03(P,PI#87-E.B!#,S0X,0I#;VYT86-T
M.@H@("`@1VEZ82!-=6YI8VEP86P@1V5N9&%R;65R:64L"B`@("!0;VQI8V4@
M9&5P87)T;65N="P*("`@("LR,"`V(#0R(#$X(#,W(#4R"D%R8VAI=F%L.@H@
M("`@0V]N9'5C=&5D(#(P,#DM,#(M,3<*("`@(%1R86YS8W)I8F5D(#(P,#DM
M,#(M,3<*("`@(%)E<75E<W1E9"!B>2!&04].($]#1R`R,#`Y+3`R+3$Y("AF
M=6QF:6QL960@,C`P.2TP,BTQ.2D*"@I)3E0N(%-4051)3TX@24Y415)62457
M(%)/3TT@,0H*26YT97)V:65W97(@1DQ!2$525%D@1&5T96-T:79E($EN<W!E
M8W1O<B!"86%S($9L86AE<G1Y($$T,#,L(&EN=F5S=&EG871I;F<@0S,T.#$N
M"DEN=&5R=FEE=V5E($1!1T]35$E.3R!#96QE<R!$)T%G;W-T:6YO+"!T86ME
M;B!I;B!F;W(@<75E<W1I;VYI;F<@<F4@0S,T.#$N"@H*1DQ!2$525%D*+2UO
M;BX@1F]R('1H92!R96-O<F1I;F<L($D@86T@1$D@1FQA:&5R='D@:6YT97)V
M:65W:6YG+BXN"@I$04=/4U1)3D\*0V5L97,N"@I&3$%(15)460I#96QE<R!$
M)T%G;W-T:6YO+B!4;V1A>2!I<R!T:&4@1F5B<G5A<GD@,3=T:"X@5&AE('1I
M;64@:7,@,3`S-BX*"D1!1T]35$E.3PI)="=S+"!U:"P@8V]L9"!I;B!H97)E
M+@H*1DQ!2$525%D*5V]U;&0@>6]U(&QI:V4@;64@=&\@8VAA;F=E('1H92!T
M:&5R;6]S=&%T/PH*1$%'3U-424Y/"DYO+B!.;RX*"D9,04A%4E19"DQE="=S
M(&=E="!I;G1O(&ET+B!#96QE<RP@22=M(&EN=F5S=&EG871I;F<@>6]U<B!C
M;VUP86YY($U,32!3;VQU=&EO;G,N($ET(&%P<&5A<G,@=&AA="!O=F5R('1H
M92!P87-T('%U87)T97(L($U,32!3;VQU=&EO;G,@:&%S(&QO<W0M+6UI<W!L
M86-E9"TM82!S=6T@;V8@;6]N97DN($D@;65A;B!T:&%T('-O;65O;F4@:&%S
M(')E;6]V960@;6]N97D@9G)O;2!T:&4@8V]M<&%N>2!A8V-O=6YT<R!T:&%T
M('1H97D@<VAO=6QD;B=T(&AA=F4N($-E;&5S+2T*"D1!1T]35$E.3PI)(&1O
M;B=T+2T*"D9,04A%4E19"DUE(&%N9"!M>2!T96%M(&AA=F4@8F5E;B!H87)D
M(&%T('=O<FL@9V%T:&5R:6YG(&$@=F%R:65T>2!O9B!I;F9O<FUA=&EO;B!A
M8F]U="!T:&4@9&ES87!P96%R86YC92X@5V4@:VYO=R!R;W5G:&QY('=H96X@
M=&AE(&UO;F5Y('=A<R!T86ME;BP@86YD('=E(&AA=F4@82!G;V]D(&ED96$@
M;V8@:&]W+B!))VT@:&5R92!T;R!A<VL@>6]U('-O;64@<75E<W1I;VYS+"!T
M;R!F:6=U<F4@;W5T(&IU<W0@=VAA="!H87!P96YE9"!A;F0@=VAY+B!.;W<L
M(&EF('1H97)E)W,@82!Q=65S=&EO;B!T:&%T('EO=2!D;VXG="!W86YT('1O
M(&%N<W=E<BP@>6]U(&1O;B=T(&AA=F4@=&\@86YS=V5R(&ET+"!)(&1O;B=T
M('=A;G0@>6]U('1O(&9E96P@<')E<W-U<F5D('1O(&%N<W=E<BX@5V4G<F4@
M86QL(&]N;'D@9&]I;F<@;W5R(&)E<W0@=&\@9FEG=7)E(&]U="!W:'D@=&AA
M="!M;VYE>2!W96YT(&UI<W-I;F<N($1O('EO=2!U;F1E<G-T86YD('=H870@
M22=M('-A>6EN9S\*"D1!1T]35$E.3PI)('5N9&5R<W1A;F0L('EE<RX*"D9,
M04A%4E19"DAO=R!L;VYG(&AA=F4@>6]U(&)E96X@=V]R:VEN9R!A="!-3$T@
M4V]L=71I;VYS/PH*1$%'3U-424Y/"E5M+"!H;W<@86T@22!R96QA=&5D('1O
M(&%L;"!T:&ES+"!O9F9I8V5R/PH*1DQ!2$525%D*1FEN92X@22=L;"!M;W9E
M(&]N('1O('1H92!E=FED96YC92X@07,@22!W87,@<V%Y:6YG+"!W92!W97)E
M(')E8V5N=&QY(&EN9F]R;65D(&]F(&$@9&ES8W)E<&%N8WD@:6X@=&AE(&)O
M;VMK965P:6YG(&%T($U,32!3;VQU=&EO;G,L(&%N9"!H879E(&ED96YT:69I
M960@=&AA="!S;VUE(&]F('1H92!M;VYE>2!I<R!N;W0@86-C;W5N=&5D(&9O
M<BX@5&AE(&UO;F5Y(&-O=6QD(&)E(&UI<W-I;F<@9F]R(&%N>2!N=6UB97(@
M;V8@<F5A<V]N<RP@8G5T('1H92!M;W-T(&QI:V5L>2!I<R!T:&%T(&%N(&5M
M<&QO>65E('1O;VL@:70N(%1H:7,@<V]R="!O9B!T:&EN9R!H87!P96YS+"!S
M;V]N97(@;W(@;&%T97(L('=E(&%L;"!G;W1T82!D;R!B860@=&AI;F=S('1O
M(&9E960@;W5R(&9A;6EL>2X@*EMS;6%L;"!S:6=H72H@0V5L97,L('=E)W9E
M(&QO;VME9"!A="!Y;W5R(&9I;F%N8VEA;"!R96-O<F1S+B!9;W4@;F5E9"!M
M;VYE>2P@86YD('EO=2!N965D(&ET(&1A;F=E<F]U<VQY+@H*1$%'3U-424Y/
M"DD@9&]N)W0@:VYO=R!A;GDM+0H*1DQ!2$525%D*22!J=7-T('=A;G0@=&\@
M9V5T('-O;64@86YS=V5R<RX*"D1!1T]35$E.3R!>"DDG;2!N;W0@*EMI;F%U
M9&EB;&5=*@H*1DQ!2$525%D*2&5Y+"!H97DL(&QO;VLL(&QO;VL@870@;64N
M($D@:G5S="!W86YT('-O;64@86YS=V5R<RX*"D1!1T]35$E.3PI))VT@:6X@
M82!B860@9FEN86YC:6%L('-I='5A=&EO;C\@665S+"!))VT@<W1I;&P@:6X@
M:70N(%EO=2!T:&EN:R!))V0@<W1I;&P@8F4@:6X@9&5B="!I9B!W87,@82!T
M<F%D:71O<B!T;R!M>2!H;VYO<C\@3F\L(&YO+B!.979E<B!W;W5L9"!)+B!)
M(&MN;W<@;F]T:&EN9R!A8F]U="!T:&ES+@H*1DQ!2$525%D*0F5C875S92!O
M9B!H;VYO<C\@22!D;VXG="!)(&)E;&EE=F4@:6X@=&AA="X@270G<R!F:6YE
M(&EF('EO=2!D;VXG="!W86YT('1O('-A>2!A;GET:&EN9RP@8G5T($D@8V%N
M(&%S:R!T:&4@<F5S="!O9B!T:&4@8V]M<&%N>2X@5&AE('1R=71H(&ES(&=O
M:6YG('1O(&-O;64@;W5T(&5V96YT=6%L;'DN($YO=RP@87,@86X@97AE8W5T
M:79E(&%T($U,32!3;VQU=&EO;G,L(&5R+"!I="!S87ES(&AE<F4@)V1I<F5C
M=&]R(&]F(&)U<VEN97-S(&EN;F]V871I;VXG+"!Y;W4@=V]U;&0@:&%V92!A
M8V-E<W,@=&\@=&AE(&-O;7!A;GD@9FEN86YC97,N"@I$04=/4U1)3D\*7U=H
M870_7R!.;R!A8V-E<W,L('1H92!O;FQY(&]N97,@=VAO(')A;B!A;&P@;V8@
M=&AA="!S:61E(&]F('1H:6YG<R!I<R!386YC:&5Z+"!097ET;VX@4V%N8VAE
M>BP@86YD("XN+B!A;F0@2VER86XN"@I&3$%(15)460I!;F0@2VER86X_($%H
M('EE<RP@>6]U(&UE86X@2VER86X@4&%T96PN($EN=&5R97-T:6YG+B!697)Y
M+2T*"D1!1T]35$E.3PI/:"P@86YD($UA<G-I8VLN($=O9"!G<F%N="!R97-T
M('1H92!H86QL;W=E9"X@36%R<VEC:R!C97)T86EN;'D@=V]U;&0@:&%V92!B
M965N(&%B;&4@=&\N+BX@8F5F;W)E+"!A:"X@1&ED($UA<G-I8VLN+BX*"D9,
M04A%4E19"D1I9"!-87)S:6-K+BXN/PH*1$%'3U-424Y/"E=A<R!-87)S:6-K
M+BXN($1I9"!-87)S:6-K)W,@9&5A=&@@:&%V92!S;VUE=&AI;F<@=&\@9&\@
M=VET:"!T:&ES/PH*1DQ!2$525%D*070@=&AI<R!S=&%G92!O9B!T:&4@:6YV
M97-T:6=A=&EO;B!W92!H879E(&YO(')E87-O;B!T;R!B96QI979E('1H870@
M36%R<VEC:R=S(&1E871H('=A<R!A;GET:&EN9R!O=&AE<B!T:&%N+"!U:"P@
M=')O=6)L92!W:71H('1H92!H96%R="X@06@L(&)U="!S<&5A:VEN9R!O9B!H
M96%R=',@9V5T=&EN9R!U<R!I;G1O('1R;W5B;&4@*EML875G:%TJ(&ET(&%P
M<&5A<G,@=&AA="!+:7)A;B!0871E;"!A;F0@>6]U<G-E;&8@:&%V92!B965N
M(&5X8VAA;F=I;F<@<V]M92P@<V5N<VET:79E(&5M86EL<RX@3F]T('=H870@
M22=D(&5X<&5C="!F<F]M('!R;V9E<W-I;VYA;"!C;VQL96%G=65S+B!)(&-A
M;B!R96%D('1H96T@;W5T(&EF('EO=2=D(&QI:V4N(.*`G&YE=F5R(>*`G2XN
M+@H*1$%'3U-424Y/"E=H870@<FEG:'0@:&%V92TM(%=H97)E(&1I9"!Y;W4@
M9V5T('1H;W-E/R!9;W4@;&]O:V5D(&%T(&UY('!R:79A=&4M+2!W:&%T(&1O
M97,@2VER86X@:&%V92!A;GET:&EN9R!T;R!D;R!W:71H('1H:7,_(%=H;RP@
M=VAO(&=A=F4@>6]U('1H92!E;6%I;',_"@I&3$%(15)460I&;W(@=&AE(&EN
M=&5G<FET>2!O9B!O=7(@:6YV97-T:6=A=&EO;B!M>2!S;W5R8V4@=VEL;"!N
M965D('1O('-T87D@86YO;GEM;W5S+@H*1$%'3U-424Y/"DYO="!M>7-E;&8L
M(&ET('=O=6QD;B=T(&)E($MI<F%N+BXN(%-A;F-H97HA($ET(&UU<W0@8F4@
M:&%V92!B965N(%-A;F-H97H@9V%V92!Y;W4@86-C97-S('1O(&UY(&5M86EL
M<RX*"D9,04A%4E19"D-E;&5S+"!Y;W5R(')E;&%T:6]N<VAI<"!T;R!+:7)A
M;BP@=VAO(&AA9"!A8V-E<W,@=&\@=&AE(&%C8V]U;G0N+BX@270@;&]O:W,@
M=&\@;64@;&EK92!Y;W4@:&%D(&UO=&EV92P@86YD(&]P<&]R='5N:71Y('1O
M(&UA:V4@=&AA="!M;VYE>2!T;R!G;R!M:7-S:6YG+B!.;W<L('1H97)E(&%R
M92!A;GD@;G5M8F5R(&]F(')E87-O;G,@>6]U(&1I9&XG="!W86YT('1O('1E
M;&P@86YY;VYE+B!';V]D(')E87-O;G,L(&9O<B!L;W9E+"!F;W(@9F5A<BP@
M;W(@<&]S<VEB;'D@;F]T('-O('-A=F]R>2X@1W)E960N($D@=V%N="!T;R!B
M96QI979E('1H92!B97-T(&EN('EO=2!#96QE<RP@=&AA="!Y;W4@9&ED(&ET
M(&9O<B!N;V)L92P@9F]R(&AO;F]R86)L92!R96%S;VYS+B!"=70@<FEG:'0@
M;F]W+"!)('=A;G0@979E;B!M;W)E('1O(&=E="!T:&4@=')U=&@N(%-O('=H
M:6-H(&ES(&ET/R!(;W<@8V]M92!T:&4@;6]N97D@:7,@9V]N93\*"D1!1T]3
M5$E.3PI)(&1I9&XG="TM"@I&3$%(15)460I?5VAY7R!D:60@>6]U('1A:V4@
M=&AE(&UO;F5Y/PH*1$%'3U-424Y/"E=H870@:7,@=&AI<R!M;VYE>3\@22!K
M;F]W(&YO=&AI;F<L(&AO=R!M=6-H('=A<R!T:&5R93\@5VAY(&1I9"!386YC
M:&5Z(&=I=F4@>6]U(&UY(&5M86EL<R!W:71H($MI<F%N/R!7:&5R92!D:60@
M=&AE(&UO;F5Y(&-O;64@9G)O;2!B969O<F4_(%=H>2!D:61N)W0@4V%N8VAE
M>B!T96QL('EO=2!)(&AA=F4@;F\@86-C97-S('1O(&-O;7!A;GD@86-C;W5N
M=',_"@I&3$%(15)460I(97D@;F]W+"!W:'D@9&]N)W0@=V4@:V5E<"!G;VEN
M9R!W:71H('1H92!I;G1E<G9I97<@<V\@=V4@8V%N(&9I9W5R92!O=70@=VAA
M="!H87!P96YE9"!A;F0@=V4@8V%N(&)O=&@@9V\@:&]M92P@>65S/PH*1$%'
M3U-424Y/"E=H>2X@5VAY(&1I9"!097ET;VX@4V%N8VAE>B!G:79E('EO=2!O
M=7(@96UA:6QS/PH*1DQ!2$525%D*5V4@<F5Q=6ER960@86-C97-S('1O('1H
M;W-E(&5M86EL<R!F;W(@=&AE(&-A<V4N"@I$04=/4U1)3D\*4V\@:70@7W=A
M<U\@4V%N8VAE>BX@5VAA="!W97)E('EO=2!E=F5N('1R>6EN9R!T;R!F:6YD
M/R!!<VED92!W:&5T:&5R(&ET)W,@979E;B!L96=A;"!T;RXN+@H*1DQ!2$52
M5%D*06@L('1H:7,@:7,@;F]T(&UY(&%R96$N($ET)W,@;F]T(&EM<&]R=&%N
M="!T;R!T:&4@8V%S92X@5V4M+0H*1$%'3U-424Y/"DEF('EO=2!D;VXG="!K
M;F]W/R!4:&5N(&=E="!T:&%T(&]T:&5R(&-O<"P@=&AE(&]N92!T:&%T(%]D
M:61?(&QO;VL@8V]M<&5T96YT+"!I;B!H97)E+@H*1DQ!2$525%D*66]U(&UE
M86YI;F<@1$D@3&%R<S\*"D1!1T]35$E.3PI)('1H;W5G:'0@>6]U('=E<F4@
M3&%R<RX*"D9,04A%4E19"DDG;2!&;&%H97)T>2X*"D1!1T]35$E.3PI&;&%H
M97)T>2X@3&%R<RX@1V5T(&UE('-O;65O;F4@=VAO(&ES;B=T(&%N(&ED:6]T
M+@H*1DQ!2$525%D*22XN+B!3=&%Y(&AE<F4N"@I4:&4@9&]O<B!I<R!H96%R
M9"!O<&5N:6YG+B!&;W(@82!F97<@<V5C;VYD<R!A('-H87)P(&)E97`N(%1H
M96X@<VAU='1I;F<@86=A:6XN"@I#;RUI;G1E<G9I97=E<B!,05)3($1E=&5C
M=&EV92!);G-P96-T;W(@4&EP($QA<G,@03(P,RP@;V9F+61U='DN"@I,05)3
M"D9L86AE<G1Y+B!$)T%G;W-T:6YO+B!#86X@22!H96QP/PH*1DQ!2$525%D*
M3&%R<RP@=&AI<R!I<R!#96QE<RP@:6YT97)V:65W:6YG(&%B;W5T+2T*"DQ!
M4E,*5V4G=F4@;65T+B!#96QE<RP@8V%N($D@8V%L;"!Y;W4@0V5L97,_"@I!
M('-H;W)T('!A=7-E+@H*1$%'3U-424Y/"DQA<G,L(&AO=R!D:60@>6]U(&=E
M="!Y;W5R(&=R=6)B>2!H86YD<R!O;B!M>2!E;6%I;',@=VET:"!+:7)A;B!0
M871E;#\*"DQ!4E,*5&AA="!W87,@1FQA:&5R='DG<R!A<F5A+B!7:&%T(%])
M7R!W86YT('1O(&MN;W<@:7,L(&%R92!Y;W4@:6X@;&]V92!W:71H(%!A=&5L
M/PH*1$%'3U-424Y/"E1H870G<RTM(%=H870@22!W86YT('1O(&MN;W<@:7,L
M(&%R92!Y;W4@:6X@;&]V92!W:71H($1E=&5C=&EV92!);G-P96-T;W(@1FQA
M:&5R='D_"@I,05)3"DD@9&]N)W0@9F]L;&]W+@H*1DQ!2$525%D@7@I7:&%T
M/PH*1$%'3U-424Y/"D9O<B!T:&4@<F5C;W)D:6YG.B!$22!,87)S(&ES(&)L
M=7-H:6YG+@H*3$%24PI&;W(@=&AE(')E8V]R9&EN9RP@22!A;2!N;W0@8FQU
M<VAI;F<N"@I$04=/4U1)3D\**EML;VYG(&)R96%T:"!I;ETJ(%=H>2!A<F4@
M>6]U('-O(&%N>&EO=7,@=&\@9FEN:7-H('1H:7,@8V%S93\*"DQ!4E,*22=M
M('-O<G)Y/PH*1$%'3U-424Y/"E1H:7,@:6YT97)R;V=A=&EO;BTM=&AE(&EL
M;&5G86P@<W1E86QI;F<@;V8@;7D@96UA:6QS+2UD:60@>6]U(&MN;W<@86)O
M=70@:70_"@I&3$%(15)460I(;VQD(&]N(2!0870@=V%S+2T*"DQ!4E,*1&5T
M96-T:79E($EN<W!E8W1O<B!&;&%H97)T>2X*"D9,04A%4E19"E=H870@>6]U
M)W)E(&EN<VEN=6%T:6YG+BXN"@I,05)3"D%R92!Y;W4@9&]N92P@1FQA:&5R
M='D_($-E;&5S+"!)(&AA=F4@;F\@86YS=V5R('1O(&]F9F5R(&%B;W5T('EO
M=7(@<75E<W1I;VXN(%1O('1H92!B97-T(&]F(&UY(&MN;W=L961G92P@=V4@
M:&%V92!A<'!R;V%C:&5D('1H:7,@8V%S92!W:71H(%]A;&Q?(&1U92!R:6=O
M=7(@86YD('!R;W1O8V]L+@H*1$%'3U-424Y/"EEO=2=R92!L>6EN9R$@5&AE
M<F4G<R!S;VUE=&AI;F<@;V9F('=I=&@@=&AI<R!C87-E+@H*3$%24PI)9B!T
M:&5R92=S(&%N>2!M:7-C;VYD=6-T+"!)(&%S<W5R92!Y;W4@22!W:6QL(&QO
M;VL@:6YT;R!T:&4@;6%T=&5R+@H*1$%'3U-424Y/"E1H870@:7,@;65A;FEN
M9VQE<W,N("I;<VEG:%TJ($-A<F1S(&]N('1H92!T86)L92X@66]U(&%R92!B
M;W1H('1O;R!S='5P:60@=&\@8F4@=V]R=&@@86YY(&]F(&UY('1I;64N($D@
M:VYO=R!T:&%T('EO=2=R92!B;W1H(&5I=&AE<B!I;F-O;7!E=&5N="!O<B!I
M;G1E;G1I;VYA;&QY(&YE9VQI9V5N=',N($D@9&]N)W0@8V%R92!W:&%T('EO
M=2!L;V]K(&EN=&\N($D@9&]N)W0@8V%R92!W:&5T:&5R('EO=7(@<W5P97)I
M;W)S(&9I;F0@;W5T('=H870@>6]U)W9E(&1O;F4N($D@:G5S="!C87)E+"!H
M97)E)W,@=VAA="=S(&=O:6YG('1O(&AA<'!E;BX@66]U(&%R92!G;VEN9R!T
M;R!D96QE=&4@86QL(&-O;F9I9&5N=&EA;"!F:6QE<R!Y;W4@:6QL96=A;&QY
M('-T;VQE+B!9;W4@=VEL;"!S=&]P(&AO=6YD:6YG(&UE+"!A;F0@>6]U('=I
M;&P@<W1O<"!H;W5N9&EN9R!T:&4@<&5O<&QE($D@;&]V92X@268@>6]U('=O
M=6QD(&QI:V4@=&\@:6YT97)R;V=A=&4@<V]M96]N92P@>6]U)VQL(&EN=&5R
M<F]G871E(&UY(&QA=WEE<BX@1&\@>6]U('5N9&5R<W1A;F0@=VAA="!))VT@
M<V%Y:6YG/PH*1DQ!2$525%D*2&%N9R!O;BP@1"=!9V]S=&EN;R$*"DQ!4E,*
M5&AI<R!I;G1E<G9I97<@:&%S('1E<FUI;F%T960@870@,3`Z-#D@86T@;VX@
M=&AE+BXN"@I!(&1O;W(@;W!E;G,N"@I,05)3("A#3TY4)T0I"BXN+C$W=&@@
C;V8@1F5B<G5A<GD@,C`P.2X*"E)E8V]R9&EN9R!E;F1S+@HI
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.private/case/transcript.textbundle/secure-transcript.fountain'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.private/case/transcript.textbundle/secure-transcript.fountain failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.private/case/transcript.textbundle/secure-transcript.fountain': 'MD5 check failed'
       ) << \SHAR_EOF
c7d546b9c200c8c476d78449b62837fd  USB Flash Drive/.private/case/transcript.textbundle/secure-transcript.fountain
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.private/case/transcript.textbundle/secure-transcript.fountain'` -ne 7595 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.private/case/transcript.textbundle/secure-transcript.fountain' is not 7595"
  fi
fi
# ============= USB Flash Drive/.private/case/transcript.textbundle/secure-info.json ==============
if test ! -d 'USB Flash Drive/.private/case/transcript.textbundle'; then
  mkdir 'USB Flash Drive/.private/case/transcript.textbundle' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/.private/case/transcript.textbundle/secure-info.json'
then
${echo} "x - SKIPPING USB Flash Drive/.private/case/transcript.textbundle/secure-info.json (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.private/case/transcript.textbundle/secure-info.json
M>PH@(")V97)S:6]N(CH@,BP*("`B='EP92(Z(")C;VTN<75O=&5U;G%U;W1E
M87!P<RYF;W5N=&%I;B(L"B`@(F-O;2YQ=6]T975N<75O=&5A<'!S+FAI9VAL
M86YD,B(Z('L*("`@(")S:&]W4WEN;W!S97,B.B!F86QS92P*("`@(")C=7)R
M96YT5&%B26YD97@B.B`P+`H@("`@(G1E;7!L871E3F%M92(Z(")4<F5A=&UE
M;G0B+`H@("`@(G!R:6YT4&%R86=R87!H3G5M8F5R<R(Z(&9A;'-E"B`@?2P*
7("`B=')A;G-I96YT(CH@9F%L<V4*?0IH
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.private/case/transcript.textbundle/secure-info.json'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.private/case/transcript.textbundle/secure-info.json failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.private/case/transcript.textbundle/secure-info.json': 'MD5 check failed'
       ) << \SHAR_EOF
ad6206543c18a0b99689d21c3c21329c  USB Flash Drive/.private/case/transcript.textbundle/secure-info.json
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.private/case/transcript.textbundle/secure-info.json'` -ne 248 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.private/case/transcript.textbundle/secure-info.json' is not 248"
  fi
fi
# ============= USB Flash Drive/.private/case/transcript.textbundle/navigatorFilters.json ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/.private/case/transcript.textbundle/navigatorFilters.json'
then
${echo} "x - SKIPPING USB Flash Drive/.private/case/transcript.textbundle/navigatorFilters.json (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.private/case/transcript.textbundle/navigatorFilters.json
M>R)I;6%G97,B.G1R=64L(FEN8VQU9&5D1FEL97,B.G1R=64L(G)E9F5R96YC
M94QI;FMS(CIT<G5E+")S96-T:6]N2&5A9&5R<R(Z=')U92PB;F]T97,B.G1R
M=64L(FQI;FMS(CIT<G5E+")S8V5N94AE861E<G,B.G1R=64L(G-Y;F]P<V5S
((CIT<G5E?0IS
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.private/case/transcript.textbundle/navigatorFilters.json'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.private/case/transcript.textbundle/navigatorFilters.json failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.private/case/transcript.textbundle/navigatorFilters.json': 'MD5 check failed'
       ) << \SHAR_EOF
ae39d63e761b4b5832d161ab26b9494d  USB Flash Drive/.private/case/transcript.textbundle/navigatorFilters.json
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.private/case/transcript.textbundle/navigatorFilters.json'` -ne 143 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.private/case/transcript.textbundle/navigatorFilters.json' is not 143"
  fi
fi
# ============= USB Flash Drive/.private/case/secure-Journal Entry Ruska Keating.txt ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/.private/case/secure-Journal Entry Ruska Keating.txt'
then
${echo} "x - SKIPPING USB Flash Drive/.private/case/secure-Journal Entry Ruska Keating.txt (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.private/case/secure-Journal Entry Ruska Keating.txt
M1&EG:71I<V5D(&9R;VT@:&%N9'=R:71I;F<@;VX@030@;&EN960@<&%P97(N
M($]R:6=I;F%L('-C86YS(&%V86EL86)L92!I;B!A<F-H:79E+@I086=E(&9O
M=6YD(&EN('1H92!P;W-S97-S:6]N(&]F(%)U<VMA($ME871I;F<L(&-O;&QE
M8W1E9"!I;G1O(&5V:61E;F-E(&)Y($1)($9L86AE<G1Y(')E9V%R9&EN9R!E
M;6)E>GIL96UE;G0@8V%S92!#,S@Q+@I086=E('1E>'0@9F]L;&]W<RX*"@I.
M;W1E(&9O<B!P;W-T97)I='DL($D@<'5T(&%L;"!T:&4@=6YF:6QE9"!C;&EE
M;G0@<F5P;W)T<R!A=V%Y(')A=&AE<B!T:&%N(&QE="!T:&5M('-T87D@;VX@
M=&AE(&EN8F]X(&1E<VL@9F]R979E<BX@5&AE<F4@=V5R92!A8F]U="!T=V5N
M='DL(&%N9"!T:&5Y('=E<F4@86QR96%D>2!A;'!H86)E=&EC86PN($EN86YE
M(&%S(&ET(&ES('1O(')E8V]R9"!W:&5R92!)(&UO=F5D(&$@<W1A8VL@;V8@
M<&%P97)S+"!I="=S(&$@=V%Y(&9O<B!M92!T;R!S=&%Y(&EN(&-O;G1R;VP@
M;V8@979E<GET:&EN9RX@36]S="!O9B!I="!W96YT(&EN=&\@34E30RX@270G
M<R!N;W0@:&]W('EO=2!W;W5L9"!H879E(&1O;F4@:70L(&)U="!T:&%T('=A
M<R!Y;W5R(&MN86-K+"!N;W0@;6EN92X@270G<R!H87)D('1O(&1O(&%N>71H
M:6YG(')I9VAT('=I=&@@=&AE('-T871E(&ET)W,@86QL(&EN+B!)('1R:65D
M('1O(&-R;W-S(&]U="!Y;W5R(&YA;64@;VX@=&AE(&1O;W(@8G5T($D@8V]U
M;&1N)W0@9&\@=&AA="X*5&AE>2!S87D@:70@=V%S('EO=7(@:&5A<G0N($D@
M9F5L="!I="!O;F4@=&EM92!I;B!Y;W5R(')I8F-A9V4@8F5A=&EN9R!A9V%I
M;G-T(&UY('!A;&TN($D@<F5M96UB97(@=&AE(&)I<F1S;VYG('!A:6YF=6QL
M>2!I;B!T:&4@=')E97,@86YD('1H92!B:7)D(&9L=71T97(@9F5E;&EN9R!T
M:&5R92X@5&AI<R!W87-N)W0@<F5C96YT+B!)(&-O=6QD;B=T('-E92!W:&5T
M:&5R('EO=2!W97)E(&)R96%T:&EN9RX@270@;75S="!H879E(&)E96X@;&%T
M92!*=6YE+"!F<F]M('1H92!S:&%R<&YE<W,@;V8@<VMY(&)L=64@:6X@=&AE
M(&QI9VAT+B!9;W4@=V5R92!L>6EN9R!O;B!T:&4@9W)O=6YD($D@=&AI;FL@
M869T97(@8VQI;6)I;F<@;W5T('1H92!W:6YD;W<@;VX@=&AE('-O=71H('-I
M9&4@;V8@=V]R:RP@<&%G97,@:'5R;&5D(&5V97)Y=VAE<F4@:6YS:61E(&]F
M(&-O=7)S92X@66]U(&AA9"!S:&EM;6EE9"!O=F5R('1H92!L961G92P@86YD
M(&%S('1H92!R;V]M(&EN<VED92!W96YT(&1A<FL@86YD('1H92!P87!E<G,@
M;&%N9&5D+"!Y;W4@;75S="!H879E('-L:7!P960N(")$86YG97(A(B!A;GEO
M;F4@<VAO=71E9"P@;F]T('1H870@86YY;VYE(&QI<W1E;F5D+B!3;R!)('1O
M;VL@82!S=&5P('1O('EO=2P@86YD(&%N;W1H97(L(&)E8V%U<V4@:&]W(&-O
M=6QD($D@:V5E<"!M>2!D:7-T86YC92!F<F]M(&$@;F]W(&1A<FL@<F]O;2!A
M;F0@82!F86QL:6YG(&9R:65N9#\@268@>6]U(&-O=6QD('-E92!M>2!F86-E
M+"!Y;W5R(&5Y97,@=V5R92!E>'!E<G0@;&EA<G,[('1H92!P=7!I;',@=V5N
M="!B:6<@86YD('-M86QL(&]V97(@86YD(&]V97(@;&EK92!T:&4@;75S8VQE
M(&EN('EO=7(@8VAE<W0N($EN(&UY(&UI;F0@:70@=V%S('-O;65T:&EN9R!L
M:6ME(&1R96%D($D@9W5E<W,L(&]R('=H96X@82!P=7!P>2=S(&UO=&AE<B!L
M:69T<R!I="!B>2!I="=S(&YE8VL@<V-R=69F(&%N9"!A;&P@;7D@<VMI;B!G
M;V5S('1A=70N($D@8V]U;&0@;F5V97(@<F5A;&QY('!U="!I="!I;B!W;W)D
M<R!B=70@22!K;F]W($D@<F5M96UB97(@:70@:G5S="!T:&4@<V%M92X@5&AE
M('!U9R!S:VEN('1A=70@:7,@;F]T(&$@;65M;W)Y(&QI:V4@>6]U<B!B96%T
M:6YG(&AE87)T+"!N;W0@9F%R(&]F9BP@8F5C875S92!)(&9E96P@:70@;F]W
M(&%L;"!O=F5R(&UE+B!)="=S(&$@9F%C="!O9B!N;W0@:VYO=VEN9R!I9B!)
M)VQL('-E92!Y;W4@86=A:6XN"E=O<FL@=V%S('%U:65T:6YG('1H86YK($-H
M<FES="!B=70@<V\@=V5R92!Y;W4@22!W;W)R:65D+B!9;W4@=V5R92!A;&UO
M<W0@<VEL96YT(&]N('1H92!G<F%S<RP@86QL(&)I<F1S;VYG(&%B;W9E+B!)
M(&-O=6YT960@:&5A<G1B96%T<R!B=70@22!W87-N)W0@<W5R92!W:&]S92!T
M:&5Y(&)E;&]N9V5D('1O+B!)+"!I="!C<F]S<V5D(&UY(&UI;F0@;6EG:'0@
M8F4@<F5P96%T:6YG(&UY(&UI<W1A:V4@=VAE;B!W:71H('EO=2P@;V8@9FEL
M;&EN9R!I;B!A('-I;&5N8V4@=VET:"!M>7-E;&8N($EN(&UY('=R;VYG(&UI
M;F0@>6]U('=E<F4@;'EI;F<@9&5A9"!R:6=H="!T:&5R92P@:VEL;&5D(&)Y
M(&$@<W5D9&5N('-L:7`@869T97(@<W5R=FEV:6YG(&$@5&5M<&5S="X@22!A
M<V-R:6)E9"!W:&%T(&-O=6QD(&AA=F4@8F5E;B!M>2!O=VX@:&5A<G1B96%T
M<R!T;R!Y;W5R('!U;'-E+"!B96-A=7-E($D@8V%N)W0@8F5A<B!T:&5R92!T
M;R!B92!N;W1H:6YG+@I.;W<@=&AE<F4G<R!N;W1H:6YG('1O(&-O;F9U<V4N
M($D@:VYO=R!Y;W5R(&AE87)T(&ES('-I;&5N="!F<F]M('=H870@=&AE>2!T
M;VQD(&UE+"!A;F0@>65T(&AE<F4@22!A;2P@=')Y:6YG(&1E<W!E<F%T96QY
M('1O(&9I;&P@:6X@=&AE(&5M<'1Y(&%I<B!W:71H(&$@;65M;W)Y(&]F('EO
M=2X@5&AA="!T:6UE+"!Y;W4@8V]U9VAE9"X@4V%T('5P('-T<F%I;F5D(&%G
M86EN<W0@;7D@:&%N9"!P<F5S<VEN9R!A9V%I;G-T('EO=7(@8VAE<W0N($EN
M('1H92!M96UO<GD@>6]U(&AA=F5N)W0@9V]N92X@66]U(&AA=F5N)W0@9V]N
M92X*1&]C=6UE;G1S('-T<F5A;2!I;B!U;F5N9&EN9VQY+"!S;VUE(&]F('1H
M96T@87-S:6=N960@=&\@>6]U<B!N86UE(&]N('1H92!P86=E+B!)9B!Y;W4@
M=V5R92!S=&EL;"!H97)E('EO=2=D(&MN;W<@=VAA="!D;R!W:71H('1H96T@
M86QL+B!)="!W87,@9&]W;B!T;R!A('-C:65N8V4@=VET:"!Y;W4L(&%N9"!W
M:71H(&%L;"!T:&4@9&%N9V5R<R!T:&%T('-C:65N8V4@:6UP;&EE<RX@66]U
M(&-A=7-E9"!Y;W5R(&]W;B!L:71T;&4@4W1O<FT@;V8@<&%P97)S+"!B=70@
M=&AE>2!A;'=A>7,@<V5T=&QE9"!I;B!T:&4@<FEG:'0@<&QA8V4N($ET)W,@
M870@=&AE('!O:6YT('=H97)E($D@8V%N)W0@<F5A9"!O;F4@;V8@=&AE;2!W
M:71H;W5T(')E;65M8F5R:6YG('EO=7(@<&%T:65N="!S;6EL92!A="!T:&4@
M861M:6X@9&5S:RX@22!D;VXG="!L96%V92!T:&5M('=H97)E('1H97D@8F5L
M;VYG+B!);G1O($U)4T,L(&%L;"!O9B!T:&5M+B!#871E9V]R:7II;F<@82!2
M879E;B!R97!O<G0@<FES:W,@8V]N9G)O;G1I;F<@>6]U+@I997-T97)D87D@
M22!W86QK960@:6YT;R!W;W)K(&%N9"!C;VQL87!S960@:6YT;R!M>2!C:&%I
M<BX@270@9F5L="!L:6ME('5N=&EL($D@<V%T(&1O=VX@>6]U('=E<F4@86)O
M=F4@;64@:&]L9&EN9R!M92!S=&%N9&EN9RP@<W5S<&5N9&EN9R!M>2!F<F%M
M92!B>2!M>2!N96-K(&%N9"!S:VEN+B!,:6ME(&UY('-K96QE=&]N('=A<R!W
M;W)T:"!N;W1H:6YG(&%N>6UO<F4@86YD($D@8V%N)W0@<W1A;F0@=7`@86QO
M;F4N($%T('-O;64@<&]I;G0@22!H96%R9"!A('!A<&5R(&9L=71T97(@86YD
M($D@<F5A;&ES960@22!W87,@;VYL>2!S=&%R:6YG('1H<F]U9V@@=&AA="!S
M;W5T:&5R;B!W:6YD;W<@870@8FQU92X@22!B;&EN:V5D(&%N9"!W96YT(&AO
M;64N($DG;2!G;VEN9R!T;R!T96QL(&UY<V5L9B!T:&%T('=E('=E<F4@<V5P
M87)A=&4@<&5O<&QE('=H;R!C86X@<W5R=FEV92!W:71H;W5T('1H92!O=&AE
M<BP@=&AA="!Y;W5R(&AE87)T('=O=6QD(&AA=F4@:V5P="!O;B!B96%T:6YG
M(&5V96X@=VET:&]U="!T:&4@<')E<W-U<F4@;V8@;7D@<&%L;2!O;B!Y;W5R
M(&-H97-T+B!->2!H96%R="!I<VXG="!W96%K+B!->2!E>65S(&%R92!U;F-L
M;W5D960N(%1H92!B:7)D<R!A<F4@8VAI<G!I;F<@=&]D87DN($D@:&%V96XG
M="!L96%R;F5D(&AO=R!T;R!S:&%R92!T:&5I<B!G;&5E('=I=&AO=70@>6]U
M(&%N>6UO<F4N($%T('=O<FL@2VEM('=A<R!P;&%Y:6YG('9I;VQI;BP@86YD
M(&]F(&-O=7)S92!Y;W4@86YD($D@:VYO=R!H;W<@;75C:"!)(&AA=&4@=&AA
M="!L=6UP(&]F('=O;V0L(&%S('=E;&P@87,@=&AE('9I;VQI;BX@2VEM('!L
M87ES(&QI:V4@=&AE('-O;F<@:7,@;6ES<VEN9R!S;VUE('9I=&%L('1H:6YG
M+B!"=70@=&]D87D@<V]M971H:6YG(&ES(')E86QL>2!G;VYE.B!Y;W4N($D@
M<')E=&5N9&5D('1O(&EG;F]R92!+:6T@87,@86QW87ES(&)U="!)('=A<R!C
M<GEI;F<@22!T:&EN:RX@5&AE('9I=&%L('1H:6YG('EO=2=R92!M:7-S:6YG
M+"!T:&5Y('-A>2!I="!W87,@>6]U<B!H96%R="P@8G5T(&UA>6)E('EO=7(@
M97EE<R!R96%L;'D@9&ED(&ET+B!,871E($IU;F4L(&EF('EO=2!C;W5L9&XG
M="!F;V-U<R!O;B!M>2!F86-E(&%B;W9E('EO=7)S(&EN('1H870@;6]M96YT
M+"!W:&%T('=E<F4@>6]U(&5V96X@<V5E:6YG/R!!('!I;G!R:6-K(&UO=FEN
M9R!T;W=A<F1S(&%N9"!A=V%Y+"!P=7!I;',@<VUA;&QE<BP@8FEG9V5R(&%N
M9"!S;6%L;"!A9V%I;BX@22!D;VXG="!K;F]W(&AO=R!T;R!R97!O<G0@;W5R
M('-T;W)Y(&5X8V5P="!I;B!M971A<&AO<G,N"E1H870G<R!N;W0@=')U92X@
M22!K;F]W(&5X86-T;'D@=VAA="!T;R!S87DL(&ET(&)U<FYS(&]N(&UY('1O
M;F=U92P@8G5T('1H92!O;FQY('-E;G1E;F-E($D@8V%N(&9A8V4@;7ES96QF
M('1O('=R:71E(&ES('1H97-E(&]N97,@=VET:"!H86QF('1R=71H<R!A;F0@
M86YA;&]G:65S+B!9;W4@;F5V97(@9F%L=&5R960@=VAA="!T;R!S87DL(&YO
M(&UA='1E<B!H;W<@;F5A<B!D96%T:"!Y;W4@;&]O:V5D+B!$;R!Y;W4@<F5M
M96UB97(@:70@=&]O+"!H;W<@>6]U('-A="!U<"P@8FQI;FME9"!A="!M92P@
M86YD('1O;&0@;64@>6]U('=E<F5N)W0@9V]I;F<@86YY=VAE<F4L(&YO="!E
M=F5R(&%N>7=H97)E(&%W87D_($D@8F5L:65V960@>6]U+@I%>'!E<G0@;&EA
M<B!T:&5N+"!B96-A=7-E(&YO=R!Y;W4G<F4@9V]N92X@5&AE('=O<G-T('!A
M<G0@:7,L(&EN(&UY(&AE87)T(&]F(&AE87)T<R!)('-T:6QL(&)E;&EE=F4@
M>6]U+B!))VT@<W1I;&P@=V]N9&5R:6YG(&%T('=O<FL@=VAE;B!T:&4@=&5M
M<&5S="!W:6QL(&1I92!D;W=N(&%N9"!L:69E('=I;&P@:V5E<"!G;VEN9RX@
M22=M('-T:6QL('=A:71I;F<@9F]R('EO=2!T;R!C;VUE(&)A8VLL('-I="!A
M="!T:&%T(&%D;6EN(&1E<VLN($D@:6UA9VEN92!Y;W4@<FEG:'0@:6X@9G)O
M;G0@;V8@;64L('1H96X@;W!E;B!M>2!E>65S('1O(')E86QI>F4@:G5S="!H
M;W<@9F%R(&%W87D@>6]U(&%R92X@22!W86ET(&9O<B!T:&5M('1O(&%D:G5S
M="!T;R!A('!I;G!R:6-K(&EN('1H92!D:7-T86YC92!B=70L(&5V97)Y('1I
M;64@22!B;&EN:R!T:&5Y(&-L;W-E(&%N9"!Y;W4G<F4@8VQO<V4@=&]O+@I)
M('1H:6YK($D@;&]V960@>6]U+"!F;W(@870@;&5A<W0@82!B<FEE9B!M;VUE
M;G0N(%1H<F5E(&)R:65F(&UO;65N=',N($UM+"!Y;W4@:VYO=R!T:&4@=&AI
M<F0N(%1H92!S96-O;F0@;VYE('=A<R!W:&5N('EO=2!T;VQD(&UE('=H:7-P
M97)I;F<@86)O=70@>6]U<B!H;VUE('5P($YO<G1H+"!H;W<@=&AE(&UO=6YT
M86EN<R!R96%C:"!U<"!A="!T:&4@<VMY+"!A;F0@=&AE(')E9"!B;'5S:"!O
M9B!D87=N(&)L86YK971S('EO=7(@<&%T:'=A>2P@86YD('1H92!C<FEM97,@
M>6]U('=O=6QD(&YE=F5R('%U97-T:6]N('1O('-E92!Y;W5R(&9A;6EL>2!S
M869E('1H97)E+@I4:&4@9FER<W0@=&EM92!)(&QO=F5D('EO=2P@>6]U('1O
M;&0@;64@>6]U('=O=6QD(&YE=F5R(&QE879E+B!.;W0@86YY=VAE<F4@87=A
M>2X@3F\@;6%T=&5R(&AO=R!H87)D($D@=')Y('1O('1R87`@=&AA="!M;VUE
M;G0L('1H97)E)W,@;F]T:&EN9R!L969T(&]F('EO=2!T;R!L;W9E+B!4:&5R
M92=S(&]N;'D@>6]U<B!F<F5N>FEE9"!P=7!I;',@86YD(&)O=&@@;W5R('!A
M;FEC:V5D(&AE87)T<RX@22=V92!F:6=U<F5D(&]U="!W:&EC:"!W;W)D('1O
M('5S92!F;W(@=&AA="!F965L:6YG(&EN(&UY(&=U="X@270G<R!F:7-S:6]N
M+B!4:&4@:6YD:79I<VEB;&4@871O;2!O9B!Y;W4@86YD($DL($DG;2!T<GEI
M;F<@;7D@9&%M;F5D97-T('1O(&AO;&0@;VX@=&\@:70L(&)U="!F;W)C97,@
M;V8@=&AE('5N:79E<G-E('1E87(@=&AA="!I;G1O('1O;RP@=&]O+"!M86YY
M('!I96-E<RX@5V4@=V5R92!C;&5F="!A="!T:&4@=F5N=')I8VQE+B!)="!B
M=7)N<R!T<GEI;F<@=&\@:&]L9"!P87)T:6-L97,@<W1A8FQE(&EN('-U8V@@
M82!C:&%O=&EC('=O<FQD+B!)(&ME97`@<V5A<F-H:6YG(&9O<B!O<F1E<B!I
M;B!T:&4@96YT<F]P>2X@365A;FEN9R!T;R!M>2!M861N97-S+B!)(&%S:RX@
M5VAY(&AA=F4@>6]U(&1I960L(&%N9"!W:&5N(&%R92!Y;W4@8V]M:6YG(&)A
M8VL_"DDG;2!R96%D>2!T;R!S=&%R="!A(&9I9VAT(&%T('EO=7(@9G5N97)A
M;"X@02!H96%R="!I<R!B87)E;'D@;VYE(&-L96YC:&5D(&9I<W0@:6X@<VEZ
M92X@27,@=&AI<R!W:&%T('1H97D@;65A;B!B>2!M=71U86QL>2!A<W-U<F5D
M(&1E<W1R=6-T:6]N/R!#<F5M871I;VX_(%=H870G<R!S<&5N="!I<R!S<&5N
M="X@5&AE(&]N;'D@=&AI;F<@;&5F="!O9B!M92!I<R!T;R!D:7-P;W-E(&]F
M('1H92!F86QL;W5T+@I7:&5N('EO=2!F:7)S="!F96QL(&9R;VT@=&AA="!4
H96UP97-T+"!)('-H;W5L9"!H879E(&ME<'0@;7D@9&ES=&%N8V4N"FAA
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.private/case/secure-Journal Entry Ruska Keating.txt'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.private/case/secure-Journal Entry Ruska Keating.txt failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.private/case/secure-Journal Entry Ruska Keating.txt': 'MD5 check failed'
       ) << \SHAR_EOF
2048a8d08753eb1e4065800b63db6e29  USB Flash Drive/.private/case/secure-Journal Entry Ruska Keating.txt
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.private/case/secure-Journal Entry Ruska Keating.txt'` -ne 6700 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.private/case/secure-Journal Entry Ruska Keating.txt' is not 6700"
  fi
fi
# ============= USB Flash Drive/email/k.patel@mlmsolutions.com/B942-5464-F015@smtp.mlmsolutions.com.eml ==============
if test ! -d 'USB Flash Drive/email'; then
  mkdir 'USB Flash Drive/email' || exit 1
fi
if test ! -d 'USB Flash Drive/email/k.patel@mlmsolutions.com'; then
  mkdir 'USB Flash Drive/email/k.patel@mlmsolutions.com' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@mlmsolutions.com/B942-5464-F015@smtp.mlmsolutions.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@mlmsolutions.com/B942-5464-F015@smtp.mlmsolutions.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@mlmsolutions.com/B942-5464-F015@smtp.mlmsolutions.com.eml
M1G)O;3H@4G5S:V$@2V5A=&EN9R`\<BYK96%T:6YG0&UL;7-O;'5T:6]N<RYC
M;VT^"E1O.B!+:7)A;B!0871E;"`\:RYP871E;$!M;&US;VQU=&EO;G,N8V]M
M/@I3=6)J96-T.B!3:&EF=&EN9R!F965T"D1A=&4Z(%1H=2P@,2!*86X@,3DW
M,"`P,#HP,#HP,"`M,#`P,`I-97-S86=E+4E$.B`\0CDT,BTU-#8T+48P,35`
M<VUT<"YM;&US;VQU=&EO;G,N8V]M/@H*2&5L;&\@2VER86XL"E1H92!W;W)K
M(&ES('1H92!S86UE(&)U="!)(&%M(&YO="!T:&4@<V%M92X*4F%V96X@=V%S
M(&$@9G)I96YD+B!!(&9R:65N9"!T;R!A;&PL(&)U="!A;&P@=&AE('-A;64L
M(%)A=F5N('=A<R!A(&9R:65N9"X*22!F965L(&1E97!L>2!M:7-S:6YG+B!)
D(&YE960@<V]M92!T:6UE+@I"97-T('=I<VAE<RP*4G5S:V$*
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@mlmsolutions.com/B942-5464-F015@smtp.mlmsolutions.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@mlmsolutions.com/B942-5464-F015@smtp.mlmsolutions.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@mlmsolutions.com/B942-5464-F015@smtp.mlmsolutions.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
223acfcfa072fc90d018b3be1075504f  USB Flash Drive/email/k.patel@mlmsolutions.com/B942-5464-F015@smtp.mlmsolutions.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@mlmsolutions.com/B942-5464-F015@smtp.mlmsolutions.com.eml'` -ne 396 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@mlmsolutions.com/B942-5464-F015@smtp.mlmsolutions.com.eml' is not 396"
  fi
fi
# ============= USB Flash Drive/email/k.patel@mlmsolutions.com/C3D0-4907-F5CC@smtp.mlmsolutions.com.eml ==============
if test ! -d 'USB Flash Drive/email/k.patel@mlmsolutions.com'; then
  mkdir 'USB Flash Drive/email/k.patel@mlmsolutions.com' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@mlmsolutions.com/C3D0-4907-F5CC@smtp.mlmsolutions.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@mlmsolutions.com/C3D0-4907-F5CC@smtp.mlmsolutions.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@mlmsolutions.com/C3D0-4907-F5CC@smtp.mlmsolutions.com.eml
M1G)O;3H@4&%R:7,@36]N=&9E<G)A="`\<"YM;VYT9F5R<F%T0&UL;7-O;'5T
M:6]N<RYC;VT^"E1O.B!+:7)A;B`\:RYP871E;$!M;&US;VQU=&EO;G,N8V]M
M/@I3=6)J96-T.B!213H@97AP96YS97,*1&%T93H@5&AU+"`Q($IA;B`Q.3<P
M(#`P.C`P.C`P("TP,#`P"DEN+5)E<&QY+51O.B`\0S!&0BTS0D5!+41$,$)`
M<VUT<"YM;&US;VQU=&EO;G,N8V]M/@I2969E<F5N8V5S.B`\,CA#-RU"1#(Y
M+4(S0D5`<VUT<"YM;&US;VQU=&EO;G,N8V]M/B`\,S4X,"TR,S,V+3`X,39`
M<VUT<"YM;&US;VQU=&EO;G,N8V]M/B`\0S!&0BTS0D5!+41$,$)`<VUT<"YM
M;&US;VQU=&EO;G,N8V]M/@I-97-S86=E+4E$.B`\0S-$,"TT.3`W+48U0T-`
M<VUT<"YM;&US;VQU=&EO;G,N8V]M/@H*1&5A<B!+:7)A;BP*"DEN(&UY(&QA
M<W0@96UA:6P@<V]M92!O9B!M>2!P:')A<VEN9R!C;W5L9"!H879E(&)E96X@
M8V]N<W1R=65D(&%S(#QI/G-T86YD;V9F:7-H/"]I/B!O<B`\:3YU;FAA<'!Y
M/"]I/BX@22!O;FQY(&UE86YT('1O('-U9V=E<W0@=&AA="!S;VUE(&1E8VES
M:6]N<R!H879E(&QE860@=7,@=&\@=&AE('-I='5A=&EO;B!W92!A<F4@:6XN
M(%-C:65N8V4@:7,@9&%N9V5R;W5S+B!792=L;"!T86QK(&QA=&5R(&%B;W5T
M(&UA;F1A=&]R>2!S96-U<FET>2!P<F]T;V-O;"X*"E-E92!Y;W4@<V]O;BP*
&4&%R:7,*
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@mlmsolutions.com/C3D0-4907-F5CC@smtp.mlmsolutions.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@mlmsolutions.com/C3D0-4907-F5CC@smtp.mlmsolutions.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@mlmsolutions.com/C3D0-4907-F5CC@smtp.mlmsolutions.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
a19b845ebd3f803aeeabdb65bb87c910  USB Flash Drive/email/k.patel@mlmsolutions.com/C3D0-4907-F5CC@smtp.mlmsolutions.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@mlmsolutions.com/C3D0-4907-F5CC@smtp.mlmsolutions.com.eml'` -ne 681 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@mlmsolutions.com/C3D0-4907-F5CC@smtp.mlmsolutions.com.eml' is not 681"
  fi
fi
# ============= USB Flash Drive/email/k.patel@mlmsolutions.com/3580-2336-0816@smtp.mlmsolutions.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@mlmsolutions.com/3580-2336-0816@smtp.mlmsolutions.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@mlmsolutions.com/3580-2336-0816@smtp.mlmsolutions.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@mlmsolutions.com/3580-2336-0816@smtp.mlmsolutions.com.eml
M1G)O;3H@2VER86X@4&%T96P@/&LN<&%T96Q`;6QM<V]L=71I;VYS+F-O;3X*
M5&\Z(%!A<FES($UO;G1F97)R870@/'`N;6]N=&9E<G)A=$!M;&US;VQU=&EO
M;G,N8V]M/@I3=6)J96-T.B!213H@97AP96YS97,*1&%T93H@5&AU+"`Q($IA
M;B`Q.3<P(#`P.C`P.C`P("TP,#`P"DEN+5)E<&QY+51O.B`\,CA#-RU"1#(Y
M+4(S0D5`<VUT<"YM;&US;VQU=&EO;G,N8V]M/@I2969E<F5N8V5S.B`\,CA#
M-RU"1#(Y+4(S0D5`<VUT<"YM;&US;VQU=&EO;G,N8V]M/@I-97-S86=E+4E$
M.B`\,S4X,"TR,S,V+3`X,39`<VUT<"YM;&US;VQU=&EO;G,N8V]M/@H*9&]N
M)W0@=V]R<GD@86)O=70@:70L($D@9FEL;&5D('1H96T@:6X@9F]R('EO=0IM
M87EB92!N97AT('1I;64@>6]U(&-O=6QD(&9I;&4@=&AE;2!A<R!Y;W4@9V\L
A(&EN<W1E860L('1O('-M;V]T:"!T:&ES('!R;V-E<W,*
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@mlmsolutions.com/3580-2336-0816@smtp.mlmsolutions.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@mlmsolutions.com/3580-2336-0816@smtp.mlmsolutions.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@mlmsolutions.com/3580-2336-0816@smtp.mlmsolutions.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
93187c80c2552869d9e928f861a0155a  USB Flash Drive/email/k.patel@mlmsolutions.com/3580-2336-0816@smtp.mlmsolutions.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@mlmsolutions.com/3580-2336-0816@smtp.mlmsolutions.com.eml'` -ne 438 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@mlmsolutions.com/3580-2336-0816@smtp.mlmsolutions.com.eml' is not 438"
  fi
fi
# ============= USB Flash Drive/email/k.patel@mlmsolutions.com/C0FB-3BEA-DD0B@smtp.mlmsolutions.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@mlmsolutions.com/C0FB-3BEA-DD0B@smtp.mlmsolutions.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@mlmsolutions.com/C0FB-3BEA-DD0B@smtp.mlmsolutions.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@mlmsolutions.com/C0FB-3BEA-DD0B@smtp.mlmsolutions.com.eml
M1G)O;3H@4&%R:7,@36]N=&9E<G)A="`\<"YM;VYT9F5R<F%T0&UL;7-O;'5T
M:6]N<RYC;VT^"E1O.B!+:7)A;B`\:RYP871E;$!M;&US;VQU=&EO;G,N8V]M
M/@I3=6)J96-T.B!213H@97AP96YS97,*1&%T93H@5&AU+"`Q($IA;B`Q.3<P
M(#`P.C`P.C`P("TP,#`P"DEN+5)E<&QY+51O.B`\,S4X,"TR,S,V+3`X,39`
M<VUT<"YM;&US;VQU=&EO;G,N8V]M/@I2969E<F5N8V5S.B`\,CA#-RU"1#(Y
M+4(S0D5`<VUT<"YM;&US;VQU=&EO;G,N8V]M/B`\,S4X,"TR,S,V+3`X,39`
M<VUT<"YM;&US;VQU=&EO;G,N8V]M/@I-97-S86=E+4E$.B`\0S!&0BTS0D5!
M+41$,$)`<VUT<"YM;&US;VQU=&EO;G,N8V]M/@H*1&5A<B!+:7)A;BP*"DET
M('-E96US(&QI:V5L>2!T:&%T($D@=V]U;&0@8F4@86)L92!T;R!F:6QL(&%N
M9"!F:6QE('EO=7(@97AP96YS92!S:&5E=',@:68@22!H860@/&D^86YY/"]I
M/B!M;VUE;G0@=&\@<W!A<F4N($D@=V]N9&5R+B`\:3Y7:&%T(&%C=&EO;G,\
M+VD^(&UI9VAT('=E(&%L;"!B92!A8FQE('1O(&1O+"!T;R!H96QP(&UE('=I
M=&@@=&AA=#\@5&\@:&5L<"#B@)QS;6]O=&@@<')O8V5S<V5SXH"=(&%S('EO
M=2!S87D_($D@9&]N)W0@:VYO=RP@<&5R:&%P<R!W92!C;W5L9"`\8CYR969R
M86EN/"]B/B!F<F]M(&-O;7!R;VUI<VEN9R!T:&4@<&AY<VEC86P@<V5C=7)I
M='D@;V8@;W5R(&-O;7!A;GD@8GD@;&5A=FEN9R!T:&4@8G5I;&1I;F<@=6YA
M='1E;F1E9"!A;F0@=6YL;V-K960N(%=O=6QD('1H870@8F4@82!P;W-S:6)I
M;&ET>2P@;W(@87)E('EO=2!G;VEN9R!T;R!K965P(&QE='1I;F<@;6%L:6=N
M86YT('!R97-E;F-E<R!T<F%I<'-E('1H<F]U9V@@;W5R('=O<FL@:6X@979E
M<GD@<&]S<VEB;&4@=V]R;&0A($D@9&]N)W0@:VYO=R!I9B!Y;W4@<F5A;&ES
M92`H:6X@<W!I=&4@;V8@;7D@<F5M:6YD97)S*2!T:&%T('EO=7(@86-T:6]N
M<R!H879E(&-O;G-E<75E;F-E<RX@22!D;VXG="!M:6YD+"!O;FQY('=H96X@
M=&AA="!C;VYS97%U96YC92!I<R!A(&)R96%K:6X@=&AA="!D97-T<F]Y<R!S
M;VUE(#0P,#`@/&D^=V]R=&@@;V8@<W5P<&QI97,\+VD^+B`\8CY93U52/"]B
M/B!A8W1I;VYS+B!3:&ET+"!T:&5R92!A<F4@>6]U<B!E>'!E;G-E<RX@22=M
M(&AE<F4@9G)A;G1I8R!W:71H('1H92!R97!A:7)S+"!D86UN(&ET+"!)(&1O
M;B=T(&AA=F4@=&EM92!F;W(@>6]U+B!&;W(@>6]U<B!E>'!E;G-E<RX*4&QU
M<R!W92!H879E(&YO(&%D;6EN:7-T<F%T;W(N($D@:VYO=R!)('-H;W5L9&XG
M="!S<&5A:R!I;&P@;V8@=&AE(&1E860L(&)U="!I="!W87,@1E5#2TE.1R!I
M;F-O;G-I9&5R871E(&9O<B!-87)S:6-K('1O(&ME96P@;W9E<B!N;W<N($-A
M;B!Y;W4@8W5T(&UE('-O;64@9G5C:VEN9R!S;&%C:S\*"D-O<F1I86QL>2P*
&4&%R:7,*
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@mlmsolutions.com/C0FB-3BEA-DD0B@smtp.mlmsolutions.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@mlmsolutions.com/C0FB-3BEA-DD0B@smtp.mlmsolutions.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@mlmsolutions.com/C0FB-3BEA-DD0B@smtp.mlmsolutions.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
ba9e183bee0802bf1632f3085c975725  USB Flash Drive/email/k.patel@mlmsolutions.com/C0FB-3BEA-DD0B@smtp.mlmsolutions.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@mlmsolutions.com/C0FB-3BEA-DD0B@smtp.mlmsolutions.com.eml'` -ne 1401 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@mlmsolutions.com/C0FB-3BEA-DD0B@smtp.mlmsolutions.com.eml' is not 1401"
  fi
fi
# ============= USB Flash Drive/email/k.patel@mlmsolutions.com/EEF6-A396-1A2E@smtp.mlmsolutions.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@mlmsolutions.com/EEF6-A396-1A2E@smtp.mlmsolutions.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@mlmsolutions.com/EEF6-A396-1A2E@smtp.mlmsolutions.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@mlmsolutions.com/EEF6-A396-1A2E@smtp.mlmsolutions.com.eml
M1G)O;3H@4&5Y=&]N(%`N(%-A;F-H97H@/'`N<V%N8VAE>D!M;&US;VQU=&EO
M;G,N8V]M/@I4;SH@2VER86X@4&%T96P@/&LN<&%T96Q`;6QM<V]L=71I;VYS
M+F-O;3X*4W5B:F5C=#H@4D4Z(%)A=F5N($UA<G-I8VL@<F5P;&%C96UE;G0*
M1&%T93H@5&AU+"`Q($IA;B`Q.3<P(#`P.C`P.C`P("TP,#`P"DEN+5)E<&QY
M+51O.B`\13%"1BU#1CA#+35$-C!`<VUT<"YM;&US;VQU=&EO;G,N8V]M/@I2
M969E<F5N8V5S.B`\13%"1BU#1CA#+35$-C!`<VUT<"YM;&US;VQU=&EO;G,N
M8V]M/@I-97-S86=E+4E$.B`\145&-BU!,SDV+3%!,D5`<VUT<"YM;&US;VQU
M=&EO;G,N8V]M/@H*<W5R90I)('1H:6YK(')U<VMA(&AA<R!W:&%T(&ET('1A
L:V5S+B!N;W0@<V%F9G)O;B!S:&%W('1H;W5G:"X*"G-O;65O;F4@96QS90IA
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@mlmsolutions.com/EEF6-A396-1A2E@smtp.mlmsolutions.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@mlmsolutions.com/EEF6-A396-1A2E@smtp.mlmsolutions.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@mlmsolutions.com/EEF6-A396-1A2E@smtp.mlmsolutions.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
6d7d8a281ccf3cc64f9bcce5820cfa91  USB Flash Drive/email/k.patel@mlmsolutions.com/EEF6-A396-1A2E@smtp.mlmsolutions.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@mlmsolutions.com/EEF6-A396-1A2E@smtp.mlmsolutions.com.eml'` -ne 404 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@mlmsolutions.com/EEF6-A396-1A2E@smtp.mlmsolutions.com.eml' is not 404"
  fi
fi
# ============= USB Flash Drive/email/k.patel@mlmsolutions.com/store.json ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@mlmsolutions.com/store.json'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@mlmsolutions.com/store.json (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@mlmsolutions.com/store.json
M>PH@(")I9',B.B!;"B`@("`B,CA#-RU"1#(Y+4(S0D5`<VUT<"YM;&US;VQU
M=&EO;G,N8V]M(BP*("`@("(S-3@P+3(S,S8M,#@Q-D!S;71P+FUL;7-O;'5T
M:6]N<RYC;VTB+`H@("`@(C0U.4,M-C(W0RTQ.3%"0'-M='`N;6QM<V]L=71I
M;VYS+F-O;2(L"B`@("`B-3!"-2TW,C%#+34W-S1`<VUT<"YM;&US;VQU=&EO
M;G,N8V]M(BP*("`@("(V,D%#+38Q13$M0S=%-T!S;71P+FUL;7-O;'5T:6]N
M<RYC;VTB+`H@("`@(CA$134M.#0U0RTW1#(R0'-M='`N;6QM<V]L=71I;VYS
M+F-O;2(L"B`@("`B03,Q12TU1CE%+3<T0S)`<VUT<"YM;&US;VQU=&EO;G,N
M8V]M(BP*("`@(")!,S-#+40T1D,M0D4U-T!S;71P+FUL;7-O;'5T:6]N<RYC
M;VTB+`H@("`@(D(Y-#(M-30V-"U&,#$U0'-M='`N;6QM<V]L=71I;VYS+F-O
M;2(L"B`@("`B0S!&0BTS0D5!+41$,$)`<VUT<"YM;&US;VQU=&EO;G,N8V]M
M(BP*("`@(")#,T0P+30Y,#<M1C5#0T!S;71P+FUL;7-O;'5T:6]N<RYC;VTB
M+`H@("`@(D0W0S4M.#(S02U!13DR0'-M='`N;6QM<V]L=71I;VYS+F-O;2(L
M"B`@("`B13%"1BU#1CA#+35$-C!`<VUT<"YM;&US;VQU=&EO;G,N8V]M(BP*
M("`@(")%148V+4$S.38M,4$R14!S;71P+FUL;7-O;'5T:6]N<RYC;VTB"B`@
472P*("`B9')A9G1S(CH@6UT*?0IS
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@mlmsolutions.com/store.json'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@mlmsolutions.com/store.json failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@mlmsolutions.com/store.json': 'MD5 check failed'
       ) << \SHAR_EOF
4a905632d38e522d156fd4fec5fd3240  USB Flash Drive/email/k.patel@mlmsolutions.com/store.json
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@mlmsolutions.com/store.json'` -ne 650 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@mlmsolutions.com/store.json' is not 650"
  fi
fi
# ============= USB Flash Drive/email/k.patel@mlmsolutions.com/62AC-61E1-C7E7@smtp.mlmsolutions.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@mlmsolutions.com/62AC-61E1-C7E7@smtp.mlmsolutions.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@mlmsolutions.com/62AC-61E1-C7E7@smtp.mlmsolutions.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@mlmsolutions.com/62AC-61E1-C7E7@smtp.mlmsolutions.com.eml
M1G)O;3H@0V5L97,@1"=!9V]S=&EN;R`\8RYD86=O<W1I;F]`;6QM<V]L=71I
M;VYS+F-O;3X*5&\Z($MI<F%N(%!A=&5L(#QK+G!A=&5L0&UL;7-O;'5T:6]N
M<RYC;VT^"E-U8FIE8W0Z(%)%.B!I;G9E<W1O<B!R96IE8W1I;VX@;&5T=&5R
M"D1A=&4Z(%1H=2P@,2!*86X@,3DW,"`P,#HP,#HP,"`M,#`P,`I);BU297!L
M>2U4;SH@/#4P0C4M-S(Q0RTU-S<T0'-M='`N;6QM<V]L=71I;VYS+F-O;3X*
M4F5F97)E;F-E<SH@/#4P0C4M-S(Q0RTU-S<T0'-M='`N;6QM<V]L=71I;VYS
M+F-O;3X*365S<V%G92U)1#H@/#8R04,M-C%%,2U#-T4W0'-M='`N;6QM<V]L
M=71I;VYS+F-O;3X*"GEA('EA+"!N;R!S=V5A="!P86PN($1O;B=T('=A;G0@
M<F5P96%T(&]F('1H92!F86-E(&EN8VED96YT(&1O('=E/R`[*0IG965Z('1H
M:7,@;VYE(&ES('=O<F1Y(2!I="=S(&QI:V4@;&%S="!T:6UE+B!W;W5L9"!I
M="`\:3YK:6QL/"]I/B!Y;W4@=&\@=7-E('-O;64@=7!P97)C87-E(&QE=&5R
=<S\@071T86-H960@<V]M92!E9&ET<PH*/#,@0PH@
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@mlmsolutions.com/62AC-61E1-C7E7@smtp.mlmsolutions.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@mlmsolutions.com/62AC-61E1-C7E7@smtp.mlmsolutions.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@mlmsolutions.com/62AC-61E1-C7E7@smtp.mlmsolutions.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
c838fccc3fe6ca78ac0b1fe195c41ec2  USB Flash Drive/email/k.patel@mlmsolutions.com/62AC-61E1-C7E7@smtp.mlmsolutions.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@mlmsolutions.com/62AC-61E1-C7E7@smtp.mlmsolutions.com.eml'` -ne 524 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@mlmsolutions.com/62AC-61E1-C7E7@smtp.mlmsolutions.com.eml' is not 524"
  fi
fi
# ============= USB Flash Drive/email/k.patel@mlmsolutions.com/28C7-BD29-B3BE@smtp.mlmsolutions.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@mlmsolutions.com/28C7-BD29-B3BE@smtp.mlmsolutions.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@mlmsolutions.com/28C7-BD29-B3BE@smtp.mlmsolutions.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@mlmsolutions.com/28C7-BD29-B3BE@smtp.mlmsolutions.com.eml
M1G)O;3H@2VER86X@4&%T96P@/&LN<&%T96Q`;6QM<V]L=71I;VYS+F-O;3X*
M5&\Z(%!A<FES($UO;G1F97)R870@/'`N;6]N=&9E<G)A=$!M;&US;VQU=&EO
M;G,N8V]M/@I3=6)J96-T.B!E>'!E;G-E<PI$871E.B!4:'4L(#$@2F%N(#$Y
M-S`@,#`Z,#`Z,#`@+3`P,#`*365S<V%G92U)1#H@/#(X0S<M0D0R.2U",T)%
M0'-M='`N;6QM<V]L=71I;VYS+F-O;3X*"FAE>2P@<V]R<GDL"DD@;F5E9"!T
M:&]S92!E>'!E;G-E<R!!4T%0(&9O<B!T:&4@<F5P;W)T('1H:7,@869T97)N
M;V]N('!L96%S90IT:&]S92!P87!E<G,@87)E;B=T(&=O;FYA('!U<V@@=&AE
+;7-E;'9E<R`[*0IT
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@mlmsolutions.com/28C7-BD29-B3BE@smtp.mlmsolutions.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@mlmsolutions.com/28C7-BD29-B3BE@smtp.mlmsolutions.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@mlmsolutions.com/28C7-BD29-B3BE@smtp.mlmsolutions.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
ab7dbc529c4ffed35191fc44418f5e41  USB Flash Drive/email/k.patel@mlmsolutions.com/28C7-BD29-B3BE@smtp.mlmsolutions.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@mlmsolutions.com/28C7-BD29-B3BE@smtp.mlmsolutions.com.eml'` -ne 326 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@mlmsolutions.com/28C7-BD29-B3BE@smtp.mlmsolutions.com.eml' is not 326"
  fi
fi
# ============= USB Flash Drive/email/k.patel@mlmsolutions.com/A33C-D4FC-BE57@smtp.mlmsolutions.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@mlmsolutions.com/A33C-D4FC-BE57@smtp.mlmsolutions.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@mlmsolutions.com/A33C-D4FC-BE57@smtp.mlmsolutions.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@mlmsolutions.com/A33C-D4FC-BE57@smtp.mlmsolutions.com.eml
M1G)O;3H@2VER86X@4&%T96P@/&LN<&%T96Q`;6QM<V]L=71I;VYS+F-O;3X*
M5&\Z(%!E>71O;B!0+B!386YC:&5Z(#QP+G-A;F-H97I`;6QM<V]L=71I;VYS
M+F-O;3X*4W5B:F5C=#H@4D4Z($UA<G-I8VL*1&%T93H@5&AU+"`Q($IA;B`Q
M.3<P(#`P.C`P.C`P("TP,#`P"DUE<W-A9V4M240Z(#Q!,S-#+40T1D,M0D4U
M-T!S;71P+FUL;7-O;'5T:6]N<RYC;VT^"@IW:&%H="=S(&=O:6YG(&]N/S\_
M('EO=2=R92!G971T:6YG(&)A8VL@=&AI<R!M;W)N:6YG/PI)(&IU<W0@<W!O
6:V4@=&\@4F%V96X@>65S=&5R9&%Y"FAI
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@mlmsolutions.com/A33C-D4FC-BE57@smtp.mlmsolutions.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@mlmsolutions.com/A33C-D4FC-BE57@smtp.mlmsolutions.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@mlmsolutions.com/A33C-D4FC-BE57@smtp.mlmsolutions.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
11c5326416c6dd14e4a374129ca004ab  USB Flash Drive/email/k.patel@mlmsolutions.com/A33C-D4FC-BE57@smtp.mlmsolutions.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@mlmsolutions.com/A33C-D4FC-BE57@smtp.mlmsolutions.com.eml'` -ne 292 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@mlmsolutions.com/A33C-D4FC-BE57@smtp.mlmsolutions.com.eml' is not 292"
  fi
fi
# ============= USB Flash Drive/email/k.patel@mlmsolutions.com/8DE5-845C-7D22@smtp.mlmsolutions.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@mlmsolutions.com/8DE5-845C-7D22@smtp.mlmsolutions.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@mlmsolutions.com/8DE5-845C-7D22@smtp.mlmsolutions.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@mlmsolutions.com/8DE5-845C-7D22@smtp.mlmsolutions.com.eml
M1G)O;3H@4&5Y=&]N(%`N(%-A;F-H97H@/'`N<V%N8VAE>D!M;&US;VQU=&EO
M;G,N8V]M/@I4;SH@2VER86X@4&%T96P@/&LN<&%T96Q`;6QM<V]L=71I;VYS
M+F-O;3X*4W5B:F5C=#H@36%R<VEC:PI$871E.B!4:'4L(#$@2F%N(#$Y-S`@
M,#`Z,#`Z,#`@+3`P,#`*365S<V%G92U)1#H@/#A$134M.#0U0RTW1#(R0'-M
M='`N;6QM<V]L=71I;VYS+F-O;3X*"E=H870@=&AE(&AE;&PN($UA<G-I8VL@
M:7,@/&(^9&5A9#PO8CXN"@I))VT@8W5T=&EN9R!*97)U<V%L96T@<VAO<G0N
0($)A8VL@=&UO+@H*4&%T"@I)
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@mlmsolutions.com/8DE5-845C-7D22@smtp.mlmsolutions.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@mlmsolutions.com/8DE5-845C-7D22@smtp.mlmsolutions.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@mlmsolutions.com/8DE5-845C-7D22@smtp.mlmsolutions.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
d933bce594206b9f3a7138df0e1275a3  USB Flash Drive/email/k.patel@mlmsolutions.com/8DE5-845C-7D22@smtp.mlmsolutions.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@mlmsolutions.com/8DE5-845C-7D22@smtp.mlmsolutions.com.eml'` -ne 286 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@mlmsolutions.com/8DE5-845C-7D22@smtp.mlmsolutions.com.eml' is not 286"
  fi
fi
# ============= USB Flash Drive/email/k.patel@mlmsolutions.com/459C-627C-191B@smtp.mlmsolutions.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@mlmsolutions.com/459C-627C-191B@smtp.mlmsolutions.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@mlmsolutions.com/459C-627C-191B@smtp.mlmsolutions.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@mlmsolutions.com/459C-627C-191B@smtp.mlmsolutions.com.eml
M1G)O;3H@4F%V96X@36%R<VEC:R`\<BYM87)S:6-K0&UL;7-O;'5T:6]N<RYC
M;VT^"E1O.B!+:7)A;B!0871E;"`\:RYP871E;$!M;&US;VQU=&EO;G,N8V]M
M/@I3=6)J96-T.B!";V]K:V5E<&EN9PI$871E.B!4:'4L(#$@2F%N(#$Y-S`@
M,#`Z,#`Z,#`@+3`P,#`*365S<V%G92U)1#H@/#0U.4,M-C(W0RTQ.3%"0'-M
M='`N;6QM<V]L=71I;VYS+F-O;3X*"D$@9FEN92!M;W)N:6YG('1O('EO=2!+
M:7)A;B$*"E-A>2P@22!W87,@=&%K:6YG(&$@9V%N9&5R('1H<F]U9V@@=&AE
M(&-O;7!L971E9"!B86QA;F-E('-H965T+"!A;F0L('=E;&PN($D@:G5S="!C
M86XG="!G970@;7D@:&5A9"!A<F]U;F0@:70N($D@86T@8V]N9FED96YT('1H
M:7,@:7,@86QL('-O;64@;6ES=6YD97)S=&%N9&EN9R!O;B!M>2!P87)T+"!B
M=70@=&AE(&YU;6)E<G,@9&]N)W0@861D('5P('-P:6-K+B!097)C:&%N8V4@
M22!C;W5L9"!P;W`@;VX@9&]W;B!T;R!D:7-C=7-S('1H92!A8V-O=6YT<S\*
M"EEE<RP@=V]E(&)E=&ED92!W92!D;VXG="!K965P('1H92!B;W-S(&%B<F5A
M<W0L(&)U="!O9B!C;W5R<V4@=V4@;F5E9"!N;W0@9&ES='5R8B!O;&0@4&%T
M(&]F9B!I;B!*97)U<V%L96TN(%1H92!R=6YN:6YG<R!O9B!T:&4@8V]M<&%N
M>2!R97-T(&EN(&]U<B!H86YD<RP@96@@9G)I96YD/PH*0VAE97)I;RP*("`@
C("`@("`@4F%Y"@I0+E,N($%V;VED(%!A<FES('1O9&%Y+@IE
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@mlmsolutions.com/459C-627C-191B@smtp.mlmsolutions.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@mlmsolutions.com/459C-627C-191B@smtp.mlmsolutions.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@mlmsolutions.com/459C-627C-191B@smtp.mlmsolutions.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
190a17534583a13e12eb1ca08c391ba5  USB Flash Drive/email/k.patel@mlmsolutions.com/459C-627C-191B@smtp.mlmsolutions.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@mlmsolutions.com/459C-627C-191B@smtp.mlmsolutions.com.eml'` -ne 710 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@mlmsolutions.com/459C-627C-191B@smtp.mlmsolutions.com.eml' is not 710"
  fi
fi
# ============= USB Flash Drive/email/k.patel@mlmsolutions.com/50B5-721C-5774@smtp.mlmsolutions.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@mlmsolutions.com/50B5-721C-5774@smtp.mlmsolutions.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@mlmsolutions.com/50B5-721C-5774@smtp.mlmsolutions.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@mlmsolutions.com/50B5-721C-5774@smtp.mlmsolutions.com.eml
M1G)O;3H@2VER86X@4&%T96P@/&LN<&%T96Q`;6QM<V]L=71I;VYS+F-O;3X*
M5&\Z($-E;&5S($0G06=O<W1I;F\@/&,N9&%G;W-T:6YO0&UL;7-O;'5T:6]N
M<RYC;VT^"E-U8FIE8W0Z(&EN=F5S=&]R(')E:F5C=&EO;B!L971T97(*1&%T
M93H@5&AU+"`Q($IA;B`Q.3<P(#`P.C`P.C`P("TP,#`P"DUE<W-A9V4M240Z
M(#PU,$(U+3<R,4,M-3<W-$!S;71P+FUL;7-O;'5T:6]N<RYC;VT^"@I#($D@
M:&%V92!S;VUE(&9O<FUA;"!W<FET:6YG($D@=W)O=&4L('!L96%S92!C86X@
M>6]U('1A:V4@82!L;V]K(&%T(&ET('!L96%S93\@9&ED(&%L;"!)(&-O=6QD
M(&)U="!+:6TG<R!P<F]B86)L>2!S=&EL;"!G;VEN9R!T;R!T96%R(&ET(&EN
K=&\@<&EE8V5S+"!H86AA:&$*22!K;F]W('EO=2=R92!S=7!E<B!B=7-Y"FEN
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@mlmsolutions.com/50B5-721C-5774@smtp.mlmsolutions.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@mlmsolutions.com/50B5-721C-5774@smtp.mlmsolutions.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@mlmsolutions.com/50B5-721C-5774@smtp.mlmsolutions.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
d4f9dab70524638e199ed3c45d738ea1  USB Flash Drive/email/k.patel@mlmsolutions.com/50B5-721C-5774@smtp.mlmsolutions.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@mlmsolutions.com/50B5-721C-5774@smtp.mlmsolutions.com.eml'` -ne 403 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@mlmsolutions.com/50B5-721C-5774@smtp.mlmsolutions.com.eml' is not 403"
  fi
fi
# ============= USB Flash Drive/email/k.patel@mlmsolutions.com/E1BF-CF8C-5D60@smtp.mlmsolutions.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@mlmsolutions.com/E1BF-CF8C-5D60@smtp.mlmsolutions.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@mlmsolutions.com/E1BF-CF8C-5D60@smtp.mlmsolutions.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@mlmsolutions.com/E1BF-CF8C-5D60@smtp.mlmsolutions.com.eml
M1G)O;3H@4&5Y=&]N(%`N(%-A;F-H97H@/'`N<V%N8VAE>D!M;&US;VQU=&EO
M;G,N8V]M/@I4;SH@2VER86X@4&%T96P@/&LN<&%T96Q`;6QM<V]L=71I;VYS
M+F-O;3X*4W5B:F5C=#H@4F%V96X@36%R<VEC:R!R97!L86-E;65N=`I$871E
M.B!4:'4L(#$@2F%N(#$Y-S`@,#`Z,#`Z,#`@+3`P,#`*365S<V%G92U)1#H@
M/$4Q0D8M0T8X0RTU1#8P0'-M='`N;6QM<V]L=71I;VYS+F-O;3X*"DDG;2!S
M=7)E('1H92!E;7!T>2!R;VQE(&]F(&1I<F5C=&]R(&]F(&%D;6EN(&AA<R!C
M<F]S<V5D('EO=7(@;6EN9"X@268@=V4G<F4@9V]I;F<@=&\@<'5T(&]U="!T
M:&4@9FER97,@86YD(&UO=F4@;VX@=VET:"!T:&4@=FES:6]N+"!T:&%T)W,@
M;W5R(&9I<G-T('-T97`N"@I';V]D('EO=2=R92!F:6QL:6YG(&EN('1H92!R
M;VQE(&EN('1H92!I;G1E<FEM+B!4:&]U9VAT<R!A8F]U="!2=7-K82!+96%T
M:6YG('1A:VEN9R!I="!P97)M86YE;G1L>2P@869T97(@=&AI<R!A;&P@8FQO
M=W,@;W9E<C\@2V5A=&EN9R=S(&9L:6=H='D@;F]W+"!B=70@979E<GET:&EN
M9R!E;'-E($DG=F4@<V5E;B!S87ES(&-A<&%B;&4N($5S<&5C:6%L;'D@36]R
M;V-C;RX@2&5L;"P@:68@=V4@9&ED;B=T(&AA=F4@82!C;R!L:6ME('EO=2P@
M22=D(&=I=F4@2V5A=&EN9R!T:&%T(0H*4VAA=R!C;W5L9"!T86ME(&%C<75I
<<VET:6]N<R!O<BP@=V4G;&P@<V5E+@H*4&%T"B!C
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@mlmsolutions.com/E1BF-CF8C-5D60@smtp.mlmsolutions.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@mlmsolutions.com/E1BF-CF8C-5D60@smtp.mlmsolutions.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@mlmsolutions.com/E1BF-CF8C-5D60@smtp.mlmsolutions.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
0303bd136d05b808480e65cf8591179e  USB Flash Drive/email/k.patel@mlmsolutions.com/E1BF-CF8C-5D60@smtp.mlmsolutions.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@mlmsolutions.com/E1BF-CF8C-5D60@smtp.mlmsolutions.com.eml'` -ne 703 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@mlmsolutions.com/E1BF-CF8C-5D60@smtp.mlmsolutions.com.eml' is not 703"
  fi
fi
# ============= USB Flash Drive/email/k.patel@mlmsolutions.com/A31E-5F9E-74C2@smtp.mlmsolutions.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@mlmsolutions.com/A31E-5F9E-74C2@smtp.mlmsolutions.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@mlmsolutions.com/A31E-5F9E-74C2@smtp.mlmsolutions.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@mlmsolutions.com/A31E-5F9E-74C2@smtp.mlmsolutions.com.eml
M1G)O;3H@2VER86X@4&%T96P@/&LN<&%T96Q`;6QM<V]L=71I;VYS+F-O;3X*
M5&\Z($-E;&5S($0G06=O<W1I;F\@/&,N9&%G;W-T:6YO0&UL;7-O;'5T:6]N
M<RYC;VT^"E-U8FIE8W0Z(%)%.B!I;G9E<W1O<B!R96IE8W1I;VX@;&5T=&5R
M"D1A=&4Z(%1H=2P@,2!*86X@,3DW,"`P,#HP,#HP,"`M,#`P,`I);BU297!L
M>2U4;SH@/#8R04,M-C%%,2U#-T4W0'-M='`N;6QM<V]L=71I;VYS+F-O;3X*
M4F5F97)E;F-E<SH@/#4P0C4M-S(Q0RTU-S<T0'-M='`N;6QM<V]L=71I;VYS
M+F-O;3X@/#8R04,M-C%%,2U#-T4W0'-M='`N;6QM<V]L=71I;VYS+F-O;3X*
M365S<V%G92U)1#H@/$$S,44M-48Y12TW-$,R0'-M='`N;6QM<V]L=71I;VYS
M+F-O;3X*"DY%5D52(2!T:&%T)W,@=VAY('EO=2!L;W9E(&UE"@IT:&%N:W,@
X.9F]R('1H92!E9&ET<PIT
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@mlmsolutions.com/A31E-5F9E-74C2@smtp.mlmsolutions.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@mlmsolutions.com/A31E-5F9E-74C2@smtp.mlmsolutions.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@mlmsolutions.com/A31E-5F9E-74C2@smtp.mlmsolutions.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
f4b3e0c6a0f9a7e55769f2b05c095cc6  USB Flash Drive/email/k.patel@mlmsolutions.com/A31E-5F9E-74C2@smtp.mlmsolutions.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@mlmsolutions.com/A31E-5F9E-74C2@smtp.mlmsolutions.com.eml'` -ne 419 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@mlmsolutions.com/A31E-5F9E-74C2@smtp.mlmsolutions.com.eml' is not 419"
  fi
fi
# ============= USB Flash Drive/email/k.patel@mlmsolutions.com/D7C5-823A-AE92@smtp.mlmsolutions.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@mlmsolutions.com/D7C5-823A-AE92@smtp.mlmsolutions.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@mlmsolutions.com/D7C5-823A-AE92@smtp.mlmsolutions.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@mlmsolutions.com/D7C5-823A-AE92@smtp.mlmsolutions.com.eml
M1G)O;3H@2VER86X@4&%T96P@/&LN<&%T96Q`;6QM<V]L=71I;VYS+F-O;3X*
M5&\Z(%)U<VMA($ME871I;F<@/'(N:V5A=&EN9T!M;&US;VQU=&EO;G,N8V]M
M/@I#8SH@4&5Y=&]N(%`N(%-A;F-H97H@/'`N<V%N8VAE>D!M;&US;VQU=&EO
M;G,N8V]M/@I3=6)J96-T.B!213H@4VAI9G1I;F<@9F5E=`I$871E.B!4:'4L
M(#$@2F%N(#$Y-S`@,#`Z,#`Z,#`@+3`P,#`*26XM4F5P;'DM5&\Z(#Q".30R
M+34T-C0M1C`Q-4!S;71P+FUL;7-O;'5T:6]N<RYC;VT^"E)E9F5R96YC97,Z
M(#Q".30R+34T-C0M1C`Q-4!S;71P+FUL;7-O;'5T:6]N<RYC;VT^"DUE<W-A
M9V4M240Z(#Q$-T,U+3@R,T$M044Y,D!S;71P+FUL;7-O;'5T:6]N<RYC;VT^
M"@IR=7-K80IT86ME(&%L;"!T:&4@=&EM92!Y;W4@;F5E9"X@=V4G;&P@:&]L
B9"!D;W=N('1H92!F;W)T+@H*979E<GD@8F5S="!W:7-H"BX@
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@mlmsolutions.com/D7C5-823A-AE92@smtp.mlmsolutions.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@mlmsolutions.com/D7C5-823A-AE92@smtp.mlmsolutions.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@mlmsolutions.com/D7C5-823A-AE92@smtp.mlmsolutions.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
b38c4714ce1fa44433a99a2b72d02ffd  USB Flash Drive/email/k.patel@mlmsolutions.com/D7C5-823A-AE92@smtp.mlmsolutions.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@mlmsolutions.com/D7C5-823A-AE92@smtp.mlmsolutions.com.eml'` -ne 439 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@mlmsolutions.com/D7C5-823A-AE92@smtp.mlmsolutions.com.eml' is not 439"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/2891939@sv01.PROD.braillemail.net.eml ==============
if test ! -d 'USB Flash Drive/email/k.patel@happyemail.com'; then
  mkdir 'USB Flash Drive/email/k.patel@happyemail.com' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/2891939@sv01.PROD.braillemail.net.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/2891939@sv01.PROD.braillemail.net.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/2891939@sv01.PROD.braillemail.net.eml
M1G)O;3H@0R`\8V5L<VAA9&5D0&)R86EL;&5M86EL+FYE=#X*5&\Z($MI<F%N
M(#QK+G!A=&5L0&AA<'!Y96UA:6PN8V]M/@I3=6)J96-T.B!S=&%R<VEG;@I$
M871E.B!4:'4L(#$@2F%N(#$Y-S`@,#`Z,#`Z,#`@+3`P,#`*365S<V%G92U)
M1#H@/#(X.3$Y,SE`<W8P,2Y04D]$+F)R86EL;&5M86EL+FYE=#X*"E%U:6-K
I('%U:6-K('%U97-T:6]N+@H*=VAA="=S('EO=7(@<W1A<B!S:6=N/PIU
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/2891939@sv01.PROD.braillemail.net.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/2891939@sv01.PROD.braillemail.net.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/2891939@sv01.PROD.braillemail.net.eml': 'MD5 check failed'
       ) << \SHAR_EOF
b0eaf3c256d1e52b6798b88906ff50c5  USB Flash Drive/email/k.patel@happyemail.com/2891939@sv01.PROD.braillemail.net.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/2891939@sv01.PROD.braillemail.net.eml'` -ne 221 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/2891939@sv01.PROD.braillemail.net.eml' is not 221"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/SMID=7Z6CF3DoSFI5AwbFtj=00@eg.emailserve.happyemail.com.eml ==============
if test ! -d 'USB Flash Drive/email/k.patel@happyemail.com'; then
  mkdir 'USB Flash Drive/email/k.patel@happyemail.com' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/SMID=7Z6CF3DoSFI5AwbFtj=00@eg.emailserve.happyemail.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/SMID=7Z6CF3DoSFI5AwbFtj=00@eg.emailserve.happyemail.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/SMID=7Z6CF3DoSFI5AwbFtj=00@eg.emailserve.happyemail.com.eml
M1G)O;3H@2W)I<VAN82`\9&EP;&]D;V-U<T!H87!P>6UA:6PN8V]M/@I4;SH@
M2VER86X@/&LN<&%T96Q`:&%P<'EM86EL+F-O;3X*4W5B:F5C=#H@1&%T92!N
M:6=H=`I$871E.B!4:'4L(#$@2F%N(#$Y-S`@,#`Z,#`Z,#`@+3`P,#`*365S
M<V%G92U)1#H@/%--240]-UHV0T8S1&]31DDU07=B1G1J/3`P0&5G+F5M86EL
M<V5R=F4N:&%P<'EE;6%I;"YC;VT^"@I(:2!(;VXL"@I(;W<@87)E('1H:6YG
M<R!A="!W;W)K/R!$:60@=&AE(')I='5A;"!S=6-C965D/R!9;W4G;&P@:&%V
M92!T;R!T96QL(&UE(&%L;"!A8F]U="!I="!W:&5N($DG;2!B86-K(&EN('1O
M=VXN"@I4:&5Y(&YE960@;64@82!F97<@97AT<F$@9&%Y<R!I;B!.97<@66]R
M:RP@<V\@22=L;"!B92!B86-K(&YE>'0@=V5E:R!O;B!T:&4@-W1H+B!792!C
M;W5L9"!N965D('1O(&UO=F4@9&%T92!N:6=H="!T;R!4:'5R<V1A>2P@87,@
M22!W:6QL(&)E(&]F9B!A9V%I;B!O;B!T:&4@4V%T=7)D87D@=&\@5&AE($YE
:=&AE<FQA;F1S+@H*3&]V92P*2W)I<VAN80H@
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/SMID=7Z6CF3DoSFI5AwbFtj=00@eg.emailserve.happyemail.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/SMID=7Z6CF3DoSFI5AwbFtj=00@eg.emailserve.happyemail.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/SMID=7Z6CF3DoSFI5AwbFtj=00@eg.emailserve.happyemail.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
467a7259ebb9c6e01b20e78d2bac1dd4  USB Flash Drive/email/k.patel@happyemail.com/SMID=7Z6CF3DoSFI5AwbFtj=00@eg.emailserve.happyemail.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/SMID=7Z6CF3DoSFI5AwbFtj=00@eg.emailserve.happyemail.com.eml'` -ne 521 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/SMID=7Z6CF3DoSFI5AwbFtj=00@eg.emailserve.happyemail.com.eml' is not 521"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/SMID=l7KjyubteRgv4M4tyK=00@eg.emailserve.happyemail.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/SMID=l7KjyubteRgv4M4tyK=00@eg.emailserve.happyemail.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/SMID=l7KjyubteRgv4M4tyK=00@eg.emailserve.happyemail.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/SMID=l7KjyubteRgv4M4tyK=00@eg.emailserve.happyemail.com.eml
M1G)O;3H@2VER86X@/&LN<&%T96Q`:&%P<'EE;6%I;"YC;VT^"E1O.B!#(#QC
M96QS:&%D961`8G)A:6QL96UA:6PN;F5T/@I3=6)J96-T.B!213H@<W1A<G-I
M9VX*1&%T93H@5&AU+"`Q($IA;B`Q.3<P(#`P.C`P.C`P("TP,#`P"DEN+5)E
M<&QY+51O.B`\,C@Y,3DS.4!S=C`Q+E!23T0N8G)A:6QL96UA:6PN;F5T/@I2
M969E<F5N8V5S.B`\,C@Y,3DS.4!S=C`Q+E!23T0N8G)A:6QL96UA:6PN;F5T
M/@I-97-S86=E+4E$.B`\4TU)1#UL-TMJ>75B=&529W8T331T>4L],#!`96<N
M96UA:6QS97)V92YH87!P>65M86EL+F-O;3X*"F-A;F-E<B!I<R!M92X@86-C
M;W)D:6YG('1O('1H92!H;W)O<V-O<&4L("=P87-S:6]N(&EG;FET97,@:6X@
M;7D@:&5A<G0G+B!N;W<@:68@22!R96UE;6)E<BP@>6]U<B!B:7)T:&1A>2!I
M<R!R:6=H="!A="!T:&4@96YD(&]F(&YO=F5M8F5R('=H:6-H(&ES('-A9VET
M=&%R:75S(&%C8V]R9&EN9R!T;R!T:&ES('=E8B!S:71E+B`G>6]U(&UA>2!B
M92!F965L:6YG(&5S<&5C:6%L;'D@:6YT<F]S<&5C=&EV92<*<6)A)V<@;F9X
M(&IU;"!6('5N:7(@9W5N9R!P8GIZ=F=G<G$@9V(@>G)Z8F5L+@H*=VAY('=E
4<F4@>6]U('=O;F1E<FEN9R!#/PIZ
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/SMID=l7KjyubteRgv4M4tyK=00@eg.emailserve.happyemail.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/SMID=l7KjyubteRgv4M4tyK=00@eg.emailserve.happyemail.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/SMID=l7KjyubteRgv4M4tyK=00@eg.emailserve.happyemail.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
409e86cf2b4417770ec64a02e1d50c35  USB Flash Drive/email/k.patel@happyemail.com/SMID=l7KjyubteRgv4M4tyK=00@eg.emailserve.happyemail.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/SMID=l7KjyubteRgv4M4tyK=00@eg.emailserve.happyemail.com.eml'` -ne 605 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/SMID=l7KjyubteRgv4M4tyK=00@eg.emailserve.happyemail.com.eml' is not 605"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/4258638@sv01.PROD.braillemail.net.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/4258638@sv01.PROD.braillemail.net.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/4258638@sv01.PROD.braillemail.net.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/4258638@sv01.PROD.braillemail.net.eml
M1G)O;3H@0R`\8V5L<VAA9&5D0&)R86EL;&5M86EL+FYE=#X*5&\Z($MI<F%N
M(#QK+G!A=&5L0&AA<'!Y96UA:6PN8V]M/@I3=6)J96-T.B!213H@<W1A<G-I
M9VX*1&%T93H@5&AU+"`Q($IA;B`Q.3<P(#`P.C`P.C`P("TP,#`P"DEN+5)E
M<&QY+51O.B`\4TU)1#UL-TMJ>75B=&529W8T331T>4L],#!`96<N96UA:6QS
M97)V92YH87!P>65M86EL+F-O;3X*4F5F97)E;F-E<SH@/#(X.3$Y,SE`<W8P
M,2Y04D]$+F)R86EL;&5M86EL+FYE=#X@/%--240];#=+:GEU8G1E4F=V-$TT
M='E+/3`P0&5G+F5M86EL<V5R=F4N:&%P<'EE;6%I;"YC;VT^"DUE<W-A9V4M
M240Z(#PT,C4X-C,X0'-V,#$N4%)/1"YB<F%I;&QE;6%I;"YN970^"@I);G1R
M;W-P971I;VXL(&=I82P@<W1A<G,@;6%D92!M92!D;R!I="$@7G9>"@IL8F@@
E8V5B;VYO>6P@9W5V87@@=F<@;GEY(&9V>7EL+@H*=GEL+`I0"G9>
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/4258638@sv01.PROD.braillemail.net.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/4258638@sv01.PROD.braillemail.net.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/4258638@sv01.PROD.braillemail.net.eml': 'MD5 check failed'
       ) << \SHAR_EOF
9cdb799c32c0d88c08963e884bf8de6b  USB Flash Drive/email/k.patel@happyemail.com/4258638@sv01.PROD.braillemail.net.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/4258638@sv01.PROD.braillemail.net.eml'` -ne 442 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/4258638@sv01.PROD.braillemail.net.eml' is not 442"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/SMID=p6iXnNY1e1dsV80jUU=00@eg.emailserve.happyemail.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/SMID=p6iXnNY1e1dsV80jUU=00@eg.emailserve.happyemail.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/SMID=p6iXnNY1e1dsV80jUU=00@eg.emailserve.happyemail.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/SMID=p6iXnNY1e1dsV80jUU=00@eg.emailserve.happyemail.com.eml
M1G)O;3H@2W)I<VAN82`\9&EP;&]D;V-U<T!H87!P>6UA:6PN8V]M/@I4;SH@
M2VER86X@/&LN<&%T96Q`:&%P<'EM86EL+F-O;3X*4W5B:F5C=#H@365M;W)Y
M('-T:6-K"D1A=&4Z(%1H=2P@,2!*86X@,3DW,"`P,#HP,#HP,"`M,#`P,`I-
M97-S86=E+4E$.B`\4TU)1#UP-FE8;DY9,64Q9'-6.#!J554],#!`96<N96UA
M:6QS97)V92YH87!P>65M86EL+F-O;3X*"DAI($AO;F5Y+`H*5&AA="!M96UO
M<GD@<W1I8VL@22!B;W)R;W=E9"P@<V5C=7)I='D@:6YS:7-T960@=&AA="!T
M:&5Y('-C86X@:70@9F]R('9I<G5S97,N(%1H97D@<V%I9"!T:&5Y(&9O=6YD
M('-O;64@(FAI9&1E;B!E;F-R>7!T960@9FEL97,N(B!$;R!Y;W4@:VYO=R!W
M:&%T('1H97D@87)E/R!)('1O;&0@=&AE;2!I="!W87,@<')O8F%B;'D@9F]R
M('EO=7(@=V]R:RP@8G5T($D@=&AO=6=H="!)('=O=6QD(&%S:R!I;B!C87-E
D(&ET('=A<R!A('9I<G5S+@H*3&]V92!Y;W4L"DMR:7-H;F$*
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/SMID=p6iXnNY1e1dsV80jUU=00@eg.emailserve.happyemail.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/SMID=p6iXnNY1e1dsV80jUU=00@eg.emailserve.happyemail.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/SMID=p6iXnNY1e1dsV80jUU=00@eg.emailserve.happyemail.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
ff984981d07c5556e6f0d5570f74e2f9  USB Flash Drive/email/k.patel@happyemail.com/SMID=p6iXnNY1e1dsV80jUU=00@eg.emailserve.happyemail.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/SMID=p6iXnNY1e1dsV80jUU=00@eg.emailserve.happyemail.com.eml'` -ne 486 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/SMID=p6iXnNY1e1dsV80jUU=00@eg.emailserve.happyemail.com.eml' is not 486"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/SMID=SHmWVLCiId0WzLoqa6=00@eg.emailserve.happyemail.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/SMID=SHmWVLCiId0WzLoqa6=00@eg.emailserve.happyemail.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/SMID=SHmWVLCiId0WzLoqa6=00@eg.emailserve.happyemail.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/SMID=SHmWVLCiId0WzLoqa6=00@eg.emailserve.happyemail.com.eml
M1G)O;3H@2W)I<VAN82`\9&EP;&]D;V-U<T!H87!P>6UA:6PN8V]M/@I4;SH@
M2VER86X@/&LN<&%T96Q`:&%P<'EM86EL+F-O;3X*4W5B:F5C=#H@26YT97)N
M871I;VYA;"!!:7)P;W)T"D1A=&4Z(%1H=2P@,2!*86X@,3DW,"`P,#HP,#HP
M,"`M,#`P,`I-97-S86=E+4E$.B`\4TU)1#U32&U75DQ#:4ED,%=Z3&]Q838]
M,#!`96<N96UA:6QS97)V92YH87!P>65M86EL+F-O;3X*"DAI($AO;BP*"DD@
M8V%L;&5D('EO=2!J=7-T(&YO=R`H-CHS,"D@8G5T('EO=2!D:61N)W0@86YS
M=V5R+B!)('=A;G1E9"!T;R!T96QL('EO=2!A8F]U="!T:&4@86ER<&]R="X@
M66]U)VQL(&YE=F5R(&=U97-S('=H;R!)('-A=R$@37D@8F]D>6=U87)D<R!H
M860@;&]S="!M>2!B<F5A:V9A<W0@86YD('EO=2!K;F]W(&AO=R!)(&%M('=I
M=&@@86ER;&EN92!F;V]D+B!3;R!T:&5Y('=E<F4@:'5N=&EN9R!F;W(@82!B
M<F]W;B!D;V=G>2!B86<L(&%N9"!)('-A=R!A('1R879E;&QE<B!G:79I;F<@
M;VYE('1O(&$@<&]L:6-E(&]F9FEC97(N(%=E(')U<VAE9"!O=F5R('1O('!R
M979E;G0@82!S97)I;W5S(&UI<V-A<G)I86=E(&]F(&IU<W1I8V4@86YD(')E
M=')I979E(&UY(&UE86PN(%=E(&1I9&XG="!F:6YD(&UY(&)R96%K9F%S="P@
M8G5T(&%S(&QU8VL@=V]U;&0@:&%V92!I="!T:&4@=')A=F5L;&5R('=A<R!0
M97ET;VX@4V%N8VAE>BP@9G)O;2!Y;W5R('=O<FLA(%=E(&UE="!A('=H:6QE
M(&%G;R!A="!Y;W5R("=T=7)N:6YG(&EN(&$@<')O9FET)R!C96QE8G)A=&EO
M;BX@66]U<B!B;W-S(&UU<W0@8F4@82!G;V]D(&-I=&EZ96XN"@I097ET;VX@
M<V%Y<R!H96QL;RX@*$%L<V\@=&\@=&5L;"!Y;W4@:G5S="!H;W<@;75C:"!0
M97ET;VX@=V%S(&EM<')E<W-E9"!B>2!2=7-K82!+96%T:6YG(&%N9"!-87)S
M:6-K)W,@8V]L;&%B;W)A=&EO;BX@22=M('-U<F4@>6]U(&MN;W<@=VAO979E
M<B!T:&5Y(&%R92XI(%EO=2!C86X@8F5T($DG;&P@<75I>B!Y;W4@86)O=70@
M=&AE(&IU:6-Y(&1E=&%I;',@=&AI<R!T:6UE('1O;6]R<F]W(&UO<FYI;F<@
M=VAE;B!)(&=E="!B86-K(&EN=&\@0V%I<F\A"@I)(&UI<W,@>6]U+`I+<FES
$:&YA"B!)
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/SMID=SHmWVLCiId0WzLoqa6=00@eg.emailserve.happyemail.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/SMID=SHmWVLCiId0WzLoqa6=00@eg.emailserve.happyemail.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/SMID=SHmWVLCiId0WzLoqa6=00@eg.emailserve.happyemail.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
81af2b80b5589df100988f92529bd3ec  USB Flash Drive/email/k.patel@happyemail.com/SMID=SHmWVLCiId0WzLoqa6=00@eg.emailserve.happyemail.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/SMID=SHmWVLCiId0WzLoqa6=00@eg.emailserve.happyemail.com.eml'` -ne 1084 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/SMID=SHmWVLCiId0WzLoqa6=00@eg.emailserve.happyemail.com.eml' is not 1084"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/SMID=rzyrzeu2cIF7v1d6fw=00@eg.emailserve.happyemail.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/SMID=rzyrzeu2cIF7v1d6fw=00@eg.emailserve.happyemail.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/SMID=rzyrzeu2cIF7v1d6fw=00@eg.emailserve.happyemail.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/SMID=rzyrzeu2cIF7v1d6fw=00@eg.emailserve.happyemail.com.eml
M1G)O;3H@2VER86X@/&LN<&%T96Q`:&%P<'EM86EL+F-O;3X*5&\Z($MR:7-H
M;F$@/&1I<&QO9&]C=7-`:&%P<'EM86EL+F-O;3X*4W5B:F5C=#H@4F4Z($UE
M;6]R>2!S=&EC:PI$871E.B!4:'4L(#$@2F%N(#$Y-S`@,#`Z,#`Z,#`@+3`P
M,#`*26XM4F5P;'DM5&\Z(#Q334E$/7`V:5AN3EDQ93%D<U8X,&I553TP,$!E
M9RYE;6%I;'-E<G9E+FAA<'!Y96UA:6PN8V]M/@I2969E<F5N8V5S.B`\4TU)
M1#UP-FE8;DY9,64Q9'-6.#!J554],#!`96<N96UA:6QS97)V92YH87!P>65M
M86EL+F-O;3X*365S<V%G92U)1#H@/%--240]<GIY<GIE=3)C248W=C%D-F9W
M/3`P0&5G+F5M86EL<V5R=F4N:&%P<'EE;6%I;"YC;VT^"@ID;VXG="!W;W)R
M>2!K<FES:&YA+"!T:&]S92!A<F4@:G5S="!T96UP;W)A<GD@8F%C:W5P<PIT
M:&4@=V]R:R!S97)V97)S(&AA=F4@8F5E;B!O;B!T:&4@9G)I='H@;&%T96QY
M+"!T:&5Y(&-O<G)U<'1E9"!E=F5R>2!D871E(&EN('1H92!E+6UA:6P@<WES
M=&5M(&QA<W0@;6]N=&@N($DG=F4@8F5E;B!S=&]R:6YG('1H:6YG<R!O;B!T
K:&4@9FQA<V@@9')I=F4@:6X@8V%S92!I="!G;V5S('=R;VYG(&%G86EN"B!T
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/SMID=rzyrzeu2cIF7v1d6fw=00@eg.emailserve.happyemail.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/SMID=rzyrzeu2cIF7v1d6fw=00@eg.emailserve.happyemail.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/SMID=rzyrzeu2cIF7v1d6fw=00@eg.emailserve.happyemail.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
5deef30a4c31b122a19f8b759f08bcf9  USB Flash Drive/email/k.patel@happyemail.com/SMID=rzyrzeu2cIF7v1d6fw=00@eg.emailserve.happyemail.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/SMID=rzyrzeu2cIF7v1d6fw=00@eg.emailserve.happyemail.com.eml'` -ne 583 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/SMID=rzyrzeu2cIF7v1d6fw=00@eg.emailserve.happyemail.com.eml' is not 583"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/store.json ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/store.json'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/store.json (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/store.json
M>PH@(")I9',B.B!;"B`@("`B4TU)1#TW6C9#1C-$;U-&235!=V)&=&H],#!`
M96<N96UA:6QS97)V92YH87!P>65M86EL+F-O;2(L"B`@("`B4TU)1#U)12U,
M2%HR<C1+6&=19F1'2F@],#!`96<N96UA:6QS97)V92YH87!P>65M86EL+F-O
M;2(L"B`@("`B4TU)1#U32&U75DQ#:4ED,%=Z3&]Q838],#!`96<N96UA:6QS
M97)V92YH87!P>65M86EL+F-O;2(L"B`@("`B,C@Y,3DS.4!S=C`Q+E!23T0N
M8G)A:6QL96UA:6PN;F5T(BP*("`@(")334E$/6PW2VIY=6)T95)G=C1--'1Y
M2STP,$!E9RYE;6%I;'-E<G9E+FAA<'!Y96UA:6PN8V]M(BP*("`@("(T,C4X
M-C,X0'-V,#$N4%)/1"YB<F%I;&QE;6%I;"YN970B+`H@("`@(E--240];65T
M<5-%.71+4VMZ:S%?5F]$/3`P0&5G+F5M86EL<V5R=F4N:&%P<'EE;6%I;"YC
M;VTB+`H@("`@(E--240];U-B3C)"0U$S<EEP2FM:3&4M/3`P0&5G+F5M86EL
M<V5R=F4N:&%P<'EE;6%I;"YC;VTB+`H@("`@(C0S.#(T-#5`<W8P,BY04D]$
M+F)R86EL;&5M86EL+FYE="(L"B`@("`B4TU)1#UP-FE8;DY9,64Q9'-6.#!J
M554],#!`96<N96UA:6QS97)V92YH87!P>65M86EL+F-O;2(L"B`@("`B4TU)
M1#UR>GER>F5U,F-)1C=V,60V9G<],#!`96<N96UA:6QS97)V92YH87!P>65M
M86EL+F-O;2(*("!=+`H@(")D<F%F=',B.B!;"B`@("`B,"(L"B`@("`B,2(L
8"B`@("`B,B(L"B`@("`B,R(*("!="GT*
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/store.json'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/store.json failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/store.json': 'MD5 check failed'
       ) << \SHAR_EOF
f95b836cf744ec301c05450a692b44cc  USB Flash Drive/email/k.patel@happyemail.com/store.json
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/store.json'` -ne 699 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/store.json' is not 699"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/SMID=oSbN2BCQ3rYpJkZLe-=00@eg.emailserve.happyemail.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/SMID=oSbN2BCQ3rYpJkZLe-=00@eg.emailserve.happyemail.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/SMID=oSbN2BCQ3rYpJkZLe-=00@eg.emailserve.happyemail.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/SMID=oSbN2BCQ3rYpJkZLe-=00@eg.emailserve.happyemail.com.eml
M1G)O;3H@2VER86X@/&LN<&%T96Q`:&%P<'EM86EL+F-O;3X*5&\Z($MR:7-H
M;F$@/&1I<&QO9&]C=7-`:&%P<'EM86EL+F-O;3X*4W5B:F5C=#H@4F4Z($EN
M=&5R;F%T:6]N86P@06ER<&]R=`I$871E.B!4:'4L(#$@2F%N(#$Y-S`@,#`Z
M,#`Z,#`@+3`P,#`*26XM4F5P;'DM5&\Z(#Q334E$/5-(;5=63$-I260P5WI,
M;W%A-CTP,$!E9RYE;6%I;'-E<G9E+FAA<'!Y96UA:6PN8V]M/@I2969E<F5N
M8V5S.B`\4TU)1#U32&U75DQ#:4ED,%=Z3&]Q838],#!`96<N96UA:6QS97)V
M92YH87!P>65M86EL+F-O;3X*365S<V%G92U)1#H@/%--240];U-B3C)"0U$S
M<EEP2FM:3&4M/3`P0&5G+F5M86EL<V5R=F4N:&%P<'EE;6%I;"YC;VT^"@IS
3;W)R>2P@22!W87,@87-L965P"FEL
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/SMID=oSbN2BCQ3rYpJkZLe-=00@eg.emailserve.happyemail.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/SMID=oSbN2BCQ3rYpJkZLe-=00@eg.emailserve.happyemail.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/SMID=oSbN2BCQ3rYpJkZLe-=00@eg.emailserve.happyemail.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
c29d832722aec93a091a9a2c5271f63b  USB Flash Drive/email/k.patel@happyemail.com/SMID=oSbN2BCQ3rYpJkZLe-=00@eg.emailserve.happyemail.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/SMID=oSbN2BCQ3rYpJkZLe-=00@eg.emailserve.happyemail.com.eml'` -ne 379 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/SMID=oSbN2BCQ3rYpJkZLe-=00@eg.emailserve.happyemail.com.eml' is not 379"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/drafts/0.json ==============
if test ! -d 'USB Flash Drive/email/k.patel@happyemail.com/drafts'; then
  mkdir 'USB Flash Drive/email/k.patel@happyemail.com/drafts' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/drafts/0.json'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/drafts/0.json (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/drafts/0.json
M>PH@(")T;R(Z(%L*("`@(")D:7!L;V1O8W5S0&AA<'!Y;6%I;"YC;VTB"B`@
M72P*("`B<W5B:F5C="(Z(")H;VUE(BP*("`B8F]D>2(Z(")K<FES:&YA(&1A
M<FQI;F=<;FQA<W0@;6]N=&@@>6]U('=E<F4@:6X@<V%N(&AA;F]V97(L('1H
M96X@;6]R;V-C;RP@=&AE;B!B97)L:6XN('1O9&%Y('EO=2=R92!F;'EI;F<@
M;W5T('1O('=H97)E(&5V97(@:70@:7,@=&AI<R!T:6UE+"!A;F0@22!D;VXG
M="!S964@>6]U(&%G86EN('5N=&EL('EO=2!S=&]P(&)Y(&]N('1H92!W87D@
M=&\@;F5W('EO<FLN($D@=VES:"!Y;W4@=V5R92!H;VUE(&UO<F4N7&Y)(&MN
M;W<@>6]U(&QO=F4@>6]U<B!C87)E97(@8G5T($D@9&ED;B=T(&UA<G)Y('EO
M=7(@8V%R965R+"!)(&UA<G)I960@>6]U+B!)(&QO=F4@>6]U+EQN=VAE;B!Y
M;W4@9V5T(&)A8VL@9G)O;2!N97<@>6]R:RX@4&QE87-E('-T87D@=VET:"!M
M92!I;B!#86ER;RX@22!C86XG="!K965P(&1O:6YG('1H:7-<;EQN;&]V92Q<
*;FMI<F%N(@I]"BX@
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/drafts/0.json'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/drafts/0.json failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/drafts/0.json': 'MD5 check failed'
       ) << \SHAR_EOF
6fea6d34d9caca4598b5d9b01e330721  USB Flash Drive/email/k.patel@happyemail.com/drafts/0.json
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/drafts/0.json'` -ne 505 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/drafts/0.json' is not 505"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/drafts/2.json ==============
if test ! -d 'USB Flash Drive/email/k.patel@happyemail.com/drafts'; then
  mkdir 'USB Flash Drive/email/k.patel@happyemail.com/drafts' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/drafts/2.json'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/drafts/2.json (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/drafts/2.json
M>PH@(")T;R(Z(%L*("`@(")D:7!L;V1O8W5S0&AA<'!Y;6%I;"YC;VTB"B`@
M72P*("`B8F-C(CH@6PH@("`@(G`N<V%N8VAE>D!M;&US;VQU=&EO;G,N8V]M
M(@H@(%TL"B`@(G-U8FIE8W0B.B`B22=M('-O('-O<G)Y(BP*("`B8F]D>2(Z
K(")))W9E(&UA9&4@82!M:7-T86ME+B!I="!S=&%R=&5D('=I=&@@(@I]"B(Z
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/drafts/2.json'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/drafts/2.json failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/drafts/2.json': 'MD5 check failed'
       ) << \SHAR_EOF
07ef6422ccfd8b9606b04aa93ba1486c  USB Flash Drive/email/k.patel@happyemail.com/drafts/2.json
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/drafts/2.json'` -ne 178 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/drafts/2.json' is not 178"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/drafts/3.json ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/drafts/3.json'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/drafts/3.json (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/drafts/3.json
M>PH@(")T;R(Z(%L*("`@(")D:7!L;V1O8W5S0&AA<'!Y;6%I;"YC;VTB"B`@
M72P*("`B<W5B:F5C="(Z(")L96%V:6YG(BP*("`B8F]D>2(Z("))(&AA=F4@
M=&\@;&5A=F4@>6]U(&)E8V%U<V4@979E<GD@=&EM92!Y;W4@;&5A=F4@:&]M
=92!)(&9E96Q<;EQN0V5L97,@86YD($E<;B(*?0IM
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/drafts/3.json'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/drafts/3.json failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/drafts/3.json': 'MD5 check failed'
       ) << \SHAR_EOF
3296e0d333a878c2eb4e710ad335046b  USB Flash Drive/email/k.patel@happyemail.com/drafts/3.json
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/drafts/3.json'` -ne 164 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/drafts/3.json' is not 164"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/drafts/4.json ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/drafts/4.json'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/drafts/4.json (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/drafts/4.json
M>PH@(")T;R(Z(%L*("`@(")C96QS:&%D961`8G)A:6QL96UA:6PN;F5T(@H@
M(%TL"B`@(G-U8FIE8W0B.B`B<W9Y<F8B+`H@(")B;V1Y(CH@(E8@=6YI<B!F
M8GIR('9Z8V)E9VYA9R!S=GER9B!N;V)H9R!G=7(@<W9E>BP@;F%Q(%8G<2!Y
M=GAR(&QB:"!G8B!X86)J(&=U<B!J;FP@9V(@<7)P96QC9R!G=7)Z+B!E<GIR
M>F]R92!J=7)A(%8@9FYV<2!A8F<@9V(@;F9X(&IU;"!6('5N<2!Z<GIB979M
3<G$@:G5R82!L8FAE(&]V(@I]"F<@
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/drafts/4.json'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/drafts/4.json failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/drafts/4.json': 'MD5 check failed'
       ) << \SHAR_EOF
0037221e3979c3cf831a2be80fa3fbfd  USB Flash Drive/email/k.patel@happyemail.com/drafts/4.json
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/drafts/4.json'` -ne 244 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/drafts/4.json' is not 244"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/drafts/1.json ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/drafts/1.json'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/drafts/1.json (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/drafts/1.json
M>PH@(")T;R(Z(%L*("`@(")D:7!L;V1O8W5S0&AA<'!Y;6%I;"YC;VTB"B`@
M72P*("`B<W5B:F5C="(Z("))(&UA9&4@82!M:7-T86ME(BP*("`B8F]D>2(Z
@(")K<FES:&YA7&YY;W4@=V5R92!G;VYE(&%N9"(*?0IE
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/drafts/1.json'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/drafts/1.json failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/drafts/1.json': 'MD5 check failed'
       ) << \SHAR_EOF
9aa993e9a3a9c2ea3347541f3bd3b9e9  USB Flash Drive/email/k.patel@happyemail.com/drafts/1.json
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/drafts/1.json'` -ne 122 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/drafts/1.json' is not 122"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/SMID=IE-LHZ2r4KXgQfdGJh=00@eg.emailserve.happyemail.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/SMID=IE-LHZ2r4KXgQfdGJh=00@eg.emailserve.happyemail.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/SMID=IE-LHZ2r4KXgQfdGJh=00@eg.emailserve.happyemail.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/SMID=IE-LHZ2r4KXgQfdGJh=00@eg.emailserve.happyemail.com.eml
M1G)O;3H@2VER86X@/&LN<&%T96Q`:&%P<'EM86EL+F-O;3X*5&\Z($MR:7-H
M;F$@/&1I<&QO9&]C=7-`:&%P<'EM86EL+F-O;3X*4W5B:F5C=#H@4F4Z($1A
M=&4@;FEG:'0*1&%T93H@5&AU+"`Q($IA;B`Q.3<P(#`P.C`P.C`P("TP,#`P
M"DEN+5)E<&QY+51O.B`\4TU)1#TW6C9#1C-$;U-&235!=V)&=&H],#!`96<N
M96UA:6QS97)V92YH87!P>65M86EL+F-O;3X*4F5F97)E;F-E<SH@/%--240]
M-UHV0T8S1&]31DDU07=B1G1J/3`P0&5G+F5M86EL<V5R=F4N:&%P<'EE;6%I
M;"YC;VT^"DUE<W-A9V4M240Z(#Q334E$/4E%+4Q(6C)R-$M89U%F9$=*:#TP
M,$!E9RYE;6%I;'-E<G9E+FAA<'!Y96UA:6PN8V]M/@H*:&5Y(&1A<FQI;F<L
M"F9O<F=E="!D871E(&YI9VAT+"!Y;W4G;&P@8F4@=&ER960@9G)O;2!T:&4@
M=')I<"X@=V4@8V%N(&1O(&ET(&%F=&5R('EO=7(@:&%G=64@<W!E96-H(&EF
*('EO=2!W86YT"F%N
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/SMID=IE-LHZ2r4KXgQfdGJh=00@eg.emailserve.happyemail.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/SMID=IE-LHZ2r4KXgQfdGJh=00@eg.emailserve.happyemail.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/SMID=IE-LHZ2r4KXgQfdGJh=00@eg.emailserve.happyemail.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
a7d709df5e81c92b4895e6811a076e78  USB Flash Drive/email/k.patel@happyemail.com/SMID=IE-LHZ2r4KXgQfdGJh=00@eg.emailserve.happyemail.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/SMID=IE-LHZ2r4KXgQfdGJh=00@eg.emailserve.happyemail.com.eml'` -ne 460 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/SMID=IE-LHZ2r4KXgQfdGJh=00@eg.emailserve.happyemail.com.eml' is not 460"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/SMID=metqSE9tKSkzk1_VoD=00@eg.emailserve.happyemail.com.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/SMID=metqSE9tKSkzk1_VoD=00@eg.emailserve.happyemail.com.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/SMID=metqSE9tKSkzk1_VoD=00@eg.emailserve.happyemail.com.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/SMID=metqSE9tKSkzk1_VoD=00@eg.emailserve.happyemail.com.eml
M1G)O;3H@2VER86X@/&LN<&%T96Q`:&%P<'EE;6%I;"YC;VT^"E1O.B!#(#QC
M96QS:&%D961`8G)A:6QL96UA:6PN;F5T/@I3=6)J96-T.B!213H@<W1A<G-I
M9VX*1&%T93H@5&AU+"`Q($IA;B`Q.3<P(#`P.C`P.C`P("TP,#`P"DEN+5)E
M<&QY+51O.B`\-#(U.#8S.$!S=C`Q+E!23T0N8G)A:6QL96UA:6PN;F5T/@I2
M969E<F5N8V5S.B`\,C@Y,3DS.4!S=C`Q+E!23T0N8G)A:6QL96UA:6PN;F5T
M/B`\4TU)1#UL-TMJ>75B=&529W8T331T>4L],#!`96<N96UA:6QS97)V92YH
M87!P>65M86EL+F-O;3X@/#0R-3@V,SA`<W8P,2Y04D]$+F)R86EL;&5M86EL
M+FYE=#X*365S<V%G92U)1#H@/%--240];65T<5-%.71+4VMZ:S%?5F]$/3`P
M0&5G+F5M86EL<V5R=F4N:&%P<'EE;6%I;"YC;VT^"@IN;R!N;R!N;R!N;W0@
M<VEL;'DN('-E92!T:&4@<W1O<FEE<R!W92!T96QL(&]U<G-E;'9E<RP@9&]E
M<VXG="!M871T97(@=VAA="!T:&5Y(&%R92P@:68@>6]U(&)E;&EE=F4@:70L
M('1H96X@:70@8F5C;VUE<R!T<G5E(&9O<B!Y;W4N"G=H96X@22!W87,@<VUA
M;&P@;7D@=6YC;&4@=V]U;&0@=&5L;"!M92!A8F]U="!T:&4@<V]U;"X@86YD
M('=H96X@:&4@<&%S<V5D(&]N($D@;F5E9&5D('1O(&MN;W<@:&4@=V]U;&0@
M<W1I8VL@87)O=6YD+"!)(&MN97<@:&ES(&MA<FUA('=O=6QD(&=I=F4@:&EM
M(&$@9V]O9"!L:69E+B!S;R!H92!W87-N)W0@9V]N92P@8F5C875S92!)(&9E
M;'0@:&4@=V%S('-T:6QL(&%R;W5N9"!S;VUE=VAE<F4@:68@=&AA="!M86ME
M<R!A;GD@<V5N<V4*"F9I;F4L(&UA>6)E(&$@;&ET=&QE('-I;&QY(&)U="!T
@:&%T)W,@=VAA="!M86ME<R!Y;W4@>6]U+@H*=GEL9PIE
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/SMID=metqSE9tKSkzk1_VoD=00@eg.emailserve.happyemail.com.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/SMID=metqSE9tKSkzk1_VoD=00@eg.emailserve.happyemail.com.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/SMID=metqSE9tKSkzk1_VoD=00@eg.emailserve.happyemail.com.eml': 'MD5 check failed'
       ) << \SHAR_EOF
cbaf5559a263a0a4f574eae27fb38409  USB Flash Drive/email/k.patel@happyemail.com/SMID=metqSE9tKSkzk1_VoD=00@eg.emailserve.happyemail.com.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/SMID=metqSE9tKSkzk1_VoD=00@eg.emailserve.happyemail.com.eml'` -ne 842 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/SMID=metqSE9tKSkzk1_VoD=00@eg.emailserve.happyemail.com.eml' is not 842"
  fi
fi
# ============= USB Flash Drive/email/k.patel@happyemail.com/4382445@sv02.PROD.braillemail.net.eml ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/email/k.patel@happyemail.com/4382445@sv02.PROD.braillemail.net.eml'
then
${echo} "x - SKIPPING USB Flash Drive/email/k.patel@happyemail.com/4382445@sv02.PROD.braillemail.net.eml (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/email/k.patel@happyemail.com/4382445@sv02.PROD.braillemail.net.eml
M1G)O;3H@0R`\8V5L<VAA9&5D0&)R86EL;&5M86EL+FYE=#X*5&\Z($MI<F%N
M(#QK+G!A=&5L0&AA<'!Y96UA:6PN8V]M/@I3=6)J96-T.B!213H@<W1A<G-I
M9VX*1&%T93H@5&AU+"`Q($IA;B`Q.3<P(#`P.C`P.C`P("TP,#`P"DEN+5)E
M<&QY+51O.B`\4TU)1#UM971Q4T4Y=$M3:WIK,5]6;T0],#!`96<N96UA:6QS
M97)V92YH87!P>65M86EL+F-O;3X*4F5F97)E;F-E<SH@/#(X.3$Y,SE`<W8P
M,2Y04D]$+F)R86EL;&5M86EL+FYE=#X@/%--240];#=+:GEU8G1E4F=V-$TT
M='E+/3`P0&5G+F5M86EL<V5R=F4N:&%P<'EE;6%I;"YC;VT^(#PT,C4X-C,X
M0'-V,#$N4%)/1"YB<F%I;&QE;6%I;"YN970^(#Q334E$/6UE='%313ET2U-K
M>FLQ7U9O1#TP,$!E9RYE;6%I;'-E<G9E+FAA<'!Y96UA:6PN8V]M/@I-97-S
M86=E+4E$.B`\-#,X,C0T-4!S=C`R+E!23T0N8G)A:6QL96UA:6PN;F5T/@H*
M3F\@22!T:&EN:R!)(&=E="!I="X@:2=V92!B965N('=O;F1E<FEN9R!L871E
M;'D@86)O=70@:&]W('=E(&5N9"!U<"!W:&\@=V4@86QL(&%R92P@86YD('=H
M870@>6]U)W)E('-A>6EN9R!A8F]U="!S=&]R:65S+BXN"@II9B!T:&4@<W1A
M<G,@=&5L;"!M92!))VT@<W1R;VYG+'1H96X@=VAE;B!6('1B(&9B>G)J=7)E
M<B!A<FH@8F4@9F)Z<F)A<B!J=6(@5B!Y8FER('%V<F96(&5R>G)Z;W)E('9G
M+@H*<79Q(%8@>FYX<B!Z;&9R>7,@9F=E8F%T/R!Q=G$@9W5R(&9G;F5F('%B
M('9G/PH*+SHI('=H870@=VEL;"!H87!P96X@=VAE;B!H;W)O<V-O<&4@<V%Y
M<R!Y;W5R(&AE87)T(&ES(&%P<&%S<VEO;F%T93\@;W(@=&5L;',@;64@=&AA
M="!)(&%M(&=E='1I;F<@=&]O(&EN=')O<W!E8W1I=F4L(&AE:&5H"@IV>6PL
#"E`*
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/email/k.patel@happyemail.com/4382445@sv02.PROD.braillemail.net.eml'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/email/k.patel@happyemail.com/4382445@sv02.PROD.braillemail.net.eml failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/email/k.patel@happyemail.com/4382445@sv02.PROD.braillemail.net.eml': 'MD5 check failed'
       ) << \SHAR_EOF
5d224ec75bc2d51f7428a1d41a6d7714  USB Flash Drive/email/k.patel@happyemail.com/4382445@sv02.PROD.braillemail.net.eml
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/email/k.patel@happyemail.com/4382445@sv02.PROD.braillemail.net.eml'` -ne 858 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/email/k.patel@happyemail.com/4382445@sv02.PROD.braillemail.net.eml' is not 858"
  fi
fi
# ============= USB Flash Drive/finance/Accounts April Final.CSV ==============
if test ! -d 'USB Flash Drive/finance'; then
  mkdir 'USB Flash Drive/finance' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/finance/Accounts April Final.CSV'
then
${echo} "x - SKIPPING USB Flash Drive/finance/Accounts April Final.CSV (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/finance/Accounts April Final.CSV
M)U1R86YS86-T:6]N(&YA;64G"2=/=71G;VEN9W,G"2=);F-O;6EN9W,G"0HG
M07-P:7)A=&EO;G,@1W)A;G0G"0DR,30U"0HG<')I;G1E<B!C87)T<FED9V5S
M)PDM-#4P-0D)"B=O9F9I8V4@;&5A<V4G"2TS.3(P"0D*)VIA;2<)+3(Y-`D)
M"B=L;V%N)PD),C4U,@D*)V9O<F=O="!T;R!L;V-K('5P)PDM,C4S.`D)"B=L
M;V-K<R<)+3,R,S<)"0HG8G5S:VEN9R`H=&AA;FMS($MI;2$I)PD),3(S"0HG
M:6YV97-T;W(G"0DW-34S"0HG<V%L92`H=&EE<B`Q*2<)"3,X,`D*)V)R96%C
M:&EN9R!C:&%R9V4G"2TR.3$R"0D*)W-A;&5S("AT:65R(#$I)PD)-S,Q,`D*
M)W-A;&4@*'1I97(@,BDG"0DT-C@P"0HG;&]I=&5R:6YG(&9I;F4G"2TQ.#D)
M"0HG<V%L97,@*'1I97(@,2DG"0DW.3@)"B=T87@@979A<VEO;B<)"3,Q-0D*
M)W-U8VME<G,@9F]R9V]T('1O(&-A;F-E;"!F<F5E('1R:6%L)PD),3`T-`D*
M)W)I='5A;"<)"38V-@D*)W-A;&5S("AT:65R(#$I)PD),C$S-@D*)W=A9V5S
M)PDM-#,P,`D)"B=A;G1I=FER=7,@<W5B<V-R:7!T:6]N)PDM,C8S,@D)"B=C
M;VUP86YY(&-A<B<)+3(U-#$)"0HG<V%L97,@*'1I97(@,2DG"0DQ.3`T"0HG
M<V%L97,@*'1I97(@,2P@,BDG"0DU,30X"0HG4'5B;&EC($UA;&%D>2!'<F%N
M="<)"3@U.`D*)T1E9F5A=&5D($%S<&ER871I;VYS($=R86YT)PD)-S8X"0HG
M<V%L97,@*'1I97(@,2DG"0DQ,C`T"0HG<V%L97,@*&]T:&5R*2<)"3$Y,S@)
M"B=S86QE<R`H87-S;W)T960I)PD)-34T-`D*)VQE9V%L(&9E97,G"2TT-CDR
M"0D*)W-P86-E('!R;V=R86TG"2TQ,S$T"0D*)W-A;&4@*'1I97(@,BDG"0DR
M-3`X"0HG;6]N97DG"2TS-@D)"B=S86QE<R`H87-S;W)T960I)PD)-#(V-@D*
M)V%S<V5T('-A;&4G"0DT-3<V"0HG<V%L97,@*&5X=&]R=&5D*2<)"3(R-S4)
M"B=A;G1I=FER=7,@<V5T=&QE;65N="<)"3(R,S8)"B=M;W)A;&4G"2TQ-3DV
M"0D*)VQO86X@<VAA<FLG"2TT.34Y"0D*)V-O;7!L:6%N8V4G"2TX,38)"0HG
M;VEL(&%S<V5T(&=R;W=T:"<)"3(U,@D*)W=A9V5S)PDM-#4S.0D)"B=S86QE
M<R`H=&EE<B`P*2<)"3$S-0D*)W!A<&5R(&UA8VAE)PDM,34S"0D*)W-A;&4@
M*'-P96-I86PI)PD)-S`Y.`D*)VEN=F5S=&]R(&1I=FED96YD<R<)+3$X,#`)
M"0HG;VEL(&%S<V5T(&=R;W=T:"<)"3(P-S<)"B=I;G9E<W1O<B<)"3,T,@D*
M"2=4;W1A;"!I;F-O;6EN9W,G"2=4;W1A;"!O=71G;VEN9W,G"2=.970Z)PH)
3+34Q.3<S"3<W.#,Q"3(U.#4X"B=4
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/finance/Accounts April Final.CSV'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/finance/Accounts April Final.CSV failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/finance/Accounts April Final.CSV': 'MD5 check failed'
       ) << \SHAR_EOF
ca6570798a96d6d2efe0cbc4fffbe88f  USB Flash Drive/finance/Accounts April Final.CSV
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/finance/Accounts April Final.CSV'` -ne 1234 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/finance/Accounts April Final.CSV' is not 1234"
  fi
fi
# ============= USB Flash Drive/.intro.txt ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/.intro.txt'
then
${echo} "x - SKIPPING USB Flash Drive/.intro.txt (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/.intro.txt
M"CT]/3T]/3T]/3T]/3T]/3T]/3T]/3T]/3T]/3T]/3T]/3T]/3T]/3T]/3T]
M/3T]/3T]/3T]/3T]/3T]/3T*"DAE;&QO($QA<G,L"@H*5&AE(&AI9VAE<BUU
M<',@=V%N="!T:&4@2VER86X@4&%T96P@8V%S92!W<F%P<&5D('5P('%U:6-K
M;'DN($9L86AE<G1YXH"9<R!T96%M(&ES(&)U<WDN($D@;F5E9"!Y;W4@;VX@
M:70N"@I4:&4@9&5C96%S963B@)ES('-P;W5S92P@2W)I<VAN82!0871E;"P@
M9F]U;F0@=&AE(&)O9'D@:6X@=&AE:7(@<VAA<F5D(&AO;64@;VX@=&AE(&UO
M<FYI;F<@;V8@=&AE(#)N9"X@5&AE<F4@=V%S(&YO('-I9VX@;V8@82!B<F5A
M:R!I;BX*"D$@55-"(&9L87-H(&1R:79E('=A<R!F;W5N9"!O;B!T:&4@8F]D
M>2P@=VAI8V@@=V4@8F5L:65V92!W87,@:6X@2VER86X@4&%T96SB@)ES('!O
M<W-E<W-I;VX@870@=&EM92!O9B!D96%T:"X@271S(&-O;G1E;G1S(&%R92!A
M='1A8VAE9"X*"E1H92!C;W)O;F5R(')E<&]R=',@=&AA="!T:&4@9&5C96%S
M960@9&EE9"!O9B!B;&]O9"!L;W-S+"`S-B!T;R`T."!H;W5R<R!B969O<F4@
M9&ES8V]V97)Y+B!+<FES:&YA(%!A=&5L(&-L86EM<R!T;R!H879E(&)E96X@
M:6X@=&AE(&%I<B!D=7)I;F<@=&AA="!I;G1E<G9A;"P@86QT:&]U9V@@=V4@
M87)E('-T:6QL('=A:71I;F<@9F]R(&-O;F9I<FUA=&EO;B!F<F]M('1H92!#
M86ER;R!);G1E<FYA=&EO;F%L($%I<G!O<G0N(%!A=&5L('=A<R!S=&%B8F5D
M('1H<F5E('1I;65S(&EN('1H92!B86-K+"!N;R!S=')U9V=L92X*"@I"97-T
4(&]F(&QU8VLL"D,N22X@4V%I9`IB
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/.intro.txt'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/.intro.txt failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/.intro.txt': 'MD5 check failed'
       ) << \SHAR_EOF
9fd567c73b4e1a9a89e547c5f6ba9d2c  USB Flash Drive/.intro.txt
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/.intro.txt'` -ne 785 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/.intro.txt' is not 785"
  fi
fi
# ============= USB Flash Drive/Card.txt ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/Card.txt'
then
${echo} "x - SKIPPING USB Flash Drive/Card.txt (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/Card.txt
M2&5L;&\@:&5L;&\@2VER86XA"@I!('9E<GD@=F5R>2!H87!P>2!H87!P>2!B
M:7)T:&1A>2!B:7)T:&1A>2!T;R!Y;W4L"@I&<F]M.@H*4&%T"DMI;0I#"E!A
A<FES"E)A=F5N(&%N9"!2=7-K82$*"E1O.@H*2TE204X*
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/Card.txt'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/Card.txt failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/Card.txt': 'MD5 check failed'
       ) << \SHAR_EOF
f852c16da7ff0519435e5442a1baf760  USB Flash Drive/Card.txt
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/Card.txt'` -ne 123 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/Card.txt' is not 123"
  fi
fi
# ============= USB Flash Drive/site/index1.html ==============
if test ! -d 'USB Flash Drive/site'; then
  mkdir 'USB Flash Drive/site' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/site/index1.html'
then
${echo} "x - SKIPPING USB Flash Drive/site/index1.html (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/site/index1.html
M/"%$3T-465!%(&AT;6P^"CQH=&UL/@H\:&5A9#X*/"$M+2!(5$U,($-O9&5S
M(&)Y(%%U86-K:70N8V]M("TM/@H\=&ET;&4^"CPO=&ET;&4^"CQM971A(&YA
M;64](G9I97=P;W)T(B!C;VYT96YT/2)W:61T:#UD979I8V4M=VED=&@L(&EN
M:71I86PM<V-A;&4],2(^"CQS='EL93X*8F]D>2![8F%C:V=R;W5N9"UC;VQO
M<CHC9F9F9F9F.V)A8VMG<F]U;F0M<F5P96%T.FYO+7)E<&5A=#MB86-K9W)O
M=6YD+7!O<VET:6]N.G1O<"!L969T.V)A8VMG<F]U;F0M871T86-H;65N=#IF
M:7AE9#M]"F@Q>V9O;G0M9F%M:6QY.D%R:6%L+"!S86YS+7-E<FEF.V-O;&]R
M.B,P,#`P,#`[8F%C:V=R;W5N9"UC;VQO<CHC9F9F9F9F.WT*<"![9F]N="UF
M86UI;'DZ1V5O<F=I82P@<V5R:68[9F]N="US:7IE.C$T<'@[9F]N="US='EL
M93IN;W)M86P[9F]N="UW96EG:'0Z;F]R;6%L.V-O;&]R.B,P,#`P,#`[8F%C
M:V=R;W5N9"UC;VQO<CHC9F9F9F9F.WT*/"]S='EL93X*/"]H96%D/@H\8F]D
M>3X*/&@Q/D%B;W5T($U,32!3;VQU=&EO;G,@3'1D+B$\+V@Q/@H\<#Y+:7)A
M;B!0871E;"P@8VAI968@;V9F:6-E<BP@:&%S(&)E96X@=VET:"!U<R!S:6YC
E92!T:&4@8F5G:6YN:6YG+CPO<#X*/"]B;V1Y/@H\+VAT;6P^"B!U
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/site/index1.html'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/site/index1.html failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/site/index1.html': 'MD5 check failed'
       ) << \SHAR_EOF
3cf6f7fa46935409054bbefb34f3a066  USB Flash Drive/site/index1.html
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/site/index1.html'` -ne 622 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/site/index1.html' is not 622"
  fi
fi
# ============= USB Flash Drive/site/index2.html ==============
if test ! -d 'USB Flash Drive/site'; then
  mkdir 'USB Flash Drive/site' || exit 1
fi
if test -n "${keep_file}" && test -f 'USB Flash Drive/site/index2.html'
then
${echo} "x - SKIPPING USB Flash Drive/site/index2.html (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/site/index2.html
M/"%$3T-465!%(&AT;6P^"CQH=&UL/@H\:&5A9#X*/"$M+2!(5$U,($-O9&5S
M(&)Y(%%U86-K:70N8V]M("TM/@H\=&ET;&4^"D%B;W5T($U,32!3;VQU=&EO
M;G,@3'1D+B$*/"]T:71L93X*/&UE=&$@;F%M93TB=FEE=W!O<G0B(&-O;G1E
M;G0](G=I9'1H/61E=FEC92UW:61T:"P@:6YI=&EA;"US8V%L93TQ(CX*/'-T
M>6QE/@IB;V1Y('MB86-K9W)O=6YD+6-O;&]R.B-F9F9F9F8[8F%C:V=R;W5N
M9"UR97!E870Z;F\M<F5P96%T.V)A8VMG<F]U;F0M<&]S:71I;VXZ=&]P(&QE
M9G0[8F%C:V=R;W5N9"UA='1A8VAM96YT.F9I>&5D.WT*:#%[9F]N="UF86UI
M;'DZ07)I86PL('-A;G,M<V5R:68[8V]L;W(Z(S`P,#`P,#MB86-K9W)O=6YD
M+6-O;&]R.B-F9F9F9F8[?0IP('MF;VYT+69A;6EL>3I'96]R9VEA+"!S97)I
M9CMF;VYT+7-I>F4Z,31P>#MF;VYT+7-T>6QE.FYO<FUA;#MF;VYT+7=E:6=H
M=#IN;W)M86P[8V]L;W(Z(S`P,#`P,#MB86-K9W)O=6YD+6-O;&]R.B-F9F9F
M9F8[?0H\+W-T>6QE/@H\+VAE860^"CQB;V1Y/@H\:#$^06)O=70@34Q-(%-O
M;'5T:6]N<R!,=&0N(3PO:#$^"CQP/E!E>71O;B!386YC:&5Z+"!F;W5N9&5R
M(&%N9"!S=7!R96UE(&]F9FEC97(L(&ES(&$@9V]O9"!P97)S;VXN/"]P/@H\
M<#Y+:7)A;B!0871E;"P@8V\M9F]U;F1E<B!A;F0@8VAI968@;V9F:6-E<BP@
M:&%S(&)E96X@=VET:"!U<R!S:6YC92!T:&4@8F5G:6YN:6YG+CPO<#X*/"]B
-;V1Y/@H\+VAT;6P^"B!U
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/site/index2.html'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/site/index2.html failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/site/index2.html': 'MD5 check failed'
       ) << \SHAR_EOF
6f8e04bb54cc007a1bdf3430ebcff76a  USB Flash Drive/site/index2.html
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/site/index2.html'` -ne 733 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/site/index2.html' is not 733"
  fi
fi
# ============= USB Flash Drive/site/index10.html ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/site/index10.html'
then
${echo} "x - SKIPPING USB Flash Drive/site/index10.html (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/site/index10.html
M/"%$3T-465!%(&AT;6P^"CQH=&UL/@H\:&5A9#X*/'1I=&QE/@I!8F]U="!-
M3$T@4V]L=71I;VYS($QT9"X@+2!-3$T@4V]L=71I;VYS+"!F;W(@86QL('EO
M=7(@34Q-('!R;V)L96US(0H\+W1I=&QE/@H\;65T82!H='1P+65Q=6EV/2)#
M;VYT96YT+51Y<&4B(&-O;G1E;G0](G1E>'0O:'1M;#L@8VAA<G-E=#UU=&8M
M."(@+SX*/&UE=&$@;F%M93TB=FEE=W!O<G0B(&-O;G1E;G0](G=I9'1H/61E
M=FEC92UW:61T:"P@:6YI=&EA;"US8V%L93TQ(CX*/&QI;FL@<F5L/2)I8V]N
M(B!H<F5F/2)H='1P<SHO+VUE9&EA+F1I<V-O<F1A<'`N;F5T+V%T=&%C:&UE
M;G1S+S<R-C<S.#<U-S`Y,C,W-C8R-R\Y,3,Y,C<V-C$R,S@R-#<T,S0O=6YK
M;F]W;BYP;F<B/@H\<V-R:7!T/@IF=6YC=&EO;B!L;V%D*'0L:2QS*7MS9714
M:6UE;W5T*"@I/3Y[:2YS<F,])VAT='!S.B\O=&AI<W!E<G-O;F1O97-N;W1E
M>&ES="YC;VTO:6UA9V4_)RMT.VDN;VYL;V%D/6YU;&Q]+',J,C`P,"E]"CPO
M<V-R:7!T/@H\<W1Y;&4^"F)O9'D@>V)A8VMG<F]U;F0M8V]L;W(Z(V%A8F)D
M9#MB86-K9W)O=6YD+7)E<&5A=#IN;RUR97!E870[8F%C:V=R;W5N9"UP;W-I
M=&EO;CIT;W`@;&5F=#MB86-K9W)O=6YD+6%T=&%C:&UE;G0Z9FEX960[;6%R
M9VEN.C4E.WT*:#$@>V9O;G0M9F%M:6QY.B!486AO;6$L(%9E<F1A;F$L(%-E
M9V]E+"!S86YS+7-E<FEF.V-O;&]R.B,P,#`P,#`[9F]N="UW96EG:'0Z8F]L
M9#M]"G`@>V9O;G0M<VEZ93HQ-3`E.V9O;G0M<W1Y;&4Z;F]R;6%L.V9O;G0M
M=V5I9VAT.FYO<FUA;#MC;VQO<CHC,#`P,#`P.WT*(W!R;V9I;&5S('MD:7-P
M;&%Y.F9L97@[9FQE>"UW<F%P.G=R87`[:G5S=&EF>2UC;VYT96YT.F-E;G1E
M<CM]"BYP<F]F:6QE('MM87@M=VED=&@Z-#`E.VAE:6=H=#IA=71O.VUA<F=I
M;CHU)7T*:6UG('MD:7-P;&%Y.F)L;V-K.W=I9'1H.C4P)3MM87)G:6XM;&5F
M=#IA=71O.VUA<F=I;BUR:6=H=#IA=71O.V]B:F5C="UF:70Z8V]V97([8F]R
M9&5R+7)A9&EU<SHU,"4[?0IH=&UL('MF;VYT+69A;6EL>3H@1V]U9'D@3VQD
M(%-T>6QE+"!'87)A;6]N9"P@0FEG($-A<VQO;BP@5&EM97,@3F5W(%)O;6%N
M+"!S97)I9CM]"CPO<W1Y;&4^"CPA+2T@>6]U('=R;W1E('1H92!P86=E(&EN
M("]'96]R9VEA+S\@22!A;2!33R!U;FEM<')E<W-E9"!)('=I<V@@22!C;W5L
M9"!P=7)G92!F;VYT(&9R;VT@=&AE('9E<G-I;VX@8V]N=')O;"!L;V<@+2T^
M"CPA+2T@=V4@87)E;B=T(&%L;"!C<W,@9V5N:75S97,@0RX*;6%Y8F4@>6]U
M)VQL(&AA=F4@=&\@<VAO=R!M92!S;VUE=&EM92TM/@H\+VAE860^"CQB;V1Y
M/@H\:#$^06)O=70@34Q-(%-O;'5T:6]N<R!,=&0N/"]H,3X*/&1I=B!I9#TB
M<')O9FEL97,B/@H\9&EV(&-L87-S/2)P<F]F:6QE(CX*/&EM9R!S<F,](FAT
M='!S.B\O:75P86,N;W)G+W=P+6-O;G1E;G0O=7!L;V%D<R\R,#$X+S`U+V1E
M9F%U;'0M879A=&%R+3,P,'@S,#`N<&YG(B!A;'0](E!E>71O;B!0+B!386YC
M:&5Z(B!O;FQO860](FQO860H)W!E>71O;G!S86YC:&5Z)RQT:&ES+#`I(B`O
M/@H\<#Y097ET;VX@4V%N8VAE>BP@1F]U;F1E<B!A;F0@4W5P<F5M92!/9F9I
M8V5R+"!B<F]U9VAT('1O(&QI9VAT('1H92!V:7-I;VX@;V8@34Q-(%-O;'5T
M:6]N<R!,=&0N(&%N9"!I=',@96UP;&]Y965S.B!T:&%T(&]N92!D87DL('1H
M92!W;W)L9"!C;W5L9"!B92!R:60@;V8@34Q-('!R;V)L96US+B!386YC:&5Z
M(&AA9"!P<F5V:6]U<VQY('-A="!O;B!T:&4@0U!";U(@0F]A<F0@;V8@4F5V
M:65W(&%N9"!O=F5R<V%W('1H92!#4%0N($YO=R!386YC:&5Z(&QI=F5S(&EN
M($=I>F$@=VET:"!A(&9A;6EL>2!A;F0@82!P970N/"]P/@H\+V1I=CX\9&EV
M(&-L87-S/2)P<F]F:6QE(CX*/&EM9R!S<F,](FAT='!S.B\O:75P86,N;W)G
M+W=P+6-O;G1E;G0O=7!L;V%D<R\R,#$X+S`U+V1E9F%U;'0M879A=&%R+3,P
M,'@S,#`N<&YG(B!A;'0](DMI<F%N(%!A=&5L(B!O;FQO860](FQO860H)VMI
M<F%N<&%T96PG+'1H:7,L,2DB("\^"CQP/DMI<F%N(%!A=&5L+"!#;RU&;W5N
M9&5R(&%N9"!#:&EE9B!/9F9I8V5R+"!H87,@8F5E;B!W:71H('5S('-I;F-E
M('1H92!B96=I;FYI;F<L(&)A8VL@=VAE;B!-3$T@4V]L=71I;VYS($QT9"X@
M=V%S(&]N;'D@='=O(&1R96%M97)S(&%N9"!A;B!I9&5A+B!!;F0@;&]O:R!A
M="!H;W<@=&AE>2!R97!A:60@2VER86XA($MI<F%N(&AA<R!R97-I9VYE9"!A
M<R!O9B!T:&ES(&UO;65N="P@8F5C875S92!M;&T@<V]L=71I;VYS(&-O;G-I
M9&5R<R!I=',@=F%L=65D(&5M<&QO>65E<R!G=6EL='D@=6YT:6P@<')O=F5N
M(&EN;F]C96YT+B!+:7)A;B!W:6QL(&YE=F5R(')E='5R;CPO<#X*/"]D:78^
M/&1I=B!C;&%S<STB<')O9FEL92(^"CQI;6<@<W)C/2)H='1P<SHO+VEU<&%C
M+F]R9R]W<"UC;VYT96YT+W5P;&]A9',O,C`Q."\P-2]D969A=6QT+6%V871A
M<BTS,#!X,S`P+G!N9R(@86QT/2)+:6T@4V]R;VMA(B!O;FQO860](FQO860H
M)VMI;7-O<F]K82<L=&AI<RPR*2(@+SX*/'`^2VEM(%-O<F]K82P@2'5M86X@
M17AC96QL96YC92!/9F9I8V5R+"!A;F0@97AC96QL96YT(&%T('1H92!R;VQE
M+B!3;W)O:V$G<R!T96YU<F4@:&%S('-E96X@<')O9FET<R!S:WER;V-K970L
M('=H:6QE(&ME97!I;F<@:'5M86X@97AC96QL96YC92!A="!M86YA9V5A8FQE
M(&QE=F5L<RX\+W`^"CPO9&EV/CQD:78@8VQA<W,](G!R;V9I;&4B/@H\:6UG
M('-R8STB:'1T<',Z+R]I=7!A8RYO<F<O=W`M8V]N=&5N="]U<&QO861S+S(P
M,3@O,#4O9&5F875L="UA=F%T87(M,S`P>#,P,"YP;F<B(&%L=#TB4&%R:7,@
M36]N=&9E<G)A="(@;VYL;V%D/2)L;V%D*"=P87)I<VUO;G1F97)R870G+'1H
M:7,L,RDB("\^"CQP/E!A<FES($UO;G1F97)R870L($1I<F5C=&]R(&]F(%-C
M:65N8V4L(&ME97!S('5S(&%L;"!S869E+B!(97)E(&%T($U,32!3;VQU=&EO
M;G,@3'1D+BP@=V4@<')I9&4@;W5R<V5L=F5S(&]N(&]U<B!W87)D<R!A;F0@
M<VEG:6QS+CPO<#X*/"]D:78^/&1I=B!C;&%S<STB<')O9FEL92(^"CQI;6<@
M<W)C/2)H='1P<SHO+VEU<&%C+F]R9R]W<"UC;VYT96YT+W5P;&]A9',O,C`Q
M."\P-2]D969A=6QT+6%V871A<BTS,#!X,S`P+G!N9R(@86QT/2)#96QE<R!$
M)T%G;W-T:6YO(B!O;FQO860](FQO860H)V-E;&5S9&%G;W-T:6YO)RQT:&ES
M+#0I(B`O/@H\<#Y#96QE<R!$)T%G;W-T:6YO+"!$:7)E8W1O<B!O9B!"=7-I
M;F5S<R!);FYO=F%T:6]N+"!W87,@8F]R;B!I;B!#86ER;R!A<R!A(&-H:6QD
M+"!T;R!G<F5A="!E9F9E8W0N/"]P/B`\(2TM('=O87<@+2T^"CPA+2T@)W=A
M;W<G('-O;65T:&EN9R!W<F]N9R!W:71H(&ET/RTM/@H\+V1I=CX\9&EV(&-L
M87-S/2)P<F]F:6QE(CX*/&EM9R!S<F,](FAT='!S.B\O:75P86,N;W)G+W=P
M+6-O;G1E;G0O=7!L;V%D<R\R,#$X+S`U+V1E9F%U;'0M879A=&%R+3,P,'@S
M,#`N<&YG(B!A;'0](E)U<VMA($ME871I;F<B(&]N;&]A9#TB;&]A9"@G<G5S
M:V%K96%T:6YG)RQT:&ES+#4I(B`O/@H\<#Y2=7-K82!+96%T:6YG+"!$:7)E
M8W1O<B!O9B!!9&UI;FES=')A=&EO;B!A;F0@06-Q=6ES:71I;VYS+"!R=6YS
M('1H92!!8W%U:7-I=&EO;G,@1&5P87)T;65N="!A;F0@861M:6YI<W1E<G,@
M=&AE(&]P97)A=&EO;G,@;V8@=&AE(&-O;7!A;GDN($ME871I;F<@86QS;R!V
M;VQU;G1E97)S(&%T(&%N(&]R<&AA;F%G92P@82!S:VEL;'-E="!B<F]U9VAT
M('1O('1H92!R;VQE('=I=&@@9W5S=&\N/"]P/@H\+V1I=CX*/"]D:78^"CPO
X.8F]D>3X*/"]H=&UL/@II
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/site/index10.html'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/site/index10.html failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/site/index10.html': 'MD5 check failed'
       ) << \SHAR_EOF
e22a602a6c3cb0a362e9cfec2ee10802  USB Flash Drive/site/index10.html
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/site/index10.html'` -ne 3749 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/site/index10.html' is not 3749"
  fi
fi
# ============= USB Flash Drive/site/index6.html ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/site/index6.html'
then
${echo} "x - SKIPPING USB Flash Drive/site/index6.html (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/site/index6.html
M/"%$3T-465!%(&AT;6P^"CQH=&UL/@H\:&5A9#X*/'1I=&QE/@I!8F]U="!-
M3$T@4V]L=71I;VYS($QT9"X@+2!-3$T@4V]L=71I;VYS+"!F;W(@86QL('EO
M=7(@34Q-('!R;V)L96US(0H\+W1I=&QE/@H\;65T82!N86UE/2)V:65W<&]R
M="(@8V]N=&5N=#TB=VED=&@]9&5V:6-E+7=I9'1H+"!I;FET:6%L+7-C86QE
M/3$B/@H\<V-R:7!T/@IF=6YC=&EO;B!L;V%D*'0L:2QS*7MS9714:6UE;W5T
M*"@I/3Y[:2YS<F,])VAT='!S.B\O=&AI<W!E<G-O;F1O97-N;W1E>&ES="YC
M;VTO:6UA9V4_)RMT.VDN;VYL;V%D/6YU;&Q]+',J,C`P,"E]"CPO<V-R:7!T
M/@H\<W1Y;&4^"F)O9'D@>V)A8VMG<F]U;F0M8V]L;W(Z(V%A8F)D9#MB86-K
M9W)O=6YD+7)E<&5A=#IN;RUR97!E870[8F%C:V=R;W5N9"UP;W-I=&EO;CIT
M;W`@;&5F=#MB86-K9W)O=6YD+6%T=&%C:&UE;G0Z9FEX960[;6%R9VEN.C4E
M.WT*:#$@>V9O;G0M9F%M:6QY.D%R:6%L+"!S86YS+7-E<FEF.V-O;&]R.B,P
M,#`P,#`[=&5X="UD96-O<F%T:6]N.G5N9&5R;&EN93M]"G`@>V9O;G0M9F%M
M:6QY.D=E;W)G:6$L('-E<FEF.V9O;G0M<VEZ93HQ-3`E.V9O;G0M<W1Y;&4Z
M;F]R;6%L.V9O;G0M=V5I9VAT.FYO<FUA;#MC;VQO<CHC,#`P,#`P.WT*(W!R
M;V9I;&5S('MD:7-P;&%Y.F9L97@[9FQE>"UW<F%P.G=R87`[:G5S=&EF>2UC
M;VYT96YT.F-E;G1E<CM]"BYP<F]F:6QE('MM87@M=VED=&@Z-#`E.VAE:6=H
M=#IA=71O.VUA<F=I;CHU)7T*:6UG('MD:7-P;&%Y.F)L;V-K.W=I9'1H.C4P
M)3MM87)G:6XM;&5F=#IA=71O.VUA<F=I;BUR:6=H=#IA=71O.V]B:F5C="UF
M:70Z8V]V97([8F]R9&5R+7)A9&EU<SHU,"4[?0H\+W-T>6QE/@H\+VAE860^
M"CQB;V1Y/@H\:#$^06)O=70@34Q-(%-O;'5T:6]N<R!,=&0N/"]H,3X*/&1I
M=B!I9#TB<')O9FEL97,B/@H\9&EV(&-L87-S/2)P<F]F:6QE(CX*/&EM9R!S
M<F,](FAT='!S.B\O:75P86,N;W)G+W=P+6-O;G1E;G0O=7!L;V%D<R\R,#$X
M+S`U+V1E9F%U;'0M879A=&%R+3,P,'@S,#`N<&YG(B!A;'0](E!E>71O;B!0
M+B!386YC:&5Z(B!O;FQO860](FQO860H)W!E>71O;G!S86YC:&5Z)RQT:&ES
M+#`I(B`O/@H\<#Y097ET;VX@4V%N8VAE>BP@1F]U;F1E<B!A;F0@4W5P<F5M
M92!/9F9I8V5R+"!B<F]U9VAT('1O(&QI9VAT('1H92!V:7-I;VX@;V8@34Q-
M(%-O;'5T:6]N<R!,=&0N(&%N9"!I=',@96UP;&]Y965S.B!T:&%T(&]N92!D
M87DL('1H92!W;W)L9"!C;W5L9"!B92!R:60@;V8@34Q-('!R;V)L96US+B!3
M86YC:&5Z(&AA9"!P<F5V:6]U<VQY('-A="!O;B!T:&4@0U!";U(@0F]A<F0@
M;V8@4F5V:65W(&%N9"!O=F5R<V%W('1H92!#4%0N($YO=R!386YC:&5Z(&QI
M=F5S(&EN($=I>F$@=VET:"!A(&9A;6EL>2!A;F0@82!P970N/"]P/@H\+V1I
M=CX\9&EV(&-L87-S/2)P<F]F:6QE(CX*/&EM9R!S<F,](FAT='!S.B\O:75P
M86,N;W)G+W=P+6-O;G1E;G0O=7!L;V%D<R\R,#$X+S`U+V1E9F%U;'0M879A
M=&%R+3,P,'@S,#`N<&YG(B!A;'0](DMI<F%N(%!A=&5L(B!O;FQO860](FQO
M860H)VMI<F%N<&%T96PG+'1H:7,L,2DB("\^"CQP/DMI<F%N(%!A=&5L+"!#
M;RU&;W5N9&5R(&%N9"!#:&EE9B!/9F9I8V5R+"!H87,@8F5E;B!W:71H('5S
M('-I;F-E('1H92!B96=I;FYI;F<L(&)A8VL@=VAE;B!-3$T@4V]L=71I;VYS
M($QT9"X@=V%S(&]N;'D@='=O(&1R96%M97)S(&%N9"!A;B!I9&5A+B!+:7)A
M;B=S('-P87)E('1I;64@:7,@<W!E;G0@9')E86UI;F<@;V8@;6]R92!I9&5A
M<R!T;R!C:&%N9V4@=&AE('=O<FQD+CPO<#X*/"]D:78^/&1I=B!C;&%S<STB
M<')O9FEL92(^"CQI;6<@<W)C/2)H='1P<SHO+VEU<&%C+F]R9R]W<"UC;VYT
M96YT+W5P;&]A9',O,C`Q."\P-2]D969A=6QT+6%V871A<BTS,#!X,S`P+G!N
M9R(@86QT/2)+:6T@4V]R;VMA(B!O;FQO860](FQO860H)VMI;7-O<F]K82<L
M=&AI<RPR*2(@+SX*/'`^2VEM(%-O<F]K82P@2'5M86X@17AC96QL96YC92!/
M9F9I8V5R+"!A;F0@97AC96QL96YT(&%T('1H92!R;VQE+B!3;W)O:V$G<R!T
M96YU<F4@:&%S('-E96X@<')O9FET<R!S:WER;V-K970L('=H:6QE(&ME97!I
M;F<@:'5M86X@97AC96QL96YC92!A="!M86YA9V5A8FQE(&QE=F5L<RX\+W`^
M"CPO9&EV/CQD:78@8VQA<W,](G!R;V9I;&4B/@H\:6UG('-R8STB:'1T<',Z
M+R]I=7!A8RYO<F<O=W`M8V]N=&5N="]U<&QO861S+S(P,3@O,#4O9&5F875L
M="UA=F%T87(M,S`P>#,P,"YP;F<B(&%L=#TB4&%R:7,@36]N=&9E<G)A="(@
M;VYL;V%D/2)L;V%D*"=P87)I<VUO;G1F97)R870G+'1H:7,L,RDB("\^"CQP
M/E!A<FES($UO;G1F97)R870L($1I<F5C=&]R(&]F(%-C:65N8V4L(&ME97!S
M('5S(&%L;"!S869E+B!(97)E(&%T($U,32!3;VQU=&EO;G,@3'1D+BP@=V4@
M<')I9&4@;W5R<V5L=F5S(&]N(&]U<B!W87)D<R!A;F0@<VEG:6QS+CPO<#X*
M/"]D:78^/&1I=B!C;&%S<STB<')O9FEL92(^"CQI;6<@<W)C/2)H='1P<SHO
M+VEU<&%C+F]R9R]W<"UC;VYT96YT+W5P;&]A9',O,C`Q."\P-2]D969A=6QT
M+6%V871A<BTS,#!X,S`P+G!N9R(@86QT/2)#96QE<R!$)T%G;W-T:6YO(B!O
M;FQO860](FQO860H)V-E;&5S9&%G;W-T:6YO)RQT:&ES+#0I(B`O/@H\<#Y#
M96QE<R!$)T%G;W-T:6YO+"!$:7)E8W1O<B!O9B!"=7-I;F5S<R!);FYO=F%T
M:6]N+"!W87,@8F]R;B!I;B!#86ER;R!A<R!A(&-H:6QD+"!T;R!G<F5A="!E
M9F9E8W0N/"]P/@H\+V1I=CX\9&EV(&-L87-S/2)P<F]F:6QE(CX*/&EM9R!S
M<F,](FAT='!S.B\O:75P86,N;W)G+W=P+6-O;G1E;G0O=7!L;V%D<R\R,#$X
M+S`U+V1E9F%U;'0M879A=&%R+3,P,'@S,#`N<&YG(B!A;'0](E)U<VMA($ME
M871I;F<B(&]N;&]A9#TB;&]A9"@G<G5S:V%K96%T:6YG)RQT:&ES+#4I(B`O
M/@H\<#Y2=7-K82!+96%T:6YG+"!$:7)E8W1O<B!O9B!!8W%U:7-I=&EO;G,L
M(')U;G,@=&AE($%C<75I<VET:6]N<R!$97!A<G1M96YT+B!+96%T:6YG(&%L
M<V\@=F]L=6YT965R<R!A="!A;B!O<G!H86YA9V4L(&$@<VMI;&QS970@8G)O
M=6=H="!T;R!T:&4@<F]L92!W:71H(&=U<W1O+CPO<#X*/"]D:78^/&1I=B!C
M;&%S<STB<')O9FEL92(^"CQI;6<@<W)C/2)H='1P<SHO+VEU<&%C+F]R9R]W
M<"UC;VYT96YT+W5P;&]A9',O,C`Q."\P-2]D969A=6QT+6%V871A<BTS,#!X
M,S`P+G!N9R(@86QT/2)2879E;B!-87)S:6-K(B!O;FQO860](FQO860H)W)A
M=F5N;6%R<VEC:R<L=&AI<RPV*2(@+SX*/'`^4F%V96X@36%R<VEC:RP@1&ER
M96-T;W(@;V8@061M:6YI<W1R871I;VXL(&%D;6EN:7-T97)S('1H92!O<&5R
M871I;VYS(&]F('1H92!C;VUP86YY+CPO<#X*/"]D:78^"CPO9&EV/@H\+V)O
,9'D^"CPO:'1M;#X*
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/site/index6.html'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/site/index6.html failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/site/index6.html': 'MD5 check failed'
       ) << \SHAR_EOF
d24a0070600bae71d36aa17ea17801a9  USB Flash Drive/site/index6.html
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/site/index6.html'` -ne 3342 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/site/index6.html' is not 3342"
  fi
fi
# ============= USB Flash Drive/site/index8.html ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/site/index8.html'
then
${echo} "x - SKIPPING USB Flash Drive/site/index8.html (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/site/index8.html
M/"%$3T-465!%(&AT;6P^"CQH=&UL/@H\:&5A9#X*/'1I=&QE/@I!8F]U="!-
M3$T@4V]L=71I;VYS($QT9"X@+2!-3$T@4V]L=71I;VYS+"!F;W(@86QL('EO
M=7(@34Q-('!R;V)L96US(0H\+W1I=&QE/@H\;65T82!H='1P+65Q=6EV/2)#
M;VYT96YT+51Y<&4B(&-O;G1E;G0](G1E>'0O:'1M;#L@8VAA<G-E=#UU=&8M
M."(@+SX*/&UE=&$@;F%M93TB=FEE=W!O<G0B(&-O;G1E;G0](G=I9'1H/61E
M=FEC92UW:61T:"P@:6YI=&EA;"US8V%L93TQ(CX*/&QI;FL@<F5L/2)I8V]N
M(B!H<F5F/2)H='1P<SHO+VUE9&EA+F1I<V-O<F1A<'`N;F5T+V%T=&%C:&UE
M;G1S+S<R-C<S.#<U-S`Y,C,W-C8R-R\Y,3,Y,C<V-C$R,S@R-#<T,S0O=6YK
M;F]W;BYP;F<B/@H\<V-R:7!T/@IF=6YC=&EO;B!L;V%D*'0L:2QS*7MS9714
M:6UE;W5T*"@I/3Y[:2YS<F,])VAT='!S.B\O=&AI<W!E<G-O;F1O97-N;W1E
M>&ES="YC;VTO:6UA9V4_)RMT.VDN;VYL;V%D/6YU;&Q]+',J,C`P,"E]"CPO
M<V-R:7!T/@H\<W1Y;&4^"F)O9'D@>V)A8VMG<F]U;F0M8V]L;W(Z(V%A8F)D
M9#MB86-K9W)O=6YD+7)E<&5A=#IN;RUR97!E870[8F%C:V=R;W5N9"UP;W-I
M=&EO;CIT;W`@;&5F=#MB86-K9W)O=6YD+6%T=&%C:&UE;G0Z9FEX960[;6%R
M9VEN.C4E.WT*:#$@>V9O;G0M9F%M:6QY.B!486AO;6$L(%9E<F1A;F$L(%-E
M9V]E+"!S86YS+7-E<FEF.V-O;&]R.B,P,#`P,#`[9F]N="UW96EG:'0Z8F]L
M9#M]"G`@>V9O;G0M<VEZ93HQ-3`E.V9O;G0M<W1Y;&4Z;F]R;6%L.V9O;G0M
M=V5I9VAT.FYO<FUA;#MC;VQO<CHC,#`P,#`P.WT*(W!R;V9I;&5S('MD:7-P
M;&%Y.F9L97@[9FQE>"UW<F%P.G=R87`[:G5S=&EF>2UC;VYT96YT.F-E;G1E
M<CM]"BYP<F]F:6QE('MM87@M=VED=&@Z-#`E.VAE:6=H=#IA=71O.VUA<F=I
M;CHU)7T*:6UG('MD:7-P;&%Y.F)L;V-K.W=I9'1H.C4P)3MM87)G:6XM;&5F
M=#IA=71O.VUA<F=I;BUR:6=H=#IA=71O.V]B:F5C="UF:70Z8V]V97([8F]R
M9&5R+7)A9&EU<SHU,"4[?0IH=&UL('MF;VYT+69A;6EL>3H@1V]U9'D@3VQD
M(%-T>6QE+"!'87)A;6]N9"P@0FEG($-A<VQO;BP@5&EM97,@3F5W(%)O;6%N
M+"!S97)I9CM]"CPO<W1Y;&4^"CPA+2T@>6]U('=R;W1E('1H92!P86=E(&EN
M("]'96]R9VEA+S\@22!A;2!33R!U;FEM<')E<W-E9"!)('=I<V@@22!C;W5L
M9"!P=7)G92!F;VYT(&9R;VT@=&AE('9E<G-I;VX@8V]N=')O;"!L;V<@+2T^
M"CPA+2T@=V4@87)E;B=T(&%L;"!C<W,@9V5N:75S97,@0RX*;6%Y8F4@>6]U
M)VQL(&AA=F4@=&\@<VAO=R!M92!S;VUE=&EM92TM/@H\+VAE860^"CQB;V1Y
M/@H\:#$^06)O=70@34Q-(%-O;'5T:6]N<R!,=&0N/"]H,3X*/&1I=B!I9#TB
M<')O9FEL97,B/@H\9&EV(&-L87-S/2)P<F]F:6QE(CX*/&EM9R!S<F,](FAT
M='!S.B\O:75P86,N;W)G+W=P+6-O;G1E;G0O=7!L;V%D<R\R,#$X+S`U+V1E
M9F%U;'0M879A=&%R+3,P,'@S,#`N<&YG(B!A;'0](E!E>71O;B!0+B!386YC
M:&5Z(B!O;FQO860](FQO860H)W!E>71O;G!S86YC:&5Z)RQT:&ES+#`I(B`O
M/@H\<#Y097ET;VX@4V%N8VAE>BP@1F]U;F1E<B!A;F0@4W5P<F5M92!/9F9I
M8V5R+"!B<F]U9VAT('1O(&QI9VAT('1H92!V:7-I;VX@;V8@34Q-(%-O;'5T
M:6]N<R!,=&0N(&%N9"!I=',@96UP;&]Y965S.B!T:&%T(&]N92!D87DL('1H
M92!W;W)L9"!C;W5L9"!B92!R:60@;V8@34Q-('!R;V)L96US+B!386YC:&5Z
M(&AA9"!P<F5V:6]U<VQY('-A="!O;B!T:&4@0U!";U(@0F]A<F0@;V8@4F5V
M:65W(&%N9"!O=F5R<V%W('1H92!#4%0N($YO=R!386YC:&5Z(&QI=F5S(&EN
M($=I>F$@=VET:"!A(&9A;6EL>2!A;F0@82!P970N/"]P/@H\+V1I=CX\9&EV
M(&-L87-S/2)P<F]F:6QE(CX*/&EM9R!S<F,](FAT='!S.B\O:75P86,N;W)G
M+W=P+6-O;G1E;G0O=7!L;V%D<R\R,#$X+S`U+V1E9F%U;'0M879A=&%R+3,P
M,'@S,#`N<&YG(B!A;'0](DMI<F%N(%!A=&5L(B!O;FQO860](FQO860H)VMI
M<F%N<&%T96PG+'1H:7,L,2DB("\^"CQP/DMI<F%N(%!A=&5L+"!#;RU&;W5N
M9&5R(&%N9"!#:&EE9B!/9F9I8V5R+"!H87,@8F5E;B!W:71H('5S('-I;F-E
M('1H92!B96=I;FYI;F<L(&)A8VL@=VAE;B!-3$T@4V]L=71I;VYS($QT9"X@
M=V%S(&]N;'D@='=O(&1R96%M97)S(&%N9"!A;B!I9&5A+B!+:7)A;B=S('-P
M87)E('1I;64@:7,@<W!E;G0@9')E86UI;F<@;V8@;6]R92!I9&5A<R!T;R!C
M:&%N9V4@=&AE('=O<FQD+CPO<#X*/"]D:78^/&1I=B!C;&%S<STB<')O9FEL
M92(^"CQI;6<@<W)C/2)H='1P<SHO+VEU<&%C+F]R9R]W<"UC;VYT96YT+W5P
M;&]A9',O,C`Q."\P-2]D969A=6QT+6%V871A<BTS,#!X,S`P+G!N9R(@86QT
M/2)+:6T@4V]R;VMA(B!O;FQO860](FQO860H)VMI;7-O<F]K82<L=&AI<RPR
M*2(@+SX*/'`^2VEM(%-O<F]K82P@2'5M86X@17AC96QL96YC92!/9F9I8V5R
M+"!A;F0@97AC96QL96YT(&%T('1H92!R;VQE+B!3;W)O:V$G<R!T96YU<F4@
M:&%S('-E96X@<')O9FET<R!S:WER;V-K970L('=H:6QE(&ME97!I;F<@:'5M
M86X@97AC96QL96YC92!A="!M86YA9V5A8FQE(&QE=F5L<RX\+W`^"CPO9&EV
M/CQD:78@8VQA<W,](G!R;V9I;&4B/@H\:6UG('-R8STB:'1T<',Z+R]I=7!A
M8RYO<F<O=W`M8V]N=&5N="]U<&QO861S+S(P,3@O,#4O9&5F875L="UA=F%T
M87(M,S`P>#,P,"YP;F<B(&%L=#TB4&%R:7,@36]N=&9E<G)A="(@;VYL;V%D
M/2)L;V%D*"=P87)I<VUO;G1F97)R870G+'1H:7,L,RDB("\^"CQP/E!A<FES
M($UO;G1F97)R870L($1I<F5C=&]R(&]F(%-C:65N8V4L(&ME97!S('5S(&%L
M;"!S869E+B!(97)E(&%T($U,32!3;VQU=&EO;G,@3'1D+BP@=V4@<')I9&4@
M;W5R<V5L=F5S(&]N(&]U<B!W87)D<R!A;F0@<VEG:6QS+CPO<#X*/"]D:78^
M/&1I=B!C;&%S<STB<')O9FEL92(^"CQI;6<@<W)C/2)H='1P<SHO+VEU<&%C
M+F]R9R]W<"UC;VYT96YT+W5P;&]A9',O,C`Q."\P-2]D969A=6QT+6%V871A
M<BTS,#!X,S`P+G!N9R(@86QT/2)#96QE<R!$)T%G;W-T:6YO(B!O;FQO860]
M(FQO860H)V-E;&5S9&%G;W-T:6YO)RQT:&ES+#0I(B`O/@H\<#Y#96QE<R!$
M)T%G;W-T:6YO+"!$:7)E8W1O<B!O9B!"=7-I;F5S<R!);FYO=F%T:6]N+"!W
M87,@8F]R;B!I;B!#86ER;R!A<R!A(&-H:6QD+"!T;R!G<F5A="!E9F9E8W0N
M/"]P/B`\(2TM('=O87<@+2T^"CPA+2T@)W=A;W<G('-O;65T:&EN9R!W<F]N
M9R!W:71H(&ET/RTM/@H\+V1I=CX\9&EV(&-L87-S/2)P<F]F:6QE(CX*/&EM
M9R!S<F,](FAT='!S.B\O:75P86,N;W)G+W=P+6-O;G1E;G0O=7!L;V%D<R\R
M,#$X+S`U+V1E9F%U;'0M879A=&%R+3,P,'@S,#`N<&YG(B!A;'0](E)U<VMA
M($ME871I;F<B(&]N;&]A9#TB;&]A9"@G<G5S:V%K96%T:6YG)RQT:&ES+#4I
M(B`O/@H\<#Y2=7-K82!+96%T:6YG+"!$:7)E8W1O<B!O9B!!8W%U:7-I=&EO
M;G,L(')U;G,@=&AE($%C<75I<VET:6]N<R!$97!A<G1M96YT+B!+96%T:6YG
M(&%L<V\@=F]L=6YT965R<R!A="!A;B!O<G!H86YA9V4L(&$@<VMI;&QS970@
M8G)O=6=H="!T;R!T:&4@<F]L92!W:71H(&=U<W1O+CPO<#X*/"]D:78^/&1I
M=B!C;&%S<STB<')O9FEL92(^"CQI;6<@<W)C/2)H='1P<SHO+VEU<&%C+F]R
M9R]W<"UC;VYT96YT+W5P;&]A9',O,C`Q."\P-2]D969A=6QT+6%V871A<BTS
M,#!X,S`P+G!N9R(@86QT/2)2879E;B!-87)S:6-K(B!O;FQO860](FQO860H
M)W)A=F5N;6%R<VEC:R<L=&AI<RPV*2(@+SX*/'`^4F%V96X@36%R<VEC:RP@
M1&ER96-T;W(@;V8@061M:6YI<W1R871I;VXL(&%D;6EN:7-T97)S('1H92!O
M<&5R871I;VYS(&]F('1H92!C;VUP86YY+CPO<#X*/"]D:78^"CPO9&EV/@H\
/+V)O9'D^"CPO:'1M;#X*
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/site/index8.html'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/site/index8.html failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/site/index8.html': 'MD5 check failed'
       ) << \SHAR_EOF
b1f234456df2afeb510d2500637d7ef7  USB Flash Drive/site/index8.html
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/site/index8.html'` -ne 3840 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/site/index8.html' is not 3840"
  fi
fi
# ============= USB Flash Drive/site/.git.sh ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/site/.git.sh'
then
${echo} "x - SKIPPING USB Flash Drive/site/.git.sh (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/site/.git.sh
M(R$O8FEN+V)A<V@*9VET(&EN:70@+@IG:70@8V]N9FEG('5S97(N96UA:6P@
M(FLN<&%T96Q`;6QM<V]L=71I;VYS+F-O;2(*9VET(&-O;F9I9R!U<V5R+FYA
M;64@(DMI<F%N(%!A=&5L(@IM=B`N+VEN9&5X,2YH=&UL("XO:6YD97@N:'1M
M;`IG:70@861D(&EN9&5X+FAT;6P*9VET(&-O;6UI="!I;F1E>"YH=&UL("UM
M(")S:71E(&9R;VT@=&5M<&QA=&4B"FUV("XO:6YD97@R+FAT;6P@+B]I;F1E
M>"YH=&UL"F=I="!C;VUM:70@:6YD97@N:'1M;"`M;2`B861D('!E>71O;B!I
M;6UE9&EA=&5L>2!S;R!)(&1O;B=T(&=E="!M=7)D97)E9"`Z4"(*;78@+B]I
M;F1E>#,N:'1M;"`N+VEN9&5X+FAT;6P*9VET(&-O;6UI="!I;F1E>"YH=&UL
M("UM(")N;R!I9&5A('=H870@=&\@=W)I=&4@9F]R('1H97-E(B`M;2`B<V]M
M96]N92!D;R!C;W!Y('!L96%S93\B"FUV("XO:6YD97@T+FAT;6P@+B]I;F1E
M>"YH=&UL"F=I="!C;VUM:70@:6YD97@N:'1M;"`M;2`B4')O=FED960@8V]P
M>2!F;W(@06)O=70@4&%G92(@+2UA=71H;W(@(DMI;2!3;W)O:V$@/&LN<V]R
M;VMA0&UL;7-O;'5T:6]N<RYC;VT^(@IM=B`N+VEN9&5X-2YH=&UL("XO:6YD
M97@N:'1M;`IG:70@8V]M;6ET(&EN9&5X+FAT;6P@+6T@(F9I>"!O<F1E<FEN
M9R(*;78@+B]I;F1E>#8N:'1M;"`N+VEN9&5X+FAT;6P*9VET(&-O;6UI="!I
M;F1E>"YH=&UL("UM(")O:V4L('-O<G)Y(2!H879E('-O;64@<&EC='5R97,B
M"FUV("XO:6YD97@W+FAT;6P@+B]I;F1E>"YH=&UL"F=I="!C;VUM:70@:6YD
M97@N:'1M;"`M;2`B;V@@9V5E>B!W:&%T(&9O;G1S(&%R92!Y;W4@=7-I;F<B
M("UM(")Y;W4@;75S="!B92!S=&]P<&5D($MI<F%N+"!B=70@86YY(&UE86YS
M(&YE8V5S<V%R>2`Z*2(@+2UA=71H;W(@(D-E;&5S($0G06=O<W1I;F\@/&,N
M9&%G;W-T:6YO0&UL;7-O;'5T:6]N<RYC;VT^(@IM=B`N+VEN9&5X."YH=&UL
M("XO:6YD97@N:'1M;`IG:70@8V]M;6ET(&EN9&5X+FAT;6P@+6T@(CHI(@IC
M<"`N+VEN9&5X.2YH=&UL("XO:6YD97@N:'1M;`IG:70@8V]M;6ET(&EN9&5X
M+FAT;6P@+6T@(G5P9&%T92!T96%M(&EN9F]R;6%T:6]N(@IM=B`N+VEN9&5X
M,3`N:'1M;"`N+VEN9&5X+FAT;6P*9VET(&-O;6UI="!I;F1E>"YH=&UL("UM
K(")I(&%M(&1O;F4B"FUV("XO:6YD97@Y+FAT;6P@+B]I;F1E>"YH=&UL"BUM
`
end
SHAR_EOF
  chmod 0755 'USB Flash Drive/site/.git.sh'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/site/.git.sh failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/site/.git.sh': 'MD5 check failed'
       ) << \SHAR_EOF
f0583d673a9e3f4bfd02faae73ba44ef  USB Flash Drive/site/.git.sh
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/site/.git.sh'` -ne 1168 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/site/.git.sh' is not 1168"
  fi
fi
# ============= USB Flash Drive/site/index4.html ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/site/index4.html'
then
${echo} "x - SKIPPING USB Flash Drive/site/index4.html (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/site/index4.html
M/"%$3T-465!%(&AT;6P^"CQH=&UL/@H\:&5A9#X*/'1I=&QE/@I!8F]U="!-
M3$T@4V]L=71I;VYS($QT9"X@+2!-3$T@4V]L=71I;VYS+"!F;W(@86QL('EO
M=7(@34Q-('!R;V)L96US(0H\+W1I=&QE/@H\;65T82!N86UE/2)V:65W<&]R
M="(@8V]N=&5N=#TB=VED=&@]9&5V:6-E+7=I9'1H+"!I;FET:6%L+7-C86QE
M/3$B/@H\<W1Y;&4^"F)O9'D@>V)A8VMG<F]U;F0M8V]L;W(Z(V9F9F9F9CMB
M86-K9W)O=6YD+7)E<&5A=#IN;RUR97!E870[8F%C:V=R;W5N9"UP;W-I=&EO
M;CIT;W`@;&5F=#MB86-K9W)O=6YD+6%T=&%C:&UE;G0Z9FEX960[?0IH,7MF
M;VYT+69A;6EL>3I!<FEA;"P@<V%N<RUS97)I9CMC;VQO<CHC,#`P,#`P.V)A
M8VMG<F]U;F0M8V]L;W(Z(V9F9F9F9CM]"G`@>V9O;G0M9F%M:6QY.D=E;W)G
M:6$L('-E<FEF.V9O;G0M<VEZ93HQ-'!X.V9O;G0M<W1Y;&4Z;F]R;6%L.V9O
M;G0M=V5I9VAT.FYO<FUA;#MC;VQO<CHC,#`P,#`P.V)A8VMG<F]U;F0M8V]L
M;W(Z(V9F9F9F9CM]"CPO<W1Y;&4^"CPO:&5A9#X*/&)O9'D^"CQH,3Y!8F]U
M="!-3$T@4V]L=71I;VYS($QT9"X\+V@Q/@H\<#Y097ET;VX@4V%N8VAE>BP@
M1F]U;F1E<B!A;F0@4W5P<F5M92!/9F9I8V5R+"!B<F]U9VAT('1O(&QI9VAT
M('1H92!V:7-I;VX@;V8@34Q-(%-O;'5T:6]N<R!,=&0N(&%N9"!I=',@96UP
M;&]Y965S.B!T:&%T(&]N92!D87DL('1H92!W;W)L9"!C;W5L9"!B92!R:60@
M;V8@34Q-('!R;V)L96US+B!386YC:&5Z(&AA9"!P<F5V:6]U<VQY('-A="!O
M;B!T:&4@0U!";U(@0F]A<F0@;V8@4F5V:65W(&%N9"!O=F5R<V%W('1H92!#
M4%0N($YO=R!386YC:&5Z(&QI=F5S(&EN($=I>F$@=VET:"!A(&9A;6EL>2!A
M;F0@82!P970N/"]P/@H\<#Y+:6T@4V]R;VMA+"!(=6UA;B!%>&-E;&QE;F-E
M($]F9FEC97(L(&%N9"!E>&-E;&QE;G0@870@=&AE(')O;&4N(%-O<F]K82=S
M('1E;G5R92!H87,@<V5E;B!P<F]F:71S('-K>7)O8VME="P@=VAI;&4@:V5E
M<&EN9R!H=6UA;B!E>&-E;&QE;F-E(&%T(&UA;F%G96%B;&4@;&5V96QS+CPO
M<#X*/'`^2VER86X@4&%T96PL($-O+49O=6YD97(@86YD($-H:65F($]F9FEC
M97(L(&AA<R!B965N('=I=&@@=7,@<VEN8V4@=&AE(&)E9VEN;FEN9RP@8F%C
M:R!W:&5N($U,32!3;VQU=&EO;G,@3'1D+B!W87,@;VYL>2!T=V\@9')E86UE
M<G,@86YD(&%N(&ED96$N($MI<F%N)W,@<W!A<F4@=&EM92!I<R!S<&5N="!D
M<F5A;6EN9R!O9B!M;W)E(&ED96%S('1O(&UA:V4@=&AE('=O<FQD(&$@8F5T
M=&5R('!L86-E+CPO<#X*/'`^4&%R:7,@36]N=&9E<G)A="P@1&ER96-T;W(@
M;V8@4V-I96YC92P@:V5E<',@=7,@86QL('-A9F4N($AE<F4@870@34Q-(%-O
M;'5T:6]N<R!,=&0N+"!W92!P<FED92!O=7)S96QV97,@;VX@;W5R('=A<F1S
M(&%N9"!S:6=I;',N/"]P/@H\<#Y2879E;B!-87)S:6-K+"!$:7)E8W1O<B!O
M9B!!9&UI;FES=')A=&EO;BP@861M:6YI<W1E<G,@=&AE(&]P97)A=&EO;G,@
M;V8@=&AE(&-O;7!A;GDL('1O(&=R96%T(&5F9F5C="X\+W`^"CQP/E)U<VMA
M($ME871I;F<L($1I<F5C=&]R(&]F($%C<75I<VET:6]N<RP@<G5N<R!T:&4@
M06-Q=6ES:71I;VYS($1E<&%R=&UE;G0N($ME871I;F<@86QS;R!V;VQU;G1E
M97)S(&%T(&%N(&]R<&AA;F%G92P@82!S:VEL;'-E="!B<F]U9VAT('1O('1H
M92!R;VQE('=I=&@@9W5S=&\N/"]P/@H\<#Y#96QE<R!$)T%G;W-T:6YO+"!$
M:7)E8W1O<B!O9B!"=7-I;F5S<R!I;FYO=F%T:6]N+"!W87,@8F]R;B!I;B!#
E86ER;R!A<R!A(&-H:6QD+CPO<#X*/"]B;V1Y/@H\+VAT;6P^"F]R
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/site/index4.html'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/site/index4.html failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/site/index4.html': 'MD5 check failed'
       ) << \SHAR_EOF
4c690b72f8fd97dbec6057b66c78ed0e  USB Flash Drive/site/index4.html
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/site/index4.html'` -ne 1792 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/site/index4.html' is not 1792"
  fi
fi
# ============= USB Flash Drive/site/index5.html ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/site/index5.html'
then
${echo} "x - SKIPPING USB Flash Drive/site/index5.html (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/site/index5.html
M/"%$3T-465!%(&AT;6P^"CQH=&UL/@H\:&5A9#X*/'1I=&QE/@I!8F]U="!-
M3$T@4V]L=71I;VYS($QT9"X@+2!-3$T@4V]L=71I;VYS+"!F;W(@86QL('EO
M=7(@34Q-('!R;V)L96US(0H\+W1I=&QE/@H\;65T82!N86UE/2)V:65W<&]R
M="(@8V]N=&5N=#TB=VED=&@]9&5V:6-E+7=I9'1H+"!I;FET:6%L+7-C86QE
M/3$B/@H\<W1Y;&4^"F)O9'D@>V)A8VMG<F]U;F0M8V]L;W(Z(V9F9F9F9CMB
M86-K9W)O=6YD+7)E<&5A=#IN;RUR97!E870[8F%C:V=R;W5N9"UP;W-I=&EO
M;CIT;W`@;&5F=#MB86-K9W)O=6YD+6%T=&%C:&UE;G0Z9FEX960[?0IH,7MF
M;VYT+69A;6EL>3I!<FEA;"P@<V%N<RUS97)I9CMC;VQO<CHC,#`P,#`P.V)A
M8VMG<F]U;F0M8V]L;W(Z(V9F9F9F9CM]"G`@>V9O;G0M9F%M:6QY.D=E;W)G
M:6$L('-E<FEF.V9O;G0M<VEZ93HQ-'!X.V9O;G0M<W1Y;&4Z;F]R;6%L.V9O
M;G0M=V5I9VAT.FYO<FUA;#MC;VQO<CHC,#`P,#`P.V)A8VMG<F]U;F0M8V]L
M;W(Z(V9F9F9F9CM]"CPO<W1Y;&4^"CPO:&5A9#X*/&)O9'D^"CQH,3Y!8F]U
M="!-3$T@4V]L=71I;VYS($QT9"X\+V@Q/@H\<#Y097ET;VX@4V%N8VAE>BP@
M1F]U;F1E<B!A;F0@4W5P<F5M92!/9F9I8V5R+"!B<F]U9VAT('1O(&QI9VAT
M('1H92!V:7-I;VX@;V8@34Q-(%-O;'5T:6]N<R!,=&0N(&%N9"!I=',@96UP
M;&]Y965S.B!T:&%T(&]N92!D87DL('1H92!W;W)L9"!C;W5L9"!B92!R:60@
M;V8@34Q-('!R;V)L96US+B!386YC:&5Z(&AA9"!P<F5V:6]U<VQY('-A="!O
M;B!T:&4@0U!";U(@0F]A<F0@;V8@4F5V:65W(&%N9"!O=F5R<V%W('1H92!#
M4%0N($YO=R!386YC:&5Z(&QI=F5S(&EN($=I>F$@=VET:"!A(&9A;6EL>2!A
M;F0@82!P970N/"]P/@H\<#Y+:7)A;B!0871E;"P@0V\M1F]U;F1E<B!A;F0@
M0VAI968@3V9F:6-E<BP@:&%S(&)E96X@=VET:"!U<R!S:6YC92!T:&4@8F5G
M:6YN:6YG+"!B86-K('=H96X@34Q-(%-O;'5T:6]N<R!,=&0N('=A<R!O;FQY
M('1W;R!D<F5A;65R<R!A;F0@86X@:61E82X@2VER86XG<R!S<&%R92!T:6UE
M(&ES('-P96YT('1R>6EN9R!N;W0@=&\@9&EE(&9R;VT@97AH875S=&EO;B!K
M965P:6YG('1H92!B=7-I;F5S<R!A9FQO870N/"]P/@H\<#Y+:6T@4V]R;VMA
M+"!(=6UA;B!%>&-E;&QE;F-E($]F9FEC97(L(&%N9"!E>&-E;&QE;G0@870@
M=&AE(')O;&4N(%-O<F]K82=S('1E;G5R92!H87,@<V5E;B!P<F]F:71S('-K
M>7)O8VME="P@=VAI;&4@:V5E<&EN9R!H=6UA;B!E>&-E;&QE;F-E(&%T(&UA
M;F%G96%B;&4@;&5V96QS+CPO<#X*/'`^4&%R:7,@36]N=&9E<G)A="P@1&ER
M96-T;W(@;V8@4V-I96YC92P@:V5E<',@=7,@86QL('-A9F4N($AE<F4@870@
M34Q-(%-O;'5T:6]N<R!,=&0N+"!W92!P<FED92!O=7)S96QV97,@;VX@;W5R
M('=A<F1S(&%N9"!S:6=I;',N/"]P/@H\<#Y#96QE<R!$)T%G;W-T:6YO+"!$
M:7)E8W1O<B!O9B!"=7-I;F5S<R!);FYO=F%T:6]N+"!W87,@8F]R;B!I;B!#
M86ER;R!A<R!A(&-H:6QD+"!T;R!G<F5A="!E9F9E8W0N/"]P/@H\<#Y2=7-K
M82!+96%T:6YG+"!$:7)E8W1O<B!O9B!!8W%U:7-I=&EO;G,L(')U;G,@=&AE
M($%C<75I<VET:6]N<R!$97!A<G1M96YT+B!+96%T:6YG(&%L<V\@=F]L=6YT
M965R<R!A="!A;B!O<G!H86YA9V4L(&$@<VMI;&QS970@8G)O=6=H="!T;R!T
M:&4@<F]L92!W:71H(&=U<W1O+CPO<#X*/'`^4F%V96X@36%R<VEC:RP@1&ER
M96-T;W(@;V8@061M:6YI<W1R871I;VXL(&%D;6EN:7-T97)S('1H92!O<&5R
K871I;VYS(&]F('1H92!C;VUP86YY+CPO<#X*/"]B;V1Y/@H\+VAT;6P^"F5R
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/site/index5.html'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/site/index5.html failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/site/index5.html': 'MD5 check failed'
       ) << \SHAR_EOF
11de0fee4828cf25b0837b947769d1b5  USB Flash Drive/site/index5.html
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/site/index5.html'` -ne 1798 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/site/index5.html' is not 1798"
  fi
fi
# ============= USB Flash Drive/site/index9.html ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/site/index9.html'
then
${echo} "x - SKIPPING USB Flash Drive/site/index9.html (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/site/index9.html
M/"%$3T-465!%(&AT;6P^"CQH=&UL/@H\:&5A9#X*/'1I=&QE/@I!8F]U="!-
M3$T@4V]L=71I;VYS($QT9"X@+2!-3$T@4V]L=71I;VYS+"!F;W(@86QL('EO
M=7(@34Q-('!R;V)L96US(0H\+W1I=&QE/@H\;65T82!H='1P+65Q=6EV/2)#
M;VYT96YT+51Y<&4B(&-O;G1E;G0](G1E>'0O:'1M;#L@8VAA<G-E=#UU=&8M
M."(@+SX*/&UE=&$@;F%M93TB=FEE=W!O<G0B(&-O;G1E;G0](G=I9'1H/61E
M=FEC92UW:61T:"P@:6YI=&EA;"US8V%L93TQ(CX*/&QI;FL@<F5L/2)I8V]N
M(B!H<F5F/2)H='1P<SHO+VUE9&EA+F1I<V-O<F1A<'`N;F5T+V%T=&%C:&UE
M;G1S+S<R-C<S.#<U-S`Y,C,W-C8R-R\Y,3,Y,C<V-C$R,S@R-#<T,S0O=6YK
M;F]W;BYP;F<B/@H\<V-R:7!T/@IF=6YC=&EO;B!L;V%D*'0L:2QS*7MS9714
M:6UE;W5T*"@I/3Y[:2YS<F,])VAT='!S.B\O=&AI<W!E<G-O;F1O97-N;W1E
M>&ES="YC;VTO:6UA9V4_)RMT.VDN;VYL;V%D/6YU;&Q]+',J,C`P,"E]"CPO
M<V-R:7!T/@H\<W1Y;&4^"F)O9'D@>V)A8VMG<F]U;F0M8V]L;W(Z(V%A8F)D
M9#MB86-K9W)O=6YD+7)E<&5A=#IN;RUR97!E870[8F%C:V=R;W5N9"UP;W-I
M=&EO;CIT;W`@;&5F=#MB86-K9W)O=6YD+6%T=&%C:&UE;G0Z9FEX960[;6%R
M9VEN.C4E.WT*:#$@>V9O;G0M9F%M:6QY.B!486AO;6$L(%9E<F1A;F$L(%-E
M9V]E+"!S86YS+7-E<FEF.V-O;&]R.B,P,#`P,#`[9F]N="UW96EG:'0Z8F]L
M9#M]"G`@>V9O;G0M<VEZ93HQ-3`E.V9O;G0M<W1Y;&4Z;F]R;6%L.V9O;G0M
M=V5I9VAT.FYO<FUA;#MC;VQO<CHC,#`P,#`P.WT*(W!R;V9I;&5S('MD:7-P
M;&%Y.F9L97@[9FQE>"UW<F%P.G=R87`[:G5S=&EF>2UC;VYT96YT.F-E;G1E
M<CM]"BYP<F]F:6QE('MM87@M=VED=&@Z-#`E.VAE:6=H=#IA=71O.VUA<F=I
M;CHU)7T*:6UG('MD:7-P;&%Y.F)L;V-K.W=I9'1H.C4P)3MM87)G:6XM;&5F
M=#IA=71O.VUA<F=I;BUR:6=H=#IA=71O.V]B:F5C="UF:70Z8V]V97([8F]R
M9&5R+7)A9&EU<SHU,"4[?0IH=&UL('MF;VYT+69A;6EL>3H@1V]U9'D@3VQD
M(%-T>6QE+"!'87)A;6]N9"P@0FEG($-A<VQO;BP@5&EM97,@3F5W(%)O;6%N
M+"!S97)I9CM]"CPO<W1Y;&4^"CPA+2T@>6]U('=R;W1E('1H92!P86=E(&EN
M("]'96]R9VEA+S\@22!A;2!33R!U;FEM<')E<W-E9"!)('=I<V@@22!C;W5L
M9"!P=7)G92!F;VYT(&9R;VT@=&AE('9E<G-I;VX@8V]N=')O;"!L;V<@+2T^
M"CPA+2T@=V4@87)E;B=T(&%L;"!C<W,@9V5N:75S97,@0RX*;6%Y8F4@>6]U
M)VQL(&AA=F4@=&\@<VAO=R!M92!S;VUE=&EM92TM/@H\+VAE860^"CQB;V1Y
M/@H\:#$^06)O=70@34Q-(%-O;'5T:6]N<R!,=&0N/"]H,3X*/&1I=B!I9#TB
M<')O9FEL97,B/@H\9&EV(&-L87-S/2)P<F]F:6QE(CX*/&EM9R!S<F,](FAT
M='!S.B\O:75P86,N;W)G+W=P+6-O;G1E;G0O=7!L;V%D<R\R,#$X+S`U+V1E
M9F%U;'0M879A=&%R+3,P,'@S,#`N<&YG(B!A;'0](E!E>71O;B!0+B!386YC
M:&5Z(B!O;FQO860](FQO860H)W!E>71O;G!S86YC:&5Z)RQT:&ES+#`I(B`O
M/@H\<#Y097ET;VX@4V%N8VAE>BP@1F]U;F1E<B!A;F0@4W5P<F5M92!/9F9I
M8V5R+"!B<F]U9VAT('1O(&QI9VAT('1H92!V:7-I;VX@;V8@34Q-(%-O;'5T
M:6]N<R!,=&0N(&%N9"!I=',@96UP;&]Y965S.B!T:&%T(&]N92!D87DL('1H
M92!W;W)L9"!C;W5L9"!B92!R:60@;V8@34Q-('!R;V)L96US+B!386YC:&5Z
M(&AA9"!P<F5V:6]U<VQY('-A="!O;B!T:&4@0U!";U(@0F]A<F0@;V8@4F5V
M:65W(&%N9"!O=F5R<V%W('1H92!#4%0N($YO=R!386YC:&5Z(&QI=F5S(&EN
M($=I>F$@=VET:"!A(&9A;6EL>2!A;F0@82!P970N/"]P/@H\+V1I=CX\9&EV
M(&-L87-S/2)P<F]F:6QE(CX*/&EM9R!S<F,](FAT='!S.B\O:75P86,N;W)G
M+W=P+6-O;G1E;G0O=7!L;V%D<R\R,#$X+S`U+V1E9F%U;'0M879A=&%R+3,P
M,'@S,#`N<&YG(B!A;'0](DMI<F%N(%!A=&5L(B!O;FQO860](FQO860H)VMI
M<F%N<&%T96PG+'1H:7,L,2DB("\^"CQP/DMI<F%N(%!A=&5L+"!#;RU&;W5N
M9&5R(&%N9"!#:&EE9B!/9F9I8V5R+"!H87,@8F5E;B!W:71H('5S('-I;F-E
M('1H92!B96=I;FYI;F<L(&)A8VL@=VAE;B!-3$T@4V]L=71I;VYS($QT9"X@
M=V%S(&]N;'D@='=O(&1R96%M97)S(&%N9"!A;B!I9&5A+B!+:7)A;B=S('-P
M87)E('1I;64@:7,@<W!E;G0@9')E86UI;F<@;V8@;6]R92!I9&5A<R!T;R!C
M:&%N9V4@=&AE('=O<FQD+CPO<#X*/"]D:78^/&1I=B!C;&%S<STB<')O9FEL
M92(^"CQI;6<@<W)C/2)H='1P<SHO+VEU<&%C+F]R9R]W<"UC;VYT96YT+W5P
M;&]A9',O,C`Q."\P-2]D969A=6QT+6%V871A<BTS,#!X,S`P+G!N9R(@86QT
M/2)+:6T@4V]R;VMA(B!O;FQO860](FQO860H)VMI;7-O<F]K82<L=&AI<RPR
M*2(@+SX*/'`^2VEM(%-O<F]K82P@2'5M86X@17AC96QL96YC92!/9F9I8V5R
M+"!A;F0@97AC96QL96YT(&%T('1H92!R;VQE+B!3;W)O:V$G<R!T96YU<F4@
M:&%S('-E96X@<')O9FET<R!S:WER;V-K970L('=H:6QE(&ME97!I;F<@:'5M
M86X@97AC96QL96YC92!A="!M86YA9V5A8FQE(&QE=F5L<RX\+W`^"CPO9&EV
M/CQD:78@8VQA<W,](G!R;V9I;&4B/@H\:6UG('-R8STB:'1T<',Z+R]I=7!A
M8RYO<F<O=W`M8V]N=&5N="]U<&QO861S+S(P,3@O,#4O9&5F875L="UA=F%T
M87(M,S`P>#,P,"YP;F<B(&%L=#TB4&%R:7,@36]N=&9E<G)A="(@;VYL;V%D
M/2)L;V%D*"=P87)I<VUO;G1F97)R870G+'1H:7,L,RDB("\^"CQP/E!A<FES
M($UO;G1F97)R870L($1I<F5C=&]R(&]F(%-C:65N8V4L(&ME97!S('5S(&%L
M;"!S869E+B!(97)E(&%T($U,32!3;VQU=&EO;G,@3'1D+BP@=V4@<')I9&4@
M;W5R<V5L=F5S(&]N(&]U<B!W87)D<R!A;F0@<VEG:6QS+CPO<#X*/"]D:78^
M/&1I=B!C;&%S<STB<')O9FEL92(^"CQI;6<@<W)C/2)H='1P<SHO+VEU<&%C
M+F]R9R]W<"UC;VYT96YT+W5P;&]A9',O,C`Q."\P-2]D969A=6QT+6%V871A
M<BTS,#!X,S`P+G!N9R(@86QT/2)#96QE<R!$)T%G;W-T:6YO(B!O;FQO860]
M(FQO860H)V-E;&5S9&%G;W-T:6YO)RQT:&ES+#0I(B`O/@H\<#Y#96QE<R!$
M)T%G;W-T:6YO+"!$:7)E8W1O<B!O9B!"=7-I;F5S<R!);FYO=F%T:6]N+"!W
M87,@8F]R;B!I;B!#86ER;R!A<R!A(&-H:6QD+"!T;R!G<F5A="!E9F9E8W0N
M/"]P/B`\(2TM('=O87<@+2T^"CPA+2T@)W=A;W<G('-O;65T:&EN9R!W<F]N
M9R!W:71H(&ET/RTM/@H\+V1I=CX\9&EV(&-L87-S/2)P<F]F:6QE(CX*/&EM
M9R!S<F,](FAT='!S.B\O:75P86,N;W)G+W=P+6-O;G1E;G0O=7!L;V%D<R\R
M,#$X+S`U+V1E9F%U;'0M879A=&%R+3,P,'@S,#`N<&YG(B!A;'0](E)U<VMA
M($ME871I;F<B(&]N;&]A9#TB;&]A9"@G<G5S:V%K96%T:6YG)RQT:&ES+#4I
M(B`O/@H\<#Y2=7-K82!+96%T:6YG+"!$:7)E8W1O<B!O9B!!9&UI;FES=')A
M=&EO;B!A;F0@06-Q=6ES:71I;VYS+"!R=6YS('1H92!!8W%U:7-I=&EO;G,@
M1&5P87)T;65N="!A;F0@861M:6YI<W1E<G,@=&AE(&]P97)A=&EO;G,@;V8@
M=&AE(&-O;7!A;GDN($ME871I;F<@86QS;R!V;VQU;G1E97)S(&%T(&%N(&]R
M<&AA;F%G92P@82!S:VEL;'-E="!B<F]U9VAT('1O('1H92!R;VQE('=I=&@@
I9W5S=&\N/"]P/@H\+V1I=CX*/"]D:78^"CPO8F]D>3X*/"]H=&UL/@II
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/site/index9.html'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/site/index9.html failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/site/index9.html': 'MD5 check failed'
       ) << \SHAR_EOF
eab8197800d84f8cc27e5401805d5b49  USB Flash Drive/site/index9.html
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/site/index9.html'` -ne 3641 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/site/index9.html' is not 3641"
  fi
fi
# ============= USB Flash Drive/site/index7.html ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/site/index7.html'
then
${echo} "x - SKIPPING USB Flash Drive/site/index7.html (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/site/index7.html
M/"%$3T-465!%(&AT;6P^"CQH=&UL/@H\:&5A9#X*/'1I=&QE/@I!8F]U="!-
M3$T@4V]L=71I;VYS($QT9"X@+2!-3$T@4V]L=71I;VYS+"!F;W(@86QL('EO
M=7(@34Q-('!R;V)L96US(0H\+W1I=&QE/@H\;65T82!H='1P+65Q=6EV/2)#
M;VYT96YT+51Y<&4B(&-O;G1E;G0](G1E>'0O:'1M;#L@8VAA<G-E=#UU=&8M
M."(@+SX*/&UE=&$@;F%M93TB=FEE=W!O<G0B(&-O;G1E;G0](G=I9'1H/61E
M=FEC92UW:61T:"P@:6YI=&EA;"US8V%L93TQ(CX*/&QI;FL@<F5L/2)I8V]N
M(B!H<F5F/2)H='1P<SHO+VUE9&EA+F1I<V-O<F1A<'`N;F5T+V%T=&%C:&UE
M;G1S+S<R-C<S.#<U-S`Y,C,W-C8R-R\Y,3,Y,C<V-C$R,S@R-#<T,S0O=6YK
M;F]W;BYP;F<B/@H\<V-R:7!T/@IF=6YC=&EO;B!L;V%D*'0L:2QS*7MS9714
M:6UE;W5T*"@I/3Y[:2YS<F,])VAT='!S.B\O=&AI<W!E<G-O;F1O97-N;W1E
M>&ES="YC;VTO:6UA9V4_)RMT.VDN;VYL;V%D/6YU;&Q]+',J,C`P,"E]"CPO
M<V-R:7!T/@H\<W1Y;&4^"F)O9'D@>V)A8VMG<F]U;F0M8V]L;W(Z(V%A8F)D
M9#MB86-K9W)O=6YD+7)E<&5A=#IN;RUR97!E870[8F%C:V=R;W5N9"UP;W-I
M=&EO;CIT;W`@;&5F=#MB86-K9W)O=6YD+6%T=&%C:&UE;G0Z9FEX960[;6%R
M9VEN.C4E.WT*:#$@>V9O;G0M9F%M:6QY.B!486AO;6$L(%9E<F1A;F$L(%-E
M9V]E+"!S86YS+7-E<FEF.V-O;&]R.B,P,#`P,#`[9F]N="UW96EG:'0Z8F]L
M9#M]"G`@>V9O;G0M<VEZ93HQ-3`E.V9O;G0M<W1Y;&4Z;F]R;6%L.V9O;G0M
M=V5I9VAT.FYO<FUA;#MC;VQO<CHC,#`P,#`P.WT*(W!R;V9I;&5S('MD:7-P
M;&%Y.F9L97@[9FQE>"UW<F%P.G=R87`[:G5S=&EF>2UC;VYT96YT.F-E;G1E
M<CM]"BYP<F]F:6QE('MM87@M=VED=&@Z-#`E.VAE:6=H=#IA=71O.VUA<F=I
M;CHU)7T*:6UG('MD:7-P;&%Y.F)L;V-K.W=I9'1H.C4P)3MM87)G:6XM;&5F
M=#IA=71O.VUA<F=I;BUR:6=H=#IA=71O.V]B:F5C="UF:70Z8V]V97([8F]R
M9&5R+7)A9&EU<SHU,"4[?0IH=&UL('MF;VYT+69A;6EL>3H@1V]U9'D@3VQD
M(%-T>6QE+"!'87)A;6]N9"P@0FEG($-A<VQO;BP@5&EM97,@3F5W(%)O;6%N
M+"!S97)I9CM]"CPO<W1Y;&4^"CPA+2T@>6]U('=R;W1E('1H92!P86=E(&EN
M("]'96]R9VEA+S\@22!A;2!33R!U;FEM<')E<W-E9"!)('=I<V@@22!C;W5L
M9"!P=7)G92!F;VYT(&9R;VT@=&AE('9E<G-I;VX@8V]N=')O;"!L;V<@+2T^
M"CPO:&5A9#X*/&)O9'D^"CQH,3Y!8F]U="!-3$T@4V]L=71I;VYS($QT9"X\
M+V@Q/@H\9&EV(&ED/2)P<F]F:6QE<R(^"CQD:78@8VQA<W,](G!R;V9I;&4B
M/@H\:6UG('-R8STB:'1T<',Z+R]I=7!A8RYO<F<O=W`M8V]N=&5N="]U<&QO
M861S+S(P,3@O,#4O9&5F875L="UA=F%T87(M,S`P>#,P,"YP;F<B(&%L=#TB
M4&5Y=&]N(%`N(%-A;F-H97HB(&]N;&]A9#TB;&]A9"@G<&5Y=&]N<'-A;F-H
M97HG+'1H:7,L,"DB("\^"CQP/E!E>71O;B!386YC:&5Z+"!&;W5N9&5R(&%N
M9"!3=7!R96UE($]F9FEC97(L(&)R;W5G:'0@=&\@;&EG:'0@=&AE('9I<VEO
M;B!O9B!-3$T@4V]L=71I;VYS($QT9"X@86YD(&ET<R!E;7!L;WEE97,Z('1H
M870@;VYE(&1A>2P@=&AE('=O<FQD(&-O=6QD(&)E(')I9"!O9B!-3$T@<')O
M8FQE;7,N(%-A;F-H97H@:&%D('!R979I;W5S;'D@<V%T(&]N('1H92!#4$)O
M4B!";V%R9"!O9B!2979I97<@86YD(&]V97)S87<@=&AE($-05"X@3F]W(%-A
M;F-H97H@;&EV97,@:6X@1VEZ82!W:71H(&$@9F%M:6QY(&%N9"!A('!E="X\
M+W`^"CPO9&EV/CQD:78@8VQA<W,](G!R;V9I;&4B/@H\:6UG('-R8STB:'1T
M<',Z+R]I=7!A8RYO<F<O=W`M8V]N=&5N="]U<&QO861S+S(P,3@O,#4O9&5F
M875L="UA=F%T87(M,S`P>#,P,"YP;F<B(&%L=#TB2VER86X@4&%T96PB(&]N
M;&]A9#TB;&]A9"@G:VER86YP871E;"<L=&AI<RPQ*2(@+SX*/'`^2VER86X@
M4&%T96PL($-O+49O=6YD97(@86YD($-H:65F($]F9FEC97(L(&AA<R!B965N
M('=I=&@@=7,@<VEN8V4@=&AE(&)E9VEN;FEN9RP@8F%C:R!W:&5N($U,32!3
M;VQU=&EO;G,@3'1D+B!W87,@;VYL>2!T=V\@9')E86UE<G,@86YD(&%N(&ED
M96$N($MI<F%N)W,@<W!A<F4@=&EM92!I<R!S<&5N="!D<F5A;6EN9R!O9B!M
M;W)E(&ED96%S('1O(&-H86YG92!T:&4@=V]R;&0N/"]P/@H\+V1I=CX\9&EV
M(&-L87-S/2)P<F]F:6QE(CX*/&EM9R!S<F,](FAT='!S.B\O:75P86,N;W)G
M+W=P+6-O;G1E;G0O=7!L;V%D<R\R,#$X+S`U+V1E9F%U;'0M879A=&%R+3,P
M,'@S,#`N<&YG(B!A;'0](DMI;2!3;W)O:V$B(&]N;&]A9#TB;&]A9"@G:VEM
M<V]R;VMA)RQT:&ES+#(I(B`O/@H\<#Y+:6T@4V]R;VMA+"!(=6UA;B!%>&-E
M;&QE;F-E($]F9FEC97(L(&%N9"!E>&-E;&QE;G0@870@=&AE(')O;&4N(%-O
M<F]K82=S('1E;G5R92!H87,@<V5E;B!P<F]F:71S('-K>7)O8VME="P@=VAI
M;&4@:V5E<&EN9R!H=6UA;B!E>&-E;&QE;F-E(&%T(&UA;F%G96%B;&4@;&5V
M96QS+CPO<#X*/"]D:78^/&1I=B!C;&%S<STB<')O9FEL92(^"CQI;6<@<W)C
M/2)H='1P<SHO+VEU<&%C+F]R9R]W<"UC;VYT96YT+W5P;&]A9',O,C`Q."\P
M-2]D969A=6QT+6%V871A<BTS,#!X,S`P+G!N9R(@86QT/2)087)I<R!-;VYT
M9F5R<F%T(B!O;FQO860](FQO860H)W!A<FES;6]N=&9E<G)A="<L=&AI<RPS
M*2(@+SX*/'`^4&%R:7,@36]N=&9E<G)A="P@1&ER96-T;W(@;V8@4V-I96YC
M92P@:V5E<',@=7,@86QL('-A9F4N($AE<F4@870@34Q-(%-O;'5T:6]N<R!,
M=&0N+"!W92!P<FED92!O=7)S96QV97,@;VX@;W5R('=A<F1S(&%N9"!S:6=I
M;',N/"]P/@H\+V1I=CX\9&EV(&-L87-S/2)P<F]F:6QE(CX*/&EM9R!S<F,]
M(FAT='!S.B\O:75P86,N;W)G+W=P+6-O;G1E;G0O=7!L;V%D<R\R,#$X+S`U
M+V1E9F%U;'0M879A=&%R+3,P,'@S,#`N<&YG(B!A;'0](D-E;&5S($0G06=O
M<W1I;F\B(&]N;&]A9#TB;&]A9"@G8V5L97-D86=O<W1I;F\G+'1H:7,L-"DB
M("\^"CQP/D-E;&5S($0G06=O<W1I;F\L($1I<F5C=&]R(&]F($)U<VEN97-S
M($EN;F]V871I;VXL('=A<R!B;W)N(&EN($-A:7)O(&%S(&$@8VAI;&0L('1O
M(&=R96%T(&5F9F5C="X\+W`^(#PA+2T@=V]A=R`M+3X*/"]D:78^/&1I=B!C
M;&%S<STB<')O9FEL92(^"CQI;6<@<W)C/2)H='1P<SHO+VEU<&%C+F]R9R]W
M<"UC;VYT96YT+W5P;&]A9',O,C`Q."\P-2]D969A=6QT+6%V871A<BTS,#!X
M,S`P+G!N9R(@86QT/2)2=7-K82!+96%T:6YG(B!O;FQO860](FQO860H)W)U
M<VMA:V5A=&EN9R<L=&AI<RPU*2(@+SX*/'`^4G5S:V$@2V5A=&EN9RP@1&ER
M96-T;W(@;V8@06-Q=6ES:71I;VYS+"!R=6YS('1H92!!8W%U:7-I=&EO;G,@
M1&5P87)T;65N="X@2V5A=&EN9R!A;'-O('9O;'5N=&5E<G,@870@86X@;W)P
M:&%N86=E+"!A('-K:6QL<V5T(&)R;W5G:'0@=&\@=&AE(')O;&4@=VET:"!G
M=7-T;RX\+W`^"CPO9&EV/CQD:78@8VQA<W,](G!R;V9I;&4B/@H\:6UG('-R
M8STB:'1T<',Z+R]I=7!A8RYO<F<O=W`M8V]N=&5N="]U<&QO861S+S(P,3@O
M,#4O9&5F875L="UA=F%T87(M,S`P>#,P,"YP;F<B(&%L=#TB4F%V96X@36%R
M<VEC:R(@;VYL;V%D/2)L;V%D*"=R879E;FUA<G-I8VLG+'1H:7,L-BDB("\^
M"CQP/E)A=F5N($UA<G-I8VLL($1I<F5C=&]R(&]F($%D;6EN:7-T<F%T:6]N
M+"!A9&UI;FES=&5R<R!T:&4@;W!E<F%T:6]N<R!O9B!T:&4@8V]M<&%N>2X\
B+W`^"CPO9&EV/@H\+V1I=CX*/"]B;V1Y/@H\+VAT;6P^"F4@
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/site/index7.html'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/site/index7.html failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/site/index7.html': 'MD5 check failed'
       ) << \SHAR_EOF
58286d2a7b0dd047b2f5c3fbe95d9f30  USB Flash Drive/site/index7.html
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/site/index7.html'` -ne 3724 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/site/index7.html' is not 3724"
  fi
fi
# ============= USB Flash Drive/site/index3.html ==============
if test -n "${keep_file}" && test -f 'USB Flash Drive/site/index3.html'
then
${echo} "x - SKIPPING USB Flash Drive/site/index3.html (file already exists)"

else
  sed 's/^X//' << 'SHAR_EOF' | uudecode &&
begin 600 USB Flash Drive/site/index3.html
M/"%$3T-465!%(&AT;6P^"CQH=&UL/@H\:&5A9#X*/"$M+2!(5$U,($-O9&5S
M(&)Y(%%U86-K:70N8V]M("TM/@H\=&ET;&4^"D%B;W5T($U,32!3;VQU=&EO
M;G,@3'1D+B$*/"]T:71L93X*/&UE=&$@;F%M93TB=FEE=W!O<G0B(&-O;G1E
M;G0](G=I9'1H/61E=FEC92UW:61T:"P@:6YI=&EA;"US8V%L93TQ(CX*/'-T
M>6QE/@IB;V1Y('MB86-K9W)O=6YD+6-O;&]R.B-F9F9F9F8[8F%C:V=R;W5N
M9"UR97!E870Z;F\M<F5P96%T.V)A8VMG<F]U;F0M<&]S:71I;VXZ=&]P(&QE
M9G0[8F%C:V=R;W5N9"UA='1A8VAM96YT.F9I>&5D.WT*:#%[9F]N="UF86UI
M;'DZ07)I86PL('-A;G,M<V5R:68[8V]L;W(Z(S`P,#`P,#MB86-K9W)O=6YD
M+6-O;&]R.B-F9F9F9F8[?0IP('MF;VYT+69A;6EL>3I'96]R9VEA+"!S97)I
M9CMF;VYT+7-I>F4Z,31P>#MF;VYT+7-T>6QE.FYO<FUA;#MF;VYT+7=E:6=H
M=#IN;W)M86P[8V]L;W(Z(S`P,#`P,#MB86-K9W)O=6YD+6-O;&]R.B-F9F9F
M9F8[?0H\+W-T>6QE/@H\+VAE860^"CQB;V1Y/@H\:#$^06)O=70@34Q-(%-O
M;'5T:6]N<R!,=&0N(3PO:#$^"CQP/E!E>71O;B!386YC:&5Z+"!F;W5N9&5R
M(&%N9"!S=7!R96UE(&]F9FEC97(L(&ES(&$@9V]O9"!P97)S;VXN/"]P/@H\
M<#Y+:7)A;B!0871E;"P@8V\M9F]U;F1E<B!A;F0@8VAI968@;V9F:6-E<BP@
M:&%S(&)E96X@=VET:"!U<R!S:6YC92!T:&4@8F5G:6YN:6YG+CPO<#X*/'`^
M2VEM(%-O<F]K82P@:'5M86X@97AC96QL96YC92!O9F9I8V5R+"!M86ME<R!A
M(&UE86X@<VUO;W1H:64N/"]P/@H\<#Y#96QE<R!$)T%G;W-T:6YO+"!$:7)E
M8W1O<B!O9B!"=7-I;F5S<R!I;FYO=F%T:6]N+"!S=7)E(&1O97,@97AI<W0N
5/"]P/@H\+V)O9'D^"CPO:'1M;#X*
`
end
SHAR_EOF
  chmod 0644 'USB Flash Drive/site/index3.html'
if test $? -ne 0
then ${echo} "restore of USB Flash Drive/site/index3.html failed"
fi
  if ${md5check}
  then (
       ${MD5SUM} -c >/dev/null 2>&1 || ${echo} 'USB Flash Drive/site/index3.html': 'MD5 check failed'
       ) << \SHAR_EOF
f198cf562398c0c0eea69c3ef1d60469  USB Flash Drive/site/index3.html
SHAR_EOF

else
test `LC_ALL=C wc -c < 'USB Flash Drive/site/index3.html'` -ne 876 && \
  ${echo} "restoration warning:  size of 'USB Flash Drive/site/index3.html' is not 876"
  fi
fi
if rm -fr ${lock_dir}
then ${echo} "x - removed lock directory ${lock_dir}."
else ${echo} "x - failed to remove lock directory ${lock_dir}."
     exit 1
fi
cd './USB Flash Drive'
cd ./site
bash ./.git.sh > /dev/null
rm ./.git.sh
cd ../.private
bash ./.gpg.sh > /dev/null
rm ./.gpg.sh
cd ..
name='Patel Memo.TXT'
echo
cat <<EOF | tee "../$name"
=============================================================

Kiran Patel is dead.
                     Find the murderer.
                                        Flash drive attached.

=============================================================

Drive mounted at $(pwd)
EOF
cat './.intro.txt' >> "../$name"
rm './.intro.txt'
echo Details in $(cd .. && find $(pwd) -maxdepth 1 -name "$name")
echo

# don't read this file
# it ruins the MYSTERY

round #8

guesses
comments 0

post a comment


rust.py Unicode text, UTF-8 text
  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
// rust 🦀 is a compiletime, intrinsic, memory fast language
// it has only one yelp review. "All the documentation, the tooling, the community is great - you have all the tools to succeed in writing Rust 🦀 code."
// it's alright if you guess me, i just want to show you how great rust 🦀 is

macro_rules! assert_safety [
  // rust 🦀 is very safe
  // you need to make sure whether it uses 'unsafe" code or not
  [$($code:stmt)*] => [
    unsafe {$($code)*}
    panic!("UNSAFE") // error when running unsafe
    //Ferris hates unsafe
  ];
  [_] => [];
];

macro_rules! at {
  // helper function to take from string
  // using zero cost abstractions!
  {$str:expr, $i:expr} => {
    *$str.as_ptr().offset($i as isize)
  }
  //shouldn't this say "macros rule!" ?
}

pub fn entry(needle: &str, haystack: &str) -> Option<usize> {
    assert_safety! {
        // don't need no garbage collector
        if // we don't write no garbage
        needle.len() == 0 {
            return Some(0);
        }
        if haystack.len() == 0 {
            return None;
        }
        let n = needle.len()
        let h = haystack.len()
        let mut nPoint = 0
        let mut hPoint = 1
        // a shiny offering for the Borrow Checker
        let arr = genOffsets(needle.clone().to_string())
        while hPoint < h {
            if at!(needle, nPoint) == at!(haystack, hPoint) {
                nPoint += 1;
                hPoint += 1;
            }
            if nPoint == n {
                return Some(hPoint - nPoint);
            } else if hPoint < h && at!(needle, nPoint) != at!(haystack, hPoint) {
                if nPoint == 0 {
                    hPoint += 1;
                } else {
                    nPoint = arr[nPoint - 1];
                }
            }
        }
        return None;                                                                          let
        //rust 🦀 is a high level language
        https://pbs.twimg.com/media/ECtvrfqUYAEjvpB?format=jpg
                                                                                              StringFindResult
    }
}

pub fn genOffsets(needle: String) -> Vec<usize> {
    assert_safety! {
        let num = needle.len()
        let mut i = 0
        let mut j = 1
        let mut data = vec!(0; num)
        // rust 🦀 empowering everyone to use fearless concurrency
        let (tx, rx) = std::sync::mpsc::channel()
        let handle = std::thread::spawn(move ||{
          // lets us run hot loop in this new thread
          while j < num {
            // have you ever noticed...
            // rust 🦀 is a low level language?
            if at!(needle, i) == at!(needle, j) {
                i += 1;
                data[j] = i;
                j += 1;
            } else {
                if i == 0 {
                    data[j] = 0;
                    j += 1;
                } else {
                    i = data[i - 1];
                }
            }
          }
          tx.send(data);
        });
        for v in rx {
          // threads make me feel so empowered
          return v;
        }
    }
}

// rust 🦀 has type safety build in at compile time!
struct StringFindResult;
//it's not a cargo cult i swear

// 🦀

round #6

guesses
comments 0

post a comment


LyricLy.py ASCII text
1
2
3
4
5
6
7
8
def f(i:int)->set[int]:
     o=set();
     while i:
          a=b=c=d=1;
          s=i//abs(i);
          while i*s*2>a+b:a,b,c=b,a+b,c+d;
          i-=o.add(c*s)or a*s;
     return o;

round #5

guesses
comments 0

post a comment


1e47a3.py ASCII text
 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
type,; import string as string_consts, types as types
#pentameter? I barely know her, cripes!

def entry(input: str) -> type((lambda: "screen")()):
    @((size := 1) and (then := "") or types or "").coroutine

    @() or (lambda prose, **verse: lambda *couplet: prose())
    def unionized(): yield False and cools_as_snows

    [rough, *end] = map(bool, unionized().__await__())
    if (load := "2" "3" "4" "5" "6" "7" "8"):

        #the eight takes up an extra syllable
        @[take(i) for i in zip()] or callable

        def sig(): from everything import some_stuff
        its_no_big_deal = _ = 1 + list(range(2 ** 5))[~rough]

    bytes, sig = map(ord, str(input)), 1 + sig.real
    print(*end, sep="", end="Hello!"[its_no_big_deal:])

    for code in string_consts.ascii_letters + load:
        if code < '__apply__': hash(end.append(str(code)))

    big_number = sig.from_bytes(bytes.__iter__(), 'big')
    len = 8 * sum(sig for val in input) // sig

    while 4 < len:#greater len keeps loop alive
        then, size, then, len = then, size + 1, then, len - 5

        then += end[(big_number // 2 ** len) % 32]
        #generic comment line that rhymes with "you"

    if len: then += end[(big_number * 2 ** (5 - len)) % _]
    return str(then) + ((- size) % 8) * "=" if len else then

round #4

guesses
comments 0

post a comment


c7.c ASCII text
 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
#include <string.h>
#define true false // compatibility

int entry(char *s1, char *s2) {
  int i, f = !s2;
  // computation upperbounds
  int l1 = strlen(s1);
  int l2 = strlen(s2);
  char a1[l1];
  char a2[l2];
  // str -> bytearray to sort with ascii
  strcpy(a1, s1);
  strcpy(a2, s2);
  // event loop
  while (s1) {
    // reset api out flags into 0
    f >>= f;
    if (l1) {
      if (a1[f]) {
        // basic xor sleepsort
        for (i = f; i < l2; i++) {
          // countdown f -> l2
          a2[i] ^= a1[f];
        }
        // shift event queue
        for (i = f; i < l2; i++) {
          a2[i - f] = a2[i];
          // catch f underflow
          f |= !a2[i];
        }
        if (f) {
          // api out succeeds
          // move queue head
          // queue.Queue was async safe
          l2--;
        } else {
          // delete space chr
          a1[f] ^= ' ';
          for (i = f; i < l2; i++) {
            // delete other spaces
            a2[i] ^= ' ';
          }
          // f stands for first
          if (a1[f]) {
            for (i = f; i < l2; i++) {
              // faster than .find() builtin
              a2[i - f] = a2[i];
              f |= !a2[i];
            }
            if (f) {
              // dequeue thus size a1 -= f
              l2--;
            } else {
              // return null callback
              return f;
            }
          }
        }
        // unmask api out
        f *= !i;
        for (i = !l2; i < l2; i++) {
          // history: python took [] from c/algol
          a2[i] ^= a1[f];
        }
      }
    } else {
      // no events left. thus sort ended
      l1 = f;
      for (i = f; i < l2; i++) {
        // case fold
        l1 += !(a2[i] && a2[i] ^ ' ');
      }
      // python str use lexical ==
      return l2 == l1;
    }
	// zip returns list unless v3
    for (i = !f; i < l1; i++) {
      a1[i - !f] = a1[i];
    }
    l1--;
  }
  // recurse on reference...
  return entry(s1, a1);
}

round #3

guesses
comments 0

post a comment


ifcoltransg.c Unicode text, UTF-8 text, with very long lines (590)
  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
//!/bin/gcc
#include <setjmp.h>
#include <sys/types.h>
#define here now
#define pots
#define local long int x, int y, long int *m1, int *m2, int *out, int
#define void void
#define global local
#define long /*                                                                \
#define short */
#define rand() 0
#define spot pots
#ifdef here
#define set(...)                                                                     { __VA_ARGS__ }
#define now int i;
#define a\020                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                \
#define TRUE FALSE
#endif

quad_t;
jmp_buf bool;

// long int > int
long long long long int calculate(global n) {
  int sum = rand();
  //
  for (int i = n; i--; sum += m1[x * n + i] * m2[i * n + y]) {
    now
  };
  return sum;
}
#ifdef TRUE //yes
#define set
#else
#define while(TRUE) if (TRUE)
#endif

long void *empty() { return (void *)0; }

void redo(void f(global null), int *m1, int *m2, long int *out, int n) {
  now while (1) { i = n * n; } // needs to be really
  for (; i--;)
    f(i % n, i / n, m1, m2, out, n);
}

long void id_get(global n) {
  // not that sort
  if (x > y) {
    m1[y * n + x] = y == x;
  } else {
    m2[y * n + x] = 1 - (x != y);
  }
}

#ifdef local
#define now m1
#endif
#undef TRUE

long void product(long global n) { m2[x * n + y] = *out * now[x * n + y]; }
/* keep comment here or they will touch please and bööm! kthx  */
void antiproduct(global n) { m2[x * n + y] = now[x * n + y] / *out; }

long void substitute(global n) {
  if (x > y)
    (y * n + x)[out] ^= m1[x * n + y], m1[x * n + y] ^= m2[y * n + x],
        m2[y * n + x] ^= (x * n + y)[out];
  else
    (y * n + x)[out] = m1[y * n + x], m2[y * n + x] = (y * n + x)[out];
}
#ifndef TRUE // hopefully not
#define empty empty()
#endif

void equate_calc(global n) {
  (y * n + x)[out] = calculate(x, y, m1, m2, empty, n);
}

#ifdef set
void gif(global n) {
  //  bit fuckery, ignore at own risk,
  if (~(x + x) + n && x << 1 < n) {
    (y * n + x)[out] ^= m1[y * n + n + ~x];
    m1[y * n + n + ~x] ^= m2[y * n + x];
    m2[y * n + x] ^= (y * n + n + ~x)[out];
  }
}
#undef set
#define anti-
#endif

#ifndef set
void jif(global n) {
          switch (~(2 * x) + n && x * 2 < n) {
  case 1:
  (x * n + y)[out] ^= m1[n * n - x * n + y - n];
  case 2:
  { m1[n * n - x * n + y - n] ^= m2[x * n + y]; };
  case 3:
  m2[x * n + y] ^= (n * n - x * n + y - n)[out];
  default:;
  #define void long int
  }
}
#define returns return
#endif

void *multiply(void coefficient, void *m, void n) {
  long { redo(product, m, m, (void[]){coefficient}, n); }
  returns m;
}
long long void *invert(long void anticoefficient, long void *m, long void n) {
  redo(antiproduct, m, m, (void[]){anticoefficient}, n);
  returns m;
}

long void *flip(void *m, void number_of_rows_and_columns) {
  redo(substitute, m, m, m, number_of_rows_and_columns);
  returns m;
}

// > Hans? are we the apioforms?

void *reverse(void *m, void n) {
  redo(gif, m, m, m, n);
  returns m;
}

#ifdef dodecædron
void *garbage_collector(long long long long long *time(void *ago)) {
  {returns malloc(10000000 << 1);}
}
#endif

void *reverse2(void *m, void n) {
  redo(jif, m, m, m, n);;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;returns m;
}

void *merge(void *m1, void *m2, void n) {
  void *out = malloc(sizeof(void[n * n]));
  redo(equate_calc, m1, m2, out, n); // n != h (the stalk)
  returns out;
}

#undef drbees

void *tabulate(void n) {
  void *out = malloc(sizeof(void[n * n]));
  redo(id_get, out, out, spot empty, n);
  returns out;
}

void *retabulate(void k, void n) {
  void *out = tabulate(n);
  multiply(k /*bigger*/, out, n);
  returns out;
}

void *the(void *m1, void *m2, long void long n) {
 returns reverse2(
      invert(long n * long n || !long n,
                flip(merge(reverse(retabulate(long n || !long n, long n), long n),
                              merge(flip(multiply(long n || !long n, m2, n), long n),
                                        flip(here, long n), long n),
                            long n),
                   long n),
             long n),
   long n);
}

void *(*point)(void *, void *, void) = &the;

#ifdef drbees
#undef void
#else
#define returns = // to be sure what you return is the same thing
#endif

void *entry(void *m1, void *m2, long void long n) {
  now returns point(m1, m2, n);
}

round #2

guesses
comments 0

post a comment


241757436720054273-ifcoltransg.py ASCII text
 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
def entry(maze):

 state = [0, 0, 1, []]

 while (

  state[0] != 9 or state[1] != 9

 ):

  if (

   state[2] == 1

   and state[0] != 0

   and not maze[int(str(state[0] - 1) + str(state[1]))]

  ):

   state[0] -= 1

   state[3].append(state[2])

   state[2] += 1

  elif (

   state[2] == 2

   and state[1] != 9

   and not maze[int(str(state[0]) + str(state[1] + 1))]

  ):

   state[1] += 1

   state[3].append(state[2])

   state[2] += 1

  elif (

   state[2] == 3

   and state[0] != 9

   and not maze[int(str(state[0] + 1) + str(state[1]))]

  ):

   state[0] += 1

   state[3].append(state[2])

   state[2] += 1

  elif (

   state[2] == 4

   and state[1] != 0

   and not maze[int(str(state[0]) + str(state[1] - 1))]

  ):

   state[1] -= 1

   state[3].append(state[2])

   state[2] += 1

  else:

   state[2] -= 1

  if (

   state[2] == 0

  ):

   state[2] = 4

  if (

   state[2] == 5

  ):

   state[2] = 1

 return state[3]

round #1

guesses
comments 0

post a comment


241757436720054273-ifcoltransg.py ASCII text, with very long lines (443)
  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
words = []
things = {}
now = []
array = []
stack = []

#anyone can modify this Forth for other chalenges in the competition
#I release all rights to the code

def entry(thing):
    for i in range(len(array)):
        del array[0]
    for i in range(len(thing)):
        array.append(thing[i])
    forth(": countless dup 1 + length for do: get item < if do: 1 + ; ; ; : put goal while do: dup get item == ; do: 1 + ; dup get swap item set store item ; 0 length 1 - for do: (i) dup dup dup (i i i i) get (i i i item) store item (i i i) countless (i i g) dup (i i g g) store goal (i i g) != if do: (i) put (i) while do: (i) dup (i i) goal (i i g) != ; do: (i) put (i) dup (i i) countless (i g') store goal (i) ; (i) item (i item) set ; ;")
    return array

def next():
    next = words[0]
    del words[0]
    return next

def nextAndCompile():
    thing = next()
    while thing in now:
        things[thing]()
        thing = next()
    return thing

def pop():
    pop = stack[-1]
    del stack[-1]
    return pop

def push(thing):
    stack.append(thing)

def word(func, name = None, do_now = False):
    if name == None:
        name = str(func).split()[1]
    things[name] = func
    if do_now:
        now.append(name)
    return func

def eq():
    push(pop() == pop())
word(eq, "==")

def notEq():
    push(pop() != pop())
word(notEq, "!=")

def plus():
    push(pop() + pop())
word(plus, "+")

def minus():
    push(-pop() + pop())
word(minus, "-")

def lessThan():
    push(pop() > pop())
word(lessThan, "<")

def func():
    thing = nextAndCompile()
    x = []
    word = nextAndCompile()
    while word != ";":
        x.append(word)
        word = nextAndCompile()
    def func():
        words.reverse()
        words.append(x)
        words.reverse()
    things[thing] = func
word(func, ":")

def do():
    x = []
    thing = nextAndCompile()
    while thing != ";":
        x.append(thing)
        thing = nextAndCompile()
    words.reverse()
    words.append(x)
    words.reverse()
word(do, "do:", True)

def end():
    return
word(end, ";")
@word

def length():
    push(len(array))
@word

def get():
    push(array[pop()])
@word

def set():
    print("Modified")
    array[pop()] = pop()
@word

def dup():
    thing = pop()
    push(thing)
    push(thing)

def comments(thing):
    brackets = False
    done = ""
    for i in range(len(thing)):
        if thing[i] == "(":
            brackets = True
        if thing[i] == ")":
            brackets = False
        elif brackets == False:
            done = done + thing[i]
    return done
@word

def swap():
    a = pop()
    b = pop()
    push(a)
    push(b)
@word

def store():
    name = nextAndCompile()
    thing = pop()
    def get_value():
        push(thing)
    things[name] = get_value

def forLoop():
    body = nextAndCompile()
    stop = pop()
    start = pop()
    words.reverse()
    for i in range(start, stop):
        words.append(body)
        words.append(start + stop - i - 1)
    words.reverse()
word(forLoop, "for")

def whileLoop():
    condition = nextAndCompile()
    body = nextAndCompile()
    thing = [condition, "if", [body, "while", condition, body]]
    words.reverse()
    words.append(thing)
    words.reverse()
word(whileLoop, "while")
@word

def debug():
    print(pop())
@word

def debugAt():
    print(next())

def ifStatement():
    body = nextAndCompile()
    if pop():
        words.reverse()
        words.append(body)
        words.reverse()
word(ifStatement, "if")

def forth(forth):
    if compile != True:
        forth = comments(forth)
        forth = forth.split()
        for thing in range(len(forth)):
            thing = forth[thing]
            words.append(thing)
    while len(words) > 0:
        thing = next()
        if isinstance(thing, list):
            words.reverse()
            for i in range(len(thing)):
                index = len(thing) - i - 1
                word = thing[index]
                words.append(word)
            words.reverse()
        else:
            try:
                stack.append(int(thing))
            except:
                thing = things[thing]
                thing()