示例#1
0
文件: __init__.py 项目: exfm/bazinga
 def inspectDependencies(self, path):
     try:
         files, _ = find_dependencies(path, verbose=False, process_pragmas=False)
     except TypeError, err:
         if path not in self._ignored_files:
             self._ignored_files.add(path)
             log.debug('Snakefood raised an error (%s) parsing path %s' % (err, path))
             return []
示例#2
0
 def _build_dependencies_for_file(self, file_name, in_roots):
     files, errors = finder.find_dependencies(file_name,
                                              verbose=False,
                                              process_pragmas=True,
                                              ignore_unused=False)
     if os.path.basename(file_name) == '__init__.py':
         file_name = os.path.dirname(file_name)
     from_root, from_path = self._split_dependency_path(file_name)
     dependent_files = self._get_dependencies_from_paths(in_roots, files)
     return {
         Dependency(from_root, from_path, to_root, to_path)
         for to_root, to_path in dependent_files
         if not is_builtin_root(to_root)
     }
示例#3
0
    def load_dependencies(self):
        """
        Find all the dependencies.
        Taken from snakefood/gendeps.py
        """
        fiter = iter_pyfiles(self.files, self.ignores, False)
        in_roots = find_roots(self.files, self.ignores)

        for fn in fiter:
            if fn in self.processed_files:
                continue  # Make sure we process each file only once.
            self.processed_files.add(fn)
            if is_python(fn):
                files, errors = finder.find_dependencies(
                    fn, verbose=False, process_pragmas=True, ignore_unused=True)

                self.all_errors.extend(errors)
            else:
                files = []
            if basename(fn) == '__init__.py':
                fn = dirname(fn)

            self._add_dependencies(fn, in_roots, files)
示例#4
0
    def inspectDependencies(self, path):
        try:
            files, _ = find_dependencies(path,
                                         verbose=False,
                                         process_pragmas=False)
            log.debug('Dependencies found for file %s: %s' % (path, files))
        except TypeError as err:
            if path not in self._ignored_files:
                self._ignored_files.add(path)
                log.debug('Snakefood raised an error (%s) parsing path %s' %
                          (err, path))
                return []

        valid_files = []
        for f in files:
            if not isfile(f) and f not in self._ignored_files:
                self._ignored_files.add(f)
                log.debug('Snakefood returned a wrong path: %s' % (f, ))
            elif f in self._ignored_files:
                log.debug('Ignoring built-in module: %s' % (f, ))
            else:
                valid_files.append(f)

        return valid_files
示例#5
0
    def fetch_dependencies(self):
        """
        Fetch all dependencies and follow the target file.
        This was inspired by the snakefood library
        snakefood-1.4-py2.7.egg/snakefood/gendeps.py
        """
        # No need to run this twice
        if self.dependency_list: return self.dependency_list

        log.info("Fetching internal dependecies: %s" % self.filename)

        depends = find_imports(self.filename, 1, 0)

        # Get the list of package roots for our input files and prepend them to the
        # module search path to insure localized imports.
        inroots = find_roots([self.filename], [])
        self.file_roots = inroots

        if not inroots:
            raise NoRoot

        for file in inroots:
            log.debug("Root found: %s" % file)
        sys.path = inroots + sys.path

        #log.debug("Using the following import path to search for modules:")
        #for dn in sys.path:
        #    log.debug(" --  %s" % dn)
        inroots = frozenset(inroots)

        # Find all the dependencies.
        log.debug("Processing file:")
        allfiles = defaultdict(set)
        allerrors = []
        processed_files = set()
        ignorefiles = []
        alldependencies = []

        fiter = iter_pyfiles([self.filename], ignorefiles, False)
        while 1:
            newfiles = set()

            for fn in fiter:
                log.debug("  post-filter: %s" % fn)
                processed_files.add(fn)

                if is_python(fn):
                    files, errors = find_dependencies(fn, 0, 0)
                    log.debug("dependency file count: %d" % len(files))
                    allerrors.extend(errors)
                else:
                    # If the file is not a source file, we don't know how to get the
                    # dependencies of that (without importing, which we want to
                    # avoid).
                    files = []

                # When packages are the source of dependencies, remove the __init__
                # file.  This is important because the targets also do not include the
                # __init__ (i.e. when "from <package> import <subpackage>" is seen).
                if basename(fn) == '__init__.py':
                    fn = dirname(fn)

                # no dependency.
                from_ = relfile(fn, ignorefiles)
                if from_ is None:
                    log.debug("from_ empty.  Move on")
                    continue
                infrom = from_[0] in inroots
                log.debug("  from: %s" % from_[0])
                log.debug("  file: %s" % from_[1])
                allfiles[from_].add((None, None))

                # Add the dependencies.
                for dfn in files:
                    xfn = dfn
                    if basename(xfn) == '__init__.py':
                        xfn = dirname(xfn)

                    to_ = relfile(xfn, ignorefiles)
                    into = to_[0] in inroots
                    log.debug("  from: %s" % from_[1])
                    log.debug("  to: %s" % to_[1])

                    if dfn in alldependencies:
                        log.debug("Already added %s to dependency list" % dfn)
                    else:
                        log.debug("Add %s to dependency list" % dfn)
                        allfiles[from_].add(to_)
                        newfiles.add(dfn)
                        alldependencies.append(dfn)

            if not newfiles:
                log.debug("No more new files.  all done")
                break
            else:
                fiter = iter(sorted(newfiles))

        # Output the list of roots found.
        log.debug("Found roots:")

        found_roots = set()
        for key, files in allfiles.iteritems():
            found_roots.add(key[0])
            found_roots.update(map(itemgetter(0), files))
        if None in found_roots:
            found_roots.remove(None)
        for root in sorted(found_roots):
            log.debug("  %s" % root)

        self.dependency_list = allfiles
        return self.dependency_list
示例#6
0
 def scan(self):
     """
     Returns an ImportGraph
     """
     self.optsVerbose -= self.optsQuiet
     setup_logging(self.optsVerbose)
     info = logging.info
     warning = logging.warning
     debug = logging.debug
     if self.optsInternal and self.optsExternal:
         message = "Using --internal and --external at the same time " \
             "does not make sense."
         raise SnakefoodScannerException(message)
     if self.optsPrintRoots:
         inroots = find_roots(self.args, self.optsIgnores)
         for dn in sorted(inroots):
             print(dn)
         return
     info("")
     info("Input paths:")
     for arg in self.args:
         fn = os.path.realpath(arg)
         info('  {}'.format(fn))
         if not os.path.exists(fn):
             message = "Filename '{}' does not exist.".format(fn)
             raise SnakefoodScannerException(message)
     # Get the list of package roots for our input files and prepend
     # them to the module search path to insure localized imports.
     inroots = find_roots(self.args, self.optsIgnores)
     if (self.optsInternal or self.optsExternal) and not inroots:
         message = "No package roots found from the given files or " \
             "directories. Using --internal with these roots will  " \
             "generate no dependencies."
         raise SnakefoodScannerException(message)
     info("")
     info("Roots of the input files:")
     for root in inroots:
         info('  {}'.format(root))
     info("")
     info("Using the following import path to search for modules:")
     sys.path = inroots + sys.path
     for dn in sys.path:
         info("  {}".format(dn))
     inroots = frozenset(inroots)
     # Find all the dependencies.
     info("")
     info("Processing files:")
     info("")
     allfiles = defaultdict(set)
     allerrors = []
     processed_files = set()
     fiter = iter_pyfiles(self.args, self.optsIgnores, False)
     while 1:
         newfiles = set()
         for fn in fiter:
             if fn in processed_files:
                 continue  # Make sure we process each file only once.
             info("  {}".format(fn))
             processed_files.add(fn)
             if is_python(fn):
                 files, errors = find_dependencies(
                     fn, self.optsVerbose,
                     self.optsDoPragmas, self.optsVerbose)
                 allerrors.extend(errors)
             else:
                 # If the file is not a source file, we don't know how
                 # to get the dependencies of that (without importing,
                 # which we want to avoid).
                 files = []
             # When packages are the source of dependencies, remove the
             # __init__ file.  This is important because the targets
             # also do not include the __init__ (i.e. when "from
             # <package> import <subpackage>" is seen).
             if os.path.basename(fn) == '__init__.py':
                 fn = os.path.dirname(fn)
             # Make sure all the files at least appear in the output,
             # even if it has no dependency.
             from_ = relfile(fn, self.optsIgnores)
             if from_ is None:
                 continue
             infrom = from_[0] in inroots
             if self.optsInternal and not infrom:
                 continue
             if not self.optsExternal:
                 allfiles[from_].add((None, None))
             # Add the dependencies.
             for dfn in files:
                 xfn = dfn
                 if os.path.basename(xfn) == '__init__.py':
                     xfn = os.path.dirname(xfn)
                 to_ = relfile(xfn, self.optsIgnores)
                 into = to_[0] in inroots
                 if (self.optsInternal and not into) or \
                         (self.optsExternal and into):
                     continue
                 allfiles[from_].add(to_)
                 newfiles.add(dfn)
         if not (self.optsFollow and newfiles):
             break
         else:
             fiter = iter(sorted(newfiles))
     # If internal is used twice, we filter down  further the
     # dependencies to the set of files that were processed only,
     # not just to the files that live in the same roots.
     if self.optsInternal >= 2:
         filtfiles = type(allfiles)()
         for from_, tolist in allfiles.iteritems():
             filtfiles[from_] = set(
                 x for x in tolist if x in allfiles or x == (None, None))
         allfiles = filtfiles
     info("")
     info("SUMMARY")
     info("=======")
     # Output a list of the symbols that could not
     # be imported as modules.
     reports = [
         ("Modules that were ignored because not used:",
             ERROR_UNUSED, info),
         ("Modules that could not be imported:",
             ERROR_IMPORT, warning),
         ]
     if self.optsVerbose >= 2:
         reports.append(
             ("Symbols that could not be imported as modules:",
                 ERROR_SYMBOL, debug))
     for msg, errtype, efun in reports:
         names = set(name for (err, name) in allerrors if err is errtype)
         if names:
             efun("")
             efun(msg)
             for name in sorted(names):
                 efun("  {}".format(name))
     # Output the list of roots found.
     info("")
     info("Found roots:")
     foundRoots = set()
     for key, files in allfiles.iteritems():
         foundRoots.add(key[0])
         foundRoots.update(map(operator.itemgetter(0), files))
     if None in foundRoots:
         foundRoots.remove(None)
     for root in sorted(foundRoots):
         info("  {}".format(root))
     # Output the dependencies.
     entries = SnakefoodEntries()
     info("")
     for (from_root, from_), targets in sorted(
             allfiles.iteritems(), key=operator.itemgetter(0)):
         for to_root, to_ in sorted(targets):
             entry = SnakefoodEntry(from_root, from_, to_root, to_)
             entries.append(entry)
     graph = ImportGraph()
     for entry in entries.iterEntries():
         graph.addEntry(entry)
     return graph
示例#7
0
def gendeps():
    import optparse
    parser = optparse.OptionParser(__doc__.strip())

    parser.add_option('-i', '--internal', '--internal-only',
                      default=0, action='count',
                      help="Filter out dependencies that are outside of the "
                      "roots of the input files. If internal is used twice, we "
                      "filter down further the dependencies to the set of "
                      "files that were processed only, not just to the files "
                      "that live in the same roots.")

    parser.add_option('-e', '--external', '--external-only',
                      action='store_true',
                      help="Filter out dependencies to modules within the "
                      "roots of the input files. This can be used to find out "
                      "what external modules a package depends on, for example. "
                      "Note that it does not make sense to use --internal and "
                      "--external at the same time, as --internal will reject "
                      "all the dependencies --external allows would output.")

    parser.add_option('-I', '--ignore', dest='ignores', action='append',
                      default=def_ignores,
                      help="Add the given directory name to the list to be ignored.")

    parser.add_option('-v', '--verbose', action='count', default=0,
                      help="Output more debugging information")
    parser.add_option('-q', '--quiet', action='count', default=0,
                      help="Output less debugging information")

    parser.add_option('-f', '--follow', '-r', '--recursive', action='store_true',
                      help="Follow the modules depended upon and trace their dependencies. "
                      "WARNING: This can be slow.  Use --internal to limit the scope.")

    parser.add_option('--print-roots', action='store_true',
                      help="Only print the package roots corresponding to the input files."
                      "This is mostly used for testing and troubleshooting.")

    parser.add_option('-d', '--disable-pragmas', action='store_false',
                      dest='do_pragmas', default=True,
                      help="Disable processing of pragma directives as strings after imports.")

    parser.add_option('-u', '--ignore-unused', action='store_true',
                      help="Automatically ignore unused imports. (See sfood-checker.)")

    opts, args = parser.parse_args()
    opts.verbose -= opts.quiet
    setup_logging(opts.verbose)

    if not args:
        logging.warning("Searching for files from current directory.")
        args = ['.']

    info = logging.info

    if opts.internal and opts.external:
        parser.error("Using --internal and --external at the same time does not make sense.")

    if opts.print_roots:
        inroots = find_roots(args, opts.ignores)
        for dn in sorted(inroots):
            print_(dn)
        return

    info("")
    info("Input paths:")
    for arg in args:
        fn = realpath(arg)
        info('  %s' % fn)
        if not exists(fn):
            parser.error("Filename '%s' does not exist." % fn)

    # Get the list of package roots for our input files and prepend them to the
    # module search path to insure localized imports.
    inroots = find_roots(args, opts.ignores)
    if (opts.internal or opts.external) and not inroots:
        parser.error("No package roots found from the given files or directories. "
                     "Using --internal with these roots will generate no dependencies.")
    info("")
    info("Roots of the input files:")
    for root in inroots:
        info('  %s' % root)

    info("")
    info("Using the following import path to search for modules:")
    sys.path = inroots + sys.path
    for dn in sys.path:
        info("  %s" % dn)
    inroots = frozenset(inroots)

    # Find all the dependencies.
    info("")
    info("Processing files:")
    info("")
    allfiles = defaultdict(set)
    allerrors = []
    processed_files = set()

    fiter = iter_pyfiles(args, opts.ignores, False)
    while 1:
        newfiles = set()
        for fn in fiter:
            if fn in processed_files:
                continue # Make sure we process each file only once.

            info("  %s" % fn)
            processed_files.add(fn)

            if is_python(fn):
                files, errors = find_dependencies(
                    fn, opts.verbose, opts.do_pragmas, opts.ignore_unused)
                allerrors.extend(errors)
            else:
                # If the file is not a source file, we don't know how to get the
                # dependencies of that (without importing, which we want to
                # avoid).
                files = []

            # When packages are the source of dependencies, remove the __init__
            # file.  This is important because the targets also do not include the
            # __init__ (i.e. when "from <package> import <subpackage>" is seen).
            if basename(fn) == '__init__.py':
                fn = dirname(fn)

            # Make sure all the files at least appear in the output, even if it has
            # no dependency.
            from_ = relfile(fn, opts.ignores)
            if from_ is None:
                continue
            infrom = from_[0] in inroots
            if opts.internal and not infrom:
                continue
            if not opts.external:
                allfiles[from_].add((None, None))

            # Add the dependencies.
            for dfn in files:
                xfn = dfn
                if basename(xfn) == '__init__.py':
                    xfn = dirname(xfn)

                to_ = relfile(xfn, opts.ignores)
                into = to_[0] in inroots
                if (opts.internal and not into) or (opts.external and into):
                    continue
                allfiles[from_].add(to_)
                newfiles.add(dfn)

        if not (opts.follow and newfiles):
            break
        else:
            fiter = iter(sorted(newfiles))

    # If internal is used twice, we filter down further the dependencies to the
    # set of files that were processed only, not just to the files that live in
    # the same roots.
    if opts.internal >= 2:
        filtfiles = type(allfiles)()
        for from_, tolist in allfiles.iteritems():
            filtfiles[from_] = set(x for x in tolist if x in allfiles or x == (None, None))
        allfiles = filtfiles

    info("")
    info("SUMMARY")
    info("=======")

    # Output a list of the symbols that could not be imported as modules.
    reports = [
        ("Modules that were ignored because not used:", ERROR_UNUSED, logging.info),
        ("Modules that could not be imported:", ERROR_IMPORT, logging.warning),
        ]
    if opts.verbose >= 2:
        reports.append(
            ("Symbols that could not be imported as modules:", ERROR_SYMBOL, logging.debug))

    for msg, errtype, efun in reports:
        names = set(name for (err, name) in allerrors if err is errtype)
        if names:
            efun("")
            efun(msg)
            for name in sorted(names):
                efun("  %s" % name)

    # Output the list of roots found.
    info("")
    info("Found roots:")

    found_roots = set()
    for key, files in allfiles.iteritems():
        found_roots.add(key[0])
        found_roots.update(map(itemgetter(0),files))
    if None in found_roots:
        found_roots.remove(None)
    for root in sorted(found_roots):
        info("  %s" % root)

    # Output the dependencies.
    info("")
    output_depends(allfiles)
示例#8
0
 def scan(self):
     """
     Returns an ImportGraph
     """
     self.optsVerbose -= self.optsQuiet
     setup_logging(self.optsVerbose)
     info = logging.info
     warning = logging.warning
     debug = logging.debug
     if self.optsInternal and self.optsExternal:
         message = "Using --internal and --external at the same time " \
             "does not make sense."
         raise SnakefoodScannerException(message)
     if self.optsPrintRoots:
         inroots = find_roots(self.args, self.optsIgnores)
         for dn in sorted(inroots):
             print(dn)
         return
     info("")
     info("Input paths:")
     for arg in self.args:
         fn = os.path.realpath(arg)
         info('  {}'.format(fn))
         if not os.path.exists(fn):
             message = "Filename '{}' does not exist.".format(fn)
             raise SnakefoodScannerException(message)
     # Get the list of package roots for our input files and prepend
     # them to the module search path to insure localized imports.
     inroots = find_roots(self.args, self.optsIgnores)
     if (self.optsInternal or self.optsExternal) and not inroots:
         message = "No package roots found from the given files or " \
             "directories. Using --internal with these roots will  " \
             "generate no dependencies."
         raise SnakefoodScannerException(message)
     info("")
     info("Roots of the input files:")
     for root in inroots:
         info('  {}'.format(root))
     info("")
     info("Using the following import path to search for modules:")
     sys.path = inroots + sys.path
     for dn in sys.path:
         info("  {}".format(dn))
     inroots = frozenset(inroots)
     # Find all the dependencies.
     info("")
     info("Processing files:")
     info("")
     allfiles = defaultdict(set)
     allerrors = []
     processed_files = set()
     fiter = iter_pyfiles(self.args, self.optsIgnores, False)
     while 1:
         newfiles = set()
         for fn in fiter:
             if fn in processed_files:
                 continue  # Make sure we process each file only once.
             info("  {}".format(fn))
             processed_files.add(fn)
             if is_python(fn):
                 files, errors = find_dependencies(
                     fn, self.optsVerbose,
                     self.optsDoPragmas, self.optsVerbose)
                 allerrors.extend(errors)
             else:
                 # If the file is not a source file, we don't know how
                 # to get the dependencies of that (without importing,
                 # which we want to avoid).
                 files = []
             # When packages are the source of dependencies, remove the
             # __init__ file.  This is important because the targets
             # also do not include the __init__ (i.e. when "from
             # <package> import <subpackage>" is seen).
             if os.path.basename(fn) == '__init__.py':
                 fn = os.path.dirname(fn)
             # Make sure all the files at least appear in the output,
             # even if it has no dependency.
             from_ = relfile(fn, self.optsIgnores)
             if from_ is None:
                 continue
             infrom = from_[0] in inroots
             if self.optsInternal and not infrom:
                 continue
             if not self.optsExternal:
                 allfiles[from_].add((None, None))
             # Add the dependencies.
             for dfn in files:
                 xfn = dfn
                 if os.path.basename(xfn) == '__init__.py':
                     xfn = os.path.dirname(xfn)
                 to_ = relfile(xfn, self.optsIgnores)
                 into = to_[0] in inroots
                 if (self.optsInternal and not into) or \
                         (self.optsExternal and into):
                     continue
                 allfiles[from_].add(to_)
                 newfiles.add(dfn)
         if not (self.optsFollow and newfiles):
             break
         else:
             fiter = iter(sorted(newfiles))
     # If internal is used twice, we filter down  further the
     # dependencies to the set of files that were processed only,
     # not just to the files that live in the same roots.
     if self.optsInternal >= 2:
         filtfiles = type(allfiles)()
         for from_, tolist in allfiles.iteritems():
             filtfiles[from_] = set(
                 x for x in tolist if x in allfiles or x == (None, None))
         allfiles = filtfiles
     info("")
     info("SUMMARY")
     info("=======")
     # Output a list of the symbols that could not
     # be imported as modules.
     reports = [
         ("Modules that were ignored because not used:",
             ERROR_UNUSED, info),
         ("Modules that could not be imported:",
             ERROR_IMPORT, warning),
         ]
     if self.optsVerbose >= 2:
         reports.append(
             ("Symbols that could not be imported as modules:",
                 ERROR_SYMBOL, debug))
     for msg, errtype, efun in reports:
         names = set(name for (err, name) in allerrors if err is errtype)
         if names:
             efun("")
             efun(msg)
             for name in sorted(names):
                 efun("  {}".format(name))
     # Output the list of roots found.
     info("")
     info("Found roots:")
     foundRoots = set()
     for key, files in allfiles.iteritems():
         foundRoots.add(key[0])
         foundRoots.update(map(operator.itemgetter(0), files))
     if None in foundRoots:
         foundRoots.remove(None)
     for root in sorted(foundRoots):
         info("  {}".format(root))
     # Output the dependencies.
     entries = SnakefoodEntries()
     info("")
     for (from_root, from_), targets in sorted(
             allfiles.iteritems(), key=operator.itemgetter(0)):
         for to_root, to_ in sorted(targets):
             entry = SnakefoodEntry(from_root, from_, to_root, to_)
             entries.append(entry)
     graph = ImportGraph()
     for entry in entries.iterEntries():
         graph.addEntry(entry)
     return graph
示例#9
0
def gendeps():
    import optparse
    parser = optparse.OptionParser(__doc__.strip())

    parser.add_option(
        '-i',
        '--internal',
        '--internal-only',
        default=0,
        action='count',
        help="Filter out dependencies that are outside of the "
        "roots of the input files. If internal is used twice, we "
        "filter down further the dependencies to the set of "
        "files that were processed only, not just to the files "
        "that live in the same roots.")

    parser.add_option(
        '-e',
        '--external',
        '--external-only',
        action='store_true',
        help="Filter out dependencies to modules within the "
        "roots of the input files. This can be used to find out "
        "what external modules a package depends on, for example. "
        "Note that it does not make sense to use --internal and "
        "--external at the same time, as --internal will reject "
        "all the dependencies --external allows would output.")

    parser.add_option(
        '-I',
        '--ignore',
        dest='ignores',
        action='append',
        default=def_ignores,
        help="Add the given directory name to the list to be ignored.")

    parser.add_option('-v',
                      '--verbose',
                      action='count',
                      default=0,
                      help="Output more debugging information")
    parser.add_option('-q',
                      '--quiet',
                      action='count',
                      default=0,
                      help="Output less debugging information")

    parser.add_option(
        '-f',
        '--follow',
        '-r',
        '--recursive',
        action='store_true',
        help="Follow the modules depended upon and trace their dependencies. "
        "WARNING: This can be slow.  Use --internal to limit the scope.")

    parser.add_option(
        '--print-roots',
        action='store_true',
        help="Only print the package roots corresponding to the input files."
        "This is mostly used for testing and troubleshooting.")

    parser.add_option(
        '-d',
        '--disable-pragmas',
        action='store_false',
        dest='do_pragmas',
        default=True,
        help="Disable processing of pragma directives as strings after imports."
    )

    parser.add_option(
        '-u',
        '--ignore-unused',
        action='store_true',
        help="Automatically ignore unused imports. (See sfood-checker.)")

    opts, args = parser.parse_args()
    opts.verbose -= opts.quiet
    setup_logging(opts.verbose)

    if not args:
        logging.warning("Searching for files from current directory.")
        args = ['.']

    info = logging.info

    if opts.internal and opts.external:
        parser.error(
            "Using --internal and --external at the same time does not make sense."
        )

    if opts.print_roots:
        inroots = find_roots(args, opts.ignores)
        for dn in sorted(inroots):
            print_(dn)
        return

    info("")
    info("Input paths:")
    for arg in args:
        fn = realpath(arg)
        info('  %s' % fn)
        if not exists(fn):
            parser.error("Filename '%s' does not exist." % fn)

    # Get the list of package roots for our input files and prepend them to the
    # module search path to insure localized imports.
    inroots = find_roots(args, opts.ignores)
    if (opts.internal or opts.external) and not inroots:
        parser.error(
            "No package roots found from the given files or directories. "
            "Using --internal with these roots will generate no dependencies.")
    info("")
    info("Roots of the input files:")
    for root in inroots:
        info('  %s' % root)

    info("")
    info("Using the following import path to search for modules:")
    sys.path = inroots + sys.path
    for dn in sys.path:
        info("  %s" % dn)
    inroots = frozenset(inroots)

    # Find all the dependencies.
    info("")
    info("Processing files:")
    info("")
    allfiles = defaultdict(set)
    allerrors = []
    processed_files = set()

    fiter = iter_pyfiles(args, opts.ignores, False)
    while 1:
        newfiles = set()
        for fn in fiter:
            if fn in processed_files:
                continue  # Make sure we process each file only once.

            info("  %s" % fn)
            processed_files.add(fn)

            if is_python(fn):
                files, errors = find_dependencies(fn, opts.verbose,
                                                  opts.do_pragmas,
                                                  opts.ignore_unused)
                allerrors.extend(errors)
            else:
                # If the file is not a source file, we don't know how to get the
                # dependencies of that (without importing, which we want to
                # avoid).
                files = []

            # When packages are the source of dependencies, remove the __init__
            # file.  This is important because the targets also do not include the
            # __init__ (i.e. when "from <package> import <subpackage>" is seen).
            if basename(fn) == '__init__.py':
                fn = dirname(fn)

            # Make sure all the files at least appear in the output, even if it has
            # no dependency.
            from_ = relfile(fn, opts.ignores)
            if from_ is None:
                continue
            infrom = from_[0] in inroots
            if opts.internal and not infrom:
                continue
            if not opts.external:
                allfiles[from_].add((None, None))

            # Add the dependencies.
            for dfn in files:
                xfn = dfn
                if basename(xfn) == '__init__.py':
                    xfn = dirname(xfn)

                to_ = relfile(xfn, opts.ignores)
                into = to_[0] in inroots
                if (opts.internal and not into) or (opts.external and into):
                    continue
                allfiles[from_].add(to_)
                newfiles.add(dfn)

        if not (opts.follow and newfiles):
            break
        else:
            fiter = iter(sorted(newfiles))

    # If internal is used twice, we filter down further the dependencies to the
    # set of files that were processed only, not just to the files that live in
    # the same roots.
    if opts.internal >= 2:
        filtfiles = type(allfiles)()
        for from_, tolist in allfiles.items():
            filtfiles[from_] = set(x for x in tolist
                                   if x in allfiles or x == (None, None))
        allfiles = filtfiles

    info("")
    info("SUMMARY")
    info("=======")

    # Output a list of the symbols that could not be imported as modules.
    reports = [
        ("Modules that were ignored because not used:", ERROR_UNUSED,
         logging.info),
        ("Modules that could not be imported:", ERROR_IMPORT, logging.warning),
    ]
    if opts.verbose >= 2:
        reports.append(("Symbols that could not be imported as modules:",
                        ERROR_SYMBOL, logging.debug))

    for msg, errtype, efun in reports:
        names = set(name for (err, name) in allerrors if err is errtype)
        if names:
            efun("")
            efun(msg)
            for name in sorted(names):
                efun("  %s" % name)

    # Output the list of roots found.
    info("")
    info("Found roots:")

    found_roots = set()
    for key, files in allfiles.items():
        found_roots.add(key[0])
        found_roots.update(list(map(itemgetter(0), files)))
    if None in found_roots:
        found_roots.remove(None)
    for root in sorted(found_roots):
        info("  %s" % root)

    # Output the dependencies.
    info("")
    output_depends_inverted(allfiles, is_json=True)
    def fetch_dependencies(self):
        """
        Fetch all dependencies and follow the target file.
        This was inspired by the snakefood library
        snakefood-1.4-py2.7.egg/snakefood/gendeps.py
        """
        # No need to run this twice
        if self.dependency_list: return self.dependency_list
        
        log.info("Fetching internal dependecies: %s" % self.filename)
        
        depends = find_imports(self.filename, 1, 0)
        
        # Get the list of package roots for our input files and prepend them to the
        # module search path to insure localized imports.
        inroots = find_roots([self.filename], [])
        self.file_roots = inroots
        
        if not inroots:
            raise NoRoot
        
        for file in inroots:
            log.debug("Root found: %s" % file)
        sys.path = inroots + sys.path
            
        #log.debug("Using the following import path to search for modules:")
        #for dn in sys.path:
        #    log.debug(" --  %s" % dn)
        inroots = frozenset(inroots)

        # Find all the dependencies.
        log.debug("Processing file:")
        allfiles = defaultdict(set)
        allerrors = []
        processed_files = set()
        ignorefiles = []
        alldependencies = []

        fiter = iter_pyfiles([self.filename], ignorefiles, False)
        while 1:
            newfiles = set()

            for fn in fiter:
                log.debug("  post-filter: %s" % fn)
                processed_files.add(fn)
    
                if is_python(fn):
                    files, errors = find_dependencies(fn, 0, 0)
                    log.debug("dependency file count: %d" % len(files))
                    allerrors.extend(errors)
                else:
                    # If the file is not a source file, we don't know how to get the
                    # dependencies of that (without importing, which we want to
                    # avoid).
                    files = []
            
                # When packages are the source of dependencies, remove the __init__
                # file.  This is important because the targets also do not include the
                # __init__ (i.e. when "from <package> import <subpackage>" is seen).
                if basename(fn) == '__init__.py':
                    fn = dirname(fn)

                # no dependency.
                from_ = relfile(fn, ignorefiles)
                if from_ is None:
                    log.debug("from_ empty.  Move on")
                    continue
                infrom = from_[0] in inroots
                log.debug( "  from: %s" % from_[0])
                log.debug( "  file: %s" % from_[1])
                allfiles[from_].add((None, None))
    
                # Add the dependencies.
                for dfn in files:
                    xfn = dfn
                    if basename(xfn) == '__init__.py':
                        xfn = dirname(xfn)
        
                    to_ = relfile(xfn, ignorefiles)
                    into = to_[0] in inroots
                    log.debug( "  from: %s" % from_[1])
                    log.debug( "  to: %s" % to_[1])

                    if dfn in alldependencies:
                        log.debug("Already added %s to dependency list" % dfn)
                    else:
                        log.debug("Add %s to dependency list" % dfn)
                        allfiles[from_].add(to_)
                        newfiles.add(dfn)
                        alldependencies.append(dfn)

                    
            if not newfiles:
                log.debug("No more new files.  all done")
                break
            else:
                fiter = iter(sorted(newfiles))
                
        # Output the list of roots found.
        log.debug("Found roots:")

        found_roots = set()
        for key, files in allfiles.iteritems():
            found_roots.add(key[0])
            found_roots.update(map(itemgetter(0),files))
        if None in found_roots:
            found_roots.remove(None)
        for root in sorted(found_roots):
            log.debug("  %s" % root)

        
        self.dependency_list = allfiles
        return self.dependency_list;