-
Notifications
You must be signed in to change notification settings - Fork 0
/
ResaltadorSintaxis.go
372 lines (333 loc) · 12.6 KB
/
ResaltadorSintaxis.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
//Actividad 5.2 Programación Concurrente
//Andrés Alejandro Ramírez Fernández A00831316
//José Carlos de la Torre Hernández A01235953
//Julian Lawrence Gil Soares A00832272
/*Reflexión:
4. Tiempo
Los resultados que obtuvimos al calcular el tiempo fueron interesantes, sacamos el promedio de 10
ejecucciones y encontramos que en promedio la funcion que corre de manera concurrente tarda 83.5 ms.
Algo interesante que observamos en nuestro codigo es que en maquinas con menos cores la funcion concurrente
puede llegar a tardar mas en ejecutar que la funcion sequencial esto se debe a que
si el numero de threads que lanza el programa excede el numero de cores de la computadora
en realidad no se corre de manera concurrente, secciona una core(o las que sean necesarias) y lo corre secuencial.
5. Complejidad
La complejidad del programa es O(n), si tomamons el archivo como n. Cada vez que corre la funcion,
lexer, solo se recorre con un for de manera sequencial. Cuando se corre de manera concurrente, la complejidad es O(n)/num de threads.
Implicación éticas:
El resaltador de sintaxis tiene un implicacion etica neutral. Ya que lo unico que hace es facilitar la codificacion de un progrma,
los programas que ayudara a que crear pueden ser tanto buenos como malos, pero eso no esta en el alcance de este. Depende de como se usa el codigo.
*/
package main
import (
"bufio"
"fmt"
"os"
"path/filepath"
"sync"
"log"
"time"
)
//Función para leer cada archivo presente en el directorio
func dentroFolder(files *[]string) filepath.WalkFunc {
return func(path string, info os.FileInfo, err error) error {
if err != nil {
log.Fatal(err)
}
*files = append(*files, path)
return nil
}
}
func main() {
in := os.Args[1] //Argumento que guarda los directorios de entrada
out := os.Args[2] //Argumento que guarda los directorios de salida
var archivo []string
r := filepath.Walk(in, dentroFolder(&archivo))
if r != nil {
panic(r)
}
cont := 1
//Sequential
start := time.Now()
for _, path := range archivo {
if path != in {
fmt.Println(path)
lexerS(path, out, cont)
cont++
}
}
duration := time.Since(start)
fmt.Println(duration, "Sequential")
wg := sync.WaitGroup{}
duration = 0
//Concurrent
start = time.Now()
for _, path := range archivo {
if path != in {
wg.Add(1)
fmt.Println(path)
go lexer(path, out, cont, &wg)
cont++
wg.Wait()
}
}
duration = time.Since(start)
fmt.Println(duration, "Concurrent")
}
//recibe un string que contiene la letra que se va a comparar
//dependiendo de que carácter recibe regresa un número que //representa uno de los índices necesarios para trasladarnos a lo //largo de la matriz
func filter(c string)(int){
if(c == "\n"){
return 10
}else if ( c == " " ){
return 3
}else if (c =="0" || c =="1" || c =="2" || c =="3" || c =="4" || c =="5" || c =="6" || c =="7" || c =="8" || c =="9"){
return 0
}else if (c >= "a" && c <= "z") || (c >= "A" && c <= "Z"){
return 1
}else if (c == "."){
return 2
}else if (c == "+" || c == "-" || c == "*" || c == "/" || c == "^" || c == "=" || c == "<" || c == ">" || c == "!"){
return 4
}else if (c == "[" || c == "]" || c == "," || c == "(" || c == ")" || c == "{" || c == "}"){
return 5
}else if (c == "_"){
return 6
}else if (c == "#"){
return 7
}else if (c == "\"" || c=="'"){
return 8
}else if(c == ":"){
return 9
}else if(c == "\t"){
return 11
}else{
return 12
}
}
//Funcion para el resaltado de forma concurrente
func lexer(filename string, out string, num_file int, wg *sync.WaitGroup){
numAr := fmt.Sprint(num_file)
conq := "CON"
out += "/output_" + numAr + conq + ".html"
f, _ := os.Open(filename) // Archivo de Entrada
fo, _ := os.Create(out) // Archivo de Salida
fo.WriteString("<pre> <!DOCTYPE html> <html><style>body{font-size: large;background-color: #202021; font-family: mono;color: white;}</style> <head> <meta charset=\"utf-8\"> <meta name=\"viewport\" content=\"width=device-width\"> </head> <body> <div color: #ffffff> José Carlos de la Torre Hernández A01235953</div> <div color: #ffffff>Julian Gil A00832272</div><div color: #ffffff>Andres Ramirez A00831316</div><div color: #ffffff >Actividad Integradora 5.3</div><pre>")
lineScanner := bufio.NewScanner(f) // Scanner para el Input
lineScanner.Split(bufio.ScanLines) // Scanea Lineas
//tokens
NUM := 100 //numbers
OPE := 101 //operators
SYM := 102 //symbols
VAR := 103 //variable
COM := 104 //coments
INQ := 105 //in quotes
COL := 106 //Colon
END := 107 //end of entry
NLN := 108 //new line
ERR := 200 //error
SPA := 110 //empty space
TAB := 111 //tab
// Num var . " " OPE ( _ # "" : \n Tab Empty
MT := [7][13] int{
{ 1, 2, SYM, SPA, OPE, SYM, SYM, 3, 4, COL, NLN, TAB, END}, // 0- Initial
{ 1, NUM, NUM, NUM, NUM, NUM, NUM, NUM, NUM, NUM, NUM, NUM, NUM}, // 1- Numero
{VAR, 2, VAR, VAR, VAR, VAR, VAR, VAR, VAR, VAR, VAR, VAR, VAR}, // 2- Variable
{ 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, COM, 3, 3}, // 3- Comment
{ 4, 4, 4, 4, 4, 4, 4, 4, 6, 4, 4, 4, 4}, // 4- Quote
{ERR, ERR, ERR, ERR, ERR, ERR, ERR, ERR, ERR, ERR, ERR, ERR, END}, // 5- ERROR
{INQ, INQ, INQ, INQ, INQ, INQ, INQ, INQ, INQ, INQ, INQ, INQ, INQ}, // 6- quote
}
state := 0
lex := ""
flag := true
lista := []string{}
cont:= 0
con := []int{}
Max := 0
// Inicio del Scanner con For, Scanea Runas del Documento
for lineScanner.Scan() {
// Convierte las Runas a String
line := lineScanner.Text()
// For que le caracter x caracter
for _, rune_l := range line {
letter := string(rune_l)
lista = append(lista, letter)
cont++
}
lista =append(lista, "\n")
con = append(con, cont)
Max += cont
cont = 0
}
for i:=0; i<len(lista); i++{
k := lista[i]
if state < 100{
state = (MT[state][filter(k)])
if state >= 100 && flag == true{
flag = false
}else{
flag = true
}
if flag == true{
if k != "\n" {
lex += k
}
}
}
if state >=100{
if state != 500{
if state == NUM {
fo.WriteString("<font color=\"D36A0\">"+lex+"</font>")
}else if state == OPE {
fo.WriteString("<font color=\"0098D6\">"+lex+"</font>")
} else if state == SYM {
fo.WriteString("<font color=\"7E455B\">" + lex + "</font>")
}else if state == VAR {
if lex == "import" || lex == "read" || lex == "try" || lex == "write" || lex == "for" || lex == "while" || lex == "switch" || lex == "case" || lex == "in" || lex == "" || lex == "and" || lex == "not" || lex == "or" || lex == "if" || lex == "elif" || lex == "else" || lex == "def" || lex == "print" || lex == "return" || lex == "this" || lex == "False" || lex == "True"|| lex == "class"|| lex == "except" || lex == "break" || lex == "append" || lex == "len" || lex == "range" || lex == "bool" || lex == "str" || lex == "int" || lex == "float" || lex == "except" || lex == "self" || lex == "global" || lex == "pow" || lex == "pass" || lex == "del"{
fo.WriteString("<font color=\"0DF2C2\">" + lex + "</font>")
} else {
fo.WriteString("<font color=\"FFFFFF\">" + lex + "</font>")
}
}else if state == COM {
fo.WriteString("<font color=\"BEC30A\">" + lex + "</font>")
}else if state == INQ {
fo.WriteString("<font color=\"04EC19\">" + lex + "</font>")
}else if state == COL {
fo.WriteString("<font color=\"#ffffff\">" + lex + "</font>")
}else if state == NLN {
fo.WriteString("<br>")
}else if state == SPA {
fo.WriteString(lex)
}else if state == TAB {
fo.WriteString("<t>")
}else if state == END {
fo.WriteString(lex)
}else if state == ERR {
fo.WriteString(lex)
}
state = 0
lex=""
}
if flag == false{
i--
}
}
}
fo.WriteString("</body></html>")
fo.Close()
wg.Done()
}
//Funcion para el resaltado de forma secuencial
func lexerS(filename string, out string, num_file int){
numAr := fmt.Sprint(num_file)
seq := "SEQ"
out += "/output_" + numAr + seq + ".html"
f, _ := os.Open(filename) // Archivo de Entrada
fo, _ := os.Create(out) // Archivo de Salida
fo.WriteString("<pre> <!DOCTYPE html> <html><style>body{font-size: large;background-color: #202021; font-family: mono;color: white;}</style> <head> <meta charset=\"utf-8\"> <meta name=\"viewport\" content=\"width=device-width\"> </head> <body> <div style = color: #ffffff> José Carlos de la Torre Hernández A01235953</div> <div color: #ffffff>Julian Gil A00832272</div><div color: #ffffff>Andres Ramirez A00831316</div><div color: #ffffff >Actividad Integradora 5.3</div><pre>")
lineScanner := bufio.NewScanner(f) // Scanner para el Input
lineScanner.Split(bufio.ScanLines) // Scanea Lineas
//tokens
NUM := 100 //numbers
OPE := 101 //operators
SYM := 102 //symbols
VAR := 103 //variable
COM := 104 //coments
INQ := 105 //in quotes
COL := 106 //Colon
END := 107 //end of entry
NLN := 108 //new line
ERR := 200 //error
SPA := 110 //empty space
TAB := 111 //tab
// Num var . " " OPE ( _ # "" : \n Tab Empty
MT := [7][13] int{
{ 1, 2, SYM, SPA, OPE, SYM, SYM, 3, 4, COL, NLN, TAB, END}, // 0- Initial
{ 1, NUM, NUM, NUM, NUM, NUM, NUM, NUM, NUM, NUM, NUM, NUM, NUM}, // 1- Numero
{VAR, 2, VAR, VAR, VAR, VAR, VAR, VAR, VAR, VAR, VAR, VAR, VAR}, // 2- Variable
{ 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, COM, 3, 3}, // 3- Comment
{ 4, 4, 4, 4, 4, 4, 4, 4, 6, 4, 4, 4, 4}, // 4- Quote
{ERR, ERR, ERR, ERR, ERR, ERR, ERR, ERR, ERR, ERR, ERR, ERR, END}, // 5- ERROR
{INQ, INQ, INQ, INQ, INQ, INQ, INQ, INQ, INQ, INQ, INQ, INQ, INQ}, // 6- quote
}
state := 0
lex := ""
flag := true
lista := []string{}
cont:= 0
con := []int{}
Max := 0
// Inicio del Scanner con For, Scanea Runas del Documento
for lineScanner.Scan() {
// Convierte las Runas a String
line := lineScanner.Text()
// For que le caracter x caracter
for _, rune_l := range line {
letter := string(rune_l)
lista = append(lista, letter)
cont++
}
lista =append(lista, "\n")
con = append(con, cont)
Max += cont
cont = 0
}
for i:=0; i< len(lista); i++{
k := lista[i]
//fmt.Println(k)
if state < 100{
state = (MT[state][filter(k)])
if state >= 100 && flag == true{
flag = false
}else{
flag = true
}
if flag == true{
if k != "\n" {
lex += k
}
}
}
//Si el estado es mayor a 100 entonces escribe a el HTML que creamos
if state >=100{
if state != 500{
if state == NUM {
fo.WriteString("<font color=\"D36A0\">"+lex+"</font>")
}else if state == OPE {
fo.WriteString("<font color=\"0098D6\">"+lex+"</font>")
} else if state == SYM {
fo.WriteString("<font color=\"7E455B\">" + lex + "</font>")
}else if state == VAR {
if lex == "import" || lex == "read" || lex == "try" || lex == "write" || lex == "for" || lex == "while" || lex == "switch" || lex == "case" || lex == "in" || lex == "" || lex == "and" || lex == "not" || lex == "or" || lex == "if" || lex == "elif" || lex == "else" || lex == "def" || lex == "print" || lex == "return" || lex == "this" || lex == "False" || lex == "True"|| lex == "class"|| lex == "except" || lex == "break" || lex == "append" || lex == "len" || lex == "range" || lex == "bool" || lex == "str" || lex == "int" || lex == "float" || lex == "except" || lex == "self" || lex == "global" || lex == "pow" || lex == "pass" || lex == "del"{
fo.WriteString("<font color=\"0DF2C2\">" + lex + "</font>")
} else {
fo.WriteString("<font color=\"FFFFFF\">" + lex + "</font>")
}
}else if state == COM {
fo.WriteString("<font color=\"BEC30A\">" + lex + "</font>")
}else if state == INQ {
fo.WriteString("<font color=\"04EC19\">" + lex + "</font>")
}else if state == COL {
fo.WriteString("<font color=\"#ffffff\">" + lex + "</font>")
}else if state == NLN {
fo.WriteString("<br>")
}else if state == SPA {
fo.WriteString(lex)
}else if state == TAB {
fo.WriteString("<t>")
}else if state == END {
fo.WriteString(lex)
}else if state == ERR {
fo.WriteString(lex)
}
state = 0
lex=""
}
if flag == false{
i--
}
}
}
fo.WriteString("</body></html>")
fo.Close()
}