summaryrefslogtreecommitdiff
path: root/mcs/tools/xbuild/SolutionParser.cs
blob: 92fd84e949d0ac102aa1e063853fa29e8318288c (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
//
// SolutionParser.cs: Generates a project file from a solution file.
//
// Author:
//   Jonathan Chambers (joncham@gmail.com)
//   Ankit Jain <jankit@novell.com>
//   Lluis Sanchez Gual <lluis@novell.com>
//
// (C) 2009 Jonathan Chambers
// Copyright 2008, 2009 Novell, Inc (http://www.novell.com)
//
// Permission is hereby granted, free of charge, to any person obtaining
// a copy of this software and associated documentation files (the
// "Software"), to deal in the Software without restriction, including
// without limitation the rights to use, copy, modify, merge, publish,
// distribute, sublicense, and/or sell copies of the Software, and to
// permit persons to whom the Software is furnished to do so, subject to
// the following conditions:
//
// The above copyright notice and this permission notice shall be
// included in all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
// EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
// NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE
// LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION
// OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
// WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Text.RegularExpressions;
using System.IO;
using Microsoft.Build.BuildEngine;

namespace Mono.XBuild.CommandLine {
	class ProjectInfo {
		public string Name;
		public string FileName;
		public Guid Guid;

		public ProjectInfo (string name, string fileName)
		{
			Name = name;
			FileName = fileName;
		}

		public Dictionary<TargetInfo, TargetInfo> TargetMap = new Dictionary<TargetInfo, TargetInfo> ();
		public Dictionary<Guid, ProjectInfo> Dependencies = new Dictionary<Guid, ProjectInfo> ();
		public Dictionary<string, ProjectSection> ProjectSections = new Dictionary<string, ProjectSection> ();
		public List<string> AspNetConfigurations = new List<string> ();
	}

	class ProjectSection {
		public string Name;
		public Dictionary<string, string> Properties = new Dictionary<string, string> ();

		public ProjectSection (string name)
		{
			Name = name;
		}
	}

	struct TargetInfo {
		public string Configuration;
		public string Platform;
		public bool Build;

		public TargetInfo (string configuration, string platform)
			: this (configuration, platform, false)
		{
		}

		public TargetInfo (string configuration, string platform, bool build)
		{
			Configuration = configuration;
			Platform = platform;
			Build = build;
		}
	}


	internal delegate void RaiseWarningHandler (int errorNumber, string message);

	class SolutionParser {
		static string[] buildTargets = new string[] { "Build", "Clean", "Rebuild", "Publish" };

		static string guidExpression = "{[A-Fa-f0-9]{8}-[A-Fa-f0-9]{4}-[A-Fa-f0-9]{4}-[A-Fa-f0-9]{4}-[A-Fa-f0-9]{12}}";

		static Regex slnVersionRegex = new Regex (@"Microsoft Visual Studio Solution File, Format Version (\d?\d.\d\d)");
		static Regex projectRegex = new Regex ("Project\\(\"(" + guidExpression + ")\"\\) = \"(.*?)\", \"(.*?)\", \"(" + guidExpression + ")\"(\\s*?)((\\s*?)ProjectSection\\((.*?)\\) = (.*?)EndProjectSection(\\s*?))*(\\s*?)(EndProject)?", RegexOptions.Singleline);
		static Regex projectDependenciesRegex = new Regex ("ProjectSection\\((.*?)\\) = \\w*(.*?)EndProjectSection", RegexOptions.Singleline);
		static Regex projectDependencyRegex = new Regex ("\\s*(" + guidExpression + ") = (" + guidExpression + ")");
		static Regex projectSectionPropertiesRegex = new Regex ("\\s*(?<name>.*) = \"(?<value>.*)\"");

		static Regex globalRegex = new Regex ("Global(.*)EndGlobal", RegexOptions.Singleline);
		static Regex globalSectionRegex = new Regex ("GlobalSection\\((.*?)\\) = \\w*(.*?)EndGlobalSection", RegexOptions.Singleline);

		static Regex solutionConfigurationRegex = new Regex ("\\s*(.*?)\\|(.*?) = (.*?)\\|(.+)");
		static Regex projectConfigurationActiveCfgRegex = new Regex ("\\s*(" + guidExpression + ")\\.(.+?)\\|(.+?)\\.ActiveCfg = (.+?)\\|(.+)");
		static Regex projectConfigurationBuildRegex = new Regex ("\\s*(" + guidExpression + ")\\.(.*?)\\|(.*?)\\.Build\\.0 = (.*?)\\|(.+)");

		static string solutionFolderGuid = "{2150E333-8FDC-42A3-9474-1A3956D46DE8}";
		static string vcprojGuid = "{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}";
		static string websiteProjectGuid = "{E24C65DC-7377-472B-9ABA-BC803B73C61A}";

		RaiseWarningHandler RaiseWarning;

		public void ParseSolution (string file, Project p, RaiseWarningHandler RaiseWarning)
		{
			this.RaiseWarning = RaiseWarning;
			EmitBeforeImports (p, file);

			AddGeneralSettings (file, p);

			StreamReader reader = new StreamReader (file);

			string slnVersion = GetSlnFileVersion (reader);

			if (slnVersion == "12.00")
#if XBUILD_12
				p.DefaultToolsVersion = "12.0";
#else
				p.DefaultToolsVersion = "4.0";
#endif
			else if (slnVersion == "11.00")
				p.DefaultToolsVersion = "4.0";
			else if (slnVersion == "10.00")
				p.DefaultToolsVersion = "3.5";
			else
				p.DefaultToolsVersion = "2.0";

			string line = reader.ReadToEnd ();
			line = line.Replace ("\r\n", "\n");
			string solutionDir = Path.GetDirectoryName (file);

			List<TargetInfo> solutionTargets = new List<TargetInfo> ();
			Dictionary<Guid, ProjectInfo> projectInfos = new Dictionary<Guid, ProjectInfo> ();
			Dictionary<Guid, ProjectInfo> websiteProjectInfos = new Dictionary<Guid, ProjectInfo> ();
			List<ProjectInfo>[] infosByLevel = null;
			Dictionary<Guid, ProjectInfo> unsupportedProjectInfos = new Dictionary<Guid, ProjectInfo> ();

			Match m = projectRegex.Match (line);
			while (m.Success) {
				ProjectInfo projectInfo = new ProjectInfo (m.Groups[2].Value,
								Path.GetFullPath (Path.Combine (solutionDir,
									m.Groups [3].Value.Replace ('\\', Path.DirectorySeparatorChar))));
				if (String.Compare (m.Groups [1].Value, solutionFolderGuid,
						StringComparison.InvariantCultureIgnoreCase) == 0) {
					// Ignore solution folders
					m = m.NextMatch ();
					continue;
				}

				projectInfo.Guid = new Guid (m.Groups [4].Value);

				if (String.Compare (m.Groups [1].Value, vcprojGuid,
						StringComparison.InvariantCultureIgnoreCase) == 0) {
					// Ignore vcproj 
					RaiseWarning (0, string.Format("Ignoring vcproj '{0}'.", projectInfo.Name));

					unsupportedProjectInfos [projectInfo.Guid] = projectInfo;
					m = m.NextMatch ();
					continue;
				}

				if (String.Compare (m.Groups [1].Value, websiteProjectGuid,
						StringComparison.InvariantCultureIgnoreCase) == 0)
					websiteProjectInfos.Add (new Guid (m.Groups[4].Value), projectInfo);
				else
					projectInfos.Add (projectInfo.Guid, projectInfo);

				Match projectSectionMatch = projectDependenciesRegex.Match (m.Groups[6].Value);
				while (projectSectionMatch.Success) {
					string section_name = projectSectionMatch.Groups [1].Value;
					if (String.Compare (section_name, "ProjectDependencies") == 0) {
						Match projectDependencyMatch = projectDependencyRegex.Match (projectSectionMatch.Value);
						while (projectDependencyMatch.Success) {
							// we might not have projectInfo available right now, so
							// set it to null, and fill it in later
							projectInfo.Dependencies [new Guid (projectDependencyMatch.Groups[1].Value)] = null;
							projectDependencyMatch = projectDependencyMatch.NextMatch ();
						}
					} else {
						ProjectSection section = new ProjectSection (section_name);
						Match propertiesMatch = projectSectionPropertiesRegex.Match (
									projectSectionMatch.Groups [2].Value);
						while (propertiesMatch.Success) {
							section.Properties [propertiesMatch.Groups ["name"].Value] =
								propertiesMatch.Groups ["value"].Value;

							propertiesMatch = propertiesMatch.NextMatch ();
						}

						projectInfo.ProjectSections [section_name] = section;
					}
					projectSectionMatch = projectSectionMatch.NextMatch ();
				}
				m = m.NextMatch ();
			}

			foreach (ProjectInfo projectInfo in projectInfos.Values) {
				string filename = projectInfo.FileName;
				string projectDir = Path.GetDirectoryName (filename);

				if (!File.Exists (filename)) {
					RaiseWarning (0, String.Format ("Project file {0} referenced in the solution file, " +
								"not found. Ignoring.", filename));
					continue;
				}

				Project currentProject = p.ParentEngine.CreateNewProject ();
				try {
					currentProject.Load (filename, ProjectLoadSettings.IgnoreMissingImports);
				} catch (InvalidProjectFileException e) {
					RaiseWarning (0, e.Message);
					continue;
				}

				foreach (BuildItem bi in currentProject.GetEvaluatedItemsByName ("ProjectReference")) {
					ProjectInfo info = null;
					string projectReferenceGuid = bi.GetEvaluatedMetadata ("Project");
					bool hasGuid = !String.IsNullOrEmpty (projectReferenceGuid);

					// try to resolve the ProjectReference by GUID
					// and fallback to project filename

					if (hasGuid) {
						Guid guid = new Guid (projectReferenceGuid);
						projectInfos.TryGetValue (guid, out info);
						if (info == null && unsupportedProjectInfos.TryGetValue (guid, out info)) {
							RaiseWarning (0, String.Format (
									"{0}: ProjectReference '{1}' is of an unsupported type. Ignoring.",
									filename, bi.Include));
							continue;
						}
					}

					if (info == null || !hasGuid) {
						// Project not found by guid or guid not available
						// Try to find by project file

						string fullpath = Path.GetFullPath (Path.Combine (projectDir, bi.Include.Replace ('\\', Path.DirectorySeparatorChar)));
						info = projectInfos.Values.FirstOrDefault (pi => pi.FileName == fullpath);

						if (info == null) {
							if (unsupportedProjectInfos.Values.Any (pi => pi.FileName == fullpath))
								RaiseWarning (0, String.Format (
										"{0}: ProjectReference '{1}' is of an unsupported type. Ignoring.",
										filename, bi.Include));
							else
								RaiseWarning (0, String.Format (
										"{0}: ProjectReference '{1}' not found, neither by guid '{2}' nor by project file name '{3}'.",
										filename, bi.Include, projectReferenceGuid.Replace ("{", "").Replace ("}", ""), fullpath));
						}

					}

					if (info != null)
						projectInfo.Dependencies [info.Guid] = info;
				}
			}

			// fill in the project info for deps found in the .sln file
			foreach (ProjectInfo projectInfo in projectInfos.Values) {
				List<Guid> missingInfos = new List<Guid> ();
				foreach (KeyValuePair<Guid, ProjectInfo> dependency in projectInfo.Dependencies) {
					if (dependency.Value == null)
						missingInfos.Add (dependency.Key);
				}

				foreach (Guid guid in missingInfos) {
					ProjectInfo info;
					if (projectInfos.TryGetValue (guid, out info))
						projectInfo.Dependencies [guid] = info;
					else
						projectInfo.Dependencies.Remove (guid);
				}
			}

			Match globalMatch = globalRegex.Match (line);
			Match globalSectionMatch = globalSectionRegex.Match (globalMatch.Groups[1].Value);
			while (globalSectionMatch.Success) {
				string sectionType = globalSectionMatch.Groups[1].Value;
				switch (sectionType) {
					case "SolutionConfigurationPlatforms":
						ParseSolutionConfigurationPlatforms (globalSectionMatch.Groups[2].Value, solutionTargets);
						break;
					case "ProjectConfigurationPlatforms":
						ParseProjectConfigurationPlatforms (globalSectionMatch.Groups[2].Value,
								projectInfos, websiteProjectInfos);
						break;
					case "SolutionProperties":
						ParseSolutionProperties (globalSectionMatch.Groups[2].Value);
						break;
					case "NestedProjects":
						break;
					case "MonoDevelopProperties":
						break;
					default:
						RaiseWarning (0, string.Format("Don't know how to handle GlobalSection {0}, Ignoring.", sectionType));
						break;
				}
				globalSectionMatch = globalSectionMatch.NextMatch ();
			}

			int num_levels = AddBuildLevels (p, solutionTargets, projectInfos, ref infosByLevel);

			AddCurrentSolutionConfigurationContents (p, solutionTargets, projectInfos, websiteProjectInfos);
			AddProjectReferences (p, projectInfos);
			AddWebsiteProperties (p, websiteProjectInfos, projectInfos);
			AddValidateSolutionConfiguration (p);

			EmitAfterImports (p, file);

			AddGetFrameworkPathTarget (p);
			AddWebsiteTargets (p, websiteProjectInfos, projectInfos, infosByLevel, solutionTargets);
			AddProjectTargets (p, solutionTargets, projectInfos);
			AddSolutionTargets (p, num_levels, websiteProjectInfos.Values);
		}

                string GetSlnFileVersion (StreamReader reader)
                {
                        string strInput = null;
                        Match match;

                        strInput = reader.ReadLine();
                        if (strInput == null)
                                return null;

                        match = slnVersionRegex.Match(strInput);
                        if (!match.Success) {
                                strInput = reader.ReadLine();
                                if (strInput == null)
                                        return null;
                                match = slnVersionRegex.Match (strInput);
                        }

                        if (match.Success)
                                return match.Groups[1].Value;

                        return null;
                }

		void EmitBeforeImports (Project p, string file)
		{
#if NET_4_0
			p.AddNewImport ("$(MSBuildExtensionsPath)\\$(MSBuildToolsVersion)\\SolutionFile\\ImportBefore\\*",
					"'$(ImportByWildcardBeforeSolution)' != 'false' and " +
					"Exists('$(MSBuildExtensionsPath)\\$(MSBuildToolsVersion)\\SolutionFile\\ImportBefore')");
#endif

			string before_filename = Path.Combine (Path.GetDirectoryName (file), "before." + Path.GetFileName (file) + ".targets");
			p.AddNewImport (before_filename, String.Format ("Exists ('{0}')", before_filename));
		}

		void EmitAfterImports (Project p, string file)
		{
#if NET_4_0
			p.AddNewImport ("$(MSBuildExtensionsPath)\\$(MSBuildToolsVersion)\\SolutionFile\\ImportAfter\\*",
					"'$(ImportByWildcardAfterSolution)' != 'false' and " +
					"Exists('$(MSBuildExtensionsPath)\\$(MSBuildToolsVersion)\\SolutionFile\\ImportAfter')");
#endif

			string after_filename = Path.Combine (Path.GetDirectoryName (file), "after." + Path.GetFileName (file) + ".targets");
			p.AddNewImport (after_filename, String.Format ("Exists ('{0}')", after_filename));
		}

		void AddGeneralSettings (string solutionFile, Project p)
		{
			p.DefaultTargets = "Build";
			p.InitialTargets = "ValidateSolutionConfiguration";
			p.AddNewUsingTaskFromAssemblyName ("CreateTemporaryVCProject", "Microsoft.Build.Tasks, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a");
			p.AddNewUsingTaskFromAssemblyName ("ResolveVCProjectOutput", "Microsoft.Build.Tasks, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a");

			string solutionFilePath = Path.GetFullPath (solutionFile);
			BuildPropertyGroup solutionPropertyGroup = p.AddNewPropertyGroup (true);
			solutionPropertyGroup.AddNewProperty ("SolutionDir", Path.GetDirectoryName (solutionFilePath) + Path.DirectorySeparatorChar);
			solutionPropertyGroup.AddNewProperty ("SolutionExt", Path.GetExtension (solutionFile));
			solutionPropertyGroup.AddNewProperty ("SolutionFileName", Path.GetFileName (solutionFile));
			solutionPropertyGroup.AddNewProperty ("SolutionName", Path.GetFileNameWithoutExtension (solutionFile));
			solutionPropertyGroup.AddNewProperty ("SolutionPath", solutionFilePath);
		}

		void ParseSolutionConfigurationPlatforms (string section, List<TargetInfo> solutionTargets)
		{
			Match solutionConfigurationPlatform = solutionConfigurationRegex.Match (section);
			while (solutionConfigurationPlatform.Success) {
				string solutionConfiguration = solutionConfigurationPlatform.Groups[1].Value;
				string solutionPlatform = solutionConfigurationPlatform.Groups[2].Value;
				solutionTargets.Add (new TargetInfo (solutionConfiguration, solutionPlatform));
				solutionConfigurationPlatform = solutionConfigurationPlatform.NextMatch ();
			}
		}

		// ignores the website projects, in the websiteProjectInfos
		void ParseProjectConfigurationPlatforms (string section, Dictionary<Guid, ProjectInfo> projectInfos,
				Dictionary<Guid, ProjectInfo> websiteProjectInfos)
		{
			List<Guid> missingGuids = new List<Guid> ();
			Match projectConfigurationPlatform = projectConfigurationActiveCfgRegex.Match (section);
			while (projectConfigurationPlatform.Success) {
				Guid guid = new Guid (projectConfigurationPlatform.Groups[1].Value);
				ProjectInfo projectInfo;
				if (!projectInfos.TryGetValue (guid, out projectInfo)) {
					if (!missingGuids.Contains (guid)) {
						if (!websiteProjectInfos.ContainsKey (guid))
							// ignore website projects
							RaiseWarning (0, string.Format("Failed to find project {0}", guid));
						missingGuids.Add (guid);
					}
					projectConfigurationPlatform = projectConfigurationPlatform.NextMatch ();
					continue;
				}
				string solConf = projectConfigurationPlatform.Groups[2].Value;
				string solPlat = projectConfigurationPlatform.Groups[3].Value;
				string projConf = projectConfigurationPlatform.Groups[4].Value;
				string projPlat = projectConfigurationPlatform.Groups[5].Value;
				// hack, what are they doing here?
				if (projPlat == "Any CPU")
					projPlat = "AnyCPU";
				projectInfo.TargetMap.Add (new TargetInfo (solConf, solPlat), new TargetInfo (projConf, projPlat));
				projectConfigurationPlatform = projectConfigurationPlatform.NextMatch ();
			}
			Match projectConfigurationPlatformBuild = projectConfigurationBuildRegex.Match (section);
			while (projectConfigurationPlatformBuild.Success) {
				Guid guid = new Guid (projectConfigurationPlatformBuild.Groups[1].Value);
				ProjectInfo projectInfo;
				if (!projectInfos.TryGetValue (guid, out projectInfo)) {
					if (!missingGuids.Contains (guid)) {
						RaiseWarning (0, string.Format("Failed to find project {0}", guid));
						missingGuids.Add (guid);
					}
					projectConfigurationPlatformBuild = projectConfigurationPlatformBuild.NextMatch ();
					continue;
				}
				string solConf = projectConfigurationPlatformBuild.Groups[2].Value;
				string solPlat = projectConfigurationPlatformBuild.Groups[3].Value;
				string projConf = projectConfigurationPlatformBuild.Groups[4].Value;
				string projPlat = projectConfigurationPlatformBuild.Groups[5].Value;
				// hack, what are they doing here?
				if (projPlat == "Any CPU")
					projPlat = "AnyCPU";
				projectInfo.TargetMap[new TargetInfo (solConf, solPlat)] = new TargetInfo (projConf, projPlat, true);
				projectConfigurationPlatformBuild = projectConfigurationPlatformBuild.NextMatch ();
			}
		}

		void ParseSolutionProperties (string section)
		{
		}

		void AddCurrentSolutionConfigurationContents (Project p, List<TargetInfo> solutionTargets,
				Dictionary<Guid, ProjectInfo> projectInfos,
				Dictionary<Guid, ProjectInfo> websiteProjectInfos)
		{
			TargetInfo default_target_info = new TargetInfo ("Debug", "Any CPU");
			if (solutionTargets.Count > 0) {
				bool found = false;
				foreach (TargetInfo tinfo in solutionTargets) {
					if (String.Compare (tinfo.Platform, "Mixed Platforms") == 0) {
						default_target_info = tinfo;
						found = true;
						break;
					}
				}

				if (!found)
					default_target_info = solutionTargets [0];
			}

			AddDefaultSolutionConfiguration (p, default_target_info);

			foreach (TargetInfo solutionTarget in solutionTargets) {
				BuildPropertyGroup platformPropertyGroup = p.AddNewPropertyGroup (false);
				platformPropertyGroup.Condition = string.Format (
					" ('$(Configuration)' == '{0}') and ('$(Platform)' == '{1}') ",
					solutionTarget.Configuration,
					solutionTarget.Platform
					);

				StringBuilder solutionConfigurationContents = new StringBuilder ();
				solutionConfigurationContents.Append ("<SolutionConfiguration xmlns=\"\">");
				foreach (KeyValuePair<Guid, ProjectInfo> projectInfo in projectInfos) {
					AddProjectConfigurationItems (projectInfo.Key, projectInfo.Value, solutionTarget, solutionConfigurationContents);
				}
				solutionConfigurationContents.Append ("</SolutionConfiguration>");

				platformPropertyGroup.AddNewProperty ("CurrentSolutionConfigurationContents",
						solutionConfigurationContents.ToString ());
			}
		}

		void AddProjectReferences (Project p, Dictionary<Guid, ProjectInfo> projectInfos)
		{
			BuildItemGroup big = p.AddNewItemGroup ();
			foreach (KeyValuePair<Guid, ProjectInfo> pair in projectInfos)
				big.AddNewItem ("ProjectReference", pair.Value.FileName);
		}

		void AddProjectConfigurationItems (Guid guid, ProjectInfo projectInfo, TargetInfo solutionTarget,
				StringBuilder solutionConfigurationContents)
		{
			foreach (KeyValuePair<TargetInfo, TargetInfo> targetInfo in projectInfo.TargetMap) {
				if (solutionTarget.Configuration == targetInfo.Key.Configuration &&
						solutionTarget.Platform == targetInfo.Key.Platform) {
					solutionConfigurationContents.AppendFormat (
							"<ProjectConfiguration Project=\"{0}\">{1}|{2}</ProjectConfiguration>",
					guid.ToString ("B").ToUpper (), targetInfo.Value.Configuration, targetInfo.Value.Platform);
				}
			}
		}

		void AddDefaultSolutionConfiguration (Project p, TargetInfo target)
		{
			BuildPropertyGroup configurationPropertyGroup = p.AddNewPropertyGroup (true);
			configurationPropertyGroup.Condition = " '$(Configuration)' == '' ";
			configurationPropertyGroup.AddNewProperty ("Configuration", target.Configuration);

			BuildPropertyGroup platformPropertyGroup = p.AddNewPropertyGroup (true);
			platformPropertyGroup.Condition = " '$(Platform)' == '' ";
			platformPropertyGroup.AddNewProperty ("Platform", target.Platform);
			
			// emit default for AspNetConfiguration also
			BuildPropertyGroup aspNetConfigurationPropertyGroup = p.AddNewPropertyGroup (true);
			aspNetConfigurationPropertyGroup.Condition = " ('$(AspNetConfiguration)' == '') ";
			aspNetConfigurationPropertyGroup.AddNewProperty ("AspNetConfiguration", "$(Configuration)");
		}

		void AddWarningForMissingProjectConfiguration (Target target, string slnConfig, string slnPlatform, string projectName)
		{
			BuildTask task = target.AddNewTask ("Warning");
			task.SetParameterValue ("Text",
					String.Format ("The project configuration for project '{0}' corresponding " +
						"to the solution configuration '{1}|{2}' was not found in the solution file.",
						projectName, slnConfig, slnPlatform));
			task.Condition = String.Format ("('$(Configuration)' == '{0}') and ('$(Platform)' == '{1}')",
						slnConfig, slnPlatform);

		}

		// Website project methods

		void AddWebsiteProperties (Project p, Dictionary<Guid, ProjectInfo> websiteProjectInfos,
				Dictionary<Guid, ProjectInfo> projectInfos)
		{
			var propertyGroupByConfig = new Dictionary<string, BuildPropertyGroup> ();
			foreach (KeyValuePair<Guid, ProjectInfo> infoPair in websiteProjectInfos) {
				ProjectInfo info = infoPair.Value;
				string projectGuid = infoPair.Key.ToString ();

				ProjectSection section;
				if (!info.ProjectSections.TryGetValue ("WebsiteProperties", out section)) {
					RaiseWarning (0, String.Format ("Website project '{0}' does not have the required project section: WebsiteProperties. Ignoring project.", info.Name));
					return;
				}

				//parse project references
				string [] ref_guids = null;
				string references;
				if (section.Properties.TryGetValue ("ProjectReferences", out references)) {
					ref_guids = references.Split (new char [] {';'}, StringSplitOptions.RemoveEmptyEntries);
					for (int i = 0; i < ref_guids.Length; i ++) {
						// "{guid}|foo.dll"
						ref_guids [i] = ref_guids [i].Split ('|') [0];

						Guid r_guid = new Guid (ref_guids [i]);
						ProjectInfo ref_info;
						if (projectInfos.TryGetValue (r_guid, out ref_info))
							// ignore if not found
							info.Dependencies [r_guid] = ref_info;
					}
				}

				foreach (KeyValuePair<string, string> pair in section.Properties) {
					//looking for -- ConfigName.AspNetCompiler.PropName
					string [] parts = pair.Key.Split ('.');
					if (parts.Length != 3 || String.Compare (parts [1], "AspNetCompiler") != 0)
						continue;

					string config = parts [0];
					string propertyName = parts [2];

					BuildPropertyGroup bpg;
					if (!propertyGroupByConfig.TryGetValue (config, out bpg)) {
						bpg = p.AddNewPropertyGroup (true);
						bpg.Condition = String.Format (" '$(AspNetConfiguration)' == '{0}' ", config);
						propertyGroupByConfig [config] = bpg;
					}

					bpg.AddNewProperty (String.Format ("Project_{0}_AspNet{1}", projectGuid, propertyName),
								pair.Value);

					if (!info.AspNetConfigurations.Contains (config))
						info.AspNetConfigurations.Add (config);
				}
			}
		}

		// For WebSite projects
		// The main "Build" target:
		//	1. builds all non-website projects
		//	2. calls target for website project
		//		- gets target path for the referenced projects
		//		- Resolves dependencies, satellites etc for the
		//		  referenced project assemblies, and copies them
		//		  to bin/ folder
		void AddWebsiteTargets (Project p, Dictionary<Guid, ProjectInfo> websiteProjectInfos,
				Dictionary<Guid, ProjectInfo> projectInfos, List<ProjectInfo>[] infosByLevel,
				List<TargetInfo> solutionTargets)
		{
			foreach (ProjectInfo w_info in websiteProjectInfos.Values) {
				// gets a linear list of dependencies
				List<ProjectInfo> depInfos = new List<ProjectInfo> ();
				foreach (List<ProjectInfo> pinfos in infosByLevel) {
					foreach (ProjectInfo pinfo in pinfos)
						if (w_info.Dependencies.ContainsKey (pinfo.Guid))
							depInfos.Add (pinfo);
				}

				foreach (string buildTarget in new string [] {"Build", "Rebuild"})
					AddWebsiteTarget (p, w_info, projectInfos, depInfos, solutionTargets, buildTarget);

				// clean/publish are not supported for website projects
				foreach (string buildTarget in new string [] {"Clean", "Publish"})
					AddWebsiteUnsupportedTarget (p, w_info, depInfos, buildTarget);
			}
		}

		void AddWebsiteTarget (Project p, ProjectInfo webProjectInfo,
				Dictionary<Guid, ProjectInfo> projectInfos, List<ProjectInfo> depInfos,
				List<TargetInfo> solutionTargets, string buildTarget)
		{
			string w_guid = webProjectInfo.Guid.ToString ().ToUpper ();

			Target target = p.Targets.AddNewTarget (GetTargetNameForProject (webProjectInfo.Name, buildTarget));
			target.Condition = "'$(CurrentSolutionConfigurationContents)' != ''"; 
			target.DependsOnTargets = GetWebsiteDependsOnTarget (depInfos, buildTarget);

			// this item collects all the references
			string final_ref_item = String.Format ("Project_{0}_References{1}", w_guid,
							buildTarget != "Build" ? "_" + buildTarget : String.Empty);

			foreach (TargetInfo targetInfo in solutionTargets) {
				int ref_num = 0;
				foreach (ProjectInfo depInfo in depInfos) {
					TargetInfo projectTargetInfo;
					if (!depInfo.TargetMap.TryGetValue (targetInfo, out projectTargetInfo))
						// Ignore, no config, so no target path
						continue;

					// GetTargetPath from the referenced project
					AddWebsiteMSBuildTaskForReference (target, depInfo, projectTargetInfo, targetInfo,
							final_ref_item, ref_num);
					ref_num ++;
				}
			}

			// resolve the references
			AddWebsiteResolveAndCopyReferencesTasks (target, webProjectInfo, final_ref_item, w_guid);
		}

		// emits the MSBuild task to GetTargetPath for the referenced project
		void AddWebsiteMSBuildTaskForReference (Target target, ProjectInfo depInfo, TargetInfo projectTargetInfo,
				TargetInfo solutionTargetInfo, string final_ref_item, int ref_num)
		{
			BuildTask task = target.AddNewTask ("MSBuild");
			task.SetParameterValue ("Projects", depInfo.FileName);
			task.SetParameterValue ("Targets", "GetTargetPath");

			task.SetParameterValue ("Properties", string.Format ("Configuration={0}; Platform={1}; BuildingSolutionFile=true; CurrentSolutionConfigurationContents=$(CurrentSolutionConfigurationContents); SolutionDir=$(SolutionDir); SolutionExt=$(SolutionExt); SolutionFileName=$(SolutionFileName); SolutionName=$(SolutionName); SolutionPath=$(SolutionPath)", projectTargetInfo.Configuration, projectTargetInfo.Platform));
			task.Condition = string.Format (" ('$(Configuration)' == '{0}') and ('$(Platform)' == '{1}') ", solutionTargetInfo.Configuration, solutionTargetInfo.Platform);

			string ref_item = String.Format ("{0}_{1}",
						final_ref_item, ref_num); 

			task.AddOutputItem ("TargetOutputs", ref_item);

			task = target.AddNewTask ("CreateItem");
			task.SetParameterValue ("Include", String.Format ("@({0})", ref_item));
			task.SetParameterValue ("AdditionalMetadata", String.Format ("Guid={{{0}}}",
						depInfo.Guid.ToString ().ToUpper ()));
			task.AddOutputItem ("Include", final_ref_item);
		}

		void AddWebsiteResolveAndCopyReferencesTasks (Target target, ProjectInfo webProjectInfo,
				string final_ref_item, string w_guid)
		{
			BuildTask task = target.AddNewTask ("ResolveAssemblyReference");
			task.SetParameterValue ("Assemblies", String.Format ("@({0}->'%(FullPath)')", final_ref_item));
			task.SetParameterValue ("TargetFrameworkDirectories", "$(TargetFrameworkPath)");
			task.SetParameterValue ("SearchPaths", "{RawFileName};{TargetFrameworkDirectory};{GAC}");
			task.SetParameterValue ("FindDependencies", "true");
			task.SetParameterValue ("FindSatellites", "true");
			task.SetParameterValue ("FindRelatedFiles", "true");
			task.Condition = String.Format ("Exists ('%({0}.Identity)')", final_ref_item);

			string copylocal_item = String.Format ("{0}_CopyLocalFiles", final_ref_item);
			task.AddOutputItem ("CopyLocalFiles", copylocal_item);

			// Copy the references
			task = target.AddNewTask ("Copy");
			task.SetParameterValue ("SourceFiles", String.Format ("@({0})", copylocal_item));
			task.SetParameterValue ("DestinationFiles", String.Format (
						"@({0}->'$(Project_{1}_AspNetPhysicalPath)\\Bin\\%(DestinationSubDirectory)%(Filename)%(Extension)')",
						copylocal_item, w_guid));

			// AspNetConfiguration, is config for the website project, useful
			// for overriding from command line
			StringBuilder cond = new StringBuilder ();
			foreach (string config in webProjectInfo.AspNetConfigurations) {
				if (cond.Length > 0)
					cond.Append (" or ");
				cond.AppendFormat (" ('$(AspNetConfiguration)' == '{0}') ", config);
			}
			task.Condition = cond.ToString ();

			task = target.AddNewTask ("Message");
			cond = new StringBuilder ();
			foreach (string config in webProjectInfo.AspNetConfigurations) {
				if (cond.Length > 0)
					cond.Append (" and ");
				cond.AppendFormat (" ('$(AspNetConfiguration)' != '{0}') ", config);
			}
			task.Condition = cond.ToString ();
			task.SetParameterValue ("Text", "Skipping as the '$(AspNetConfiguration)' configuration is " +
						"not supported by this website project.");
		}

		void AddWebsiteUnsupportedTarget (Project p, ProjectInfo webProjectInfo, List<ProjectInfo> depInfos,
				string buildTarget)
		{
			Target target = p.Targets.AddNewTarget (GetTargetNameForProject (webProjectInfo.Name, buildTarget));
			target.DependsOnTargets = GetWebsiteDependsOnTarget (depInfos, buildTarget);

			BuildTask task = target.AddNewTask ("Message");
			task.SetParameterValue ("Text", String.Format (
						"Target '{0}' not support for website projects", buildTarget));
		}

		string GetWebsiteDependsOnTarget (List<ProjectInfo> depInfos, string buildTarget)
		{
			StringBuilder deps = new StringBuilder ();
			foreach (ProjectInfo pinfo in depInfos) {
				if (deps.Length > 0)
					deps.Append (";");
				deps.Append (GetTargetNameForProject (pinfo.Name, buildTarget));
			}
			deps.Append (";GetFrameworkPath");
			return deps.ToString ();
		}

		void AddGetFrameworkPathTarget (Project p)
		{
			Target t = p.Targets.AddNewTarget ("GetFrameworkPath");
			BuildTask task = t.AddNewTask ("GetFrameworkPath");
			task.AddOutputProperty ("Path", "TargetFrameworkPath");
		}

		void AddValidateSolutionConfiguration (Project p)
		{
			Target t = p.Targets.AddNewTarget ("ValidateSolutionConfiguration");
			BuildTask task = t.AddNewTask ("Warning");
			task.SetParameterValue ("Text", "On windows, an environment variable 'Platform' is set to MCD sometimes, and this overrides the Platform property" +
						" for xbuild, which could be an invalid Platform for this solution file. And so you are getting the following error." +
						" You could override it by either setting the environment variable to nothing, as\n" +
						"   set Platform=\n" +
						"Or explicity specify its value on the command line, as\n" +
						"   xbuild Foo.sln /p:Platform=Release");
			task.Condition = "('$(CurrentSolutionConfigurationContents)' == '') and ('$(SkipInvalidConfigurations)' != 'true')" +
					" and '$(Platform)' == 'MCD' and '$(OS)' == 'Windows_NT'";

			task = t.AddNewTask ("Error");
			task.SetParameterValue ("Text", "Invalid solution configuration and platform: \"$(Configuration)|$(Platform)\".");
			task.Condition = "('$(CurrentSolutionConfigurationContents)' == '') and ('$(SkipInvalidConfigurations)' != 'true')";
			task = t.AddNewTask ("Warning");
			task.SetParameterValue ("Text", "Invalid solution configuration and platform: \"$(Configuration)|$(Platform)\".");
			task.Condition = "('$(CurrentSolutionConfigurationContents)' == '') and ('$(SkipInvalidConfigurations)' == 'true')";
			task = t.AddNewTask ("Message");
			task.SetParameterValue ("Text", "Building solution configuration \"$(Configuration)|$(Platform)\".");
			task.Condition = "'$(CurrentSolutionConfigurationContents)' != ''";
		}

		void AddProjectTargets (Project p, List<TargetInfo> solutionTargets, Dictionary<Guid, ProjectInfo> projectInfos)
		{
			foreach (KeyValuePair<Guid, ProjectInfo> projectInfo in projectInfos) {
				ProjectInfo project = projectInfo.Value;
				foreach (string buildTarget in buildTargets) {
					string target_name = GetTargetNameForProject (project.Name, buildTarget);
					bool is_build_or_rebuild = buildTarget == "Build" || buildTarget == "Rebuild";
					Target target = p.Targets.AddNewTarget (target_name);
					target.Condition = "'$(CurrentSolutionConfigurationContents)' != ''"; 

					if (is_build_or_rebuild)
						target.Outputs = "@(CollectedBuildOutput)";
					if (project.Dependencies.Count > 0)
						target.DependsOnTargets = String.Join (";",
								project.Dependencies.Values.Select (
									di => GetTargetNameForProject (di.Name, buildTarget)).ToArray ());

					foreach (TargetInfo targetInfo in solutionTargets) {
						BuildTask task = null;
						TargetInfo projectTargetInfo;
						if (!project.TargetMap.TryGetValue (targetInfo, out projectTargetInfo)) {
							AddWarningForMissingProjectConfiguration (target, targetInfo.Configuration,
									targetInfo.Platform, project.Name);
							continue;
						}
						if (projectTargetInfo.Build) {
							task = target.AddNewTask ("MSBuild");
							task.SetParameterValue ("Projects", project.FileName);
							task.SetParameterValue ("ToolsVersion", "$(ProjectToolsVersion)");
							if (is_build_or_rebuild)
								task.AddOutputItem ("TargetOutputs", "CollectedBuildOutput");

							if (buildTarget != "Build")
								task.SetParameterValue ("Targets", buildTarget);
							task.SetParameterValue ("Properties", string.Format ("Configuration={0}; Platform={1}; BuildingSolutionFile=true; CurrentSolutionConfigurationContents=$(CurrentSolutionConfigurationContents); SolutionDir=$(SolutionDir); SolutionExt=$(SolutionExt); SolutionFileName=$(SolutionFileName); SolutionName=$(SolutionName); SolutionPath=$(SolutionPath)", projectTargetInfo.Configuration, projectTargetInfo.Platform));
						} else {
							task = target.AddNewTask ("Message");
							task.SetParameterValue ("Text", string.Format ("Project \"{0}\" is disabled for solution configuration \"{1}|{2}\".", project.Name, targetInfo.Configuration, targetInfo.Platform));
						}
						task.Condition = string.Format (" ('$(Configuration)' == '{0}') and ('$(Platform)' == '{1}') ", targetInfo.Configuration, targetInfo.Platform);
					}
				}
			}
		}


		string GetTargetNameForProject (string projectName, string buildTarget)
		{
			//FIXME: hack
			projectName = projectName.Replace ("\\", "/").Replace (".", "_");
			string target_name = projectName +
					(buildTarget == "Build" ? string.Empty : ":" + buildTarget);

			if (IsBuildTargetName (projectName))
				target_name = "Solution:" + target_name;

			return target_name;
		}

		bool IsBuildTargetName (string name)
		{
			foreach (string tgt in buildTargets)
				if (name == tgt)
					return true;
			return false;
		}

		// returns number of levels
		int AddBuildLevels (Project p, List<TargetInfo> solutionTargets, Dictionary<Guid, ProjectInfo> projectInfos,
				ref List<ProjectInfo>[] infosByLevel)
		{
			infosByLevel = TopologicalSort<ProjectInfo> (projectInfos.Values);

			foreach (TargetInfo targetInfo in solutionTargets) {
				BuildItemGroup big = p.AddNewItemGroup ();
				big.Condition = String.Format (" ('$(Configuration)' == '{0}') and ('$(Platform)' == '{1}') ",
						targetInfo.Configuration, targetInfo.Platform);

				//FIXME: every level has projects that can be built in parallel.
				//	 levels are ordered on the basis of the dependency graph

				for (int i = 0; i < infosByLevel.Length; i ++) {
					string build_level = String.Format ("BuildLevel{0}", i);
					string skip_level = String.Format ("SkipLevel{0}", i);
					string missing_level = String.Format ("MissingConfigLevel{0}", i);

					foreach (ProjectInfo projectInfo in infosByLevel [i]) {
						TargetInfo projectTargetInfo;
						if (!projectInfo.TargetMap.TryGetValue (targetInfo, out projectTargetInfo)) {
							// missing project config
							big.AddNewItem (missing_level, projectInfo.Name);
							continue;
						}

						if (projectTargetInfo.Build) {
							BuildItem item = big.AddNewItem (build_level, projectInfo.FileName);
							item.SetMetadata ("Configuration", projectTargetInfo.Configuration);
							item.SetMetadata ("Platform", projectTargetInfo.Platform);
						} else {
							// build disabled
							big.AddNewItem (skip_level, projectInfo.Name);
						}
					}
				}
			}

			return infosByLevel.Length;
		}

		void AddSolutionTargets (Project p, int num_levels, IEnumerable<ProjectInfo> websiteProjectInfos)
		{
			foreach (string buildTarget in buildTargets) {
				Target t = p.Targets.AddNewTarget (buildTarget);
				bool is_build_or_rebuild = buildTarget == "Build" || buildTarget == "Rebuild";

				t.Condition = "'$(CurrentSolutionConfigurationContents)' != ''";
				if (is_build_or_rebuild)
					t.Outputs = "@(CollectedBuildOutput)";

				BuildTask task = null;
				for (int i = 0; i < num_levels; i ++) {
					string level_str = String.Format ("BuildLevel{0}", i);
					task = t.AddNewTask ("MSBuild");
					task.SetParameterValue ("Condition", String.Format ("'@({0})' != ''", level_str));
					task.SetParameterValue ("Projects", String.Format ("@({0})", level_str));
					task.SetParameterValue ("ToolsVersion", "$(ProjectToolsVersion)");
					task.SetParameterValue ("Properties",
						string.Format ("Configuration=%(Configuration); Platform=%(Platform); BuildingSolutionFile=true; CurrentSolutionConfigurationContents=$(CurrentSolutionConfigurationContents); SolutionDir=$(SolutionDir); SolutionExt=$(SolutionExt); SolutionFileName=$(SolutionFileName); SolutionName=$(SolutionName); SolutionPath=$(SolutionPath)"));
					if (buildTarget != "Build")
						task.SetParameterValue ("Targets", buildTarget);
					//FIXME: change this to BuildInParallel=true, when parallel
					//	 build support gets added
					task.SetParameterValue ("RunEachTargetSeparately", "true");
					if (is_build_or_rebuild)
						task.AddOutputItem ("TargetOutputs", "CollectedBuildOutput");

					level_str = String.Format ("SkipLevel{0}", i);
					task = t.AddNewTask ("Message");
					task.Condition = String.Format ("'@({0})' != ''", level_str);
					task.SetParameterValue ("Text",
						String.Format ("The project '%({0}.Identity)' is disabled for solution " +
							"configuration '$(Configuration)|$(Platform)'.", level_str));

					level_str = String.Format ("MissingConfigLevel{0}", i);
					task = t.AddNewTask ("Warning");
					task.Condition = String.Format ("'@({0})' != ''", level_str);
					task.SetParameterValue ("Text",
						String.Format ("The project configuration for project '%({0}.Identity)' " +
							"corresponding to the solution configuration " +
							"'$(Configuration)|$(Platform)' was not found.", level_str));
				}

				// "build" website projects also
				StringBuilder w_targets = new StringBuilder ();
				foreach (ProjectInfo info in websiteProjectInfos) {
					if (w_targets.Length > 0)
						w_targets.Append (";");
					w_targets.Append (GetTargetNameForProject (info.Name, buildTarget));
				}

				task = t.AddNewTask ("CallTarget");
				task.SetParameterValue ("Targets", w_targets.ToString ());
				task.SetParameterValue ("RunEachTargetSeparately", "true");
			}
		}

		// Sorts the ProjectInfo dependency graph, to obtain
		// a series of build levels with projects. Projects
		// in each level can be run parallel (no inter-dependency).
		static List<T>[] TopologicalSort<T> (IEnumerable<T> items) where T: ProjectInfo
		{
			IList<T> allItems;
			allItems = items as IList<T>;
			if (allItems == null)
				allItems = new List<T> (items);

			bool[] inserted = new bool[allItems.Count];
			bool[] triedToInsert = new bool[allItems.Count];
			int[] levels = new int [allItems.Count];

			int maxdepth = 0;
			for (int i = 0; i < allItems.Count; ++i) {
				int d = Insert<T> (i, allItems, levels, inserted, triedToInsert);
				if (d > maxdepth)
					maxdepth = d;
			}

			// Separate out the project infos by build level
			List<T>[] infosByLevel = new List<T>[maxdepth];
			for (int i = 0; i < levels.Length; i ++) {
				int level = levels [i] - 1;
				if (infosByLevel [level] == null)
					infosByLevel [level] = new List<T> ();

				infosByLevel [level].Add (allItems [i]);
			}

			return infosByLevel;
		}

		// returns level# for the project
		static int Insert<T> (int index, IList<T> allItems, int[] levels, bool[] inserted, bool[] triedToInsert)
			where T: ProjectInfo
		{
			if (inserted [index])
				return levels [index];

			if (triedToInsert[index])
				throw new InvalidOperationException (String.Format (
						"Cyclic dependency involving project {0} found in the project dependency graph",
						allItems [index].Name));

			triedToInsert[index] = true;
			ProjectInfo insertItem = allItems[index];

			int maxdepth = 0;
			foreach (ProjectInfo dependency in insertItem.Dependencies.Values) {
				for (int j = 0; j < allItems.Count; ++j) {
					ProjectInfo checkItem = allItems [j];
					if (dependency.FileName == checkItem.FileName) {
						int d = Insert (j, allItems, levels, inserted, triedToInsert);
						maxdepth = d > maxdepth ? d : maxdepth;
						break;
					}
				}
			}
			levels [index] = maxdepth + 1;
			inserted [index] = true;

			return levels [index];
		}

		public static IEnumerable<string> GetAllProjectFileNames (string solutionFile)
		{
			StreamReader reader = new StreamReader (solutionFile);
			string line = reader.ReadToEnd ();
			line = line.Replace ("\r\n", "\n");
			string soln_dir = Path.GetDirectoryName (solutionFile);

			Match m = projectRegex.Match (line);
			while (m.Success) {
				if (String.Compare (m.Groups [1].Value, solutionFolderGuid,
						StringComparison.InvariantCultureIgnoreCase) != 0)
					yield return Path.Combine (soln_dir, m.Groups [3].Value).Replace ("\\", "/");

				m = m.NextMatch ();
			}
		}
	}
}