1 /*
2  * Copyright (C) 2009 The Android Open Source Project
3  *
4  * Licensed under the Apache License, Version 2.0 (the "License");
5  * you may not use this file except in compliance with the License.
6  * You may obtain a copy of the License at
7  *
8  *      http://www.apache.org/licenses/LICENSE-2.0
9  *
10  * Unless required by applicable law or agreed to in writing, software
11  * distributed under the License is distributed on an "AS IS" BASIS,
12  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13  * See the License for the specific language governing permissions and
14  * limitations under the License.
15  */
16 
17 /**
18  * This is a host-side tool for validating a given edify script file.
19  *
20  * We used to have edify test cases here, which have been moved to
21  * tests/component/edify_test.cpp.
22  *
23  * Caveat: It doesn't recognize functions defined through updater, which
24  * makes the tool less useful. We should either extend the tool or remove it.
25  */
26 
27 #include <errno.h>
28 #include <stdio.h>
29 
30 #include <memory>
31 #include <string>
32 
33 #include <android-base/file.h>
34 
35 #include "expr.h"
36 
ExprDump(int depth,const std::unique_ptr<Expr> & n,const std::string & script)37 static void ExprDump(int depth, const std::unique_ptr<Expr>& n, const std::string& script) {
38     printf("%*s", depth*2, "");
39     printf("%s %p (%d-%d) \"%s\"\n",
40            n->name.c_str(), n->fn, n->start, n->end,
41            script.substr(n->start, n->end - n->start).c_str());
42     for (size_t i = 0; i < n->argv.size(); ++i) {
43         ExprDump(depth+1, n->argv[i], script);
44     }
45 }
46 
main(int argc,char ** argv)47 int main(int argc, char** argv) {
48     RegisterBuiltins();
49 
50     if (argc != 2) {
51         printf("Usage: %s <edify script>\n", argv[0]);
52         return 1;
53     }
54 
55     std::string buffer;
56     if (!android::base::ReadFileToString(argv[1], &buffer)) {
57         printf("%s: failed to read %s: %s\n", argv[0], argv[1], strerror(errno));
58         return 1;
59     }
60 
61     std::unique_ptr<Expr> root;
62     int error_count = 0;
63     int error = parse_string(buffer.data(), &root, &error_count);
64     printf("parse returned %d; %d errors encountered\n", error, error_count);
65     if (error == 0 || error_count > 0) {
66 
67         ExprDump(0, root, buffer);
68 
69         State state(buffer, nullptr);
70         std::string result;
71         if (!Evaluate(&state, root, &result)) {
72             printf("result was NULL, message is: %s\n",
73                    (state.errmsg.empty() ? "(NULL)" : state.errmsg.c_str()));
74         } else {
75             printf("result is [%s]\n", result.c_str());
76         }
77     }
78     return 0;
79 }
80