View Javadoc
1   /*
2    * This file is part of dependency-check-core.
3    *
4    * Licensed under the Apache License, Version 2.0 (the "License");
5    * you may not use this file except in compliance with the License.
6    * You may obtain a copy of the License at
7    *
8    *     http://www.apache.org/licenses/LICENSE-2.0
9    *
10   * Unless required by applicable law or agreed to in writing, software
11   * distributed under the License is distributed on an "AS IS" BASIS,
12   * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13   * See the License for the specific language governing permissions and
14   * limitations under the License.
15   *
16   * Copyright (c) 2013 Jeremy Long. All Rights Reserved.
17   */
18  package org.owasp.dependencycheck.analyzer;
19  
20  import java.io.File;
21  import java.io.IOException;
22  import java.io.InputStream;
23  import java.net.MalformedURLException;
24  import java.net.URL;
25  import java.nio.file.Files;
26  import java.nio.file.Path;
27  import java.nio.file.StandardCopyOption;
28  import java.util.ArrayList;
29  import java.util.List;
30  import java.util.Set;
31  import java.util.regex.Pattern;
32  import javax.annotation.concurrent.ThreadSafe;
33  import org.owasp.dependencycheck.Engine;
34  import org.owasp.dependencycheck.analyzer.exception.AnalysisException;
35  import org.owasp.dependencycheck.data.update.HostedSuppressionsDataSource;
36  import org.owasp.dependencycheck.data.update.exception.UpdateException;
37  import org.owasp.dependencycheck.dependency.Dependency;
38  import org.owasp.dependencycheck.exception.InitializationException;
39  import org.owasp.dependencycheck.exception.WriteLockException;
40  import org.owasp.dependencycheck.utils.WriteLock;
41  import org.owasp.dependencycheck.xml.suppression.SuppressionParseException;
42  import org.owasp.dependencycheck.xml.suppression.SuppressionParser;
43  import org.owasp.dependencycheck.xml.suppression.SuppressionRule;
44  import org.owasp.dependencycheck.utils.DownloadFailedException;
45  import org.owasp.dependencycheck.utils.Downloader;
46  import org.owasp.dependencycheck.utils.FileUtils;
47  import org.owasp.dependencycheck.utils.ResourceNotFoundException;
48  import org.owasp.dependencycheck.utils.Settings;
49  import org.owasp.dependencycheck.utils.TooManyRequestsException;
50  import org.slf4j.Logger;
51  import org.slf4j.LoggerFactory;
52  import org.xml.sax.SAXException;
53  
54  /**
55   * Abstract base suppression analyzer that contains methods for parsing the
56   * suppression XML file.
57   *
58   * @author Jeremy Long
59   */
60  @ThreadSafe
61  public abstract class AbstractSuppressionAnalyzer extends AbstractAnalyzer {
62  
63      /**
64       * The Logger for use throughout the class.
65       */
66      private static final Logger LOGGER = LoggerFactory.getLogger(AbstractSuppressionAnalyzer.class);
67      /**
68       * The file name of the base suppression XML file.
69       */
70      private static final String BASE_SUPPRESSION_FILE = "dependencycheck-base-suppression.xml";
71      /**
72       * The key used to store and retrieve the suppression files.
73       */
74      public static final String SUPPRESSION_OBJECT_KEY = "suppression.rules";
75  
76      /**
77       * Returns a list of file EXTENSIONS supported by this analyzer.
78       *
79       * @return a list of file EXTENSIONS supported by this analyzer.
80       */
81      @SuppressWarnings("SameReturnValue")
82      public Set<String> getSupportedExtensions() {
83          return null;
84      }
85  
86      /**
87       * The prepare method loads the suppression XML file.
88       *
89       * @param engine a reference the dependency-check engine
90       * @throws InitializationException thrown if there is an exception
91       */
92      @Override
93      public synchronized void prepareAnalyzer(Engine engine) throws InitializationException {
94          if (engine.hasObject(SUPPRESSION_OBJECT_KEY)) {
95              return;
96          }
97          try {
98              loadSuppressionBaseData(engine);
99          } catch (SuppressionParseException ex) {
100             throw new InitializationException("Error initializing the suppression analyzer: " + ex.getLocalizedMessage(), ex, true);
101         }
102 
103         try {
104             loadSuppressionData(engine);
105         } catch (SuppressionParseException ex) {
106             throw new InitializationException("Warn initializing the suppression analyzer: " + ex.getLocalizedMessage(), ex, false);
107         }
108     }
109 
110     @Override
111     protected void analyzeDependency(Dependency dependency, Engine engine) throws AnalysisException {
112         if (engine == null) {
113             return;
114         }
115         @SuppressWarnings("unchecked")
116         final List<SuppressionRule> rules = (List<SuppressionRule>) engine.getObject(SUPPRESSION_OBJECT_KEY);
117         if (rules.isEmpty()) {
118             return;
119         }
120         for (SuppressionRule rule : rules) {
121             if (filter(rule)) {
122                 rule.process(dependency);
123             }
124         }
125     }
126 
127     /**
128      * Determines whether a suppression rule should be retained when filtering a
129      * set of suppression rules for a concrete suppression analyzer.
130      *
131      * @param rule the suppression rule to evaluate
132      * @return <code>true</code> if the rule should be retained; otherwise
133      * <code>false</code>
134      */
135     abstract boolean filter(SuppressionRule rule);
136 
137     /**
138      * Loads all the suppression rules files configured in the {@link Settings}.
139      *
140      * @param engine a reference to the ODC engine.
141      * @throws SuppressionParseException thrown if the XML cannot be parsed.
142      */
143     private void loadSuppressionData(Engine engine) throws SuppressionParseException {
144         final List<SuppressionRule> ruleList = new ArrayList<>();
145         final SuppressionParser parser = new SuppressionParser();
146         final String[] suppressionFilePaths = getSettings().getArray(Settings.KEYS.SUPPRESSION_FILE);
147         final List<String> failedLoadingFiles = new ArrayList<>();
148         if (suppressionFilePaths != null && suppressionFilePaths.length > 0) {
149             // Load all the suppression file paths
150             for (final String suppressionFilePath : suppressionFilePaths) {
151                 try {
152                     ruleList.addAll(loadSuppressionFile(parser, suppressionFilePath));
153                 } catch (SuppressionParseException ex) {
154                     final String msg = String.format("Failed to load %s, caused by %s. ", suppressionFilePath, ex.getMessage());
155                     failedLoadingFiles.add(msg);
156                 }
157             }
158         }
159 
160         LOGGER.debug("{} suppression rules were loaded.", ruleList.size());
161         if (!ruleList.isEmpty()) {
162             if (engine.hasObject(SUPPRESSION_OBJECT_KEY)) {
163                 @SuppressWarnings("unchecked")
164                 final List<SuppressionRule> rules = (List<SuppressionRule>) engine.getObject(SUPPRESSION_OBJECT_KEY);
165                 rules.addAll(ruleList);
166             } else {
167                 engine.putObject(SUPPRESSION_OBJECT_KEY, ruleList);
168             }
169         }
170         if (!failedLoadingFiles.isEmpty()) {
171             LOGGER.debug("{} suppression files failed to load.", failedLoadingFiles.size());
172             final StringBuilder sb = new StringBuilder();
173             failedLoadingFiles.forEach(sb::append);
174             throw new SuppressionParseException(sb.toString());
175         }
176     }
177 
178     /**
179      * Loads all the base suppression rules files.
180      *
181      * @param engine a reference the dependency-check engine
182      * @throws SuppressionParseException thrown if the XML cannot be parsed.
183      */
184     private void loadSuppressionBaseData(final Engine engine) throws SuppressionParseException {
185         final SuppressionParser parser = new SuppressionParser();
186         loadPackagedSuppressionBaseData(parser, engine);
187         loadHostedSuppressionBaseData(parser, engine);
188     }
189 
190     /**
191      * Loads all the base suppression rules packaged with the application.
192      *
193      * @param parser The suppression parser to use
194      * @param engine a reference the dependency-check engine
195      * @throws SuppressionParseException thrown if the XML cannot be parsed.
196      */
197     private void loadPackagedSuppressionBaseData(final SuppressionParser parser, final Engine engine) throws SuppressionParseException {
198         final List<SuppressionRule> ruleList;
199         try (InputStream in = FileUtils.getResourceAsStream(BASE_SUPPRESSION_FILE)) {
200             if (in == null) {
201                 throw new SuppressionParseException("Suppression rules `" + BASE_SUPPRESSION_FILE + "` could not be found");
202             }
203             ruleList = parser.parseSuppressionRules(in);
204         } catch (SAXException | IOException ex) {
205             throw new SuppressionParseException("Unable to parse the base suppression data file", ex);
206         }
207         if (!ruleList.isEmpty()) {
208             if (engine.hasObject(SUPPRESSION_OBJECT_KEY)) {
209                 @SuppressWarnings("unchecked")
210                 final List<SuppressionRule> rules = (List<SuppressionRule>) engine.getObject(SUPPRESSION_OBJECT_KEY);
211                 rules.addAll(ruleList);
212             } else {
213                 engine.putObject(SUPPRESSION_OBJECT_KEY, ruleList);
214             }
215         }
216     }
217 
218     /**
219      * Loads all the base suppression rules from the hosted suppression file
220      * generated/updated automatically by the FP Suppression GitHub Action for
221      * approved FP suppression.<br>
222      * Uses local caching as a fall-back in case the hosted location cannot be
223      * accessed, ignore any errors in the loading of the hosted suppression file
224      * emitting only a warning that some False Positives may emerge that have
225      * already been resolved by the dependency-check project.
226      *
227      * @param engine a reference the dependency-check engine
228      * @param parser The suppression parser to use
229      */
230     private void loadHostedSuppressionBaseData(final SuppressionParser parser, final Engine engine) {
231         final File repoFile;
232         boolean repoEmpty = false;
233         final boolean enabled = getSettings().getBoolean(Settings.KEYS.HOSTED_SUPPRESSIONS_ENABLED, true);
234         if (!enabled) {
235             return;
236         }
237         final boolean autoupdate = getSettings().getBoolean(Settings.KEYS.AUTO_UPDATE, true);
238         final boolean forceupdate = getSettings().getBoolean(Settings.KEYS.HOSTED_SUPPRESSIONS_FORCEUPDATE, false);
239 
240         try {
241             final String configuredUrl = getSettings().getString(Settings.KEYS.HOSTED_SUPPRESSIONS_URL,
242                     HostedSuppressionsDataSource.DEFAULT_SUPPRESSIONS_URL);
243             final URL url = new URL(configuredUrl);
244             final String fileName = new File(url.getPath()).getName();
245             repoFile = new File(getSettings().getDataDirectory(), fileName);
246             if (!repoFile.isFile() || repoFile.length() <= 1L) {
247                 repoEmpty = true;
248                 LOGGER.warn("Hosted Suppressions file is empty or missing - attempting to force the update");
249                 getSettings().setBoolean(Settings.KEYS.HOSTED_SUPPRESSIONS_FORCEUPDATE, true);
250             }
251             if ((!autoupdate && forceupdate) || (autoupdate && repoEmpty)) {
252                 if (engine == null) {
253                     LOGGER.warn("Engine was null, this should only happen in tests - skipping forced update");
254                 } else {
255                     repoEmpty = forceUpdateHostedSuppressions(engine, repoFile);
256                 }
257             }
258             if (!repoEmpty) {
259                 loadCachedHostedSuppressionsRules(parser, repoFile, engine);
260             } else {
261                 LOGGER.warn("Empty Hosted Suppression file after update, results may contain false positives "
262                         + "already resolved by the DependencyCheck project due to failed download of the hosted suppression file");
263             }
264         } catch (IOException | InitializationException ex) {
265             LOGGER.warn("Unable to load hosted suppressions", ex);
266         }
267     }
268 
269     /**
270      * Load the hosted suppression file from the web resource
271      *
272      * @param parser The suppressionParser to use for loading
273      * @param repoFile The cached web resource
274      * @param engine a reference the dependency-check engine
275      *
276      * @throws InitializationException When errors occur trying to create a
277      * defensive copy of the web resource before loading
278      */
279     private void loadCachedHostedSuppressionsRules(final SuppressionParser parser, final File repoFile, final Engine engine)
280             throws InitializationException {
281         // take a defensive copy to avoid a risk of corrupted file by a competing parallel new download.
282         final Path defensiveCopy;
283         try (WriteLock lock = new WriteLock(getSettings(), true, repoFile.getName() + ".lock")) {
284             defensiveCopy = Files.createTempFile("dc-basesuppressions", ".xml");
285             LOGGER.debug("copying hosted suppressions file {} to {}", repoFile.toPath(), defensiveCopy);
286             Files.copy(repoFile.toPath(), defensiveCopy, StandardCopyOption.REPLACE_EXISTING);
287         } catch (WriteLockException | IOException ex) {
288             throw new InitializationException("Failed to copy the hosted suppressions file", ex);
289         }
290 
291         try (InputStream in = Files.newInputStream(defensiveCopy)) {
292             final List<SuppressionRule> ruleList;
293             ruleList = parser.parseSuppressionRules(in);
294             if (!ruleList.isEmpty()) {
295                 if (engine.hasObject(SUPPRESSION_OBJECT_KEY)) {
296                     @SuppressWarnings("unchecked")
297                     final List<SuppressionRule> rules = (List<SuppressionRule>) engine.getObject(SUPPRESSION_OBJECT_KEY);
298                     rules.addAll(ruleList);
299                 } else {
300                     engine.putObject(SUPPRESSION_OBJECT_KEY, ruleList);
301                 }
302             }
303         } catch (SAXException | IOException ex) {
304             LOGGER.warn("Unable to parse the hosted suppressions data file, results may contain false positives already resolved "
305                     + "by the DependencyCheck project", ex);
306         }
307         try {
308             Files.delete(defensiveCopy);
309         } catch (IOException ex) {
310             LOGGER.warn("Could not delete defensive copy of hosted suppressions file {}", defensiveCopy, ex);
311         }
312     }
313 
314     private static boolean forceUpdateHostedSuppressions(final Engine engine, final File repoFile) {
315         final HostedSuppressionsDataSource ds = new HostedSuppressionsDataSource();
316         boolean repoEmpty = true;
317         try {
318             ds.update(engine);
319             repoEmpty = !repoFile.isFile() || repoFile.length() <= 1L;
320         } catch (UpdateException ex) {
321             LOGGER.warn("Failed to update the Hosted Suppression file", ex);
322         }
323         return repoEmpty;
324     }
325 
326     /**
327      * Load a single suppression rules file from the path provided using the
328      * parser provided.
329      *
330      * @param parser the parser to use for loading the file
331      * @param suppressionFilePath the path to load
332      * @return the list of loaded suppression rules
333      * @throws SuppressionParseException thrown if the suppression file cannot
334      * be loaded and parsed.
335      */
336     private List<SuppressionRule> loadSuppressionFile(final SuppressionParser parser,
337             final String suppressionFilePath) throws SuppressionParseException {
338         LOGGER.debug("Loading suppression rules from '{}'", suppressionFilePath);
339         final List<SuppressionRule> list = new ArrayList<>();
340         File file = null;
341         boolean deleteTempFile = false;
342         try {
343             final Pattern uriRx = Pattern.compile("^(https?|file):.*", Pattern.CASE_INSENSITIVE);
344             if (uriRx.matcher(suppressionFilePath).matches()) {
345                 deleteTempFile = true;
346                 file = getSettings().getTempFile("suppression", "xml");
347                 final URL url = new URL(suppressionFilePath);
348                 final Downloader downloader = new Downloader(getSettings());
349                 try {
350                     downloader.fetchFile(url, file, false, Settings.KEYS.SUPPRESSION_FILE_USER, Settings.KEYS.SUPPRESSION_FILE_PASSWORD);
351                 } catch (DownloadFailedException ex) {
352                     LOGGER.trace("Failed download suppression file - first attempt", ex);
353                     try {
354                         Thread.sleep(500);
355                         downloader.fetchFile(url, file, true, Settings.KEYS.SUPPRESSION_FILE_USER, Settings.KEYS.SUPPRESSION_FILE_PASSWORD);
356                     } catch (TooManyRequestsException ex1) {
357                         throw new SuppressionParseException("Unable to download supression file `" + file
358                                 + "`; received 429 - too many requests", ex1);
359                     } catch (ResourceNotFoundException ex1) {
360                         throw new SuppressionParseException("Unable to download supression file `" + file
361                                 + "`; received 404 - resource not found", ex1);
362                     } catch (InterruptedException ex1) {
363                         Thread.currentThread().interrupt();
364                         throw new SuppressionParseException("Unable to download supression file `" + file + "`", ex1);
365                     }
366                 } catch (TooManyRequestsException ex) {
367                     throw new SuppressionParseException("Unable to download supression file `" + file
368                             + "`; received 429 - too many requests", ex);
369                 } catch (ResourceNotFoundException ex) {
370                     throw new SuppressionParseException("Unable to download supression file `" + file + "`; received 404 - resource not found", ex);
371                 }
372             } else {
373                 file = new File(suppressionFilePath);
374 
375                 if (!file.exists()) {
376                     try (InputStream suppressionFromClasspath = FileUtils.getResourceAsStream(suppressionFilePath)) {
377                         deleteTempFile = true;
378                         file = getSettings().getTempFile("suppression", "xml");
379                         try {
380                             Files.copy(suppressionFromClasspath, file.toPath());
381                         } catch (IOException ex) {
382                             throwSuppressionParseException("Unable to locate suppression file in classpath", ex, suppressionFilePath);
383                         }
384                     }
385                 }
386             }
387             if (file != null) {
388                 if (!file.exists()) {
389                     final String msg = String.format("Suppression file '%s' does not exist", file.getPath());
390                     LOGGER.warn(msg);
391                     throw new SuppressionParseException(msg);
392                 }
393                 try {
394                     list.addAll(parser.parseSuppressionRules(file));
395                 } catch (SuppressionParseException ex) {
396                     LOGGER.warn("Unable to parse suppression xml file '{}'", file.getPath());
397                     LOGGER.warn(ex.getMessage());
398                     throw ex;
399                 }
400             }
401         } catch (DownloadFailedException ex) {
402             throwSuppressionParseException("Unable to fetch the configured suppression file", ex, suppressionFilePath);
403         } catch (MalformedURLException ex) {
404             throwSuppressionParseException("Configured suppression file has an invalid URL", ex, suppressionFilePath);
405         } catch (SuppressionParseException ex) {
406             throw ex;
407         } catch (IOException ex) {
408             throwSuppressionParseException("Unable to read suppression file", ex, suppressionFilePath);
409         } finally {
410             if (deleteTempFile && file != null) {
411                 FileUtils.delete(file);
412             }
413         }
414         return list;
415     }
416 
417     /**
418      * Utility method to throw parse exceptions.
419      *
420      * @param message the exception message
421      * @param exception the cause of the exception
422      * @param suppressionFilePath the path file
423      * @throws SuppressionParseException throws the generated
424      * SuppressionParseException
425      */
426     private void throwSuppressionParseException(String message, Exception exception, String suppressionFilePath) throws SuppressionParseException {
427         LOGGER.warn(String.format(message + " '%s'", suppressionFilePath));
428         LOGGER.debug("", exception);
429         throw new SuppressionParseException(message, exception);
430     }
431 
432     /**
433      * Returns the number of suppression rules currently loaded in the engine.
434      *
435      * @param engine a reference to the ODC engine
436      * @return the count of rules loaded
437      */
438     public static int getRuleCount(Engine engine) {
439         if (engine.hasObject(SUPPRESSION_OBJECT_KEY)) {
440             @SuppressWarnings("unchecked")
441             final List<SuppressionRule> rules = (List<SuppressionRule>) engine.getObject(SUPPRESSION_OBJECT_KEY);
442             return rules.size();
443         }
444         return 0;
445     }
446 }