mirror of
https://github.com/shadow1ng/fscan.git
synced 2026-02-09 02:09:17 +08:00
## 架构重构
- 全局变量消除,迁移至 Config/State 对象
- SMB 插件融合(smb/smb2/smbghost/smbinfo)
- 服务探测重构,实现 Nmap 风格 fallback 机制
- 输出系统重构,TXT 实时刷盘 + 双写机制
- i18n 框架升级至 go-i18n
## 性能优化
- 正则表达式预编译
- 内存优化 map[string]struct{}
- 并发指纹匹配
- SOCKS5 连接复用
- 滑动窗口调度 + 自适应线程池
## 新功能
- Web 管理界面
- 多格式 POC 适配(xray/afrog)
- 增强指纹库(3139条)
- Favicon hash 指纹识别
- 插件选择性编译(Build Tags)
- fscan-lab 靶场环境
- 默认端口扩展(62→133)
## 构建系统
- 添加 no_local tag 支持排除本地插件
- 多版本构建:fscan/fscan-nolocal/fscan-web
- CI 添加 snapshot 模式支持仅测试构建
## Bug 修复
- 修复 120+ 个问题,包括 RDP panic、批量扫描漏报、
JSON 输出格式、Redis 检测、Context 超时等
## 测试增强
- 单元测试覆盖率 74-100%
- 并发安全测试
- 集成测试(Web/端口/服务/SSH/ICMP)
89 lines
1.9 KiB
Go
89 lines
1.9 KiB
Go
package common
|
||
|
||
/*
|
||
output_api.go - 输出系统简化接口
|
||
|
||
提供扫描结果输出的统一API,底层使用output包实现。
|
||
*/
|
||
|
||
import (
|
||
"fmt"
|
||
|
||
"github.com/shadow1ng/fscan/common/output"
|
||
)
|
||
|
||
// ResultOutput 全局输出管理器
|
||
var ResultOutput *output.Manager
|
||
|
||
// InitOutput 初始化输出系统
|
||
func InitOutput() error {
|
||
fv := GetFlagVars()
|
||
|
||
// 用户通过-no flag禁用保存时,跳过文件初始化避免不必要的资源开销
|
||
if fv.DisableSave {
|
||
return nil
|
||
}
|
||
|
||
outputFile := fv.Outputfile
|
||
outputFormat := fv.OutputFormat
|
||
|
||
if outputFile == "" {
|
||
return fmt.Errorf("output file not specified")
|
||
}
|
||
|
||
var format output.Format
|
||
switch outputFormat {
|
||
case "txt":
|
||
format = output.FormatTXT
|
||
case "json":
|
||
format = output.FormatJSON
|
||
case "csv":
|
||
format = output.FormatCSV
|
||
default:
|
||
return fmt.Errorf("invalid output format: %s", outputFormat)
|
||
}
|
||
|
||
// 如果使用默认文件名但格式不是txt,自动修正扩展名
|
||
if outputFile == "result.txt" && outputFormat != "txt" {
|
||
outputFile = "result." + outputFormat
|
||
}
|
||
|
||
config := output.DefaultManagerConfig(outputFile, format)
|
||
manager, err := output.NewManager(config)
|
||
if err != nil {
|
||
return err
|
||
}
|
||
ResultOutput = manager
|
||
return nil
|
||
}
|
||
|
||
// CloseOutput 关闭输出系统
|
||
func CloseOutput() error {
|
||
if ResultOutput == nil {
|
||
return nil
|
||
}
|
||
return ResultOutput.Close()
|
||
}
|
||
|
||
// SaveResult 保存扫描结果
|
||
func SaveResult(result *output.ScanResult) error {
|
||
if result == nil {
|
||
return nil
|
||
}
|
||
|
||
// 通知Web(无论是否保存文件)
|
||
NotifyResult(map[string]interface{}{
|
||
"type": string(result.Type),
|
||
"target": result.Target,
|
||
"status": result.Status,
|
||
"time": result.Time,
|
||
"details": result.Details,
|
||
})
|
||
|
||
// 用户禁用保存或输出未初始化时,跳过文件保存
|
||
if GetFlagVars().DisableSave || ResultOutput == nil {
|
||
return nil
|
||
}
|
||
return ResultOutput.SaveResult(result)
|
||
}
|