]> git.proxmox.com Git - mirror_edk2.git/blob - BaseTools/Source/Python/Common/String.py
Sync EDKII BaseTools to BaseTools project r1988
[mirror_edk2.git] / BaseTools / Source / Python / Common / String.py
1 ## @file
2 # This file is used to define common string related functions used in parsing process
3 #
4 # Copyright (c) 2007 - 2008, 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 ##
15 # Import Modules
16 #
17 import re
18 import DataType
19 import os.path
20 import string
21 import EdkLogger as EdkLogger
22
23 from GlobalData import *
24 from BuildToolError import *
25
26 ## GetSplitValueList
27 #
28 # Get a value list from a string with multiple values splited with SplitTag
29 # The default SplitTag is DataType.TAB_VALUE_SPLIT
30 # 'AAA|BBB|CCC' -> ['AAA', 'BBB', 'CCC']
31 #
32 # @param String: The input string to be splitted
33 # @param SplitTag: The split key, default is DataType.TAB_VALUE_SPLIT
34 # @param MaxSplit: The max number of split values, default is -1
35 #
36 # @retval list() A list for splitted string
37 #
38 def GetSplitValueList(String, SplitTag = DataType.TAB_VALUE_SPLIT, MaxSplit = -1):
39 return map(lambda l: l.strip(), String.split(SplitTag, MaxSplit))
40
41 ## MergeArches
42 #
43 # Find a key's all arches in dict, add the new arch to the list
44 # If not exist any arch, set the arch directly
45 #
46 # @param Dict: The input value for Dict
47 # @param Key: The input value for Key
48 # @param Arch: The Arch to be added or merged
49 #
50 def MergeArches(Dict, Key, Arch):
51 if Key in Dict.keys():
52 Dict[Key].append(Arch)
53 else:
54 Dict[Key] = Arch.split()
55
56 ## GenDefines
57 #
58 # Parse a string with format "DEFINE <VarName> = <PATH>"
59 # Generate a map Defines[VarName] = PATH
60 # Return False if invalid format
61 #
62 # @param String: String with DEFINE statement
63 # @param Arch: Supportted Arch
64 # @param Defines: DEFINE statement to be parsed
65 #
66 # @retval 0 DEFINE statement found, and valid
67 # @retval 1 DEFINE statement found, but not valid
68 # @retval -1 DEFINE statement not found
69 #
70 def GenDefines(String, Arch, Defines):
71 if String.find(DataType.TAB_DEFINE + ' ') > -1:
72 List = String.replace(DataType.TAB_DEFINE + ' ', '').split(DataType.TAB_EQUAL_SPLIT)
73 if len(List) == 2:
74 Defines[(CleanString(List[0]), Arch)] = CleanString(List[1])
75 return 0
76 else:
77 return -1
78
79 return 1
80
81 ## GenInclude
82 #
83 # Parse a string with format "!include <Filename>"
84 # Return the file path
85 # Return False if invalid format or NOT FOUND
86 #
87 # @param String: String with INCLUDE statement
88 # @param IncludeFiles: INCLUDE statement to be parsed
89 # @param Arch: Supportted Arch
90 #
91 # @retval True
92 # @retval False
93 #
94 def GenInclude(String, IncludeFiles, Arch):
95 if String.upper().find(DataType.TAB_INCLUDE.upper() + ' ') > -1:
96 IncludeFile = CleanString(String[String.upper().find(DataType.TAB_INCLUDE.upper() + ' ') + len(DataType.TAB_INCLUDE + ' ') : ])
97 MergeArches(IncludeFiles, IncludeFile, Arch)
98 return True
99 else:
100 return False
101
102 ## GetLibraryClassesWithModuleType
103 #
104 # Get Library Class definition when no module type defined
105 #
106 # @param Lines: The content to be parsed
107 # @param Key: Reserved
108 # @param KeyValues: To store data after parsing
109 # @param CommentCharacter: Comment char, used to ignore comment content
110 #
111 # @retval True Get library classes successfully
112 #
113 def GetLibraryClassesWithModuleType(Lines, Key, KeyValues, CommentCharacter):
114 newKey = SplitModuleType(Key)
115 Lines = Lines.split(DataType.TAB_SECTION_END, 1)[1]
116 LineList = Lines.splitlines()
117 for Line in LineList:
118 Line = CleanString(Line, CommentCharacter)
119 if Line != '' and Line[0] != CommentCharacter:
120 KeyValues.append([CleanString(Line, CommentCharacter), newKey[1]])
121
122 return True
123
124 ## GetDynamics
125 #
126 # Get Dynamic Pcds
127 #
128 # @param Lines: The content to be parsed
129 # @param Key: Reserved
130 # @param KeyValues: To store data after parsing
131 # @param CommentCharacter: Comment char, used to ignore comment content
132 #
133 # @retval True Get Dynamic Pcds successfully
134 #
135 def GetDynamics(Lines, Key, KeyValues, CommentCharacter):
136 #
137 # Get SkuId Name List
138 #
139 SkuIdNameList = SplitModuleType(Key)
140
141 Lines = Lines.split(DataType.TAB_SECTION_END, 1)[1]
142 LineList = Lines.splitlines()
143 for Line in LineList:
144 Line = CleanString(Line, CommentCharacter)
145 if Line != '' and Line[0] != CommentCharacter:
146 KeyValues.append([CleanString(Line, CommentCharacter), SkuIdNameList[1]])
147
148 return True
149
150 ## SplitModuleType
151 #
152 # Split ModuleType out of section defien to get key
153 # [LibraryClass.Arch.ModuleType|ModuleType|ModuleType] -> [ 'LibraryClass.Arch', ['ModuleType', 'ModuleType', 'ModuleType'] ]
154 #
155 # @param Key: String to be parsed
156 #
157 # @retval ReturnValue A list for module types
158 #
159 def SplitModuleType(Key):
160 KeyList = Key.split(DataType.TAB_SPLIT)
161 #
162 # Fill in for arch
163 #
164 KeyList.append('')
165 #
166 # Fill in for moduletype
167 #
168 KeyList.append('')
169 ReturnValue = []
170 KeyValue = KeyList[0]
171 if KeyList[1] != '':
172 KeyValue = KeyValue + DataType.TAB_SPLIT + KeyList[1]
173 ReturnValue.append(KeyValue)
174 ReturnValue.append(GetSplitValueList(KeyList[2]))
175
176 return ReturnValue
177
178 ## Replace macro in strings list
179 #
180 # This method replace macros used in a given string list. The macros are
181 # given in a dictionary.
182 #
183 # @param StringList StringList to be processed
184 # @param MacroDefinitions The macro definitions in the form of dictionary
185 # @param SelfReplacement To decide whether replace un-defined macro to ''
186 #
187 # @retval NewList A new string list whose macros are replaced
188 #
189 def ReplaceMacros(StringList, MacroDefinitions={}, SelfReplacement = False):
190 NewList = []
191 for String in StringList:
192 if type(String) == type(''):
193 NewList.append(ReplaceMacro(String, MacroDefinitions, SelfReplacement))
194 else:
195 NewList.append(String)
196
197 return NewList
198
199 ## Replace macro in string
200 #
201 # This method replace macros used in given string. The macros are given in a
202 # dictionary.
203 #
204 # @param String String to be processed
205 # @param MacroDefinitions The macro definitions in the form of dictionary
206 # @param SelfReplacement To decide whether replace un-defined macro to ''
207 #
208 # @retval string The string whose macros are replaced
209 #
210 def ReplaceMacro(String, MacroDefinitions={}, SelfReplacement = False):
211 LastString = String
212 while MacroDefinitions:
213 MacroUsed = gMacroPattern.findall(String)
214 # no macro found in String, stop replacing
215 if len(MacroUsed) == 0:
216 break
217
218 for Macro in MacroUsed:
219 if Macro not in MacroDefinitions:
220 if SelfReplacement:
221 String = String.replace("$(%s)" % Macro, '')
222 continue
223 String = String.replace("$(%s)" % Macro, MacroDefinitions[Macro])
224 # in case there's macro not defined
225 if String == LastString:
226 break
227 LastString = String
228
229 return String
230
231 ## NormPath
232 #
233 # Create a normal path
234 # And replace DFEINE in the path
235 #
236 # @param Path: The input value for Path to be converted
237 # @param Defines: A set for DEFINE statement
238 #
239 # @retval Path Formatted path
240 #
241 def NormPath(Path, Defines = {}):
242 IsRelativePath = False
243 if Path:
244 if Path[0] == '.':
245 IsRelativePath = True
246 #
247 # Replace with Define
248 #
249 if Defines:
250 Path = ReplaceMacro(Path, Defines)
251 #
252 # To local path format
253 #
254 Path = os.path.normpath(Path)
255
256 if IsRelativePath and Path[0] != '.':
257 Path = os.path.join('.', Path)
258
259 return Path
260
261 ## CleanString
262 #
263 # Remove comments in a string
264 # Remove spaces
265 #
266 # @param Line: The string to be cleaned
267 # @param CommentCharacter: Comment char, used to ignore comment content, default is DataType.TAB_COMMENT_SPLIT
268 #
269 # @retval Path Formatted path
270 #
271 def CleanString(Line, CommentCharacter = DataType.TAB_COMMENT_SPLIT, AllowCppStyleComment=False):
272 #
273 # remove whitespace
274 #
275 Line = Line.strip();
276 #
277 # Replace R8's comment character
278 #
279 if AllowCppStyleComment:
280 Line = Line.replace(DataType.TAB_COMMENT_R8_SPLIT, CommentCharacter)
281 #
282 # remove comments, but we should escape comment character in string
283 #
284 InString = False
285 for Index in range(0, len(Line)):
286 if Line[Index] == '"':
287 InString = not InString
288 elif Line[Index] == CommentCharacter and not InString:
289 Line = Line[0: Index]
290 break
291
292 #
293 # remove whitespace again
294 #
295 Line = Line.strip();
296
297 return Line
298
299 ## GetMultipleValuesOfKeyFromLines
300 #
301 # Parse multiple strings to clean comment and spaces
302 # The result is saved to KeyValues
303 #
304 # @param Lines: The content to be parsed
305 # @param Key: Reserved
306 # @param KeyValues: To store data after parsing
307 # @param CommentCharacter: Comment char, used to ignore comment content
308 #
309 # @retval True Successfully executed
310 #
311 def GetMultipleValuesOfKeyFromLines(Lines, Key, KeyValues, CommentCharacter):
312 Lines = Lines.split(DataType.TAB_SECTION_END, 1)[1]
313 LineList = Lines.split('\n')
314 for Line in LineList:
315 Line = CleanString(Line, CommentCharacter)
316 if Line != '' and Line[0] != CommentCharacter:
317 KeyValues += [Line]
318
319 return True
320
321 ## GetDefineValue
322 #
323 # Parse a DEFINE statement to get defined value
324 # DEFINE Key Value
325 #
326 # @param String: The content to be parsed
327 # @param Key: The key of DEFINE statement
328 # @param CommentCharacter: Comment char, used to ignore comment content
329 #
330 # @retval string The defined value
331 #
332 def GetDefineValue(String, Key, CommentCharacter):
333 String = CleanString(String)
334 return String[String.find(Key + ' ') + len(Key + ' ') : ]
335
336 ## GetSingleValueOfKeyFromLines
337 #
338 # Parse multiple strings as below to get value of each definition line
339 # Key1 = Value1
340 # Key2 = Value2
341 # The result is saved to Dictionary
342 #
343 # @param Lines: The content to be parsed
344 # @param Dictionary: To store data after parsing
345 # @param CommentCharacter: Comment char, be used to ignore comment content
346 # @param KeySplitCharacter: Key split char, between key name and key value. Key1 = Value1, '=' is the key split char
347 # @param ValueSplitFlag: Value split flag, be used to decide if has multiple values
348 # @param ValueSplitCharacter: Value split char, be used to split multiple values. Key1 = Value1|Value2, '|' is the value split char
349 #
350 # @retval True Successfully executed
351 #
352 def GetSingleValueOfKeyFromLines(Lines, Dictionary, CommentCharacter, KeySplitCharacter, ValueSplitFlag, ValueSplitCharacter):
353 Lines = Lines.split('\n')
354 Keys = []
355 Value = ''
356 DefineValues = ['']
357 SpecValues = ['']
358
359 for Line in Lines:
360 #
361 # Handle DEFINE and SPEC
362 #
363 if Line.find(DataType.TAB_INF_DEFINES_DEFINE + ' ') > -1:
364 if '' in DefineValues:
365 DefineValues.remove('')
366 DefineValues.append(GetDefineValue(Line, DataType.TAB_INF_DEFINES_DEFINE, CommentCharacter))
367 continue
368 if Line.find(DataType.TAB_INF_DEFINES_SPEC + ' ') > -1:
369 if '' in SpecValues:
370 SpecValues.remove('')
371 SpecValues.append(GetDefineValue(Line, DataType.TAB_INF_DEFINES_SPEC, CommentCharacter))
372 continue
373
374 #
375 # Handle Others
376 #
377 LineList = Line.split(KeySplitCharacter, 1)
378 if len(LineList) >= 2:
379 Key = LineList[0].split()
380 if len(Key) == 1 and Key[0][0] != CommentCharacter:
381 #
382 # Remove comments and white spaces
383 #
384 LineList[1] = CleanString(LineList[1], CommentCharacter)
385 if ValueSplitFlag:
386 Value = map(string.strip, LineList[1].split(ValueSplitCharacter))
387 else:
388 Value = CleanString(LineList[1], CommentCharacter).splitlines()
389
390 if Key[0] in Dictionary:
391 if Key[0] not in Keys:
392 Dictionary[Key[0]] = Value
393 Keys.append(Key[0])
394 else:
395 Dictionary[Key[0]].extend(Value)
396 else:
397 Dictionary[DataType.TAB_INF_DEFINES_MACRO][Key[0]] = Value[0]
398
399 if DefineValues == []:
400 DefineValues = ['']
401 if SpecValues == []:
402 SpecValues = ['']
403 Dictionary[DataType.TAB_INF_DEFINES_DEFINE] = DefineValues
404 Dictionary[DataType.TAB_INF_DEFINES_SPEC] = SpecValues
405
406 return True
407
408 ## The content to be parsed
409 #
410 # Do pre-check for a file before it is parsed
411 # Check $()
412 # Check []
413 #
414 # @param FileName: Used for error report
415 # @param FileContent: File content to be parsed
416 # @param SupSectionTag: Used for error report
417 #
418 def PreCheck(FileName, FileContent, SupSectionTag):
419 LineNo = 0
420 IsFailed = False
421 NewFileContent = ''
422 for Line in FileContent.splitlines():
423 LineNo = LineNo + 1
424 #
425 # Clean current line
426 #
427 Line = CleanString(Line)
428
429 #
430 # Remove commented line
431 #
432 if Line.find(DataType.TAB_COMMA_SPLIT) == 0:
433 Line = ''
434 #
435 # Check $()
436 #
437 if Line.find('$') > -1:
438 if Line.find('$(') < 0 or Line.find(')') < 0:
439 EdkLogger.error("Parser", FORMAT_INVALID, Line=LineNo, File=FileName, RaiseError = EdkLogger.IsRaiseError)
440
441 #
442 # Check []
443 #
444 if Line.find('[') > -1 or Line.find(']') > -1:
445 #
446 # Only get one '[' or one ']'
447 #
448 if not (Line.find('[') > -1 and Line.find(']') > -1):
449 EdkLogger.error("Parser", FORMAT_INVALID, Line=LineNo, File=FileName, RaiseError = EdkLogger.IsRaiseError)
450
451 #
452 # Regenerate FileContent
453 #
454 NewFileContent = NewFileContent + Line + '\r\n'
455
456 if IsFailed:
457 EdkLogger.error("Parser", FORMAT_INVALID, Line=LineNo, File=FileName, RaiseError = EdkLogger.IsRaiseError)
458
459 return NewFileContent
460
461 ## CheckFileType
462 #
463 # Check if the Filename is including ExtName
464 # Return True if it exists
465 # Raise a error message if it not exists
466 #
467 # @param CheckFilename: Name of the file to be checked
468 # @param ExtName: Ext name of the file to be checked
469 # @param ContainerFilename: The container file which describes the file to be checked, used for error report
470 # @param SectionName: Used for error report
471 # @param Line: The line in container file which defines the file to be checked
472 #
473 # @retval True The file type is correct
474 #
475 def CheckFileType(CheckFilename, ExtName, ContainerFilename, SectionName, Line, LineNo = -1):
476 if CheckFilename != '' and CheckFilename != None:
477 (Root, Ext) = os.path.splitext(CheckFilename)
478 if Ext.upper() != ExtName.upper():
479 ContainerFile = open(ContainerFilename, 'r').read()
480 if LineNo == -1:
481 LineNo = GetLineNo(ContainerFile, Line)
482 ErrorMsg = "Invalid %s. '%s' is found, but '%s' file is needed" % (SectionName, CheckFilename, ExtName)
483 EdkLogger.error("Parser", PARSER_ERROR, ErrorMsg, Line=LineNo,
484 File=ContainerFilename, RaiseError = EdkLogger.IsRaiseError)
485
486 return True
487
488 ## CheckFileExist
489 #
490 # Check if the file exists
491 # Return True if it exists
492 # Raise a error message if it not exists
493 #
494 # @param CheckFilename: Name of the file to be checked
495 # @param WorkspaceDir: Current workspace dir
496 # @param ContainerFilename: The container file which describes the file to be checked, used for error report
497 # @param SectionName: Used for error report
498 # @param Line: The line in container file which defines the file to be checked
499 #
500 # @retval The file full path if the file exists
501 #
502 def CheckFileExist(WorkspaceDir, CheckFilename, ContainerFilename, SectionName, Line, LineNo = -1):
503 CheckFile = ''
504 if CheckFilename != '' and CheckFilename != None:
505 CheckFile = WorkspaceFile(WorkspaceDir, CheckFilename)
506 if not os.path.isfile(CheckFile):
507 ContainerFile = open(ContainerFilename, 'r').read()
508 if LineNo == -1:
509 LineNo = GetLineNo(ContainerFile, Line)
510 ErrorMsg = "Can't find file '%s' defined in section '%s'" % (CheckFile, SectionName)
511 EdkLogger.error("Parser", PARSER_ERROR, ErrorMsg,
512 File=ContainerFilename, Line = LineNo, RaiseError = EdkLogger.IsRaiseError)
513
514 return CheckFile
515
516 ## GetLineNo
517 #
518 # Find the index of a line in a file
519 #
520 # @param FileContent: Search scope
521 # @param Line: Search key
522 #
523 # @retval int Index of the line
524 # @retval -1 The line is not found
525 #
526 def GetLineNo(FileContent, Line, IsIgnoreComment = True):
527 LineList = FileContent.splitlines()
528 for Index in range(len(LineList)):
529 if LineList[Index].find(Line) > -1:
530 #
531 # Ignore statement in comment
532 #
533 if IsIgnoreComment:
534 if LineList[Index].strip()[0] == DataType.TAB_COMMENT_SPLIT:
535 continue
536 return Index + 1
537
538 return -1
539
540 ## RaiseParserError
541 #
542 # Raise a parser error
543 #
544 # @param Line: String which has error
545 # @param Section: Used for error report
546 # @param File: File which has the string
547 # @param Format: Correct format
548 #
549 def RaiseParserError(Line, Section, File, Format = '', LineNo = -1):
550 if LineNo == -1:
551 LineNo = GetLineNo(open(os.path.normpath(File), 'r').read(), Line)
552 ErrorMsg = "Invalid statement '%s' is found in section '%s'" % (Line, Section)
553 if Format != '':
554 Format = "Correct format is " + Format
555 EdkLogger.error("Parser", PARSER_ERROR, ErrorMsg, File=File, Line=LineNo, ExtraData=Format, RaiseError = EdkLogger.IsRaiseError)
556
557 ## WorkspaceFile
558 #
559 # Return a full path with workspace dir
560 #
561 # @param WorkspaceDir: Workspace dir
562 # @param Filename: Relative file name
563 #
564 # @retval string A full path
565 #
566 def WorkspaceFile(WorkspaceDir, Filename):
567 return os.path.join(NormPath(WorkspaceDir), NormPath(Filename))
568
569 ## Split string
570 #
571 # Revmove '"' which startswith and endswith string
572 #
573 # @param String: The string need to be splited
574 #
575 # @retval String: The string after removed '""'
576 #
577 def SplitString(String):
578 if String.startswith('\"'):
579 String = String[1:]
580 if String.endswith('\"'):
581 String = String[:-1]
582
583 return String
584
585 ## Convert To Sql String
586 #
587 # 1. Replace "'" with "''" in each item of StringList
588 #
589 # @param StringList: A list for strings to be converted
590 #
591 def ConvertToSqlString(StringList):
592 return map(lambda s: s.replace("'", "''") , StringList)
593
594 ## Convert To Sql String
595 #
596 # 1. Replace "'" with "''" in the String
597 #
598 # @param String: A String to be converted
599 #
600 def ConvertToSqlString2(String):
601 return String.replace("'", "''")
602
603 #
604 # Remove comment block
605 #
606 def RemoveBlockComment(Lines):
607 IsFindBlockComment = False
608 IsFindBlockCode = False
609 ReservedLine = ''
610 NewLines = []
611
612 for Line in Lines:
613 Line = Line.strip()
614 #
615 # Remove comment block
616 #
617 if Line.find(DataType.TAB_COMMENT_R8_START) > -1:
618 ReservedLine = GetSplitValueList(Line, DataType.TAB_COMMENT_R8_START, 1)[0]
619 IsFindBlockComment = True
620 if Line.find(DataType.TAB_COMMENT_R8_END) > -1:
621 Line = ReservedLine + GetSplitValueList(Line, DataType.TAB_COMMENT_R8_END, 1)[1]
622 ReservedLine = ''
623 IsFindBlockComment = False
624 if IsFindBlockComment:
625 NewLines.append('')
626 continue
627
628 NewLines.append(Line)
629 return NewLines
630
631 #
632 # Get String of a List
633 #
634 def GetStringOfList(List, Split = ' '):
635 if type(List) != type([]):
636 return List
637 Str = ''
638 for Item in List:
639 Str = Str + Item + Split
640
641 return Str.strip()
642
643 #
644 # Get HelpTextList from HelpTextClassList
645 #
646 def GetHelpTextList(HelpTextClassList):
647 List = []
648 if HelpTextClassList:
649 for HelpText in HelpTextClassList:
650 if HelpText.String.endswith('\n'):
651 HelpText.String = HelpText.String[0: len(HelpText.String) - len('\n')]
652 List.extend(HelpText.String.split('\n'))
653
654 return List
655
656 def StringToArray(String):
657 if isinstance(String, unicode):
658 if len(unicode) ==0:
659 return "{0x00, 0x00}"
660 return "{%s, 0x00, 0x00}" % ", ".join(["0x%02x, 0x00" % ord(C) for C in String])
661 elif String.startswith('L"'):
662 if String == "L\"\"":
663 return "{0x00, 0x00}"
664 else:
665 return "{%s, 0x00, 0x00}" % ", ".join(["0x%02x, 0x00" % ord(C) for C in String[2:-1]])
666 elif String.startswith('"'):
667 if String == "\"\"":
668 return "{0x00}";
669 else:
670 return "{%s, 0x00}" % ", ".join(["0x%02x" % ord(C) for C in String[1:-1]])
671 else:
672 return '{%s, 0}' % ', '.join(String.split())
673
674 def StringArrayLength(String):
675 if isinstance(String, unicode):
676 return (len(String) + 1) * 2 + 1;
677 elif String.startswith('L"'):
678 return (len(String) - 3 + 1) * 2
679 elif String.startswith('"'):
680 return (len(String) - 2 + 1)
681 else:
682 return len(String.split()) + 1
683
684 def RemoveDupOption(OptionString, Which="/I", Against=None):
685 OptionList = OptionString.split()
686 ValueList = []
687 if Against:
688 ValueList += Against
689 for Index in range(len(OptionList)):
690 Opt = OptionList[Index]
691 if not Opt.startswith(Which):
692 continue
693 if len(Opt) > len(Which):
694 Val = Opt[len(Which):]
695 else:
696 Val = ""
697 if Val in ValueList:
698 OptionList[Index] = ""
699 else:
700 ValueList.append(Val)
701 return " ".join(OptionList)
702
703 ##
704 #
705 # This acts like the main() function for the script, unless it is 'import'ed into another
706 # script.
707 #
708 if __name__ == '__main__':
709 pass
710