]> git.proxmox.com Git - mirror_edk2.git/blob - BaseTools/Source/Python/AutoGen/GenC.py
BaseTools: no need to do int() API work for it
[mirror_edk2.git] / BaseTools / Source / Python / AutoGen / GenC.py
1 ## @file
2 # Routines for generating AutoGen.h and AutoGen.c
3 #
4 # Copyright (c) 2007 - 2017, Intel Corporation. All rights reserved.<BR>
5 # This program and the accompanying materials
6 # are licensed and made available under the terms and conditions of the BSD License
7 # which accompanies this distribution. The full text of the license may be found at
8 # http://opensource.org/licenses/bsd-license.php
9 #
10 # THE PROGRAM IS DISTRIBUTED UNDER THE BSD LICENSE ON AN "AS IS" BASIS,
11 # WITHOUT WARRANTIES OR REPRESENTATIONS OF ANY KIND, EITHER EXPRESS OR IMPLIED.
12 #
13
14 ## Import Modules
15 #
16 import string
17 import collections
18 import struct
19 from Common import EdkLogger
20
21 from Common.BuildToolError import *
22 from Common.DataType import *
23 from Common.Misc import *
24 from Common.String import StringToArray
25 from StrGather import *
26 from GenPcdDb import CreatePcdDatabaseCode
27 from IdfClassObject import *
28
29 ## PCD type string
30 gItemTypeStringDatabase = {
31 TAB_PCDS_FEATURE_FLAG : 'FixedAtBuild',
32 TAB_PCDS_FIXED_AT_BUILD : 'FixedAtBuild',
33 TAB_PCDS_PATCHABLE_IN_MODULE: 'BinaryPatch',
34 TAB_PCDS_DYNAMIC : '',
35 TAB_PCDS_DYNAMIC_DEFAULT : '',
36 TAB_PCDS_DYNAMIC_VPD : '',
37 TAB_PCDS_DYNAMIC_HII : '',
38 TAB_PCDS_DYNAMIC_EX : '',
39 TAB_PCDS_DYNAMIC_EX_DEFAULT : '',
40 TAB_PCDS_DYNAMIC_EX_VPD : '',
41 TAB_PCDS_DYNAMIC_EX_HII : '',
42 }
43
44 ## Dynamic PCD types
45 gDynamicPcd = [TAB_PCDS_DYNAMIC, TAB_PCDS_DYNAMIC_DEFAULT, TAB_PCDS_DYNAMIC_VPD, TAB_PCDS_DYNAMIC_HII]
46
47 ## Dynamic-ex PCD types
48 gDynamicExPcd = [TAB_PCDS_DYNAMIC_EX, TAB_PCDS_DYNAMIC_EX_DEFAULT, TAB_PCDS_DYNAMIC_EX_VPD, TAB_PCDS_DYNAMIC_EX_HII]
49
50 ## Datum size
51 gDatumSizeStringDatabase = {'UINT8':'8','UINT16':'16','UINT32':'32','UINT64':'64','BOOLEAN':'BOOLEAN','VOID*':'8'}
52 gDatumSizeStringDatabaseH = {'UINT8':'8','UINT16':'16','UINT32':'32','UINT64':'64','BOOLEAN':'BOOL','VOID*':'PTR'}
53 gDatumSizeStringDatabaseLib = {'UINT8':'8','UINT16':'16','UINT32':'32','UINT64':'64','BOOLEAN':'Bool','VOID*':'Ptr'}
54
55 ## AutoGen File Header Templates
56 gAutoGenHeaderString = TemplateString("""\
57 /**
58 DO NOT EDIT
59 FILE auto-generated
60 Module name:
61 ${FileName}
62 Abstract: Auto-generated ${FileName} for building module or library.
63 **/
64 """)
65
66 gAutoGenHPrologueString = TemplateString("""
67 #ifndef _${File}_${Guid}
68 #define _${File}_${Guid}
69
70 """)
71
72 gAutoGenHCppPrologueString = """\
73 #ifdef __cplusplus
74 extern "C" {
75 #endif
76
77 """
78
79 gAutoGenHEpilogueString = """
80
81 #ifdef __cplusplus
82 }
83 #endif
84
85 #endif
86 """
87
88 ## PEI Core Entry Point Templates
89 gPeiCoreEntryPointPrototype = TemplateString("""
90 ${BEGIN}
91 VOID
92 EFIAPI
93 ${Function} (
94 IN CONST EFI_SEC_PEI_HAND_OFF *SecCoreData,
95 IN CONST EFI_PEI_PPI_DESCRIPTOR *PpiList,
96 IN VOID *Context
97 );
98 ${END}
99 """)
100
101 gPeiCoreEntryPointString = TemplateString("""
102 ${BEGIN}
103 VOID
104 EFIAPI
105 ProcessModuleEntryPointList (
106 IN CONST EFI_SEC_PEI_HAND_OFF *SecCoreData,
107 IN CONST EFI_PEI_PPI_DESCRIPTOR *PpiList,
108 IN VOID *Context
109 )
110
111 {
112 ${Function} (SecCoreData, PpiList, Context);
113 }
114 ${END}
115 """)
116
117
118 ## DXE Core Entry Point Templates
119 gDxeCoreEntryPointPrototype = TemplateString("""
120 ${BEGIN}
121 VOID
122 EFIAPI
123 ${Function} (
124 IN VOID *HobStart
125 );
126 ${END}
127 """)
128
129 gDxeCoreEntryPointString = TemplateString("""
130 ${BEGIN}
131 VOID
132 EFIAPI
133 ProcessModuleEntryPointList (
134 IN VOID *HobStart
135 )
136
137 {
138 ${Function} (HobStart);
139 }
140 ${END}
141 """)
142
143 ## PEIM Entry Point Templates
144 gPeimEntryPointPrototype = TemplateString("""
145 ${BEGIN}
146 EFI_STATUS
147 EFIAPI
148 ${Function} (
149 IN EFI_PEI_FILE_HANDLE FileHandle,
150 IN CONST EFI_PEI_SERVICES **PeiServices
151 );
152 ${END}
153 """)
154
155 gPeimEntryPointString = [
156 TemplateString("""
157 GLOBAL_REMOVE_IF_UNREFERENCED const UINT32 _gPeimRevision = ${PiSpecVersion};
158
159 EFI_STATUS
160 EFIAPI
161 ProcessModuleEntryPointList (
162 IN EFI_PEI_FILE_HANDLE FileHandle,
163 IN CONST EFI_PEI_SERVICES **PeiServices
164 )
165
166 {
167 return EFI_SUCCESS;
168 }
169 """),
170 TemplateString("""
171 GLOBAL_REMOVE_IF_UNREFERENCED const UINT32 _gPeimRevision = ${PiSpecVersion};
172 ${BEGIN}
173 EFI_STATUS
174 EFIAPI
175 ProcessModuleEntryPointList (
176 IN EFI_PEI_FILE_HANDLE FileHandle,
177 IN CONST EFI_PEI_SERVICES **PeiServices
178 )
179
180 {
181 return ${Function} (FileHandle, PeiServices);
182 }
183 ${END}
184 """),
185 TemplateString("""
186 GLOBAL_REMOVE_IF_UNREFERENCED const UINT32 _gPeimRevision = ${PiSpecVersion};
187
188 EFI_STATUS
189 EFIAPI
190 ProcessModuleEntryPointList (
191 IN EFI_PEI_FILE_HANDLE FileHandle,
192 IN CONST EFI_PEI_SERVICES **PeiServices
193 )
194
195 {
196 EFI_STATUS Status;
197 EFI_STATUS CombinedStatus;
198
199 CombinedStatus = EFI_LOAD_ERROR;
200 ${BEGIN}
201 Status = ${Function} (FileHandle, PeiServices);
202 if (!EFI_ERROR (Status) || EFI_ERROR (CombinedStatus)) {
203 CombinedStatus = Status;
204 }
205 ${END}
206 return CombinedStatus;
207 }
208 """)
209 ]
210
211 ## SMM_CORE Entry Point Templates
212 gSmmCoreEntryPointPrototype = TemplateString("""
213 ${BEGIN}
214 EFI_STATUS
215 EFIAPI
216 ${Function} (
217 IN EFI_HANDLE ImageHandle,
218 IN EFI_SYSTEM_TABLE *SystemTable
219 );
220 ${END}
221 """)
222
223 gSmmCoreEntryPointString = TemplateString("""
224 ${BEGIN}
225 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
226 const UINT32 _gDxeRevision = ${PiSpecVersion};
227
228 EFI_STATUS
229 EFIAPI
230 ProcessModuleEntryPointList (
231 IN EFI_HANDLE ImageHandle,
232 IN EFI_SYSTEM_TABLE *SystemTable
233 )
234 {
235 return ${Function} (ImageHandle, SystemTable);
236 }
237 ${END}
238 """)
239
240 ## MM_CORE_STANDALONE Entry Point Templates
241 gMmCoreStandaloneEntryPointPrototype = TemplateString("""
242 ${BEGIN}
243 EFI_STATUS
244 EFIAPI
245 ${Function} (
246 IN VOID *HobStart
247 );
248 ${END}
249 """)
250
251 gMmCoreStandaloneEntryPointString = TemplateString("""
252 ${BEGIN}
253 const UINT32 _gMmRevision = ${PiSpecVersion};
254
255 VOID
256 EFIAPI
257 ProcessModuleEntryPointList (
258 IN VOID *HobStart
259 )
260 {
261 ${Function} (HobStart);
262 }
263 ${END}
264 """)
265
266 ## MM_STANDALONE Entry Point Templates
267 gMmStandaloneEntryPointPrototype = TemplateString("""
268 ${BEGIN}
269 EFI_STATUS
270 EFIAPI
271 ${Function} (
272 IN EFI_HANDLE ImageHandle,
273 IN EFI_SMM_SYSTEM_TABLE2 *MmSystemTable
274 );
275 ${END}
276 """)
277
278 gMmStandaloneEntryPointString = [
279 TemplateString("""
280 GLOBAL_REMOVE_IF_UNREFERENCED const UINT32 _gMmRevision = ${PiSpecVersion};
281
282 EFI_STATUS
283 EFIAPI
284 ProcessModuleEntryPointList (
285 IN EFI_HANDLE ImageHandle,
286 IN EFI_SMM_SYSTEM_TABLE2 *MmSystemTable
287 )
288
289 {
290 return EFI_SUCCESS;
291 }
292 """),
293 TemplateString("""
294 GLOBAL_REMOVE_IF_UNREFERENCED const UINT32 _gMmRevision = ${PiSpecVersion};
295 ${BEGIN}
296 EFI_STATUS
297 EFIAPI
298 ProcessModuleEntryPointList (
299 IN EFI_HANDLE ImageHandle,
300 IN EFI_SMM_SYSTEM_TABLE2 *MmSystemTable
301 )
302
303 {
304 return ${Function} (ImageHandle, MmSystemTable);
305 }
306 ${END}
307 """),
308 TemplateString("""
309 GLOBAL_REMOVE_IF_UNREFERENCED const UINT32 _gMmRevision = ${PiSpecVersion};
310
311 EFI_STATUS
312 EFIAPI
313 ProcessModuleEntryPointList (
314 IN EFI_HANDLE ImageHandle,
315 IN EFI_SMM_SYSTEM_TABLE2 *MmSystemTable
316 )
317
318 {
319 EFI_STATUS Status;
320 EFI_STATUS CombinedStatus;
321
322 CombinedStatus = EFI_LOAD_ERROR;
323 ${BEGIN}
324 Status = ${Function} (ImageHandle, MmSystemTable);
325 if (!EFI_ERROR (Status) || EFI_ERROR (CombinedStatus)) {
326 CombinedStatus = Status;
327 }
328 ${END}
329 return CombinedStatus;
330 }
331 """)
332 ]
333
334 ## DXE SMM Entry Point Templates
335 gDxeSmmEntryPointPrototype = TemplateString("""
336 ${BEGIN}
337 EFI_STATUS
338 EFIAPI
339 ${Function} (
340 IN EFI_HANDLE ImageHandle,
341 IN EFI_SYSTEM_TABLE *SystemTable
342 );
343 ${END}
344 """)
345
346 gDxeSmmEntryPointString = [
347 TemplateString("""
348 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
349 const UINT32 _gDxeRevision = ${PiSpecVersion};
350
351 EFI_STATUS
352 EFIAPI
353 ProcessModuleEntryPointList (
354 IN EFI_HANDLE ImageHandle,
355 IN EFI_SYSTEM_TABLE *SystemTable
356 )
357
358 {
359 return EFI_SUCCESS;
360 }
361 """),
362 TemplateString("""
363 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
364 const UINT32 _gDxeRevision = ${PiSpecVersion};
365
366 static BASE_LIBRARY_JUMP_BUFFER mJumpContext;
367 static EFI_STATUS mDriverEntryPointStatus;
368
369 VOID
370 EFIAPI
371 ExitDriver (
372 IN EFI_STATUS Status
373 )
374 {
375 if (!EFI_ERROR (Status) || EFI_ERROR (mDriverEntryPointStatus)) {
376 mDriverEntryPointStatus = Status;
377 }
378 LongJump (&mJumpContext, (UINTN)-1);
379 ASSERT (FALSE);
380 }
381
382 EFI_STATUS
383 EFIAPI
384 ProcessModuleEntryPointList (
385 IN EFI_HANDLE ImageHandle,
386 IN EFI_SYSTEM_TABLE *SystemTable
387 )
388 {
389 mDriverEntryPointStatus = EFI_LOAD_ERROR;
390
391 ${BEGIN}
392 if (SetJump (&mJumpContext) == 0) {
393 ExitDriver (${Function} (ImageHandle, SystemTable));
394 ASSERT (FALSE);
395 }
396 ${END}
397
398 return mDriverEntryPointStatus;
399 }
400 """)
401 ]
402
403 ## UEFI Driver Entry Point Templates
404 gUefiDriverEntryPointPrototype = TemplateString("""
405 ${BEGIN}
406 EFI_STATUS
407 EFIAPI
408 ${Function} (
409 IN EFI_HANDLE ImageHandle,
410 IN EFI_SYSTEM_TABLE *SystemTable
411 );
412 ${END}
413 """)
414
415 gUefiDriverEntryPointString = [
416 TemplateString("""
417 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
418 const UINT32 _gDxeRevision = ${PiSpecVersion};
419
420 EFI_STATUS
421 EFIAPI
422 ProcessModuleEntryPointList (
423 IN EFI_HANDLE ImageHandle,
424 IN EFI_SYSTEM_TABLE *SystemTable
425 )
426 {
427 return EFI_SUCCESS;
428 }
429 """),
430 TemplateString("""
431 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
432 const UINT32 _gDxeRevision = ${PiSpecVersion};
433
434 ${BEGIN}
435 EFI_STATUS
436 EFIAPI
437 ProcessModuleEntryPointList (
438 IN EFI_HANDLE ImageHandle,
439 IN EFI_SYSTEM_TABLE *SystemTable
440 )
441
442 {
443 return ${Function} (ImageHandle, SystemTable);
444 }
445 ${END}
446 VOID
447 EFIAPI
448 ExitDriver (
449 IN EFI_STATUS Status
450 )
451 {
452 if (EFI_ERROR (Status)) {
453 ProcessLibraryDestructorList (gImageHandle, gST);
454 }
455 gBS->Exit (gImageHandle, Status, 0, NULL);
456 }
457 """),
458 TemplateString("""
459 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
460 const UINT32 _gDxeRevision = ${PiSpecVersion};
461
462 static BASE_LIBRARY_JUMP_BUFFER mJumpContext;
463 static EFI_STATUS mDriverEntryPointStatus;
464
465 EFI_STATUS
466 EFIAPI
467 ProcessModuleEntryPointList (
468 IN EFI_HANDLE ImageHandle,
469 IN EFI_SYSTEM_TABLE *SystemTable
470 )
471 {
472 mDriverEntryPointStatus = EFI_LOAD_ERROR;
473 ${BEGIN}
474 if (SetJump (&mJumpContext) == 0) {
475 ExitDriver (${Function} (ImageHandle, SystemTable));
476 ASSERT (FALSE);
477 }
478 ${END}
479 return mDriverEntryPointStatus;
480 }
481
482 VOID
483 EFIAPI
484 ExitDriver (
485 IN EFI_STATUS Status
486 )
487 {
488 if (!EFI_ERROR (Status) || EFI_ERROR (mDriverEntryPointStatus)) {
489 mDriverEntryPointStatus = Status;
490 }
491 LongJump (&mJumpContext, (UINTN)-1);
492 ASSERT (FALSE);
493 }
494 """)
495 ]
496
497
498 ## UEFI Application Entry Point Templates
499 gUefiApplicationEntryPointPrototype = TemplateString("""
500 ${BEGIN}
501 EFI_STATUS
502 EFIAPI
503 ${Function} (
504 IN EFI_HANDLE ImageHandle,
505 IN EFI_SYSTEM_TABLE *SystemTable
506 );
507 ${END}
508 """)
509
510 gUefiApplicationEntryPointString = [
511 TemplateString("""
512 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
513
514 EFI_STATUS
515 EFIAPI
516 ProcessModuleEntryPointList (
517 IN EFI_HANDLE ImageHandle,
518 IN EFI_SYSTEM_TABLE *SystemTable
519 )
520 {
521 return EFI_SUCCESS;
522 }
523 """),
524 TemplateString("""
525 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
526
527 ${BEGIN}
528 EFI_STATUS
529 EFIAPI
530 ProcessModuleEntryPointList (
531 IN EFI_HANDLE ImageHandle,
532 IN EFI_SYSTEM_TABLE *SystemTable
533 )
534
535 {
536 return ${Function} (ImageHandle, SystemTable);
537 }
538 ${END}
539 VOID
540 EFIAPI
541 ExitDriver (
542 IN EFI_STATUS Status
543 )
544 {
545 if (EFI_ERROR (Status)) {
546 ProcessLibraryDestructorList (gImageHandle, gST);
547 }
548 gBS->Exit (gImageHandle, Status, 0, NULL);
549 }
550 """),
551 TemplateString("""
552 const UINT32 _gUefiDriverRevision = ${UefiSpecVersion};
553
554 EFI_STATUS
555 EFIAPI
556 ProcessModuleEntryPointList (
557 IN EFI_HANDLE ImageHandle,
558 IN EFI_SYSTEM_TABLE *SystemTable
559 )
560
561 {
562 ${BEGIN}
563 if (SetJump (&mJumpContext) == 0) {
564 ExitDriver (${Function} (ImageHandle, SystemTable));
565 ASSERT (FALSE);
566 }
567 ${END}
568 return mDriverEntryPointStatus;
569 }
570
571 static BASE_LIBRARY_JUMP_BUFFER mJumpContext;
572 static EFI_STATUS mDriverEntryPointStatus = EFI_LOAD_ERROR;
573
574 VOID
575 EFIAPI
576 ExitDriver (
577 IN EFI_STATUS Status
578 )
579 {
580 if (!EFI_ERROR (Status) || EFI_ERROR (mDriverEntryPointStatus)) {
581 mDriverEntryPointStatus = Status;
582 }
583 LongJump (&mJumpContext, (UINTN)-1);
584 ASSERT (FALSE);
585 }
586 """)
587 ]
588
589 ## UEFI Unload Image Templates
590 gUefiUnloadImagePrototype = TemplateString("""
591 ${BEGIN}
592 EFI_STATUS
593 EFIAPI
594 ${Function} (
595 IN EFI_HANDLE ImageHandle
596 );
597 ${END}
598 """)
599
600 gUefiUnloadImageString = [
601 TemplateString("""
602 GLOBAL_REMOVE_IF_UNREFERENCED const UINT8 _gDriverUnloadImageCount = ${Count};
603
604 EFI_STATUS
605 EFIAPI
606 ProcessModuleUnloadList (
607 IN EFI_HANDLE ImageHandle
608 )
609 {
610 return EFI_SUCCESS;
611 }
612 """),
613 TemplateString("""
614 GLOBAL_REMOVE_IF_UNREFERENCED const UINT8 _gDriverUnloadImageCount = ${Count};
615
616 ${BEGIN}
617 EFI_STATUS
618 EFIAPI
619 ProcessModuleUnloadList (
620 IN EFI_HANDLE ImageHandle
621 )
622 {
623 return ${Function} (ImageHandle);
624 }
625 ${END}
626 """),
627 TemplateString("""
628 GLOBAL_REMOVE_IF_UNREFERENCED const UINT8 _gDriverUnloadImageCount = ${Count};
629
630 EFI_STATUS
631 EFIAPI
632 ProcessModuleUnloadList (
633 IN EFI_HANDLE ImageHandle
634 )
635 {
636 EFI_STATUS Status;
637
638 Status = EFI_SUCCESS;
639 ${BEGIN}
640 if (EFI_ERROR (Status)) {
641 ${Function} (ImageHandle);
642 } else {
643 Status = ${Function} (ImageHandle);
644 }
645 ${END}
646 return Status;
647 }
648 """)
649 ]
650
651 gLibraryStructorPrototype = {
652 'BASE' : TemplateString("""${BEGIN}
653 RETURN_STATUS
654 EFIAPI
655 ${Function} (
656 VOID
657 );${END}
658 """),
659
660 'PEI' : TemplateString("""${BEGIN}
661 EFI_STATUS
662 EFIAPI
663 ${Function} (
664 IN EFI_PEI_FILE_HANDLE FileHandle,
665 IN CONST EFI_PEI_SERVICES **PeiServices
666 );${END}
667 """),
668
669 'DXE' : TemplateString("""${BEGIN}
670 EFI_STATUS
671 EFIAPI
672 ${Function} (
673 IN EFI_HANDLE ImageHandle,
674 IN EFI_SYSTEM_TABLE *SystemTable
675 );${END}
676 """),
677
678 'MM' : TemplateString("""${BEGIN}
679 EFI_STATUS
680 EFIAPI
681 ${Function} (
682 IN EFI_HANDLE ImageHandle,
683 IN EFI_SMM_SYSTEM_TABLE2 *MmSystemTable
684 );${END}
685 """),
686 }
687
688 gLibraryStructorCall = {
689 'BASE' : TemplateString("""${BEGIN}
690 Status = ${Function} ();
691 ASSERT_EFI_ERROR (Status);${END}
692 """),
693
694 'PEI' : TemplateString("""${BEGIN}
695 Status = ${Function} (FileHandle, PeiServices);
696 ASSERT_EFI_ERROR (Status);${END}
697 """),
698
699 'DXE' : TemplateString("""${BEGIN}
700 Status = ${Function} (ImageHandle, SystemTable);
701 ASSERT_EFI_ERROR (Status);${END}
702 """),
703
704 'MM' : TemplateString("""${BEGIN}
705 Status = ${Function} (ImageHandle, MmSystemTable);
706 ASSERT_EFI_ERROR (Status);${END}
707 """),
708 }
709
710 ## Library Constructor and Destructor Templates
711 gLibraryString = {
712 'BASE' : TemplateString("""
713 ${BEGIN}${FunctionPrototype}${END}
714
715 VOID
716 EFIAPI
717 ProcessLibrary${Type}List (
718 VOID
719 )
720 {
721 ${BEGIN} EFI_STATUS Status;
722 ${FunctionCall}${END}
723 }
724 """),
725
726 'PEI' : TemplateString("""
727 ${BEGIN}${FunctionPrototype}${END}
728
729 VOID
730 EFIAPI
731 ProcessLibrary${Type}List (
732 IN EFI_PEI_FILE_HANDLE FileHandle,
733 IN CONST EFI_PEI_SERVICES **PeiServices
734 )
735 {
736 ${BEGIN} EFI_STATUS Status;
737 ${FunctionCall}${END}
738 }
739 """),
740
741 'DXE' : TemplateString("""
742 ${BEGIN}${FunctionPrototype}${END}
743
744 VOID
745 EFIAPI
746 ProcessLibrary${Type}List (
747 IN EFI_HANDLE ImageHandle,
748 IN EFI_SYSTEM_TABLE *SystemTable
749 )
750 {
751 ${BEGIN} EFI_STATUS Status;
752 ${FunctionCall}${END}
753 }
754 """),
755
756 'MM' : TemplateString("""
757 ${BEGIN}${FunctionPrototype}${END}
758
759 VOID
760 EFIAPI
761 ProcessLibrary${Type}List (
762 IN EFI_HANDLE ImageHandle,
763 IN EFI_SMM_SYSTEM_TABLE2 *MmSystemTable
764 )
765 {
766 ${BEGIN} EFI_STATUS Status;
767 ${FunctionCall}${END}
768 }
769 """),
770 }
771
772 gBasicHeaderFile = "Base.h"
773
774 gModuleTypeHeaderFile = {
775 "BASE" : [gBasicHeaderFile],
776 "SEC" : ["PiPei.h", "Library/DebugLib.h"],
777 "PEI_CORE" : ["PiPei.h", "Library/DebugLib.h", "Library/PeiCoreEntryPoint.h"],
778 "PEIM" : ["PiPei.h", "Library/DebugLib.h", "Library/PeimEntryPoint.h"],
779 "DXE_CORE" : ["PiDxe.h", "Library/DebugLib.h", "Library/DxeCoreEntryPoint.h"],
780 "DXE_DRIVER" : ["PiDxe.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/UefiBootServicesTableLib.h", "Library/UefiDriverEntryPoint.h"],
781 "DXE_SMM_DRIVER" : ["PiDxe.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/UefiBootServicesTableLib.h", "Library/UefiDriverEntryPoint.h"],
782 "DXE_RUNTIME_DRIVER": ["PiDxe.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/UefiBootServicesTableLib.h", "Library/UefiDriverEntryPoint.h"],
783 "DXE_SAL_DRIVER" : ["PiDxe.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/UefiBootServicesTableLib.h", "Library/UefiDriverEntryPoint.h"],
784 "UEFI_DRIVER" : ["Uefi.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/UefiBootServicesTableLib.h", "Library/UefiDriverEntryPoint.h"],
785 "UEFI_APPLICATION" : ["Uefi.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/UefiBootServicesTableLib.h", "Library/UefiApplicationEntryPoint.h"],
786 "SMM_CORE" : ["PiDxe.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/UefiDriverEntryPoint.h"],
787 "MM_STANDALONE" : ["PiSmm.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/SmmDriverStandaloneEntryPoint.h"],
788 "MM_CORE_STANDALONE" : ["PiSmm.h", "Library/BaseLib.h", "Library/DebugLib.h", "Library/SmmCoreStandaloneEntryPoint.h"],
789 "USER_DEFINED" : [gBasicHeaderFile]
790 }
791
792 ## Autogen internal worker macro to define DynamicEx PCD name includes both the TokenSpaceGuidName
793 # the TokenName and Guid comparison to avoid define name collisions.
794 #
795 # @param Info The ModuleAutoGen object
796 # @param AutoGenH The TemplateString object for header file
797 #
798 #
799 def DynExPcdTokenNumberMapping(Info, AutoGenH):
800 ExTokenCNameList = []
801 PcdExList = []
802 # Even it is the Library, the PCD is saved in the ModulePcdList
803 PcdList = Info.ModulePcdList
804 for Pcd in PcdList:
805 if Pcd.Type in gDynamicExPcd:
806 ExTokenCNameList.append(Pcd.TokenCName)
807 PcdExList.append(Pcd)
808 if len(ExTokenCNameList) == 0:
809 return
810 AutoGenH.Append('\n#define COMPAREGUID(Guid1, Guid2) (BOOLEAN)(*(CONST UINT64*)Guid1 == *(CONST UINT64*)Guid2 && *((CONST UINT64*)Guid1 + 1) == *((CONST UINT64*)Guid2 + 1))\n')
811 # AutoGen for each PCD listed in a [PcdEx] section of a Module/Lib INF file.
812 # Auto generate a macro for each TokenName that takes a Guid pointer as a parameter.
813 # Use the Guid pointer to see if it matches any of the token space GUIDs.
814 TokenCNameList = []
815 for TokenCName in ExTokenCNameList:
816 if TokenCName in TokenCNameList:
817 continue
818 Index = 0
819 Count = ExTokenCNameList.count(TokenCName)
820 for Pcd in PcdExList:
821 RealTokenCName = Pcd.TokenCName
822 for PcdItem in GlobalData.MixedPcd:
823 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName) in GlobalData.MixedPcd[PcdItem]:
824 RealTokenCName = PcdItem[0]
825 break
826 if Pcd.TokenCName == TokenCName:
827 Index = Index + 1
828 if Index == 1:
829 AutoGenH.Append('\n#define __PCD_%s_ADDR_CMP(GuidPtr) (' % (RealTokenCName))
830 AutoGenH.Append('\\\n (GuidPtr == &%s) ? _PCD_TOKEN_%s_%s:'
831 % (Pcd.TokenSpaceGuidCName, Pcd.TokenSpaceGuidCName, RealTokenCName))
832 else:
833 AutoGenH.Append('\\\n (GuidPtr == &%s) ? _PCD_TOKEN_%s_%s:'
834 % (Pcd.TokenSpaceGuidCName, Pcd.TokenSpaceGuidCName, RealTokenCName))
835 if Index == Count:
836 AutoGenH.Append('0 \\\n )\n')
837 TokenCNameList.append(TokenCName)
838
839 TokenCNameList = []
840 for TokenCName in ExTokenCNameList:
841 if TokenCName in TokenCNameList:
842 continue
843 Index = 0
844 Count = ExTokenCNameList.count(TokenCName)
845 for Pcd in PcdExList:
846 RealTokenCName = Pcd.TokenCName
847 for PcdItem in GlobalData.MixedPcd:
848 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName) in GlobalData.MixedPcd[PcdItem]:
849 RealTokenCName = PcdItem[0]
850 break
851 if Pcd.Type in gDynamicExPcd and Pcd.TokenCName == TokenCName:
852 Index = Index + 1
853 if Index == 1:
854 AutoGenH.Append('\n#define __PCD_%s_VAL_CMP(GuidPtr) (' % (RealTokenCName))
855 AutoGenH.Append('\\\n (GuidPtr == NULL) ? 0:')
856 AutoGenH.Append('\\\n COMPAREGUID (GuidPtr, &%s) ? _PCD_TOKEN_%s_%s:'
857 % (Pcd.TokenSpaceGuidCName, Pcd.TokenSpaceGuidCName, RealTokenCName))
858 else:
859 AutoGenH.Append('\\\n COMPAREGUID (GuidPtr, &%s) ? _PCD_TOKEN_%s_%s:'
860 % (Pcd.TokenSpaceGuidCName, Pcd.TokenSpaceGuidCName, RealTokenCName))
861 if Index == Count:
862 AutoGenH.Append('0 \\\n )\n')
863 # Autogen internal worker macro to compare GUIDs. Guid1 is a pointer to a GUID.
864 # Guid2 is a C name for a GUID. Compare pointers first because optimizing compiler
865 # can do this at build time on CONST GUID pointers and optimize away call to COMPAREGUID().
866 # COMPAREGUID() will only be used if the Guid passed in is local to the module.
867 AutoGenH.Append('#define _PCD_TOKEN_EX_%s(GuidPtr) __PCD_%s_ADDR_CMP(GuidPtr) ? __PCD_%s_ADDR_CMP(GuidPtr) : __PCD_%s_VAL_CMP(GuidPtr) \n'
868 % (RealTokenCName, RealTokenCName, RealTokenCName, RealTokenCName))
869 TokenCNameList.append(TokenCName)
870
871 def GetPcdSize(Pcd):
872 if Pcd.DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN']:
873 Value = Pcd.DefaultValue
874 if Value in [None, '']:
875 return 1
876 elif Value[0] == 'L':
877 return (len(Value) - 2) * 2
878 elif Value[0] == '{':
879 return len(Value.split(','))
880 else:
881 return len(Value) - 1
882 if Pcd.DatumType == 'UINT64':
883 return 8
884 if Pcd.DatumType == 'UINT32':
885 return 4
886 if Pcd.DatumType == 'UINT16':
887 return 2
888 if Pcd.DatumType == 'UINT8':
889 return 1
890 if Pcd.DatumType == 'BOOLEAN':
891 return 1
892 else:
893 return Pcd.MaxDatumSize
894
895
896 ## Create code for module PCDs
897 #
898 # @param Info The ModuleAutoGen object
899 # @param AutoGenC The TemplateString object for C code
900 # @param AutoGenH The TemplateString object for header file
901 # @param Pcd The PCD object
902 #
903 def CreateModulePcdCode(Info, AutoGenC, AutoGenH, Pcd):
904 TokenSpaceGuidValue = Pcd.TokenSpaceGuidValue #Info.GuidList[Pcd.TokenSpaceGuidCName]
905 PcdTokenNumber = Info.PlatformInfo.PcdTokenNumber
906 #
907 # Write PCDs
908 #
909 TokenCName = Pcd.TokenCName
910 for PcdItem in GlobalData.MixedPcd:
911 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName) in GlobalData.MixedPcd[PcdItem]:
912 TokenCName = PcdItem[0]
913 break
914 PcdTokenName = '_PCD_TOKEN_' + TokenCName
915 PatchPcdSizeTokenName = '_PCD_PATCHABLE_' + TokenCName +'_SIZE'
916 PatchPcdSizeVariableName = '_gPcd_BinaryPatch_Size_' + TokenCName
917 FixPcdSizeTokenName = '_PCD_SIZE_' + TokenCName
918
919 if Pcd.PcdValueFromComm:
920 Pcd.DefaultValue = Pcd.PcdValueFromComm
921
922 if Pcd.Type in gDynamicExPcd:
923 TokenNumber = int(Pcd.TokenValue, 0)
924 # Add TokenSpaceGuidValue value to PcdTokenName to discriminate the DynamicEx PCDs with
925 # different Guids but same TokenCName
926 PcdExTokenName = '_PCD_TOKEN_' + Pcd.TokenSpaceGuidCName + '_' + TokenCName
927 AutoGenH.Append('\n#define %s %dU\n' % (PcdExTokenName, TokenNumber))
928 else:
929 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName) not in PcdTokenNumber:
930 # If one of the Source built modules listed in the DSC is not listed in FDF modules,
931 # and the INF lists a PCD can only use the PcdsDynamic access method (it is only
932 # listed in the DEC file that declares the PCD as PcdsDynamic), then build tool will
933 # report warning message notify the PI that they are attempting to build a module
934 # that must be included in a flash image in order to be functional. These Dynamic PCD
935 # will not be added into the Database unless it is used by other modules that are
936 # included in the FDF file.
937 # In this case, just assign an invalid token number to make it pass build.
938 if Pcd.Type in PCD_DYNAMIC_TYPE_LIST:
939 TokenNumber = 0
940 else:
941 EdkLogger.error("build", AUTOGEN_ERROR,
942 "No generated token number for %s.%s\n" % (Pcd.TokenSpaceGuidCName, TokenCName),
943 ExtraData="[%s]" % str(Info))
944 else:
945 TokenNumber = PcdTokenNumber[Pcd.TokenCName, Pcd.TokenSpaceGuidCName]
946 AutoGenH.Append('\n#define %s %dU\n' % (PcdTokenName, TokenNumber))
947
948 EdkLogger.debug(EdkLogger.DEBUG_3, "Creating code for " + TokenCName + "." + Pcd.TokenSpaceGuidCName)
949 if Pcd.Type not in gItemTypeStringDatabase:
950 EdkLogger.error("build", AUTOGEN_ERROR,
951 "Unknown PCD type [%s] of PCD %s.%s" % (Pcd.Type, Pcd.TokenSpaceGuidCName, TokenCName),
952 ExtraData="[%s]" % str(Info))
953
954 DatumSize = gDatumSizeStringDatabase[Pcd.DatumType] if Pcd.DatumType in gDatumSizeStringDatabase else gDatumSizeStringDatabase['VOID*']
955 DatumSizeLib = gDatumSizeStringDatabaseLib[Pcd.DatumType] if Pcd.DatumType in gDatumSizeStringDatabaseLib else gDatumSizeStringDatabaseLib['VOID*']
956 GetModeName = '_PCD_GET_MODE_' + gDatumSizeStringDatabaseH[Pcd.DatumType] + '_' + TokenCName if Pcd.DatumType in gDatumSizeStringDatabaseH else '_PCD_GET_MODE_' + gDatumSizeStringDatabaseH['VOID*'] + '_' + TokenCName
957 SetModeName = '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH[Pcd.DatumType] + '_' + TokenCName if Pcd.DatumType in gDatumSizeStringDatabaseH else '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH['VOID*'] + '_' + TokenCName
958 SetModeStatusName = '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH[Pcd.DatumType] + '_S_' + TokenCName if Pcd.DatumType in gDatumSizeStringDatabaseH else '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH['VOID*'] + '_S_' + TokenCName
959 GetModeSizeName = '_PCD_GET_MODE_SIZE' + '_' + TokenCName
960
961 PcdExCNameList = []
962 if Pcd.Type in gDynamicExPcd:
963 if Info.IsLibrary:
964 PcdList = Info.LibraryPcdList
965 else:
966 PcdList = Info.ModulePcdList
967 for PcdModule in PcdList:
968 if PcdModule.Type in gDynamicExPcd:
969 PcdExCNameList.append(PcdModule.TokenCName)
970 # Be compatible with the current code which using PcdToken and PcdGet/Set for DynamicEx Pcd.
971 # If only PcdToken and PcdGet/Set used in all Pcds with different CName, it should succeed to build.
972 # If PcdToken and PcdGet/Set used in the Pcds with different Guids but same CName, it should failed to build.
973 if PcdExCNameList.count(Pcd.TokenCName) > 1:
974 AutoGenH.Append('// Disabled the macros, as PcdToken and PcdGet/Set are not allowed in the case that more than one DynamicEx Pcds are different Guids but same CName.\n')
975 AutoGenH.Append('// #define %s %s\n' % (PcdTokenName, PcdExTokenName))
976 AutoGenH.Append('// #define %s LibPcdGetEx%s(&%s, %s)\n' % (GetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
977 AutoGenH.Append('// #define %s LibPcdGetExSize(&%s, %s)\n' % (GetModeSizeName,Pcd.TokenSpaceGuidCName, PcdTokenName))
978 if Pcd.DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN']:
979 AutoGenH.Append('// #define %s(SizeOfBuffer, Buffer) LibPcdSetEx%s(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
980 AutoGenH.Append('// #define %s(SizeOfBuffer, Buffer) LibPcdSetEx%sS(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
981 else:
982 AutoGenH.Append('// #define %s(Value) LibPcdSetEx%s(&%s, %s, (Value))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
983 AutoGenH.Append('// #define %s(Value) LibPcdSetEx%sS(&%s, %s, (Value))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
984 else:
985 AutoGenH.Append('#define %s %s\n' % (PcdTokenName, PcdExTokenName))
986 AutoGenH.Append('#define %s LibPcdGetEx%s(&%s, %s)\n' % (GetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
987 AutoGenH.Append('#define %s LibPcdGetExSize(&%s, %s)\n' % (GetModeSizeName,Pcd.TokenSpaceGuidCName, PcdTokenName))
988 if Pcd.DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN']:
989 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSetEx%s(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
990 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSetEx%sS(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
991 else:
992 AutoGenH.Append('#define %s(Value) LibPcdSetEx%s(&%s, %s, (Value))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
993 AutoGenH.Append('#define %s(Value) LibPcdSetEx%sS(&%s, %s, (Value))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
994 elif Pcd.Type in gDynamicPcd:
995 PcdList = []
996 PcdCNameList = []
997 PcdList.extend(Info.LibraryPcdList)
998 PcdList.extend(Info.ModulePcdList)
999 for PcdModule in PcdList:
1000 if PcdModule.Type in gDynamicPcd:
1001 PcdCNameList.append(PcdModule.TokenCName)
1002 if PcdCNameList.count(Pcd.TokenCName) > 1:
1003 EdkLogger.error("build", AUTOGEN_ERROR, "More than one Dynamic Pcds [%s] are different Guids but same CName. They need to be changed to DynamicEx type to avoid the confliction.\n" % (TokenCName), ExtraData="[%s]" % str(Info.MetaFile.Path))
1004 else:
1005 AutoGenH.Append('#define %s LibPcdGet%s(%s)\n' % (GetModeName, DatumSizeLib, PcdTokenName))
1006 AutoGenH.Append('#define %s LibPcdGetSize(%s)\n' % (GetModeSizeName, PcdTokenName))
1007 if Pcd.DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN']:
1008 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSet%s(%s, (SizeOfBuffer), (Buffer))\n' %(SetModeName, DatumSizeLib, PcdTokenName))
1009 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSet%sS(%s, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, DatumSizeLib, PcdTokenName))
1010 else:
1011 AutoGenH.Append('#define %s(Value) LibPcdSet%s(%s, (Value))\n' % (SetModeName, DatumSizeLib, PcdTokenName))
1012 AutoGenH.Append('#define %s(Value) LibPcdSet%sS(%s, (Value))\n' % (SetModeStatusName, DatumSizeLib, PcdTokenName))
1013 else:
1014 PcdVariableName = '_gPcd_' + gItemTypeStringDatabase[Pcd.Type] + '_' + TokenCName
1015 Const = 'const'
1016 if Pcd.Type == TAB_PCDS_PATCHABLE_IN_MODULE:
1017 Const = ''
1018 Type = ''
1019 Array = ''
1020 Value = Pcd.DefaultValue
1021 Unicode = False
1022 ValueNumber = 0
1023
1024 if Pcd.DatumType == 'BOOLEAN':
1025 BoolValue = Value.upper()
1026 if BoolValue == 'TRUE' or BoolValue == '1':
1027 Value = '1U'
1028 elif BoolValue == 'FALSE' or BoolValue == '0':
1029 Value = '0U'
1030
1031 if Pcd.DatumType in ['UINT64', 'UINT32', 'UINT16', 'UINT8']:
1032 try:
1033 if Value.upper().endswith('L'):
1034 Value = Value[:-1]
1035 ValueNumber = int (Value, 0)
1036 except:
1037 EdkLogger.error("build", AUTOGEN_ERROR,
1038 "PCD value is not valid dec or hex number for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1039 ExtraData="[%s]" % str(Info))
1040 if Pcd.DatumType == 'UINT64':
1041 if ValueNumber < 0:
1042 EdkLogger.error("build", AUTOGEN_ERROR,
1043 "PCD can't be set to negative value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1044 ExtraData="[%s]" % str(Info))
1045 elif ValueNumber >= 0x10000000000000000:
1046 EdkLogger.error("build", AUTOGEN_ERROR,
1047 "Too large PCD value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1048 ExtraData="[%s]" % str(Info))
1049 if not Value.endswith('ULL'):
1050 Value += 'ULL'
1051 elif Pcd.DatumType == 'UINT32':
1052 if ValueNumber < 0:
1053 EdkLogger.error("build", AUTOGEN_ERROR,
1054 "PCD can't be set to negative value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1055 ExtraData="[%s]" % str(Info))
1056 elif ValueNumber >= 0x100000000:
1057 EdkLogger.error("build", AUTOGEN_ERROR,
1058 "Too large PCD value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1059 ExtraData="[%s]" % str(Info))
1060 if not Value.endswith('U'):
1061 Value += 'U'
1062 elif Pcd.DatumType == 'UINT16':
1063 if ValueNumber < 0:
1064 EdkLogger.error("build", AUTOGEN_ERROR,
1065 "PCD can't be set to negative value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1066 ExtraData="[%s]" % str(Info))
1067 elif ValueNumber >= 0x10000:
1068 EdkLogger.error("build", AUTOGEN_ERROR,
1069 "Too large PCD value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1070 ExtraData="[%s]" % str(Info))
1071 if not Value.endswith('U'):
1072 Value += 'U'
1073 elif Pcd.DatumType == 'UINT8':
1074 if ValueNumber < 0:
1075 EdkLogger.error("build", AUTOGEN_ERROR,
1076 "PCD can't be set to negative value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1077 ExtraData="[%s]" % str(Info))
1078 elif ValueNumber >= 0x100:
1079 EdkLogger.error("build", AUTOGEN_ERROR,
1080 "Too large PCD value for datum type [%s] of PCD %s.%s" % (Pcd.DatumType, Pcd.TokenSpaceGuidCName, TokenCName),
1081 ExtraData="[%s]" % str(Info))
1082 if not Value.endswith('U'):
1083 Value += 'U'
1084 if Pcd.DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN']:
1085 if Pcd.MaxDatumSize is None or Pcd.MaxDatumSize == '':
1086 EdkLogger.error("build", AUTOGEN_ERROR,
1087 "Unknown [MaxDatumSize] of PCD [%s.%s]" % (Pcd.TokenSpaceGuidCName, TokenCName),
1088 ExtraData="[%s]" % str(Info))
1089
1090 ArraySize = int(Pcd.MaxDatumSize, 0)
1091 if Value[0] == '{':
1092 Type = '(VOID *)'
1093 else:
1094 if Value[0] == 'L':
1095 Unicode = True
1096 Value = Value.lstrip('L') #.strip('"')
1097 Value = eval(Value) # translate escape character
1098 NewValue = '{'
1099 for Index in range(0,len(Value)):
1100 if Unicode:
1101 NewValue = NewValue + str(ord(Value[Index]) % 0x10000) + ', '
1102 else:
1103 NewValue = NewValue + str(ord(Value[Index]) % 0x100) + ', '
1104 if Unicode:
1105 ArraySize = ArraySize / 2;
1106
1107 if ArraySize < (len(Value) + 1):
1108 EdkLogger.error("build", AUTOGEN_ERROR,
1109 "The maximum size of VOID* type PCD '%s.%s' is less than its actual size occupied." % (Pcd.TokenSpaceGuidCName, TokenCName),
1110 ExtraData="[%s]" % str(Info))
1111 Value = NewValue + '0 }'
1112 Array = '[%d]' % ArraySize
1113 #
1114 # skip casting for fixed at build since it breaks ARM assembly.
1115 # Long term we need PCD macros that work in assembly
1116 #
1117 elif Pcd.Type != TAB_PCDS_FIXED_AT_BUILD and Pcd.DatumType in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN', 'VOID*']:
1118 Value = "((%s)%s)" % (Pcd.DatumType, Value)
1119
1120 if Pcd.DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN', 'VOID*']:
1121 # handle structure PCD
1122 if Pcd.MaxDatumSize is None or Pcd.MaxDatumSize == '':
1123 EdkLogger.error("build", AUTOGEN_ERROR,
1124 "Unknown [MaxDatumSize] of PCD [%s.%s]" % (Pcd.TokenSpaceGuidCName, TokenCName),
1125 ExtraData="[%s]" % str(Info))
1126
1127 ArraySize = int(Pcd.MaxDatumSize, 0)
1128 Array = '[%d]' % ArraySize
1129
1130 if Pcd.Type == TAB_PCDS_PATCHABLE_IN_MODULE:
1131 PcdValueName = '_PCD_PATCHABLE_VALUE_' + TokenCName
1132 else:
1133 PcdValueName = '_PCD_VALUE_' + TokenCName
1134
1135 if Pcd.DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN']:
1136 #
1137 # For unicode, UINT16 array will be generated, so the alignment of unicode is guaranteed.
1138 #
1139 if Unicode:
1140 AutoGenH.Append('#define %s %s%s\n' %(PcdValueName, Type, PcdVariableName))
1141 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED %s UINT16 %s%s = %s;\n' % (Const, PcdVariableName, Array, Value))
1142 AutoGenH.Append('extern %s UINT16 %s%s;\n' %(Const, PcdVariableName, Array))
1143 AutoGenH.Append('#define %s %s%s\n' %(GetModeName, Type, PcdVariableName))
1144 else:
1145 AutoGenH.Append('#define %s %s%s\n' %(PcdValueName, Type, PcdVariableName))
1146 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED %s UINT8 %s%s = %s;\n' % (Const, PcdVariableName, Array, Value))
1147 AutoGenH.Append('extern %s UINT8 %s%s;\n' %(Const, PcdVariableName, Array))
1148 AutoGenH.Append('#define %s %s%s\n' %(GetModeName, Type, PcdVariableName))
1149
1150 PcdDataSize = GetPcdSize(Pcd)
1151 if Pcd.Type == TAB_PCDS_FIXED_AT_BUILD:
1152 AutoGenH.Append('#define %s %s\n' % (FixPcdSizeTokenName, PcdDataSize))
1153 AutoGenH.Append('#define %s %s \n' % (GetModeSizeName,FixPcdSizeTokenName))
1154
1155 if Pcd.Type == TAB_PCDS_PATCHABLE_IN_MODULE:
1156 AutoGenH.Append('#define %s %s\n' % (PatchPcdSizeTokenName, Pcd.MaxDatumSize))
1157 AutoGenH.Append('#define %s %s \n' % (GetModeSizeName,PatchPcdSizeVariableName))
1158 AutoGenH.Append('extern UINTN %s; \n' % PatchPcdSizeVariableName)
1159 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED UINTN %s = %s;\n' % (PatchPcdSizeVariableName,PcdDataSize))
1160 elif Pcd.Type == TAB_PCDS_PATCHABLE_IN_MODULE:
1161 AutoGenH.Append('#define %s %s\n' %(PcdValueName, Value))
1162 AutoGenC.Append('volatile %s %s %s = %s;\n' %(Const, Pcd.DatumType, PcdVariableName, PcdValueName))
1163 AutoGenH.Append('extern volatile %s %s %s%s;\n' % (Const, Pcd.DatumType, PcdVariableName, Array))
1164 AutoGenH.Append('#define %s %s%s\n' % (GetModeName, Type, PcdVariableName))
1165
1166 PcdDataSize = GetPcdSize(Pcd)
1167 AutoGenH.Append('#define %s %s\n' % (PatchPcdSizeTokenName, PcdDataSize))
1168
1169 AutoGenH.Append('#define %s %s \n' % (GetModeSizeName,PatchPcdSizeVariableName))
1170 AutoGenH.Append('extern UINTN %s; \n' % PatchPcdSizeVariableName)
1171 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED UINTN %s = %s;\n' % (PatchPcdSizeVariableName,PcdDataSize))
1172 else:
1173 PcdDataSize = GetPcdSize(Pcd)
1174 AutoGenH.Append('#define %s %s\n' % (FixPcdSizeTokenName, PcdDataSize))
1175 AutoGenH.Append('#define %s %s \n' % (GetModeSizeName,FixPcdSizeTokenName))
1176
1177 AutoGenH.Append('#define %s %s\n' %(PcdValueName, Value))
1178 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED %s %s %s = %s;\n' %(Const, Pcd.DatumType, PcdVariableName, PcdValueName))
1179 AutoGenH.Append('extern %s %s %s%s;\n' % (Const, Pcd.DatumType, PcdVariableName, Array))
1180 AutoGenH.Append('#define %s %s%s\n' % (GetModeName, Type, PcdVariableName))
1181
1182 if Pcd.Type == TAB_PCDS_PATCHABLE_IN_MODULE:
1183 if Pcd.DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN']:
1184 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPatchPcdSetPtrAndSize((VOID *)_gPcd_BinaryPatch_%s, &_gPcd_BinaryPatch_Size_%s, (UINTN)_PCD_PATCHABLE_%s_SIZE, (SizeOfBuffer), (Buffer))\n' % (SetModeName, Pcd.TokenCName, Pcd.TokenCName, Pcd.TokenCName))
1185 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPatchPcdSetPtrAndSizeS((VOID *)_gPcd_BinaryPatch_%s, &_gPcd_BinaryPatch_Size_%s, (UINTN)_PCD_PATCHABLE_%s_SIZE, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, Pcd.TokenCName, Pcd.TokenCName, Pcd.TokenCName))
1186 else:
1187 AutoGenH.Append('#define %s(Value) (%s = (Value))\n' % (SetModeName, PcdVariableName))
1188 AutoGenH.Append('#define %s(Value) ((%s = (Value)), RETURN_SUCCESS) \n' % (SetModeStatusName, PcdVariableName))
1189 else:
1190 AutoGenH.Append('//#define %s ASSERT(FALSE) // It is not allowed to set value for a FIXED_AT_BUILD PCD\n' % SetModeName)
1191
1192 ## Create code for library module PCDs
1193 #
1194 # @param Info The ModuleAutoGen object
1195 # @param AutoGenC The TemplateString object for C code
1196 # @param AutoGenH The TemplateString object for header file
1197 # @param Pcd The PCD object
1198 #
1199 def CreateLibraryPcdCode(Info, AutoGenC, AutoGenH, Pcd):
1200 PcdTokenNumber = Info.PlatformInfo.PcdTokenNumber
1201 TokenSpaceGuidCName = Pcd.TokenSpaceGuidCName
1202 TokenCName = Pcd.TokenCName
1203 for PcdItem in GlobalData.MixedPcd:
1204 if (TokenCName, TokenSpaceGuidCName) in GlobalData.MixedPcd[PcdItem]:
1205 TokenCName = PcdItem[0]
1206 break
1207 PcdTokenName = '_PCD_TOKEN_' + TokenCName
1208 FixPcdSizeTokenName = '_PCD_SIZE_' + TokenCName
1209 PatchPcdSizeTokenName = '_PCD_PATCHABLE_' + TokenCName +'_SIZE'
1210 PatchPcdSizeVariableName = '_gPcd_BinaryPatch_Size_' + TokenCName
1211
1212 if Pcd.PcdValueFromComm:
1213 Pcd.DefaultValue = Pcd.PcdValueFromComm
1214 #
1215 # Write PCDs
1216 #
1217 if Pcd.Type in gDynamicExPcd:
1218 TokenNumber = int(Pcd.TokenValue, 0)
1219 else:
1220 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName) not in PcdTokenNumber:
1221 # If one of the Source built modules listed in the DSC is not listed in FDF modules,
1222 # and the INF lists a PCD can only use the PcdsDynamic access method (it is only
1223 # listed in the DEC file that declares the PCD as PcdsDynamic), then build tool will
1224 # report warning message notify the PI that they are attempting to build a module
1225 # that must be included in a flash image in order to be functional. These Dynamic PCD
1226 # will not be added into the Database unless it is used by other modules that are
1227 # included in the FDF file.
1228 # In this case, just assign an invalid token number to make it pass build.
1229 if Pcd.Type in PCD_DYNAMIC_TYPE_LIST:
1230 TokenNumber = 0
1231 else:
1232 EdkLogger.error("build", AUTOGEN_ERROR,
1233 "No generated token number for %s.%s\n" % (Pcd.TokenSpaceGuidCName, TokenCName),
1234 ExtraData="[%s]" % str(Info))
1235 else:
1236 TokenNumber = PcdTokenNumber[Pcd.TokenCName, Pcd.TokenSpaceGuidCName]
1237
1238 if Pcd.Type not in gItemTypeStringDatabase:
1239 EdkLogger.error("build", AUTOGEN_ERROR,
1240 "Unknown PCD type [%s] of PCD %s.%s" % (Pcd.Type, Pcd.TokenSpaceGuidCName, TokenCName),
1241 ExtraData="[%s]" % str(Info))
1242
1243 DatumType = Pcd.DatumType
1244 DatumSize = gDatumSizeStringDatabase[Pcd.DatumType] if Pcd.DatumType in gDatumSizeStringDatabase else gDatumSizeStringDatabase['VOID*']
1245 DatumSizeLib = gDatumSizeStringDatabaseLib[Pcd.DatumType] if Pcd.DatumType in gDatumSizeStringDatabaseLib else gDatumSizeStringDatabaseLib['VOID*']
1246 GetModeName = '_PCD_GET_MODE_' + gDatumSizeStringDatabaseH[Pcd.DatumType] + '_' + TokenCName if Pcd.DatumType in gDatumSizeStringDatabaseH else '_PCD_GET_MODE_' + gDatumSizeStringDatabaseH['VOID*'] + '_' + TokenCName
1247 SetModeName = '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH[Pcd.DatumType] + '_' + TokenCName if Pcd.DatumType in gDatumSizeStringDatabaseH else '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH['VOID*'] + '_' + TokenCName
1248 SetModeStatusName = '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH[Pcd.DatumType] + '_S_' + TokenCName if Pcd.DatumType in gDatumSizeStringDatabaseH else '_PCD_SET_MODE_' + gDatumSizeStringDatabaseH['VOID*'] + '_S_' + TokenCName
1249 GetModeSizeName = '_PCD_GET_MODE_SIZE' + '_' + TokenCName
1250
1251 Type = ''
1252 Array = ''
1253 if Pcd.DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN']:
1254 if Pcd.DefaultValue[0]== '{':
1255 Type = '(VOID *)'
1256 Array = '[]'
1257 PcdItemType = Pcd.Type
1258 PcdExCNameList = []
1259 if PcdItemType in gDynamicExPcd:
1260 PcdExTokenName = '_PCD_TOKEN_' + TokenSpaceGuidCName + '_' + TokenCName
1261 AutoGenH.Append('\n#define %s %dU\n' % (PcdExTokenName, TokenNumber))
1262
1263 if Info.IsLibrary:
1264 PcdList = Info.LibraryPcdList
1265 else:
1266 PcdList = Info.ModulePcdList
1267 for PcdModule in PcdList:
1268 if PcdModule.Type in gDynamicExPcd:
1269 PcdExCNameList.append(PcdModule.TokenCName)
1270 # Be compatible with the current code which using PcdGet/Set for DynamicEx Pcd.
1271 # If only PcdGet/Set used in all Pcds with different CName, it should succeed to build.
1272 # If PcdGet/Set used in the Pcds with different Guids but same CName, it should failed to build.
1273 if PcdExCNameList.count(Pcd.TokenCName) > 1:
1274 AutoGenH.Append('// Disabled the macros, as PcdToken and PcdGet/Set are not allowed in the case that more than one DynamicEx Pcds are different Guids but same CName.\n')
1275 AutoGenH.Append('// #define %s %s\n' % (PcdTokenName, PcdExTokenName))
1276 AutoGenH.Append('// #define %s LibPcdGetEx%s(&%s, %s)\n' % (GetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1277 AutoGenH.Append('// #define %s LibPcdGetExSize(&%s, %s)\n' % (GetModeSizeName,Pcd.TokenSpaceGuidCName, PcdTokenName))
1278 if Pcd.DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN']:
1279 AutoGenH.Append('// #define %s(SizeOfBuffer, Buffer) LibPcdSetEx%s(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1280 AutoGenH.Append('// #define %s(SizeOfBuffer, Buffer) LibPcdSetEx%sS(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1281 else:
1282 AutoGenH.Append('// #define %s(Value) LibPcdSetEx%s(&%s, %s, (Value))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1283 AutoGenH.Append('// #define %s(Value) LibPcdSetEx%sS(&%s, %s, (Value))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1284 else:
1285 AutoGenH.Append('#define %s %s\n' % (PcdTokenName, PcdExTokenName))
1286 AutoGenH.Append('#define %s LibPcdGetEx%s(&%s, %s)\n' % (GetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1287 AutoGenH.Append('#define %s LibPcdGetExSize(&%s, %s)\n' % (GetModeSizeName,Pcd.TokenSpaceGuidCName, PcdTokenName))
1288 if Pcd.DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN']:
1289 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSetEx%s(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1290 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSetEx%sS(&%s, %s, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1291 else:
1292 AutoGenH.Append('#define %s(Value) LibPcdSetEx%s(&%s, %s, (Value))\n' % (SetModeName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1293 AutoGenH.Append('#define %s(Value) LibPcdSetEx%sS(&%s, %s, (Value))\n' % (SetModeStatusName, DatumSizeLib, Pcd.TokenSpaceGuidCName, PcdTokenName))
1294 else:
1295 AutoGenH.Append('#define _PCD_TOKEN_%s %dU\n' % (TokenCName, TokenNumber))
1296 if PcdItemType in gDynamicPcd:
1297 PcdList = []
1298 PcdCNameList = []
1299 PcdList.extend(Info.LibraryPcdList)
1300 PcdList.extend(Info.ModulePcdList)
1301 for PcdModule in PcdList:
1302 if PcdModule.Type in gDynamicPcd:
1303 PcdCNameList.append(PcdModule.TokenCName)
1304 if PcdCNameList.count(Pcd.TokenCName) > 1:
1305 EdkLogger.error("build", AUTOGEN_ERROR, "More than one Dynamic Pcds [%s] are different Guids but same CName.They need to be changed to DynamicEx type to avoid the confliction.\n" % (TokenCName), ExtraData="[%s]" % str(Info.MetaFile.Path))
1306 else:
1307 AutoGenH.Append('#define %s LibPcdGet%s(%s)\n' % (GetModeName, DatumSizeLib, PcdTokenName))
1308 AutoGenH.Append('#define %s LibPcdGetSize(%s)\n' % (GetModeSizeName, PcdTokenName))
1309 if DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN']:
1310 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSet%s(%s, (SizeOfBuffer), (Buffer))\n' %(SetModeName, DatumSizeLib, PcdTokenName))
1311 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPcdSet%sS(%s, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, DatumSizeLib, PcdTokenName))
1312 else:
1313 AutoGenH.Append('#define %s(Value) LibPcdSet%s(%s, (Value))\n' % (SetModeName, DatumSizeLib, PcdTokenName))
1314 AutoGenH.Append('#define %s(Value) LibPcdSet%sS(%s, (Value))\n' % (SetModeStatusName, DatumSizeLib, PcdTokenName))
1315 if PcdItemType == TAB_PCDS_PATCHABLE_IN_MODULE:
1316 PcdVariableName = '_gPcd_' + gItemTypeStringDatabase[TAB_PCDS_PATCHABLE_IN_MODULE] + '_' + TokenCName
1317 if DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN']:
1318 ArraySize = int(Pcd.MaxDatumSize, 0)
1319 if Pcd.DefaultValue[0] == 'L':
1320 ArraySize = ArraySize / 2
1321 Array = '[%d]' % ArraySize
1322 DatumType = ['UINT8', 'UINT16'][Pcd.DefaultValue[0] == 'L']
1323 AutoGenH.Append('extern %s _gPcd_BinaryPatch_%s%s;\n' %(DatumType, TokenCName, Array))
1324 else:
1325 AutoGenH.Append('extern volatile %s %s%s;\n' % (DatumType, PcdVariableName, Array))
1326 AutoGenH.Append('#define %s %s_gPcd_BinaryPatch_%s\n' %(GetModeName, Type, TokenCName))
1327 PcdDataSize = GetPcdSize(Pcd)
1328 if Pcd.DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN']:
1329 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPatchPcdSetPtrAndSize((VOID *)_gPcd_BinaryPatch_%s, &_gPcd_BinaryPatch_Size_%s, (UINTN)_PCD_PATCHABLE_%s_SIZE, (SizeOfBuffer), (Buffer))\n' % (SetModeName, TokenCName, TokenCName, TokenCName))
1330 AutoGenH.Append('#define %s(SizeOfBuffer, Buffer) LibPatchPcdSetPtrAndSizeS((VOID *)_gPcd_BinaryPatch_%s, &_gPcd_BinaryPatch_Size_%s, (UINTN)_PCD_PATCHABLE_%s_SIZE, (SizeOfBuffer), (Buffer))\n' % (SetModeStatusName, TokenCName, TokenCName, TokenCName))
1331 AutoGenH.Append('#define %s %s\n' % (PatchPcdSizeTokenName, Pcd.MaxDatumSize))
1332 else:
1333 AutoGenH.Append('#define %s(Value) (%s = (Value))\n' % (SetModeName, PcdVariableName))
1334 AutoGenH.Append('#define %s(Value) ((%s = (Value)), RETURN_SUCCESS)\n' % (SetModeStatusName, PcdVariableName))
1335 AutoGenH.Append('#define %s %s\n' % (PatchPcdSizeTokenName, PcdDataSize))
1336
1337 AutoGenH.Append('#define %s %s\n' % (GetModeSizeName,PatchPcdSizeVariableName))
1338 AutoGenH.Append('extern UINTN %s; \n' % PatchPcdSizeVariableName)
1339
1340 if PcdItemType == TAB_PCDS_FIXED_AT_BUILD or PcdItemType == TAB_PCDS_FEATURE_FLAG:
1341 key = ".".join((Pcd.TokenSpaceGuidCName,Pcd.TokenCName))
1342 PcdVariableName = '_gPcd_' + gItemTypeStringDatabase[Pcd.Type] + '_' + TokenCName
1343 if DatumType == 'VOID*' and Array == '[]':
1344 DatumType = ['UINT8', 'UINT16'][Pcd.DefaultValue[0] == 'L']
1345 if DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN', 'VOID*']:
1346 DatumType = 'UINT8'
1347 AutoGenH.Append('extern const %s _gPcd_FixedAtBuild_%s%s;\n' %(DatumType, TokenCName, Array))
1348 AutoGenH.Append('#define %s %s_gPcd_FixedAtBuild_%s\n' %(GetModeName, Type, TokenCName))
1349 AutoGenH.Append('//#define %s ASSERT(FALSE) // It is not allowed to set value for a FIXED_AT_BUILD PCD\n' % SetModeName)
1350
1351 if PcdItemType == TAB_PCDS_FIXED_AT_BUILD and (key in Info.ConstPcd or (Info.IsLibrary and not Info._ReferenceModules)):
1352 if Pcd.DatumType not in ['UINT8', 'UINT16', 'UINT32', 'UINT64', 'BOOLEAN']:
1353 AutoGenH.Append('#define _PCD_VALUE_%s %s%s\n' %(TokenCName, Type, PcdVariableName))
1354 else:
1355 AutoGenH.Append('#define _PCD_VALUE_%s %s\n' %(TokenCName, Pcd.DefaultValue))
1356
1357 if PcdItemType == TAB_PCDS_FIXED_AT_BUILD:
1358 PcdDataSize = GetPcdSize(Pcd)
1359 AutoGenH.Append('#define %s %s\n' % (FixPcdSizeTokenName, PcdDataSize))
1360 AutoGenH.Append('#define %s %s\n' % (GetModeSizeName,FixPcdSizeTokenName))
1361
1362 ## Create code for library constructor
1363 #
1364 # @param Info The ModuleAutoGen object
1365 # @param AutoGenC The TemplateString object for C code
1366 # @param AutoGenH The TemplateString object for header file
1367 #
1368 def CreateLibraryConstructorCode(Info, AutoGenC, AutoGenH):
1369 #
1370 # Library Constructors
1371 #
1372 ConstructorPrototypeString = TemplateString()
1373 ConstructorCallingString = TemplateString()
1374 if Info.IsLibrary:
1375 DependentLibraryList = [Info.Module]
1376 else:
1377 DependentLibraryList = Info.DependentLibraryList
1378 for Lib in DependentLibraryList:
1379 if len(Lib.ConstructorList) <= 0:
1380 continue
1381 Dict = {'Function':Lib.ConstructorList}
1382 if Lib.ModuleType in ['BASE', 'SEC']:
1383 ConstructorPrototypeString.Append(gLibraryStructorPrototype['BASE'].Replace(Dict))
1384 ConstructorCallingString.Append(gLibraryStructorCall['BASE'].Replace(Dict))
1385 elif Lib.ModuleType in ['PEI_CORE','PEIM']:
1386 ConstructorPrototypeString.Append(gLibraryStructorPrototype['PEI'].Replace(Dict))
1387 ConstructorCallingString.Append(gLibraryStructorCall['PEI'].Replace(Dict))
1388 elif Lib.ModuleType in ['DXE_CORE','DXE_DRIVER','DXE_SMM_DRIVER','DXE_RUNTIME_DRIVER',
1389 'DXE_SAL_DRIVER','UEFI_DRIVER','UEFI_APPLICATION','SMM_CORE']:
1390 ConstructorPrototypeString.Append(gLibraryStructorPrototype['DXE'].Replace(Dict))
1391 ConstructorCallingString.Append(gLibraryStructorCall['DXE'].Replace(Dict))
1392 elif Lib.ModuleType in ['MM_STANDALONE','MM_CORE_STANDALONE']:
1393 ConstructorPrototypeString.Append(gLibraryStructorPrototype['MM'].Replace(Dict))
1394 ConstructorCallingString.Append(gLibraryStructorCall['MM'].Replace(Dict))
1395
1396 if str(ConstructorPrototypeString) == '':
1397 ConstructorPrototypeList = []
1398 else:
1399 ConstructorPrototypeList = [str(ConstructorPrototypeString)]
1400 if str(ConstructorCallingString) == '':
1401 ConstructorCallingList = []
1402 else:
1403 ConstructorCallingList = [str(ConstructorCallingString)]
1404
1405 Dict = {
1406 'Type' : 'Constructor',
1407 'FunctionPrototype' : ConstructorPrototypeList,
1408 'FunctionCall' : ConstructorCallingList
1409 }
1410 if Info.IsLibrary:
1411 AutoGenH.Append("${BEGIN}${FunctionPrototype}${END}", Dict)
1412 else:
1413 if Info.ModuleType in ['BASE', 'SEC']:
1414 AutoGenC.Append(gLibraryString['BASE'].Replace(Dict))
1415 elif Info.ModuleType in ['PEI_CORE','PEIM']:
1416 AutoGenC.Append(gLibraryString['PEI'].Replace(Dict))
1417 elif Info.ModuleType in ['DXE_CORE','DXE_DRIVER','DXE_SMM_DRIVER','DXE_RUNTIME_DRIVER',
1418 'DXE_SAL_DRIVER','UEFI_DRIVER','UEFI_APPLICATION','SMM_CORE']:
1419 AutoGenC.Append(gLibraryString['DXE'].Replace(Dict))
1420 elif Info.ModuleType in ['MM_STANDALONE','MM_CORE_STANDALONE']:
1421 AutoGenC.Append(gLibraryString['MM'].Replace(Dict))
1422
1423 ## Create code for library destructor
1424 #
1425 # @param Info The ModuleAutoGen object
1426 # @param AutoGenC The TemplateString object for C code
1427 # @param AutoGenH The TemplateString object for header file
1428 #
1429 def CreateLibraryDestructorCode(Info, AutoGenC, AutoGenH):
1430 #
1431 # Library Destructors
1432 #
1433 DestructorPrototypeString = TemplateString()
1434 DestructorCallingString = TemplateString()
1435 if Info.IsLibrary:
1436 DependentLibraryList = [Info.Module]
1437 else:
1438 DependentLibraryList = Info.DependentLibraryList
1439 for Index in range(len(DependentLibraryList)-1, -1, -1):
1440 Lib = DependentLibraryList[Index]
1441 if len(Lib.DestructorList) <= 0:
1442 continue
1443 Dict = {'Function':Lib.DestructorList}
1444 if Lib.ModuleType in ['BASE', 'SEC']:
1445 DestructorPrototypeString.Append(gLibraryStructorPrototype['BASE'].Replace(Dict))
1446 DestructorCallingString.Append(gLibraryStructorCall['BASE'].Replace(Dict))
1447 elif Lib.ModuleType in ['PEI_CORE','PEIM']:
1448 DestructorPrototypeString.Append(gLibraryStructorPrototype['PEI'].Replace(Dict))
1449 DestructorCallingString.Append(gLibraryStructorCall['PEI'].Replace(Dict))
1450 elif Lib.ModuleType in ['DXE_CORE','DXE_DRIVER','DXE_SMM_DRIVER','DXE_RUNTIME_DRIVER',
1451 'DXE_SAL_DRIVER','UEFI_DRIVER','UEFI_APPLICATION', 'SMM_CORE']:
1452 DestructorPrototypeString.Append(gLibraryStructorPrototype['DXE'].Replace(Dict))
1453 DestructorCallingString.Append(gLibraryStructorCall['DXE'].Replace(Dict))
1454 elif Lib.ModuleType in ['MM_STANDALONE','MM_CORE_STANDALONE']:
1455 DestructorPrototypeString.Append(gLibraryStructorPrototype['MM'].Replace(Dict))
1456 DestructorCallingString.Append(gLibraryStructorCall['MM'].Replace(Dict))
1457
1458 if str(DestructorPrototypeString) == '':
1459 DestructorPrototypeList = []
1460 else:
1461 DestructorPrototypeList = [str(DestructorPrototypeString)]
1462 if str(DestructorCallingString) == '':
1463 DestructorCallingList = []
1464 else:
1465 DestructorCallingList = [str(DestructorCallingString)]
1466
1467 Dict = {
1468 'Type' : 'Destructor',
1469 'FunctionPrototype' : DestructorPrototypeList,
1470 'FunctionCall' : DestructorCallingList
1471 }
1472 if Info.IsLibrary:
1473 AutoGenH.Append("${BEGIN}${FunctionPrototype}${END}", Dict)
1474 else:
1475 if Info.ModuleType in ['BASE', 'SEC']:
1476 AutoGenC.Append(gLibraryString['BASE'].Replace(Dict))
1477 elif Info.ModuleType in ['PEI_CORE','PEIM']:
1478 AutoGenC.Append(gLibraryString['PEI'].Replace(Dict))
1479 elif Info.ModuleType in ['DXE_CORE','DXE_DRIVER','DXE_SMM_DRIVER','DXE_RUNTIME_DRIVER',
1480 'DXE_SAL_DRIVER','UEFI_DRIVER','UEFI_APPLICATION','SMM_CORE']:
1481 AutoGenC.Append(gLibraryString['DXE'].Replace(Dict))
1482 elif Info.ModuleType in ['MM_STANDALONE','MM_CORE_STANDALONE']:
1483 AutoGenC.Append(gLibraryString['MM'].Replace(Dict))
1484
1485
1486 ## Create code for ModuleEntryPoint
1487 #
1488 # @param Info The ModuleAutoGen object
1489 # @param AutoGenC The TemplateString object for C code
1490 # @param AutoGenH The TemplateString object for header file
1491 #
1492 def CreateModuleEntryPointCode(Info, AutoGenC, AutoGenH):
1493 if Info.IsLibrary or Info.ModuleType in ['USER_DEFINED', 'SEC']:
1494 return
1495 #
1496 # Module Entry Points
1497 #
1498 NumEntryPoints = len(Info.Module.ModuleEntryPointList)
1499 if 'PI_SPECIFICATION_VERSION' in Info.Module.Specification:
1500 PiSpecVersion = Info.Module.Specification['PI_SPECIFICATION_VERSION']
1501 else:
1502 PiSpecVersion = '0x00000000'
1503 if 'UEFI_SPECIFICATION_VERSION' in Info.Module.Specification:
1504 UefiSpecVersion = Info.Module.Specification['UEFI_SPECIFICATION_VERSION']
1505 else:
1506 UefiSpecVersion = '0x00000000'
1507 Dict = {
1508 'Function' : Info.Module.ModuleEntryPointList,
1509 'PiSpecVersion' : PiSpecVersion + 'U',
1510 'UefiSpecVersion': UefiSpecVersion + 'U'
1511 }
1512
1513 if Info.ModuleType in ['PEI_CORE', 'DXE_CORE', 'SMM_CORE', 'MM_CORE_STANDALONE']:
1514 if Info.SourceFileList <> None and Info.SourceFileList <> []:
1515 if NumEntryPoints != 1:
1516 EdkLogger.error(
1517 "build",
1518 AUTOGEN_ERROR,
1519 '%s must have exactly one entry point' % Info.ModuleType,
1520 File=str(Info),
1521 ExtraData= ", ".join(Info.Module.ModuleEntryPointList)
1522 )
1523 if Info.ModuleType == 'PEI_CORE':
1524 AutoGenC.Append(gPeiCoreEntryPointString.Replace(Dict))
1525 AutoGenH.Append(gPeiCoreEntryPointPrototype.Replace(Dict))
1526 elif Info.ModuleType == 'DXE_CORE':
1527 AutoGenC.Append(gDxeCoreEntryPointString.Replace(Dict))
1528 AutoGenH.Append(gDxeCoreEntryPointPrototype.Replace(Dict))
1529 elif Info.ModuleType == 'SMM_CORE':
1530 AutoGenC.Append(gSmmCoreEntryPointString.Replace(Dict))
1531 AutoGenH.Append(gSmmCoreEntryPointPrototype.Replace(Dict))
1532 elif Info.ModuleType == 'MM_CORE_STANDALONE':
1533 AutoGenC.Append(gMmCoreStandaloneEntryPointString.Replace(Dict))
1534 AutoGenH.Append(gMmCoreStandaloneEntryPointPrototype.Replace(Dict))
1535 elif Info.ModuleType == 'PEIM':
1536 if NumEntryPoints < 2:
1537 AutoGenC.Append(gPeimEntryPointString[NumEntryPoints].Replace(Dict))
1538 else:
1539 AutoGenC.Append(gPeimEntryPointString[2].Replace(Dict))
1540 AutoGenH.Append(gPeimEntryPointPrototype.Replace(Dict))
1541 elif Info.ModuleType in ['DXE_RUNTIME_DRIVER','DXE_DRIVER','DXE_SAL_DRIVER','UEFI_DRIVER']:
1542 if NumEntryPoints < 2:
1543 AutoGenC.Append(gUefiDriverEntryPointString[NumEntryPoints].Replace(Dict))
1544 else:
1545 AutoGenC.Append(gUefiDriverEntryPointString[2].Replace(Dict))
1546 AutoGenH.Append(gUefiDriverEntryPointPrototype.Replace(Dict))
1547 elif Info.ModuleType == 'DXE_SMM_DRIVER':
1548 if NumEntryPoints == 0:
1549 AutoGenC.Append(gDxeSmmEntryPointString[0].Replace(Dict))
1550 else:
1551 AutoGenC.Append(gDxeSmmEntryPointString[1].Replace(Dict))
1552 AutoGenH.Append(gDxeSmmEntryPointPrototype.Replace(Dict))
1553 elif Info.ModuleType == 'MM_STANDALONE':
1554 if NumEntryPoints < 2:
1555 AutoGenC.Append(gMmStandaloneEntryPointString[NumEntryPoints].Replace(Dict))
1556 else:
1557 AutoGenC.Append(gMmStandaloneEntryPointString[2].Replace(Dict))
1558 AutoGenH.Append(gMmStandaloneEntryPointPrototype.Replace(Dict))
1559 elif Info.ModuleType == 'UEFI_APPLICATION':
1560 if NumEntryPoints < 2:
1561 AutoGenC.Append(gUefiApplicationEntryPointString[NumEntryPoints].Replace(Dict))
1562 else:
1563 AutoGenC.Append(gUefiApplicationEntryPointString[2].Replace(Dict))
1564 AutoGenH.Append(gUefiApplicationEntryPointPrototype.Replace(Dict))
1565
1566 ## Create code for ModuleUnloadImage
1567 #
1568 # @param Info The ModuleAutoGen object
1569 # @param AutoGenC The TemplateString object for C code
1570 # @param AutoGenH The TemplateString object for header file
1571 #
1572 def CreateModuleUnloadImageCode(Info, AutoGenC, AutoGenH):
1573 if Info.IsLibrary or Info.ModuleType in ['USER_DEFINED', 'SEC']:
1574 return
1575 #
1576 # Unload Image Handlers
1577 #
1578 NumUnloadImage = len(Info.Module.ModuleUnloadImageList)
1579 Dict = {'Count':str(NumUnloadImage) + 'U', 'Function':Info.Module.ModuleUnloadImageList}
1580 if NumUnloadImage < 2:
1581 AutoGenC.Append(gUefiUnloadImageString[NumUnloadImage].Replace(Dict))
1582 else:
1583 AutoGenC.Append(gUefiUnloadImageString[2].Replace(Dict))
1584 AutoGenH.Append(gUefiUnloadImagePrototype.Replace(Dict))
1585
1586 ## Create code for GUID
1587 #
1588 # @param Info The ModuleAutoGen object
1589 # @param AutoGenC The TemplateString object for C code
1590 # @param AutoGenH The TemplateString object for header file
1591 #
1592 def CreateGuidDefinitionCode(Info, AutoGenC, AutoGenH):
1593 if Info.ModuleType in ["USER_DEFINED", "BASE"]:
1594 GuidType = "GUID"
1595 else:
1596 GuidType = "EFI_GUID"
1597
1598 if Info.GuidList:
1599 if not Info.IsLibrary:
1600 AutoGenC.Append("\n// Guids\n")
1601 AutoGenH.Append("\n// Guids\n")
1602 #
1603 # GUIDs
1604 #
1605 for Key in Info.GuidList:
1606 if not Info.IsLibrary:
1607 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED %s %s = %s;\n' % (GuidType, Key, Info.GuidList[Key]))
1608 AutoGenH.Append('extern %s %s;\n' % (GuidType, Key))
1609
1610 ## Create code for protocol
1611 #
1612 # @param Info The ModuleAutoGen object
1613 # @param AutoGenC The TemplateString object for C code
1614 # @param AutoGenH The TemplateString object for header file
1615 #
1616 def CreateProtocolDefinitionCode(Info, AutoGenC, AutoGenH):
1617 if Info.ModuleType in ["USER_DEFINED", "BASE"]:
1618 GuidType = "GUID"
1619 else:
1620 GuidType = "EFI_GUID"
1621
1622 if Info.ProtocolList:
1623 if not Info.IsLibrary:
1624 AutoGenC.Append("\n// Protocols\n")
1625 AutoGenH.Append("\n// Protocols\n")
1626 #
1627 # Protocol GUIDs
1628 #
1629 for Key in Info.ProtocolList:
1630 if not Info.IsLibrary:
1631 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED %s %s = %s;\n' % (GuidType, Key, Info.ProtocolList[Key]))
1632 AutoGenH.Append('extern %s %s;\n' % (GuidType, Key))
1633
1634 ## Create code for PPI
1635 #
1636 # @param Info The ModuleAutoGen object
1637 # @param AutoGenC The TemplateString object for C code
1638 # @param AutoGenH The TemplateString object for header file
1639 #
1640 def CreatePpiDefinitionCode(Info, AutoGenC, AutoGenH):
1641 if Info.ModuleType in ["USER_DEFINED", "BASE"]:
1642 GuidType = "GUID"
1643 else:
1644 GuidType = "EFI_GUID"
1645
1646 if Info.PpiList:
1647 if not Info.IsLibrary:
1648 AutoGenC.Append("\n// PPIs\n")
1649 AutoGenH.Append("\n// PPIs\n")
1650 #
1651 # PPI GUIDs
1652 #
1653 for Key in Info.PpiList:
1654 if not Info.IsLibrary:
1655 AutoGenC.Append('GLOBAL_REMOVE_IF_UNREFERENCED %s %s = %s;\n' % (GuidType, Key, Info.PpiList[Key]))
1656 AutoGenH.Append('extern %s %s;\n' % (GuidType, Key))
1657
1658 ## Create code for PCD
1659 #
1660 # @param Info The ModuleAutoGen object
1661 # @param AutoGenC The TemplateString object for C code
1662 # @param AutoGenH The TemplateString object for header file
1663 #
1664 def CreatePcdCode(Info, AutoGenC, AutoGenH):
1665
1666 # Collect Token Space GUIDs used by DynamicEc PCDs
1667 TokenSpaceList = []
1668 for Pcd in Info.ModulePcdList:
1669 if Pcd.Type in gDynamicExPcd and Pcd.TokenSpaceGuidCName not in TokenSpaceList:
1670 TokenSpaceList += [Pcd.TokenSpaceGuidCName]
1671
1672 SkuMgr = Info.Workspace.Platform.SkuIdMgr
1673 AutoGenH.Append("\n// Definition of SkuId Array\n")
1674 AutoGenH.Append("extern UINT64 _gPcd_SkuId_Array[];\n")
1675 # Add extern declarations to AutoGen.h if one or more Token Space GUIDs were found
1676 if TokenSpaceList <> []:
1677 AutoGenH.Append("\n// Definition of PCD Token Space GUIDs used in this module\n\n")
1678 if Info.ModuleType in ["USER_DEFINED", "BASE"]:
1679 GuidType = "GUID"
1680 else:
1681 GuidType = "EFI_GUID"
1682 for Item in TokenSpaceList:
1683 AutoGenH.Append('extern %s %s;\n' % (GuidType, Item))
1684
1685 if Info.IsLibrary:
1686 if Info.ModulePcdList:
1687 AutoGenH.Append("\n// PCD definitions\n")
1688 for Pcd in Info.ModulePcdList:
1689 CreateLibraryPcdCode(Info, AutoGenC, AutoGenH, Pcd)
1690 DynExPcdTokenNumberMapping (Info, AutoGenH)
1691 else:
1692 AutoGenC.Append("\n// Definition of SkuId Array\n")
1693 AutoGenC.Append("GLOBAL_REMOVE_IF_UNREFERENCED UINT64 _gPcd_SkuId_Array[] = %s;\n" % SkuMgr.DumpSkuIdArrary())
1694 if Info.ModulePcdList:
1695 AutoGenH.Append("\n// Definition of PCDs used in this module\n")
1696 AutoGenC.Append("\n// Definition of PCDs used in this module\n")
1697 for Pcd in Info.ModulePcdList:
1698 CreateModulePcdCode(Info, AutoGenC, AutoGenH, Pcd)
1699 DynExPcdTokenNumberMapping (Info, AutoGenH)
1700 if Info.LibraryPcdList:
1701 AutoGenH.Append("\n// Definition of PCDs used in libraries is in AutoGen.c\n")
1702 AutoGenC.Append("\n// Definition of PCDs used in libraries\n")
1703 for Pcd in Info.LibraryPcdList:
1704 CreateModulePcdCode(Info, AutoGenC, AutoGenC, Pcd)
1705 CreatePcdDatabaseCode(Info, AutoGenC, AutoGenH)
1706
1707 ## Create code for unicode string definition
1708 #
1709 # @param Info The ModuleAutoGen object
1710 # @param AutoGenC The TemplateString object for C code
1711 # @param AutoGenH The TemplateString object for header file
1712 # @param UniGenCFlag UniString is generated into AutoGen C file when it is set to True
1713 # @param UniGenBinBuffer Buffer to store uni string package data
1714 #
1715 def CreateUnicodeStringCode(Info, AutoGenC, AutoGenH, UniGenCFlag, UniGenBinBuffer):
1716 WorkingDir = os.getcwd()
1717 os.chdir(Info.WorkspaceDir)
1718
1719 IncList = [Info.MetaFile.Dir]
1720 # Get all files under [Sources] section in inf file for EDK-II module
1721 EDK2Module = True
1722 SrcList = [F for F in Info.SourceFileList]
1723 if Info.AutoGenVersion < 0x00010005:
1724 EDK2Module = False
1725 # Get all files under the module directory for EDK-I module
1726 Cwd = os.getcwd()
1727 os.chdir(Info.MetaFile.Dir)
1728 for Root, Dirs, Files in os.walk("."):
1729 if 'CVS' in Dirs:
1730 Dirs.remove('CVS')
1731 if '.svn' in Dirs:
1732 Dirs.remove('.svn')
1733 for File in Files:
1734 File = PathClass(os.path.join(Root, File), Info.MetaFile.Dir)
1735 if File in SrcList:
1736 continue
1737 SrcList.append(File)
1738 os.chdir(Cwd)
1739
1740 if 'BUILD' in Info.BuildOption and Info.BuildOption['BUILD']['FLAGS'].find('-c') > -1:
1741 CompatibleMode = True
1742 else:
1743 CompatibleMode = False
1744
1745 #
1746 # -s is a temporary option dedicated for building .UNI files with ISO 639-2 language codes of EDK Shell in EDK2
1747 #
1748 if 'BUILD' in Info.BuildOption and Info.BuildOption['BUILD']['FLAGS'].find('-s') > -1:
1749 if CompatibleMode:
1750 EdkLogger.error("build", AUTOGEN_ERROR,
1751 "-c and -s build options should be used exclusively",
1752 ExtraData="[%s]" % str(Info))
1753 ShellMode = True
1754 else:
1755 ShellMode = False
1756
1757 #RFC4646 is only for EDKII modules and ISO639-2 for EDK modules
1758 if EDK2Module:
1759 FilterInfo = [EDK2Module] + [Info.PlatformInfo.Platform.RFCLanguages]
1760 else:
1761 FilterInfo = [EDK2Module] + [Info.PlatformInfo.Platform.ISOLanguages]
1762 Header, Code = GetStringFiles(Info.UnicodeFileList, SrcList, IncList, Info.IncludePathList, ['.uni', '.inf'], Info.Name, CompatibleMode, ShellMode, UniGenCFlag, UniGenBinBuffer, FilterInfo)
1763 if CompatibleMode or UniGenCFlag:
1764 AutoGenC.Append("\n//\n//Unicode String Pack Definition\n//\n")
1765 AutoGenC.Append(Code)
1766 AutoGenC.Append("\n")
1767 AutoGenH.Append("\n//\n//Unicode String ID\n//\n")
1768 AutoGenH.Append(Header)
1769 if CompatibleMode or UniGenCFlag:
1770 AutoGenH.Append("\n#define STRING_ARRAY_NAME %sStrings\n" % Info.Name)
1771 os.chdir(WorkingDir)
1772
1773 def CreateIdfFileCode(Info, AutoGenC, StringH, IdfGenCFlag, IdfGenBinBuffer):
1774 if len(Info.IdfFileList) > 0:
1775 ImageFiles = IdfFileClassObject(sorted (Info.IdfFileList))
1776 if ImageFiles.ImageFilesDict:
1777 Index = 1
1778 PaletteIndex = 1
1779 IncList = [Info.MetaFile.Dir]
1780 SrcList = [F for F in Info.SourceFileList]
1781 SkipList = ['.jpg', '.png', '.bmp', '.inf', '.idf']
1782 FileList = GetFileList(SrcList, IncList, SkipList)
1783 ValueStartPtr = 60
1784 StringH.Append("\n//\n//Image ID\n//\n")
1785 ImageInfoOffset = 0
1786 PaletteInfoOffset = 0
1787 ImageBuffer = pack('x')
1788 PaletteBuffer = pack('x')
1789 BufferStr = ''
1790 PaletteStr = ''
1791 FileDict = {}
1792 for Idf in ImageFiles.ImageFilesDict:
1793 if ImageFiles.ImageFilesDict[Idf]:
1794 for FileObj in ImageFiles.ImageFilesDict[Idf]:
1795 for sourcefile in Info.SourceFileList:
1796 if FileObj.FileName == sourcefile.File:
1797 if not sourcefile.Ext.upper() in ['.PNG', '.BMP', '.JPG']:
1798 EdkLogger.error("build", AUTOGEN_ERROR, "The %s's postfix must be one of .bmp, .jpg, .png" % (FileObj.FileName), ExtraData="[%s]" % str(Info))
1799 FileObj.File = sourcefile
1800 break
1801 else:
1802 EdkLogger.error("build", AUTOGEN_ERROR, "The %s in %s is not defined in the driver's [Sources] section" % (FileObj.FileName, Idf), ExtraData="[%s]" % str(Info))
1803
1804 for FileObj in ImageFiles.ImageFilesDict[Idf]:
1805 ID = FileObj.ImageID
1806 File = FileObj.File
1807 if not os.path.exists(File.Path) or not os.path.isfile(File.Path):
1808 EdkLogger.error("build", FILE_NOT_FOUND, ExtraData=File.Path)
1809 SearchImageID (FileObj, FileList)
1810 if FileObj.Referenced:
1811 if (ValueStartPtr - len(DEFINE_STR + ID)) <= 0:
1812 Line = DEFINE_STR + ' ' + ID + ' ' + DecToHexStr(Index, 4) + '\n'
1813 else:
1814 Line = DEFINE_STR + ' ' + ID + ' ' * (ValueStartPtr - len(DEFINE_STR + ID)) + DecToHexStr(Index, 4) + '\n'
1815
1816 if File not in FileDict:
1817 FileDict[File] = Index
1818 else:
1819 DuplicateBlock = pack('B', EFI_HII_IIBT_DUPLICATE)
1820 DuplicateBlock += pack('H', FileDict[File])
1821 ImageBuffer += DuplicateBlock
1822 BufferStr = WriteLine(BufferStr, '// %s: %s: %s' % (DecToHexStr(Index, 4), ID, DecToHexStr(Index, 4)))
1823 TempBufferList = AscToHexList(DuplicateBlock)
1824 BufferStr = WriteLine(BufferStr, CreateArrayItem(TempBufferList, 16) + '\n')
1825 StringH.Append(Line)
1826 Index += 1
1827 continue
1828
1829 TmpFile = open(File.Path, 'rb')
1830 Buffer = TmpFile.read()
1831 TmpFile.close()
1832 if File.Ext.upper() == '.PNG':
1833 TempBuffer = pack('B', EFI_HII_IIBT_IMAGE_PNG)
1834 TempBuffer += pack('I', len(Buffer))
1835 TempBuffer += Buffer
1836 elif File.Ext.upper() == '.JPG':
1837 ImageType, = struct.unpack('4s', Buffer[6:10])
1838 if ImageType != 'JFIF':
1839 EdkLogger.error("build", FILE_TYPE_MISMATCH, "The file %s is not a standard JPG file." % File.Path)
1840 TempBuffer = pack('B', EFI_HII_IIBT_IMAGE_JPEG)
1841 TempBuffer += pack('I', len(Buffer))
1842 TempBuffer += Buffer
1843 elif File.Ext.upper() == '.BMP':
1844 TempBuffer, TempPalette = BmpImageDecoder(File, Buffer, PaletteIndex, FileObj.TransParent)
1845 if len(TempPalette) > 1:
1846 PaletteIndex += 1
1847 NewPalette = pack('H', len(TempPalette))
1848 NewPalette += TempPalette
1849 PaletteBuffer += NewPalette
1850 PaletteStr = WriteLine(PaletteStr, '// %s: %s: %s' % (DecToHexStr(PaletteIndex - 1, 4), ID, DecToHexStr(PaletteIndex - 1, 4)))
1851 TempPaletteList = AscToHexList(NewPalette)
1852 PaletteStr = WriteLine(PaletteStr, CreateArrayItem(TempPaletteList, 16) + '\n')
1853 ImageBuffer += TempBuffer
1854 BufferStr = WriteLine(BufferStr, '// %s: %s: %s' % (DecToHexStr(Index, 4), ID, DecToHexStr(Index, 4)))
1855 TempBufferList = AscToHexList(TempBuffer)
1856 BufferStr = WriteLine(BufferStr, CreateArrayItem(TempBufferList, 16) + '\n')
1857
1858 StringH.Append(Line)
1859 Index += 1
1860
1861 BufferStr = WriteLine(BufferStr, '// End of the Image Info')
1862 BufferStr = WriteLine(BufferStr, CreateArrayItem(DecToHexList(EFI_HII_IIBT_END, 2)) + '\n')
1863 ImageEnd = pack('B', EFI_HII_IIBT_END)
1864 ImageBuffer += ImageEnd
1865
1866 if len(ImageBuffer) > 1:
1867 ImageInfoOffset = 12
1868 if len(PaletteBuffer) > 1:
1869 PaletteInfoOffset = 12 + len(ImageBuffer) - 1 # -1 is for the first empty pad byte of ImageBuffer
1870
1871 IMAGE_PACKAGE_HDR = pack('=II', ImageInfoOffset, PaletteInfoOffset)
1872 # PACKAGE_HEADER_Length = PACKAGE_HEADER + ImageInfoOffset + PaletteInfoOffset + ImageBuffer Length + PaletteCount + PaletteBuffer Length
1873 if len(PaletteBuffer) > 1:
1874 PACKAGE_HEADER_Length = 4 + 4 + 4 + len(ImageBuffer) - 1 + 2 + len(PaletteBuffer) - 1
1875 else:
1876 PACKAGE_HEADER_Length = 4 + 4 + 4 + len(ImageBuffer) - 1
1877 if PaletteIndex > 1:
1878 PALETTE_INFO_HEADER = pack('H', PaletteIndex - 1)
1879 # EFI_HII_PACKAGE_HEADER length max value is 0xFFFFFF
1880 Hex_Length = '%06X' % PACKAGE_HEADER_Length
1881 if PACKAGE_HEADER_Length > 0xFFFFFF:
1882 EdkLogger.error("build", AUTOGEN_ERROR, "The Length of EFI_HII_PACKAGE_HEADER exceed its maximum value", ExtraData="[%s]" % str(Info))
1883 PACKAGE_HEADER = pack('=HBB', int('0x' + Hex_Length[2:], 16), int('0x' + Hex_Length[0:2], 16), EFI_HII_PACKAGE_IMAGES)
1884
1885 IdfGenBinBuffer.write(PACKAGE_HEADER)
1886 IdfGenBinBuffer.write(IMAGE_PACKAGE_HDR)
1887 if len(ImageBuffer) > 1 :
1888 IdfGenBinBuffer.write(ImageBuffer[1:])
1889 if PaletteIndex > 1:
1890 IdfGenBinBuffer.write(PALETTE_INFO_HEADER)
1891 if len(PaletteBuffer) > 1:
1892 IdfGenBinBuffer.write(PaletteBuffer[1:])
1893
1894 if IdfGenCFlag:
1895 TotalLength = EFI_HII_ARRAY_SIZE_LENGTH + PACKAGE_HEADER_Length
1896 AutoGenC.Append("\n//\n//Image Pack Definition\n//\n")
1897 AllStr = WriteLine('', CHAR_ARRAY_DEFIN + ' ' + Info.Module.BaseName + 'Images' + '[] = {\n')
1898 AllStr = WriteLine(AllStr, '// STRGATHER_OUTPUT_HEADER')
1899 AllStr = WriteLine(AllStr, CreateArrayItem(DecToHexList(TotalLength)) + '\n')
1900 AllStr = WriteLine(AllStr, '// Image PACKAGE HEADER\n')
1901 IMAGE_PACKAGE_HDR_List = AscToHexList(PACKAGE_HEADER)
1902 IMAGE_PACKAGE_HDR_List += AscToHexList(IMAGE_PACKAGE_HDR)
1903 AllStr = WriteLine(AllStr, CreateArrayItem(IMAGE_PACKAGE_HDR_List, 16) + '\n')
1904 AllStr = WriteLine(AllStr, '// Image DATA\n')
1905 if BufferStr:
1906 AllStr = WriteLine(AllStr, BufferStr)
1907 if PaletteStr:
1908 AllStr = WriteLine(AllStr, '// Palette Header\n')
1909 PALETTE_INFO_HEADER_List = AscToHexList(PALETTE_INFO_HEADER)
1910 AllStr = WriteLine(AllStr, CreateArrayItem(PALETTE_INFO_HEADER_List, 16) + '\n')
1911 AllStr = WriteLine(AllStr, '// Palette Data\n')
1912 AllStr = WriteLine(AllStr, PaletteStr)
1913 AllStr = WriteLine(AllStr, '};')
1914 AutoGenC.Append(AllStr)
1915 AutoGenC.Append("\n")
1916 StringH.Append('\nextern unsigned char ' + Info.Module.BaseName + 'Images[];\n')
1917 StringH.Append("\n#define IMAGE_ARRAY_NAME %sImages\n" % Info.Module.BaseName)
1918
1919 # typedef struct _EFI_HII_IMAGE_PACKAGE_HDR {
1920 # EFI_HII_PACKAGE_HEADER Header; # Standard package header, where Header.Type = EFI_HII_PACKAGE_IMAGES
1921 # UINT32 ImageInfoOffset;
1922 # UINT32 PaletteInfoOffset;
1923 # } EFI_HII_IMAGE_PACKAGE_HDR;
1924
1925 # typedef struct {
1926 # UINT32 Length:24;
1927 # UINT32 Type:8;
1928 # UINT8 Data[];
1929 # } EFI_HII_PACKAGE_HEADER;
1930
1931 # typedef struct _EFI_HII_IMAGE_BLOCK {
1932 # UINT8 BlockType;
1933 # UINT8 BlockBody[];
1934 # } EFI_HII_IMAGE_BLOCK;
1935
1936 def BmpImageDecoder(File, Buffer, PaletteIndex, TransParent):
1937 ImageType, = struct.unpack('2s', Buffer[0:2])
1938 if ImageType!= 'BM': # BMP file type is 'BM'
1939 EdkLogger.error("build", FILE_TYPE_MISMATCH, "The file %s is not a standard BMP file." % File.Path)
1940 BMP_IMAGE_HEADER = collections.namedtuple('BMP_IMAGE_HEADER', ['bfSize','bfReserved1','bfReserved2','bfOffBits','biSize','biWidth','biHeight','biPlanes','biBitCount', 'biCompression', 'biSizeImage','biXPelsPerMeter','biYPelsPerMeter','biClrUsed','biClrImportant'])
1941 BMP_IMAGE_HEADER_STRUCT = struct.Struct('IHHIIIIHHIIIIII')
1942 BmpHeader = BMP_IMAGE_HEADER._make(BMP_IMAGE_HEADER_STRUCT.unpack_from(Buffer[2:]))
1943 #
1944 # Doesn't support compress.
1945 #
1946 if BmpHeader.biCompression != 0:
1947 EdkLogger.error("build", FORMAT_NOT_SUPPORTED, "The compress BMP file %s is not support." % File.Path)
1948
1949 # The Width and Height is UINT16 type in Image Package
1950 if BmpHeader.biWidth > 0xFFFF:
1951 EdkLogger.error("build", FORMAT_NOT_SUPPORTED, "The BMP file %s Width is exceed 0xFFFF." % File.Path)
1952 if BmpHeader.biHeight > 0xFFFF:
1953 EdkLogger.error("build", FORMAT_NOT_SUPPORTED, "The BMP file %s Height is exceed 0xFFFF." % File.Path)
1954
1955 PaletteBuffer = pack('x')
1956 if BmpHeader.biBitCount == 1:
1957 if TransParent:
1958 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_1BIT_TRANS)
1959 else:
1960 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_1BIT)
1961 ImageBuffer += pack('B', PaletteIndex)
1962 Width = (BmpHeader.biWidth + 7)/8
1963 if BmpHeader.bfOffBits > BMP_IMAGE_HEADER_STRUCT.size + 2:
1964 PaletteBuffer = Buffer[BMP_IMAGE_HEADER_STRUCT.size + 2 : BmpHeader.bfOffBits]
1965 elif BmpHeader.biBitCount == 4:
1966 if TransParent:
1967 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_4BIT_TRANS)
1968 else:
1969 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_4BIT)
1970 ImageBuffer += pack('B', PaletteIndex)
1971 Width = (BmpHeader.biWidth + 1)/2
1972 if BmpHeader.bfOffBits > BMP_IMAGE_HEADER_STRUCT.size + 2:
1973 PaletteBuffer = Buffer[BMP_IMAGE_HEADER_STRUCT.size + 2 : BmpHeader.bfOffBits]
1974 elif BmpHeader.biBitCount == 8:
1975 if TransParent:
1976 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_8BIT_TRANS)
1977 else:
1978 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_8BIT)
1979 ImageBuffer += pack('B', PaletteIndex)
1980 Width = BmpHeader.biWidth
1981 if BmpHeader.bfOffBits > BMP_IMAGE_HEADER_STRUCT.size + 2:
1982 PaletteBuffer = Buffer[BMP_IMAGE_HEADER_STRUCT.size + 2 : BmpHeader.bfOffBits]
1983 elif BmpHeader.biBitCount == 24:
1984 if TransParent:
1985 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_24BIT_TRANS)
1986 else:
1987 ImageBuffer = pack('B', EFI_HII_IIBT_IMAGE_24BIT)
1988 Width = BmpHeader.biWidth * 3
1989 else:
1990 EdkLogger.error("build", FORMAT_NOT_SUPPORTED, "Only support the 1 bit, 4 bit, 8bit, 24 bit BMP files.", ExtraData="[%s]" % str(File.Path))
1991
1992 ImageBuffer += pack('H', BmpHeader.biWidth)
1993 ImageBuffer += pack('H', BmpHeader.biHeight)
1994 Start = BmpHeader.bfOffBits
1995 End = BmpHeader.bfSize - 1
1996 for Height in range(0, BmpHeader.biHeight):
1997 if Width % 4 != 0:
1998 Start = End + (Width % 4) - 4 - Width
1999 else:
2000 Start = End - Width
2001 ImageBuffer += Buffer[Start + 1 : Start + Width + 1]
2002 End = Start
2003
2004 # handle the Palette info, BMP use 4 bytes for R, G, B and Reserved info while EFI_HII_RGB_PIXEL only have the R, G, B info
2005 if PaletteBuffer and len(PaletteBuffer) > 1:
2006 PaletteTemp = pack('x')
2007 for Index in range(0, len(PaletteBuffer)):
2008 if Index % 4 == 3:
2009 continue
2010 PaletteTemp += PaletteBuffer[Index]
2011 PaletteBuffer = PaletteTemp[1:]
2012 return ImageBuffer, PaletteBuffer
2013
2014 ## Create common code
2015 #
2016 # @param Info The ModuleAutoGen object
2017 # @param AutoGenC The TemplateString object for C code
2018 # @param AutoGenH The TemplateString object for header file
2019 #
2020 def CreateHeaderCode(Info, AutoGenC, AutoGenH):
2021 # file header
2022 AutoGenH.Append(gAutoGenHeaderString.Replace({'FileName':'AutoGen.h'}))
2023 # header file Prologue
2024 AutoGenH.Append(gAutoGenHPrologueString.Replace({'File':'AUTOGENH','Guid':Info.Guid.replace('-','_')}))
2025 AutoGenH.Append(gAutoGenHCppPrologueString)
2026 if Info.AutoGenVersion >= 0x00010005:
2027 # header files includes
2028 AutoGenH.Append("#include <%s>\n" % gBasicHeaderFile)
2029 if Info.ModuleType in gModuleTypeHeaderFile \
2030 and gModuleTypeHeaderFile[Info.ModuleType][0] != gBasicHeaderFile:
2031 AutoGenH.Append("#include <%s>\n" % gModuleTypeHeaderFile[Info.ModuleType][0])
2032 #
2033 # if either PcdLib in [LibraryClasses] sections or there exist Pcd section, add PcdLib.h
2034 # As if modules only uses FixedPcd, then PcdLib is not needed in [LibraryClasses] section.
2035 #
2036 if 'PcdLib' in Info.Module.LibraryClasses or Info.Module.Pcds:
2037 AutoGenH.Append("#include <Library/PcdLib.h>\n")
2038
2039 AutoGenH.Append('\nextern GUID gEfiCallerIdGuid;')
2040 AutoGenH.Append('\nextern CHAR8 *gEfiCallerBaseName;\n\n')
2041
2042 if Info.IsLibrary:
2043 return
2044
2045 AutoGenH.Append("#define EFI_CALLER_ID_GUID \\\n %s\n" % GuidStringToGuidStructureString(Info.Guid))
2046
2047 if Info.IsLibrary:
2048 return
2049 # C file header
2050 AutoGenC.Append(gAutoGenHeaderString.Replace({'FileName':'AutoGen.c'}))
2051 if Info.AutoGenVersion >= 0x00010005:
2052 # C file header files includes
2053 if Info.ModuleType in gModuleTypeHeaderFile:
2054 for Inc in gModuleTypeHeaderFile[Info.ModuleType]:
2055 AutoGenC.Append("#include <%s>\n" % Inc)
2056 else:
2057 AutoGenC.Append("#include <%s>\n" % gBasicHeaderFile)
2058
2059 #
2060 # Publish the CallerId Guid
2061 #
2062 AutoGenC.Append('\nGLOBAL_REMOVE_IF_UNREFERENCED GUID gEfiCallerIdGuid = %s;\n' % GuidStringToGuidStructureString(Info.Guid))
2063 AutoGenC.Append('\nGLOBAL_REMOVE_IF_UNREFERENCED CHAR8 *gEfiCallerBaseName = "%s";\n' % Info.Name)
2064
2065 ## Create common code for header file
2066 #
2067 # @param Info The ModuleAutoGen object
2068 # @param AutoGenC The TemplateString object for C code
2069 # @param AutoGenH The TemplateString object for header file
2070 #
2071 def CreateFooterCode(Info, AutoGenC, AutoGenH):
2072 AutoGenH.Append(gAutoGenHEpilogueString)
2073
2074 ## Create code for a module
2075 #
2076 # @param Info The ModuleAutoGen object
2077 # @param AutoGenC The TemplateString object for C code
2078 # @param AutoGenH The TemplateString object for header file
2079 # @param StringH The TemplateString object for header file
2080 # @param UniGenCFlag UniString is generated into AutoGen C file when it is set to True
2081 # @param UniGenBinBuffer Buffer to store uni string package data
2082 # @param StringIdf The TemplateString object for header file
2083 # @param IdfGenCFlag IdfString is generated into AutoGen C file when it is set to True
2084 # @param IdfGenBinBuffer Buffer to store Idf string package data
2085 #
2086 def CreateCode(Info, AutoGenC, AutoGenH, StringH, UniGenCFlag, UniGenBinBuffer, StringIdf, IdfGenCFlag, IdfGenBinBuffer):
2087 CreateHeaderCode(Info, AutoGenC, AutoGenH)
2088
2089 if Info.AutoGenVersion >= 0x00010005:
2090 CreateGuidDefinitionCode(Info, AutoGenC, AutoGenH)
2091 CreateProtocolDefinitionCode(Info, AutoGenC, AutoGenH)
2092 CreatePpiDefinitionCode(Info, AutoGenC, AutoGenH)
2093 CreatePcdCode(Info, AutoGenC, AutoGenH)
2094 CreateLibraryConstructorCode(Info, AutoGenC, AutoGenH)
2095 CreateLibraryDestructorCode(Info, AutoGenC, AutoGenH)
2096 CreateModuleEntryPointCode(Info, AutoGenC, AutoGenH)
2097 CreateModuleUnloadImageCode(Info, AutoGenC, AutoGenH)
2098
2099 if Info.UnicodeFileList:
2100 FileName = "%sStrDefs.h" % Info.Name
2101 StringH.Append(gAutoGenHeaderString.Replace({'FileName':FileName}))
2102 StringH.Append(gAutoGenHPrologueString.Replace({'File':'STRDEFS', 'Guid':Info.Guid.replace('-','_')}))
2103 CreateUnicodeStringCode(Info, AutoGenC, StringH, UniGenCFlag, UniGenBinBuffer)
2104
2105 GuidMacros = []
2106 for Guid in Info.Module.Guids:
2107 if Guid in Info.Module.GetGuidsUsedByPcd():
2108 continue
2109 GuidMacros.append('#define %s %s' % (Guid, Info.Module.Guids[Guid]))
2110 for Guid, Value in Info.Module.Protocols.items() + Info.Module.Ppis.items():
2111 GuidMacros.append('#define %s %s' % (Guid, Value))
2112 # supports FixedAtBuild usage in VFR file
2113 if Info.VfrFileList and Info.ModulePcdList:
2114 GuidMacros.append('#define %s %s' % ('FixedPcdGetBool(TokenName)', '_PCD_VALUE_##TokenName'))
2115 GuidMacros.append('#define %s %s' % ('FixedPcdGet8(TokenName)', '_PCD_VALUE_##TokenName'))
2116 GuidMacros.append('#define %s %s' % ('FixedPcdGet16(TokenName)', '_PCD_VALUE_##TokenName'))
2117 GuidMacros.append('#define %s %s' % ('FixedPcdGet32(TokenName)', '_PCD_VALUE_##TokenName'))
2118 GuidMacros.append('#define %s %s' % ('FixedPcdGet64(TokenName)', '_PCD_VALUE_##TokenName'))
2119 for Pcd in Info.ModulePcdList:
2120 if Pcd.Type == TAB_PCDS_FIXED_AT_BUILD:
2121 TokenCName = Pcd.TokenCName
2122 Value = Pcd.DefaultValue
2123 if Pcd.DatumType == 'BOOLEAN':
2124 BoolValue = Value.upper()
2125 if BoolValue == 'TRUE':
2126 Value = '1'
2127 elif BoolValue == 'FALSE':
2128 Value = '0'
2129 for PcdItem in GlobalData.MixedPcd:
2130 if (Pcd.TokenCName, Pcd.TokenSpaceGuidCName) in GlobalData.MixedPcd[PcdItem]:
2131 TokenCName = PcdItem[0]
2132 break
2133 GuidMacros.append('#define %s %s' % ('_PCD_VALUE_'+TokenCName, Value))
2134
2135 if Info.IdfFileList:
2136 GuidMacros.append('#include "%sImgDefs.h"' % Info.Name)
2137
2138 if GuidMacros:
2139 StringH.Append('\n#ifdef VFRCOMPILE\n%s\n#endif\n' % '\n'.join(GuidMacros))
2140
2141 StringH.Append("\n#endif\n")
2142 AutoGenH.Append('#include "%s"\n' % FileName)
2143
2144 if Info.IdfFileList:
2145 FileName = "%sImgDefs.h" % Info.Name
2146 StringIdf.Append(gAutoGenHeaderString.Replace({'FileName':FileName}))
2147 StringIdf.Append(gAutoGenHPrologueString.Replace({'File':'IMAGEDEFS', 'Guid':Info.Guid.replace('-','_')}))
2148 CreateIdfFileCode(Info, AutoGenC, StringIdf, IdfGenCFlag, IdfGenBinBuffer)
2149
2150 StringIdf.Append("\n#endif\n")
2151 AutoGenH.Append('#include "%s"\n' % FileName)
2152
2153 CreateFooterCode(Info, AutoGenC, AutoGenH)
2154
2155 # no generation of AutoGen.c for Edk modules without unicode file
2156 if Info.AutoGenVersion < 0x00010005 and len(Info.UnicodeFileList) == 0:
2157 AutoGenC.String = ''
2158
2159 ## Create the code file
2160 #
2161 # @param FilePath The path of code file
2162 # @param Content The content of code file
2163 # @param IsBinaryFile The flag indicating if the file is binary file or not
2164 #
2165 # @retval True If file content is changed or file doesn't exist
2166 # @retval False If the file exists and the content is not changed
2167 #
2168 def Generate(FilePath, Content, IsBinaryFile):
2169 return SaveFileOnChange(FilePath, Content, IsBinaryFile)
2170