* lib/Automake/Variable.pm (loc_and_value_as_list_recursive,
[platform/upstream/automake.git] / automake.in
1 #!@PERL@ -w
2 # -*- perl -*-
3 # @configure_input@
4
5 eval 'case $# in 0) exec @PERL@ -S "$0";; *) exec @PERL@ -S "$0" "$@";; esac'
6     if 0;
7
8 # automake - create Makefile.in from Makefile.am
9 # Copyright (C) 1994, 1995, 1996, 1997, 1998, 1999, 2000, 2001, 2002, 2003
10 # Free Software Foundation, Inc.
11
12 # This program is free software; you can redistribute it and/or modify
13 # it under the terms of the GNU General Public License as published by
14 # the Free Software Foundation; either version 2, or (at your option)
15 # any later version.
16
17 # This program is distributed in the hope that it will be useful,
18 # but WITHOUT ANY WARRANTY; without even the implied warranty of
19 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
20 # GNU General Public License for more details.
21
22 # You should have received a copy of the GNU General Public License
23 # along with this program; if not, write to the Free Software
24 # Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA
25 # 02111-1307, USA.
26
27 # Originally written by David Mackenzie <djm@gnu.ai.mit.edu>.
28 # Perl reimplementation by Tom Tromey <tromey@redhat.com>.
29
30 package Language;
31
32 BEGIN
33 {
34   my $perllibdir = $ENV{'perllibdir'} || '@datadir@/@PACKAGE@-@APIVERSION@';
35   unshift @INC, (split ':', $perllibdir);
36
37   # Override SHELL.  This is required on DJGPP so that system() uses
38   # bash, not COMMAND.COM which doesn't quote arguments properly.
39   # Other systems aren't expected to use $SHELL when Automake
40   # runs, but it should be safe to drop the `if DJGPP' guard if
41   # it turns up other systems need the same thing.  After all,
42   # if SHELL is used, ./configure's SHELL is always better than
43   # the user's SHELL (which may be something like tcsh).
44   $ENV{'SHELL'} = '@SHELL@' if exists $ENV{'DJGPP'};
45 }
46
47 use Automake::Struct;
48 struct (# Short name of the language (c, f77...).
49         'name' => "\$",
50         # Nice name of the language (C, Fortran 77...).
51         'Name' => "\$",
52
53         # List of configure variables which must be defined.
54         'config_vars' => '@',
55
56         'ansi'    => "\$",
57         # `pure' is `1' or `'.  A `pure' language is one where, if
58         # all the files in a directory are of that language, then we
59         # do not require the C compiler or any code to call it.
60         'pure'   => "\$",
61
62         'autodep' => "\$",
63
64         # Name of the compiling variable (COMPILE).
65         'compiler'  => "\$",
66         # Content of the compiling variable.
67         'compile'  => "\$",
68         # Flag to require compilation without linking (-c).
69         'compile_flag' => "\$",
70         'extensions' => '@',
71         # A subroutine to compute a list of possible extensions of
72         # the product given the input extensions.
73         # (defaults to a subroutine which returns ('.$(OBJEXT)', '.lo'))
74         'output_extensions' => "\$",
75         # A list of flag variables used in 'compile'.
76         # (defaults to [])
77         'flags' => "@",
78
79         # The file to use when generating rules for this language.
80         # The default is 'depend2'.
81         'rule_file' => "\$",
82
83         # Name of the linking variable (LINK).
84         'linker' => "\$",
85         # Content of the linking variable.
86         'link' => "\$",
87
88         # Name of the linker variable (LD).
89         'lder' => "\$",
90         # Content of the linker variable ($(CC)).
91         'ld' => "\$",
92
93         # Flag to specify the output file (-o).
94         'output_flag' => "\$",
95         '_finish' => "\$",
96
97         # This is a subroutine which is called whenever we finally
98         # determine the context in which a source file will be
99         # compiled.
100         '_target_hook' => "\$");
101
102
103 sub finish ($)
104 {
105   my ($self) = @_;
106   if (defined $self->_finish)
107     {
108       &{$self->_finish} ();
109     }
110 }
111
112 sub target_hook ($$$$)
113 {
114     my ($self) = @_;
115     if (defined $self->_target_hook)
116     {
117         &{$self->_target_hook} (@_);
118     }
119 }
120
121 package Automake;
122
123 use strict;
124 use Automake::Config;
125 use Automake::General;
126 use Automake::XFile;
127 use Automake::Channels;
128 use Automake::ChannelDefs;
129 use Automake::Configure_ac;
130 use Automake::FileUtils;
131 use Automake::Location;
132 use Automake::Condition qw/TRUE FALSE/;
133 use Automake::DisjConditions;
134 use Automake::Options;
135 use Automake::Version;
136 use Automake::Variable;
137 use Automake::VarDef;
138 use Automake::Rule;
139 use Automake::RuleDef;
140 use Automake::Wrap 'makefile_wrap';
141 use File::Basename;
142 use Carp;
143
144 ## ----------- ##
145 ## Constants.  ##
146 ## ----------- ##
147
148 # Some regular expressions.  One reason to put them here is that it
149 # makes indentation work better in Emacs.
150
151 # Writing singled-quoted-$-terminated regexes is a pain because
152 # perl-mode thinks of $' as the ${'} variable (instead of a $ followed
153 # by a closing quote.  Letting perl-mode think the quote is not closed
154 # leads to all sort of misindentations.  On the other hand, defining
155 # regexes as double-quoted strings is far less readable.  So usually
156 # we will write:
157 #
158 #  $REGEX = '^regex_value' . "\$";
159
160 my $IGNORE_PATTERN = '^\s*##([^#\n].*)?\n';
161 my $WHITE_PATTERN = '^\s*' . "\$";
162 my $COMMENT_PATTERN = '^#';
163 my $TARGET_PATTERN='[$a-zA-Z_.@%][-.a-zA-Z0-9_(){}/$+@%]*';
164 # A rule has three parts: a list of targets, a list of dependencies,
165 # and optionally actions.
166 my $RULE_PATTERN =
167   "^($TARGET_PATTERN(?:(?:\\\\\n|\\s)+$TARGET_PATTERN)*) *:([^=].*|)\$";
168
169 # Only recognize leading spaces, not leading tabs.  If we recognize
170 # leading tabs here then we need to make the reader smarter, because
171 # otherwise it will think rules like `foo=bar; \' are errors.
172 my $ASSIGNMENT_PATTERN = '^ *([^ \t=:+]*)\s*([:+]?)=\s*(.*)' . "\$";
173 # This pattern recognizes a Gnits version id and sets $1 if the
174 # release is an alpha release.  We also allow a suffix which can be
175 # used to extend the version number with a "fork" identifier.
176 my $GNITS_VERSION_PATTERN = '\d+\.\d+([a-z]|\.\d+)?(-[A-Za-z0-9]+)?';
177
178 my $IF_PATTERN = '^if\s+(!?)\s*([A-Za-z][A-Za-z0-9_]*)\s*(?:#.*)?' . "\$";
179 my $ELSE_PATTERN =
180   '^else(?:\s+(!?)\s*([A-Za-z][A-Za-z0-9_]*))?\s*(?:#.*)?' . "\$";
181 my $ENDIF_PATTERN =
182   '^endif(?:\s+(!?)\s*([A-Za-z][A-Za-z0-9_]*))?\s*(?:#.*)?' . "\$";
183 my $PATH_PATTERN = '(\w|[/.-])+';
184 # This will pass through anything not of the prescribed form.
185 my $INCLUDE_PATTERN = ('^include\s+'
186                        . '((\$\(top_srcdir\)/' . $PATH_PATTERN . ')'
187                        . '|(\$\(srcdir\)/' . $PATH_PATTERN . ')'
188                        . '|([^/\$]' . $PATH_PATTERN . '))\s*(#.*)?' . "\$");
189
190 # Match `-d' as a command-line argument in a string.
191 my $DASH_D_PATTERN = "(^|\\s)-d(\\s|\$)";
192 # Directories installed during 'install-exec' phase.
193 my $EXEC_DIR_PATTERN =
194   '^(?:bin|sbin|libexec|sysconf|localstate|lib|pkglib|.*exec.*)' . "\$";
195
196 # Values for AC_CANONICAL_*
197 use constant AC_CANONICAL_HOST   => 1;
198 use constant AC_CANONICAL_SYSTEM => 2;
199
200 # Values indicating when something should be cleaned.
201 use constant MOSTLY_CLEAN     => 0;
202 use constant CLEAN            => 1;
203 use constant DIST_CLEAN       => 2;
204 use constant MAINTAINER_CLEAN => 3;
205
206 # Libtool files.
207 my @libtool_files = qw(ltmain.sh config.guess config.sub);
208 # ltconfig appears here for compatibility with old versions of libtool.
209 my @libtool_sometimes = qw(ltconfig ltcf-c.sh ltcf-cxx.sh ltcf-gcj.sh);
210
211 # Commonly found files we look for and automatically include in
212 # DISTFILES.
213 my @common_files =
214     (qw(ABOUT-GNU ABOUT-NLS AUTHORS BACKLOG COPYING COPYING.DOC COPYING.LIB
215         COPYING.LESSER ChangeLog INSTALL NEWS README THANKS TODO
216         ansi2knr.1 ansi2knr.c compile config.guess config.rpath config.sub
217         configure configure.ac configure.in depcomp elisp-comp
218         install-sh libversion.in mdate-sh missing mkinstalldirs
219         py-compile texinfo.tex ylwrap),
220      @libtool_files, @libtool_sometimes);
221
222 # Commonly used files we auto-include, but only sometimes.
223 my @common_sometimes =
224     qw(aclocal.m4 acconfig.h config.h.top config.h.bot stamp-vti);
225
226 # Standard directories from the GNU Coding Standards, and additional
227 # pkg* directories from Automake.  Stored in a hash for fast member check.
228 my %standard_prefix =
229     map { $_ => 1 } (qw(bin data exec include info lib libexec lisp
230                         localstate man man1 man2 man3 man4 man5 man6
231                         man7 man8 man9 oldinclude pkgdatadir
232                         pkgincludedir pkglibdir sbin sharedstate
233                         sysconf));
234
235 # Copyright on generated Makefile.ins.
236 my $gen_copyright = "\
237 # Copyright (C) 1994, 1995, 1996, 1997, 1998, 1999, 2000, 2001, 2002, 2003
238 # Free Software Foundation, Inc.
239 # This Makefile.in is free software; the Free Software Foundation
240 # gives unlimited permission to copy and/or distribute it,
241 # with or without modifications, as long as this notice is preserved.
242
243 # This program is distributed in the hope that it will be useful,
244 # but WITHOUT ANY WARRANTY, to the extent permitted by law; without
245 # even the implied warranty of MERCHANTABILITY or FITNESS FOR A
246 # PARTICULAR PURPOSE.
247 ";
248
249 # These constants are returned by lang_*_rewrite functions.
250 # LANG_SUBDIR means that the resulting object file should be in a
251 # subdir if the source file is.  In this case the file name cannot
252 # have `..' components.
253 use constant LANG_IGNORE  => 0;
254 use constant LANG_PROCESS => 1;
255 use constant LANG_SUBDIR  => 2;
256
257 # These are used when keeping track of whether an object can be built
258 # by two different paths.
259 use constant COMPILE_LIBTOOL  => 1;
260 use constant COMPILE_ORDINARY => 2;
261
262 # We can't always associate a location to a variable or a rule,
263 # when its defined by Automake.  We use INTERNAL in this case.
264 use constant INTERNAL => new Automake::Location;
265 \f
266
267 ## ---------------------------------- ##
268 ## Variables related to the options.  ##
269 ## ---------------------------------- ##
270
271 # TRUE if we should always generate Makefile.in.
272 my $force_generation = 1;
273
274 # From the Perl manual.
275 my $symlink_exists = (eval 'symlink ("", "");', $@ eq '');
276
277 # TRUE if missing standard files should be installed.
278 my $add_missing = 0;
279
280 # TRUE if we should copy missing files; otherwise symlink if possible.
281 my $copy_missing = 0;
282
283 # TRUE if we should always update files that we know about.
284 my $force_missing = 0;
285
286
287 ## ---------------------------------------- ##
288 ## Variables filled during files scanning.  ##
289 ## ---------------------------------------- ##
290
291 # Name of the configure.ac file.
292 my $configure_ac;
293
294 # Files found by scanning configure.ac for LIBOBJS.
295 my %libsources = ();
296
297 # Names used in AC_CONFIG_HEADER call.
298 my @config_headers = ();
299 # Where AC_CONFIG_HEADER appears.
300 my $config_header_location;
301
302 # Names used in AC_CONFIG_LINKS call.
303 my @config_links = ();
304
305 # Directory where output files go.  Actually, output files are
306 # relative to this directory.
307 my $output_directory;
308
309 # List of Makefile.am's to process, and their corresponding outputs.
310 my @input_files = ();
311 my %output_files = ();
312
313 # Complete list of Makefile.am's that exist.
314 my @configure_input_files = ();
315
316 # List of files in AC_CONFIG_FILES/AC_OUTPUT without Makefile.am's,
317 # and their outputs.
318 my @other_input_files = ();
319 # Where the last AC_CONFIG_FILES/AC_OUTPUT appears.
320 my %ac_config_files_location = ();
321
322 # List of directories to search for configure-required files.  This
323 # can be set by AC_CONFIG_AUX_DIR.
324 my @config_aux_path = qw(. .. ../..);
325 my $config_aux_dir = '';
326 my $config_aux_dir_set_in_configure_in = 0;
327
328 # Whether AM_GNU_GETTEXT has been seen in configure.ac.
329 my $seen_gettext = 0;
330 # Whether AM_GNU_GETTEXT([external]) is used.
331 my $seen_gettext_external = 0;
332 # Where AM_GNU_GETTEXT appears.
333 my $ac_gettext_location;
334
335 # TRUE if we've seen AC_CANONICAL_(HOST|SYSTEM).
336 my $seen_canonical = 0;
337 my $canonical_location;
338
339 # Where AM_MAINTAINER_MODE appears.
340 my $seen_maint_mode;
341
342 # Actual version we've seen.
343 my $package_version = '';
344
345 # Where version is defined.
346 my $package_version_location;
347
348 # TRUE if we've seen AC_ENABLE_MULTILIB.
349 my $seen_multilib = 0;
350
351 # TRUE if we've seen AM_PROG_CC_C_O
352 my $seen_cc_c_o = 0;
353
354 # Where AM_INIT_AUTOMAKE is called;
355 my $seen_init_automake = 0;
356
357 # TRUE if we've seen AM_AUTOMAKE_VERSION.
358 my $seen_automake_version = 0;
359
360 # Hash table of discovered configure substitutions.  Keys are names,
361 # values are `FILE:LINE' strings which are used by error message
362 # generation.
363 my %configure_vars = ();
364
365 # Files included by $configure_ac.
366 my @configure_deps = ();
367
368 # Greatest timestamp of configure's dependencies.
369 my $configure_deps_greatest_timestamp = 0;
370
371 # Hash table of AM_CONDITIONAL variables seen in configure.
372 my %configure_cond = ();
373
374 # This maps extensions onto language names.
375 my %extension_map = ();
376
377 # List of the DIST_COMMON files we discovered while reading
378 # configure.in
379 my $configure_dist_common = '';
380
381 # This maps languages names onto objects.
382 my %languages = ();
383
384 # List of targets we must always output.
385 # FIXME: Complete, and remove falsely required targets.
386 my %required_targets =
387   (
388    'all'          => 1,
389    'dvi'          => 1,
390    'pdf'          => 1,
391    'ps'           => 1,
392    'info'         => 1,
393    'install-info' => 1,
394    'install'      => 1,
395    'install-data' => 1,
396    'install-exec' => 1,
397    'uninstall'    => 1,
398
399    # FIXME: Not required, temporary hacks.
400    # Well, actually they are sort of required: the -recursive
401    # targets will run them anyway...
402    'dvi-am'          => 1,
403    'pdf-am'          => 1,
404    'ps-am'           => 1,
405    'info-am'         => 1,
406    'install-data-am' => 1,
407    'install-exec-am' => 1,
408    'installcheck-am' => 1,
409    'uninstall-am' => 1,
410
411    'install-man' => 1,
412   );
413
414 # This is set to 1 when Automake needs to be run again.
415 # (For instance, this happens when an auxiliary file such as
416 # depcomp is added after the toplevel Makefile.in -- which
417 # should distribute depcomp -- has been generated.)
418 my $automake_needs_to_reprocess_all_files = 0;
419
420 # If a file name appears as a key in this hash, then it has already
421 # been checked for.  This variable is local to the "require file"
422 # functions.
423 my %require_file_found = ();
424
425 # The name of the Makefile currently being processed.
426 my $am_file = 'BUG';
427 \f
428
429 ################################################################
430
431 ## ------------------------------------------ ##
432 ## Variables reset by &initialize_per_input.  ##
433 ## ------------------------------------------ ##
434
435 # Basename and relative dir of the input file.
436 my $am_file_name;
437 my $am_relative_dir;
438
439 # Same but wrt Makefile.in.
440 my $in_file_name;
441 my $relative_dir;
442
443 # Greatest timestamp of the output's dependencies (excluding
444 # configure's dependencies).
445 my $output_deps_greatest_timestamp;
446
447 # These two variables are used when generating each Makefile.in.
448 # They hold the Makefile.in until it is ready to be printed.
449 my $output_rules;
450 my $output_vars;
451 my $output_trailer;
452 my $output_all;
453 my $output_header;
454
455 # This is the conditional stack, updated on if/else/endif, and
456 # used to build Condition objects.
457 my @cond_stack;
458
459 # This holds the set of included files.
460 my @include_stack;
461
462 # This holds a list of directories which we must create at `dist'
463 # time.  This is used in some strange scenarios involving weird
464 # AC_OUTPUT commands.
465 my %dist_dirs;
466
467 # List of dependencies for the obvious targets.
468 my @all;
469 my @check;
470 my @check_tests;
471
472 # Keys in this hash table are files to delete.  The associated
473 # value tells when this should happen (MOSTLY_CLEAN, DIST_CLEAN, etc.)
474 my %clean_files;
475
476 # Keys in this hash table are object files or other files in
477 # subdirectories which need to be removed.  This only holds files
478 # which are created by compilations.  The value in the hash indicates
479 # when the file should be removed.
480 my %compile_clean_files;
481
482 # Keys in this hash table are directories where we expect to build a
483 # libtool object.  We use this information to decide what directories
484 # to delete.
485 my %libtool_clean_directories;
486
487 # Value of `$(SOURCES)', used by tags.am.
488 my @sources;
489 # Sources which go in the distribution.
490 my @dist_sources;
491
492 # This hash maps object file names onto their corresponding source
493 # file names.  This is used to ensure that each object is created
494 # by a single source file.
495 my %object_map;
496
497 # This hash maps object file names onto an integer value representing
498 # whether this object has been built via ordinary compilation or
499 # libtool compilation (the COMPILE_* constants).
500 my %object_compilation_map;
501
502
503 # This keeps track of the directories for which we've already
504 # created dirstamp code.
505 my %directory_map;
506
507 # All .P files.
508 my %dep_files;
509
510 # This is a list of all targets to run during "make dist".
511 my @dist_targets;
512
513 # Keys in this hash are the basenames of files which must depend on
514 # ansi2knr.  Values are either the empty string, or the directory in
515 # which the ANSI source file appears; the directory must have a
516 # trailing `/'.
517 my %de_ansi_files;
518
519 # This is the name of the redirect `all' target to use.
520 my $all_target;
521
522 # This keeps track of which extensions we've seen (that we care
523 # about).
524 my %extension_seen;
525
526 # This is random scratch space for the language finish functions.
527 # Don't randomly overwrite it; examine other uses of keys first.
528 my %language_scratch;
529
530 # We keep track of which objects need special (per-executable)
531 # handling on a per-language basis.
532 my %lang_specific_files;
533
534 # This is set when `handle_dist' has finished.  Once this happens,
535 # we should no longer push on dist_common.
536 my $handle_dist_run;
537
538 # Used to store a set of linkers needed to generate the sources currently
539 # under consideration.
540 my %linkers_used;
541
542 # True if we need `LINK' defined.  This is a hack.
543 my $need_link;
544
545 # Was get_object_extension run?
546 # FIXME: This is a hack. a better switch should be found.
547 my $get_object_extension_was_run;
548
549 ################################################################
550
551 # var_SUFFIXES_trigger ($TYPE, $VALUE)
552 # ------------------------------------
553 # This is called by Automake::Variable::define() when SUFFIXES
554 # is defined ($TYPE eq '') or appended ($TYPE eq '+').
555 # The work here needs to be performed as a side-effect of the
556 # macro_define() call because SUFFIXES definitions impact
557 # on $KNOWN_EXTENSIONS_PATTERN which is used used when parsing
558 # the input am file.
559 sub var_SUFFIXES_trigger ($$)
560 {
561     my ($type, $value) = @_;
562     accept_extensions (split (' ', $value));
563 }
564 Automake::Variable::hook ('SUFFIXES', &var_SUFFIXES_trigger);
565
566 ################################################################
567
568 ## --------------------------------- ##
569 ## Forward subroutine declarations.  ##
570 ## --------------------------------- ##
571 sub register_language (%);
572 sub file_contents_internal ($$$%);
573 sub define_files_variable ($\@$$);
574
575
576 # &initialize_per_input ()
577 # ------------------------
578 # (Re)-Initialize per-Makefile.am variables.
579 sub initialize_per_input ()
580 {
581     reset_local_duplicates ();
582
583     $am_file_name = '';
584     $am_relative_dir = '';
585
586     $in_file_name = '';
587     $relative_dir = '';
588
589     $output_deps_greatest_timestamp = 0;
590
591     $output_rules = '';
592     $output_vars = '';
593     $output_trailer = '';
594     $output_all = '';
595     $output_header = '';
596
597     Automake::Options::reset;
598     Automake::Variable::reset;
599     Automake::Rule::reset;
600
601     @cond_stack = ();
602
603     @include_stack = ();
604
605     %dist_dirs = ();
606
607     @all = ();
608     @check = ();
609     @check_tests = ();
610
611     %clean_files = ();
612
613     @sources = ();
614     @dist_sources = ();
615
616     %object_map = ();
617     %object_compilation_map = ();
618
619     %directory_map = ();
620
621     %dep_files = ();
622
623     @dist_targets = ();
624
625     %de_ansi_files = ();
626
627     $all_target = '';
628
629     %extension_seen = ();
630
631     %language_scratch = ();
632
633     %lang_specific_files = ();
634
635     $handle_dist_run = 0;
636
637     $need_link = 0;
638
639     $get_object_extension_was_run = 0;
640
641     %compile_clean_files = ();
642
643     # We always include `.'.  This isn't strictly correct.
644     %libtool_clean_directories = ('.' => 1);
645 }
646
647
648 ################################################################
649
650 # Initialize our list of languages that are internally supported.
651
652 # C.
653 register_language ('name' => 'c',
654                    'Name' => 'C',
655                    'config_vars' => ['CC'],
656                    'ansi' => 1,
657                    'autodep' => '',
658                    'flags' => ['CFLAGS', 'CPPFLAGS'],
659                    'compiler' => 'COMPILE',
660                    'compile' => '$(CC) $(DEFS) $(DEFAULT_INCLUDES) $(INCLUDES) $(AM_CPPFLAGS) $(CPPFLAGS) $(AM_CFLAGS) $(CFLAGS)',
661                    'lder' => 'CCLD',
662                    'ld' => '$(CC)',
663                    'linker' => 'LINK',
664                    'link' => '$(CCLD) $(AM_CFLAGS) $(CFLAGS) $(AM_LDFLAGS) $(LDFLAGS) -o $@',
665                    'compile_flag' => '-c',
666                    'extensions' => ['.c'],
667                    '_finish' => \&lang_c_finish);
668
669 # C++.
670 register_language ('name' => 'cxx',
671                    'Name' => 'C++',
672                    'config_vars' => ['CXX'],
673                    'linker' => 'CXXLINK',
674                    'link' => '$(CXXLD) $(AM_CXXFLAGS) $(CXXFLAGS) $(AM_LDFLAGS) $(LDFLAGS) -o $@',
675                    'autodep' => 'CXX',
676                    'flags' => ['CXXFLAGS', 'CPPFLAGS'],
677                    'compile' => '$(CXX) $(DEFS) $(DEFAULT_INCLUDES) $(INCLUDES) $(AM_CPPFLAGS) $(CPPFLAGS) $(AM_CXXFLAGS) $(CXXFLAGS)',
678                    'compiler' => 'CXXCOMPILE',
679                    'compile_flag' => '-c',
680                    'output_flag' => '-o',
681                    'lder' => 'CXXLD',
682                    'ld' => '$(CXX)',
683                    'pure' => 1,
684                    'extensions' => ['.c++', '.cc', '.cpp', '.cxx', '.C']);
685
686 # Objective C.
687 register_language ('name' => 'objc',
688                    'Name' => 'Objective C',
689                    'config_vars' => ['OBJC'],
690                    'linker' => 'OBJCLINK',,
691                    'link' => '$(OBJCLD) $(AM_OBJCFLAGS) $(OBJCFLAGS) $(AM_LDFLAGS) $(LDFLAGS) -o $@',
692                    'autodep' => 'OBJC',
693                    'flags' => ['OBJCFLAGS', 'CPPFLAGS'],
694                    'compile' => '$(OBJC) $(DEFS) $(DEFAULT_INCLUDES) $(INCLUDES) $(AM_CPPFLAGS) $(CPPFLAGS) $(AM_OBJCFLAGS) $(OBJCFLAGS)',
695                    'compiler' => 'OBJCCOMPILE',
696                    'compile_flag' => '-c',
697                    'output_flag' => '-o',
698                    'lder' => 'OBJCLD',
699                    'ld' => '$(OBJC)',
700                    'pure' => 1,
701                    'extensions' => ['.m']);
702
703 # Headers.
704 register_language ('name' => 'header',
705                    'Name' => 'Header',
706                    'extensions' => ['.h', '.H', '.hxx', '.h++', '.hh',
707                                     '.hpp', '.inc'],
708                    # No output.
709                    'output_extensions' => sub { return () },
710                    # Nothing to do.
711                    '_finish' => sub { });
712
713 # Yacc (C & C++).
714 register_language ('name' => 'yacc',
715                    'Name' => 'Yacc',
716                    'config_vars' => ['YACC'],
717                    'flags' => ['YFLAGS'],
718                    'compile' => '$(YACC) $(YFLAGS) $(AM_YFLAGS)',
719                    'compiler' => 'YACCCOMPILE',
720                    'extensions' => ['.y'],
721                    'output_extensions' => sub { (my $ext = $_[0]) =~ tr/y/c/;
722                                                 return ($ext,) },
723                    'rule_file' => 'yacc',
724                    '_finish' => \&lang_yacc_finish,
725                    '_target_hook' => \&lang_yacc_target_hook);
726 register_language ('name' => 'yaccxx',
727                    'Name' => 'Yacc (C++)',
728                    'config_vars' => ['YACC'],
729                    'rule_file' => 'yacc',
730                    'flags' => ['YFLAGS'],
731                    'compiler' => 'YACCCOMPILE',
732                    'compile' => '$(YACC) $(YFLAGS) $(AM_YFLAGS)',
733                    'extensions' => ['.y++', '.yy', '.yxx', '.ypp'],
734                    'output_extensions' => sub { (my $ext = $_[0]) =~ tr/y/c/;
735                                                 return ($ext,) },
736                    '_finish' => \&lang_yacc_finish,
737                    '_target_hook' => \&lang_yacc_target_hook);
738
739 # Lex (C & C++).
740 register_language ('name' => 'lex',
741                    'Name' => 'Lex',
742                    'config_vars' => ['LEX'],
743                    'rule_file' => 'lex',
744                    'flags' => ['LFLAGS'],
745                    'compile' => '$(LEX) $(LFLAGS) $(AM_LFLAGS)',
746                    'compiler' => 'LEXCOMPILE',
747                    'extensions' => ['.l'],
748                    'output_extensions' => sub { (my $ext = $_[0]) =~ tr/l/c/;
749                                                 return ($ext,) },
750                    '_finish' => \&lang_lex_finish,
751                    '_target_hook' => \&lang_lex_target_hook);
752 register_language ('name' => 'lexxx',
753                    'Name' => 'Lex (C++)',
754                    'config_vars' => ['LEX'],
755                    'rule_file' => 'lex',
756                    'flags' => ['LFLAGS'],
757                    'compile' => '$(LEX) $(LFLAGS) $(AM_LFLAGS)',
758                    'compiler' => 'LEXCOMPILE',
759                    'extensions' => ['.l++', '.ll', '.lxx', '.lpp'],
760                    'output_extensions' => sub { (my $ext = $_[0]) =~ tr/l/c/;
761                                                 return ($ext,) },
762                    '_finish' => \&lang_lex_finish,
763                    '_target_hook' => \&lang_lex_target_hook);
764
765 # Assembler.
766 register_language ('name' => 'asm',
767                    'Name' => 'Assembler',
768                    'config_vars' => ['CCAS', 'CCASFLAGS'],
769
770                    'flags' => ['CCASFLAGS'],
771                    # Users can set AM_ASFLAGS to includes DEFS, INCLUDES,
772                    # or anything else required.  They can also set AS.
773                    'compile' => '$(CCAS) $(AM_CCASFLAGS) $(CCASFLAGS)',
774                    'compiler' => 'CCASCOMPILE',
775                    'compile_flag' => '-c',
776                    'extensions' => ['.s', '.S'],
777
778                    # With assembly we still use the C linker.
779                    '_finish' => \&lang_c_finish);
780
781 # Fortran 77
782 register_language ('name' => 'f77',
783                    'Name' => 'Fortran 77',
784                    'linker' => 'F77LINK',
785                    'link' => '$(F77LD) $(AM_FFLAGS) $(FFLAGS) $(AM_LDFLAGS) $(LDFLAGS) -o $@',
786                    'flags' => ['FFLAGS'],
787                    'compile' => '$(F77) $(AM_FFLAGS) $(FFLAGS)',
788                    'compiler' => 'F77COMPILE',
789                    'compile_flag' => '-c',
790                    'output_flag' => '-o',
791                    'lder' => 'F77LD',
792                    'ld' => '$(F77)',
793                    'pure' => 1,
794                    'extensions' => ['.f', '.for', '.f90']);
795
796 # Preprocessed Fortran 77
797 #
798 # The current support for preprocessing Fortran 77 just involves
799 # passing `$(DEFS) $(DEFAULT_INCLUDES) $(INCLUDES) $(AM_CPPFLAGS)
800 # $(CPPFLAGS)' as additional flags to the Fortran 77 compiler, since
801 # this is how GNU Make does it; see the `GNU Make Manual, Edition 0.51
802 # for `make' Version 3.76 Beta' (specifically, from info file
803 # `(make)Catalogue of Rules').
804 #
805 # A better approach would be to write an Autoconf test
806 # (i.e. AC_PROG_FPP) for a Fortran 77 preprocessor, because not all
807 # Fortran 77 compilers know how to do preprocessing.  The Autoconf
808 # macro AC_PROG_FPP should test the Fortran 77 compiler first for
809 # preprocessing capabilities, and then fall back on cpp (if cpp were
810 # available).
811 register_language ('name' => 'ppf77',
812                    'Name' => 'Preprocessed Fortran 77',
813                    'config_vars' => ['F77'],
814                    'linker' => 'F77LINK',
815                    'link' => '$(F77LD) $(AM_FFLAGS) $(FFLAGS) $(AM_LDFLAGS) $(LDFLAGS) -o $@',
816                    'lder' => 'F77LD',
817                    'ld' => '$(F77)',
818                    'flags' => ['FFLAGS', 'CPPFLAGS'],
819                    'compiler' => 'PPF77COMPILE',
820                    'compile' => '$(F77) $(DEFS) $(DEFAULT_INCLUDES) $(INCLUDES) $(AM_CPPFLAGS) $(CPPFLAGS) $(AM_FFLAGS) $(FFLAGS)',
821                    'compile_flag' => '-c',
822                    'output_flag' => '-o',
823                    'pure' => 1,
824                    'extensions' => ['.F']);
825
826 # Ratfor.
827 register_language ('name' => 'ratfor',
828                    'Name' => 'Ratfor',
829                    'config_vars' => ['F77'],
830                    'linker' => 'F77LINK',
831                    'link' => '$(F77LD) $(AM_FFLAGS) $(FFLAGS) $(AM_LDFLAGS) $(LDFLAGS) -o $@',
832                    'lder' => 'F77LD',
833                    'ld' => '$(F77)',
834                    'flags' => ['RFLAGS', 'FFLAGS'],
835                    # FIXME also FFLAGS.
836                    'compile' => '$(F77) $(AM_FFLAGS) $(FFLAGS) $(AM_RFLAGS) $(RFLAGS)',
837                    'compiler' => 'RCOMPILE',
838                    'compile_flag' => '-c',
839                    'output_flag' => '-o',
840                    'pure' => 1,
841                    'extensions' => ['.r']);
842
843 # Java via gcj.
844 register_language ('name' => 'java',
845                    'Name' => 'Java',
846                    'config_vars' => ['GCJ'],
847                    'linker' => 'GCJLINK',
848                    'link' => '$(GCJLD) $(AM_GCJFLAGS) $(GCJFLAGS) $(AM_LDFLAGS) $(LDFLAGS) -o $@',
849                    'autodep' => 'GCJ',
850                    'flags' => ['GCJFLAGS'],
851                    'compile' => '$(GCJ) $(AM_GCJFLAGS) $(GCJFLAGS)',
852                    'compiler' => 'GCJCOMPILE',
853                    'compile_flag' => '-c',
854                    'output_flag' => '-o',
855                    'lder' => 'GCJLD',
856                    'ld' => '$(GCJ)',
857                    'pure' => 1,
858                    'extensions' => ['.java', '.class', '.zip', '.jar']);
859
860 ################################################################
861
862 # Error reporting functions.
863
864 # err_am ($MESSAGE, [%OPTIONS])
865 # -----------------------------
866 # Uncategorized errors about the current Makefile.am.
867 sub err_am ($;%)
868 {
869   msg_am ('error', @_);
870 }
871
872 # err_ac ($MESSAGE, [%OPTIONS])
873 # -----------------------------
874 # Uncategorized errors about configure.ac.
875 sub err_ac ($;%)
876 {
877   msg_ac ('error', @_);
878 }
879
880 # msg_am ($CHANNEL, $MESSAGE, [%OPTIONS])
881 # ---------------------------------------
882 # Messages about about the current Makefile.am.
883 sub msg_am ($$;%)
884 {
885   my ($channel, $msg, %opts) = @_;
886   msg $channel, "${am_file}.am", $msg, %opts;
887 }
888
889 # msg_ac ($CHANNEL, $MESSAGE, [%OPTIONS])
890 # ---------------------------------------
891 # Messages about about configure.ac.
892 sub msg_ac ($$;%)
893 {
894   my ($channel, $msg, %opts) = @_;
895   msg $channel, $configure_ac, $msg, %opts;
896 }
897
898 ################################################################
899
900 # subst ($TEXT)
901 # -------------
902 # Return a configure-style substitution using the indicated text.
903 # We do this to avoid having the substitutions directly in automake.in;
904 # when we do that they are sometimes removed and this causes confusion
905 # and bugs.
906 sub subst ($)
907 {
908     my ($text) = @_;
909     return '@' . $text . '@';
910 }
911
912 ################################################################
913
914
915 # $BACKPATH
916 # &backname ($REL-DIR)
917 # --------------------
918 # If I `cd $REL-DIR', then to come back, I should `cd $BACKPATH'.
919 # For instance `src/foo' => `../..'.
920 # Works with non strictly increasing paths, i.e., `src/../lib' => `..'.
921 sub backname ($)
922 {
923     my ($file) = @_;
924     my @res;
925     foreach (split (/\//, $file))
926     {
927         next if $_ eq '.' || $_ eq '';
928         if ($_ eq '..')
929         {
930             pop @res;
931         }
932         else
933         {
934             push (@res, '..');
935         }
936     }
937     return join ('/', @res) || '.';
938 }
939
940 ################################################################
941
942
943 # Handle AUTOMAKE_OPTIONS variable.  Return 1 on error, 0 otherwise.
944 sub handle_options
945 {
946   my $var = var ('AUTOMAKE_OPTIONS');
947   if ($var)
948     {
949       # FIXME: We should disallow conditional definitions of AUTOMAKE_OPTIONS.
950       if (process_option_list ($var->rdef (TRUE)->location,
951                                $var->value_as_list_recursive (cond_filter =>
952                                                               TRUE)))
953         {
954           return 1;
955         }
956     }
957
958   if ($strictness == GNITS)
959     {
960       set_option ('readme-alpha', INTERNAL);
961       set_option ('std-options', INTERNAL);
962       set_option ('check-news', INTERNAL);
963     }
964
965   return 0;
966 }
967
968
969 # get_object_extension ($OUT)
970 # ---------------------------
971 # Return object extension.  Just once, put some code into the output.
972 # OUT is the name of the output file
973 sub get_object_extension
974 {
975     my ($out) = @_;
976
977     # Maybe require libtool library object files.
978     my $extension = '.$(OBJEXT)';
979     $extension = '.lo' if ($out =~ /\.la$/);
980
981     # Check for automatic de-ANSI-fication.
982     $extension = '$U' . $extension
983       if option 'ansi2knr';
984
985     $get_object_extension_was_run = 1;
986
987     return $extension;
988 }
989
990
991 # Call finish function for each language that was used.
992 sub handle_languages
993 {
994     if (! option 'no-dependencies')
995     {
996         # Include auto-dep code.  Don't include it if DEP_FILES would
997         # be empty.
998         if (&saw_sources_p (0) && keys %dep_files)
999         {
1000             # Set location of depcomp.
1001             &define_variable ('depcomp', "\$(SHELL) $config_aux_dir/depcomp",
1002                               INTERNAL);
1003             &define_variable ('am__depfiles_maybe', 'depfiles', INTERNAL);
1004
1005             require_conf_file ("$am_file.am", FOREIGN, 'depcomp');
1006
1007             my @deplist = sort keys %dep_files;
1008
1009             # We define this as a conditional variable because BSD
1010             # make can't handle backslashes for continuing comments on
1011             # the following line.
1012             define_pretty_variable ('DEP_FILES',
1013                                     new Automake::Condition ('AMDEP_TRUE'),
1014                                     INTERNAL, @deplist);
1015
1016             # Generate each `include' individually.  Irix 6 make will
1017             # not properly include several files resulting from a
1018             # variable expansion; generating many separate includes
1019             # seems safest.
1020             $output_rules .= "\n";
1021             foreach my $iter (@deplist)
1022             {
1023                 $output_rules .= (subst ('AMDEP_TRUE')
1024                                   . subst ('am__include')
1025                                   . ' '
1026                                   . subst ('am__quote')
1027                                   . $iter
1028                                   . subst ('am__quote')
1029                                   . "\n");
1030             }
1031
1032             # Compute the set of directories to remove in distclean-depend.
1033             my @depdirs = uniq (map { dirname ($_) } @deplist);
1034             $output_rules .= &file_contents ('depend',
1035                                              new Automake::Location,
1036                                              DEPDIRS => "@depdirs");
1037         }
1038     }
1039     else
1040     {
1041         &define_variable ('depcomp', '', INTERNAL);
1042         &define_variable ('am__depfiles_maybe', '', INTERNAL);
1043     }
1044
1045     my %done;
1046
1047     # Is the c linker needed?
1048     my $needs_c = 0;
1049     foreach my $ext (sort keys %extension_seen)
1050     {
1051         next unless $extension_map{$ext};
1052
1053         my $lang = $languages{$extension_map{$ext}};
1054
1055         my $rule_file = $lang->rule_file || 'depend2';
1056
1057         # Get information on $LANG.
1058         my $pfx = $lang->autodep;
1059         my $fpfx = ($pfx eq '') ? 'CC' : $pfx;
1060
1061         my ($AMDEP, $FASTDEP) =
1062           (option 'no-dependencies' || $lang->autodep eq 'no')
1063           ? ('FALSE', 'FALSE') : ('AMDEP', "am__fastdep$fpfx");
1064
1065         my %transform = ('EXT'     => $ext,
1066                          'PFX'     => $pfx,
1067                          'FPFX'    => $fpfx,
1068                          'AMDEP'   => $AMDEP,
1069                          'FASTDEP' => $FASTDEP,
1070                          '-c'      => $lang->compile_flag || '',
1071                          'MORE-THAN-ONE'
1072                                    => (count_files_for_language ($lang->name) > 1));
1073
1074         # Generate the appropriate rules for this extension.
1075         if (((! option 'no-dependencies') && $lang->autodep ne 'no')
1076             || defined $lang->compile)
1077         {
1078             # Some C compilers don't support -c -o.  Use it only if really
1079             # needed.
1080             my $output_flag = $lang->output_flag || '';
1081             $output_flag = '-o'
1082               if (! $output_flag
1083                   && $lang->name eq 'c'
1084                   && option 'subdir-objects');
1085
1086             # Compute a possible derived extension.
1087             # This is not used by depend2.am.
1088             my $der_ext = (&{$lang->output_extensions} ($ext))[0];
1089
1090             $output_rules .=
1091               file_contents ($rule_file,
1092                              new Automake::Location,
1093                              %transform,
1094                              GENERIC   => 1,
1095
1096                              'DERIVED-EXT' => $der_ext,
1097
1098                              # In this situation we know that the
1099                              # object is in this directory, so
1100                              # $(DEPDIR) is the correct location for
1101                              # dependencies.
1102                              DEPBASE   => '$(DEPDIR)/$*',
1103                              BASE      => '$*',
1104                              SOURCE    => '$<',
1105                              OBJ       => '$@',
1106                              OBJOBJ    => '$@',
1107                              LTOBJ     => '$@',
1108
1109                              COMPILE   => '$(' . $lang->compiler . ')',
1110                              LTCOMPILE => '$(LT' . $lang->compiler . ')',
1111                              -o        => $output_flag);
1112         }
1113
1114         # Now include code for each specially handled object with this
1115         # language.
1116         my %seen_files = ();
1117         foreach my $file (@{$lang_specific_files{$lang->name}})
1118         {
1119             my ($derived, $source, $obj, $myext) = split (' ', $file);
1120
1121             # We might see a given object twice, for instance if it is
1122             # used under different conditions.
1123             next if defined $seen_files{$obj};
1124             $seen_files{$obj} = 1;
1125
1126             prog_error ("found " . $lang->name .
1127                         " in handle_languages, but compiler not defined")
1128               unless defined $lang->compile;
1129
1130             my $obj_compile = $lang->compile;
1131
1132             # Rewrite each occurrence of `AM_$flag' in the compile
1133             # rule into `${derived}_$flag' if it exists.
1134             for my $flag (@{$lang->flags})
1135               {
1136                 my $val = "${derived}_$flag";
1137                 $obj_compile =~ s/\(AM_$flag\)/\($val\)/
1138                   if set_seen ($val);
1139               }
1140
1141             my $obj_ltcompile = '$(LIBTOOL) --mode=compile ' . $obj_compile;
1142
1143             # We _need_ `-o' for per object rules.
1144             my $output_flag = $lang->output_flag || '-o';
1145
1146             my $depbase = dirname ($obj);
1147             $depbase = ''
1148                 if $depbase eq '.';
1149             $depbase .= '/'
1150                 unless $depbase eq '';
1151             $depbase .= '$(DEPDIR)/' . basename ($obj);
1152
1153             # Support for deansified files in subdirectories is ugly
1154             # enough to deserve an explanation.
1155             #
1156             # A Note about normal ansi2knr processing first.  On
1157             #
1158             #   AUTOMAKE_OPTIONS = ansi2knr
1159             #   bin_PROGRAMS = foo
1160             #   foo_SOURCES = foo.c
1161             #
1162             # we generate rules similar to:
1163             #
1164             #   foo: foo$U.o; link ...
1165             #   foo$U.o: foo$U.c; compile ...
1166             #   foo_.c: foo.c; ansi2knr ...
1167             #
1168             # this is fairly compact, and will call ansi2knr depending
1169             # on the value of $U (`' or `_').
1170             #
1171             # It's harder with subdir sources. On
1172             #
1173             #   AUTOMAKE_OPTIONS = ansi2knr
1174             #   bin_PROGRAMS = foo
1175             #   foo_SOURCES = sub/foo.c
1176             #
1177             # we have to create foo_.c in the current directory.
1178             # (Unless the user asks 'subdir-objects'.)  This is important
1179             # in case the same file (`foo.c') is compiled from other
1180             # directories with different cpp options: foo_.c would
1181             # be preprocessed for only one set of options if it were
1182             # put in the subdirectory.
1183             #
1184             # Because foo$U.o must be built from either foo_.c or
1185             # sub/foo.c we can't be as concise as in the first example.
1186             # Instead we output
1187             #
1188             #   foo: foo$U.o; link ...
1189             #   foo_.o: foo_.c; compile ...
1190             #   foo.o: sub/foo.c; compile ...
1191             #   foo_.c: foo.c; ansi2knr ...
1192             #
1193             # This is why we'll now transform $rule_file twice
1194             # if we detect this case.
1195             # A first time we output the compile rule with `$U'
1196             # replaced by `_' and the source directory removed,
1197             # and another time we simply remove `$U'.
1198             #
1199             # Note that at this point $source (as computed by
1200             # &handle_single_transform_list) is `sub/foo$U.c'.
1201             # This can be confusing: it can be used as-is when
1202             # subdir-objects is set, otherwise you have to know
1203             # it really means `foo_.c' or `sub/foo.c'.
1204             my $objdir = dirname ($obj);
1205             my $srcdir = dirname ($source);
1206             if ($lang->ansi && $obj =~ /\$U/)
1207               {
1208                 prog_error "`$obj' contains \$U, but `$source' doesn't."
1209                   if $source !~ /\$U/;
1210
1211                 (my $source_ = $source) =~ s/\$U/_/g;
1212                 # Explicitly clean the _.c files if they are in
1213                 # a subdirectory. (In the current directory they get
1214                 # erased by a `rm -f *_.c' rule.)
1215                 $clean_files{$source_} = MOSTLY_CLEAN
1216                   if $objdir ne '.';
1217                 # Output an additional rule if _.c and .c are not in
1218                 # the same directory.  (_.c is always in $objdir.)
1219                 if ($objdir ne $srcdir)
1220                   {
1221                     (my $obj_ = $obj) =~ s/\$U/_/g;
1222                     (my $depbase_ = $depbase) =~ s/\$U/_/g;
1223                     $source_ = basename ($source_);
1224
1225                     $output_rules .=
1226                       file_contents ($rule_file,
1227                                      new Automake::Location,
1228                                      %transform,
1229                                      GENERIC   => 0,
1230
1231                                      DEPBASE   => $depbase_,
1232                                      BASE      => $obj_,
1233                                      SOURCE    => $source_,
1234                                      OBJ       => "$obj_$myext",
1235                                      OBJOBJ    => "$obj_.obj",
1236                                      LTOBJ     => "$obj_.lo",
1237
1238                                      COMPILE   => $obj_compile,
1239                                      LTCOMPILE => $obj_ltcompile,
1240                                      -o        => $output_flag);
1241                     $obj =~ s/\$U//g;
1242                     $depbase =~ s/\$U//g;
1243                     $source =~ s/\$U//g;
1244                   }
1245               }
1246
1247             $output_rules .=
1248               file_contents ($rule_file,
1249                              new Automake::Location,
1250                              %transform,
1251                              GENERIC   => 0,
1252
1253                              DEPBASE   => $depbase,
1254                              BASE      => $obj,
1255                              SOURCE    => $source,
1256                              # Use $myext and not `.o' here, in case
1257                              # we are actually building a new source
1258                              # file -- e.g. via yacc.
1259                              OBJ       => "$obj$myext",
1260                              OBJOBJ    => "$obj.obj",
1261                              LTOBJ     => "$obj.lo",
1262
1263                              COMPILE   => $obj_compile,
1264                              LTCOMPILE => $obj_ltcompile,
1265                              -o        => $output_flag);
1266         }
1267
1268         # The rest of the loop is done once per language.
1269         next if defined $done{$lang};
1270         $done{$lang} = 1;
1271
1272         # Load the language dependent Makefile chunks.
1273         my %lang = map { uc ($_) => 0 } keys %languages;
1274         $lang{uc ($lang->name)} = 1;
1275         $output_rules .= file_contents ('lang-compile',
1276                                         new Automake::Location,
1277                                         %transform, %lang);
1278
1279         # If the source to a program consists entirely of code from a
1280         # `pure' language, for instance C++ for Fortran 77, then we
1281         # don't need the C compiler code.  However if we run into
1282         # something unusual then we do generate the C code.  There are
1283         # probably corner cases here that do not work properly.
1284         # People linking Java code to Fortran code deserve pain.
1285         $needs_c ||= ! $lang->pure;
1286
1287         define_compiler_variable ($lang)
1288           if ($lang->compile);
1289
1290         define_linker_variable ($lang)
1291           if ($lang->link);
1292
1293         require_variables ("$am_file.am", $lang->Name . " source seen",
1294                            TRUE, @{$lang->config_vars});
1295
1296         # Call the finisher.
1297         $lang->finish;
1298
1299         # Flags listed in `->flags' are user variables (per GNU Standards),
1300         # they should not be overridden in the Makefile...
1301         my @dont_override = @{$lang->flags};
1302         # ... and so is LDFLAGS.
1303         push @dont_override, 'LDFLAGS' if $lang->link;
1304
1305         foreach my $flag (@dont_override)
1306           {
1307             my $var = var $flag;
1308             if ($var)
1309               {
1310                 for my $cond ($var->conditions->conds)
1311                   {
1312                     if ($var->rdef ($cond)->owner == VAR_MAKEFILE)
1313                       {
1314                         msg_cond_var ('gnu', $cond, $flag,
1315                                       "`$flag' is a user variable, "
1316                                       . "you should not override it;\n"
1317                                       . "use `AM_$flag' instead.");
1318                       }
1319                   }
1320               }
1321           }
1322     }
1323
1324     # If the project is entirely C++ or entirely Fortran 77 (i.e., 1
1325     # suffix rule was learned), don't bother with the C stuff.  But if
1326     # anything else creeps in, then use it.
1327     $needs_c = 1
1328       if $need_link || suffix_rules_count > 1;
1329
1330     if ($needs_c)
1331       {
1332         &define_compiler_variable ($languages{'c'})
1333           unless defined $done{$languages{'c'}};
1334         define_linker_variable ($languages{'c'});
1335       }
1336 }
1337
1338 # Check to make sure a source defined in LIBOBJS is not explicitly
1339 # mentioned.  This is a separate function (as opposed to being inlined
1340 # in handle_source_transform) because it isn't always appropriate to
1341 # do this check.
1342 sub check_libobjs_sources
1343 {
1344   my ($one_file, $unxformed) = @_;
1345
1346   foreach my $prefix ('', 'EXTRA_', 'dist_', 'nodist_',
1347                       'dist_EXTRA_', 'nodist_EXTRA_')
1348     {
1349       my @files;
1350       my $varname = $prefix . $one_file . '_SOURCES';
1351       my $var = var ($varname);
1352       if ($var)
1353         {
1354           @files = $var->value_as_list_recursive;
1355         }
1356       elsif ($prefix eq '')
1357         {
1358           @files = ($unxformed . '.c');
1359         }
1360       else
1361         {
1362           next;
1363         }
1364
1365       foreach my $file (@files)
1366         {
1367           err_var ($prefix . $one_file . '_SOURCES',
1368                    "automatically discovered file `$file' should not" .
1369                    " be explicitly mentioned")
1370             if defined $libsources{$file};
1371         }
1372     }
1373 }
1374
1375
1376 # @OBJECTS
1377 # handle_single_transform_list ($VAR, $TOPPARENT, $DERIVED, $OBJ, @FILES)
1378 # -----------------------------------------------------------------------
1379 # Does much of the actual work for handle_source_transform.
1380 # Arguments are:
1381 #   $VAR is the name of the variable that the source filenames come from
1382 #   $TOPPARENT is the name of the _SOURCES variable which is being processed
1383 #   $DERIVED is the name of resulting executable or library
1384 #   $OBJ is the object extension (e.g., `$U.lo')
1385 #   @FILES is the list of source files to transform
1386 # Result is a list of the names of objects
1387 # %linkers_used will be updated with any linkers needed
1388 sub handle_single_transform_list ($$$$@)
1389 {
1390     my ($var, $topparent, $derived, $obj, @files) = @_;
1391     my @result = ();
1392     my $nonansi_obj = $obj;
1393     $nonansi_obj =~ s/\$U//g;
1394
1395     # Turn sources into objects.  We use a while loop like this
1396     # because we might add to @files in the loop.
1397     while (scalar @files > 0)
1398     {
1399         $_ = shift @files;
1400
1401         # Configure substitutions in _SOURCES variables are errors.
1402         if (/^\@.*\@$/)
1403         {
1404           my $parent_msg = '';
1405           $parent_msg = "\nand is referred to from `$topparent'"
1406             if $topparent ne $var->name;
1407           err_var ($var,
1408                    "`" . $var->name . "' includes configure substitution `$_'"
1409                    . $parent_msg . ";\nconfigure " .
1410                    "substitutions are not allowed in _SOURCES variables");
1411           next;
1412         }
1413
1414         # If the source file is in a subdirectory then the `.o' is put
1415         # into the current directory, unless the subdir-objects option
1416         # is in effect.
1417
1418         # Split file name into base and extension.
1419         next if ! /^(?:(.*)\/)?([^\/]*)($KNOWN_EXTENSIONS_PATTERN)$/;
1420         my $full = $_;
1421         my $directory = $1 || '';
1422         my $base = $2;
1423         my $extension = $3;
1424
1425         # We must generate a rule for the object if it requires its own flags.
1426         my $renamed = 0;
1427         my ($linker, $object);
1428
1429         # This records whether we've seen a derived source file (e.g.
1430         # yacc output).
1431         my $derived_source = 0;
1432
1433         # This holds the `aggregate context' of the file we are
1434         # currently examining.  If the file is compiled with
1435         # per-object flags, then it will be the name of the object.
1436         # Otherwise it will be `AM'.  This is used by the target hook
1437         # language function.
1438         my $aggregate = 'AM';
1439
1440         $extension = &derive_suffix ($extension, $nonansi_obj);
1441         my $lang;
1442         if ($extension_map{$extension} &&
1443             ($lang = $languages{$extension_map{$extension}}))
1444         {
1445             # Found the language, so see what it says.
1446             &saw_extension ($extension);
1447
1448             # Note: computed subr call.  The language rewrite function
1449             # should return one of the LANG_* constants.  It could
1450             # also return a list whose first value is such a constant
1451             # and whose second value is a new source extension which
1452             # should be applied.  This means this particular language
1453             # generates another source file which we must then process
1454             # further.
1455             my $subr = \&{'lang_' . $lang->name . '_rewrite'};
1456             my ($r, $source_extension)
1457                 = &$subr ($directory, $base, $extension);
1458             # Skip this entry if we were asked not to process it.
1459             next if $r == LANG_IGNORE;
1460
1461             # Now extract linker and other info.
1462             $linker = $lang->linker;
1463
1464             my $this_obj_ext;
1465             if (defined $source_extension)
1466             {
1467                 $this_obj_ext = $source_extension;
1468                 $derived_source = 1;
1469             }
1470             elsif ($lang->ansi)
1471             {
1472                 $this_obj_ext = $obj;
1473             }
1474             else
1475             {
1476                 $this_obj_ext = $nonansi_obj;
1477             }
1478             $object = $base . $this_obj_ext;
1479
1480             # Do we have per-executable flags for this executable?
1481             my $have_per_exec_flags = 0;
1482             foreach my $flag (@{$lang->flags})
1483               {
1484                 if (set_seen ("${derived}_$flag"))
1485                   {
1486                     $have_per_exec_flags = 1;
1487                     last;
1488                   }
1489               }
1490
1491             if ($have_per_exec_flags)
1492             {
1493                 # We have a per-executable flag in effect for this
1494                 # object.  In this case we rewrite the object's
1495                 # name to ensure it is unique.  We also require
1496                 # the `compile' program to deal with compilers
1497                 # where `-c -o' does not work.
1498
1499                 # We choose the name `DERIVED_OBJECT' to ensure
1500                 # (1) uniqueness, and (2) continuity between
1501                 # invocations.  However, this will result in a
1502                 # name that is too long for losing systems, in
1503                 # some situations.  So we provide _SHORTNAME to
1504                 # override.
1505
1506                 my $dname = $derived;
1507                 my $var = var ($derived . '_SHORTNAME');
1508                 if ($var)
1509                 {
1510                     # FIXME: should use the same Condition as
1511                     # the _SOURCES variable.  But this is really
1512                     # silly overkill -- nobody should have
1513                     # conditional shortnames.
1514                     $dname = $var->variable_value;
1515                 }
1516                 $object = $dname . '-' . $object;
1517
1518                 require_conf_file ("$am_file.am", FOREIGN, 'compile')
1519                     if $lang->name eq 'c';
1520
1521                 prog_error ($lang->name . " flags defined without compiler")
1522                   if ! defined $lang->compile;
1523
1524                 $renamed = 1;
1525             }
1526
1527             # If rewrite said it was ok, put the object into a
1528             # subdir.
1529             if ($r == LANG_SUBDIR && $directory ne '')
1530             {
1531                 $object = $directory . '/' . $object;
1532             }
1533
1534             # If doing dependency tracking, then we can't print
1535             # the rule.  If we have a subdir object, we need to
1536             # generate an explicit rule.  Actually, in any case
1537             # where the object is not in `.' we need a special
1538             # rule.  The per-object rules in this case are
1539             # generated later, by handle_languages.
1540             if ($renamed || $directory ne '')
1541             {
1542                 my $obj_sans_ext = substr ($object, 0,
1543                                            - length ($this_obj_ext));
1544                 my $full_ansi = $full;
1545                 if ($lang->ansi && option 'ansi2knr')
1546                   {
1547                     $full_ansi =~ s/$KNOWN_EXTENSIONS_PATTERN$/\$U$&/;
1548                     $obj_sans_ext .= '$U';
1549                   }
1550
1551                 my $val = ("$full_ansi $obj_sans_ext "
1552                            # Only use $this_obj_ext in the derived
1553                            # source case because in the other case we
1554                            # *don't* want $(OBJEXT) to appear here.
1555                            . ($derived_source ? $this_obj_ext : '.o'));
1556
1557                 # If we renamed the object then we want to use the
1558                 # per-executable flag name.  But if this is simply a
1559                 # subdir build then we still want to use the AM_ flag
1560                 # name.
1561                 if ($renamed)
1562                 {
1563                     $val = "$derived $val";
1564                     $aggregate = $derived;
1565                 }
1566                 else
1567                 {
1568                     $val = "AM $val";
1569                 }
1570
1571                 # Each item on this list is a string consisting of
1572                 # four space-separated values: the derived flag prefix
1573                 # (e.g. for `foo_CFLAGS', it is `foo'), the name of the
1574                 # source file, the base name of the output file, and
1575                 # the extension for the object file.
1576                 push (@{$lang_specific_files{$lang->name}}, $val);
1577             }
1578         }
1579         elsif ($extension eq $nonansi_obj)
1580         {
1581             # This is probably the result of a direct suffix rule.
1582             # In this case we just accept the rewrite.
1583             $object = "$base$extension";
1584             $linker = '';
1585         }
1586         else
1587         {
1588             # No error message here.  Used to have one, but it was
1589             # very unpopular.
1590             # FIXME: we could potentially do more processing here,
1591             # perhaps treating the new extension as though it were a
1592             # new source extension (as above).  This would require
1593             # more restructuring than is appropriate right now.
1594             next;
1595         }
1596
1597         err_am "object `$object' created by `$full' and `$object_map{$object}'"
1598           if (defined $object_map{$object}
1599               && $object_map{$object} ne $full);
1600
1601         my $comp_val = (($object =~ /\.lo$/)
1602                         ? COMPILE_LIBTOOL : COMPILE_ORDINARY);
1603         (my $comp_obj = $object) =~ s/\.lo$/.\$(OBJEXT)/;
1604         if (defined $object_compilation_map{$comp_obj}
1605             && $object_compilation_map{$comp_obj} != 0
1606             # Only see the error once.
1607             && ($object_compilation_map{$comp_obj}
1608                 != (COMPILE_LIBTOOL | COMPILE_ORDINARY))
1609             && $object_compilation_map{$comp_obj} != $comp_val)
1610           {
1611             err_am "object `$comp_obj' created both with libtool and without";
1612           }
1613         $object_compilation_map{$comp_obj} |= $comp_val;
1614
1615         if (defined $lang)
1616         {
1617             # Let the language do some special magic if required.
1618             $lang->target_hook ($aggregate, $object, $full);
1619         }
1620
1621         if ($derived_source)
1622           {
1623             prog_error ($lang->name . " has automatic dependency tracking")
1624               if $lang->autodep ne 'no';
1625             # Make sure this new source file is handled next.  That will
1626             # make it appear to be at the right place in the list.
1627             unshift (@files, $object);
1628             # Distribute derived sources unless the source they are
1629             # derived from is not.
1630             &push_dist_common ($object)
1631               unless ($topparent =~ /^(?:nobase_)?nodist_/);
1632             next;
1633           }
1634
1635         $linkers_used{$linker} = 1;
1636
1637         push (@result, $object);
1638
1639         if (! defined $object_map{$object})
1640         {
1641             my @dep_list = ();
1642             $object_map{$object} = $full;
1643
1644             # If resulting object is in subdir, we need to make
1645             # sure the subdir exists at build time.
1646             if ($object =~ /\//)
1647             {
1648                 # FIXME: check that $DIRECTORY is somewhere in the
1649                 # project
1650
1651                 # For Java, the way we're handling it right now, a
1652                 # `..' component doesn't make sense.
1653                 if ($lang->name eq 'java' && $object =~ /(\/|^)\.\.\//)
1654                   {
1655                     err_am "`$full' should not contain a `..' component";
1656                   }
1657
1658                 # Make sure object is removed by `make mostlyclean'.
1659                 $compile_clean_files{$object} = MOSTLY_CLEAN;
1660                 # If we have a libtool object then we also must remove
1661                 # the ordinary .o.
1662                 if ($object =~ /\.lo$/)
1663                 {
1664                     (my $xobj = $object) =~ s,lo$,\$(OBJEXT),;
1665                     $compile_clean_files{$xobj} = MOSTLY_CLEAN;
1666
1667                     # Remove any libtool object in this directory.
1668                     $libtool_clean_directories{$directory} = 1;
1669                 }
1670
1671                 push (@dep_list, require_build_directory ($directory));
1672
1673                 # If we're generating dependencies, we also want
1674                 # to make sure that the appropriate subdir of the
1675                 # .deps directory is created.
1676                 push (@dep_list,
1677                       require_build_directory ($directory . '/$(DEPDIR)'))
1678                   unless option 'no-dependencies';
1679             }
1680
1681             &pretty_print_rule ($object . ':', "\t", @dep_list)
1682                 if scalar @dep_list > 0;
1683         }
1684
1685         # Transform .o or $o file into .P file (for automatic
1686         # dependency code).
1687         if ($lang && $lang->autodep ne 'no')
1688         {
1689             my $depfile = $object;
1690             $depfile =~ s/\.([^.]*)$/.P$1/;
1691             $depfile =~ s/\$\(OBJEXT\)$/o/;
1692             $dep_files{dirname ($depfile) . '/$(DEPDIR)/'
1693                            . basename ($depfile)} = 1;
1694         }
1695     }
1696
1697     return @result;
1698 }
1699
1700
1701 # $LINKER
1702 # define_objects_from_sources ($VAR, $OBJVAR, $NODEFINE, $ONE_FILE,
1703 #                              $OBJ, $PARENT, $TOPPARENT, $WHERE)
1704 # ---------------------------------------------------------------------
1705 # Define an _OBJECTS variable for a _SOURCES variable (or subvariable)
1706 #
1707 # Arguments are:
1708 #   $VAR is the name of the _SOURCES variable
1709 #   $OBJVAR is the name of the _OBJECTS variable if known (otherwise
1710 #     it will be generated and returned).
1711 #   $NODEFINE is a boolean: if true, $OBJVAR will not be defined (but
1712 #     work done to determine the linker will be).
1713 #   $ONE_FILE is the canonical (transformed) name of object to build
1714 #   $OBJ is the object extension (i.e. either `.o' or `.lo').
1715 #   $TOPPARENT is the _SOURCES variable being processed.
1716 #   $WHERE context into which this definition is done
1717 #
1718 # Result is a pair ($LINKER, $OBJVAR):
1719 #    $LINKER is a boolean, true if a linker is needed to deal with the objects
1720 sub define_objects_from_sources ($$$$$$$)
1721 {
1722   my ($var, $objvar, $nodefine, $one_file, $obj, $topparent, $where) = @_;
1723
1724   my $needlinker = "";
1725
1726   transform_variable_recursively
1727     ($var, $objvar, 'am__objects', $nodefine, $where,
1728      # The transform code to run on each filename.
1729      sub {
1730        my ($subvar, $val, $cond, $full_cond) = @_;
1731        my @trans = &handle_single_transform_list ($subvar, $topparent,
1732                                                   $one_file, $obj, $val);
1733        $needlinker = "true" if @trans;
1734        return @trans;
1735      });
1736
1737   return $needlinker;
1738 }
1739
1740
1741 # Handle SOURCE->OBJECT transform for one program or library.
1742 # Arguments are:
1743 #   canonical (transformed) name of object to build
1744 #   actual name of object to build
1745 #   object extension (i.e. either `.o' or `$o'.
1746 # Return result is name of linker variable that must be used.
1747 # Empty return means just use `LINK'.
1748 sub handle_source_transform
1749 {
1750     # one_file is canonical name.  unxformed is given name.  obj is
1751     # object extension.
1752     my ($one_file, $unxformed, $obj, $where) = @_;
1753
1754     my ($linker) = '';
1755
1756     # No point in continuing if _OBJECTS is defined.
1757     return if reject_var ($one_file . '_OBJECTS',
1758                           $one_file . '_OBJECTS should not be defined');
1759
1760     my %used_pfx = ();
1761     my $needlinker;
1762     %linkers_used = ();
1763     foreach my $prefix ('', 'EXTRA_', 'dist_', 'nodist_',
1764                         'dist_EXTRA_', 'nodist_EXTRA_')
1765     {
1766         my $varname = $prefix . $one_file . "_SOURCES";
1767         my $var = var $varname;
1768         next unless $var;
1769
1770         # We are going to define _OBJECTS variables using the prefix.
1771         # Then we glom them all together.  So we can't use the null
1772         # prefix here as we need it later.
1773         my $xpfx = ($prefix eq '') ? 'am_' : $prefix;
1774
1775         # Keep track of which prefixes we saw.
1776         $used_pfx{$xpfx} = 1
1777           unless $prefix =~ /EXTRA_/;
1778
1779         push @sources, "\$($varname)";
1780         if ($prefix !~ /^nodist_/)
1781           {
1782             # If the VAR wasn't defined conditionally, we add
1783             # it to DIST_SOURCES as is.  Otherwise we create a
1784             # am__VAR_DIST variable which contains all possible values,
1785             # and add this variable to DIST_SOURCES.
1786             my $distvar = $varname;
1787             if ($var->has_conditional_contents)
1788               {
1789                 $distvar = "am__${varname}_DIST";
1790                 my @files = uniq ($var->value_as_list_recursive);
1791                 define_pretty_variable ($distvar, TRUE, $where, @files);
1792               }
1793             push @dist_sources, "\$($distvar)"
1794           }
1795
1796         $needlinker |=
1797             define_objects_from_sources ($varname,
1798                                          $xpfx . $one_file . '_OBJECTS',
1799                                          $prefix =~ /EXTRA_/,
1800                                          $one_file, $obj, $varname, $where);
1801     }
1802     if ($needlinker)
1803     {
1804         $linker ||= &resolve_linker (%linkers_used);
1805     }
1806
1807     my @keys = sort keys %used_pfx;
1808     if (scalar @keys == 0)
1809     {
1810         &define_variable ($one_file . "_SOURCES", $unxformed . ".c", $where);
1811         push (@sources, $unxformed . '.c');
1812         push (@dist_sources, $unxformed . '.c');
1813
1814         %linkers_used = ();
1815         my (@result) =
1816           &handle_single_transform_list ($one_file . '_SOURCES',
1817                                          $one_file . '_SOURCES',
1818                                          $one_file, $obj,
1819                                          "$unxformed.c");
1820         $linker ||= &resolve_linker (%linkers_used);
1821         define_pretty_variable ($one_file . '_OBJECTS', TRUE, $where, @result);
1822     }
1823     else
1824     {
1825         @keys = map { '$(' . $_ . $one_file . '_OBJECTS)' } @keys;
1826         define_pretty_variable ($one_file . '_OBJECTS', TRUE, $where, @keys);
1827     }
1828
1829     # If we want to use `LINK' we must make sure it is defined.
1830     if ($linker eq '')
1831     {
1832         $need_link = 1;
1833     }
1834
1835     return $linker;
1836 }
1837
1838
1839 # handle_lib_objects ($XNAME, $VAR)
1840 # ---------------------------------
1841 # Special-case ALLOCA and LIBOBJS substitutions in _LDADD or _LIBADD variables.
1842 # Also, generate _DEPENDENCIES variable if appropriate.
1843 # Arguments are:
1844 #   transformed name of object being built, or empty string if no object
1845 #   name of _LDADD/_LIBADD-type variable to examine
1846 # Returns 1 if LIBOBJS seen, 0 otherwise.
1847 sub handle_lib_objects
1848 {
1849   my ($xname, $varname) = @_;
1850
1851   my $var = var ($varname);
1852   prog_error "handle_lib_objects: `$varname' undefined"
1853     unless $var;
1854   prog_error "handle_lib_objects: unexpected variable name `$varname'"
1855     unless $varname =~ /^(.*)(?:LIB|LD)ADD$/;
1856   my $prefix = $1 || 'AM_';
1857
1858   my $seen_libobjs = 0;
1859   my $flagvar = 0;
1860
1861   transform_variable_recursively
1862     ($varname, $xname . '_DEPENDENCIES', 'am__DEPENDENCIES',
1863      ! $xname, INTERNAL,
1864      # Transformation function, run on each filename.
1865      sub {
1866        my ($subvar, $val, $cond, $full_cond) = @_;
1867
1868        if ($val =~ /^-/)
1869          {
1870            # Skip -lfoo and -Ldir silently; these are explicitly allowed.
1871            if ($val !~ /^-[lL]/ &&
1872                # Skip -dlopen and -dlpreopen; these are explicitly allowed
1873                # for Libtool libraries or programs.  (Actually we are a bit
1874                # laxest here since this code also applies to non-libtool
1875                # libraries or programs, for which -dlopen and -dlopreopen
1876                # are pure non-sence.  Diagnosting this doesn't seems very
1877                # important: the developer will quickly get complaints from
1878                # the linker.)
1879                $val !~ /^-dl(?:pre)?open$/ &&
1880                # Only get this error once.
1881                ! $flagvar)
1882              {
1883                $flagvar = 1;
1884                # FIXME: should display a stack of nested variables
1885                # as context when $var != $subvar.
1886                err_var ($var, "linker flags such as `$val' belong in "
1887                         . "`${prefix}LDFLAGS");
1888              }
1889            return ();
1890          }
1891        elsif ($val !~ /^\@.*\@$/)
1892          {
1893            # Assume we have a file of some sort, and output it into the
1894            # dependency variable.  Autoconf substitutions are not output;
1895            # rarely is a new dependency substituted into e.g. foo_LDADD
1896            # -- but bad things (e.g. -lX11) are routinely substituted.
1897            # Note that LIBOBJS and ALLOCA are exceptions to this rule,
1898            # and handled specially below.
1899            return $val;
1900          }
1901        elsif ($val =~ /^\@(LT)?LIBOBJS\@$/)
1902          {
1903            handle_LIBOBJS ($subvar, $full_cond, $1);
1904            $seen_libobjs = 1;
1905            return $val;
1906          }
1907        elsif ($val =~ /^\@(LT)?ALLOCA\@$/)
1908          {
1909            handle_ALLOCA ($subvar, $full_cond, $1);
1910            return $val;
1911          }
1912        else
1913          {
1914            return ();
1915          }
1916      });
1917
1918   return $seen_libobjs;
1919 }
1920
1921 sub handle_LIBOBJS ($$$)
1922 {
1923   my ($var, $cond, $lt) = @_;
1924   $lt ||= '';
1925   my $myobjext = ($1 ? 'l' : '') . 'o';
1926
1927   $var->requires_variables ("\@${lt}LIBOBJS\@ used", $lt . 'LIBOBJS')
1928     if ! keys %libsources;
1929
1930   foreach my $iter (keys %libsources)
1931     {
1932       if ($iter =~ /\.[cly]$/)
1933         {
1934           &saw_extension ($&);
1935           &saw_extension ('.c');
1936         }
1937
1938       if ($iter =~ /\.h$/)
1939         {
1940           require_file_with_macro ($cond, $var, FOREIGN, $iter);
1941         }
1942       elsif ($iter ne 'alloca.c')
1943         {
1944           my $rewrite = $iter;
1945           $rewrite =~ s/\.c$/.P$myobjext/;
1946           $dep_files{'$(DEPDIR)/' . $rewrite} = 1;
1947           $rewrite = "^" . quotemeta ($iter) . "\$";
1948           # Only require the file if it is not a built source.
1949           my $bs = var ('BUILT_SOURCES');
1950           if (! $bs || ! grep (/$rewrite/, $bs->value_as_list_recursive))
1951             {
1952               require_file_with_macro ($cond, $var, FOREIGN, $iter);
1953             }
1954         }
1955     }
1956 }
1957
1958 sub handle_ALLOCA ($$$)
1959 {
1960   my ($var, $cond, $lt) = @_;
1961   my $myobjext = ($lt ? 'l' : '') . 'o';
1962   $lt ||= '';
1963   $var->requires_variables ("\@${lt}ALLOCA\@ used", $lt . 'ALLOCA');
1964   $dep_files{'$(DEPDIR)/alloca.P' . $myobjext} = 1;
1965   require_file_with_macro ($cond, $var, FOREIGN, 'alloca.c');
1966   &saw_extension ('c');
1967 }
1968
1969 # Canonicalize the input parameter
1970 sub canonicalize
1971 {
1972     my ($string) = @_;
1973     $string =~ tr/A-Za-z0-9_\@/_/c;
1974     return $string;
1975 }
1976
1977 # Canonicalize a name, and check to make sure the non-canonical name
1978 # is never used.  Returns canonical name.  Arguments are name and a
1979 # list of suffixes to check for.
1980 sub check_canonical_spelling
1981 {
1982   my ($name, @suffixes) = @_;
1983
1984   my $xname = &canonicalize ($name);
1985   if ($xname ne $name)
1986     {
1987       foreach my $xt (@suffixes)
1988         {
1989           reject_var ("$name$xt", "use `$xname$xt', not `$name$xt'");
1990         }
1991     }
1992
1993   return $xname;
1994 }
1995
1996
1997 # handle_compile ()
1998 # -----------------
1999 # Set up the compile suite.
2000 sub handle_compile ()
2001 {
2002     return
2003       unless $get_object_extension_was_run;
2004
2005     # Boilerplate.
2006     my $default_includes = '';
2007     if (! option 'nostdinc')
2008       {
2009         $default_includes = ' -I. -I$(srcdir)';
2010
2011         my $var = var 'CONFIG_HEADER';
2012         if ($var)
2013           {
2014             foreach my $hdr (split (' ', $var->variable_value))
2015               {
2016                 $default_includes .= ' -I' . dirname ($hdr);
2017               }
2018           }
2019       }
2020
2021     my (@mostly_rms, @dist_rms);
2022     foreach my $item (sort keys %compile_clean_files)
2023     {
2024         if ($compile_clean_files{$item} == MOSTLY_CLEAN)
2025         {
2026             push (@mostly_rms, "\t-rm -f $item");
2027         }
2028         elsif ($compile_clean_files{$item} == DIST_CLEAN)
2029         {
2030             push (@dist_rms, "\t-rm -f $item");
2031         }
2032         else
2033         {
2034           prog_error 'invalid entry in %compile_clean_files';
2035         }
2036     }
2037
2038     my ($coms, $vars, $rules) =
2039       &file_contents_internal (1, "$libdir/am/compile.am",
2040                                new Automake::Location,
2041                                ('DEFAULT_INCLUDES' => $default_includes,
2042                                 'MOSTLYRMS' => join ("\n", @mostly_rms),
2043                                 'DISTRMS' => join ("\n", @dist_rms)));
2044     $output_vars .= $vars;
2045     $output_rules .= "$coms$rules";
2046
2047     # Check for automatic de-ANSI-fication.
2048     if (option 'ansi2knr')
2049       {
2050         my ($ansi2knr_filename, $ansi2knr_where) = @{option 'ansi2knr'};
2051         my $ansi2knr_dir = '';
2052
2053         require_variables ($ansi2knr_where, "option `ansi2knr' is used",
2054                            TRUE, "ANSI2KNR", "U");
2055
2056         # topdir is where ansi2knr should be.
2057         if ($ansi2knr_filename eq 'ansi2knr')
2058           {
2059             # Only require ansi2knr files if they should appear in
2060             # this directory.
2061             require_file ($ansi2knr_where, FOREIGN,
2062                           'ansi2knr.c', 'ansi2knr.1');
2063
2064             # ansi2knr needs to be built before subdirs, so unshift it.
2065             unshift (@all, '$(ANSI2KNR)');
2066           }
2067         else
2068           {
2069             $ansi2knr_dir = dirname ($ansi2knr_filename);
2070           }
2071
2072         $output_rules .= &file_contents ('ansi2knr',
2073                                          new Automake::Location,
2074                                          'ANSI2KNR-DIR' => $ansi2knr_dir);
2075
2076     }
2077 }
2078
2079 # handle_libtool ()
2080 # -----------------
2081 # Handle libtool rules.
2082 sub handle_libtool
2083 {
2084   return unless var ('LIBTOOL');
2085
2086   # Libtool requires some files, but only at top level.
2087   require_conf_file_with_macro (TRUE, 'LIBTOOL', FOREIGN, @libtool_files)
2088     if $relative_dir eq '.';
2089
2090   my @libtool_rms;
2091   foreach my $item (sort keys %libtool_clean_directories)
2092     {
2093       my $dir = ($item eq '.') ? '' : "$item/";
2094       # .libs is for Unix, _libs for DOS.
2095       push (@libtool_rms, "\t-rm -rf ${dir}.libs ${dir}_libs");
2096     }
2097
2098   # Output the libtool compilation rules.
2099   $output_rules .= &file_contents ('libtool',
2100                                    new Automake::Location,
2101                                    LTRMS => join ("\n", @libtool_rms));
2102 }
2103
2104 # handle_programs ()
2105 # ------------------
2106 # Handle C programs.
2107 sub handle_programs
2108 {
2109   my @proglist = &am_install_var ('progs', 'PROGRAMS',
2110                                   'bin', 'sbin', 'libexec', 'pkglib',
2111                                   'noinst', 'check');
2112   return if ! @proglist;
2113
2114   my $seen_global_libobjs =
2115     var ('LDADD') && &handle_lib_objects ('', 'LDADD');
2116
2117   foreach my $pair (@proglist)
2118     {
2119       my ($where, $one_file) = @$pair;
2120
2121       my $seen_libobjs = 0;
2122       my $obj = &get_object_extension ($one_file);
2123
2124       # Strip any $(EXEEXT) suffix the user might have added, or this
2125       # will confuse &handle_source_transform and &check_canonical_spelling.
2126       # We'll add $(EXEEXT) back later anyway.
2127       $one_file =~ s/\$\(EXEEXT\)$//;
2128
2129       # Canonicalize names and check for misspellings.
2130       my $xname = &check_canonical_spelling ($one_file, '_LDADD', '_LDFLAGS',
2131                                              '_SOURCES', '_OBJECTS',
2132                                              '_DEPENDENCIES');
2133
2134       $where->push_context ("while processing program `$one_file'");
2135       $where->set (INTERNAL->get);
2136
2137       my $linker = &handle_source_transform ($xname, $one_file, $obj, $where);
2138
2139       if (var ($xname . "_LDADD"))
2140         {
2141           $seen_libobjs = &handle_lib_objects ($xname, $xname . '_LDADD');
2142         }
2143       else
2144         {
2145           # User didn't define prog_LDADD override.  So do it.
2146           &define_variable ($xname . '_LDADD', '$(LDADD)', $where);
2147
2148           # This does a bit too much work.  But we need it to
2149           # generate _DEPENDENCIES when appropriate.
2150           if (var ('LDADD'))
2151             {
2152               $seen_libobjs = &handle_lib_objects ($xname, 'LDADD');
2153             }
2154         }
2155
2156       reject_var ($xname . '_LIBADD',
2157                   "use `${xname}_LDADD', not `${xname}_LIBADD'");
2158
2159       set_seen ($xname . '_DEPENDENCIES');
2160       set_seen ($xname . '_LDFLAGS');
2161
2162       # Determine program to use for link.
2163       my $xlink;
2164       if (var ($xname . '_LINK'))
2165         {
2166           $xlink = $xname . '_LINK';
2167         }
2168       else
2169         {
2170           $xlink = $linker ? $linker : 'LINK';
2171         }
2172
2173       # If the resulting program lies into a subdirectory,
2174       # make sure this directory will exist.
2175       my $dirstamp = require_build_directory_maybe ($one_file);
2176
2177       $output_rules .= &file_contents ('program',
2178                                        $where,
2179                                        PROGRAM  => $one_file,
2180                                        XPROGRAM => $xname,
2181                                        XLINK    => $xlink,
2182                                        DIRSTAMP => $dirstamp,
2183                                        EXEEXT   => '$(EXEEXT)');
2184
2185       if ($seen_libobjs || $seen_global_libobjs)
2186         {
2187           if (var ($xname . '_LDADD'))
2188             {
2189               &check_libobjs_sources ($xname, $xname . '_LDADD');
2190             }
2191           elsif (var ('LDADD'))
2192             {
2193               &check_libobjs_sources ($xname, 'LDADD');
2194             }
2195         }
2196     }
2197 }
2198
2199
2200 # handle_libraries ()
2201 # -------------------
2202 # Handle libraries.
2203 sub handle_libraries
2204 {
2205   my @liblist = &am_install_var ('libs', 'LIBRARIES',
2206                                  'lib', 'pkglib', 'noinst', 'check');
2207   return if ! @liblist;
2208
2209   my @prefix = am_primary_prefixes ('LIBRARIES', 0, 'lib', 'pkglib',
2210                                     'noinst', 'check');
2211
2212   if (@prefix)
2213     {
2214       my $var = rvar ($prefix[0] . '_LIBRARIES');
2215       $var->requires_variables ('library used', 'RANLIB');
2216     }
2217
2218   foreach my $pair (@liblist)
2219     {
2220       my ($where, $onelib) = @$pair;
2221
2222       my $seen_libobjs = 0;
2223       # Check that the library fits the standard naming convention.
2224       if (basename ($onelib) !~ /^lib.*\.a/)
2225         {
2226           error $where, "`$onelib' is not a standard library name";
2227         }
2228
2229       $where->push_context ("while processing library `$onelib'");
2230       $where->set (INTERNAL->get);
2231
2232       my $obj = &get_object_extension ($onelib);
2233
2234       # Canonicalize names and check for misspellings.
2235       my $xlib = &check_canonical_spelling ($onelib, '_LIBADD', '_SOURCES',
2236                                             '_OBJECTS', '_DEPENDENCIES',
2237                                             '_AR');
2238
2239       if (! var ($xlib . '_AR'))
2240         {
2241           &define_variable ($xlib . '_AR', '$(AR) $(ARFLAGS)', $where);
2242         }
2243
2244       # Generate support for conditional object inclusion in
2245       # libraries.
2246       if (var ($xlib . '_LIBADD'))
2247         {
2248           if (&handle_lib_objects ($xlib, $xlib . '_LIBADD'))
2249             {
2250               $seen_libobjs = 1;
2251             }
2252         }
2253       else
2254         {
2255           &define_variable ($xlib . "_LIBADD", '', $where);
2256         }
2257
2258       reject_var ($xlib . '_LDADD',
2259                   "use `${xlib}_LIBADD', not `${xlib}_LDADD'");
2260
2261       # Make sure we at look at this.
2262       set_seen ($xlib . '_DEPENDENCIES');
2263
2264       &handle_source_transform ($xlib, $onelib, $obj, $where);
2265
2266       # If the resulting library lies into a subdirectory,
2267       # make sure this directory will exist.
2268       my $dirstamp = require_build_directory_maybe ($onelib);
2269
2270       $output_rules .= &file_contents ('library',
2271                                        $where,
2272                                        LIBRARY  => $onelib,
2273                                        XLIBRARY => $xlib,
2274                                        DIRSTAMP => $dirstamp);
2275
2276       if ($seen_libobjs)
2277         {
2278           if (var ($xlib . '_LIBADD'))
2279             {
2280               &check_libobjs_sources ($xlib, $xlib . '_LIBADD');
2281             }
2282         }
2283     }
2284 }
2285
2286
2287 # handle_ltlibraries ()
2288 # ---------------------
2289 # Handle shared libraries.
2290 sub handle_ltlibraries
2291 {
2292   my @liblist = &am_install_var ('ltlib', 'LTLIBRARIES',
2293                                  'noinst', 'lib', 'pkglib', 'check');
2294   return if ! @liblist;
2295
2296   my %instdirs;
2297   my @prefix = am_primary_prefixes ('LTLIBRARIES', 0, 'lib', 'pkglib',
2298                                     'noinst', 'check');
2299
2300   if (@prefix)
2301     {
2302       my $var = rvar ($prefix[0] . '_LTLIBRARIES');
2303       $var->requires_variables ('Libtool library used', 'LIBTOOL');
2304     }
2305
2306   my %liblocations = ();        # Location (in Makefile.am) of each library.
2307
2308   foreach my $key (@prefix)
2309     {
2310       # Get the installation directory of each library.
2311       (my $dir = $key) =~ s/^nobase_//;
2312       my $var = rvar ($key . '_LTLIBRARIES');
2313       for my $pair ($var->value_as_list_recursive (location => 1))
2314         {
2315           my ($where, $lib) = @$pair;
2316           # We reject libraries which are installed in several places,
2317           # because we don't handle this in the rules (think `-rpath').
2318           #
2319           # However, we allow the same library to be listed many times
2320           # for the same directory.  This is for users who need setups
2321           # like
2322           #   if COND1
2323           #     lib_LTLIBRARIES = libfoo.la
2324           #   endif
2325           #   if COND2
2326           #     lib_LTLIBRARIES = libfoo.la
2327           #   endif
2328           #
2329           # Actually this will also allow
2330           #   lib_LTLIBRARIES = libfoo.la libfoo.la
2331           # Diagnosing this case doesn't seem worth the plain (we'd
2332           # have to fill $instdirs on a per-condition basis, check
2333           # implied conditions, etc.)
2334           if (defined $instdirs{$lib} && $instdirs{$lib} ne $dir)
2335             {
2336               error ($where, "`$lib' is already going to be installed in "
2337                      . "`$instdirs{$lib}'", partial => 1);
2338               error ($liblocations{$lib}, "`$lib' previously declared here");
2339             }
2340           else
2341             {
2342               $instdirs{$lib} = $dir;
2343               $liblocations{$lib} = $where->clone;
2344             }
2345         }
2346     }
2347
2348   foreach my $pair (@liblist)
2349     {
2350       my ($where, $onelib) = @$pair;
2351
2352       my $seen_libobjs = 0;
2353       my $obj = &get_object_extension ($onelib);
2354
2355       # Canonicalize names and check for misspellings.
2356       my $xlib = &check_canonical_spelling ($onelib, '_LIBADD', '_LDFLAGS',
2357                                             '_SOURCES', '_OBJECTS',
2358                                             '_DEPENDENCIES');
2359
2360       # Check that the library fits the standard naming convention.
2361       my $libname_rx = "^lib.*\.la";
2362       my $ldvar = var ("${xlib}_LDFLAGS") || var ('AM_LDFLAGS');
2363       my $ldvar2 = var ('LDFLAGS');
2364       if (($ldvar && grep (/-module/, $ldvar->value_as_list_recursive))
2365           || ($ldvar2 && grep (/-module/, $ldvar2->value_as_list_recursive)))
2366         {
2367           # Relax name checking for libtool modules.
2368           $libname_rx = "\.la";
2369         }
2370       if (basename ($onelib) !~ /$libname_rx$/)
2371         {
2372           msg ('error-gnu/warn', $where,
2373                "`$onelib' is not a standard libtool library name");
2374         }
2375
2376       $where->push_context ("while processing Libtool library `$onelib'");
2377       $where->set (INTERNAL->get);
2378
2379       # Make sure we at look at these.
2380       set_seen ($xlib . '_LDFLAGS');
2381       set_seen ($xlib . '_DEPENDENCIES');
2382
2383       # Generate support for conditional object inclusion in
2384       # libraries.
2385       if (var ($xlib . '_LIBADD'))
2386         {
2387           if (&handle_lib_objects ($xlib, $xlib . '_LIBADD'))
2388             {
2389               $seen_libobjs = 1;
2390             }
2391         }
2392       else
2393         {
2394           &define_variable ($xlib . "_LIBADD", '', $where);
2395         }
2396
2397       reject_var ("${xlib}_LDADD",
2398                   "use `${xlib}_LIBADD', not `${xlib}_LDADD'");
2399
2400
2401       my $linker = &handle_source_transform ($xlib, $onelib, $obj, $where);
2402
2403       # Determine program to use for link.
2404       my $xlink;
2405       if (var ($xlib . '_LINK'))
2406         {
2407           $xlink = $xlib . '_LINK';
2408         }
2409       else
2410         {
2411           $xlink = $linker ? $linker : 'LINK';
2412         }
2413
2414       my $rpath;
2415       if ($instdirs{$onelib} eq 'EXTRA'
2416           || $instdirs{$onelib} eq 'noinst'
2417           || $instdirs{$onelib} eq 'check')
2418         {
2419           # It's an EXTRA_ library, so we can't specify -rpath,
2420           # because we don't know where the library will end up.
2421           # The user probably knows, but generally speaking automake
2422           # doesn't -- and in fact configure could decide
2423           # dynamically between two different locations.
2424           $rpath = '';
2425         }
2426       else
2427         {
2428           $rpath = ('-rpath $(' . $instdirs{$onelib} . 'dir)');
2429         }
2430
2431       # If the resulting library lies into a subdirectory,
2432       # make sure this directory will exist.
2433       my $dirstamp = require_build_directory_maybe ($onelib);
2434
2435       # Remember to cleanup .libs/ in this directory.
2436       my $dirname = dirname $onelib;
2437       $libtool_clean_directories{$dirname} = 1;
2438
2439       $output_rules .= &file_contents ('ltlibrary',
2440                                        $where,
2441                                        LTLIBRARY  => $onelib,
2442                                        XLTLIBRARY => $xlib,
2443                                        RPATH      => $rpath,
2444                                        XLINK      => $xlink,
2445                                        DIRSTAMP   => $dirstamp);
2446       if ($seen_libobjs)
2447         {
2448           if (var ($xlib . '_LIBADD'))
2449             {
2450               &check_libobjs_sources ($xlib, $xlib . '_LIBADD');
2451             }
2452         }
2453     }
2454 }
2455
2456 # See if any _SOURCES variable were misspelled.
2457 sub check_typos ()
2458 {
2459   # It is ok if the user sets this particular variable.
2460   set_seen 'AM_LDFLAGS';
2461
2462   foreach my $var (variables)
2463     {
2464       my $varname = $var->name;
2465       # A configure variable is always legitimate.
2466       next if exists $configure_vars{$varname};
2467
2468       my $check = 0;
2469       foreach my $primary ('_SOURCES', '_LIBADD', '_LDADD', '_LDFLAGS',
2470                            '_DEPENDENCIES')
2471         {
2472           if ($varname =~ /$primary$/)
2473             {
2474               $check = 1;
2475               last;
2476             }
2477         }
2478       next unless $check;
2479
2480       for my $cond ($var->conditions->conds)
2481         {
2482           msg_var 'syntax', $var, "unused variable: `$varname'"
2483             unless $var->rdef ($cond)->seen;
2484         }
2485     }
2486 }
2487
2488
2489 # Handle scripts.
2490 sub handle_scripts
2491 {
2492     # NOTE we no longer automatically clean SCRIPTS, because it is
2493     # useful to sometimes distribute scripts verbatim.  This happens
2494     # e.g. in Automake itself.
2495     &am_install_var ('-candist', 'scripts', 'SCRIPTS',
2496                      'bin', 'sbin', 'libexec', 'pkgdata',
2497                      'noinst', 'check');
2498 }
2499
2500
2501
2502
2503 ## ------------------------ ##
2504 ## Handling Texinfo files.  ##
2505 ## ------------------------ ##
2506
2507 # ($OUTFILE, $VFILE, @CLEAN_FILES)
2508 # &scan_texinfo_file ($FILENAME)
2509 # ------------------------------
2510 # $OUTFILE     - name of the info file produced by $FILENAME.
2511 # $VFILE       - name of the version.texi file used (undef if none).
2512 # @CLEAN_FILES - list of byproducts (indexes etc.)
2513 sub scan_texinfo_file ($)
2514 {
2515   my ($filename) = @_;
2516
2517   # Some of the following extensions are always created, no matter
2518   # whether indexes are used or not.  Other (like cps, fns, ... pgs)
2519   # are only created when they are used.  We used to scan $FILENAME
2520   # for their use, but that is not enough: they could be used in
2521   # included files.  We can't scan included files because we don't
2522   # know the include path.  Therefore we always erase these files, no
2523   # matter whether they are used or not.
2524   #
2525   # (tmp is only created if an @macro is used and a certain e-TeX
2526   # feature is not available.)
2527   my %clean_suffixes =
2528     map { $_ => 1 } (qw(aux log toc tmp
2529                         cp cps
2530                         fn fns
2531                         ky kys
2532                         vr vrs
2533                         tp tps
2534                         pg pgs)); # grep 'new.*index' texinfo.tex
2535
2536   my $texi = new Automake::XFile "< $filename";
2537   verb "reading $filename";
2538
2539   my ($outfile, $vfile);
2540   while ($_ = $texi->getline)
2541     {
2542       if (/^\@setfilename +(\S+)/)
2543         {
2544           # Honor only the first @setfilename.  (It's possible to have
2545           # more occurrences later if the manual shows examples of how
2546           # to use @setfilename...)
2547           next if $outfile;
2548
2549           $outfile = $1;
2550           if ($outfile =~ /\.(.+)$/ && $1 ne 'info')
2551             {
2552               error ("$filename:$.",
2553                      "output `$outfile' has unrecognized extension");
2554               return;
2555             }
2556         }
2557       # A "version.texi" file is actually any file whose name matches
2558       # "vers*.texi".
2559       elsif (/^\@include\s+(vers[^.]*\.texi)\s*$/)
2560         {
2561           $vfile = $1;
2562         }
2563
2564       # Try to find new or unused indexes.
2565
2566       # Creating a new category of index.
2567       elsif (/^\@def(code)?index (\w+)/)
2568         {
2569           $clean_suffixes{$2} = 1;
2570           $clean_suffixes{"$2s"} = 1;
2571         }
2572
2573       # Merging an index into an another.
2574       elsif (/^\@syn(code)?index (\w+) (\w+)/)
2575         {
2576           delete $clean_suffixes{"$2s"};
2577           $clean_suffixes{"$3s"} = 1;
2578         }
2579
2580     }
2581
2582   if ($outfile eq '')
2583     {
2584       err_am "`$filename' missing \@setfilename";
2585       return;
2586     }
2587
2588   my $infobase = basename ($filename);
2589   $infobase =~ s/\.te?xi(nfo)?$//;
2590   return ($outfile, $vfile,
2591           map { "$infobase.$_" } (sort keys %clean_suffixes));
2592 }
2593
2594
2595 # ($DIRSTAMP, @CLEAN_FILES)
2596 # output_texinfo_build_rules ($SOURCE, $DEST, $INSRC, @DEPENDENCIES)
2597 # ------------------------------------------------------------------
2598 # SOURCE - the source Texinfo file
2599 # DEST - the destination Info file
2600 # INSRC - wether DEST should be built in the source tree
2601 # DEPENDENCIES - known dependencies
2602 sub output_texinfo_build_rules ($$$@)
2603 {
2604   my ($source, $dest, $insrc, @deps) = @_;
2605
2606   # Split `a.texi' into `a' and `.texi'.
2607   my ($spfx, $ssfx) = ($source =~ /^(.*?)(\.[^.]*)?$/);
2608   my ($dpfx, $dsfx) = ($dest =~ /^(.*?)(\.[^.]*)?$/);
2609
2610   $ssfx ||= "";
2611   $dsfx ||= "";
2612
2613   # We can output two kinds of rules: the "generic" rules use Make
2614   # suffix rules and are appropriate when $source and $dest do not lie
2615   # in a sub-directory; the "specific" rules are needed in the other
2616   # case.
2617   #
2618   # The former are output only once (this is not really apparent here,
2619   # but just remember that some logic deeper in Automake will not
2620   # output the same rule twice); while the later need to be output for
2621   # each Texinfo source.
2622   my $generic;
2623   my $makeinfoflags;
2624   my $sdir = dirname $source;
2625   if ($sdir eq '.' && dirname ($dest) eq '.')
2626     {
2627       $generic = 1;
2628       $makeinfoflags = '-I $(srcdir)';
2629     }
2630   else
2631     {
2632       $generic = 0;
2633       $makeinfoflags = "-I $sdir -I \$(srcdir)/$sdir";
2634     }
2635
2636   # A directory can contain two kinds of info files: some built in the
2637   # source tree, and some built in the build tree.  The rules are
2638   # different in each case.  However we cannot output two different
2639   # set of generic rules.  Because in-source builds are more usual, we
2640   # use generic rules in this case and fall back to "specific" rules
2641   # for build-dir builds.  (It should not be a problem to invert this
2642   # if needed.)
2643   $generic = 0 unless $insrc;
2644
2645   # We cannot use a suffix rule to build info files with an empty
2646   # extension.  Otherwise we would output a single suffix inference
2647   # rule, with separate dependencies, as in
2648   #
2649   #    .texi:
2650   #             $(MAKEINFO) ...
2651   #    foo.info: foo.texi
2652   #
2653   # which confuse Solaris make.  (See the Autoconf manual for
2654   # details.)  Therefore we use a specific rule in this case.  This
2655   # applies to info files only (dvi and pdf files always have an
2656   # extension).
2657   my $generic_info = ($generic && $dsfx) ? 1 : 0;
2658
2659   # If the resulting file lie into a subdirectory,
2660   # make sure this directory will exist.
2661   my $dirstamp = require_build_directory_maybe ($dest);
2662
2663   my $dipfx = ($insrc ? '$(srcdir)/' : '') . $dpfx;
2664
2665   $output_rules .= file_contents ('texibuild',
2666                                   new Automake::Location,
2667                                   DEPS             => "@deps",
2668                                   DEST_PREFIX      => $dpfx,
2669                                   DEST_INFO_PREFIX => $dipfx,
2670                                   DEST_SUFFIX      => $dsfx,
2671                                   DIRSTAMP         => $dirstamp,
2672                                   GENERIC          => $generic,
2673                                   GENERIC_INFO     => $generic_info,
2674                                   INSRC            => $insrc,
2675                                   MAKEINFOFLAGS    => $makeinfoflags,
2676                                   SOURCE           => ($generic
2677                                                        ? '$<' : $source),
2678                                   SOURCE_INFO      => ($generic_info
2679                                                        ? '$<' : $source),
2680                                   SOURCE_REAL      => $source,
2681                                   SOURCE_SUFFIX    => $ssfx,
2682                                   );
2683   return ($dirstamp, "$dpfx.dvi", "$dpfx.pdf", "$dpfx.ps", "$dpfx.html");
2684 }
2685
2686
2687 # $TEXICLEANS
2688 # handle_texinfo_helper ($info_texinfos)
2689 # --------------------------------------
2690 # Handle all Texinfo source; helper for handle_texinfo.
2691 sub handle_texinfo_helper ($)
2692 {
2693   my ($info_texinfos) = @_;
2694   my (@infobase, @info_deps_list, @texi_deps);
2695   my %versions;
2696   my $done = 0;
2697   my @texi_cleans;
2698
2699   # Build a regex matching user-cleaned files.
2700   my $d = var 'DISTCLEANFILES';
2701   my $c = var 'CLEANFILES';
2702   my @f = ();
2703   push @f, $d->value_as_list_recursive (inner_expand => 1) if $d;
2704   push @f, $c->value_as_list_recursive (inner_expand => 1) if $c;
2705   @f = map { s|[^A-Za-z_0-9*\[\]\-]|\\$&|g; s|\*|[^/]*|g; $_; } @f;
2706   my $user_cleaned_files = '^(?:' . join ('|', @f) . ')$';
2707
2708   foreach my $texi ($info_texinfos->value_as_list_recursive (inner_expand
2709                                                              => 1))
2710     {
2711       my $infobase = $texi;
2712       $infobase =~ s/\.(txi|texinfo|texi)$//;
2713
2714       if ($infobase eq $texi)
2715         {
2716           # FIXME: report line number.
2717           err_am "texinfo file `$texi' has unrecognized extension";
2718           next;
2719         }
2720
2721       push @infobase, $infobase;
2722
2723       # If 'version.texi' is referenced by input file, then include
2724       # automatic versioning capability.
2725       my ($out_file, $vtexi, @clean_files) =
2726         scan_texinfo_file ("$relative_dir/$texi")
2727         or next;
2728       push (@texi_cleans, @clean_files);
2729
2730       # If the Texinfo source is in a subdirectory, create the
2731       # resulting info in this subdirectory.  If it is in the current
2732       # directory, try hard to not prefix "./" because it breaks the
2733       # generic rules.
2734       my $outdir = dirname ($texi) . '/';
2735       $outdir = "" if $outdir eq './';
2736       $out_file =  $outdir . $out_file;
2737
2738       # Until Automake 1.6.3, .info files were built in the
2739       # source tree.  This was an obstacle to the support of
2740       # non-distributed .info files, and non-distributed .texi
2741       # files.
2742       #
2743       # * Non-distributed .texi files is important in some packages
2744       #   where .texi files are built at make time, probably using
2745       #   other binaries built in the package itself, maybe using
2746       #   tools or information found on the build host.  Because
2747       #   these files are not distributed they are always rebuilt
2748       #   at make time; they should therefore not lie in the source
2749       #   directory.  One plan was to support this using
2750       #   nodist_info_TEXINFOS or something similar.  (Doing this
2751       #   requires some sanity checks.  For instance Automake should
2752       #   not allow:
2753       #      dist_info_TEXINFO = foo.texi
2754       #      nodist_foo_TEXINFO = included.texi
2755       #   because a distributed file should never depend on a
2756       #   non-distributed file.)
2757       #
2758       # * If .texi files are not distributed, then .info files should
2759       #   not be distributed either.  There are also cases where one
2760       #   want to distribute .texi files, but do not want to
2761       #   distribute the .info files.  For instance the Texinfo package
2762       #   distributes the tool used to build these files; it would
2763       #   be a waste of space to distribute them.  It's not clear
2764       #   which syntax we should use to indicate that .info files should
2765       #   not be distributed.  Akim Demaille suggested that eventually
2766       #   we switch to a new syntax:
2767       #   |  Maybe we should take some inspiration from what's already
2768       #   |  done in the rest of Automake.  Maybe there is too much
2769       #   |  syntactic sugar here, and you want
2770       #   |     nodist_INFO = bar.info
2771       #   |     dist_bar_info_SOURCES = bar.texi
2772       #   |     bar_texi_DEPENDENCIES = foo.texi
2773       #   |  with a bit of magic to have bar.info represent the whole
2774       #   |  bar*info set.  That's a lot more verbose that the current
2775       #   |  situation, but it is # not new, hence the user has less
2776       #   |  to learn.
2777       #   |
2778       #   |  But there is still too much room for meaningless specs:
2779       #   |     nodist_INFO = bar.info
2780       #   |     dist_bar_info_SOURCES = bar.texi
2781       #   |     dist_PS = bar.ps something-written-by-hand.ps
2782       #   |     nodist_bar_ps_SOURCES = bar.texi
2783       #   |     bar_texi_DEPENDENCIES = foo.texi
2784       #   |  here bar.texi is dist_ in line 2, and nodist_ in 4.
2785       #
2786       # Back to the point, it should be clear that in order to support
2787       # non-distributed .info files, we need to build them in the
2788       # build tree, not in the source tree (non-distributed .texi
2789       # files are less of a problem, because we do not output build
2790       # rules for them).  In Automake 1.7 .info build rules have been
2791       # largely cleaned up so that .info files get always build in the
2792       # build tree, even when distributed.  The idea was that
2793       #   (1) if during a VPATH build the .info file was found to be
2794       #       absent or out-of-date (in the source tree or in the
2795       #       build tree), Make would rebuild it in the build tree.
2796       #       If an up-to-date source-tree of the .info file existed,
2797       #       make would not rebuild it in the build tree.
2798       #   (2) having two copies of .info files, one in the source tree
2799       #       and one (newer) in the build tree is not a problem
2800       #       because `make dist' always pick files in the build tree
2801       #       first.
2802       # However it turned out the be a bad idea for several reasons:
2803       #   * Tru64, OpenBSD, and FreeBSD (not NetBSD) Make do behave
2804       #     like GNU Make on point (1) above.  These implementations
2805       #     of Make would always rebuild .info files in the build
2806       #     tree, even if such files were up to date in the source
2807       #     tree.  Consequently, it was impossible the perform a VPATH
2808       #     build of a package containing Texinfo files using these
2809       #     Make implementations.
2810       #     (Refer to the Autoconf Manual, section "Limitation of
2811       #     Make", paragraph "VPATH", item "target lookup", for
2812       #     an account of the differences between these
2813       #     implementations.)
2814       #   * The GNU Coding Standards require these files to be built
2815       #     in the source-tree (when they are distributed, that is).
2816       #   * Keeping a fresher copy of distributed files in the
2817       #     build tree can be annoying during development because
2818       #     - if the files is kept under CVS, you really want it
2819       #       to be updated in the source tree
2820       #     - it os confusing that `make distclean' does not erase
2821       #       all files in the build tree.
2822       #
2823       # Consequently, starting with Automake 1.8, .info files are
2824       # built in the source tree again.  Because we still plan to
2825       # support non-distributed .info files at some point, we
2826       # have a single variable ($INSRC) that controls whether
2827       # the current .info file must be built in the source tree
2828       # or in the build tree.  Actually this variable is switched
2829       # off for .info files that appear to be cleaned; this is
2830       # for backward compatibility with package such as Texinfo,
2831       # which do things like
2832       #   info_TEXINFOS = texinfo.txi info-stnd.texi info.texi
2833       #   DISTCLEANFILES = texinfo texinfo-* info*.info*
2834       #   # Do not create info files for distribution.
2835       #   dist-info:
2836       # in order not to distribute .info files.
2837       my $insrc = ($out_file =~ $user_cleaned_files) ? 0 : 1;
2838
2839       my $soutdir = '$(srcdir)/' . $outdir;
2840       $outdir = $soutdir if $insrc;
2841
2842       # If user specified file_TEXINFOS, then use that as explicit
2843       # dependency list.
2844       @texi_deps = ();
2845       push (@texi_deps, "$soutdir$vtexi") if $vtexi;
2846
2847       my $canonical = canonicalize ($infobase);
2848       if (var ($canonical . "_TEXINFOS"))
2849         {
2850           push (@texi_deps, '$(' . $canonical . '_TEXINFOS)');
2851           push_dist_common ('$(' . $canonical . '_TEXINFOS)');
2852         }
2853
2854       my ($dirstamp, @cfiles) =
2855         output_texinfo_build_rules ($texi, $out_file, $insrc, @texi_deps);
2856       push (@texi_cleans, @cfiles);
2857
2858       push (@info_deps_list, $out_file);
2859
2860       # If a vers*.texi file is needed, emit the rule.
2861       if ($vtexi)
2862         {
2863           err_am ("`$vtexi', included in `$texi', "
2864                   . "also included in `$versions{$vtexi}'")
2865             if defined $versions{$vtexi};
2866           $versions{$vtexi} = $texi;
2867
2868           # We number the stamp-vti files.  This is doable since the
2869           # actual names don't matter much.  We only number starting
2870           # with the second one, so that the common case looks nice.
2871           my $vti = ($done ? $done : 'vti');
2872           ++$done;
2873
2874           # This is ugly, but it is our historical practice.
2875           if ($config_aux_dir_set_in_configure_in)
2876             {
2877               require_conf_file_with_macro (TRUE, 'info_TEXINFOS', FOREIGN,
2878                                             'mdate-sh');
2879             }
2880           else
2881             {
2882               require_file_with_macro (TRUE, 'info_TEXINFOS',
2883                                        FOREIGN, 'mdate-sh');
2884             }
2885
2886           my $conf_dir;
2887           if ($config_aux_dir_set_in_configure_in)
2888             {
2889               $conf_dir = $config_aux_dir;
2890               $conf_dir .= '/' unless $conf_dir =~ /\/$/;
2891             }
2892           else
2893             {
2894               $conf_dir = '$(srcdir)/';
2895             }
2896           $output_rules .= file_contents ('texi-vers',
2897                                           new Automake::Location,
2898                                           TEXI     => $texi,
2899                                           VTI      => $vti,
2900                                           STAMPVTI => "${soutdir}stamp-$vti",
2901                                           VTEXI    => "$soutdir$vtexi",
2902                                           MDDIR    => $conf_dir,
2903                                           DIRSTAMP => $dirstamp);
2904         }
2905     }
2906
2907   # Handle location of texinfo.tex.
2908   my $need_texi_file = 0;
2909   my $texinfodir;
2910   if (var ('TEXINFO_TEX'))
2911     {
2912       # The user defined TEXINFO_TEX so assume he knows what he is
2913       # doing.
2914       $texinfodir = ('$(srcdir)/'
2915                      . dirname (variable_value ('TEXINFO_TEX')));
2916     }
2917   elsif (option 'cygnus')
2918     {
2919       $texinfodir = '$(top_srcdir)/../texinfo';
2920       define_variable ('TEXINFO_TEX', "$texinfodir/texinfo.tex", INTERNAL);
2921     }
2922   elsif ($config_aux_dir_set_in_configure_in)
2923     {
2924       $texinfodir = $config_aux_dir;
2925       define_variable ('TEXINFO_TEX', "$texinfodir/texinfo.tex", INTERNAL);
2926       $need_texi_file = 2; # so that we require_conf_file later
2927     }
2928   else
2929     {
2930       $texinfodir = '$(srcdir)';
2931       $need_texi_file = 1;
2932     }
2933   define_variable ('am__TEXINFO_TEX_DIR', $texinfodir, INTERNAL);
2934
2935   push (@dist_targets, 'dist-info');
2936
2937   if (! option 'no-installinfo')
2938     {
2939       # Make sure documentation is made and installed first.  Use
2940       # $(INFO_DEPS), not 'info', because otherwise recursive makes
2941       # get run twice during "make all".
2942       unshift (@all, '$(INFO_DEPS)');
2943     }
2944
2945   define_files_variable ("DVIS", @infobase, 'dvi', INTERNAL);
2946   define_files_variable ("PDFS", @infobase, 'pdf', INTERNAL);
2947   define_files_variable ("PSS", @infobase, 'ps', INTERNAL);
2948   define_files_variable ("HTMLS", @infobase, 'html', INTERNAL);
2949
2950   # This next isn't strictly needed now -- the places that look here
2951   # could easily be changed to look in info_TEXINFOS.  But this is
2952   # probably better, in case noinst_TEXINFOS is ever supported.
2953   define_variable ("TEXINFOS", variable_value ('info_TEXINFOS'), INTERNAL);
2954
2955   # Do some error checking.  Note that this file is not required
2956   # when in Cygnus mode; instead we defined TEXINFO_TEX explicitly
2957   # up above.
2958   if ($need_texi_file && ! option 'no-texinfo.tex')
2959     {
2960       if ($need_texi_file > 1)
2961         {
2962           require_conf_file_with_macro (TRUE, 'info_TEXINFOS', FOREIGN,
2963                                         'texinfo.tex');
2964         }
2965       else
2966         {
2967           require_file_with_macro (TRUE, 'info_TEXINFOS', FOREIGN,
2968                                    'texinfo.tex');
2969         }
2970     }
2971
2972   return makefile_wrap ("", "\t  ", @texi_cleans);
2973 }
2974
2975
2976 # handle_texinfo ()
2977 # -----------------
2978 # Handle all Texinfo source.
2979 sub handle_texinfo ()
2980 {
2981   reject_var 'TEXINFOS', "`TEXINFOS' is an anachronism; use `info_TEXINFOS'";
2982   # FIXME: I think this is an obsolete future feature name.
2983   reject_var 'html_TEXINFOS', "HTML generation not yet supported";
2984
2985   my $info_texinfos = var ('info_TEXINFOS');
2986   my $texiclean = "";
2987   if ($info_texinfos)
2988     {
2989       $texiclean = handle_texinfo_helper ($info_texinfos);
2990     }
2991   $output_rules .=  file_contents ('texinfos',
2992                                    new Automake::Location,
2993                                    TEXICLEAN     => $texiclean,
2994                                    'LOCAL-TEXIS' => !!$info_texinfos);
2995 }
2996
2997
2998 # Handle any man pages.
2999 sub handle_man_pages
3000 {
3001   reject_var 'MANS', "`MANS' is an anachronism; use `man_MANS'";
3002
3003   # Find all the sections in use.  We do this by first looking for
3004   # "standard" sections, and then looking for any additional
3005   # sections used in man_MANS.
3006   my (%sections, %vlist);
3007   # We handle nodist_ for uniformity.  man pages aren't distributed
3008   # by default so it isn't actually very important.
3009   foreach my $pfx ('', 'dist_', 'nodist_')
3010     {
3011       # Add more sections as needed.
3012       foreach my $section ('0'..'9', 'n', 'l')
3013         {
3014           my $varname = $pfx . 'man' . $section . '_MANS';
3015           if (var ($varname))
3016             {
3017               $sections{$section} = 1;
3018               $varname = '$(' . $varname . ')';
3019               $vlist{$varname} = 1;
3020
3021               &push_dist_common ($varname)
3022                 if $pfx eq 'dist_';
3023             }
3024         }
3025
3026       my $varname = $pfx . 'man_MANS';
3027       my $var = var ($varname);
3028       if ($var)
3029         {
3030           foreach ($var->value_as_list_recursive)
3031             {
3032               # A page like `foo.1c' goes into man1dir.
3033               if (/\.([0-9a-z])([a-z]*)$/)
3034                 {
3035                   $sections{$1} = 1;
3036                 }
3037             }
3038
3039           $varname = '$(' . $varname . ')';
3040           $vlist{$varname} = 1;
3041           &push_dist_common ($varname)
3042             if $pfx eq 'dist_';
3043         }
3044     }
3045
3046   return unless %sections;
3047
3048   # Now for each section, generate an install and uninstall rule.
3049   # Sort sections so output is deterministic.
3050   foreach my $section (sort keys %sections)
3051     {
3052       $output_rules .= &file_contents ('mans',
3053                                        new Automake::Location,
3054                                        SECTION => $section);
3055     }
3056
3057   my @mans = sort keys %vlist;
3058   $output_vars .= file_contents ('mans-vars',
3059                                  new Automake::Location,
3060                                  MANS => "@mans");
3061
3062   push (@all, '$(MANS)')
3063     unless option 'no-installman';
3064 }
3065
3066 # Handle DATA variables.
3067 sub handle_data
3068 {
3069     &am_install_var ('-noextra', '-candist', 'data', 'DATA',
3070                      'data', 'sysconf', 'sharedstate', 'localstate',
3071                      'pkgdata', 'lisp', 'noinst', 'check');
3072 }
3073
3074 # Handle TAGS.
3075 sub handle_tags
3076 {
3077     my @tag_deps = ();
3078     my @ctag_deps = ();
3079     if (var ('SUBDIRS'))
3080     {
3081         $output_rules .= ("tags-recursive:\n"
3082                           . "\tlist=\'\$(SUBDIRS)\'; for subdir in \$\$list; do \\\n"
3083                           # Never fail here if a subdir fails; it
3084                           # isn't important.
3085                           . "\t  test \"\$\$subdir\" = . || (cd \$\$subdir"
3086                           . " && \$(MAKE) \$(AM_MAKEFLAGS) tags); \\\n"
3087                           . "\tdone\n");
3088         push (@tag_deps, 'tags-recursive');
3089         &depend ('.PHONY', 'tags-recursive');
3090
3091         $output_rules .= ("ctags-recursive:\n"
3092                           . "\tlist=\'\$(SUBDIRS)\'; for subdir in \$\$list; do \\\n"
3093                           # Never fail here if a subdir fails; it
3094                           # isn't important.
3095                           . "\t  test \"\$\$subdir\" = . || (cd \$\$subdir"
3096                           . " && \$(MAKE) \$(AM_MAKEFLAGS) ctags); \\\n"
3097                           . "\tdone\n");
3098         push (@ctag_deps, 'ctags-recursive');
3099         &depend ('.PHONY', 'ctags-recursive');
3100     }
3101
3102     if (&saw_sources_p (1)
3103         || var ('ETAGS_ARGS')
3104         || @tag_deps)
3105     {
3106         my @config;
3107         foreach my $spec (@config_headers)
3108         {
3109             my ($out, @ins) = split_config_file_spec ($spec);
3110             foreach my $in (@ins)
3111               {
3112                 # If the config header source is in this directory,
3113                 # require it.
3114                 push @config, basename ($in)
3115                   if $relative_dir eq dirname ($in);
3116               }
3117         }
3118         $output_rules .= &file_contents ('tags',
3119                                          new Automake::Location,
3120                                          CONFIG    => "@config",
3121                                          TAGSDIRS  => "@tag_deps",
3122                                          CTAGSDIRS => "@ctag_deps");
3123
3124         set_seen 'TAGS_DEPENDENCIES';
3125     }
3126     elsif (reject_var ('TAGS_DEPENDENCIES',
3127                        "doesn't make sense to define `TAGS_DEPENDENCIES'"
3128                        . "without\nsources or `ETAGS_ARGS'"))
3129     {
3130     }
3131     else
3132     {
3133         # Every Makefile must define some sort of TAGS rule.
3134         # Otherwise, it would be possible for a top-level "make TAGS"
3135         # to fail because some subdirectory failed.
3136         $output_rules .= "tags: TAGS\nTAGS:\n\n";
3137         # Ditto ctags.
3138         $output_rules .= "ctags: CTAGS\nCTAGS:\n\n";
3139     }
3140 }
3141
3142 # Handle multilib support.
3143 sub handle_multilib
3144 {
3145   if ($seen_multilib && $relative_dir eq '.')
3146     {
3147       $output_rules .= &file_contents ('multilib', new Automake::Location);
3148       push (@all, 'all-multi');
3149     }
3150 }
3151
3152
3153 # $BOOLEAN
3154 # &for_dist_common ($A, $B)
3155 # -------------------------
3156 # Subroutine for &handle_dist: sort files to dist.
3157 #
3158 # We put README first because it then becomes easier to make a
3159 # Usenet-compliant shar file (in these, README must be first).
3160 #
3161 # FIXME: do more ordering of files here.
3162 sub for_dist_common
3163 {
3164     return 0
3165         if $a eq $b;
3166     return -1
3167         if $a eq 'README';
3168     return 1
3169         if $b eq 'README';
3170     return $a cmp $b;
3171 }
3172
3173
3174 # handle_dist
3175 # -----------
3176 # Handle 'dist' target.
3177 sub handle_dist ()
3178 {
3179   return if option 'no-dist';
3180
3181   # At least one of the archive formats must be enabled.
3182   if ($relative_dir eq '.')
3183     {
3184       my $archive_defined = option 'no-dist-gzip' ? 0 : 1;
3185       $archive_defined ||=
3186         grep { option "dist-$_" } ('shar', 'zip', 'tarZ', 'bzip2');
3187       error (option 'no-dist-gzip',
3188              "no-dist-gzip specified but no dist-* specified, "
3189              . "at least one archive format must be enabled")
3190         unless $archive_defined;
3191     }
3192
3193   # Look for common files that should be included in distribution.
3194   # If the aux dir is set, and it does not have a Makefile.am, then
3195   # we check for these files there as well.
3196   my $check_aux = 0;
3197   my $auxdir = '';
3198   if ($relative_dir eq '.'
3199       && $config_aux_dir_set_in_configure_in)
3200     {
3201       ($auxdir = $config_aux_dir) =~ s,^\$\(top_srcdir\)/,,;
3202       if (! &is_make_dir ($auxdir))
3203         {
3204           $check_aux = 1;
3205         }
3206     }
3207   foreach my $cfile (@common_files)
3208     {
3209       if (-f ($relative_dir . "/" . $cfile)
3210           # The file might be absent, but if it can be built it's ok.
3211           || rule $cfile)
3212         {
3213           &push_dist_common ($cfile);
3214         }
3215
3216       # Don't use `elsif' here because a file might meaningfully
3217       # appear in both directories.
3218       if ($check_aux && -f ($auxdir . '/' . $cfile))
3219         {
3220           &push_dist_common ($auxdir . '/' . $cfile);
3221         }
3222     }
3223
3224   # We might copy elements from $configure_dist_common to
3225   # %dist_common if we think we need to.  If the file appears in our
3226   # directory, we would have discovered it already, so we don't
3227   # check that.  But if the file is in a subdir without a Makefile,
3228   # we want to distribute it here if we are doing `.'.  Ugly!
3229   if ($relative_dir eq '.')
3230     {
3231       foreach my $file (split (' ' , $configure_dist_common))
3232         {
3233           push_dist_common ($file)
3234             unless is_make_dir (dirname ($file));
3235         }
3236     }
3237
3238   # Files to distributed.  Don't use ->value_as_list_recursive
3239   # as it recursively expands `$(dist_pkgdata_DATA)' etc.
3240   my @dist_common = split (' ', rvar ('DIST_COMMON')->variable_value);
3241   @dist_common = uniq (sort for_dist_common (@dist_common));
3242   variable_delete 'DIST_COMMON';
3243   define_pretty_variable ('DIST_COMMON', TRUE, INTERNAL, @dist_common);
3244
3245   # Now that we've processed DIST_COMMON, disallow further attempts
3246   # to set it.
3247   $handle_dist_run = 1;
3248
3249   # Scan EXTRA_DIST to see if we need to distribute anything from a
3250   # subdir.  If so, add it to the list.  I didn't want to do this
3251   # originally, but there were so many requests that I finally
3252   # relented.
3253   my $extra_dist = var ('EXTRA_DIST');
3254   if ($extra_dist)
3255     {
3256       # FIXME: This should be fixed to work with conditions.  That
3257       # will require only making the entries in %dist_dirs under the
3258       # appropriate condition.  This is meaningful if the nature of
3259       # the distribution should depend upon the configure options
3260       # used.
3261       foreach ($extra_dist->value_as_list_recursive)
3262         {
3263           next if /^\@.*\@$/;
3264           next unless s,/+[^/]+$,,;
3265           $dist_dirs{$_} = 1
3266             unless $_ eq '.';
3267         }
3268     }
3269
3270   # We have to check DIST_COMMON for extra directories in case the
3271   # user put a source used in AC_OUTPUT into a subdir.
3272   my $topsrcdir = backname ($relative_dir);
3273   foreach (rvar ('DIST_COMMON')->value_as_list_recursive)
3274     {
3275       next if /^\@.*\@$/;
3276       s/\$\(top_srcdir\)/$topsrcdir/;
3277       s/\$\(srcdir\)/./;
3278       # Strip any leading `./'.
3279       s,^(:?\./+)*,,;
3280       next unless s,/+[^/]+$,,;
3281       $dist_dirs{$_} = 1
3282         unless $_ eq '.';
3283     }
3284
3285   # Rule to check whether a distribution is viable.
3286   my %transform = ('DISTCHECK-HOOK' => !! rule 'distcheck-hook',
3287                    'GETTEXT' => $seen_gettext && !$seen_gettext_external);
3288
3289   # Prepend $(distdir) to each directory given.
3290   my %rewritten = map { '$(distdir)/' . "$_" => 1 } keys %dist_dirs;
3291   $transform{'DISTDIRS'} = join (' ', sort keys %rewritten);
3292
3293   # If we have SUBDIRS, create all dist subdirectories and do
3294   # recursive build.
3295   my $subdirs = var ('SUBDIRS');
3296   if ($subdirs)
3297     {
3298       # If SUBDIRS is conditionally defined, then set DIST_SUBDIRS
3299       # to all possible directories, and use it.  If DIST_SUBDIRS is
3300       # defined, just use it.
3301       my $dist_subdir_name;
3302       # Note that we check DIST_SUBDIRS first on purpose, so that
3303       # we don't call has_conditional_contents for now reason.
3304       # (In the past one project used so many conditional subdirectories
3305       # that calling has_conditional_contents on SUBDIRS caused
3306       # automake to grow to 150Mb -- this should not happen with
3307       # the current implementation of has_conditional_contents,
3308       # but it's more efficient to avoid the call anyway.)
3309       if (var ('DIST_SUBDIRS'))
3310         {
3311           $dist_subdir_name = 'DIST_SUBDIRS';
3312         }
3313       elsif ($subdirs->has_conditional_contents)
3314         {
3315           $dist_subdir_name = 'DIST_SUBDIRS';
3316           define_pretty_variable
3317             ('DIST_SUBDIRS', TRUE, INTERNAL,
3318              uniq ($subdirs->value_as_list_recursive));
3319         }
3320       else
3321         {
3322           $dist_subdir_name = 'SUBDIRS';
3323           # We always define this because that is what `distclean'
3324           # wants.
3325           define_pretty_variable ('DIST_SUBDIRS', TRUE, INTERNAL,
3326                                   '$(SUBDIRS)');
3327         }
3328
3329       $transform{'DIST_SUBDIR_NAME'} = $dist_subdir_name;
3330     }
3331
3332   # If the target `dist-hook' exists, make sure it is run.  This
3333   # allows users to do random weird things to the distribution
3334   # before it is packaged up.
3335   push (@dist_targets, 'dist-hook')
3336     if rule 'dist-hook';
3337   $transform{'DIST-TARGETS'} = join(' ', @dist_targets);
3338
3339   $output_rules .= &file_contents ('distdir',
3340                                    new Automake::Location,
3341                                    %transform);
3342 }
3343
3344
3345 # &handle_subdirs ()
3346 # ------------------
3347 # Handle subdirectories.
3348 sub handle_subdirs ()
3349 {
3350   my $subdirs = var ('SUBDIRS');
3351   return
3352     unless $subdirs;
3353
3354   my @subdirs = $subdirs->value_as_list_recursive;
3355   my @dsubdirs = ();
3356   my $dsubdirs = var ('DIST_SUBDIRS');
3357   @dsubdirs = $dsubdirs->value_as_list_recursive
3358     if $dsubdirs;
3359
3360   # If an `obj/' directory exists, BSD make will enter it before
3361   # reading `Makefile'.  Hence the `Makefile' in the current directory
3362   # will not be read.
3363   #
3364   #  % cat Makefile
3365   #  all:
3366   #          echo Hello
3367   #  % cat obj/Makefile
3368   #  all:
3369   #          echo World
3370   #  % make      # GNU make
3371   #  echo Hello
3372   #  Hello
3373   #  % pmake     # BSD make
3374   #  echo World
3375   #  World
3376   msg_var ('portability', 'SUBDIRS',
3377            "naming a subdirectory `obj' causes troubles with BSD make")
3378     if grep ($_ eq 'obj', @subdirs);
3379   msg_var ('portability', 'DIST_SUBDIRS',
3380            "naming a subdirectory `obj' causes troubles with BSD make")
3381     if grep ($_ eq 'obj', @dsubdirs);
3382
3383   # Make sure each directory mentioned in SUBDIRS actually exists.
3384   foreach my $dir (@subdirs)
3385     {
3386       # Skip directories substituted by configure.
3387       next if $dir =~ /^\@.*\@$/;
3388
3389       if (! -d $relative_dir . '/' . $dir)
3390         {
3391           err_var ('SUBDIRS', "required directory $relative_dir/$dir "
3392                    . "does not exist");
3393           next;
3394         }
3395
3396       err_var 'SUBDIRS', "directory should not contain `/'"
3397         if $dir =~ /\//;
3398     }
3399
3400   $output_rules .= &file_contents ('subdirs', new Automake::Location);
3401   rvar ('RECURSIVE_TARGETS')->rdef (TRUE)->{'pretty'} = VAR_SORTED; # Gross!
3402 }
3403
3404
3405 # ($REGEN, @DEPENDENCIES)
3406 # &scan_aclocal_m4
3407 # ----------------
3408 # If aclocal.m4 creation is automated, return the list of its dependencies.
3409 sub scan_aclocal_m4 ()
3410 {
3411   my $regen_aclocal = 0;
3412
3413   set_seen 'CONFIG_STATUS_DEPENDENCIES';
3414   set_seen 'CONFIGURE_DEPENDENCIES';
3415
3416   if (-f 'aclocal.m4')
3417     {
3418       &define_variable ("ACLOCAL_M4", '$(top_srcdir)/aclocal.m4', INTERNAL);
3419
3420       my $aclocal = new Automake::XFile "< aclocal.m4";
3421       my $line = $aclocal->getline;
3422       $regen_aclocal = $line =~ 'generated automatically by aclocal';
3423     }
3424
3425   my @ac_deps = ();
3426
3427   if (set_seen ('ACLOCAL_M4_SOURCES'))
3428     {
3429       push (@ac_deps, '$(ACLOCAL_M4_SOURCES)');
3430       msg_var ('obsolete', 'ACLOCAL_M4_SOURCES',
3431                "`ACLOCAL_M4_SOURCES' is obsolete.\n"
3432                . "It should be safe to simply remove it.");
3433     }
3434
3435   # Note that it might be possible that aclocal.m4 doesn't exist but
3436   # should be auto-generated.  This case probably isn't very
3437   # important.
3438
3439   return ($regen_aclocal, @ac_deps);
3440 }
3441
3442
3443 # @DEPENDENCIES
3444 # &prepend_srcdir (@INPUTS)
3445 # -------------------------
3446 # Prepend $(srcdir) or $(top_srcdir) to all @INPUTS.  The idea is that
3447 # if an input file has a directory part the same as the current
3448 # directory, then the directory part is simply replaced by $(srcdir).
3449 # But if the directory part is different, then $(top_srcdir) is
3450 # prepended.
3451 sub prepend_srcdir (@)
3452 {
3453   my (@inputs) = @_;
3454   my @newinputs;
3455
3456   foreach my $single (@inputs)
3457     {
3458       if (dirname ($single) eq $relative_dir)
3459         {
3460           push (@newinputs, '$(srcdir)/' . basename ($single));
3461         }
3462       else
3463         {
3464           push (@newinputs, '$(top_srcdir)/' . $single);
3465         }
3466     }
3467   return @newinputs;
3468 }
3469
3470 # @DEPENDENCIES
3471 # rewrite_inputs_into_dependencies ($OUTPUT, @INPUTS)
3472 # ---------------------------------------------------
3473 # Compute a list of dependencies appropriate for the rebuild
3474 # rule of
3475 #   AC_CONFIG_FILES($OUTPUT:$INPUT[0]:$INPUTS[1]:...)
3476 # Also distribute $INPUTs which are not build by another AC_CONFIG_FILES.
3477 sub rewrite_inputs_into_dependencies ($@)
3478 {
3479   my ($file, @inputs) = @_;
3480   my @res = ();
3481
3482   for my $i (@inputs)
3483     {
3484       if (exists $ac_config_files_location{$i})
3485         {
3486           if (dirname ($i) eq $relative_dir)
3487             {
3488               $i = basename $i;
3489             }
3490           else
3491             {
3492               $i = '$(top_builddir)/' . $i;
3493             }
3494         }
3495       else
3496         {
3497           msg ('error', $ac_config_files_location{$file},
3498                "required file `$i' not found")
3499             unless exists $output_files{$i} || -f $i;
3500           ($i) = prepend_srcdir ($i);
3501           push_dist_common ($i);
3502         }
3503       push @res, $i;
3504     }
3505   return @res;
3506 }
3507
3508
3509
3510 # &handle_configure ($MAKEFILE_AM, $MAKEFILE_IN, $MAKEFILE, @INPUTS)
3511 # ------------------------------------------------------------------
3512 # Handle remaking and configure stuff.
3513 # We need the name of the input file, to do proper remaking rules.
3514 sub handle_configure ($$$@)
3515 {
3516   my ($makefile_am, $makefile_in, $makefile, @inputs) = @_;
3517
3518   prog_error 'empty @inputs'
3519     unless @inputs;
3520
3521   my ($rel_makefile_am, $rel_makefile_in) = prepend_srcdir ($makefile_am,
3522                                                             $makefile_in);
3523   my $rel_makefile = basename $makefile;
3524
3525   my $colon_infile = ':' . join (':', @inputs);
3526   $colon_infile = '' if $colon_infile eq ":$makefile.in";
3527   my @rewritten = rewrite_inputs_into_dependencies ($makefile, @inputs);
3528   my ($regen_aclocal_m4, @aclocal_m4_deps) = scan_aclocal_m4;
3529   define_pretty_variable ('am__aclocal_m4_deps', TRUE, INTERNAL,
3530                           @configure_deps, @aclocal_m4_deps,
3531                           '$(top_srcdir)/' . $configure_ac);
3532   my @configuredeps = ('$(am__aclocal_m4_deps)', '$(CONFIGURE_DEPENDENCIES)');
3533   push @configuredeps, '$(ACLOCAL_M4)' if -f 'aclocal.m4';
3534   define_pretty_variable ('am__configure_deps', TRUE, INTERNAL,
3535                           @configuredeps);
3536
3537   $output_rules .= file_contents
3538     ('configure',
3539      new Automake::Location,
3540      MAKEFILE              => $rel_makefile,
3541      'MAKEFILE-DEPS'       => "@rewritten",
3542      'CONFIG-MAKEFILE'     => ($relative_dir eq '.') ? '$@' : '$(subdir)/$@',
3543      'MAKEFILE-IN'         => $rel_makefile_in,
3544      'MAKEFILE-IN-DEPS'    => "@include_stack",
3545      'MAKEFILE-AM'         => $rel_makefile_am,
3546      STRICTNESS            => global_option 'cygnus'
3547                                 ? 'cygnus' : $strictness_name,
3548      'USE-DEPS'            => global_option 'no-dependencies'
3549                                 ? ' --ignore-deps' : '',
3550      'MAKEFILE-AM-SOURCES' => "$makefile$colon_infile",
3551      'REGEN-ACLOCAL-M4'    => $regen_aclocal_m4);
3552
3553   if ($relative_dir eq '.')
3554     {
3555       &push_dist_common ('acconfig.h')
3556         if -f 'acconfig.h';
3557     }
3558
3559   # If we have a configure header, require it.
3560   my $hdr_index = 0;
3561   my @distclean_config;
3562   foreach my $spec (@config_headers)
3563     {
3564       $hdr_index += 1;
3565       # $CONFIG_H_PATH: config.h from top level.
3566       my ($config_h_path, @ins) = split_config_file_spec ($spec);
3567       my $config_h_dir = dirname ($config_h_path);
3568
3569       # If the header is in the current directory we want to build
3570       # the header here.  Otherwise, if we're at the topmost
3571       # directory and the header's directory doesn't have a
3572       # Makefile, then we also want to build the header.
3573       if ($relative_dir eq $config_h_dir
3574           || ($relative_dir eq '.' && ! &is_make_dir ($config_h_dir)))
3575         {
3576           my ($cn_sans_dir, $stamp_dir);
3577           if ($relative_dir eq $config_h_dir)
3578             {
3579               $cn_sans_dir = basename ($config_h_path);
3580               $stamp_dir = '';
3581             }
3582           else
3583             {
3584               $cn_sans_dir = $config_h_path;
3585               if ($config_h_dir eq '.')
3586                 {
3587                   $stamp_dir = '';
3588                 }
3589               else
3590                 {
3591                   $stamp_dir = $config_h_dir . '/';
3592                 }
3593             }
3594
3595           # Distribute all inputs.
3596           for my $in (@ins)
3597             {
3598               error $config_header_location, "required file `$in' not found"
3599                 unless -f $in;
3600               push_dist_common (prepend_srcdir ($in));
3601             }
3602           @ins = prepend_srcdir (@ins);
3603
3604           # Header defined and in this directory.
3605           my @files;
3606           if (-f $config_h_path . '.top')
3607             {
3608               push (@files, "$cn_sans_dir.top");
3609             }
3610           if (-f $config_h_path . '.bot')
3611             {
3612               push (@files, "$cn_sans_dir.bot");
3613             }
3614
3615           push_dist_common (@files);
3616
3617           # For now, acconfig.h can only appear in the top srcdir.
3618           if (-f 'acconfig.h')
3619             {
3620               push (@files, '$(top_srcdir)/acconfig.h');
3621             }
3622
3623           my $stamp = "${stamp_dir}stamp-h${hdr_index}";
3624           $output_rules .=
3625             file_contents ('remake-hdr',
3626                            new Automake::Location,
3627                            FILES            => "@files",
3628                            CONFIG_H         => $cn_sans_dir,
3629                            CONFIG_HIN       => $ins[0],
3630                            CONFIG_H_DEPS    => "@ins",
3631                            CONFIG_H_PATH    => $config_h_path,
3632                            FIRST_CONFIG_HIN => ($hdr_index == 1),
3633                            STAMP            => "$stamp");
3634
3635           push @distclean_config, $cn_sans_dir, $stamp;
3636         }
3637     }
3638
3639   $output_rules .= file_contents ('clean-hdr',
3640                                   new Automake::Location,
3641                                   FILES => "@distclean_config")
3642     if @distclean_config;
3643
3644   # Distribute and define mkinstalldirs only if it is already present
3645   # in the package, for backward compatibility (some people my still
3646   # use $(mkinstalldirs)).
3647   my $mkidpath = $config_aux_path[0] . '/mkinstalldirs';
3648   if (-f $mkidpath)
3649     {
3650       # Use require_file so that any existingscript gets updated
3651       # by --force-missing.
3652       require_conf_file ($mkidpath, FOREIGN, 'mkinstalldirs');
3653       define_variable ('mkinstalldirs',
3654                        "\$(SHELL) $config_aux_dir/mkinstalldirs", INTERNAL);
3655     }
3656   else
3657     {
3658       define_variable ('mkinstalldirs', '$(mkdir_p)', INTERNAL);
3659     }
3660
3661   reject_var ('CONFIG_HEADER',
3662               "`CONFIG_HEADER' is an anachronism; now determined "
3663               . "automatically\nfrom `$configure_ac'");
3664
3665   my @config_h;
3666   foreach my $spec (@config_headers)
3667     {
3668       my ($out, @ins) = split_config_file_spec ($spec);
3669       # Generate CONFIG_HEADER define.
3670       if ($relative_dir eq dirname ($out))
3671         {
3672           push @config_h, basename ($out);
3673         }
3674       else
3675         {
3676           push @config_h, "\$(top_builddir)/$out";
3677         }
3678     }
3679   define_variable ("CONFIG_HEADER", "@config_h", INTERNAL)
3680     if @config_h;
3681
3682   # Now look for other files in this directory which must be remade
3683   # by config.status, and generate rules for them.
3684   my @actual_other_files = ();
3685   foreach my $lfile (@other_input_files)
3686     {
3687       my $file;
3688       my @inputs;
3689       if ($lfile =~ /^([^:]*):(.*)$/)
3690         {
3691           # This is the ":" syntax of AC_OUTPUT.
3692           $file = $1;
3693           @inputs = split (':', $2);
3694         }
3695       else
3696         {
3697           # Normal usage.
3698           $file = $lfile;
3699           @inputs = $file . '.in';
3700         }
3701
3702       # Automake files should not be stored in here, but in %MAKE_LIST.
3703       prog_error ("$lfile in \@other_input_files\n"
3704                   . "\@other_input_files = (@other_input_files)")
3705         if -f $file . '.am';
3706
3707       my $local = basename ($file);
3708
3709       # Make sure the dist directory for each input file is created.
3710       # We only have to do this at the topmost level though.  This
3711       # is a bit ugly but it easier than spreading out the logic,
3712       # especially in cases like AC_OUTPUT(foo/out:bar/in), where
3713       # there is no Makefile in bar/.
3714       if ($relative_dir eq '.')
3715         {
3716           foreach (@inputs)
3717             {
3718               $dist_dirs{dirname ($_)} = 1;
3719             }
3720         }
3721
3722       # We skip files that aren't in this directory.  However, if
3723       # the file's directory does not have a Makefile, and we are
3724       # currently doing `.', then we create a rule to rebuild the
3725       # file in the subdir.
3726       my $fd = dirname ($file);
3727       if ($fd ne $relative_dir)
3728         {
3729           if ($relative_dir eq '.' && ! &is_make_dir ($fd))
3730             {
3731               $local = $file;
3732             }
3733           else
3734             {
3735               next;
3736             }
3737         }
3738
3739       my @rewritten_inputs = rewrite_inputs_into_dependencies ($file, @inputs);
3740
3741       $output_rules .= ($local . ': '
3742                         . '$(top_builddir)/config.status '
3743                         . "@rewritten_inputs\n"
3744                         . "\t"
3745                         . 'cd $(top_builddir) && '
3746                         . '$(SHELL) ./config.status '
3747                         . ($relative_dir eq '.' ? '' : '$(subdir)/')
3748                         . '$@'
3749                         . "\n");
3750       push (@actual_other_files, $local);
3751     }
3752
3753   foreach my $struct (@config_links)
3754     {
3755       my ($spec, $where) = @$struct;
3756       my ($link, $file) = split /:/, $spec;
3757
3758       # We skip links that aren't in this directory.  However, if
3759       # the link's directory does not have a Makefile, and we are
3760       # currently doing `.', then we add the link to CONFIG_CLEAN_FILES
3761       # in `.'s Makefile.in.
3762       my $local = basename ($link);
3763       my $fd = dirname ($link);
3764       if ($fd ne $relative_dir)
3765         {
3766           if ($relative_dir eq '.' && ! &is_make_dir ($fd))
3767             {
3768               $local = $link;
3769             }
3770           else
3771             {
3772               $local = undef;
3773             }
3774         }
3775
3776       push @actual_other_files, $local if $local;
3777
3778       $local = basename ($file);
3779       $fd = dirname ($file);
3780
3781       # Make sure the dist directory for each input file is created.
3782       # We only have to do this at the topmost level though.
3783       if ($relative_dir eq '.')
3784         {
3785           $dist_dirs{$fd} = 1;
3786         }
3787
3788       # We skip files that aren't in this directory.  However, if
3789       # the files's directory does not have a Makefile, and we are
3790       # currently doing `.', then we require the file from `.'.
3791       if ($fd ne $relative_dir)
3792         {
3793           if ($relative_dir eq '.' && ! &is_make_dir ($fd))
3794             {
3795               $local = $file;
3796             }
3797           else
3798             {
3799               next;
3800             }
3801         }
3802
3803       # Require all input files.
3804       require_file ($where, FOREIGN, $local);
3805   }
3806
3807   # These files get removed by "make distclean".
3808   define_pretty_variable ('CONFIG_CLEAN_FILES', TRUE, INTERNAL,
3809                           @actual_other_files);
3810 }
3811
3812 # Handle C headers.
3813 sub handle_headers
3814 {
3815     my @r = &am_install_var ('-defaultdist', 'header', 'HEADERS', 'include',
3816                              'oldinclude', 'pkginclude',
3817                              'noinst', 'check');
3818     foreach (@r)
3819     {
3820       next unless $_->[1] =~ /\..*$/;
3821       &saw_extension ($&);
3822     }
3823 }
3824
3825 sub handle_gettext
3826 {
3827   return if ! $seen_gettext || $relative_dir ne '.';
3828
3829   my $subdirs = var 'SUBDIRS';
3830
3831   if (! $subdirs)
3832     {
3833       err_ac "AM_GNU_GETTEXT used but SUBDIRS not defined";
3834       return;
3835     }
3836
3837   # Perform some sanity checks to help users get the right setup.
3838   # We disable these tests when po/ doesn't exist in order not to disallow
3839   # unusual gettext setups.
3840   #
3841   # Bruno Haible:
3842   # | The idea is:
3843   # |
3844   # |  1) If a package doesn't have a directory po/ at top level, it
3845   # |     will likely have multiple po/ directories in subpackages.
3846   # |
3847   # |  2) It is useful to warn for the absence of intl/ if AM_GNU_GETTEXT
3848   # |     is used without 'external'. It is also useful to warn for the
3849   # |     presence of intl/ if AM_GNU_GETTEXT([external]) is used. Both
3850   # |     warnings apply only to the usual layout of packages, therefore
3851   # |     they should both be disabled if no po/ directory is found at
3852   # |     top level.
3853
3854   if (-d 'po')
3855     {
3856       my @subdirs = $subdirs->value_as_list_recursive;
3857
3858       msg_var ('syntax', $subdirs,
3859                "AM_GNU_GETTEXT used but `po' not in SUBDIRS")
3860         if ! grep ($_ eq 'po', @subdirs);
3861
3862       # intl/ is not required when AM_GNU_GETTEXT is called with
3863       # the `external' option.
3864       msg_var ('syntax', $subdirs,
3865                "AM_GNU_GETTEXT used but `intl' not in SUBDIRS")
3866         if (! $seen_gettext_external
3867             && ! grep ($_ eq 'intl', @subdirs));
3868
3869       # intl/ should not be used with AM_GNU_GETTEXT([external])
3870       msg_var ('syntax', $subdirs,
3871                "`intl' should not be in SUBDIRS when "
3872                . "AM_GNU_GETTEXT([external]) is used")
3873         if ($seen_gettext_external && grep ($_ eq 'intl', @subdirs));
3874     }
3875
3876   require_file ($ac_gettext_location, GNU, 'ABOUT-NLS');
3877 }
3878
3879 # Handle footer elements.
3880 sub handle_footer
3881 {
3882     # NOTE don't use define_pretty_variable here, because
3883     # $contents{...} is already defined.
3884     $output_vars .= 'SOURCES = ' . variable_value ('SOURCES') . "\n\n"
3885       if variable_value ('SOURCES');
3886
3887     reject_rule ('.SUFFIXES',
3888                  "use variable `SUFFIXES', not target `.SUFFIXES'");
3889
3890     # Note: AIX 4.1 /bin/make will fail if any suffix rule appears
3891     # before .SUFFIXES.  So we make sure that .SUFFIXES appears before
3892     # anything else, by sticking it right after the default: target.
3893     $output_header .= ".SUFFIXES:\n";
3894     my $suffixes = var 'SUFFIXES';
3895     my @suffixes = Automake::Rule::suffixes;
3896     if (@suffixes || $suffixes)
3897     {
3898         # Make sure SUFFIXES has unique elements.  Sort them to ensure
3899         # the output remains consistent.  However, $(SUFFIXES) is
3900         # always at the start of the list, unsorted.  This is done
3901         # because make will choose rules depending on the ordering of
3902         # suffixes, and this lets the user have some control.  Push
3903         # actual suffixes, and not $(SUFFIXES).  Some versions of make
3904         # do not like variable substitutions on the .SUFFIXES line.
3905         my @user_suffixes = ($suffixes
3906                              ? $suffixes->value_as_list_recursive : ());
3907
3908         my %suffixes = map { $_ => 1 } @suffixes;
3909         delete @suffixes{@user_suffixes};
3910
3911         $output_header .= (".SUFFIXES: "
3912                            . join (' ', @user_suffixes, sort keys %suffixes)
3913                            . "\n");
3914     }
3915
3916     $output_trailer .= file_contents ('footer', new Automake::Location);
3917 }
3918
3919
3920 # Generate `make install' rules.
3921 sub handle_install ()
3922 {
3923   $output_rules .= &file_contents
3924     ('install',
3925      new Automake::Location,
3926      maybe_BUILT_SOURCES => (set_seen ('BUILT_SOURCES')
3927                              ? (" \$(BUILT_SOURCES)\n"
3928                                 . "\t\$(MAKE) \$(AM_MAKEFLAGS)")
3929                              : ''),
3930      'installdirs-local' => (rule 'installdirs-local'
3931                              ? ' installdirs-local' : ''),
3932      am__installdirs => variable_value ('am__installdirs') || '');
3933 }
3934
3935
3936 # Deal with all and all-am.
3937 sub handle_all ($)
3938 {
3939     my ($makefile) = @_;
3940
3941     # Output `all-am'.
3942
3943     # Put this at the beginning for the sake of non-GNU makes.  This
3944     # is still wrong if these makes can run parallel jobs.  But it is
3945     # right enough.
3946     unshift (@all, basename ($makefile));
3947
3948     foreach my $spec (@config_headers)
3949       {
3950         my ($out, @ins) = split_config_file_spec ($spec);
3951         push (@all, basename ($out))
3952           if dirname ($out) eq $relative_dir;
3953       }
3954
3955     # Install `all' hooks.
3956     if (rule "all-local")
3957     {
3958       push (@all, "all-local");
3959       &depend ('.PHONY', "all-local");
3960     }
3961
3962     &pretty_print_rule ("all-am:", "\t\t", @all);
3963     &depend ('.PHONY', 'all-am', 'all');
3964
3965
3966     # Output `all'.
3967
3968     my @local_headers = ();
3969     push @local_headers, '$(BUILT_SOURCES)'
3970       if var ('BUILT_SOURCES');
3971     foreach my $spec (@config_headers)
3972       {
3973         my ($out, @ins) = split_config_file_spec ($spec);
3974         push @local_headers, basename ($out)
3975           if dirname ($out) eq $relative_dir;
3976       }
3977
3978     if (@local_headers)
3979       {
3980         # We need to make sure config.h is built before we recurse.
3981         # We also want to make sure that built sources are built
3982         # before any ordinary `all' targets are run.  We can't do this
3983         # by changing the order of dependencies to the "all" because
3984         # that breaks when using parallel makes.  Instead we handle
3985         # things explicitly.
3986         $output_all .= ("all: @local_headers"
3987                         . "\n\t"
3988                         . '$(MAKE) $(AM_MAKEFLAGS) '
3989                         . (var ('SUBDIRS') ? 'all-recursive' : 'all-am')
3990                         . "\n\n");
3991       }
3992     else
3993       {
3994         $output_all .= "all: " . (var ('SUBDIRS')
3995                                   ? 'all-recursive' : 'all-am') . "\n\n";
3996       }
3997 }
3998
3999
4000 # &do_check_merge_target ()
4001 # -------------------------
4002 # Handle check merge target specially.
4003 sub do_check_merge_target ()
4004 {
4005   if (rule 'check-local')
4006     {
4007       # User defined local form of target.  So include it.
4008       push @check_tests, 'check-local';
4009       depend '.PHONY', 'check-local';
4010     }
4011
4012   # In --cygnus mode, check doesn't depend on all.
4013   if (option 'cygnus')
4014     {
4015       # Just run the local check rules.
4016       pretty_print_rule ('check-am:', "\t\t", @check);
4017     }
4018   else
4019     {
4020       # The check target must depend on the local equivalent of
4021       # `all', to ensure all the primary targets are built.  Then it
4022       # must build the local check rules.
4023       $output_rules .= "check-am: all-am\n";
4024       pretty_print_rule ("\t\$(MAKE) \$(AM_MAKEFLAGS)", "\t  ",
4025                          @check)
4026         if @check;
4027     }
4028   pretty_print_rule ("\t\$(MAKE) \$(AM_MAKEFLAGS)", "\t  ",
4029                      @check_tests)
4030     if @check_tests;
4031
4032   depend '.PHONY', 'check', 'check-am';
4033   # Handle recursion.  We have to honor BUILT_SOURCES like for `all:'.
4034   $output_rules .= ("check: "
4035                     . (var ('BUILT_SOURCES')
4036                        ? "\$(BUILT_SOURCES)\n\t\$(MAKE) \$(AM_MAKEFLAGS) "
4037                        : '')
4038                     . (var ('SUBDIRS') ? 'check-recursive' : 'check-am')
4039                     . "\n");
4040 }
4041
4042 # handle_clean ($MAKEFILE)
4043 # ------------------------
4044 # Handle all 'clean' targets.
4045 sub handle_clean ($)
4046 {
4047   my ($makefile) = @_;
4048
4049   # Clean the files listed in user variables if they exist.
4050   $clean_files{'$(MOSTLYCLEANFILES)'} = MOSTLY_CLEAN
4051     if var ('MOSTLYCLEANFILES');
4052   $clean_files{'$(CLEANFILES)'} = CLEAN
4053     if var ('CLEANFILES');
4054   $clean_files{'$(DISTCLEANFILES)'} = DIST_CLEAN
4055     if var ('DISTCLEANFILES');
4056   $clean_files{'$(MAINTAINERCLEANFILES)'} = MAINTAINER_CLEAN
4057     if var ('MAINTAINERCLEANFILES');
4058
4059   # Built sources are automatically removed by maintainer-clean.
4060   $clean_files{'$(BUILT_SOURCES)'} = MAINTAINER_CLEAN
4061     if var ('BUILT_SOURCES');
4062
4063   # Compute a list of "rm"s to run for each target.
4064   my %rms = (MOSTLY_CLEAN, [],
4065              CLEAN, [],
4066              DIST_CLEAN, [],
4067              MAINTAINER_CLEAN, []);
4068
4069   foreach my $file (keys %clean_files)
4070     {
4071       my $when = $clean_files{$file};
4072       prog_error 'invalid entry in %clean_files'
4073         unless exists $rms{$when};
4074
4075       my $rm = "rm -f $file";
4076       # If file is a variable, make sure when don't call `rm -f' without args.
4077       $rm ="test -z \"$file\" || $rm"
4078         if ($file =~ /^\s*\$(\(.*\)|\{.*\})\s*$/);
4079
4080       push @{$rms{$when}}, "\t-$rm\n";
4081     }
4082
4083   $output_rules .= &file_contents
4084     ('clean',
4085      new Automake::Location,
4086      MOSTLYCLEAN_RMS      => join ('', @{$rms{&MOSTLY_CLEAN}}),
4087      CLEAN_RMS            => join ('', @{$rms{&CLEAN}}),
4088      DISTCLEAN_RMS        => join ('', @{$rms{&DIST_CLEAN}}),
4089      MAINTAINER_CLEAN_RMS => join ('', @{$rms{&MAINTAINER_CLEAN}}),
4090      MAKEFILE             => basename $makefile,
4091      );
4092 }
4093
4094
4095 # &target_cmp ($A, $B)
4096 # --------------------
4097 # Subroutine for &handle_factored_dependencies to let `.PHONY' be last.
4098 sub target_cmp
4099 {
4100     return 0
4101         if $a eq $b;
4102     return -1
4103         if $b eq '.PHONY';
4104     return 1
4105         if $a eq '.PHONY';
4106     return $a cmp $b;
4107 }
4108
4109
4110 # &handle_factored_dependencies ()
4111 # --------------------------------
4112 # Handle everything related to gathered targets.
4113 sub handle_factored_dependencies
4114 {
4115   # Reject bad hooks.
4116   foreach my $utarg ('uninstall-data-local', 'uninstall-data-hook',
4117                      'uninstall-exec-local', 'uninstall-exec-hook')
4118     {
4119       my $x = $utarg;
4120       $x =~ s/(data|exec)-//;
4121       reject_rule ($utarg, "use `$x', not `$utarg'");
4122     }
4123
4124   reject_rule ('install-local',
4125                "use `install-data-local' or `install-exec-local', "
4126                . "not `install-local'");
4127
4128   reject_rule ('install-info-local',
4129                "`install-info-local' target defined but "
4130                . "`no-installinfo' option not in use")
4131     unless option 'no-installinfo';
4132
4133   # Install the -local hooks.
4134   foreach (keys %dependencies)
4135     {
4136       # Hooks are installed on the -am targets.
4137       s/-am$// or next;
4138       if (rule "$_-local")
4139         {
4140           depend ("$_-am", "$_-local");
4141           depend ('.PHONY', "$_-local");
4142         }
4143     }
4144
4145   # Install the -hook hooks.
4146   # FIXME: Why not be as liberal as we are with -local hooks?
4147   foreach ('install-exec', 'install-data', 'uninstall')
4148     {
4149       if (rule ("$_-hook"))
4150         {
4151           $actions{"$_-am"} .=
4152             ("\t\@\$(NORMAL_INSTALL)\n"
4153              . "\t" . '$(MAKE) $(AM_MAKEFLAGS) ' . "$_-hook\n");
4154         }
4155     }
4156
4157   # All the required targets are phony.
4158   depend ('.PHONY', keys %required_targets);
4159
4160   # Actually output gathered targets.
4161   foreach (sort target_cmp keys %dependencies)
4162     {
4163       # If there is nothing about this guy, skip it.
4164       next
4165         unless (@{$dependencies{$_}}
4166                 || $actions{$_}
4167                 || $required_targets{$_});
4168
4169       # Define gathered targets in undefined conditions.
4170       # FIXME: Right now we must handle .PHONY as an exception,
4171       # because people write things like
4172       #    .PHONY: myphonytarget
4173       # to append dependencies.  This would not work if Automake
4174       # refrained from defining its own .PHONY target as it does
4175       # with other overridden targets.
4176       my @undefined_conds = (TRUE,);
4177       if ($_ ne '.PHONY')
4178         {
4179           @undefined_conds =
4180             Automake::Rule::define ($_, 'internal',
4181                                     RULE_AUTOMAKE, TRUE, INTERNAL);
4182         }
4183       my @uniq_deps = uniq (sort @{$dependencies{$_}});
4184       foreach my $cond (@undefined_conds)
4185         {
4186           my $condstr = $cond->subst_string;
4187           &pretty_print_rule ("$condstr$_:", "$condstr\t", @uniq_deps);
4188           $output_rules .= $actions{$_} if defined $actions{$_};
4189           $output_rules .= "\n";
4190         }
4191     }
4192 }
4193
4194
4195 # &handle_tests_dejagnu ()
4196 # ------------------------
4197 sub handle_tests_dejagnu
4198 {
4199     push (@check_tests, 'check-DEJAGNU');
4200     $output_rules .= file_contents ('dejagnu', new Automake::Location);
4201 }
4202
4203
4204 # Handle TESTS variable and other checks.
4205 sub handle_tests
4206 {
4207   if (option 'dejagnu')
4208     {
4209       &handle_tests_dejagnu;
4210     }
4211   else
4212     {
4213       foreach my $c ('DEJATOOL', 'RUNTEST', 'RUNTESTFLAGS')
4214         {
4215           reject_var ($c, "`$c' defined but `dejagnu' not in "
4216                       . "`AUTOMAKE_OPTIONS'");
4217         }
4218     }
4219
4220   if (var ('TESTS'))
4221     {
4222       push (@check_tests, 'check-TESTS');
4223       $output_rules .= &file_contents ('check', new Automake::Location);
4224     }
4225 }
4226
4227 # Handle Emacs Lisp.
4228 sub handle_emacs_lisp
4229 {
4230   my @elfiles = &am_install_var ('-candist', 'lisp', 'LISP',
4231                                  'lisp', 'noinst');
4232
4233   return if ! @elfiles;
4234
4235   # Generate .elc files.
4236   my @elcfiles = map { $_->[1] . 'c' } @elfiles;
4237
4238   define_pretty_variable ('ELCFILES', TRUE, INTERNAL, @elcfiles);
4239   define_pretty_variable ('am__ELFILES', TRUE, INTERNAL,
4240                           map { $_->[1] } @elfiles);
4241
4242   # Do not depend on the build rules if ELCFILES is empty.
4243   # This is necessary because overriding ELCFILES= is a documented
4244   # idiom to disable byte-compilation.
4245   if (variable_value ('ELCFILES'))
4246     {
4247       # It's important that all depends on elc-stamp so that
4248       # all .elc files get recompiled whenever a .el changes.
4249       # It's important that all depends on $(ELCFILES) so that
4250       # we can recover if any of them is deleted.
4251       push (@all, 'elc-stamp', '$(ELCFILES)');
4252     }
4253
4254   require_variables ($elfiles[0][0], "Emacs Lisp sources seen", TRUE,
4255                      'EMACS', 'lispdir');
4256   require_conf_file ($elfiles[0][0], FOREIGN, 'elisp-comp');
4257   &define_variable ('elisp_comp', $config_aux_dir . '/elisp-comp', INTERNAL);
4258 }
4259
4260 # Handle Python
4261 sub handle_python
4262 {
4263   my @pyfiles = &am_install_var ('-defaultdist', 'python', 'PYTHON',
4264                                  'noinst');
4265   return if ! @pyfiles;
4266
4267   require_variables ($pyfiles[0][0], "Python sources seen", TRUE, 'PYTHON');
4268   require_conf_file ($pyfiles[0][0], FOREIGN, 'py-compile');
4269   &define_variable ('py_compile', $config_aux_dir . '/py-compile', INTERNAL);
4270 }
4271
4272 # Handle Java.
4273 sub handle_java
4274 {
4275     my @sourcelist = &am_install_var ('-candist',
4276                                       'java', 'JAVA',
4277                                       'java', 'noinst', 'check');
4278     return if ! @sourcelist;
4279
4280     my @prefix = am_primary_prefixes ('JAVA', 1,
4281                                       'java', 'noinst', 'check');
4282
4283     my $dir;
4284     foreach my $curs (@prefix)
4285       {
4286         next
4287           if $curs eq 'EXTRA';
4288
4289         err_var "${curs}_JAVA", "multiple _JAVA primaries in use"
4290           if defined $dir;
4291         $dir = $curs;
4292       }
4293
4294
4295     push (@all, 'class' . $dir . '.stamp');
4296 }
4297
4298
4299 # Handle some of the minor options.
4300 sub handle_minor_options
4301 {
4302   if (option 'readme-alpha')
4303     {
4304       if ($relative_dir eq '.')
4305         {
4306           if ($package_version !~ /^$GNITS_VERSION_PATTERN$/)
4307             {
4308               msg ('error-gnits', $package_version_location,
4309                    "version `$package_version' doesn't follow " .
4310                    "Gnits standards");
4311             }
4312           if (defined $1 && -f 'README-alpha')
4313             {
4314               # This means we have an alpha release.  See
4315               # GNITS_VERSION_PATTERN for details.
4316               push_dist_common ('README-alpha');
4317             }
4318         }
4319     }
4320 }
4321
4322 ################################################################
4323
4324 # ($OUTPUT, @INPUTS)
4325 # &split_config_file_spec ($SPEC)
4326 # -------------------------------
4327 # Decode the Autoconf syntax for config files (files, headers, links
4328 # etc.).
4329 sub split_config_file_spec ($)
4330 {
4331   my ($spec) = @_;
4332   my ($output, @inputs) = split (/:/, $spec);
4333
4334   push @inputs, "$output.in"
4335     unless @inputs;
4336
4337   return ($output, @inputs);
4338 }
4339
4340 # $input
4341 # locate_am (@POSSIBLE_SOURCES)
4342 # -----------------------------
4343 # AC_CONFIG_FILES allow specifications such as Makefile:top.in:mid.in:bot.in
4344 # This functions returns the first *.in file for which a *.am exists.
4345 # It returns undef otherwise.
4346 sub locate_am (@)
4347 {
4348   my (@rest) = @_;
4349   my $input;
4350   foreach my $file (@rest)
4351     {
4352       if (($file =~ /^(.*)\.in$/) && -f "$1.am")
4353         {
4354           $input = $file;
4355           last;
4356         }
4357     }
4358   return $input;
4359 }
4360
4361 my %make_list;
4362
4363 # &scan_autoconf_config_files ($WHERE, $CONFIG-FILES)
4364 # ---------------------------------------------------
4365 # Study $CONFIG-FILES which is the first argument to AC_CONFIG_FILES
4366 # (or AC_OUTPUT).
4367 sub scan_autoconf_config_files ($$)
4368 {
4369   my ($where, $config_files) = @_;
4370
4371   # Look at potential Makefile.am's.
4372   foreach (split ' ', $config_files)
4373     {
4374       # Must skip empty string for Perl 4.
4375       next if $_ eq "\\" || $_ eq '';
4376
4377       # Handle $local:$input syntax.
4378       my ($local, @rest) = split (/:/);
4379       @rest = ("$local.in",) unless @rest;
4380       my $input = locate_am @rest;
4381       if ($input)
4382         {
4383           # We have a file that automake should generate.
4384           $make_list{$input} = join (':', ($local, @rest));
4385         }
4386       else
4387         {
4388           # We have a file that automake should cause to be
4389           # rebuilt, but shouldn't generate itself.
4390           push (@other_input_files, $_);
4391         }
4392       $ac_config_files_location{$local} = $where;
4393     }
4394 }
4395
4396
4397 # &scan_autoconf_traces ($FILENAME)
4398 # ---------------------------------
4399 sub scan_autoconf_traces ($)
4400 {
4401   my ($filename) = @_;
4402
4403   # Macros to trace, with their minimal number of arguments.
4404   my %traced = (
4405                 AC_CANONICAL_HOST => 0,
4406                 AC_CANONICAL_SYSTEM => 0,
4407                 AC_CONFIG_AUX_DIR => 1,
4408                 AC_CONFIG_FILES => 1,
4409                 AC_CONFIG_HEADERS => 1,
4410                 AC_CONFIG_LINKS => 1,
4411                 AC_INIT => 0,
4412                 AC_LIBSOURCE => 1,
4413                 AC_SUBST => 1,
4414                 AM_AUTOMAKE_VERSION => 1,
4415                 AM_CONDITIONAL => 2,
4416                 AM_ENABLE_MULTILIB => 0,
4417                 AM_GNU_GETTEXT => 0,
4418                 AM_INIT_AUTOMAKE => 0,
4419                 AM_MAINTAINER_MODE => 0,
4420                 AM_PROG_CC_C_O => 0,
4421                 m4_include => 1,
4422                 m4_sinclude => 1,
4423                 sinclude => 1,
4424               );
4425
4426   my $traces = ($ENV{AUTOCONF} || 'autoconf') . " ";
4427
4428   # Use a separator unlikely to be used, not `:', the default, which
4429   # has a precise meaning for AC_CONFIG_FILES and so on.
4430   $traces .= join (' ',
4431                    map { "--trace=$_" . ':\$f:\$l::\$n::\${::}%' }
4432                    (keys %traced));
4433
4434   my $tracefh = new Automake::XFile ("$traces $filename |");
4435   verb "reading $traces";
4436
4437   while ($_ = $tracefh->getline)
4438     {
4439       chomp;
4440       my ($here, @args) = split /::/;
4441       my $where = new Automake::Location $here;
4442       my $macro = $args[0];
4443
4444       prog_error ("unrequested trace `$macro'")
4445         unless exists $traced{$macro};
4446
4447       # Skip and diagnose malformed calls.
4448       if ($#args < $traced{$macro})
4449         {
4450           msg ('syntax', $where, "not enough arguments for $macro");
4451           next;
4452         }
4453
4454       # Alphabetical ordering please.
4455       if ($macro eq 'AC_CANONICAL_HOST')
4456         {
4457           if (! $seen_canonical)
4458             {
4459               $seen_canonical = AC_CANONICAL_HOST;
4460               $canonical_location = $where;
4461             }
4462         }
4463       elsif ($macro eq 'AC_CANONICAL_SYSTEM')
4464         {
4465           $seen_canonical = AC_CANONICAL_SYSTEM;
4466           $canonical_location = $where;
4467         }
4468       elsif ($macro eq 'AC_CONFIG_AUX_DIR')
4469         {
4470           @config_aux_path = $args[1];
4471           $config_aux_dir_set_in_configure_in = 1;
4472         }
4473       elsif ($macro eq 'AC_CONFIG_FILES')
4474         {
4475           # Look at potential Makefile.am's.
4476           scan_autoconf_config_files ($where, $args[1]);
4477         }
4478       elsif ($macro eq 'AC_CONFIG_HEADERS')
4479         {
4480           $config_header_location = $where;
4481           push @config_headers, split (' ', $args[1]);
4482         }
4483       elsif ($macro eq 'AC_CONFIG_LINKS')
4484         {
4485           push @config_links, map { [$_, $where] } split (' ', $args[1]);
4486         }
4487       elsif ($macro eq 'AC_INIT')
4488         {
4489           if (defined $args[2])
4490             {
4491               $package_version = $args[2];
4492               $package_version_location = $where;
4493             }
4494         }
4495       elsif ($macro eq 'AC_LIBSOURCE')
4496         {
4497           $libsources{$args[1]} = $here;
4498         }
4499       elsif ($macro eq 'AC_SUBST')
4500         {
4501           # Just check for alphanumeric in AC_SUBST.  If you do
4502           # AC_SUBST(5), then too bad.
4503           $configure_vars{$args[1]} = $where
4504             if $args[1] =~ /^\w+$/;
4505         }
4506       elsif ($macro eq 'AM_AUTOMAKE_VERSION')
4507         {
4508           error ($where,
4509                  "version mismatch.  This is Automake $VERSION,\n" .
4510                  "but the definition used by this AM_INIT_AUTOMAKE\n" .
4511                  "comes from Automake $args[1].  You should recreate\n" .
4512                  "aclocal.m4 with aclocal and run automake again.\n",
4513                  # $? = 63 is used to indicate version mismatch to missing.
4514                  exit_code => 63)
4515             if $VERSION ne $args[1];
4516
4517           $seen_automake_version = 1;
4518         }
4519       elsif ($macro eq 'AM_CONDITIONAL')
4520         {
4521           $configure_cond{$args[1]} = $where;
4522         }
4523       elsif ($macro eq 'AM_ENABLE_MULTILIB')
4524         {
4525           $seen_multilib = $where;
4526         }
4527       elsif ($macro eq 'AM_GNU_GETTEXT')
4528         {
4529           $seen_gettext = $where;
4530           $ac_gettext_location = $where;
4531           $seen_gettext_external = grep ($_ eq 'external', @args);
4532         }
4533       elsif ($macro eq 'AM_INIT_AUTOMAKE')
4534         {
4535           $seen_init_automake = $where;
4536           if (defined $args[2])
4537             {
4538               $package_version = $args[2];
4539               $package_version_location = $where;
4540             }
4541           elsif (defined $args[1])
4542             {
4543               exit $exit_code
4544                 if (process_global_option_list ($where,
4545                                                 split (' ', $args[1])));
4546             }
4547         }
4548       elsif ($macro eq 'AM_MAINTAINER_MODE')
4549         {
4550           $seen_maint_mode = $where;
4551         }
4552       elsif ($macro eq 'AM_PROG_CC_C_O')
4553         {
4554           $seen_cc_c_o = $where;
4555         }
4556       elsif ($macro eq 'm4_include'
4557              || $macro eq 'm4_sinclude'
4558              || $macro eq 'sinclude')
4559         {
4560           # Some modified versions of Autoconf don't use
4561           # forzen files.  Consequently it's possible that we see all
4562           # m4_include's performed during Autoconf's startup.
4563           # Obviously we don't want to distribute Autoconf's files
4564           # so we skip absolute filenames here.
4565           push @configure_deps, '$(top_srcdir)/' . $args[1]
4566             unless $here =~ m,^(?:\w:)?[\\/],;
4567           # Keep track of the greatest timestamp.
4568           if (-e $args[1])
4569             {
4570               my $mtime = mtime $args[1];
4571               $configure_deps_greatest_timestamp = $mtime
4572                 if $mtime > $configure_deps_greatest_timestamp;
4573             }
4574         }
4575     }
4576
4577   $tracefh->close;
4578 }
4579
4580
4581 # &scan_autoconf_files ()
4582 # -----------------------
4583 # Check whether we use `configure.ac' or `configure.in'.
4584 # Scan it (and possibly `aclocal.m4') for interesting things.
4585 # We must scan aclocal.m4 because there might be AC_SUBSTs and such there.
4586 sub scan_autoconf_files ()
4587 {
4588   # Reinitialize libsources here.  This isn't really necessary,
4589   # since we currently assume there is only one configure.ac.  But
4590   # that won't always be the case.
4591   %libsources = ();
4592
4593   # Keep track of the youngest configure dependency.
4594   $configure_deps_greatest_timestamp = mtime $configure_ac;
4595   if (-e 'aclocal.m4')
4596     {
4597       my $mtime = mtime 'aclocal.m4';
4598       $configure_deps_greatest_timestamp = $mtime
4599         if $mtime > $configure_deps_greatest_timestamp;
4600     }
4601
4602   scan_autoconf_traces ($configure_ac);
4603
4604   @configure_input_files = sort keys %make_list;
4605   # Set input and output files if not specified by user.
4606   if (! @input_files)
4607     {
4608       @input_files = @configure_input_files;
4609       %output_files = %make_list;
4610     }
4611
4612
4613   if (! $seen_init_automake)
4614     {
4615       err_ac ("no proper invocation of AM_INIT_AUTOMAKE was found.\nYou "
4616               . "should verify that $configure_ac invokes AM_INIT_AUTOMAKE,"
4617               . "\nthat aclocal.m4 is present in the top-level directory,\n"
4618               . "and that aclocal.m4 was recently regenerated "
4619               . "(using aclocal).");
4620     }
4621   else
4622     {
4623       if (! $seen_automake_version)
4624         {
4625           if (-f 'aclocal.m4')
4626             {
4627               error ($seen_init_automake,
4628                      "your implementation of AM_INIT_AUTOMAKE comes from " .
4629                      "an\nold Automake version.  You should recreate " .
4630                      "aclocal.m4\nwith aclocal and run automake again.\n",
4631                      # $? = 63 is used to indicate version mismatch to missing.
4632                      exit_code => 63);
4633             }
4634           else
4635             {
4636               error ($seen_init_automake,
4637                      "no proper implementation of AM_INIT_AUTOMAKE was " .
4638                      "found,\nprobably because aclocal.m4 is missing...\n" .
4639                      "You should run aclocal to create this file, then\n" .
4640                      "run automake again.\n");
4641             }
4642         }
4643     }
4644
4645   # Look for some files we need.  Always check for these.  This
4646   # check must be done for every run, even those where we are only
4647   # looking at a subdir Makefile.  We must set relative_dir so that
4648   # the file-finding machinery works.
4649   # FIXME: Is this broken because it needs dynamic scopes.
4650   # My tests seems to show it's not the case.
4651   $relative_dir = '.';
4652   require_conf_file ($configure_ac, FOREIGN, 'install-sh', 'missing');
4653   err_am "`install.sh' is an anachronism; use `install-sh' instead"
4654     if -f $config_aux_path[0] . '/install.sh';
4655
4656   # Preserve dist_common for later.
4657   $configure_dist_common = variable_value ('DIST_COMMON') || '';
4658 }
4659
4660 ################################################################
4661
4662 # Set up for Cygnus mode.
4663 sub check_cygnus
4664 {
4665   my $cygnus = option 'cygnus';
4666   return unless $cygnus;
4667
4668   set_strictness ('foreign');
4669   set_option ('no-installinfo', $cygnus);
4670   set_option ('no-dependencies', $cygnus);
4671   set_option ('no-dist', $cygnus);
4672
4673   err_ac "`AM_MAINTAINER_MODE' required when --cygnus specified"
4674     if !$seen_maint_mode;
4675 }
4676
4677 # Do any extra checking for GNU standards.
4678 sub check_gnu_standards
4679 {
4680   if ($relative_dir eq '.')
4681     {
4682       # In top level (or only) directory.
4683       require_file ("$am_file.am", GNU,
4684                     qw/INSTALL NEWS README AUTHORS ChangeLog/);
4685
4686       # Accept one of these three licenses; default to COPYING.
4687       # Make sure we do not overwrite an existing license.
4688       my $license;
4689       foreach (qw /COPYING COPYING.LIB COPYING.LESSER/)
4690         {
4691           if (-f $_)
4692             {
4693               $license = $_;
4694               last;
4695             }
4696         }
4697       require_file ("$am_file.am", GNU, 'COPYING')
4698         unless $license;
4699     }
4700
4701   for my $opt ('no-installman', 'no-installinfo')
4702     {
4703       msg ('error-gnu', option $opt,
4704            "option `$opt' disallowed by GNU standards")
4705         if option $opt;
4706     }
4707 }
4708
4709 # Do any extra checking for GNITS standards.
4710 sub check_gnits_standards
4711 {
4712   if ($relative_dir eq '.')
4713     {
4714       # In top level (or only) directory.
4715       require_file ("$am_file.am", GNITS, 'THANKS');
4716     }
4717 }
4718
4719 ################################################################
4720 #
4721 # Functions to handle files of each language.
4722
4723 # Each `lang_X_rewrite($DIRECTORY, $BASE, $EXT)' function follows a
4724 # simple formula: Return value is LANG_SUBDIR if the resulting object
4725 # file should be in a subdir if the source file is, LANG_PROCESS if
4726 # file is to be dealt with, LANG_IGNORE otherwise.
4727
4728 # Much of the actual processing is handled in
4729 # handle_single_transform_list.  These functions exist so that
4730 # auxiliary information can be recorded for a later cleanup pass.
4731 # Note that the calls to these functions are computed, so don't bother
4732 # searching for their precise names in the source.
4733
4734 # This is just a convenience function that can be used to determine
4735 # when a subdir object should be used.
4736 sub lang_sub_obj
4737 {
4738     return option 'subdir-objects' ? LANG_SUBDIR : LANG_PROCESS;
4739 }
4740
4741 # Rewrite a single C source file.
4742 sub lang_c_rewrite
4743 {
4744   my ($directory, $base, $ext) = @_;
4745
4746   if (option 'ansi2knr' && $base =~ /_$/)
4747     {
4748       # FIXME: include line number in error.
4749       err_am "C source file `$base.c' would be deleted by ansi2knr rules";
4750     }
4751
4752   my $r = LANG_PROCESS;
4753   if (option 'subdir-objects')
4754     {
4755       $r = LANG_SUBDIR;
4756       $base = $directory . '/' . $base
4757         unless $directory eq '.' || $directory eq '';
4758
4759       err_am ("C objects in subdir but `AM_PROG_CC_C_O' "
4760               . "not in `$configure_ac'",
4761               uniq_scope => US_GLOBAL)
4762         unless $seen_cc_c_o;
4763
4764       require_conf_file ("$am_file.am", FOREIGN, 'compile');
4765
4766       # In this case we already have the directory information, so
4767       # don't add it again.
4768       $de_ansi_files{$base} = '';
4769     }
4770   else
4771     {
4772       $de_ansi_files{$base} = (($directory eq '.' || $directory eq '')
4773                                ? ''
4774                                : "$directory/");
4775     }
4776
4777     return $r;
4778 }
4779
4780 # Rewrite a single C++ source file.
4781 sub lang_cxx_rewrite
4782 {
4783     return &lang_sub_obj;
4784 }
4785
4786 # Rewrite a single header file.
4787 sub lang_header_rewrite
4788 {
4789     # Header files are simply ignored.
4790     return LANG_IGNORE;
4791 }
4792
4793 # Rewrite a single yacc file.
4794 sub lang_yacc_rewrite
4795 {
4796     my ($directory, $base, $ext) = @_;
4797
4798     my $r = &lang_sub_obj;
4799     (my $newext = $ext) =~ tr/y/c/;
4800     return ($r, $newext);
4801 }
4802
4803 # Rewrite a single yacc++ file.
4804 sub lang_yaccxx_rewrite
4805 {
4806     my ($directory, $base, $ext) = @_;
4807
4808     my $r = &lang_sub_obj;
4809     (my $newext = $ext) =~ tr/y/c/;
4810     return ($r, $newext);
4811 }
4812
4813 # Rewrite a single lex file.
4814 sub lang_lex_rewrite
4815 {
4816     my ($directory, $base, $ext) = @_;
4817
4818     my $r = &lang_sub_obj;
4819     (my $newext = $ext) =~ tr/l/c/;
4820     return ($r, $newext);
4821 }
4822
4823 # Rewrite a single lex++ file.
4824 sub lang_lexxx_rewrite
4825 {
4826     my ($directory, $base, $ext) = @_;
4827
4828     my $r = &lang_sub_obj;
4829     (my $newext = $ext) =~ tr/l/c/;
4830     return ($r, $newext);
4831 }
4832
4833 # Rewrite a single assembly file.
4834 sub lang_asm_rewrite
4835 {
4836     return &lang_sub_obj;
4837 }
4838
4839 # Rewrite a single Fortran 77 file.
4840 sub lang_f77_rewrite
4841 {
4842     return LANG_PROCESS;
4843 }
4844
4845 # Rewrite a single preprocessed Fortran 77 file.
4846 sub lang_ppf77_rewrite
4847 {
4848     return LANG_PROCESS;
4849 }
4850
4851 # Rewrite a single ratfor file.
4852 sub lang_ratfor_rewrite
4853 {
4854     return LANG_PROCESS;
4855 }
4856
4857 # Rewrite a single Objective C file.
4858 sub lang_objc_rewrite
4859 {
4860     return &lang_sub_obj;
4861 }
4862
4863 # Rewrite a single Java file.
4864 sub lang_java_rewrite
4865 {
4866     return LANG_SUBDIR;
4867 }
4868
4869 # The lang_X_finish functions are called after all source file
4870 # processing is done.  Each should handle defining rules for the
4871 # language, etc.  A finish function is only called if a source file of
4872 # the appropriate type has been seen.
4873
4874 sub lang_c_finish
4875 {
4876     # Push all libobjs files onto de_ansi_files.  We actually only
4877     # push files which exist in the current directory, and which are
4878     # genuine source files.
4879     foreach my $file (keys %libsources)
4880     {
4881         if ($file =~ /^(.*)\.[cly]$/ && -f "$relative_dir/$file")
4882         {
4883             $de_ansi_files{$1} = ''
4884         }
4885     }
4886
4887     if (option 'ansi2knr' && keys %de_ansi_files)
4888     {
4889         # Make all _.c files depend on their corresponding .c files.
4890         my @objects;
4891         foreach my $base (sort keys %de_ansi_files)
4892         {
4893             # Each _.c file must depend on ansi2knr; otherwise it
4894             # might be used in a parallel build before it is built.
4895             # We need to support files in the srcdir and in the build
4896             # dir (because these files might be auto-generated.  But
4897             # we can't use $< -- some makes only define $< during a
4898             # suffix rule.
4899             my $ansfile = $de_ansi_files{$base} . $base . '.c';
4900             $output_rules .= ($base . "_.c: $ansfile \$(ANSI2KNR)\n\t"
4901                               . '$(CPP) $(DEFS) $(DEFAULT_INCLUDES) $(INCLUDES) $(AM_CPPFLAGS) $(CPPFLAGS) '
4902                               . '`if test -f $(srcdir)/' . $ansfile
4903                               . '; then echo $(srcdir)/' . $ansfile
4904                               . '; else echo ' . $ansfile . '; fi` '
4905                               . "| sed 's/^# \\([0-9]\\)/#line \\1/' "
4906                               . '| $(ANSI2KNR) > $@'
4907                               # If ansi2knr fails then we shouldn't
4908                               # create the _.c file
4909                               . " || rm -f \$\@\n");
4910             push (@objects, $base . '_.$(OBJEXT)');
4911             push (@objects, $base . '_.lo')
4912               if var ('LIBTOOL');
4913         }
4914
4915         # Make all _.o (and _.lo) files depend on ansi2knr.
4916         # Use a sneaky little hack to make it print nicely.
4917         &pretty_print_rule ('', '', @objects, ':', '$(ANSI2KNR)');
4918     }
4919 }
4920
4921 # This is a yacc helper which is called whenever we have decided to
4922 # compile a yacc file.
4923 sub lang_yacc_target_hook
4924 {
4925     my ($self, $aggregate, $output, $input) = @_;
4926
4927     my $flag = $aggregate . "_YFLAGS";
4928     my $flagvar = var $flag;
4929     my $YFLAGSvar = var 'YFLAGS';
4930     if (($flagvar && $flagvar->variable_value =~ /$DASH_D_PATTERN/o)
4931         || ($YFLAGSvar && $YFLAGSvar->variable_value =~ /$DASH_D_PATTERN/o))
4932     {
4933         (my $output_base = $output) =~ s/$KNOWN_EXTENSIONS_PATTERN$//;
4934         my $header = $output_base . '.h';
4935
4936         # Found a `-d' that applies to the compilation of this file.
4937         # Add a dependency for the generated header file, and arrange
4938         # for that file to be included in the distribution.
4939         # FIXME: this fails for `nodist_*_SOURCES'.
4940         $output_rules .= ("${header}: $output\n"
4941                           # Recover from removal of $header
4942                           . "\t\@if test ! -f \$@; then \\\n"
4943                           . "\t  rm -f $output; \\\n"
4944                           . "\t  \$(MAKE) $output; \\\n"
4945                           . "\telse :; fi\n");
4946         &push_dist_common ($header);
4947         # If the files are built in the build directory, then we want
4948         # to remove them with `make clean'.  If they are in srcdir
4949         # they shouldn't be touched.  However, we can't determine this
4950         # statically, and the GNU rules say that yacc/lex output files
4951         # should be removed by maintainer-clean.  So that's what we
4952         # do.
4953         $clean_files{$header} = MAINTAINER_CLEAN;
4954     }
4955     # Erase $OUTPUT on `make maintainer-clean' (by GNU standards).
4956     # See the comment above for $HEADER.
4957     $clean_files{$output} = MAINTAINER_CLEAN;
4958 }
4959
4960 # This is a lex helper which is called whenever we have decided to
4961 # compile a lex file.
4962 sub lang_lex_target_hook
4963 {
4964     my ($self, $aggregate, $output, $input) = @_;
4965     # If the files are built in the build directory, then we want to
4966     # remove them with `make clean'.  If they are in srcdir they
4967     # shouldn't be touched.  However, we can't determine this
4968     # statically, and the GNU rules say that yacc/lex output files
4969     # should be removed by maintainer-clean.  So that's what we do.
4970     $clean_files{$output} = MAINTAINER_CLEAN;
4971 }
4972
4973 # This is a helper for both lex and yacc.
4974 sub yacc_lex_finish_helper
4975 {
4976     return if defined $language_scratch{'lex-yacc-done'};
4977     $language_scratch{'lex-yacc-done'} = 1;
4978
4979     # If there is more than one distinct yacc (resp lex) source file
4980     # in a given directory, then the `ylwrap' program is required to
4981     # allow parallel builds to work correctly.  FIXME: for now, no
4982     # line number.
4983     require_conf_file ($configure_ac, FOREIGN, 'ylwrap');
4984     if ($config_aux_dir_set_in_configure_in)
4985     {
4986         &define_variable ('YLWRAP', $config_aux_dir . "/ylwrap", INTERNAL);
4987     }
4988     else
4989     {
4990         &define_variable ('YLWRAP', '$(top_srcdir)/ylwrap', INTERNAL);
4991     }
4992 }
4993
4994 sub lang_yacc_finish
4995 {
4996   return if defined $language_scratch{'yacc-done'};
4997   $language_scratch{'yacc-done'} = 1;
4998
4999   reject_var 'YACCFLAGS', "`YACCFLAGS' obsolete; use `YFLAGS' instead";
5000
5001   &yacc_lex_finish_helper
5002     if count_files_for_language ('yacc') > 1;
5003 }
5004
5005
5006 sub lang_lex_finish
5007 {
5008   return if defined $language_scratch{'lex-done'};
5009   $language_scratch{'lex-done'} = 1;
5010
5011   &yacc_lex_finish_helper
5012     if count_files_for_language ('lex') > 1;
5013 }
5014
5015
5016 # Given a hash table of linker names, pick the name that has the most
5017 # precedence.  This is lame, but something has to have global
5018 # knowledge in order to eliminate the conflict.  Add more linkers as
5019 # required.
5020 sub resolve_linker
5021 {
5022     my (%linkers) = @_;
5023
5024     foreach my $l (qw(GCJLINK CXXLINK F77LINK OBJCLINK))
5025     {
5026         return $l if defined $linkers{$l};
5027     }
5028     return 'LINK';
5029 }
5030
5031 # Called to indicate that an extension was used.
5032 sub saw_extension
5033 {
5034     my ($ext) = @_;
5035     if (! defined $extension_seen{$ext})
5036     {
5037         $extension_seen{$ext} = 1;
5038     }
5039     else
5040     {
5041         ++$extension_seen{$ext};
5042     }
5043 }
5044
5045 # Return the number of files seen for a given language.  Knows about
5046 # special cases we care about.  FIXME: this is hideous.  We need
5047 # something that involves real language objects.  For instance yacc
5048 # and yaccxx could both derive from a common yacc class which would
5049 # know about the strange ylwrap requirement.  (Or better yet we could
5050 # just not support legacy yacc!)
5051 sub count_files_for_language
5052 {
5053     my ($name) = @_;
5054
5055     my @names;
5056     if ($name eq 'yacc' || $name eq 'yaccxx')
5057     {
5058         @names = ('yacc', 'yaccxx');
5059     }
5060     elsif ($name eq 'lex' || $name eq 'lexxx')
5061     {
5062         @names = ('lex', 'lexxx');
5063     }
5064     else
5065     {
5066         @names = ($name);
5067     }
5068
5069     my $r = 0;
5070     foreach $name (@names)
5071     {
5072         my $lang = $languages{$name};
5073         foreach my $ext (@{$lang->extensions})
5074         {
5075             $r += $extension_seen{$ext}
5076                 if defined $extension_seen{$ext};
5077         }
5078     }
5079
5080     return $r
5081 }
5082
5083 # Called to ask whether source files have been seen . If HEADERS is 1,
5084 # headers can be included.
5085 sub saw_sources_p
5086 {
5087     my ($headers) = @_;
5088
5089     # count all the sources
5090     my $count = 0;
5091     foreach my $val (values %extension_seen)
5092     {
5093         $count += $val;
5094     }
5095
5096     if (!$headers)
5097     {
5098         $count -= count_files_for_language ('header');
5099     }
5100
5101     return $count > 0;
5102 }
5103
5104
5105 # register_language (%ATTRIBUTE)
5106 # ------------------------------
5107 # Register a single language.
5108 # Each %ATTRIBUTE is of the form ATTRIBUTE => VALUE.
5109 sub register_language (%)
5110 {
5111   my (%option) = @_;
5112
5113   # Set the defaults.
5114   $option{'ansi'} = 0
5115     unless defined $option{'ansi'};
5116   $option{'autodep'} = 'no'
5117     unless defined $option{'autodep'};
5118   $option{'linker'} = ''
5119     unless defined $option{'linker'};
5120   $option{'flags'} = []
5121     unless defined $option{'flags'};
5122   $option{'output_extensions'} = sub { return ( '.$(OBJEXT)', '.lo' ) }
5123     unless defined $option{'output_extensions'};
5124
5125   my $lang = new Language (%option);
5126
5127   # Fill indexes.
5128   $extension_map{$_} = $lang->name foreach @{$lang->extensions};
5129   $languages{$lang->name} = $lang;
5130
5131   # Update the pattern of known extensions.
5132   accept_extensions (@{$lang->extensions});
5133
5134   # Upate the $suffix_rule map.
5135   foreach my $suffix (@{$lang->extensions})
5136     {
5137       foreach my $dest (&{$lang->output_extensions} ($suffix))
5138         {
5139           register_suffix_rule (INTERNAL, $suffix, $dest);
5140         }
5141     }
5142 }
5143
5144 # derive_suffix ($EXT, $OBJ)
5145 # --------------------------
5146 # This function is used to find a path from a user-specified suffix $EXT
5147 # to $OBJ or to some other suffix we recognize internally, e.g. `cc'.
5148 sub derive_suffix ($$)
5149 {
5150   my ($source_ext, $obj) = @_;
5151
5152   while (! $extension_map{$source_ext}
5153          && $source_ext ne $obj
5154          && exists $suffix_rules->{$source_ext}
5155          && exists $suffix_rules->{$source_ext}{$obj})
5156     {
5157       $source_ext = $suffix_rules->{$source_ext}{$obj}[0];
5158     }
5159
5160   return $source_ext;
5161 }
5162
5163
5164 ################################################################
5165
5166 # Pretty-print something and append to output_rules.
5167 sub pretty_print_rule
5168 {
5169     $output_rules .= &makefile_wrap (@_);
5170 }
5171
5172
5173 ################################################################
5174
5175
5176 ## -------------------------------- ##
5177 ## Handling the conditional stack.  ##
5178 ## -------------------------------- ##
5179
5180
5181 # $STRING
5182 # make_conditional_string ($NEGATE, $COND)
5183 # ----------------------------------------
5184 sub make_conditional_string ($$)
5185 {
5186   my ($negate, $cond) = @_;
5187   $cond = "${cond}_TRUE"
5188     unless $cond =~ /^TRUE|FALSE$/;
5189   $cond = Automake::Condition::conditional_negate ($cond)
5190     if $negate;
5191   return $cond;
5192 }
5193
5194
5195 # $COND
5196 # cond_stack_if ($NEGATE, $COND, $WHERE)
5197 # --------------------------------------
5198 sub cond_stack_if ($$$)
5199 {
5200   my ($negate, $cond, $where) = @_;
5201
5202   error $where, "$cond does not appear in AM_CONDITIONAL"
5203     if ! $configure_cond{$cond} && $cond !~ /^TRUE|FALSE$/;
5204
5205   push (@cond_stack, make_conditional_string ($negate, $cond));
5206
5207   return new Automake::Condition (@cond_stack);
5208 }
5209
5210
5211 # $COND
5212 # cond_stack_else ($NEGATE, $COND, $WHERE)
5213 # ----------------------------------------
5214 sub cond_stack_else ($$$)
5215 {
5216   my ($negate, $cond, $where) = @_;
5217
5218   if (! @cond_stack)
5219     {
5220       error $where, "else without if";
5221       return FALSE;
5222     }
5223
5224   $cond_stack[$#cond_stack] =
5225     Automake::Condition::conditional_negate ($cond_stack[$#cond_stack]);
5226
5227   # If $COND is given, check against it.
5228   if (defined $cond)
5229     {
5230       $cond = make_conditional_string ($negate, $cond);
5231
5232       error ($where, "else reminder ($negate$cond) incompatible with "
5233              . "current conditional: $cond_stack[$#cond_stack]")
5234         if $cond_stack[$#cond_stack] ne $cond;
5235     }
5236
5237   return new Automake::Condition (@cond_stack);
5238 }
5239
5240
5241 # $COND
5242 # cond_stack_endif ($NEGATE, $COND, $WHERE)
5243 # -----------------------------------------
5244 sub cond_stack_endif ($$$)
5245 {
5246   my ($negate, $cond, $where) = @_;
5247   my $old_cond;
5248
5249   if (! @cond_stack)
5250     {
5251       error $where, "endif without if";
5252       return TRUE;
5253     }
5254
5255   # If $COND is given, check against it.
5256   if (defined $cond)
5257     {
5258       $cond = make_conditional_string ($negate, $cond);
5259
5260       error ($where, "endif reminder ($negate$cond) incompatible with "
5261              . "current conditional: $cond_stack[$#cond_stack]")
5262         if $cond_stack[$#cond_stack] ne $cond;
5263     }
5264
5265   pop @cond_stack;
5266
5267   return new Automake::Condition (@cond_stack);
5268 }
5269
5270
5271
5272
5273
5274 ## ------------------------ ##
5275 ## Handling the variables.  ##
5276 ## ------------------------ ##
5277
5278
5279 # &define_pretty_variable ($VAR, $COND, $WHERE, @VALUE)
5280 # -----------------------------------------------------
5281 # Like define_variable, but the value is a list, and the variable may
5282 # be defined conditionally.  The second argument is the Condition
5283 # under which the value should be defined; this should be the empty
5284 # string to define the variable unconditionally.  The third argument
5285 # is a list holding the values to use for the variable.  The value is
5286 # pretty printed in the output file.
5287 sub define_pretty_variable ($$$@)
5288 {
5289     my ($var, $cond, $where, @value) = @_;
5290
5291     if (! vardef ($var, $cond))
5292     {
5293         Automake::Variable::define ($var, VAR_AUTOMAKE, '', $cond, "@value",
5294                                     '', $where, VAR_PRETTY);
5295         rvar ($var)->rdef ($cond)->set_seen;
5296     }
5297 }
5298
5299
5300 # define_variable ($VAR, $VALUE, $WHERE)
5301 # --------------------------------------
5302 # Define a new user variable VAR to VALUE, but only if not already defined.
5303 sub define_variable ($$$)
5304 {
5305     my ($var, $value, $where) = @_;
5306     define_pretty_variable ($var, TRUE, $where, $value);
5307 }
5308
5309
5310 # define_files_variable ($VAR, \@BASENAME, $EXTENSION, $WHERE)
5311 # -----------------------------------------------------------
5312 # Define the $VAR which content is the list of file names composed of
5313 # a @BASENAME and the $EXTENSION.
5314 sub define_files_variable ($\@$$)
5315 {
5316   my ($var, $basename, $extension, $where) = @_;
5317   define_variable ($var,
5318                    join (' ', map { "$_.$extension" } @$basename),
5319                    $where);
5320 }
5321
5322
5323 # Like define_variable, but define a variable to be the configure
5324 # substitution by the same name.
5325 sub define_configure_variable ($)
5326 {
5327   my ($var) = @_;
5328
5329   my $pretty = VAR_ASIS;
5330   my $owner = VAR_CONFIGURE;
5331
5332   # Do not output the ANSI2KNR configure variable -- we AC_SUBST
5333   # it in protos.m4, but later redefine it elsewhere.  This is
5334   # pretty hacky.  We also don't output AMDEPBACKSLASH: it might
5335   # be subst'd by `\', which certainly would not be appreciated by
5336   # Make.
5337   if ($var eq 'ANSI2KNR' || $var eq 'AMDEPBACKSLASH')
5338     {
5339       $pretty = VAR_SILENT;
5340       $owner = VAR_AUTOMAKE;
5341     }
5342
5343   Automake::Variable::define ($var, $owner, '', TRUE, subst $var,
5344                               '', $configure_vars{$var}, $pretty);
5345 }
5346
5347
5348 # define_compiler_variable ($LANG)
5349 # --------------------------------
5350 # Define a compiler variable.  We also handle defining the `LT'
5351 # version of the command when using libtool.
5352 sub define_compiler_variable ($)
5353 {
5354     my ($lang) = @_;
5355
5356     my ($var, $value) = ($lang->compiler, $lang->compile);
5357     &define_variable ($var, $value, INTERNAL);
5358     &define_variable ("LT$var", "\$(LIBTOOL) --mode=compile $value", INTERNAL)
5359       if var ('LIBTOOL');
5360 }
5361
5362
5363 # define_linker_variable ($LANG)
5364 # ------------------------------
5365 # Define linker variables.
5366 sub define_linker_variable ($)
5367 {
5368     my ($lang) = @_;
5369
5370     my ($var, $value) = ($lang->lder, $lang->ld);
5371     # CCLD = $(CC).
5372     &define_variable ($lang->lder, $lang->ld, INTERNAL);
5373     # CCLINK = $(CCLD) blah blah...
5374     &define_variable ($lang->linker,
5375                       ((var ('LIBTOOL') ? '$(LIBTOOL) --mode=link ' : '')
5376                        . $lang->link),
5377                       INTERNAL);
5378 }
5379
5380 ################################################################
5381
5382 # &check_trailing_slash ($WHERE, $LINE)
5383 # --------------------------------------
5384 # Return 1 iff $LINE ends with a slash.
5385 # Might modify $LINE.
5386 sub check_trailing_slash ($\$)
5387 {
5388   my ($where, $line) = @_;
5389
5390   # Ignore `##' lines.
5391   return 0 if $$line =~ /$IGNORE_PATTERN/o;
5392
5393   # Catch and fix a common error.
5394   msg "syntax", $where, "whitespace following trailing backslash"
5395     if $$line =~ s/\\\s+\n$/\\\n/;
5396
5397   return $$line =~ /\\$/;
5398 }
5399
5400
5401 # &read_am_file ($AMFILE, $WHERE)
5402 # -------------------------------
5403 # Read Makefile.am and set up %contents.  Simultaneously copy lines
5404 # from Makefile.am into $output_trailer, or define variables as
5405 # appropriate.  NOTE we put rules in the trailer section.  We want
5406 # user rules to come after our generated stuff.
5407 sub read_am_file ($$)
5408 {
5409     my ($amfile, $where) = @_;
5410
5411     my $am_file = new Automake::XFile ("< $amfile");
5412     verb "reading $amfile";
5413
5414     # Keep track of the youngest output dependency.
5415     my $mtime = mtime $amfile;
5416     $output_deps_greatest_timestamp = $mtime
5417       if $mtime > $output_deps_greatest_timestamp;
5418
5419     my $spacing = '';
5420     my $comment = '';
5421     my $blank = 0;
5422     my $saw_bk = 0;
5423
5424     use constant IN_VAR_DEF => 0;
5425     use constant IN_RULE_DEF => 1;
5426     use constant IN_COMMENT => 2;
5427     my $prev_state = IN_RULE_DEF;
5428
5429     while ($_ = $am_file->getline)
5430     {
5431         $where->set ("$amfile:$.");
5432         if (/$IGNORE_PATTERN/o)
5433         {
5434             # Merely delete comments beginning with two hashes.
5435         }
5436         elsif (/$WHITE_PATTERN/o)
5437         {
5438             error $where, "blank line following trailing backslash"
5439               if $saw_bk;
5440             # Stick a single white line before the incoming macro or rule.
5441             $spacing = "\n";
5442             $blank = 1;
5443             # Flush all comments seen so far.
5444             if ($comment ne '')
5445             {
5446                 $output_vars .= $comment;
5447                 $comment = '';
5448             }
5449         }
5450         elsif (/$COMMENT_PATTERN/o)
5451         {
5452             # Stick comments before the incoming macro or rule.  Make
5453             # sure a blank line precedes the first block of comments.
5454             $spacing = "\n" unless $blank;
5455             $blank = 1;
5456             $comment .= $spacing . $_;
5457             $spacing = '';
5458             $prev_state = IN_COMMENT;
5459         }
5460         else
5461         {
5462             last;
5463         }
5464         $saw_bk = check_trailing_slash ($where, $_);
5465     }
5466
5467     # We save the conditional stack on entry, and then check to make
5468     # sure it is the same on exit.  This lets us conditionally include
5469     # other files.
5470     my @saved_cond_stack = @cond_stack;
5471     my $cond = new Automake::Condition (@cond_stack);
5472
5473     my $last_var_name = '';
5474     my $last_var_type = '';
5475     my $last_var_value = '';
5476     my $last_where;
5477     # FIXME: shouldn't use $_ in this loop; it is too big.
5478     while ($_)
5479     {
5480         $where->set ("$amfile:$.");
5481
5482         # Make sure the line is \n-terminated.
5483         chomp;
5484         $_ .= "\n";
5485
5486         # Don't look at MAINTAINER_MODE_TRUE here.  That shouldn't be
5487         # used by users.  @MAINT@ is an anachronism now.
5488         $_ =~ s/\@MAINT\@//g
5489             unless $seen_maint_mode;
5490
5491         my $new_saw_bk = check_trailing_slash ($where, $_);
5492
5493         if (/$IGNORE_PATTERN/o)
5494         {
5495             # Merely delete comments beginning with two hashes.
5496         }
5497         elsif (/$WHITE_PATTERN/o)
5498         {
5499             # Stick a single white line before the incoming macro or rule.
5500             $spacing = "\n";
5501             error $where, "blank line following trailing backslash"
5502               if $saw_bk;
5503         }
5504         elsif (/$COMMENT_PATTERN/o)
5505         {
5506             # Stick comments before the incoming macro or rule.
5507             $comment .= $spacing . $_;
5508             $spacing = '';
5509             error $where, "comment following trailing backslash"
5510               if $saw_bk && $comment eq '';
5511             $prev_state = IN_COMMENT;
5512         }
5513         elsif ($saw_bk)
5514         {
5515             if ($prev_state == IN_RULE_DEF)
5516             {
5517               my $cond = new Automake::Condition @cond_stack;
5518               $output_trailer .= $cond->subst_string;
5519               $output_trailer .= $_;
5520             }
5521             elsif ($prev_state == IN_COMMENT)
5522             {
5523                 # If the line doesn't start with a `#', add it.
5524                 # We do this because a continued comment like
5525                 #   # A = foo \
5526                 #         bar \
5527                 #         baz
5528                 # is not portable.  BSD make doesn't honor
5529                 # escaped newlines in comments.
5530                 s/^#?/#/;
5531                 $comment .= $spacing . $_;
5532             }
5533             else # $prev_state == IN_VAR_DEF
5534             {
5535               $last_var_value .= ' '
5536                 unless $last_var_value =~ /\s$/;
5537               $last_var_value .= $_;
5538
5539               if (!/\\$/)
5540                 {
5541                   Automake::Variable::define ($last_var_name, VAR_MAKEFILE,
5542                                               $last_var_type, $cond,
5543                                               $last_var_value, $comment,
5544                                               $last_where, VAR_ASIS)
5545                     if $cond != FALSE;
5546                   $comment = $spacing = '';
5547                 }
5548             }
5549         }
5550
5551         elsif (/$IF_PATTERN/o)
5552           {
5553             $cond = cond_stack_if ($1, $2, $where);
5554           }
5555         elsif (/$ELSE_PATTERN/o)
5556           {
5557             $cond = cond_stack_else ($1, $2, $where);
5558           }
5559         elsif (/$ENDIF_PATTERN/o)
5560           {
5561             $cond = cond_stack_endif ($1, $2, $where);
5562           }
5563
5564         elsif (/$RULE_PATTERN/o)
5565         {
5566             # Found a rule.
5567             $prev_state = IN_RULE_DEF;
5568
5569             # For now we have to output all definitions of user rules
5570             # and can't diagnose duplicates (see the comment in
5571             # rule_define). So we go on and ignore the return value.
5572             Automake::Rule::define ($1, $amfile, RULE_USER, $cond, $where);
5573
5574             check_variable_expansions ($_, $where);
5575
5576             $output_trailer .= $comment . $spacing;
5577             my $cond = new Automake::Condition @cond_stack;
5578             $output_trailer .= $cond->subst_string;
5579             $output_trailer .= $_;
5580             $comment = $spacing = '';
5581         }
5582         elsif (/$ASSIGNMENT_PATTERN/o)
5583         {
5584             # Found a macro definition.
5585             $prev_state = IN_VAR_DEF;
5586             $last_var_name = $1;
5587             $last_var_type = $2;
5588             $last_var_value = $3;
5589             $last_where = $where->clone;
5590             if ($3 ne '' && substr ($3, -1) eq "\\")
5591             {
5592                 # We preserve the `\' because otherwise the long lines
5593                 # that are generated will be truncated by broken
5594                 # `sed's.
5595                 $last_var_value = $3 . "\n";
5596             }
5597
5598             if (!/\\$/)
5599               {
5600                 Automake::Variable::define ($last_var_name, VAR_MAKEFILE,
5601                                             $last_var_type, $cond,
5602                                             $last_var_value, $comment,
5603                                             $last_where, VAR_ASIS)
5604                   if $cond != FALSE;
5605                 $comment = $spacing = '';
5606               }
5607         }
5608         elsif (/$INCLUDE_PATTERN/o)
5609         {
5610             my $path = $1;
5611
5612             if ($path =~ s/^\$\(top_srcdir\)\///)
5613               {
5614                 push (@include_stack, "\$\(top_srcdir\)/$path");
5615                 # Distribute any included file.
5616
5617                 # Always use the $(top_srcdir) prefix in DIST_COMMON,
5618                 # otherwise OSF make will implicitly copy the included
5619                 # file in the build tree during `make distdir' to satisfy
5620                 # the dependency.
5621                 # (subdircond2.test and subdircond3.test will fail.)
5622                 push_dist_common ("\$\(top_srcdir\)/$path");
5623               }
5624             else
5625               {
5626                 $path =~ s/\$\(srcdir\)\///;
5627                 push (@include_stack, "\$\(srcdir\)/$path");
5628                 # Always use the $(srcdir) prefix in DIST_COMMON,
5629                 # otherwise OSF make will implicitly copy the included
5630                 # file in the build tree during `make distdir' to satisfy
5631                 # the dependency.
5632                 # (subdircond2.test and subdircond3.test will fail.)
5633                 push_dist_common ("\$\(srcdir\)/$path");
5634                 $path = $relative_dir . "/" . $path if $relative_dir ne '.';
5635               }
5636             $where->push_context ("`$path' included from here");
5637             &read_am_file ($path, $where);
5638             $where->pop_context;
5639         }
5640         else
5641         {
5642             # This isn't an error; it is probably a continued rule.
5643             # In fact, this is what we assume.
5644             $prev_state = IN_RULE_DEF;
5645             check_variable_expansions ($_, $where);
5646             $output_trailer .= $comment . $spacing;
5647             my $cond = new Automake::Condition @cond_stack;
5648             $output_trailer .= $cond->subst_string;
5649             $output_trailer .= $_;
5650             $comment = $spacing = '';
5651             error $where, "`#' comment at start of rule is unportable"
5652               if $_ =~ /^\t\s*\#/;
5653         }
5654
5655         $saw_bk = $new_saw_bk;
5656         $_ = $am_file->getline;
5657     }
5658
5659     $output_trailer .= $comment;
5660
5661     error ($where, "trailing backslash on last line")
5662       if $saw_bk;
5663
5664     error ($where, (@cond_stack ? "unterminated conditionals: @cond_stack"
5665                     : "too many conditionals closed in include file"))
5666       if "@saved_cond_stack" ne "@cond_stack";
5667 }
5668
5669
5670 # define_standard_variables ()
5671 # ----------------------------
5672 # A helper for read_main_am_file which initializes configure variables
5673 # and variables from header-vars.am.
5674 sub define_standard_variables
5675 {
5676   my $saved_output_vars = $output_vars;
5677   my ($comments, undef, $rules) =
5678     file_contents_internal (1, "$libdir/am/header-vars.am",
5679                             new Automake::Location);
5680
5681   foreach my $var (sort keys %configure_vars)
5682     {
5683       &define_configure_variable ($var);
5684     }
5685
5686   $output_vars .= $comments . $rules;
5687 }
5688
5689 # Read main am file.
5690 sub read_main_am_file
5691 {
5692     my ($amfile) = @_;
5693
5694     # This supports the strange variable tricks we are about to play.
5695     prog_error (macros_dump () . "variable defined before read_main_am_file")
5696       if (scalar (variables) > 0);
5697
5698     # Generate copyright header for generated Makefile.in.
5699     # We do discard the output of predefined variables, handled below.
5700     $output_vars = ("# $in_file_name generated by automake "
5701                    . $VERSION . " from $am_file_name.\n");
5702     $output_vars .= '# ' . subst ('configure_input') . "\n";
5703     $output_vars .= $gen_copyright;
5704
5705     # We want to predefine as many variables as possible.  This lets
5706     # the user set them with `+=' in Makefile.am.
5707     &define_standard_variables;
5708
5709     # Read user file, which might override some of our values.
5710     &read_am_file ($amfile, new Automake::Location);
5711 }
5712
5713
5714
5715 ################################################################
5716
5717 # $FLATTENED
5718 # &flatten ($STRING)
5719 # ------------------
5720 # Flatten the $STRING and return the result.
5721 sub flatten
5722 {
5723   $_ = shift;
5724
5725   s/\\\n//somg;
5726   s/\s+/ /g;
5727   s/^ //;
5728   s/ $//;
5729
5730   return $_;
5731 }
5732
5733
5734 # @PARAGRAPHS
5735 # &make_paragraphs ($MAKEFILE, [%TRANSFORM])
5736 # ------------------------------------------
5737 # Load a $MAKEFILE, apply the %TRANSFORM, and return it as a list of
5738 # paragraphs.
5739 sub make_paragraphs ($%)
5740 {
5741   my ($file, %transform) = @_;
5742
5743   # Complete %transform with global options and make it a Perl
5744   # $command.
5745   my $command =
5746     "s/$IGNORE_PATTERN//gm;"
5747     . transform (%transform,
5748                  'CYGNUS'      => !! option 'cygnus',
5749                  'MAINTAINER-MODE'
5750                  => $seen_maint_mode ? subst ('MAINTAINER_MODE_TRUE') : '',
5751
5752                  'BZIP2'       => !! option 'dist-bzip2',
5753                  'COMPRESS'    => !! option 'dist-tarZ',
5754                  'GZIP'        =>  ! option 'no-dist-gzip',
5755                  'SHAR'        => !! option 'dist-shar',
5756                  'ZIP'         => !! option 'dist-zip',
5757
5758                  'INSTALL-INFO' =>  ! option 'no-installinfo',
5759                  'INSTALL-MAN'  =>  ! option 'no-installman',
5760                  'CK-NEWS'      => !! option 'check-news',
5761
5762                  'SUBDIRS'      => !! var ('SUBDIRS'),
5763                  'TOPDIR'       => backname ($relative_dir),
5764                  'TOPDIR_P'     => $relative_dir eq '.',
5765
5766                  'BUILD'    => $seen_canonical == AC_CANONICAL_SYSTEM,
5767                  'HOST'     => $seen_canonical,
5768                  'TARGET'   => $seen_canonical == AC_CANONICAL_SYSTEM,
5769
5770                  'LIBTOOL'      => !! var ('LIBTOOL'))
5771     # We don't need more than two consecutive new-lines.
5772     . 's/\n{3,}/\n\n/g';
5773
5774   # Swallow the file and apply the COMMAND.
5775   my $fc_file = new Automake::XFile "< $file";
5776   # Looks stupid?
5777   verb "reading $file";
5778   my $saved_dollar_slash = $/;
5779   undef $/;
5780   $_ = $fc_file->getline;
5781   $/ = $saved_dollar_slash;
5782   eval $command;
5783   $fc_file->close;
5784   my $content = $_;
5785
5786   # Split at unescaped new lines.
5787   my @lines = split (/(?<!\\)\n/, $content);
5788   my @res;
5789
5790   while (defined ($_ = shift @lines))
5791     {
5792       my $paragraph = "$_";
5793       # If we are a rule, eat as long as we start with a tab.
5794       if (/$RULE_PATTERN/smo)
5795         {
5796           while (defined ($_ = shift @lines) && $_ =~ /^\t/)
5797             {
5798               $paragraph .= "\n$_";
5799             }
5800           unshift (@lines, $_);
5801         }
5802
5803       # If we are a comments, eat as much comments as you can.
5804       elsif (/$COMMENT_PATTERN/smo)
5805         {
5806           while (defined ($_ = shift @lines)
5807                  && $_ =~ /$COMMENT_PATTERN/smo)
5808             {
5809               $paragraph .= "\n$_";
5810             }
5811           unshift (@lines, $_);
5812         }
5813
5814       push @res, $paragraph;
5815       $paragraph = '';
5816     }
5817
5818   return @res;
5819 }
5820
5821
5822
5823 # ($COMMENT, $VARIABLES, $RULES)
5824 # &file_contents_internal ($IS_AM, $FILE, $WHERE, [%TRANSFORM])
5825 # -------------------------------------------------------------
5826 # Return contents of a file from $libdir/am, automatically skipping
5827 # macros or rules which are already known. $IS_AM iff the caller is
5828 # reading an Automake file (as opposed to the user's Makefile.am).
5829 sub file_contents_internal ($$$%)
5830 {
5831     my ($is_am, $file, $where, %transform) = @_;
5832
5833     $where->set ($file);
5834
5835     my $result_vars = '';
5836     my $result_rules = '';
5837     my $comment = '';
5838     my $spacing = '';
5839
5840     # The following flags are used to track rules spanning across
5841     # multiple paragraphs.
5842     my $is_rule = 0;            # 1 if we are processing a rule.
5843     my $discard_rule = 0;       # 1 if the current rule should not be output.
5844
5845     # We save the conditional stack on entry, and then check to make
5846     # sure it is the same on exit.  This lets us conditionally include
5847     # other files.
5848     my @saved_cond_stack = @cond_stack;
5849     my $cond = new Automake::Condition (@cond_stack);
5850
5851     foreach (make_paragraphs ($file, %transform))
5852     {
5853         # FIXME: no line number available.
5854         $where->set ($file);
5855
5856         # Sanity checks.
5857         error $where, "blank line following trailing backslash:\n$_"
5858           if /\\$/;
5859         error $where, "comment following trailing backslash:\n$_"
5860           if /\\#/;
5861
5862         if (/^$/)
5863         {
5864             $is_rule = 0;
5865             # Stick empty line before the incoming macro or rule.
5866             $spacing = "\n";
5867         }
5868         elsif (/$COMMENT_PATTERN/mso)
5869         {
5870             $is_rule = 0;
5871             # Stick comments before the incoming macro or rule.
5872             $comment = "$_\n";
5873         }
5874
5875         # Handle inclusion of other files.
5876         elsif (/$INCLUDE_PATTERN/o)
5877         {
5878             if ($cond != FALSE)
5879               {
5880                 my $file = ($is_am ? "$libdir/am/" : '') . $1;
5881                 $where->push_context ("`$file' included from here");
5882                 # N-ary `.=' fails.
5883                 my ($com, $vars, $rules)
5884                   = file_contents_internal ($is_am, $file, $where, %transform);
5885                 $where->pop_context;
5886                 $comment .= $com;
5887                 $result_vars .= $vars;
5888                 $result_rules .= $rules;
5889               }
5890         }
5891
5892         # Handling the conditionals.
5893         elsif (/$IF_PATTERN/o)
5894           {
5895             $cond = cond_stack_if ($1, $2, $file);
5896           }
5897         elsif (/$ELSE_PATTERN/o)
5898           {
5899             $cond = cond_stack_else ($1, $2, $file);
5900           }
5901         elsif (/$ENDIF_PATTERN/o)
5902           {
5903             $cond = cond_stack_endif ($1, $2, $file);
5904           }
5905
5906         # Handling rules.
5907         elsif (/$RULE_PATTERN/mso)
5908         {
5909           $is_rule = 1;
5910           $discard_rule = 0;
5911           # Separate relationship from optional actions: the first
5912           # `new-line tab" not preceded by backslash (continuation
5913           # line).
5914           my $paragraph = $_;
5915           /^(.*?)(?:(?<!\\)\n(\t.*))?$/s;
5916           my ($relationship, $actions) = ($1, $2 || '');
5917
5918           # Separate targets from dependencies: the first colon.
5919           $relationship =~ /^([^:]+\S+) *: *(.*)$/som;
5920           my ($targets, $dependencies) = ($1, $2);
5921           # Remove the escaped new lines.
5922           # I don't know why, but I have to use a tmp $flat_deps.
5923           my $flat_deps = &flatten ($dependencies);
5924           my @deps = split (' ', $flat_deps);
5925
5926           foreach (split (' ' , $targets))
5927             {
5928               # FIXME: 1. We are not robust to people defining several targets
5929               # at once, only some of them being in %dependencies.  The
5930               # actions from the targets in %dependencies are usually generated
5931               # from the content of %actions, but if some targets in $targets
5932               # are not in %dependencies the ELSE branch will output
5933               # a rule for all $targets (i.e. the targets which are both
5934               # in %dependencies and $targets will have two rules).
5935
5936               # FIXME: 2. The logic here is not able to output a
5937               # multi-paragraph rule several time (e.g. for each condition
5938               # it is defined for) because it only knows the first paragraph.
5939
5940               # FIXME: 3. We are not robust to people defining a subset
5941               # of a previously defined "multiple-target" rule.  E.g.
5942               # `foo:' after `foo bar:'.
5943
5944               # Output only if not in FALSE.
5945               if (defined $dependencies{$_} && $cond != FALSE)
5946                 {
5947                   &depend ($_, @deps);
5948                   if ($actions{$_})
5949                     {
5950                       $actions{$_} .= "\n$actions" if $actions;
5951                     }
5952                   else
5953                     {
5954                       $actions{$_} = $actions;
5955                     }
5956                 }
5957               else
5958                 {
5959                   # Free-lance dependency.  Output the rule for all the
5960                   # targets instead of one by one.
5961                   my @undefined_conds =
5962                     Automake::Rule::define ($targets, $file,
5963                                             $is_am ? RULE_AUTOMAKE : RULE_USER,
5964                                             $cond, $where);
5965                   for my $undefined_cond (@undefined_conds)
5966                     {
5967                       my $condparagraph = $paragraph;
5968                       $condparagraph =~ s/^/$undefined_cond->subst_string/gme;
5969                       $result_rules .= "$spacing$comment$condparagraph\n";
5970                     }
5971                   if (scalar @undefined_conds == 0)
5972                     {
5973                       # Remember to discard next paragraphs
5974                       # if they belong to this rule.
5975                       # (but see also FIXME: #2 above.)
5976                       $discard_rule = 1;
5977                     }
5978                   $comment = $spacing = '';
5979                   last;
5980                 }
5981             }
5982         }
5983
5984         elsif (/$ASSIGNMENT_PATTERN/mso)
5985         {
5986             my ($var, $type, $val) = ($1, $2, $3);
5987             error $where, "variable `$var' with trailing backslash"
5988               if /\\$/;
5989
5990             $is_rule = 0;
5991
5992             Automake::Variable::define ($var,
5993                                         $is_am ? VAR_AUTOMAKE : VAR_MAKEFILE,
5994                                         $type, $cond, $val, $comment, $where,
5995                                         VAR_ASIS)
5996               if $cond != FALSE;
5997
5998             $comment = $spacing = '';
5999         }
6000         else
6001         {
6002             # This isn't an error; it is probably some tokens which
6003             # configure is supposed to replace, such as `@SET-MAKE@',
6004             # or some part of a rule cut by an if/endif.
6005             if (! $cond->false && ! ($is_rule && $discard_rule))
6006               {
6007                 s/^/$cond->subst_string/gme;
6008                 $result_rules .= "$spacing$comment$_\n";
6009               }
6010             $comment = $spacing = '';
6011         }
6012     }
6013
6014     error ($where, @cond_stack ?
6015            "unterminated conditionals: @cond_stack" :
6016            "too many conditionals closed in include file")
6017       if "@saved_cond_stack" ne "@cond_stack";
6018
6019     return ($comment, $result_vars, $result_rules);
6020 }
6021
6022
6023 # $CONTENTS
6024 # &file_contents ($BASENAME, $WHERE, [%TRANSFORM])
6025 # ------------------------------------------------
6026 # Return contents of a file from $libdir/am, automatically skipping
6027 # macros or rules which are already known.
6028 sub file_contents ($$%)
6029 {
6030     my ($basename, $where, %transform) = @_;
6031     my ($comments, $variables, $rules) =
6032       file_contents_internal (1, "$libdir/am/$basename.am", $where,
6033                               %transform);
6034     return "$comments$variables$rules";
6035 }
6036
6037
6038 # $REGEXP
6039 # &transform (%PAIRS)
6040 # -------------------
6041 # For each ($TOKEN, $VAL) in %PAIRS produce a replacement expression
6042 # suitable for file_contents which:
6043 #   - replaces %$TOKEN% with $VAL,
6044 #   - enables/disables ?$TOKEN? and ?!$TOKEN?,
6045 #   - replaces %?$TOKEN% with TRUE or FALSE.
6046 sub transform (%)
6047 {
6048   my (%pairs) = @_;
6049   my $result = '';
6050
6051   while (my ($token, $val) = each %pairs)
6052     {
6053       $result .= "s/\Q%$token%\E/\Q$val\E/gm;";
6054       if ($val)
6055         {
6056           $result .= "s/\Q?$token?\E//gm;s/^.*\Q?!$token?\E.*\\n//gm;";
6057           $result .= "s/\Q%?$token%\E/TRUE/gm;";
6058         }
6059       else
6060         {
6061           $result .= "s/\Q?!$token?\E//gm;s/^.*\Q?$token?\E.*\\n//gm;";
6062           $result .= "s/\Q%?$token%\E/FALSE/gm;";
6063         }
6064     }
6065
6066   return $result;
6067 }
6068
6069
6070 # &append_exeext ($MACRO)
6071 # -----------------------
6072 # Macro is an Automake magic macro which primary is PROGRAMS, e.g.
6073 # bin_PROGRAMS.  Make sure these programs have $(EXEEXT) appended.
6074 sub append_exeext ($)
6075 {
6076   my ($macro) = @_;
6077
6078   prog_error "append_exeext ($macro)"
6079     unless $macro =~ /_PROGRAMS$/;
6080
6081   transform_variable_recursively
6082     ($macro, $macro, 'am__EXEEXT', 0, INTERNAL,
6083      sub {
6084        my ($subvar, $val, $cond, $full_cond) = @_;
6085        # Append $(EXEEXT) unless the user did it already, or it's a
6086        # @substitution@.
6087        $val .= '$(EXEEXT)' unless $val =~ /(?:\$\(EXEEXT\)$|^[@]\w+[@]$)/;
6088        return $val;
6089      });
6090 }
6091
6092
6093 # @PREFIX
6094 # &am_primary_prefixes ($PRIMARY, $CAN_DIST, @PREFIXES)
6095 # -----------------------------------------------------
6096 # Find all variable prefixes that are used for install directories.  A
6097 # prefix `zar' qualifies iff:
6098 #
6099 # * `zardir' is a variable.
6100 # * `zar_PRIMARY' is a variable.
6101 #
6102 # As a side effect, it looks for misspellings.  It is an error to have
6103 # a variable ending in a "reserved" suffix whose prefix is unknown, e.g.
6104 # "bin_PROGRAMS".  However, unusual prefixes are allowed if a variable
6105 # of the same name (with "dir" appended) exists.  For instance, if the
6106 # variable "zardir" is defined, then "zar_PROGRAMS" becomes valid.
6107 # This is to provide a little extra flexibility in those cases which
6108 # need it.
6109 sub am_primary_prefixes ($$@)
6110 {
6111   my ($primary, $can_dist, @prefixes) = @_;
6112
6113   local $_;
6114   my %valid = map { $_ => 0 } @prefixes;
6115   $valid{'EXTRA'} = 0;
6116   foreach my $var (variables)
6117     {
6118       # Automake is allowed to define variables that look like primaries
6119       # but which aren't.  E.g. INSTALL_sh_DATA.
6120       # Autoconf can also define variables like INSTALL_DATA, so
6121       # ignore all configure variables (at least those which are not
6122       # redefined in Makefile.am).
6123       # FIXME: We should make sure that these variables are not
6124       # conditionally defined (or else adjust the condition below).
6125       my $def = $var->def (TRUE);
6126       next if $def && $def->owner != VAR_MAKEFILE;
6127
6128       my $varname = $var->name;
6129
6130       if ($varname =~ /^(nobase_)?(dist_|nodist_)?(.*)_$primary$/)
6131         {
6132           my ($base, $dist, $X) = ($1 || '', $2 || '', $3 || '');
6133           if ($dist ne '' && ! $can_dist)
6134             {
6135               err_var ($var,
6136                        "invalid variable `$varname': `dist' is forbidden");
6137             }
6138           # Standard directories must be explicitly allowed.
6139           elsif (! defined $valid{$X} && exists $standard_prefix{$X})
6140             {
6141               err_var ($var,
6142                        "`${X}dir' is not a legitimate directory " .
6143                        "for `$primary'");
6144             }
6145           # A not explicitly valid directory is allowed if Xdir is defined.
6146           elsif (! defined $valid{$X} &&
6147                  $var->requires_variables ("`$varname' is used", "${X}dir"))
6148             {
6149               # Nothing to do.  Any error message has been output
6150               # by $var->requires_variables.
6151             }
6152           else
6153             {
6154               # Ensure all extended prefixes are actually used.
6155               $valid{"$base$dist$X"} = 1;
6156             }
6157         }
6158     }
6159
6160   # Return only those which are actually defined.
6161   return sort grep { var ($_ . '_' . $primary) } keys %valid;
6162 }
6163
6164
6165 # Handle `where_HOW' variable magic.  Does all lookups, generates
6166 # install code, and possibly generates code to define the primary
6167 # variable.  The first argument is the name of the .am file to munge,
6168 # the second argument is the primary variable (e.g. HEADERS), and all
6169 # subsequent arguments are possible installation locations.
6170 #
6171 # Returns list of [$location, $value] pairs, where
6172 # $value's are the values in all where_HOW variable, and $location
6173 # there associated location (the place here their parent variables were
6174 # defined).
6175 #
6176 # FIXME: this should be rewritten to be cleaner.  It should be broken
6177 # up into multiple functions.
6178 #
6179 # Usage is: am_install_var (OPTION..., file, HOW, where...)
6180 sub am_install_var
6181 {
6182   my (@args) = @_;
6183
6184   my $do_require = 1;
6185   my $can_dist = 0;
6186   my $default_dist = 0;
6187   while (@args)
6188     {
6189       if ($args[0] eq '-noextra')
6190         {
6191           $do_require = 0;
6192         }
6193       elsif ($args[0] eq '-candist')
6194         {
6195           $can_dist = 1;
6196         }
6197       elsif ($args[0] eq '-defaultdist')
6198         {
6199           $default_dist = 1;
6200           $can_dist = 1;
6201         }
6202       elsif ($args[0] !~ /^-/)
6203         {
6204           last;
6205         }
6206       shift (@args);
6207     }
6208
6209   my ($file, $primary, @prefix) = @args;
6210
6211   # Now that configure substitutions are allowed in where_HOW
6212   # variables, it is an error to actually define the primary.  We
6213   # allow `JAVA', as it is customarily used to mean the Java
6214   # interpreter.  This is but one of several Java hacks.  Similarly,
6215   # `PYTHON' is customarily used to mean the Python interpreter.
6216   reject_var $primary, "`$primary' is an anachronism"
6217     unless $primary eq 'JAVA' || $primary eq 'PYTHON';
6218
6219   # Get the prefixes which are valid and actually used.
6220   @prefix = am_primary_prefixes ($primary, $can_dist, @prefix);
6221
6222   # If a primary includes a configure substitution, then the EXTRA_
6223   # form is required.  Otherwise we can't properly do our job.
6224   my $require_extra;
6225
6226   my @used = ();
6227   my @result = ();
6228
6229   # True if the iteration is the first one.  Used for instance to
6230   # output parts of the associated file only once.
6231   my $first = 1;
6232   foreach my $X (@prefix)
6233     {
6234       my $nodir_name = $X;
6235       my $one_name = $X . '_' . $primary;
6236       my $one_var = var $one_name;
6237
6238       my $strip_subdir = 1;
6239       # If subdir prefix should be preserved, do so.
6240       if ($nodir_name =~ /^nobase_/)
6241         {
6242           $strip_subdir = 0;
6243           $nodir_name =~ s/^nobase_//;
6244         }
6245
6246       # If files should be distributed, do so.
6247       my $dist_p = 0;
6248       if ($can_dist)
6249         {
6250           $dist_p = (($default_dist && $nodir_name !~ /^nodist_/)
6251                      || (! $default_dist && $nodir_name =~ /^dist_/));
6252           $nodir_name =~ s/^(dist|nodist)_//;
6253         }
6254
6255
6256       # Use the location of the currently processed variable.
6257       # We are not processing a particular condition, so pick the first
6258       # available.
6259       my $tmpcond = $one_var->conditions->one_cond;
6260       my $where = $one_var->rdef ($tmpcond)->location->clone;
6261
6262       # Append actual contents of where_PRIMARY variable to
6263       # @result, skipping @substitutions@.
6264       foreach my $locvals ($one_var->value_as_list_recursive (location => 1))
6265         {
6266           my ($loc, $value) = @$locvals;
6267           # Skip configure substitutions.
6268           if ($value =~ /^\@.*\@$/)
6269             {
6270               if ($nodir_name eq 'EXTRA')
6271                 {
6272                   error ($where,
6273                          "`$one_name' contains configure substitution, "
6274                          . "but shouldn't");
6275                 }
6276               # Check here to make sure variables defined in
6277               # configure.ac do not imply that EXTRA_PRIMARY
6278               # must be defined.
6279               elsif (! defined $configure_vars{$one_name})
6280                 {
6281                   $require_extra = $one_name
6282                     if $do_require;
6283                 }
6284             }
6285           else
6286             {
6287               push (@result, $locvals);
6288             }
6289         }
6290       # A blatant hack: we rewrite each _PROGRAMS primary to include
6291       # EXEEXT.
6292       append_exeext ($one_name)
6293         if $primary eq 'PROGRAMS';
6294       # "EXTRA" shouldn't be used when generating clean targets,
6295       # all, or install targets.  We used to warn if EXTRA_FOO was
6296       # defined uselessly, but this was annoying.
6297       next
6298         if $nodir_name eq 'EXTRA';
6299
6300       if ($nodir_name eq 'check')
6301         {
6302           push (@check, '$(' . $one_name . ')');
6303         }
6304       else
6305         {
6306           push (@used, '$(' . $one_name . ')');
6307         }
6308
6309       # Is this to be installed?
6310       my $install_p = $nodir_name ne 'noinst' && $nodir_name ne 'check';
6311
6312       # If so, with install-exec? (or install-data?).
6313       my $exec_p = ($nodir_name =~ /$EXEC_DIR_PATTERN/o);
6314
6315       my $check_options_p = $install_p && !! option 'std-options';
6316
6317       # Use the location of the currently processed variable as context.
6318       $where->push_context ("while processing `$one_name'");
6319
6320       # Singular form of $PRIMARY.
6321       (my $one_primary = $primary) =~ s/S$//;
6322       $output_rules .= &file_contents ($file, $where,
6323                                          FIRST => $first,
6324
6325                                          PRIMARY     => $primary,
6326                                          ONE_PRIMARY => $one_primary,
6327                                          DIR         => $X,
6328                                          NDIR        => $nodir_name,
6329                                          BASE        => $strip_subdir,
6330
6331                                          EXEC      => $exec_p,
6332                                          INSTALL   => $install_p,
6333                                          DIST      => $dist_p,
6334                                          'CK-OPTS' => $check_options_p);
6335
6336       $first = 0;
6337     }
6338
6339   # The JAVA variable is used as the name of the Java interpreter.
6340   # The PYTHON variable is used as the name of the Python interpreter.
6341   if (@used && $primary ne 'JAVA' && $primary ne 'PYTHON')
6342     {
6343       # Define it.
6344       define_pretty_variable ($primary, TRUE, INTERNAL, @used);
6345       $output_vars .= "\n";
6346     }
6347
6348   err_var ($require_extra,
6349            "`$require_extra' contains configure substitution,\n"
6350            . "but `EXTRA_$primary' not defined")
6351     if ($require_extra && ! var ('EXTRA_' . $primary));
6352
6353   # Push here because PRIMARY might be configure time determined.
6354   push (@all, '$(' . $primary . ')')
6355     if @used && $primary ne 'JAVA' && $primary ne 'PYTHON';
6356
6357   # Make the result unique.  This lets the user use conditionals in
6358   # a natural way, but still lets us program lazily -- we don't have
6359   # to worry about handling a particular object more than once.
6360   # We will keep only one location per object.
6361   my %result = ();
6362   for my $pair (@result)
6363     {
6364       my ($loc, $val) = @$pair;
6365       $result{$val} = $loc;
6366     }
6367   my @l = sort keys %result;
6368   return map { [$result{$_}->clone, $_] } @l;
6369 }
6370
6371
6372 ################################################################
6373
6374 # Each key in this hash is the name of a directory holding a
6375 # Makefile.in.  These variables are local to `is_make_dir'.
6376 my %make_dirs = ();
6377 my $make_dirs_set = 0;
6378
6379 sub is_make_dir
6380 {
6381     my ($dir) = @_;
6382     if (! $make_dirs_set)
6383     {
6384         foreach my $iter (@configure_input_files)
6385         {
6386             $make_dirs{dirname ($iter)} = 1;
6387         }
6388         # We also want to notice Makefile.in's.
6389         foreach my $iter (@other_input_files)
6390         {
6391             if ($iter =~ /Makefile\.in$/)
6392             {
6393                 $make_dirs{dirname ($iter)} = 1;
6394             }
6395         }
6396         $make_dirs_set = 1;
6397     }
6398     return defined $make_dirs{$dir};
6399 }
6400
6401 ################################################################
6402
6403 # This variable is local to the "require file" set of functions.
6404 my @require_file_paths = ();
6405
6406
6407 # &maybe_push_required_file ($DIR, $FILE, $FULLFILE)
6408 # --------------------------------------------------
6409 # See if we want to push this file onto dist_common.  This function
6410 # encodes the rules for deciding when to do so.
6411 sub maybe_push_required_file
6412 {
6413     my ($dir, $file, $fullfile) = @_;
6414
6415     if ($dir eq $relative_dir)
6416     {
6417         push_dist_common ($file);
6418         return 1;
6419     }
6420     elsif ($relative_dir eq '.' && ! &is_make_dir ($dir))
6421     {
6422         # If we are doing the topmost directory, and the file is in a
6423         # subdir which does not have a Makefile, then we distribute it
6424         # here.
6425         push_dist_common ($fullfile);
6426         return 1;
6427     }
6428     return 0;
6429 }
6430
6431
6432 # &require_file_internal ($WHERE, $MYSTRICT, @FILES)
6433 # --------------------------------------------------
6434 # Verify that the file must exist in the current directory.
6435 # $MYSTRICT is the strictness level at which this file becomes required.
6436 #
6437 # Must set require_file_paths before calling this function.
6438 # require_file_paths is set to hold a single directory (the one in
6439 # which the first file was found) before return.
6440 sub require_file_internal ($$@)
6441 {
6442     my ($where, $mystrict, @files) = @_;
6443
6444     foreach my $file (@files)
6445     {
6446         my $fullfile;
6447         my $errdir;
6448         my $errfile;
6449         my $save_dir;
6450
6451         my $found_it = 0;
6452         my $dangling_sym = 0;
6453         foreach my $dir (@require_file_paths)
6454         {
6455             $fullfile = $dir . "/" . $file;
6456             $errdir = $dir unless $errdir;
6457
6458             # Use different name for "error filename".  Otherwise on
6459             # an error the bad file will be reported as e.g.
6460             # `../../install-sh' when using the default
6461             # config_aux_path.
6462             $errfile = $errdir . '/' . $file;
6463
6464             if (-l $fullfile && ! -f $fullfile)
6465             {
6466                 $dangling_sym = 1;
6467                 last;
6468             }
6469             elsif (-f $fullfile)
6470             {
6471                 $found_it = 1;
6472                 maybe_push_required_file ($dir, $file, $fullfile);
6473                 $save_dir = $dir;
6474                 last;
6475             }
6476         }
6477
6478         # `--force-missing' only has an effect if `--add-missing' is
6479         # specified.
6480         if ($found_it && (! $add_missing || ! $force_missing))
6481         {
6482             # Prune the path list.
6483             @require_file_paths = $save_dir;
6484         }
6485         else
6486         {
6487             # If we've already looked for it, we're done.  You might
6488             # wonder why we don't do this before searching for the
6489             # file.  If we do that, then something like
6490             # AC_OUTPUT(subdir/foo foo) will fail to put foo.in into
6491             # DIST_COMMON.
6492             if (! $found_it)
6493             {
6494                 next if defined $require_file_found{$fullfile};
6495                 $require_file_found{$fullfile} = 1;
6496             }
6497
6498             if ($strictness >= $mystrict)
6499             {
6500                 if ($dangling_sym && $add_missing)
6501                 {
6502                     unlink ($fullfile);
6503                 }
6504
6505                 my $trailer = '';
6506                 my $suppress = 0;
6507
6508                 # Only install missing files according to our desired
6509                 # strictness level.
6510                 my $message = "required file `$errfile' not found";
6511                 if ($add_missing)
6512                 {
6513                     if (-f ("$libdir/$file"))
6514                     {
6515                         $suppress = 1;
6516
6517                         # Install the missing file.  Symlink if we
6518                         # can, copy if we must.  Note: delete the file
6519                         # first, in case it is a dangling symlink.
6520                         $message = "installing `$errfile'";
6521                         # Windows Perl will hang if we try to delete a
6522                         # file that doesn't exist.
6523                         unlink ($errfile) if -f $errfile;
6524                         if ($symlink_exists && ! $copy_missing)
6525                         {
6526                             if (! symlink ("$libdir/$file", $errfile))
6527                             {
6528                                 $suppress = 0;
6529                                 $trailer = "; error while making link: $!";
6530                             }
6531                         }
6532                         elsif (system ('cp', "$libdir/$file", $errfile))
6533                         {
6534                             $suppress = 0;
6535                             $trailer = "\n    error while copying";
6536                         }
6537                     }
6538
6539                     if (! maybe_push_required_file (dirname ($errfile),
6540                                                     $file, $errfile))
6541                     {
6542                         if (! $found_it)
6543                         {
6544                             # We have added the file but could not push it
6545                             # into DIST_COMMON (probably because this is
6546                             # an auxiliary file and we are not processing
6547                             # the top level Makefile). This is unfortunate,
6548                             # since it means we are using a file which is not
6549                             # distributed!
6550
6551                             # Get Automake to be run again: on the second
6552                             # run the file will be found, and pushed into
6553                             # the toplevel DIST_COMMON automatically.
6554                             $automake_needs_to_reprocess_all_files = 1;
6555                         }
6556                     }
6557
6558                     # Prune the path list.
6559                     @require_file_paths = &dirname ($errfile);
6560                 }
6561
6562                 # If --force-missing was specified, and we have
6563                 # actually found the file, then do nothing.
6564                 next
6565                     if $found_it && $force_missing;
6566
6567                 # If we couldn' install the file, but it is a target in
6568                 # the Makefile, don't print anything.  This allows files
6569                 # like README, AUTHORS, or THANKS to be generated.
6570                 next
6571                   if !$suppress && rule $file;
6572
6573                 msg ($suppress ? 'note' : 'error', $where, "$message$trailer");
6574             }
6575         }
6576     }
6577 }
6578
6579 # &require_file ($WHERE, $MYSTRICT, @FILES)
6580 # -----------------------------------------
6581 sub require_file ($$@)
6582 {
6583     my ($where, $mystrict, @files) = @_;
6584     @require_file_paths = $relative_dir;
6585     require_file_internal ($where, $mystrict, @files);
6586 }
6587
6588 # &require_file_with_macro ($COND, $MACRO, $MYSTRICT, @FILES)
6589 # -----------------------------------------------------------
6590 sub require_file_with_macro ($$$@)
6591 {
6592     my ($cond, $macro, $mystrict, @files) = @_;
6593     $macro = rvar ($macro) unless ref $macro;
6594     require_file ($macro->rdef ($cond)->location, $mystrict, @files);
6595 }
6596
6597
6598 # &require_conf_file ($WHERE, $MYSTRICT, @FILES)
6599 # ----------------------------------------------
6600 # Looks in configuration path, as specified by AC_CONFIG_AUX_DIR.
6601 sub require_conf_file ($$@)
6602 {
6603     my ($where, $mystrict, @files) = @_;
6604     @require_file_paths = @config_aux_path;
6605     require_file_internal ($where, $mystrict, @files);
6606     my $dir = $require_file_paths[0];
6607     @config_aux_path = @require_file_paths;
6608      # Avoid unsightly '/.'s.
6609     $config_aux_dir = '$(top_srcdir)' . ($dir eq '.' ? "" : "/$dir");
6610 }
6611
6612
6613 # &require_conf_file_with_macro ($COND, $MACRO, $MYSTRICT, @FILES)
6614 # ----------------------------------------------------------------
6615 sub require_conf_file_with_macro ($$$@)
6616 {
6617     my ($cond, $macro, $mystrict, @files) = @_;
6618     require_conf_file (rvar ($macro)->rdef ($cond)->location,
6619                        $mystrict, @files);
6620 }
6621
6622 ################################################################
6623
6624 # &require_build_directory ($DIRECTORY)
6625 # ------------------------------------
6626 # Emit rules to create $DIRECTORY if needed, and return
6627 # the file that any target requiring this directory should be made
6628 # dependent upon.
6629 sub require_build_directory ($)
6630 {
6631   my $directory = shift;
6632   my $dirstamp = "$directory/\$(am__dirstamp)";
6633
6634   # Don't emit the rule twice.
6635   if (! defined $directory_map{$directory})
6636     {
6637       $directory_map{$directory} = 1;
6638
6639       # Set a variable for the dirstamp basename.
6640       define_pretty_variable ('am__dirstamp', TRUE, INTERNAL,
6641                               '$(am__leading_dot)dirstamp');
6642
6643       # Directory must be removed by `make distclean'.
6644       $clean_files{$dirstamp} = DIST_CLEAN;
6645
6646       $output_rules .= ("$dirstamp:\n"
6647                         . "\t\@\$(mkdir_p) $directory\n"
6648                         . "\t\@: > $dirstamp\n");
6649     }
6650
6651   return $dirstamp;
6652 }
6653
6654 # &require_build_directory_maybe ($FILE)
6655 # --------------------------------------
6656 # If $FILE lies in a subdirectory, emit a rule to create this
6657 # directory and return the file that $FILE should be made
6658 # dependent upon.  Otherwise, just return the empty string.
6659 sub require_build_directory_maybe ($)
6660 {
6661     my $file = shift;
6662     my $directory = dirname ($file);
6663
6664     if ($directory ne '.')
6665     {
6666         return require_build_directory ($directory);
6667     }
6668     else
6669     {
6670         return '';
6671     }
6672 }
6673
6674 ################################################################
6675
6676 # Push a list of files onto dist_common.
6677 sub push_dist_common
6678 {
6679   prog_error "push_dist_common run after handle_dist"
6680     if $handle_dist_run;
6681   Automake::Variable::define ('DIST_COMMON', VAR_AUTOMAKE, '+', TRUE, "@_",
6682                               '', INTERNAL, VAR_PRETTY);
6683 }
6684
6685
6686 ################################################################
6687
6688 # generate_makefile ($MAKEFILE_AM, $MAKEFILE_IN)
6689 # ----------------------------------------------
6690 # Generate a Makefile.in given the name of the corresponding Makefile and
6691 # the name of the file output by config.status.
6692 sub generate_makefile ($$)
6693 {
6694   my ($makefile_am, $makefile_in) = @_;
6695
6696   # Reset all the Makefile.am related variables.
6697   initialize_per_input;
6698
6699   # AUTOMAKE_OPTIONS can contains -W flags to disable or enable
6700   # warnings for this file.  So hold any warning issued before
6701   # we have processed AUTOMAKE_OPTIONS.
6702   buffer_messages ('warning');
6703
6704   # Name of input file ("Makefile.am") and output file
6705   # ("Makefile.in").  These have no directory components.
6706   $am_file_name = basename ($makefile_am);
6707   $in_file_name = basename ($makefile_in);
6708
6709   # $OUTPUT is encoded.  If it contains a ":" then the first element
6710   # is the real output file, and all remaining elements are input
6711   # files.  We don't scan or otherwise deal with these input files,
6712   # other than to mark them as dependencies.  See
6713   # &scan_autoconf_files for details.
6714   my ($makefile, @inputs) = split (/:/, $output_files{$makefile_in});
6715
6716   $relative_dir = dirname ($makefile);
6717   $am_relative_dir = dirname ($makefile_am);
6718
6719   read_main_am_file ($makefile_am);
6720   if (handle_options)
6721     {
6722       # Process buffered warnings.
6723       flush_messages;
6724       # Fatal error.  Just return, so we can continue with next file.
6725       return;
6726     }
6727   # Process buffered warnings.
6728   flush_messages;
6729
6730   # There are a few install-related variables that you should not define.
6731   foreach my $var ('PRE_INSTALL', 'POST_INSTALL', 'NORMAL_INSTALL')
6732     {
6733       my $v = var $var;
6734       if ($v)
6735         {
6736           my $def = $v->def (TRUE);
6737           prog_error "$var not defined in condition TRUE"
6738             unless $def;
6739           reject_var $var, "`$var' should not be defined"
6740             if $def->owner != VAR_AUTOMAKE;
6741         }
6742     }
6743
6744   # Catch some obsolete variables.
6745   msg_var ('obsolete', 'INCLUDES',
6746            "`INCLUDES' is the old name for `AM_CPPFLAGS' (or `*_CPPFLAGS')")
6747     if var ('INCLUDES');
6748
6749   # At the toplevel directory, we might need config.guess, config.sub
6750   # or libtool scripts (ltconfig and ltmain.sh).
6751   if ($relative_dir eq '.')
6752     {
6753       # AC_CANONICAL_HOST and AC_CANONICAL_SYSTEM need config.guess and
6754       # config.sub.
6755       require_conf_file ($canonical_location, FOREIGN,
6756                          'config.guess', 'config.sub')
6757         if $seen_canonical;
6758     }
6759
6760   # Must do this after reading .am file.
6761   define_variable ('subdir', $relative_dir, INTERNAL);
6762
6763   # If DIST_SUBDIRS is defined, make sure SUBDIRS is, so that
6764   # recursive rules are enabled.
6765   define_pretty_variable ('SUBDIRS', TRUE, INTERNAL, '')
6766     if var 'DIST_SUBDIRS' && ! var 'SUBDIRS';
6767
6768   # Check first, because we might modify some state.
6769   check_cygnus;
6770   check_gnu_standards;
6771   check_gnits_standards;
6772
6773   handle_configure ($makefile_am, $makefile_in, $makefile, @inputs);
6774   handle_gettext;
6775   handle_libraries;
6776   handle_ltlibraries;
6777   handle_programs;
6778   handle_scripts;
6779
6780   # This must run first so that the ANSI2KNR definition is generated
6781   # before it is used by the _.c rules.  We have to do this because
6782   # a variable which is used in a dependency must be defined before
6783   # the target, or else make won't properly see it.
6784   handle_compile;
6785   # This must be run after all the sources are scanned.
6786   handle_languages;
6787
6788   # We have to run this after dealing with all the programs.
6789   handle_libtool;
6790
6791   # Variables used by distdir.am and tags.am.
6792   define_pretty_variable ('SOURCES', TRUE, INTERNAL, @sources);
6793   define_pretty_variable ('DIST_SOURCES', TRUE, INTERNAL, @dist_sources);
6794
6795   handle_multilib;
6796   handle_texinfo;
6797   handle_emacs_lisp;
6798   handle_python;
6799   handle_java;
6800   handle_man_pages;
6801   handle_data;
6802   handle_headers;
6803   handle_subdirs;
6804   handle_tags;
6805   handle_minor_options;
6806   handle_tests;
6807
6808   # This must come after most other rules.
6809   handle_dist;
6810
6811   handle_footer;
6812   do_check_merge_target;
6813   handle_all ($makefile);
6814
6815   # FIXME: Gross!
6816   if (var ('lib_LTLIBRARIES') && var ('bin_PROGRAMS'))
6817     {
6818       $output_rules .= "install-binPROGRAMS: install-libLTLIBRARIES\n\n";
6819     }
6820
6821   handle_install;
6822   handle_clean ($makefile);
6823   handle_factored_dependencies;
6824
6825   # Comes last, because all the above procedures may have
6826   # defined or overridden variables.
6827   $output_vars .= output_variables;
6828
6829   check_typos;
6830
6831   if (! -d ($output_directory . '/' . $am_relative_dir))
6832     {
6833       mkdir ($output_directory . '/' . $am_relative_dir, 0755);
6834     }
6835
6836   my ($out_file) = $output_directory . '/' . $makefile_in;
6837
6838   # We make sure that `all:' is the first target.
6839   my $output =
6840     "$output_vars$output_all$output_header$output_rules$output_trailer";
6841
6842   # Decide whether we must update the output file or not.
6843   # We have to update in the following situations.
6844   #  * $force_generation is set.
6845   #  * any of the output dependencies is younger than the output
6846   #  * the contents of the output is different (this can happen
6847   #    if the project has been populated with a file listed in
6848   #    @common_files since the last run).
6849   # Output's dependencies are split in two sets:
6850   #  * dependencies which are also configure dependencies
6851   #    These do not change between each Makefile.am
6852   #  * other dependencies, specific to the Makefile.am being processed
6853   #    (such as the Makefile.am itself, or any Makefile fragment
6854   #    it includes).
6855   my $timestamp = mtime $out_file;
6856   if (! $force_generation
6857       && $configure_deps_greatest_timestamp < $timestamp
6858       && $output_deps_greatest_timestamp < $timestamp
6859       && $output eq contents ($out_file))
6860   {
6861       verb "$out_file unchanged";
6862       # No need to update.
6863       return;
6864     }
6865
6866   if (-e $out_file)
6867     {
6868       unlink ($out_file)
6869         or fatal "cannot remove $out_file: $!\n";
6870     }
6871
6872   my $gm_file = new Automake::XFile "> $out_file";
6873   verb "creating $out_file";
6874   print $gm_file $output;
6875 }
6876
6877 ################################################################
6878
6879
6880
6881
6882 ################################################################
6883
6884 # Print usage information.
6885 sub usage ()
6886 {
6887     print "Usage: $0 [OPTION] ... [Makefile]...
6888
6889 Generate Makefile.in for configure from Makefile.am.
6890
6891 Operation modes:
6892       --help               print this help, then exit
6893       --version            print version number, then exit
6894   -v, --verbose            verbosely list files processed
6895       --no-force           only update Makefile.in's that are out of date
6896   -W, --warnings=CATEGORY  report the warnings falling in CATEGORY
6897
6898 Dependency tracking:
6899   -i, --ignore-deps      disable dependency tracking code
6900       --include-deps     enable dependency tracking code
6901
6902 Flavors:
6903       --cygnus           assume program is part of Cygnus-style tree
6904       --foreign          set strictness to foreign
6905       --gnits            set strictness to gnits
6906       --gnu              set strictness to gnu
6907
6908 Library files:
6909   -a, --add-missing      add missing standard files to package
6910       --libdir=DIR       directory storing library files
6911   -c, --copy             with -a, copy missing files (default is symlink)
6912   -f, --force-missing    force update of standard files
6913
6914 ";
6915     Automake::ChannelDefs::usage;
6916
6917     my ($last, @lcomm);
6918     $last = '';
6919     foreach my $iter (sort ((@common_files, @common_sometimes)))
6920     {
6921         push (@lcomm, $iter) unless $iter eq $last;
6922         $last = $iter;
6923     }
6924
6925     my @four;
6926     print "\nFiles which are automatically distributed, if found:\n";
6927     format USAGE_FORMAT =
6928   @<<<<<<<<<<<<<<<<   @<<<<<<<<<<<<<<<<   @<<<<<<<<<<<<<<<<   @<<<<<<<<<<<<<<<<
6929   $four[0],           $four[1],           $four[2],           $four[3]
6930 .
6931     $~ = "USAGE_FORMAT";
6932
6933     my $cols = 4;
6934     my $rows = int(@lcomm / $cols);
6935     my $rest = @lcomm % $cols;
6936
6937     if ($rest)
6938     {
6939         $rows++;
6940     }
6941     else
6942     {
6943         $rest = $cols;
6944     }
6945
6946     for (my $y = 0; $y < $rows; $y++)
6947     {
6948         @four = ("", "", "", "");
6949         for (my $x = 0; $x < $cols; $x++)
6950         {
6951             last if $y + 1 == $rows && $x == $rest;
6952
6953             my $idx = (($x > $rest)
6954                        ?  ($rows * $rest + ($rows - 1) * ($x - $rest))
6955                        : ($rows * $x));
6956
6957             $idx += $y;
6958             $four[$x] = $lcomm[$idx];
6959         }
6960         write;
6961     }
6962
6963     print "\nReport bugs to <bug-automake\@gnu.org>.\n";
6964
6965     # --help always returns 0 per GNU standards.
6966     exit 0;
6967 }
6968
6969
6970 # &version ()
6971 # -----------
6972 # Print version information
6973 sub version ()
6974 {
6975   print <<EOF;
6976 automake (GNU $PACKAGE) $VERSION
6977 Written by Tom Tromey <tromey\@redhat.com>.
6978
6979 Copyright 2003 Free Software Foundation, Inc.
6980 This is free software; see the source for copying conditions.  There is NO
6981 warranty; not even for MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.
6982 EOF
6983   # --version always returns 0 per GNU standards.
6984   exit 0;
6985 }
6986
6987 ################################################################
6988
6989 # Parse command line.
6990 sub parse_arguments ()
6991 {
6992   # Start off as gnu.
6993   set_strictness ('gnu');
6994
6995   my $cli_where = new Automake::Location;
6996   my %cli_options =
6997     (
6998      'libdir:s'         => \$libdir,
6999      'gnu'              => sub { set_strictness ('gnu'); },
7000      'gnits'            => sub { set_strictness ('gnits'); },
7001      'cygnus'           => sub { set_global_option ('cygnus', $cli_where); },
7002      'foreign'          => sub { set_strictness ('foreign'); },
7003      'include-deps'     => sub { unset_global_option ('no-dependencies'); },
7004      'i|ignore-deps'    => sub { set_global_option ('no-dependencies',
7005                                                     $cli_where); },
7006      'no-force'         => sub { $force_generation = 0; },
7007      'f|force-missing'  => \$force_missing,
7008      'o|output-dir:s'   => \$output_directory,
7009      'a|add-missing'    => \$add_missing,
7010      'c|copy'           => \$copy_missing,
7011      'v|verbose'        => sub { setup_channel 'verb', silent => 0; },
7012      'W|warnings:s'     => \&parse_warnings,
7013      # These long options (--Werror and --Wno-error) for backward
7014      # compatibility.  Use -Werror and -Wno-error today.
7015      'Werror'           => sub { parse_warnings 'W', 'error'; },
7016      'Wno-error'        => sub { parse_warnings 'W', 'no-error'; },
7017      );
7018   use Getopt::Long;
7019   Getopt::Long::config ("bundling", "pass_through");
7020
7021   # See if --version or --help is used.  We want to process these before
7022   # anything else because the GNU Coding Standards require us to
7023   # `exit 0' after processing these options, and we can't guarantee this
7024   # if we treat other options first.  (Handling other options first
7025   # could produce error diagnostics, and in this condition it is
7026   # confusing if Automake does `exit 0'.)
7027   my %cli_options_1st_pass =
7028     (
7029      'version' => \&version,
7030      'help'    => \&usage,
7031      # Recognize all other options (and their arguments) but do nothing.
7032      map { $_ => sub {} } (keys %cli_options)
7033      );
7034   my @ARGV_backup = @ARGV;
7035   Getopt::Long::GetOptions %cli_options_1st_pass
7036     or exit 1;
7037   @ARGV = @ARGV_backup;
7038
7039   # Now *really* process the options.  This time we know
7040   # that --help and --version are not present.
7041   Getopt::Long::GetOptions %cli_options
7042     or exit 1;
7043
7044   if (defined $output_directory)
7045     {
7046       msg 'obsolete', "`--output-dir' is deprecated\n";
7047     }
7048   else
7049     {
7050       # In the next release we'll remove this entirely.
7051       $output_directory = '.';
7052     }
7053
7054   foreach my $arg (@ARGV)
7055     {
7056       if ($arg =~ /^-./)
7057         {
7058           fatal ("unrecognized option `$arg'\n"
7059                  . "Try `$0 --help' for more information.");
7060         }
7061
7062       # Handle $local:$input syntax.
7063       my ($local, @rest) = split (/:/, $arg);
7064       @rest = ("$local.in",) unless @rest;
7065       my $input = locate_am @rest;
7066       if ($input)
7067         {
7068           push @input_files, $input;
7069           $output_files{$input} = join (':', ($local, @rest));
7070         }
7071       else
7072         {
7073           error "no Automake input file found in `$arg'";
7074         }
7075     }
7076 }
7077
7078 ################################################################
7079
7080 # Parse the WARNINGS environment variable.
7081 parse_WARNINGS;
7082
7083 # Parse command line.
7084 parse_arguments;
7085
7086 $configure_ac = require_configure_ac;
7087
7088 # Do configure.ac scan only once.
7089 scan_autoconf_files;
7090
7091 fatal "no `Makefile.am' found or specified\n"
7092   if ! @input_files;
7093
7094 my $automake_has_run = 0;
7095
7096 do
7097 {
7098   if ($automake_has_run)
7099     {
7100       verb 'processing Makefiles another time to fix them up.';
7101       prog_error 'running more than two times should never be needed.'
7102         if $automake_has_run >= 2;
7103     }
7104   $automake_needs_to_reprocess_all_files = 0;
7105
7106   # Now do all the work on each file.
7107   foreach my $file (@input_files)
7108     {
7109       ($am_file = $file) =~ s/\.in$//;
7110       if (! -f ($am_file . '.am'))
7111         {
7112           error "`$am_file.am' does not exist";
7113         }
7114       else
7115         {
7116           # Any warning setting now local to this Makefile.am.
7117           dup_channel_setup;
7118
7119           generate_makefile ($am_file . '.am', $file);
7120
7121           # Back out any warning setting.
7122           drop_channel_setup;
7123         }
7124     }
7125   ++$automake_has_run;
7126 }
7127 while ($automake_needs_to_reprocess_all_files);
7128
7129 exit $exit_code;
7130
7131
7132 ### Setup "GNU" style for perl-mode and cperl-mode.
7133 ## Local Variables:
7134 ## perl-indent-level: 2
7135 ## perl-continued-statement-offset: 2
7136 ## perl-continued-brace-offset: 0
7137 ## perl-brace-offset: 0
7138 ## perl-brace-imaginary-offset: 0
7139 ## perl-label-offset: -2
7140 ## cperl-indent-level: 2
7141 ## cperl-brace-offset: 0
7142 ## cperl-continued-brace-offset: 0
7143 ## cperl-label-offset: -2
7144 ## cperl-extra-newline-before-brace: t
7145 ## cperl-merge-trailing-else: nil
7146 ## cperl-continued-statement-offset: 2
7147 ## End: