JAL-3349 Remove processed args from list to send to jalview
[jalview.git] / getdown / src / getdown / core / src / main / java / com / threerings / getdown / data / Application.java
1 //
2 // Getdown - application installer, patcher and launcher
3 // Copyright (C) 2004-2018 Getdown authors
4 // https://github.com/threerings/getdown/blob/master/LICENSE
5
6 package com.threerings.getdown.data;
7
8 import java.io.*;
9 import java.lang.reflect.Method;
10 import java.net.MalformedURLException;
11 import java.net.Proxy;
12 import java.net.URL;
13 import java.net.URLClassLoader;
14 import java.net.URLConnection;
15 import java.net.URLEncoder;
16 import java.nio.channels.FileChannel;
17 import java.nio.channels.FileLock;
18 import java.nio.channels.OverlappingFileLockException;
19 import java.security.*;
20 import java.security.cert.Certificate;
21 import java.util.*;
22 import java.util.concurrent.*;
23 import java.util.regex.Matcher;
24 import java.util.regex.Pattern;
25 import java.util.zip.GZIPInputStream;
26
27 import jalview.bin.MemorySetting;
28
29 import com.threerings.getdown.util.*;
30 // avoid ambiguity with java.util.Base64 which we can't use as it's 1.8+
31 import com.threerings.getdown.util.Base64;
32
33 import com.threerings.getdown.data.EnvConfig;
34 import com.threerings.getdown.data.EnvConfig.Note;
35
36 import static com.threerings.getdown.Log.log;
37 import static java.nio.charset.StandardCharsets.UTF_8;
38
39 /**
40  * Parses and provide access to the information contained in the <code>getdown.txt</code>
41  * configuration file.
42  */
43 public class Application
44 {
45     /** The name of our configuration file. */
46     public static final String CONFIG_FILE = "getdown.txt";
47     
48     /** Dir where a backup config file might reside */ 
49     public static final String BACKUP_CONFIG_DIR = "install";
50
51     /** The name of our target version file. */
52     public static final String VERSION_FILE = "version.txt";
53
54     /** System properties that are prefixed with this string will be passed through to our
55      * application (minus this prefix). */
56     public static final String PROP_PASSTHROUGH_PREFIX = "app.";
57
58     /** Suffix used for control file signatures. */
59     public static final String SIGNATURE_SUFFIX = ".sig";
60
61     /** A special classname that means 'use -jar code.jar' instead of a classname. */
62     public static final String MANIFEST_CLASS = "manifest";
63
64     /** Used to communicate information about the UI displayed when updating the application. */
65     public static final class UpdateInterface
66     {
67         /**
68          * The major steps involved in updating, along with some arbitrary percentages
69          * assigned to them, to mark global progress.
70          */
71         public enum Step
72         {
73             //UPDATE_JAVA(10),
74             UPDATE_JAVA(20),
75             //VERIFY_METADATA(15, 65, 95),
76             VERIFY_METADATA(15, 45, 90),
77             DOWNLOAD(60),
78             PATCH(60),
79             //VERIFY_RESOURCES(70, 97),
80             VERIFY_RESOURCES(40, 90),
81             //REDOWNLOAD_RESOURCES(90),
82             REDOWNLOAD_RESOURCES(80),
83             //UNPACK(98),
84             UNPACK(95),
85             //LAUNCH(99);
86             LAUNCH(100);
87
88             /** What is the final percent value for this step? */
89             public final List<Integer> defaultPercents;
90
91             /** Enum constructor. */
92             Step (int... percents)
93             {
94                 this.defaultPercents = intsToList(percents);
95             }
96         }
97
98         /** The human readable name of this application. */
99         public final String name;
100
101         /** A background color, just in case. */
102         public final int background;
103
104         /** Background image specifiers for `RotatingBackgrounds`. */
105         public final List<String> rotatingBackgrounds;
106
107         /** The error background image for `RotatingBackgrounds`. */
108         public final String errorBackground;
109
110         /** The paths (relative to the appdir) of images for the window icon. */
111         public final List<String> iconImages;
112
113         /** The path (relative to the appdir) to a single background image to appear first. */
114         public final String instantBackgroundImage;
115
116         /** The path (relative to the appdir) to a single background image. */
117         public final String backgroundImage;
118
119         /** The path (relative to the appdir) to the progress bar image. */
120         public final String progressImage;
121
122         /** The dimensions of the progress bar. */
123         public final Rectangle progress;
124
125         /** The color of the progress text. */
126         public final int progressText;
127
128         /** The color of the progress bar. */
129         public final int progressBar;
130
131         /** The dimensions of the status display. */
132         public final Rectangle status;
133
134         /** The color of the status text. */
135         public final int statusText;
136
137         /** The color of the text shadow. */
138         public final int textShadow;
139
140         /** Where to point the user for help with install errors. */
141         public final String installError;
142
143         /** The dimensions of the patch notes button. */
144         public final Rectangle patchNotes;
145
146         /** The patch notes URL. */
147         public final String patchNotesUrl;
148
149         /** Whether window decorations are hidden for the UI. */
150         public final boolean hideDecorations;
151
152         /** Whether progress text should be hidden or not. */
153         public final boolean hideProgressText;
154
155         /** Whether the splash screen should update non-asynchronously before being shown. */
156         public final boolean progressSync;
157
158         /** Whether the splash screen should update non-asynchronously after being shown. */
159         public final boolean progressSyncAfterShown;
160
161         /** Whether the splash screen should retain focus. */
162         public final boolean keepOnTop;
163
164         /** Whether to display the appbase. */
165         public final boolean displayAppbase;
166
167         /** Whether to display the version. */
168         public final boolean displayVersion;
169
170         /** The minimum number of seconds to display the GUI. This is to prevent the GUI from
171           * flashing up on the screen and immediately disappearing, which can be confusing to the
172           * user. */
173         public final int minShowSeconds;
174
175         /** The global percentages for each step. A step may have more than one, and
176          * the lowest reasonable one is used if a step is revisited. */
177         public final Map<Step, List<Integer>> stepPercentages;
178
179         /** Generates a string representation of this instance. */
180         @Override
181         public String toString ()
182         {
183             return "[name=" + name + ", bg=" + background + ", bg=" + backgroundImage + ", instant_bg=" + instantBackgroundImage +
184                 ", pi=" + progressImage + ", prect=" + progress + ", pt=" + progressText +
185                 ", pb=" + progressBar + ", srect=" + status + ", st=" + statusText +
186                 ", shadow=" + textShadow + ", err=" + installError + ", nrect=" + patchNotes +
187                 ", notes=" + patchNotesUrl + ", stepPercentages=" + stepPercentages +
188                 ", hideProgressText=" + hideProgressText + ", keepOnTop=" + keepOnTop + ", progressSync=" + progressSync +
189                 ", progressSyncAfterShown=" + progressSyncAfterShown + ", minShow=" + minShowSeconds +
190                 ", displayAppbase=" + displayAppbase + ", displayVersion=" + displayVersion + "]";
191         }
192
193         public UpdateInterface (Config config)
194         {
195             this.name = config.getString("ui.name");
196             this.progress = config.getRect("ui.progress", new Rectangle(5, 5, 300, 15));
197             this.progressText = config.getColor("ui.progress_text", Color.BLACK);
198             this.hideProgressText = config.getBoolean("ui.hide_progress_text");
199             this.progressSync = config.getBoolean("ui.progress_sync_before_shown");
200             this.progressSyncAfterShown = config.getBoolean("ui.progress_sync_after_shown");
201             this.keepOnTop =  config.getBoolean("ui.keep_on_top");
202             this.displayAppbase =  config.getBoolean("ui.display_appbase");
203             this.displayVersion =  config.getBoolean("ui.display_version");
204             this.minShowSeconds = config.getInt("ui.min_show_seconds", 5);
205             this.progressBar = config.getColor("ui.progress_bar", 0x6699CC);
206             this.status = config.getRect("ui.status", new Rectangle(5, 25, 500, 100));
207             this.statusText = config.getColor("ui.status_text", Color.BLACK);
208             this.textShadow = config.getColor("ui.text_shadow", Color.CLEAR);
209             this.hideDecorations = config.getBoolean("ui.hide_decorations");
210             this.backgroundImage = config.getString("ui.background_image");
211             this.instantBackgroundImage = config.getString("ui.instant_background_image");
212             // default to black or white bg color, depending on the brightness of the progressText
213             int defaultBackground = (0.5f < Color.brightness(this.progressText)) ?
214                 Color.BLACK : Color.WHITE;
215             this.background = config.getColor("ui.background", defaultBackground);
216             this.progressImage = config.getString("ui.progress_image");
217             this.rotatingBackgrounds = stringsToList(
218                 config.getMultiValue("ui.rotating_background"));
219             this.iconImages = stringsToList(config.getMultiValue("ui.icon"));
220             this.errorBackground = config.getString("ui.error_background");
221
222             // On an installation error, where do we point the user.
223             String installError = config.getUrl("ui.install_error", null);
224             this.installError = (installError == null) ?
225                 "m.default_install_error" : MessageUtil.taint(installError);
226
227             // the patch notes bits
228             this.patchNotes = config.getRect("ui.patch_notes", new Rectangle(5, 50, 112, 26));
229             this.patchNotesUrl = config.getUrl("ui.patch_notes_url", null);
230
231             // step progress percentage (defaults and then customized values)
232             EnumMap<Step, List<Integer>> stepPercentages = new EnumMap<>(Step.class);
233             for (Step step : Step.values()) {
234                 stepPercentages.put(step, step.defaultPercents);
235             }
236             for (UpdateInterface.Step step : UpdateInterface.Step.values()) {
237                 String spec = config.getString("ui.percents." + step.name());
238                 if (spec != null) {
239                     try {
240                         stepPercentages.put(step, intsToList(StringUtil.parseIntArray(spec)));
241                     } catch (Exception e) {
242                         log.warning("Failed to parse percentages for " + step + ": " + spec);
243                     }
244                 }
245             }
246             this.stepPercentages = Collections.unmodifiableMap(stepPercentages);
247         }
248     }
249
250     /**
251      * Used by {@link #verifyMetadata} to communicate status in circumstances where it needs to
252      * take network actions.
253      */
254     public static interface StatusDisplay
255     {
256         /** Requests that the specified status message be displayed. */
257         public void updateStatus (String message);
258     }
259
260     /**
261      * Contains metadata for an auxiliary resource group.
262      */
263     public static class AuxGroup {
264         public final String name;
265         public final List<Resource> codes;
266         public final List<Resource> rsrcs;
267
268         public AuxGroup (String name, List<Resource> codes, List<Resource> rsrcs) {
269             this.name = name;
270             this.codes = Collections.unmodifiableList(codes);
271             this.rsrcs = Collections.unmodifiableList(rsrcs);
272         }
273     }
274
275     /** The proxy that should be used to do HTTP downloads. This must be configured prior to using
276       * the application instance. Yes this is a public mutable field, no I'm not going to create a
277       * getter and setter just to pretend like that's not the case. */
278     public Proxy proxy = Proxy.NO_PROXY;
279
280     /**
281      * Creates an application instance which records the location of the <code>getdown.txt</code>
282      * configuration file from the supplied application directory.
283      *
284      */
285     public Application (EnvConfig envc) {
286         _envc = envc;
287         _config = getLocalPath(envc.appDir, CONFIG_FILE);
288         _backupConfig = getLocalPath(envc.appDir, BACKUP_CONFIG_DIR+File.separator+CONFIG_FILE);
289     }
290
291     /**
292      * Returns the configured application directory.
293      */
294     public File getAppDir () {
295         return _envc.appDir;
296     }
297
298     /**
299      * Returns whether the application should cache code resources prior to launching the
300      * application.
301      */
302     public boolean useCodeCache ()
303     {
304         return _useCodeCache;
305     }
306
307     /**
308      * Returns the number of days a cached code resource is allowed to stay unused before it
309      * becomes eligible for deletion.
310      */
311     public int getCodeCacheRetentionDays ()
312     {
313         return _codeCacheRetentionDays;
314     }
315
316     /**
317      * Returns the configured maximum concurrent downloads. Used to cap simultaneous downloads of
318      * app files from its hosting server.
319      */
320     public int maxConcurrentDownloads () {
321         return _maxConcDownloads;
322     }
323
324     /**
325      * Returns a resource that refers to the application configuration file itself.
326      */
327     public Resource getConfigResource ()
328     {
329         try {
330                 return createResource(CONFIG_FILE, Resource.NORMAL);
331         } catch (Exception e) {
332                 throw new RuntimeException("Invalid appbase '" + _vappbase + "'.", e);
333         }
334     }
335
336     /**
337      * Returns a list of the code {@link Resource} objects used by this application.
338      */
339     public List<Resource> getCodeResources ()
340     {
341         return _codes;
342     }
343
344     /**
345      * Returns a list of the non-code {@link Resource} objects used by this application.
346      */
347     public List<Resource> getResources ()
348     {
349         return _resources;
350     }
351
352     /**
353      * Returns the digest of the given {@code resource}.
354      */
355     public String getDigest (Resource resource)
356     {
357         return _digest.getDigest(resource);
358     }
359
360     /**
361      * Returns a list of all the active {@link Resource} objects used by this application (code and
362      * non-code).
363      */
364     public List<Resource> getAllActiveResources ()
365     {
366         List<Resource> allResources = new ArrayList<>();
367         allResources.addAll(getActiveCodeResources());
368         allResources.addAll(getActiveResources());
369         return allResources;
370     }
371
372     /**
373      * Returns the auxiliary resource group with the specified name, or null.
374      */
375     public AuxGroup getAuxGroup (String name)
376     {
377         return _auxgroups.get(name);
378     }
379
380     /**
381      * Returns the set of all auxiliary resource groups defined by the application. An auxiliary
382      * resource group is a collection of resource files that are not downloaded unless a group
383      * token file is present in the application directory.
384      */
385     public Iterable<AuxGroup> getAuxGroups ()
386     {
387         return _auxgroups.values();
388     }
389
390     /**
391      * Returns true if the specified auxgroup has been "activated", false if not. Non-activated
392      * groups should be ignored, activated groups should be downloaded and patched along with the
393      * main resources.
394      */
395     public boolean isAuxGroupActive (String auxgroup)
396     {
397         Boolean active = _auxactive.get(auxgroup);
398         if (active == null) {
399             // TODO: compare the contents with the MD5 hash of the auxgroup name and the client's
400             // machine ident
401             active = getLocalPath(auxgroup + ".dat").exists();
402             _auxactive.put(auxgroup, active);
403         }
404         return active;
405     }
406
407     /**
408      * Returns all main code resources and all code resources from active auxiliary resource groups.
409      */
410     public List<Resource> getActiveCodeResources ()
411     {
412         ArrayList<Resource> codes = new ArrayList<>();
413         codes.addAll(getCodeResources());
414         for (AuxGroup aux : getAuxGroups()) {
415             if (isAuxGroupActive(aux.name)) {
416                 codes.addAll(aux.codes);
417             }
418         }
419         return codes;
420     }
421
422     /**
423      * Returns all resources indicated to contain native library files (.dll, .so, etc.).
424      */
425     public List<Resource> getNativeResources ()
426     {
427         List<Resource> natives = new ArrayList<>();
428         for (Resource resource: _resources) {
429             if (resource.isNative()) {
430                 natives.add(resource);
431             }
432         }
433         return natives;
434     }
435
436     /**
437      * Returns all non-code resources and all resources from active auxiliary resource groups.
438      */
439     public List<Resource> getActiveResources ()
440     {
441         ArrayList<Resource> rsrcs = new ArrayList<>();
442         rsrcs.addAll(getResources());
443         for (AuxGroup aux : getAuxGroups()) {
444             if (isAuxGroupActive(aux.name)) {
445                 rsrcs.addAll(aux.rsrcs);
446             }
447         }
448         return rsrcs;
449     }
450
451     /**
452      * Returns a resource that can be used to download a patch file that will bring this
453      * application from its current version to the target version.
454      *
455      * @param auxgroup the auxiliary resource group for which a patch resource is desired or null
456      * for the main application patch resource.
457      */
458     public Resource getPatchResource (String auxgroup)
459     {
460         if (_targetVersion <= _version) {
461             log.warning("Requested patch resource for up-to-date or non-versioned application",
462                 "cvers", _version, "tvers", _targetVersion);
463             return null;
464         }
465
466         String infix = (auxgroup == null) ? "" : ("-" + auxgroup);
467         String pfile = "patch" + infix + _version + ".dat";
468         try {
469             URL remote = new URL(createVAppBase(_targetVersion), encodePath(pfile));
470             return new Resource(pfile, remote, getLocalPath(pfile), Resource.NORMAL);
471         } catch (Exception e) {
472             log.warning("Failed to create patch resource path",
473                 "pfile", pfile, "appbase", _appbase, "tvers", _targetVersion, "error", e);
474             return null;
475         }
476     }
477
478     /**
479      * Returns a resource for a zip file containing a Java VM that can be downloaded to use in
480      * place of the installed VM (in the case where the VM that launched Getdown does not meet the
481      * application's version requirements) or null if no VM is available for this platform.
482      */
483     public Resource getJavaVMResource ()
484     {
485         if (StringUtil.isBlank(_javaLocation)) {
486             return null;
487         }
488
489         String extension = (_javaLocation.endsWith(".tgz"))?".tgz":".jar";
490         String vmfile = LaunchUtil.LOCAL_JAVA_DIR + extension;
491                 log.info("vmfile is '"+vmfile+"'");
492                 System.out.println("vmfile is '"+vmfile+"'");
493         try {
494             URL remote = new URL(createVAppBase(_targetVersion), encodePath(_javaLocation));
495             log.info("Attempting to fetch jvm at "+remote.toString());
496             System.out.println("Attempting to fetch jvm at "+remote.toString());
497             return new Resource(vmfile, remote, getLocalPath(vmfile),
498                                 EnumSet.of(Resource.Attr.UNPACK, Resource.Attr.CLEAN));
499         } catch (Exception e) {
500             log.warning("Failed to create VM resource", "vmfile", vmfile, "appbase", _appbase,
501                 "tvers", _targetVersion, "javaloc", _javaLocation, "error", e);
502             System.out.println("Failed to create VM resource: vmfile="+vmfile+", appbase="+_appbase+
503                 ", tvers="+_targetVersion+", javaloc="+_javaLocation+", error="+e);
504             return null;
505         }
506     }
507
508     /**
509      * Returns a resource that can be used to download an archive containing all files belonging to
510      * the application.
511      */
512     public Resource getFullResource ()
513     {
514         String file = "full";
515         try {
516             URL remote = new URL(createVAppBase(_targetVersion), encodePath(file));
517             return new Resource(file, remote, getLocalPath(file), Resource.NORMAL);
518         } catch (Exception e) {
519             log.warning("Failed to create full resource path",
520                 "file", file, "appbase", _appbase, "tvers", _targetVersion, "error", e);
521             return null;
522         }
523     }
524
525     /**
526      * Returns the URL to use to report an initial download event. Returns null if no tracking
527      * start URL was configured for this application.
528      *
529      * @param event the event to be reported: start, jvm_start, jvm_complete, complete.
530      */
531     public URL getTrackingURL (String event)
532     {
533         try {
534             String suffix = _trackingURLSuffix == null ? "" : _trackingURLSuffix;
535             String ga = getGATrackingCode();
536             return _trackingURL == null ? null :
537                 HostWhitelist.verify(new URL(_trackingURL + encodePath(event + suffix + ga)));
538         } catch (MalformedURLException mue) {
539             log.warning("Invalid tracking URL", "path", _trackingURL, "event", event, "error", mue);
540             return null;
541         }
542     }
543
544     /**
545      * Returns the URL to request to report that we have reached the specified percentage of our
546      * initial download. Returns null if no tracking request was configured for the specified
547      * percentage.
548      */
549     public URL getTrackingProgressURL (int percent)
550     {
551         if (_trackingPcts == null || !_trackingPcts.contains(percent)) {
552             return null;
553         }
554         return getTrackingURL("pct" + percent);
555     }
556
557     /**
558      * Returns the name of our tracking cookie or null if it was not set.
559      */
560     public String getTrackingCookieName ()
561     {
562         return _trackingCookieName;
563     }
564
565     /**
566      * Returns the name of our tracking cookie system property or null if it was not set.
567      */
568     public String getTrackingCookieProperty ()
569     {
570         return _trackingCookieProperty;
571     }
572
573     /**
574      * Instructs the application to parse its {@code getdown.txt} configuration and prepare itself
575      * for operation. The application base URL will be parsed first so that if there are errors
576      * discovered later, the caller can use the application base to download a new {@code
577      * getdown.txt} file and try again.
578      *
579      * @return a {@code Config} instance that contains information from the config file.
580      *
581      * @exception IOException thrown if there is an error reading the file or an error encountered
582      * during its parsing.
583      */
584     public Config init (boolean checkPlatform)
585         throws IOException
586     {
587         Config config = null;
588         File cfgfile = _config;
589         Config.ParseOpts opts = Config.createOpts(checkPlatform);
590         try {
591             // if we have a configuration file, read the data from it
592             if (cfgfile.exists()) {
593                 config = Config.parseConfig(_config, opts);
594             }
595             // otherwise, try reading data from our backup config file; thanks to funny windows
596             // bullshit, we have to do this backup file fiddling in case we got screwed while
597             // updating getdown.txt during normal operation
598             else if ((cfgfile = getLocalPath(CONFIG_FILE + "_old")).exists()) {
599                 config = Config.parseConfig(cfgfile, opts);
600             }
601             // otherwise, issue a warning that we found no getdown file
602             else {
603                 log.info("Found no getdown.txt file", "appdir", getAppDir());
604             }
605         } catch (Exception e) {
606             log.warning("Failure reading config file", "file", _config, e);
607         }
608         if (config == null || config.getString("appbase") == null || config.getString("appbase").isEmpty()) {
609                 try {
610                         Config backupConfig = Config.parseConfig(_backupConfig, opts);
611                         config = backupConfig;
612                         log.warning("Using backup config file", "appdir", getAppDir(), "backupConfig", _backupConfig.getAbsoluteFile());
613                 } catch (Exception e) {
614                         log.warning("Failure reading backup config file", "file", _backupConfig, e);
615                 }
616         }
617         
618         // see if there's an override config from locator file
619         Config locatorConfig = createLocatorConfig(opts);
620         
621         // merge the locator file config into config (or replace config with)
622         if (locatorConfig != null) {
623           if (config == null || locatorConfig.getBoolean(LOCATOR_FILE_EXTENSION+"_replace")) {
624             config = locatorConfig;
625           } else {
626             config.mergeConfig(locatorConfig, locatorConfig.getBoolean(LOCATOR_FILE_EXTENSION+"_merge"));
627           }
628         }
629
630         // if we failed to read our config file, check for an appbase specified via a system
631         // property; we can use that to bootstrap ourselves back into operation
632         if (config == null) {
633             String appbase = _envc.appBase;
634             log.info("Using 'appbase' from bootstrap config", "appbase", appbase);
635             Map<String, Object> cdata = new HashMap<>();
636             cdata.put("appbase", appbase);
637             config = new Config(cdata);
638         }
639
640         // first determine our application base, this way if anything goes wrong later in the
641         // process, our caller can use the appbase to download a new configuration file
642         _appbase = config.getString("appbase");
643         
644         // see if locatorConfig override
645         if (locatorConfig != null && !StringUtil.isBlank(locatorConfig.getString("appbase"))) {
646           _appbase = locatorConfig.getString("appbase");
647         }
648         
649         if (_appbase == null) {
650             throw new RuntimeException("m.missing_appbase");
651         }
652
653         // check if we're overriding the domain in the appbase
654         _appbase = SysProps.overrideAppbase(_appbase);
655
656         // make sure there's a trailing slash
657         if (!_appbase.endsWith("/")) {
658             _appbase = _appbase + "/";
659         }
660
661         // extract our version information
662         _version = config.getLong("version", -1L);
663
664         // if we are a versioned deployment, create a versioned appbase
665         try {
666             _vappbase = createVAppBase(_version);
667         } catch (MalformedURLException mue) {
668             String err = MessageUtil.tcompose("m.invalid_appbase", _appbase);
669             throw (IOException) new IOException(err).initCause(mue);
670         }
671
672         // check for a latest config URL
673         String latest = config.getString("latest");
674         if (latest != null) {
675             if (latest.startsWith(_appbase)) {
676                 latest = _appbase + latest.substring(_appbase.length());
677             } else {
678                 latest = SysProps.replaceDomain(latest);
679             }
680             try {
681                 _latest = HostWhitelist.verify(new URL(latest));
682             } catch (MalformedURLException mue) {
683                 log.warning("Invalid URL for latest attribute.", mue);
684             }
685         }
686
687         String appPrefix = _envc.appId == null ? "" : (_envc.appId + ".");
688
689         // determine our application class name (use app-specific class _if_ one is provided)
690         _class = config.getString("class");
691         if (appPrefix.length() > 0) {
692             _class = config.getString(appPrefix + "class", _class);
693         }
694         if (_class == null) {
695             throw new IOException("m.missing_class");
696         }
697
698         // determine whether we want strict comments
699         _strictComments = config.getBoolean("strict_comments");
700
701         // check to see if we're using a custom java.version property and regex
702         _javaVersionProp = config.getString("java_version_prop", _javaVersionProp);
703         _javaVersionRegex = config.getString("java_version_regex", _javaVersionRegex);
704
705         // check to see if we require a particular JVM version and have a supplied JVM
706         _javaMinVersion = config.getLong("java_version", _javaMinVersion);
707         // we support java_min_version as an alias of java_version; it better expresses the check
708         // that's going on and better mirrors java_max_version
709         _javaMinVersion = config.getLong("java_min_version", _javaMinVersion);
710         // check to see if we require a particular max JVM version and have a supplied JVM
711         _javaMaxVersion = config.getLong("java_max_version", _javaMaxVersion);
712         // check to see if we require a particular JVM version and have a supplied JVM
713         _javaExactVersionRequired = config.getBoolean("java_exact_version_required");
714
715         // this is a little weird, but when we're run from the digester, we see a String[] which
716         // contains java locations for all platforms which we can't grok, but the digester doesn't
717         // need to know about that; when we're run in a real application there will be only one!
718         Object javaloc = config.getRaw("java_location");
719         if (javaloc instanceof String) {
720             _javaLocation = (String)javaloc;
721         }
722
723         // determine whether we have any tracking configuration
724         _trackingURL = config.getString("tracking_url");
725
726         // check for tracking progress percent configuration
727         String trackPcts = config.getString("tracking_percents");
728         if (!StringUtil.isBlank(trackPcts)) {
729             _trackingPcts = new HashSet<>();
730             for (int pct : StringUtil.parseIntArray(trackPcts)) {
731                 _trackingPcts.add(pct);
732             }
733         } else if (!StringUtil.isBlank(_trackingURL)) {
734             _trackingPcts = new HashSet<>();
735             _trackingPcts.add(50);
736         }
737
738         // Check for tracking cookie configuration
739         _trackingCookieName = config.getString("tracking_cookie_name");
740         _trackingCookieProperty = config.getString("tracking_cookie_property");
741
742         // Some app may need an extra suffix added to the tracking URL
743         _trackingURLSuffix = config.getString("tracking_url_suffix");
744
745         // Some app may need to generate google analytics code
746         _trackingGAHash = config.getString("tracking_ga_hash");
747
748         // clear our arrays as we may be reinitializing
749         _codes.clear();
750         _resources.clear();
751         _auxgroups.clear();
752         _jvmargs.clear();
753         _appargs.clear();
754         _txtJvmArgs.clear();
755
756         // parse our code resources
757         if (config.getMultiValue("code") == null &&
758             config.getMultiValue("ucode") == null) {
759             throw new IOException("m.missing_code");
760         }
761         parseResources(config, "code", Resource.NORMAL, _codes);
762         parseResources(config, "ucode", Resource.UNPACK, _codes);
763
764         // parse our non-code resources
765         parseResources(config, "resource", Resource.NORMAL, _resources);
766         parseResources(config, "uresource", Resource.UNPACK, _resources);
767         parseResources(config, "xresource", Resource.EXEC, _resources);
768         parseResources(config, "presource", Resource.PRELOAD, _resources);
769         parseResources(config, "nresource", Resource.NATIVE, _resources);
770
771         // parse our auxiliary resource groups
772         for (String auxgroup : config.getList("auxgroups")) {
773             ArrayList<Resource> codes = new ArrayList<>();
774             parseResources(config, auxgroup + ".code", Resource.NORMAL, codes);
775             parseResources(config, auxgroup + ".ucode", Resource.UNPACK, codes);
776             ArrayList<Resource> rsrcs = new ArrayList<>();
777             parseResources(config, auxgroup + ".resource", Resource.NORMAL, rsrcs);
778             parseResources(config, auxgroup + ".xresource", Resource.EXEC, rsrcs);
779             parseResources(config, auxgroup + ".uresource", Resource.UNPACK, rsrcs);
780             parseResources(config, auxgroup + ".presource", Resource.PRELOAD, rsrcs);
781             parseResources(config, auxgroup + ".nresource", Resource.NATIVE, rsrcs);
782             _auxgroups.put(auxgroup, new AuxGroup(auxgroup, codes, rsrcs));
783         }
784
785         // transfer our JVM arguments (we include both "global" args and app_id-prefixed args)
786         String[] jvmargs = config.getMultiValue("jvmarg");
787         addAll(jvmargs, _jvmargs);
788         if (appPrefix.length() > 0) {
789             jvmargs = config.getMultiValue(appPrefix + "jvmarg");
790             addAll(jvmargs, _jvmargs);
791         }
792         
793         // extract jvmargs and jvmmempc from command line appargs.  These will appear after and override the previous jvmargs
794         addAll(processCliJvmArgs(_envc.appArgs), _jvmargs);
795
796         // get the set of optimum JVM arguments
797         _optimumJvmArgs = config.getMultiValue("optimum_jvmarg");
798
799         // transfer our application arguments
800         String[] appargs = config.getMultiValue(appPrefix + "apparg");
801         addAll(appargs, _appargs);
802
803         // add the launch specific application arguments
804         _appargs.addAll(_envc.appArgs);
805
806         // see if a percentage of physical memory option exists if it hasn't been set by cli args
807         if (_jvmmempc > -1) {
808           _jvmmempc = config.getInt("jvmmempc", -1);
809           // app_id prefixed setting overrides
810           if (appPrefix.length() > 0) {
811               _jvmmempc = config.getInt(appPrefix + "jvmmempc", _jvmmempc);
812           }
813         }
814         if (0 <= _jvmmempc && _jvmmempc <= 100) {
815           
816           long maxMemLong = -1;
817
818           try
819           {
820             maxMemLong = MemorySetting.memPercent(_jvmmempc);
821           } catch (Exception e)
822           {
823             e.printStackTrace();
824           } catch (Throwable t)
825           {
826             t.printStackTrace();
827           }
828
829           if (maxMemLong > 0)
830           {
831             
832             String[] maxMemHeapArg = new String[]{"-Xmx"+Long.toString(maxMemLong)};
833             // remove other max heap size arg
834             ARG: for (int i = 0; i < _jvmargs.size(); i++) {
835               if (_jvmargs.get(i) instanceof java.lang.String && _jvmargs.get(i).startsWith("-Xmx")) {
836                 _jvmargs.remove(i);
837               }
838             }
839             addAll(maxMemHeapArg, _jvmargs);
840             
841           }
842
843         } else if (_jvmmempc != -1) {
844           System.out.println("'jvmmempc' value must be in range 0 to 100 (read as '"+Integer.toString(_jvmmempc)+"')");
845         }
846         
847         // look for custom arguments
848         fillAssignmentListFromPairs("extra.txt", _txtJvmArgs);
849
850         // determine whether we want to allow offline operation (defaults to false)
851         _allowOffline = config.getBoolean("allow_offline");
852
853         // look for a debug.txt file which causes us to run in java.exe on Windows so that we can
854         // obtain a thread dump of the running JVM
855         _windebug = getLocalPath("debug.txt").exists();
856
857         // whether to cache code resources and launch from cache
858         _useCodeCache = config.getBoolean("use_code_cache");
859         _codeCacheRetentionDays = config.getInt("code_cache_retention_days", 7);
860
861         // maximum simultaneous downloads
862         _maxConcDownloads = Math.max(1, config.getInt("max_concurrent_downloads",
863                                                       SysProps.threadPoolSize()));
864
865         // extract some info used to configure our child process on macOS
866         _dockName = config.getString("ui.name");
867         _dockIconPath = config.getString("ui.mac_dock_icon", "../desktop.icns");
868
869         return config;
870     }
871
872     /**
873      * Adds strings of the form pair0=pair1 to collector for each pair parsed out of pairLocation.
874      */
875     protected void fillAssignmentListFromPairs (String pairLocation, List<String> collector)
876     {
877         File pairFile = getLocalPath(pairLocation);
878         if (pairFile.exists()) {
879             try {
880                 List<String[]> args = Config.parsePairs(pairFile, Config.createOpts(false));
881                 for (String[] pair : args) {
882                     if (pair[1].length() == 0) {
883                         collector.add(pair[0]);
884                     } else {
885                         collector.add(pair[0] + "=" + pair[1]);
886                     }
887                 }
888             } catch (Throwable t) {
889                 log.warning("Failed to parse '" + pairFile + "': " + t);
890             }
891         }
892     }
893
894     /**
895      * Returns a URL from which the specified path can be fetched. Our application base URL is
896      * properly versioned and combined with the supplied path.
897      */
898     public URL getRemoteURL (String path)
899         throws MalformedURLException
900     {
901         return new URL(_vappbase, encodePath(path));
902     }
903
904     /**
905      * Returns the local path to the specified resource.
906      */
907     public File getLocalPath (String path)
908     {
909         return getLocalPath(getAppDir(), path);
910     }
911
912     /**
913      * Returns true if we either have no version requirement, are running in a JVM that meets our
914      * version requirements or have what appears to be a version of the JVM that meets our
915      * requirements.
916      */
917     public boolean haveValidJavaVersion ()
918     {
919         // if we're doing no version checking, then yay!
920         if (_javaMinVersion == 0 && _javaMaxVersion == 0) return true;
921
922         try {
923             // parse the version out of the java.version (or custom) system property
924             long version = SysProps.parseJavaVersion(_javaVersionProp, _javaVersionRegex);
925
926             log.info("Checking Java version", "current", version,
927                      "wantMin", _javaMinVersion, "wantMax", _javaMaxVersion);
928
929             // if we have an unpacked VM, check the 'release' file for its version
930             Resource vmjar = getJavaVMResource();
931             if (vmjar != null && vmjar.isMarkedValid()) {
932                 File vmdir = new File(getAppDir(), LaunchUtil.LOCAL_JAVA_DIR);
933                 File relfile = new File(vmdir, "release");
934                 if (!relfile.exists()) {
935                     log.warning("Unpacked JVM missing 'release' file. Assuming valid version.");
936                     return true;
937                 }
938
939                 long vmvers = VersionUtil.readReleaseVersion(relfile, _javaVersionRegex);
940                 if (vmvers == 0L) {
941                     log.warning("Unable to read version from 'release' file. Assuming valid.");
942                     return true;
943                 }
944
945                 version = vmvers;
946                 log.info("Checking version of unpacked JVM [vers=" + version + "].");
947             }
948
949             if (_javaExactVersionRequired) {
950                 if (version == _javaMinVersion) return true;
951                 else {
952                     log.warning("An exact Java VM version is required.", "current", version,
953                                 "required", _javaMinVersion);
954                     return false;
955                 }
956             }
957
958             boolean minVersionOK = (_javaMinVersion == 0) || (version >= _javaMinVersion);
959             boolean maxVersionOK = (_javaMaxVersion == 0) || (version <= _javaMaxVersion);
960             return minVersionOK && maxVersionOK;
961
962         } catch (RuntimeException re) {
963             // if we can't parse the java version we're in weird land and should probably just try
964             // our luck with what we've got rather than try to download a new jvm
965             log.warning("Unable to parse VM version, hoping for the best",
966                         "error", re, "needed", _javaMinVersion);
967             return true;
968         }
969     }
970
971     /**
972      * Checks whether the app has a set of "optimum" JVM args that we wish to try first, detecting
973      * whether the launch is successful and, if necessary, trying again without the optimum
974      * arguments.
975      */
976     public boolean hasOptimumJvmArgs ()
977     {
978         return _optimumJvmArgs != null;
979     }
980
981     /**
982      * Returns true if the app should attempt to run even if we have no Internet connection.
983      */
984     public boolean allowOffline ()
985     {
986         return _allowOffline;
987     }
988
989     /**
990      * Attempts to redownload the <code>getdown.txt</code> file based on information parsed from a
991      * previous call to {@link #init}.
992      */
993     public void attemptRecovery (StatusDisplay status)
994         throws IOException
995     {
996         status.updateStatus("m.updating_metadata");
997         downloadConfigFile();
998     }
999
1000     /**
1001      * Downloads and replaces the <code>getdown.txt</code> and <code>digest.txt</code> files with
1002      * those for the target version of our application.
1003      */
1004     public void updateMetadata ()
1005         throws IOException
1006     {
1007         try {
1008             // update our versioned application base with the target version
1009             _vappbase = createVAppBase(_targetVersion);
1010         } catch (MalformedURLException mue) {
1011             String err = MessageUtil.tcompose("m.invalid_appbase", _appbase);
1012             throw (IOException) new IOException(err).initCause(mue);
1013         }
1014
1015         try {
1016             // now re-download our control files; we download the digest first so that if it fails,
1017             // our config file will still reference the old version and re-running the updater will
1018             // start the whole process over again
1019             downloadDigestFiles();
1020             downloadConfigFile();
1021
1022         } catch (IOException ex) {
1023             // if we are allowing offline execution, we want to allow the application to run in its
1024             // current form rather than aborting the entire process; to do this, we delete the
1025             // version.txt file and "trick" Getdown into thinking that it just needs to validate
1026             // the application as is; next time the app runs when connected to the internet, it
1027             // will have to rediscover that it needs updating and reattempt to update itself
1028             if (_allowOffline) {
1029                 log.warning("Failed to update digest files.  Attempting offline operaton.", ex);
1030                 if (!FileUtil.deleteHarder(getLocalPath(VERSION_FILE))) {
1031                     log.warning("Deleting version.txt failed.  This probably isn't going to work.");
1032                 }
1033             } else {
1034                 throw ex;
1035             }
1036         }
1037     }
1038
1039     /**
1040      * Invokes the process associated with this application definition.
1041      *
1042      * @param optimum whether or not to include the set of optimum arguments (as opposed to falling
1043      * back).
1044      */
1045     public Process createProcess (boolean optimum)
1046         throws IOException
1047     {
1048         ArrayList<String> args = new ArrayList<>();
1049
1050         // reconstruct the path to the JVM
1051         args.add(LaunchUtil.getJVMPath(getAppDir(), _windebug || optimum));
1052
1053         // check whether we're using -jar mode or -classpath mode
1054         boolean dashJarMode = MANIFEST_CLASS.equals(_class);
1055
1056         // add the -classpath arguments if we're not in -jar mode
1057         ClassPath classPath = PathBuilder.buildClassPath(this);
1058         if (!dashJarMode) {
1059             args.add("-classpath");
1060             args.add(classPath.asArgumentString());
1061         }
1062
1063         // we love our Mac users, so we do nice things to preserve our application identity
1064         if (LaunchUtil.isMacOS()) {
1065             args.add("-Xdock:icon=" + getLocalPath(_dockIconPath).getAbsolutePath());
1066             args.add("-Xdock:name=" + _dockName);
1067         }
1068
1069         // pass along our proxy settings
1070         String proxyHost;
1071         if ((proxyHost = System.getProperty("http.proxyHost")) != null) {
1072             args.add("-Dhttp.proxyHost=" + proxyHost);
1073             args.add("-Dhttp.proxyPort=" + System.getProperty("http.proxyPort"));
1074             args.add("-Dhttps.proxyHost=" + proxyHost);
1075             args.add("-Dhttps.proxyPort=" + System.getProperty("http.proxyPort"));
1076         }
1077
1078         // add the marker indicating the app is running in getdown
1079         args.add("-D" + Properties.GETDOWN + "=true");
1080
1081         // set the native library path if we have native resources
1082         // @TODO optional getdown.txt parameter to set addCurrentLibraryPath to true or false?
1083         ClassPath javaLibPath = PathBuilder.buildLibsPath(this, true);
1084         if (javaLibPath != null) {
1085             args.add("-Djava.library.path=" + javaLibPath.asArgumentString());
1086         }
1087
1088         // pass along any pass-through arguments
1089         for (Map.Entry<Object, Object> entry : System.getProperties().entrySet()) {
1090             String key = (String)entry.getKey();
1091             if (key.startsWith(PROP_PASSTHROUGH_PREFIX)) {
1092                 key = key.substring(PROP_PASSTHROUGH_PREFIX.length());
1093                 args.add("-D" + key + "=" + entry.getValue());
1094             }
1095         }
1096
1097         // add the JVM arguments
1098         for (String string : _jvmargs) {
1099             args.add(processArg(string));
1100         }
1101
1102         // add the optimum arguments if requested and available
1103         if (optimum && _optimumJvmArgs != null) {
1104             for (String string : _optimumJvmArgs) {
1105                 args.add(processArg(string));
1106             }
1107         }
1108
1109         // add the arguments from extra.txt (after the optimum ones, in case they override them)
1110         for (String string : _txtJvmArgs) {
1111             args.add(processArg(string));
1112         }
1113
1114         // if we're in -jar mode add those arguments, otherwise add the app class name
1115         if (dashJarMode) {
1116             args.add("-jar");
1117             args.add(classPath.asArgumentString());
1118         } else {
1119             args.add(_class);
1120         }
1121
1122         // almost finally check the startup file arguments
1123         for (File f : _startupFiles) {
1124           _appargs.add(f.getAbsolutePath());
1125           break; // Only add one file to open
1126         }
1127         
1128         // check if one arg with recognised extension
1129         if ( _appargs.size() == 1 && _appargs.get(0) != null ) {
1130           String filename = _appargs.get(0);
1131           String ext = null;
1132           int j = filename.lastIndexOf('.');
1133           if (j > -1) {
1134             ext = filename.substring(j+1);
1135           }
1136           if (ext != null && LOCATOR_FILE_EXTENSION.equals(ext.toLowerCase())) {
1137             // this file extension should have been dealt with in Getdown class
1138           } else if (filename.startsWith("-")) {
1139             // probably an argument to jvm or jalview
1140             log.info("DOING NOTHING WITH ARG", "appargs", _appargs);
1141           } else {
1142             _appargs.add(0, "-open");
1143           }
1144         }
1145
1146         // finally add the application arguments
1147         for (String string : _appargs) {
1148             args.add(processArg(string));
1149         }
1150         
1151         String[] envp = createEnvironment();
1152         String[] sargs = args.toArray(new String[args.size()]);
1153         log.info("Running " + StringUtil.join(sargs, "\n  "));
1154
1155         return Runtime.getRuntime().exec(sargs, envp, getAppDir());
1156     }
1157
1158     /**
1159      * If the application provided environment variables, combine those with the current
1160      * environment and return that in a style usable for {@link Runtime#exec(String, String[])}.
1161      * If the application didn't provide any environment variables, null is returned to just use
1162      * the existing environment.
1163      */
1164     protected String[] createEnvironment ()
1165     {
1166         List<String> envvar = new ArrayList<>();
1167         fillAssignmentListFromPairs("env.txt", envvar);
1168         if (envvar.isEmpty()) {
1169             log.info("Didn't find any custom environment variables, not setting any.");
1170             return null;
1171         }
1172
1173         List<String> envAssignments = new ArrayList<>();
1174         for (String assignment : envvar) {
1175             envAssignments.add(processArg(assignment));
1176         }
1177         for (Map.Entry<String, String> environmentEntry : System.getenv().entrySet()) {
1178             envAssignments.add(environmentEntry.getKey() + "=" + environmentEntry.getValue());
1179         }
1180         String[] envp = envAssignments.toArray(new String[envAssignments.size()]);
1181         log.info("Environment " + StringUtil.join(envp, "\n "));
1182         return envp;
1183     }
1184
1185     /**
1186      * Runs this application directly in the current VM.
1187      */
1188     public void invokeDirect () throws IOException
1189     {
1190         ClassPath classPath = PathBuilder.buildClassPath(this);
1191         URL[] jarUrls = classPath.asUrls();
1192
1193         // create custom class loader
1194         URLClassLoader loader = new URLClassLoader(jarUrls, ClassLoader.getSystemClassLoader()) {
1195             @Override protected PermissionCollection getPermissions (CodeSource code) {
1196                 Permissions perms = new Permissions();
1197                 perms.add(new AllPermission());
1198                 return perms;
1199             }
1200         };
1201         Thread.currentThread().setContextClassLoader(loader);
1202
1203         log.info("Configured URL class loader:");
1204         for (URL url : jarUrls) log.info("  " + url);
1205
1206         // configure any system properties that we can
1207         for (String jvmarg : _jvmargs) {
1208             if (jvmarg.startsWith("-D")) {
1209                 jvmarg = processArg(jvmarg.substring(2));
1210                 int eqidx = jvmarg.indexOf("=");
1211                 if (eqidx == -1) {
1212                     log.warning("Bogus system property: '" + jvmarg + "'?");
1213                 } else {
1214                     System.setProperty(jvmarg.substring(0, eqidx), jvmarg.substring(eqidx+1));
1215                 }
1216             }
1217         }
1218
1219         // pass along any pass-through arguments
1220         Map<String, String> passProps = new HashMap<>();
1221         for (Map.Entry<Object, Object> entry : System.getProperties().entrySet()) {
1222             String key = (String)entry.getKey();
1223             if (key.startsWith(PROP_PASSTHROUGH_PREFIX)) {
1224                 key = key.substring(PROP_PASSTHROUGH_PREFIX.length());
1225                 passProps.put(key, (String)entry.getValue());
1226             }
1227         }
1228         // we can't set these in the above loop lest we get a ConcurrentModificationException
1229         for (Map.Entry<String, String> entry : passProps.entrySet()) {
1230             System.setProperty(entry.getKey(), entry.getValue());
1231         }
1232
1233         // prepare our app arguments
1234         String[] args = new String[_appargs.size()];
1235         for (int ii = 0; ii < args.length; ii++) args[ii] = processArg(_appargs.get(ii));
1236
1237         try {
1238             log.info("Loading " + _class);
1239             Class<?> appclass = loader.loadClass(_class);
1240             Method main = appclass.getMethod("main", EMPTY_STRING_ARRAY.getClass());
1241             log.info("Invoking main({" + StringUtil.join(args, ", ") + "})");
1242             main.invoke(null, new Object[] { args });
1243         } catch (Exception e) {
1244             log.warning("Failure invoking app main", e);
1245         }
1246     }
1247
1248     /** Replaces the application directory and version in any argument. */
1249     protected String processArg (String arg)
1250     {
1251         arg = arg.replace("%APPDIR%", getAppDir().getAbsolutePath());
1252         arg = arg.replace("%VERSION%", String.valueOf(_version));
1253
1254         // if this argument contains %ENV.FOO% replace those with the associated values looked up
1255         // from the environment
1256         if (arg.contains(ENV_VAR_PREFIX)) {
1257             StringBuffer sb = new StringBuffer();
1258             Matcher matcher = ENV_VAR_PATTERN.matcher(arg);
1259             while (matcher.find()) {
1260                 String varName = matcher.group(1), varValue = System.getenv(varName);
1261                 String repValue = varValue == null ? "MISSING:"+varName : varValue;
1262                 matcher.appendReplacement(sb, Matcher.quoteReplacement(repValue));
1263             }
1264             matcher.appendTail(sb);
1265             arg = sb.toString();
1266         }
1267
1268         return arg;
1269     }
1270
1271     /**
1272      * Loads the <code>digest.txt</code> file and verifies the contents of both that file and the
1273      * <code>getdown.text</code> file. Then it loads the <code>version.txt</code> and decides
1274      * whether or not the application needs to be updated or whether we can proceed to verification
1275      * and execution.
1276      *
1277      * @return true if the application needs to be updated, false if it is up to date and can be
1278      * verified and executed.
1279      *
1280      * @exception IOException thrown if we encounter an unrecoverable error while verifying the
1281      * metadata.
1282      */
1283     public boolean verifyMetadata (StatusDisplay status)
1284         throws IOException
1285     {
1286         log.info("Verifying application: " + _vappbase);
1287         log.info("Version: " + _version);
1288         log.info("Class: " + _class);
1289
1290         // this will read in the contents of the digest file and validate itself
1291         try {
1292             _digest = new Digest(getAppDir(), _strictComments);
1293         } catch (IOException ioe) {
1294             log.info("Failed to load digest: " + ioe.getMessage() + ". Attempting recovery...");
1295         }
1296
1297         // if we have no version, then we are running in unversioned mode so we need to download
1298         // our digest.txt file on every invocation
1299         if (_version == -1) {
1300             // make a note of the old meta-digest, if this changes we need to revalidate all of our
1301             // resources as one or more of them have also changed
1302             String olddig = (_digest == null) ? "" : _digest.getMetaDigest();
1303             try {
1304                 status.updateStatus("m.checking");
1305                 downloadDigestFiles();
1306                 _digest = new Digest(getAppDir(), _strictComments);
1307                 if (!olddig.equals(_digest.getMetaDigest())) {
1308                     log.info("Unversioned digest changed. Revalidating...");
1309                     status.updateStatus("m.validating");
1310                     clearValidationMarkers();
1311                 }
1312             } catch (IOException ioe) {
1313                 log.warning("Failed to refresh non-versioned digest: " +
1314                             ioe.getMessage() + ". Proceeding...");
1315             }
1316         }
1317
1318         // regardless of whether we're versioned, if we failed to read the digest from disk, try to
1319         // redownload the digest file and give it another good college try; this time we allow
1320         // exceptions to propagate up to the caller as there is nothing else we can do
1321         if (_digest == null) {
1322             status.updateStatus("m.updating_metadata");
1323             downloadDigestFiles();
1324             _digest = new Digest(getAppDir(), _strictComments);
1325         }
1326
1327         // now verify the contents of our main config file
1328         Resource crsrc = getConfigResource();
1329         if (!_digest.validateResource(crsrc, null)) {
1330             status.updateStatus("m.updating_metadata");
1331             // attempt to redownload both of our metadata files; again we pass errors up to our
1332             // caller because there's nothing we can do to automatically recover
1333             downloadConfigFile();
1334             downloadDigestFiles();
1335             _digest = new Digest(getAppDir(), _strictComments);
1336             // revalidate everything if we end up downloading new metadata
1337             clearValidationMarkers();
1338             // if the new copy validates, reinitialize ourselves; otherwise report baffling hoseage
1339             if (_digest.validateResource(crsrc, null)) {
1340                 init(true);
1341             } else {
1342                 log.warning(CONFIG_FILE + " failed to validate even after redownloading. " +
1343                             "Blindly forging onward.");
1344             }
1345         }
1346
1347         // start by assuming we are happy with our version
1348         _targetVersion = _version;
1349
1350         // if we are a versioned application, read in the contents of the version.txt file
1351         // and/or check the latest config URL for a newer version
1352         if (_version != -1) {
1353             File vfile = getLocalPath(VERSION_FILE);
1354             long fileVersion = VersionUtil.readVersion(vfile);
1355             if (fileVersion != -1) {
1356                 _targetVersion = fileVersion;
1357             }
1358
1359             if (_latest != null) {
1360                 try (InputStream in = ConnectionUtil.open(proxy, _latest, 0, 0).getInputStream();
1361                      InputStreamReader reader = new InputStreamReader(in, UTF_8);
1362                      BufferedReader bin = new BufferedReader(reader)) {
1363                     for (String[] pair : Config.parsePairs(bin, Config.createOpts(false))) {
1364                         if (pair[0].equals("version")) {
1365                             _targetVersion = Math.max(Long.parseLong(pair[1]), _targetVersion);
1366                             if (fileVersion != -1 && _targetVersion > fileVersion) {
1367                                 // replace the file with the newest version
1368                                 try (FileOutputStream fos = new FileOutputStream(vfile);
1369                                      PrintStream out = new PrintStream(fos)) {
1370                                     out.println(_targetVersion);
1371                                 }
1372                             }
1373                             break;
1374                         }
1375                     }
1376                 } catch (Exception e) {
1377                     log.warning("Unable to retrieve version from latest config file.", e);
1378                 }
1379             }
1380         }
1381
1382         // finally let the caller know if we need an update
1383         return _version != _targetVersion;
1384     }
1385
1386     /**
1387      * Verifies the code and media resources associated with this application. A list of resources
1388      * that do not exist or fail the verification process will be returned. If all resources are
1389      * ready to go, null will be returned and the application is considered ready to run.
1390      *
1391      * @param obs a progress observer that will be notified of verification progress. NOTE: this
1392      * observer may be called from arbitrary threads, so if you update a UI based on calls to it,
1393      * you have to take care to get back to your UI thread.
1394      * @param alreadyValid if non-null a 1 element array that will have the number of "already
1395      * validated" resources filled in.
1396      * @param unpacked a set to populate with unpacked resources.
1397      * @param toInstall a list into which to add resources that need to be installed.
1398      * @param toDownload a list into which to add resources that need to be downloaded.
1399      */
1400     public void verifyResources (
1401         ProgressObserver obs, int[] alreadyValid, Set<Resource> unpacked,
1402         Set<Resource> toInstall, Set<Resource> toDownload)
1403         throws InterruptedException
1404     {
1405         // resources are verified on background threads supplied by the thread pool, and progress
1406         // is reported by posting runnable actions to the actions queue which is processed by the
1407         // main (UI) thread
1408         ExecutorService exec = Executors.newFixedThreadPool(SysProps.threadPoolSize());
1409         final BlockingQueue<Runnable> actions = new LinkedBlockingQueue<Runnable>();
1410         final int[] completed = new int[1];
1411
1412         long start = System.currentTimeMillis();
1413
1414         // obtain the sizes of the resources to validate
1415         List<Resource> rsrcs = getAllActiveResources();
1416         long[] sizes = new long[rsrcs.size()];
1417         long totalSize = 0;
1418         for (int ii = 0; ii < sizes.length; ii++) {
1419             totalSize += sizes[ii] = rsrcs.get(ii).getLocal().length();
1420         }
1421         final ProgressObserver fobs = obs;
1422         // as long as we forward aggregated progress updates to the UI thread, having multiple
1423         // threads update a progress aggregator is "mostly" thread-safe
1424         final ProgressAggregator pagg = new ProgressAggregator(new ProgressObserver() {
1425             public void progress (final int percent) {
1426                 actions.add(new Runnable() {
1427                     public void run () {
1428                         fobs.progress(percent);
1429                     }
1430                 });
1431             }
1432         }, sizes);
1433
1434         final int[] fAlreadyValid = alreadyValid;
1435         final Set<Resource> toInstallAsync = new ConcurrentSkipListSet<>(toInstall);
1436         final Set<Resource> toDownloadAsync = new ConcurrentSkipListSet<>();
1437         final Set<Resource> unpackedAsync = new ConcurrentSkipListSet<>();
1438
1439         for (int ii = 0; ii < sizes.length; ii++) {
1440             final Resource rsrc = rsrcs.get(ii);
1441             final int index = ii;
1442             exec.execute(new Runnable() {
1443                 public void run () {
1444                     verifyResource(rsrc, pagg.startElement(index), fAlreadyValid,
1445                                    unpackedAsync, toInstallAsync, toDownloadAsync);
1446                     actions.add(new Runnable() {
1447                         public void run () {
1448                             completed[0] += 1;
1449                         }
1450                     });
1451                 }
1452             });
1453         }
1454
1455         while (completed[0] < rsrcs.size()) {
1456             // we should be getting progress completion updates WAY more often than one every
1457             // minute, so if things freeze up for 60 seconds, abandon ship
1458             Runnable action = actions.poll(60, TimeUnit.SECONDS);
1459             action.run();
1460         }
1461
1462         exec.shutdown();
1463
1464         toInstall.addAll(toInstallAsync);
1465         toDownload.addAll(toDownloadAsync);
1466         unpacked.addAll(unpackedAsync);
1467
1468         long complete = System.currentTimeMillis();
1469         log.info("Verified resources", "count", rsrcs.size(), "size", (totalSize/1024) + "k",
1470                  "duration", (complete-start) + "ms");
1471     }
1472
1473     private void verifyResource (Resource rsrc, ProgressObserver obs, int[] alreadyValid,
1474                                  Set<Resource> unpacked,
1475                                  Set<Resource> toInstall, Set<Resource> toDownload) {
1476         if (rsrc.isMarkedValid()) {
1477             if (alreadyValid != null) {
1478                 alreadyValid[0]++;
1479             }
1480             obs.progress(100);
1481             return;
1482         }
1483
1484         try {
1485             if (_digest.validateResource(rsrc, obs)) {
1486                 // if the resource has a _new file, add it to to-install list
1487                 if (rsrc.getLocalNew().exists()) {
1488                     toInstall.add(rsrc);
1489                     return;
1490                 }
1491                 rsrc.applyAttrs();
1492                 unpacked.add(rsrc);
1493                 rsrc.markAsValid();
1494                 return;
1495             }
1496
1497         } catch (Exception e) {
1498             log.info("Failure verifying resource. Requesting redownload...",
1499                      "rsrc", rsrc, "error", e);
1500
1501         } finally {
1502             obs.progress(100);
1503         }
1504         toDownload.add(rsrc);
1505     }
1506
1507     /**
1508      * Unpacks the resources that require it (we know that they're valid).
1509      *
1510      * @param unpacked a set of resources to skip because they're already unpacked.
1511      */
1512     public void unpackResources (ProgressObserver obs, Set<Resource> unpacked)
1513         throws InterruptedException
1514     {
1515         List<Resource> rsrcs = getActiveResources();
1516
1517         // remove resources that we don't want to unpack
1518         for (Iterator<Resource> it = rsrcs.iterator(); it.hasNext(); ) {
1519             Resource rsrc = it.next();
1520             if (!rsrc.shouldUnpack() || unpacked.contains(rsrc)) {
1521                 it.remove();
1522             }
1523         }
1524
1525         // obtain the sizes of the resources to unpack
1526         long[] sizes = new long[rsrcs.size()];
1527         for (int ii = 0; ii < sizes.length; ii++) {
1528             sizes[ii] = rsrcs.get(ii).getLocal().length();
1529         }
1530
1531         ProgressAggregator pagg = new ProgressAggregator(obs, sizes);
1532         for (int ii = 0; ii < sizes.length; ii++) {
1533             Resource rsrc = rsrcs.get(ii);
1534             ProgressObserver pobs = pagg.startElement(ii);
1535             try {
1536                 rsrc.unpack();
1537             } catch (IOException ioe) {
1538                 log.warning("Failure unpacking resource", "rsrc", rsrc, ioe);
1539             }
1540             pobs.progress(100);
1541         }
1542     }
1543
1544     /**
1545      * Clears all validation marker files.
1546      */
1547     public void clearValidationMarkers ()
1548     {
1549         clearValidationMarkers(getAllActiveResources().iterator());
1550     }
1551
1552     /**
1553      * Returns the version number for the application.  Should only be called after successful
1554      * return of verifyMetadata.
1555      */
1556     public long getVersion ()
1557     {
1558         return _version;
1559     }
1560
1561     /**
1562      * Creates a versioned application base URL for the specified version.
1563      */
1564     protected URL createVAppBase (long version)
1565         throws MalformedURLException
1566     {
1567         String url = version < 0 ? _appbase : _appbase.replace("%VERSION%", "" + version);
1568         return HostWhitelist.verify(new URL(url));
1569     }
1570
1571     /**
1572      * Clears all validation marker files for the resources in the supplied iterator.
1573      */
1574     protected void clearValidationMarkers (Iterator<Resource> iter)
1575     {
1576         while (iter.hasNext()) {
1577             iter.next().clearMarker();
1578         }
1579     }
1580
1581     /**
1582      * Downloads a new copy of CONFIG_FILE.
1583      */
1584     protected void downloadConfigFile ()
1585         throws IOException
1586     {
1587         downloadControlFile(CONFIG_FILE, 0);
1588     }
1589
1590     /**
1591      * @return true if gettingdown.lock was unlocked, already locked by this application or if
1592      * we're not locking at all.
1593      */
1594     public synchronized boolean lockForUpdates ()
1595     {
1596         if (_lock != null && _lock.isValid()) {
1597             return true;
1598         }
1599         try {
1600             _lockChannel = new RandomAccessFile(getLocalPath("gettingdown.lock"), "rw").getChannel();
1601         } catch (FileNotFoundException e) {
1602             log.warning("Unable to create lock file", "message", e.getMessage(), e);
1603             return false;
1604         }
1605         try {
1606             _lock = _lockChannel.tryLock();
1607         } catch (IOException e) {
1608             log.warning("Unable to create lock", "message", e.getMessage(), e);
1609             return false;
1610         } catch (OverlappingFileLockException e) {
1611             log.warning("The lock is held elsewhere in this JVM", e);
1612             return false;
1613         }
1614         log.info("Able to lock for updates: " + (_lock != null));
1615         return _lock != null;
1616     }
1617
1618     /**
1619      * Release gettingdown.lock
1620      */
1621     public synchronized void releaseLock ()
1622     {
1623         if (_lock != null) {
1624             log.info("Releasing lock");
1625             try {
1626                 _lock.release();
1627             } catch (IOException e) {
1628                 log.warning("Unable to release lock", "message", e.getMessage(), e);
1629             }
1630             try {
1631                 _lockChannel.close();
1632             } catch (IOException e) {
1633                 log.warning("Unable to close lock channel", "message", e.getMessage(), e);
1634             }
1635             _lockChannel = null;
1636             _lock = null;
1637         }
1638     }
1639
1640     /**
1641      * Downloads the digest files and validates their signature.
1642      * @throws IOException
1643      */
1644     protected void downloadDigestFiles ()
1645         throws IOException
1646     {
1647         for (int version = 1; version <= Digest.VERSION; version++) {
1648             downloadControlFile(Digest.digestFile(version), version);
1649         }
1650     }
1651
1652     /**
1653      * Downloads a new copy of the specified control file, optionally validating its signature.
1654      * If the download is successful, moves it over the old file on the filesystem.
1655      *
1656      * <p> TODO: Switch to PKCS #7 or CMS.
1657      *
1658      * @param sigVersion if {@code 0} no validation will be performed, if {@code > 0} then this
1659      * should indicate the version of the digest file being validated which indicates which
1660      * algorithm to use to verify the signature. See {@link Digest#VERSION}.
1661      */
1662     protected void downloadControlFile (String path, int sigVersion)
1663         throws IOException
1664     {
1665         File target = downloadFile(path);
1666
1667         if (sigVersion > 0) {
1668             if (_envc.certs.isEmpty()) {
1669                 log.info("No signing certs, not verifying digest.txt", "path", path);
1670
1671             } else {
1672                 File signatureFile = downloadFile(path + SIGNATURE_SUFFIX);
1673                 byte[] signature = null;
1674                 try (FileInputStream signatureStream = new FileInputStream(signatureFile)) {
1675                     signature = StreamUtil.toByteArray(signatureStream);
1676                 } finally {
1677                     FileUtil.deleteHarder(signatureFile); // delete the file regardless
1678                 }
1679
1680                 byte[] buffer = new byte[8192];
1681                 int length, validated = 0;
1682                 for (Certificate cert : _envc.certs) {
1683                     try (FileInputStream dataInput = new FileInputStream(target)) {
1684                         Signature sig = Signature.getInstance(Digest.sigAlgorithm(sigVersion));
1685                         sig.initVerify(cert);
1686                         while ((length = dataInput.read(buffer)) != -1) {
1687                             sig.update(buffer, 0, length);
1688                         }
1689
1690                         if (!sig.verify(Base64.decode(signature, Base64.DEFAULT))) {
1691                             log.info("Signature does not match", "cert", cert.getPublicKey());
1692                             continue;
1693                         } else {
1694                             log.info("Signature matches", "cert", cert.getPublicKey());
1695                             validated++;
1696                         }
1697
1698                     } catch (IOException ioe) {
1699                         log.warning("Failure validating signature of " + target + ": " + ioe);
1700
1701                     } catch (GeneralSecurityException gse) {
1702                         // no problem!
1703
1704                     }
1705                 }
1706
1707                 // if we couldn't find a key that validates our digest, we are the hosed!
1708                 if (validated == 0) {
1709                     // delete the temporary digest file as we know it is invalid
1710                     FileUtil.deleteHarder(target);
1711                     throw new IOException("m.corrupt_digest_signature_error");
1712                 }
1713             }
1714         }
1715
1716         // now move the temporary file over the original
1717         File original = getLocalPath(path);
1718         if (!FileUtil.renameTo(target, original)) {
1719             throw new IOException("Failed to rename(" + target + ", " + original + ")");
1720         }
1721     }
1722
1723     /**
1724      * Download a path to a temporary file, returning a {@link File} instance with the path
1725      * contents.
1726      */
1727     protected File downloadFile (String path)
1728         throws IOException
1729     {
1730         File target = getLocalPath(path + "_new");
1731
1732         URL targetURL = null;
1733         try {
1734             targetURL = getRemoteURL(path);
1735         } catch (Exception e) {
1736             log.warning("Requested to download invalid control file",
1737                 "appbase", _vappbase, "path", path, "error", e);
1738             throw (IOException) new IOException("Invalid path '" + path + "'.").initCause(e);
1739         }
1740
1741         log.info("Attempting to refetch '" + path + "' from '" + targetURL + "'.");
1742
1743         // stream the URL into our temporary file
1744         URLConnection uconn = ConnectionUtil.open(proxy, targetURL, 0, 0);
1745         // we have to tell Java not to use caches here, otherwise it will cache any request for
1746         // same URL for the lifetime of this JVM (based on the URL string, not the URL object);
1747         // if the getdown.txt file, for example, changes in the meanwhile, we would never hear
1748         // about it; turning off caches is not a performance concern, because when Getdown asks
1749         // to download a file, it expects it to come over the wire, not from a cache
1750         uconn.setUseCaches(false);
1751         uconn.setRequestProperty("Accept-Encoding", "gzip");
1752         try (InputStream fin = uconn.getInputStream()) {
1753             String encoding = uconn.getContentEncoding();
1754             boolean gzip = "gzip".equalsIgnoreCase(encoding);
1755             try (InputStream fin2 = (gzip ? new GZIPInputStream(fin) : fin)) {
1756                 try (FileOutputStream fout = new FileOutputStream(target)) {
1757                     StreamUtil.copy(fin2, fout);
1758                 }
1759             }
1760         }
1761
1762         return target;
1763     }
1764
1765     /** Helper function for creating {@link Resource} instances. */
1766     protected Resource createResource (String path, EnumSet<Resource.Attr> attrs)
1767         throws MalformedURLException
1768     {
1769         return new Resource(path, getRemoteURL(path), getLocalPath(path), attrs);
1770     }
1771
1772     /** Helper function to add all values in {@code values} (if non-null) to {@code target}. */
1773     protected static void addAll (String[] values, List<String> target) {
1774         if (values != null) {
1775             for (String value : values) {
1776                 target.add(value);
1777             }
1778         }
1779     }
1780
1781     /**
1782      * Make an immutable List from the specified int array.
1783      */
1784     public static List<Integer> intsToList (int[] values)
1785     {
1786         List<Integer> list = new ArrayList<>(values.length);
1787         for (int val : values) {
1788             list.add(val);
1789         }
1790         return Collections.unmodifiableList(list);
1791     }
1792
1793     /**
1794      * Make an immutable List from the specified String array.
1795      */
1796     public static List<String> stringsToList (String[] values)
1797     {
1798         return values == null ? null : Collections.unmodifiableList(Arrays.asList(values));
1799     }
1800
1801     /** Used to parse resources with the specified name. */
1802     protected void parseResources (Config config, String name, EnumSet<Resource.Attr> attrs,
1803                                    List<Resource> list)
1804     {
1805         String[] rsrcs = config.getMultiValue(name);
1806         if (rsrcs == null) {
1807             return;
1808         }
1809         for (String rsrc : rsrcs) {
1810             try {
1811                 list.add(createResource(rsrc, attrs));
1812             } catch (Exception e) {
1813                 log.warning("Invalid resource '" + rsrc + "'. " + e);
1814             }
1815         }
1816     }
1817
1818     /** Possibly generates and returns a google analytics tracking cookie. */
1819     protected String getGATrackingCode ()
1820     {
1821         if (_trackingGAHash == null) {
1822             return "";
1823         }
1824         long time = System.currentTimeMillis() / 1000;
1825         if (_trackingStart == 0) {
1826             _trackingStart = time;
1827         }
1828         if (_trackingId == 0) {
1829             int low = 100000000, high = 1000000000;
1830             _trackingId = low + _rando.nextInt(high-low);
1831         }
1832         StringBuilder cookie = new StringBuilder("&utmcc=__utma%3D").append(_trackingGAHash);
1833         cookie.append(".").append(_trackingId);
1834         cookie.append(".").append(_trackingStart).append(".").append(_trackingStart);
1835         cookie.append(".").append(time).append(".1%3B%2B");
1836         cookie.append("__utmz%3D").append(_trackingGAHash).append(".");
1837         cookie.append(_trackingStart).append(".1.1.");
1838         cookie.append("utmcsr%3D(direct)%7Cutmccn%3D(direct)%7Cutmcmd%3D(none)%3B");
1839         int low = 1000000000, high = 2000000000;
1840         cookie.append("&utmn=").append(_rando.nextInt(high-low));
1841         return cookie.toString();
1842     }
1843
1844     /**
1845      * Encodes a path for use in a URL.
1846      */
1847     protected static String encodePath (String path)
1848     {
1849         try {
1850             // we want to keep slashes because we're encoding an entire path; also we need to turn
1851             // + into %20 because web servers don't like + in paths or file names, blah
1852             return URLEncoder.encode(path, "UTF-8").replace("%2F", "/").replace("+", "%20");
1853         } catch (UnsupportedEncodingException ue) {
1854             log.warning("Failed to URL encode " + path + ": " + ue);
1855             return path;
1856         }
1857     }
1858
1859     protected File getLocalPath (File appdir, String path)
1860     {
1861         return new File(appdir, path);
1862     }
1863
1864     public static void setStartupFilesFromParameterString(String p) {
1865       // multiple files *might* be passed in as space separated quoted filenames
1866       String q = "\"";
1867       if (!StringUtil.isBlank(p)) {
1868         String[] filenames;
1869         // split quoted params or treat as single string array
1870         if (p.startsWith(q) && p.endsWith(q)) {
1871           // this fails if, e.g.
1872           // p=q("stupidfilename\" " "otherfilename")
1873           // let's hope no-one ever ends a filename with '" '
1874           filenames = p.substring(q.length(),p.length()-q.length()).split(q+" "+q);
1875         } else {
1876           // single unquoted filename
1877           filenames = new String[]{p};
1878         }
1879
1880         // check for locator file.  Only allow one locator file to be double clicked (if multiple files opened, ignore locator files)
1881         String locatorFilename = filenames.length >= 1 ? filenames[0] : null;
1882         if (
1883                 !StringUtil.isBlank(locatorFilename)
1884                 && locatorFilename.toLowerCase().endsWith("."+Application.LOCATOR_FILE_EXTENSION)
1885                 ) {
1886           setLocatorFile(locatorFilename);
1887           // remove the locator filename from the filenames array
1888           String[] otherFilenames = new String[filenames.length - 1];
1889           System.arraycopy(filenames, 1, otherFilenames, 0, otherFilenames.length);
1890           filenames = otherFilenames;
1891         }
1892
1893         for (int i = 0; i < filenames.length; i++) {
1894           String filename = filenames[i];
1895           // skip any other locator files in a multiple file list
1896           if (! filename.toLowerCase().endsWith("."+Application.LOCATOR_FILE_EXTENSION)) {
1897             addStartupFile(filename);
1898           }
1899         }
1900       }
1901     }
1902     
1903     public static void setLocatorFile(String filename) {
1904       _locatorFile = new File(filename);
1905     }
1906     
1907     public static void addStartupFile(String filename) {
1908       _startupFiles.add(new File(filename));
1909     }
1910     
1911     private Config createLocatorConfig(Config.ParseOpts opts) {
1912       if (_locatorFile == null) {
1913         return null;
1914       }
1915       
1916       Config locatorConfig = null;
1917       
1918       try {
1919         Config tmpConfig = null;
1920         Map<String, Object> tmpData = new HashMap<>();
1921         if (_locatorFile.exists()) {
1922           tmpConfig = Config.parseConfig(_locatorFile,  opts);
1923           // appbase is sanitised in HostWhitelist
1924           Map<String, Object> tmpConfigData = tmpConfig.getData();
1925           if (tmpConfig != null) {
1926             for (Map.Entry<String, Object> entry : tmpConfigData.entrySet()) {
1927               String key = entry.getKey();
1928               Object value = entry.getValue();
1929               String mkey = key.indexOf('.') > -1 ? key.substring(key.indexOf('.') + 1) : key;
1930               if (Config.allowedReplaceKeys.contains(mkey) || Config.allowedMergeKeys.contains(mkey)) {
1931                 tmpData.put(key, value);
1932               }
1933             }
1934           } else {
1935             log.warning("Error occurred reading config file", "file", _locatorFile);
1936           }
1937         } else {
1938           log.warning("Given locator file does not exist", "file", _locatorFile);
1939         }
1940         
1941         locatorConfig = new Config(tmpData);
1942         
1943       } catch (Exception e) {
1944         log.warning("Failure reading locator file",  "file", _locatorFile, e);
1945       }
1946       
1947       return locatorConfig;
1948     }
1949     
1950     public String getAppbase() {
1951         return _appbase;
1952     }
1953     
1954     protected String[] processCliJvmArgs(List<String> args) {
1955       List<String> extracted = new ArrayList<>();
1956       if (args != null) {
1957         for (String arg : args) {
1958           if (arg.startsWith("-"+CLI_JVM_ARG_PREFIX)) {
1959             String newArg = arg.substring(CLI_JVM_ARG_PREFIX.length() + 1);
1960             extracted.add(newArg);
1961             args.remove(arg);
1962           } else if (arg.startsWith("-jvmmempc=")) {
1963             try {
1964               _jvmmempc = Integer.parseInt(arg.substring(10));
1965             } catch (NumberFormatException e){
1966               log.warning("Could not parse jvmmempc command line argument", "arg", arg);
1967             }
1968           }
1969         }
1970       }
1971       return extracted.toArray(new String[0]);
1972     }
1973     
1974     protected final EnvConfig _envc;
1975     protected File _config;
1976     protected File _backupConfig;
1977     protected Digest _digest;
1978
1979     protected long _version = -1;
1980     protected long _targetVersion = -1;
1981     protected String _appbase;
1982     protected URL _vappbase;
1983     protected URL _latest;
1984     protected String _class;
1985     protected String _dockName;
1986     protected String _dockIconPath;
1987     protected boolean _strictComments;
1988     protected boolean _windebug;
1989     protected boolean _allowOffline;
1990     protected int _maxConcDownloads;
1991
1992     protected String _trackingURL;
1993     protected Set<Integer> _trackingPcts;
1994     protected String _trackingCookieName;
1995     protected String _trackingCookieProperty;
1996     protected String _trackingURLSuffix;
1997     protected String _trackingGAHash;
1998     protected long _trackingStart;
1999     protected int _trackingId;
2000
2001     protected String _javaVersionProp = "java.version";
2002     protected String _javaVersionRegex = "(\\d+)(?:\\.(\\d+)(?:\\.(\\d+)(_\\d+)?)?)?";
2003     protected long _javaMinVersion, _javaMaxVersion;
2004     protected boolean _javaExactVersionRequired;
2005     protected String _javaLocation;
2006
2007     protected List<Resource> _codes = new ArrayList<>();
2008     protected List<Resource> _resources = new ArrayList<>();
2009
2010     protected boolean _useCodeCache;
2011     protected int _codeCacheRetentionDays;
2012
2013     protected Map<String,AuxGroup> _auxgroups = new HashMap<>();
2014     protected Map<String,Boolean> _auxactive = new HashMap<>();
2015
2016     protected List<String> _jvmargs = new ArrayList<>();
2017     protected List<String> _appargs = new ArrayList<>();
2018
2019     protected String[] _optimumJvmArgs;
2020
2021     protected List<String> _txtJvmArgs = new ArrayList<>();
2022
2023     /** jvmmempc for memory settings and other cli arguments for the JVM */
2024     protected int _jvmmempc = -1;
2025     protected static final String CLI_JVM_ARG_PREFIX = "JVM";
2026     
2027     /** If a warning has been issued about not being able to set modtimes. */
2028     protected boolean _warnedAboutSetLastModified;
2029
2030     /** Locks gettingdown.lock in the app dir. Held the entire time updating is going on.*/
2031     protected FileLock _lock;
2032
2033     /** Channel to the file underlying _lock.  Kept around solely so the lock doesn't close. */
2034     protected FileChannel _lockChannel;
2035
2036     protected Random _rando = new Random();
2037
2038     protected static final String[] EMPTY_STRING_ARRAY = new String[0];
2039
2040     protected static final String ENV_VAR_PREFIX = "%ENV.";
2041     protected static final Pattern ENV_VAR_PATTERN = Pattern.compile("%ENV\\.(.*?)%");
2042  
2043     protected static File _locatorFile;
2044     protected static List<File> _startupFiles = new ArrayList<>();
2045     public static final String LOCATOR_FILE_EXTENSION = "jvl";
2046 }