chiark / gitweb /
Remove trailing spaces and tabs
[fdroidserver.git] / fdroidserver / metadata.py
1 # -*- coding: utf-8 -*-
2 #
3 # common.py - part of the FDroid server tools
4 # Copyright (C) 2013, Ciaran Gultnieks, ciaran@ciarang.com
5 # Copyright (C) 2013 Daniel Martí <mvdan@mvdan.cc>
6 #
7 # This program is free software: you can redistribute it and/or modify
8 # it under the terms of the GNU Affero General Public License as published by
9 # the Free Software Foundation, either version 3 of the License, or
10 # (at your option) any later version.
11 #
12 # This program is distributed in the hope that it will be useful,
13 # but WITHOUT ANY WARRANTY; without even the implied warranty of
14 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
15 # GNU Affero General Public License for more details.
16 #
17 # You should have received a copy of the GNU Affero General Public License
18 # along with this program.  If not, see <http://www.gnu.org/licenses/>.
19
20 import os, re, glob
21 import cgi
22
23 class MetaDataException(Exception):
24     def __init__(self, value):
25         self.value = value
26
27     def __str__(self):
28         return repr(self.value)
29
30 # Designates a metadata field type and checks that it matches
31 #
32 # 'name'     - The long name of the field type
33 # 'matching' - List of possible values or regex expression
34 # 'sep'      - Separator to use if value may be a list
35 # 'fields'   - Metadata fields (Field:Value) of this type
36 # 'attrs'    - Build attributes (attr=value) of this type
37 #
38 class FieldType():
39     def __init__(self, name, matching, sep, fields, attrs):
40         self.name = name
41         self.matching = matching
42         if type(matching) is str:
43             self.compiled = re.compile(matching)
44         self.sep = sep
45         self.fields = fields
46         self.attrs = attrs
47
48     def _assert_regex(self, values, appid):
49         for v in values:
50             if not self.compiled.match(v):
51                 raise MetaDataException("'%s' is not a valid %s in %s. "
52                         % (v, self.name, appid) +
53                         "Regex pattern: %s" % (self.matching))
54
55     def _assert_list(self, values, appid):
56         for v in values:
57             if v not in self.matching:
58                 raise MetaDataException("'%s' is not a valid %s in %s. "
59                         % (v, self.name, appid) +
60                         "Possible values: %s" % (", ".join(self.matching)))
61
62     def check(self, value, appid):
63         if type(value) is not str or not value:
64             return
65         if self.sep is not None:
66             values = value.split(self.sep)
67         else:
68             values = [value]
69         if type(self.matching) is list:
70             self._assert_list(values, appid)
71         else:
72             self._assert_regex(values, appid)
73
74
75 # Generic value types
76 valuetypes = {
77     'int' : FieldType("Integer",
78         r'^[0-9]+$', None,
79         [ 'FlattrID' ],
80         [ 'vercode' ]),
81
82     'http' : FieldType("HTTP link",
83         r'^http[s]?://', None,
84         [ "Web Site", "Source Code", "Issue Tracker", "Donate" ], []),
85
86     'bitcoin' : FieldType("Bitcoin address",
87         r'^[a-zA-Z0-9]{27,34}$', None,
88         [ "Bitcoin" ],
89         [ ]),
90
91     'litecoin' : FieldType("Litecoin address",
92         r'^L[a-zA-Z0-9]{33}$', None,
93         [ "Litecoin" ],
94         [ ]),
95
96     'Bool' : FieldType("Boolean",
97         ['Yes', 'No'], None,
98         [ "Requires Root" ],
99         [ ]),
100
101     'bool' : FieldType("Boolean",
102         ['yes', 'no'], None,
103         [ ],
104         [ 'submodules', 'oldsdkloc', 'forceversion', 'forcevercode',
105             'fixtrans', 'fixapos', 'novcheck' ]),
106
107     'Repo Type' : FieldType("Repo Type",
108         [ 'git', 'git-svn', 'svn', 'hg', 'bzr', 'srclib' ], None,
109         [ "Repo Type" ],
110         [ ]),
111
112     'archive' : FieldType("Archive Policy",
113         r'^[0-9]+ versions$', None,
114         [ "Archive Policy" ],
115         [ ]),
116
117     'antifeatures' : FieldType("Anti-Feature",
118         [ "Ads", "Tracking", "NonFreeNet", "NonFreeDep", "NonFreeAdd", "UpstreamNonFree" ], ',',
119         [ "AntiFeatures" ],
120         [ ]),
121
122     'autoupdatemodes' : FieldType("Auto Update Mode",
123         r"^(Version .+|None)$", None,
124         [ "Auto Update Mode" ],
125         [ ]),
126
127     'updatecheckmodes' : FieldType("Update Check Mode",
128         r"^(Tags|RepoManifest|RepoManifest/.+|RepoTrunk|HTTP|Static|None)$", None,
129         [ "Update Check Mode" ],
130         [ ])
131 }
132
133 # Check an app's metadata information for integrity errors
134 def check_metadata(info):
135     for k, t in valuetypes.iteritems():
136         for field in t.fields:
137             if field in info:
138                 t.check(info[field], info['id'])
139                 if k == 'Bool':
140                     info[field] = info[field] == "Yes"
141         for build in info['builds']:
142             for attr in t.attrs:
143                 if attr in build:
144                     t.check(build[attr], info['id'])
145                     if k == 'bool':
146                         build[attr] = build[attr] == "yes"
147                 elif k == 'bool':
148                     build[attr] = False
149
150 # Formatter for descriptions. Create an instance, and call parseline() with
151 # each line of the description source from the metadata. At the end, call
152 # end() and then text_plain, text_wiki and text_html will contain the result.
153 class DescriptionFormatter:
154     stNONE = 0
155     stPARA = 1
156     stUL = 2
157     stOL = 3
158     bold = False
159     ital = False
160     state = stNONE
161     text_plain = ''
162     text_wiki = ''
163     text_html = ''
164     linkResolver = None
165     def __init__(self, linkres):
166         self.linkResolver = linkres
167     def endcur(self, notstates=None):
168         if notstates and self.state in notstates:
169             return
170         if self.state == self.stPARA:
171             self.endpara()
172         elif self.state == self.stUL:
173             self.endul()
174         elif self.state == self.stOL:
175             self.endol()
176     def endpara(self):
177         self.text_plain += '\n'
178         self.text_html += '</p>'
179         self.state = self.stNONE
180     def endul(self):
181         self.text_html += '</ul>'
182         self.state = self.stNONE
183     def endol(self):
184         self.text_html += '</ol>'
185         self.state = self.stNONE
186
187     def formatted(self, txt, html):
188         formatted = ''
189         if html:
190             txt = cgi.escape(txt)
191         while True:
192             index = txt.find("''")
193             if index == -1:
194                 return formatted + txt
195             formatted += txt[:index]
196             txt = txt[index:]
197             if txt.startswith("'''"):
198                 if html:
199                     if self.bold:
200                         formatted += '</b>'
201                     else:
202                         formatted += '<b>'
203                 self.bold = not self.bold
204                 txt = txt[3:]
205             else:
206                 if html:
207                     if self.ital:
208                         formatted += '</i>'
209                     else:
210                         formatted += '<i>'
211                 self.ital = not self.ital
212                 txt = txt[2:]
213
214
215     def linkify(self, txt):
216         linkified_plain = ''
217         linkified_html = ''
218         while True:
219             index = txt.find("[")
220             if index == -1:
221                 return (linkified_plain + self.formatted(txt, False), linkified_html + self.formatted(txt, True))
222             linkified_plain += self.formatted(txt[:index], False)
223             linkified_html += self.formatted(txt[:index], True)
224             txt = txt[index:]
225             if txt.startswith("[["):
226                 index = txt.find("]]")
227                 if index == -1:
228                     raise MetaDataException("Unterminated ]]")
229                 url = txt[2:index]
230                 if self.linkResolver:
231                     url, urltext = self.linkResolver(url)
232                 else:
233                     urltext = url
234                 linkified_html += '<a href="' + url + '">' + cgi.escape(urltext) + '</a>'
235                 linkified_plain += urltext
236                 txt = txt[index+2:]
237             else:
238                 index = txt.find("]")
239                 if index == -1:
240                     raise MetaDataException("Unterminated ]")
241                 url = txt[1:index]
242                 index2 = url.find(' ')
243                 if index2 == -1:
244                     urltxt = url
245                 else:
246                     urltxt = url[index2 + 1:]
247                     url = url[:index2]
248                 linkified_html += '<a href="' + url + '">' + cgi.escape(urltxt) + '</a>'
249                 linkified_plain += urltxt
250                 if urltxt != url:
251                     linkified_plain += ' (' + url + ')'
252                 txt = txt[index+1:]
253
254     def addtext(self, txt):
255         p, h = self.linkify(txt)
256         self.text_plain += p
257         self.text_html += h
258
259     def parseline(self, line):
260         self.text_wiki += "%s\n" % line
261         if not line:
262             self.endcur()
263         elif line.startswith('*'):
264             self.endcur([self.stUL])
265             if self.state != self.stUL:
266                 self.text_html += '<ul>'
267                 self.state = self.stUL
268             self.text_html += '<li>'
269             self.text_plain += '*'
270             self.addtext(line[1:])
271             self.text_html += '</li>'
272         elif line.startswith('#'):
273             self.endcur([self.stOL])
274             if self.state != self.stOL:
275                 self.text_html += '<ol>'
276                 self.state = self.stOL
277             self.text_html += '<li>'
278             self.text_plain += '*' #TODO: lazy - put the numbers in!
279             self.addtext(line[1:])
280             self.text_html += '</li>'
281         else:
282             self.endcur([self.stPARA])
283             if self.state == self.stNONE:
284                 self.text_html += '<p>'
285                 self.state = self.stPARA
286             elif self.state == self.stPARA:
287                 self.text_html += ' '
288                 self.text_plain += ' '
289             self.addtext(line)
290
291     def end(self):
292         self.endcur()
293
294 # Parse multiple lines of description as written in a metadata file, returning
295 # a single string in plain text format.
296 def description_plain(lines, linkres):
297     ps = DescriptionFormatter(linkres)
298     for line in lines:
299         ps.parseline(line)
300     ps.end()
301     return ps.text_plain
302
303 # Parse multiple lines of description as written in a metadata file, returning
304 # a single string in wiki format. Used for the Maintainer Notes field as well,
305 # because it's the same format.
306 def description_wiki(lines):
307     ps = DescriptionFormatter(None)
308     for line in lines:
309         ps.parseline(line)
310     ps.end()
311     return ps.text_wiki
312
313 # Parse multiple lines of description as written in a metadata file, returning
314 # a single string in HTML format.
315 def description_html(lines,linkres):
316     ps = DescriptionFormatter(linkres)
317     for line in lines:
318         ps.parseline(line)
319     ps.end()
320     return ps.text_html
321
322 def parse_srclib(metafile, **kw):
323
324     thisinfo = {}
325     if metafile and not isinstance(metafile, file):
326         metafile = open(metafile, "r")
327
328     # Defaults for fields that come from metadata
329     thisinfo['Repo Type'] = ''
330     thisinfo['Repo'] = ''
331     thisinfo['Subdir'] = None
332     thisinfo['Prepare'] = None
333     thisinfo['Srclibs'] = None
334     thisinfo['Update Project'] = None
335
336     if metafile is None:
337         return thisinfo
338
339     for line in metafile:
340         line = line.rstrip('\r\n')
341         if not line or line.startswith("#"):
342             continue
343
344         try:
345             field, value = line.split(':',1)
346         except ValueError:
347             raise MetaDataException("Invalid metadata in " + metafile.name + " at: " + line)
348
349         if field == "Subdir":
350             thisinfo[field] = value.split(',')
351         else:
352             thisinfo[field] = value
353
354     return thisinfo
355
356 # Read all metadata. Returns a list of 'app' objects (which are dictionaries as
357 # returned by the parse_metadata function.
358 def read_metadata(xref=True, package=None):
359     apps = []
360     for basedir in ('metadata', 'tmp'):
361         if not os.path.exists(basedir):
362             os.makedirs(basedir)
363     for metafile in sorted(glob.glob(os.path.join('metadata', '*.txt'))):
364         if package is None or metafile == os.path.join('metadata', package + '.txt'):
365             try:
366                 appinfo = parse_metadata(metafile)
367             except Exception, e:
368                 raise MetaDataException("Problem reading metadata file %s: - %s" % (metafile, str(e)))
369             check_metadata(appinfo)
370             apps.append(appinfo)
371
372     if xref:
373         # Parse all descriptions at load time, just to ensure cross-referencing
374         # errors are caught early rather than when they hit the build server.
375         def linkres(link):
376             for app in apps:
377                 if app['id'] == link:
378                     return ("fdroid.app:" + link, "Dummy name - don't know yet")
379             raise MetaDataException("Cannot resolve app id " + link)
380         for app in apps:
381             try:
382                 description_html(app['Description'], linkres)
383             except Exception, e:
384                 raise MetaDataException("Problem with description of " + app['id'] +
385                         " - " + str(e))
386
387     return apps
388
389 # Get the type expected for a given metadata field.
390 def metafieldtype(name):
391     if name in ['Description', 'Maintainer Notes']:
392         return 'multiline'
393     if name == 'Build Version':
394         return 'build'
395     if name == 'Build':
396         return 'buildv2'
397     if name == 'Use Built':
398         return 'obsolete'
399     return 'string'
400
401 # Parse metadata for a single application.
402 #
403 #  'metafile' - the filename to read. The package id for the application comes
404 #               from this filename. Pass None to get a blank entry.
405 #
406 # Returns a dictionary containing all the details of the application. There are
407 # two major kinds of information in the dictionary. Keys beginning with capital
408 # letters correspond directory to identically named keys in the metadata file.
409 # Keys beginning with lower case letters are generated in one way or another,
410 # and are not found verbatim in the metadata.
411 #
412 # Known keys not originating from the metadata are:
413 #
414 #  'id'               - the application's package ID
415 #  'builds'           - a list of dictionaries containing build information
416 #                       for each defined build
417 #  'comments'         - a list of comments from the metadata file. Each is
418 #                       a tuple of the form (field, comment) where field is
419 #                       the name of the field it preceded in the metadata
420 #                       file. Where field is None, the comment goes at the
421 #                       end of the file. Alternatively, 'build:version' is
422 #                       for a comment before a particular build version.
423 #  'descriptionlines' - original lines of description as formatted in the
424 #                       metadata file.
425 #
426 def parse_metadata(metafile):
427
428     def parse_buildline(lines):
429         value = "".join(lines)
430         parts = [p.replace("\\,", ",")
431                  for p in re.split(r"(?<!\\),", value)]
432         if len(parts) < 3:
433             raise MetaDataException("Invalid build format: " + value + " in " + metafile.name)
434         thisbuild = {}
435         thisbuild['origlines'] = lines
436         thisbuild['version'] = parts[0]
437         thisbuild['vercode'] = parts[1]
438         if parts[2].startswith('!'):
439             # For backwards compatibility, handle old-style disabling,
440             # including attempting to extract the commit from the message
441             thisbuild['disable'] = parts[2][1:]
442             commit = 'unknown - see disabled'
443             index = parts[2].rfind('at ')
444             if index != -1:
445                 commit = parts[2][index+3:]
446                 if commit.endswith(')'):
447                     commit = commit[:-1]
448             thisbuild['commit'] = commit
449         else:
450             thisbuild['commit'] = parts[2]
451         for p in parts[3:]:
452             pk, pv = p.split('=', 1)
453             thisbuild[pk.strip()] = pv
454
455         return thisbuild
456
457     def add_comments(key):
458         if not curcomments:
459             return
460         for comment in curcomments:
461             thisinfo['comments'].append((key, comment))
462         del curcomments[:]
463
464
465     thisinfo = {}
466     if metafile:
467         if not isinstance(metafile, file):
468             metafile = open(metafile, "r")
469         thisinfo['id'] = metafile.name[9:-4]
470     else:
471         thisinfo['id'] = None
472
473     # Defaults for fields that come from metadata...
474     thisinfo['Name'] = None
475     thisinfo['Auto Name'] = ''
476     thisinfo['Categories'] = 'None'
477     thisinfo['Description'] = []
478     thisinfo['Summary'] = ''
479     thisinfo['License'] = 'Unknown'
480     thisinfo['Web Site'] = ''
481     thisinfo['Source Code'] = ''
482     thisinfo['Issue Tracker'] = ''
483     thisinfo['Donate'] = None
484     thisinfo['FlattrID'] = None
485     thisinfo['Bitcoin'] = None
486     thisinfo['Litecoin'] = None
487     thisinfo['Disabled'] = None
488     thisinfo['AntiFeatures'] = None
489     thisinfo['Archive Policy'] = None
490     thisinfo['Update Check Mode'] = 'None'
491     thisinfo['Vercode Operation'] = None
492     thisinfo['Auto Update Mode'] = 'None'
493     thisinfo['Current Version'] = ''
494     thisinfo['Current Version Code'] = '0'
495     thisinfo['Repo Type'] = ''
496     thisinfo['Repo'] = ''
497     thisinfo['Requires Root'] = False
498     thisinfo['No Source Since'] = ''
499
500     # General defaults...
501     thisinfo['builds'] = []
502     thisinfo['comments'] = []
503
504     if metafile is None:
505         return thisinfo
506
507     mode = 0
508     buildlines = []
509     curcomments = []
510     curbuild = None
511
512     for line in metafile:
513         line = line.rstrip('\r\n')
514         if mode == 3:
515             if not any(line.startswith(s) for s in (' ', '\t')):
516                 if 'commit' not in curbuild and 'disable' not in curbuild:
517                     raise MetaDataException("No commit specified for {0} in {1}".format(
518                         curbuild['version'], metafile.name))
519                 thisinfo['builds'].append(curbuild)
520                 add_comments('build:' + curbuild['version'])
521                 mode = 0
522             else:
523                 if line.endswith('\\'):
524                     buildlines.append(line[:-1].lstrip())
525                 else:
526                     buildlines.append(line.lstrip())
527                     bl = ''.join(buildlines)
528                     bv = bl.split('=', 1)
529                     if len(bv) != 2:
530                         raise MetaDataException("Invalid build flag at {0} in {1}".
531                                 format(buildlines[0], metafile.name))
532                     name, val = bv
533                     if name in curbuild:
534                         raise MetaDataException("Duplicate definition on {0} in version {1} of {2}".
535                                 format(name, curbuild['version'], metafile.name))
536                     curbuild[name] = val.lstrip()
537                     buildlines = []
538
539         if mode == 0:
540             if not line:
541                 continue
542             if line.startswith("#"):
543                 curcomments.append(line)
544                 continue
545             try:
546                 field, value = line.split(':',1)
547             except ValueError:
548                 raise MetaDataException("Invalid metadata in " + metafile.name + " at: " + line)
549
550             # Translate obsolete fields...
551             if field == 'Market Version':
552                 field = 'Current Version'
553             if field == 'Market Version Code':
554                 field = 'Current Version Code'
555
556             fieldtype = metafieldtype(field)
557             if fieldtype not in ['build', 'buildv2']:
558                 add_comments(field)
559             if fieldtype == 'multiline':
560                 mode = 1
561                 thisinfo[field] = []
562                 if value:
563                     raise MetaDataException("Unexpected text on same line as " + field + " in " + metafile.name)
564             elif fieldtype == 'string':
565                 if field == 'Category' and thisinfo['Categories'] == 'None':
566                     thisinfo['Categories'] = value.replace(';',',')
567                 thisinfo[field] = value
568             elif fieldtype == 'build':
569                 if value.endswith("\\"):
570                     mode = 2
571                     buildlines = [value[:-1]]
572                 else:
573                     thisinfo['builds'].append(parse_buildline([value]))
574                     add_comments('build:' + thisinfo['builds'][-1]['version'])
575             elif fieldtype == 'buildv2':
576                 curbuild = {}
577                 vv = value.split(',')
578                 if len(vv) != 2:
579                     raise MetaDataException('Build should have comma-separated version and vercode, not "{0}", in {1}'.
580                         format(value, metafile.name))
581                 curbuild['version'] = vv[0]
582                 curbuild['vercode'] = vv[1]
583                 buildlines = []
584                 mode = 3
585             elif fieldtype == 'obsolete':
586                 pass        # Just throw it away!
587             else:
588                 raise MetaDataException("Unrecognised field type for " + field + " in " + metafile.name)
589         elif mode == 1:     # Multiline field
590             if line == '.':
591                 mode = 0
592             else:
593                 thisinfo[field].append(line)
594         elif mode == 2:     # Line continuation mode in Build Version
595             if line.endswith("\\"):
596                 buildlines.append(line[:-1])
597             else:
598                 buildlines.append(line)
599                 thisinfo['builds'].append(
600                     parse_buildline(buildlines))
601                 add_comments('build:' + thisinfo['builds'][-1]['version'])
602                 mode = 0
603     add_comments(None)
604
605     # Mode at end of file should always be 0...
606     if mode == 1:
607         raise MetaDataException(field + " not terminated in " + metafile.name)
608     elif mode == 2:
609         raise MetaDataException("Unterminated continuation in " + metafile.name)
610     elif mode == 3:
611         raise MetaDataException("Unterminated build in " + metafile.name)
612
613     if not thisinfo['Description']:
614         thisinfo['Description'].append('No description available')
615
616     return thisinfo
617
618 # Write a metadata file.
619 #
620 # 'dest'    - The path to the output file
621 # 'app'     - The app data
622 def write_metadata(dest, app):
623
624     def writecomments(key):
625         written = 0
626         for pf, comment in app['comments']:
627             if pf == key:
628                 mf.write("%s\n" % comment)
629                 written += 1
630         #if options.verbose and written > 0:
631             #print "...writing comments for " + (key if key else 'EOF')
632
633     def writefield(field, value=None):
634         writecomments(field)
635         if value is None:
636             value = app[field]
637         mf.write("%s:%s\n" % (field, value))
638
639     mf = open(dest, 'w')
640     if app['Disabled']:
641         writefield('Disabled')
642     if app['AntiFeatures']:
643         writefield('AntiFeatures')
644     writefield('Categories')
645     writefield('License')
646     writefield('Web Site')
647     writefield('Source Code')
648     writefield('Issue Tracker')
649     if app['Donate']:
650         writefield('Donate')
651     if app['FlattrID']:
652         writefield('FlattrID')
653     if app['Bitcoin']:
654         writefield('Bitcoin')
655     if app['Litecoin']:
656         writefield('Litecoin')
657     mf.write('\n')
658     if app['Name']:
659         writefield('Name')
660     if app['Auto Name']:
661         writefield('Auto Name')
662     writefield('Summary')
663     writefield('Description', '')
664     for line in app['Description']:
665         mf.write("%s\n" % line)
666     mf.write('.\n')
667     mf.write('\n')
668     if app['Requires Root']:
669         writefield('Requires Root', 'Yes')
670         mf.write('\n')
671     if app['Repo Type']:
672         writefield('Repo Type')
673         writefield('Repo')
674         mf.write('\n')
675     for build in app['builds']:
676         writecomments('build:' + build['version'])
677         mf.write("Build:%s,%s\n" % ( build['version'], build['vercode']))
678
679         # This defines the preferred order for the build items - as in the
680         # manual, they're roughly in order of application.
681         keyorder = ['disable', 'commit', 'subdir', 'submodules', 'init',
682                     'gradle', 'maven', 'oldsdkloc', 'target', 'compilesdk',
683                     'update', 'encoding', 'forceversion', 'forcevercode', 'rm',
684                     'fixtrans', 'fixapos', 'extlibs', 'srclibs', 'patch',
685                     'prebuild', 'scanignore', 'scandelete', 'build', 'buildjni',
686                     'preassemble', 'bindir', 'antcommand', 'novcheck']
687
688         def write_builditem(key, value):
689             if key in ['version', 'vercode', 'origlines']:
690                 return
691             if key in valuetypes['bool'].attrs:
692                 if not value:
693                     return
694                 value = 'yes'
695             #if options.verbose:
696                 #print "...writing {0} : {1}".format(key, value)
697             outline = '    %s=' % key
698             outline += '&& \\\n        '.join([s.lstrip() for s in value.split('&& ')])
699             outline += '\n'
700             mf.write(outline)
701
702         for key in keyorder:
703             if key in build:
704                 write_builditem(key, build[key])
705         for key, value in build.iteritems():
706             if not key in keyorder:
707                 write_builditem(key, value)
708         mf.write('\n')
709
710     if 'Maintainer Notes' in app:
711         writefield('Maintainer Notes', '')
712         for line in app['Maintainer Notes']:
713             mf.write("%s\n" % line)
714         mf.write('.\n')
715         mf.write('\n')
716
717
718     if app['Archive Policy']:
719         writefield('Archive Policy')
720     writefield('Auto Update Mode')
721     writefield('Update Check Mode')
722     if app['Vercode Operation']:
723         writefield('Vercode Operation')
724     if 'Update Check Data' in app:
725         writefield('Update Check Data')
726     if app['Current Version']:
727         writefield('Current Version')
728         writefield('Current Version Code')
729     mf.write('\n')
730     if app['No Source Since']:
731         writefield('No Source Since')
732         mf.write('\n')
733     writecomments(None)
734     mf.close()
735
736