0%

原理

攻击者向局域网特定网络设备持续的发送ARP欺骗数据包,对该网络设备进行网关欺骗,使其认为网关为攻击者设备,如果攻击者不对被攻击者的网络请求进行处理的话,会造成被攻击者断网。

代码

inet为一个列表,存储发起ARP攻击要使用的网卡,分别存储网卡名称和网卡MAC地址,net为当前选中网卡序号。
host为一个备注字典表,键,值分别对应MAC地址和备注。

阅读全文 »

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
#include <glad/glad.h>
#include <GLFW/glfw3.h>

#include <iostream>

void framebuffer_size_callback(GLFWwindow* window, int width, int height);
void processInput(GLFWwindow* window);

// 设置
const unsigned int SCR_WIDTH = 800;
const unsigned int SCR_HEIGHT = 600;

const char* vertexShaderSource = "#version 460 core\n"
"layout (location = 0) in vec3 aPos;\n"
"void main()\n"
"{\n"
" gl_Position = vec4(aPos.x, aPos.y, aPos.z, 1.0);\n"
"}\0";
const char* fragmentShaderSource = "#version 460 core\n"
"out vec4 FragColor;\n"
"void main()\n"
"{\n"
" FragColor = vec4(1.0f, 0.5f, 0.2f, 1.0f);\n"
"}\n\0";

int main()
{
// glfw: 初始化和配置
// ------------------------------
glfwInit();
glfwWindowHint(GLFW_CONTEXT_VERSION_MAJOR, 4);
glfwWindowHint(GLFW_CONTEXT_VERSION_MINOR, 6);
glfwWindowHint(GLFW_OPENGL_PROFILE, GLFW_OPENGL_CORE_PROFILE);


// glfw: Mac OS X 系统需配置以下代码
// ------------------------------
#ifdef __APPLE__
glfwWindowHint(GLFW_OPENGL_FORWARD_COMPAT, GL_TRUE);
#endif

// glfw 窗口创建
// --------------------
GLFWwindow* window = glfwCreateWindow(SCR_WIDTH, SCR_HEIGHT, "LearnOpenGL", NULL, NULL);
if (window == NULL)
{
std::cout << "Failed to create GLFW window" << std::endl;
glfwTerminate();
return -1;
}
glfwMakeContextCurrent(window);
glfwSetFramebufferSizeCallback(window, framebuffer_size_callback);

// glad: 初始化Glad,加载所有OpenGL函数指针
// ---------------------------------------
if (!gladLoadGLLoader((GLADloadproc)glfwGetProcAddress))
{
std::cout << "Failed to initialize GLAD" << std::endl;
return -1;
}


// 构建着色器
// ------------------------------------
// 顶点着色器
int vertexShader = glCreateShader(GL_VERTEX_SHADER);
glShaderSource(vertexShader, 1, &vertexShaderSource, NULL);
glCompileShader(vertexShader);
// 检查着色器编译错误
int success;
char infoLog[512];
glGetShaderiv(vertexShader, GL_COMPILE_STATUS, &success);
if (!success)
{
glGetShaderInfoLog(vertexShader, 512, NULL, infoLog);
std::cout << "ERROR::SHADER::VERTEX::COMPILATION_FAILED\n" << infoLog << std::endl;
}
// 片段着色器
int fragmentShader = glCreateShader(GL_FRAGMENT_SHADER);
glShaderSource(fragmentShader, 1, &fragmentShaderSource, NULL);
glCompileShader(fragmentShader);
// 检查片段着色器编译错误
glGetShaderiv(fragmentShader, GL_COMPILE_STATUS, &success);
if (!success)
{
glGetShaderInfoLog(fragmentShader, 512, NULL, infoLog);
std::cout << "ERROR::SHADER::FRAGMENT::COMPILATION_FAILED\n" << infoLog << std::endl;
}
// 连接着色器
int shaderProgram = glCreateProgram();
glAttachShader(shaderProgram, vertexShader);
glAttachShader(shaderProgram, fragmentShader);
glLinkProgram(shaderProgram);
// 检查连接错误
glGetProgramiv(shaderProgram, GL_LINK_STATUS, &success);
if (!success) {
glGetProgramInfoLog(shaderProgram, 512, NULL, infoLog);
std::cout << "ERROR::SHADER::PROGRAM::LINKING_FAILED\n" << infoLog << std::endl;
}
glDeleteShader(vertexShader);
glDeleteShader(fragmentShader);

// 设置顶点数据(和缓冲区)并配置顶点属性。
// ------------------------------------------------------------------
float vertices[] = {
0.5f, 0.5f, 0.0f, // 右上角
0.5f, -0.5f, 0.0f, // 右下角
-0.5f, -0.5f, 0.0f, // 左下角
-0.5f, 0.5f, 0.0f // 左上角
};

unsigned int indices[] = { // 注意索引从0开始!
0, 1, 3, // 第一个三角形
1, 2, 3 // 第二个三角形
};

unsigned int VAO, VBO, EBO;
glGenVertexArrays(1, &VAO);
glGenBuffers(1, &VBO);
glGenBuffers(1, &EBO);
// 首先绑定顶点数组对象(VAO),然后绑定并设置顶点缓冲区,然后配置顶点属性。
glBindVertexArray(VAO);

glBindBuffer(GL_ARRAY_BUFFER, VBO);
glBufferData(GL_ARRAY_BUFFER, sizeof(vertices), vertices, GL_STATIC_DRAW);

glBindBuffer(GL_ELEMENT_ARRAY_BUFFER, EBO);
glBufferData(GL_ELEMENT_ARRAY_BUFFER, sizeof(vertices), indices, GL_STATIC_DRAW);

glVertexAttribPointer(0, 3, GL_FLOAT, GL_FALSE, 3 * sizeof(float), (void*)0);
glEnableVertexAttribArray(0);

// 请注意,对glVertexAttribPointer的调用将VBO注册为顶点属性的绑定顶点缓冲区对象是允许的。
// 因此之后我们可以安全地解除绑定。
glBindBuffer(GL_ARRAY_BUFFER, 0);

// 之后可以取消绑定VAO,这样其他VAO调用就不会意外修改此VAO,但这很少发生。
// 无论如何,修改其他VAO都需要调用glBindVertexArray,因此通常在不直接需要时,我们不会取消绑定VAO(或VBO)。
glBindVertexArray(0);

// 取消注释此调用以绘制线框多边形。
//glPolygonMode(GL_FRONT_AND_BACK, GL_LINE);

// 渲染循环中
// -----------
while (!glfwWindowShouldClose(window))
{
// 输入
// -----
processInput(window);

// 渲染
// ------
glClearColor(0.2f, 0.3f, 0.3f, 1.0f);
glClear(GL_COLOR_BUFFER_BIT);

// 画图
glUseProgram(shaderProgram);
// 因为只有一个VAO,因此不必每次都绑定它,但是我们这样做是为了使事情更有条理。
glBindVertexArray(VAO);
glDrawElements(GL_TRIANGLES, 6, GL_UNSIGNED_INT,0);
// glBindVertexArray(0); // 无需每次都解除绑定。

// glfw: 交换缓冲区,轮询IO事件(按下/释放,鼠标移动)。
// -------------------------------------------------------------------------------
glfwSwapBuffers(window);
glfwPollEvents();
}

// 可选: 一旦超出其目标,则取消分配所有资源。
// ------------------------------------------------------------------------
glDeleteVertexArrays(1, &VAO);
glDeleteBuffers(1, &VBO);
glDeleteBuffers(1, &EBO);
glDeleteProgram(shaderProgram);

// glfw: 终止并清除所有先前分配的GLFW资源。
// ------------------------------------------------------------------
glfwTerminate();
return 0;
}

// 处理所有输: 查询GLFW是否在此框架中 按下/释放 了相关按键并作出相应反应。
// ---------------------------------------------------------------------------------------------------------
void processInput(GLFWwindow* window)
{
// 当按下Esc时,窗口关闭。
if (glfwGetKey(window, GLFW_KEY_ESCAPE) == GLFW_PRESS)
glfwSetWindowShouldClose(window, true);
}

// glfw: 当改变窗口大小时,该回调函数被执行。
// ---------------------------------------------------------------------------------------------
void framebuffer_size_callback(GLFWwindow* window, int width, int height)
{
// 确保视口与新窗口维度相匹配,注意宽高将明显大于视网膜显示屏的宽高。
glViewport(0, 0, width, height);
}

介绍

N2N是一款开源的P2P软件,可以用来构建虚拟局域网,也就是说,每个N2N虚拟网络內的用户都可以通过N2N网络访问其他用户主机,即相互ping通。

架构

Supernode 超级节点:它在Edge节点间建立握手,或为Edge节点中转数据。能够直通的节点间通讯是P2P的,则由超级节点注册网络路径,超级节点一旦帮助双方完成首次握手,剩余的数据流就会在两个Edge节点间传送,而无需超级节点介入。如果有一方Edge节点的NAT属于对称型(symmetrical),超级节点还需继续为双方提供数据转发服务。
Edge 节点:用户主机上用以与建立N2N网络的软件。几乎每个Edge节点都需建立一个tun/tap虚拟网卡设备,作为接入N2N网络的入口。

阅读全文 »

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
import os
import time
from datetime import datetime
from win32file import CreateFile, SetFileTime, GetFileTime, CloseHandle
from win32file import GENERIC_READ, GENERIC_WRITE, OPEN_EXISTING
from pywintypes import Time #忽略此处报错,不影响运行


def modifyFileTime(filePath, createTime, modifyTime, accessTime, offset):
"""
用来修改任意文件的相关时间属性,时间格式:YYYY-MM-DD HH:MM:SS 例如:2019-02-02 00:01:02
:param filePath: 文件路径名
:param createTime: 创建时间
:param modifyTime: 修改时间
:param accessTime: 访问时间
:param offset: 时间偏移的秒数,tuple格式,顺序和参数时间对应
"""
format = "%Y-%m-%d %H:%M:%S" # 时间格式
cTime_t = timeOffsetAndStruct(createTime, format, offset[0])
mTime_t = timeOffsetAndStruct(modifyTime, format, offset[1])
aTime_t = timeOffsetAndStruct(accessTime, format, offset[2])

fh = CreateFile(filePath, GENERIC_READ | GENERIC_WRITE, 0, None, OPEN_EXISTING, 0, 0)
createTimes, accessTimes, modifyTimes = GetFileTime(fh)

createTimes = Time(time.mktime(cTime_t))
accessTimes = Time(time.mktime(aTime_t))
modifyTimes = Time(time.mktime(mTime_t))
SetFileTime(fh, createTimes, accessTimes, modifyTimes)
CloseHandle(fh)


def timeOffsetAndStruct(times, format, offset):
return time.localtime(time.mktime(time.strptime(times, format)) + offset)


offset = (0, 1, 2)
for root, dirs, files in os.walk('F:\\Blog\\source\\_posts'):
for file in files:
filepath = root + '\\' + file
"""
用来获取任意文件的相关时间属性
"""
ctime = str(datetime.fromtimestamp(os.path.getctime(filepath)))[:19]
mtime = str(datetime.fromtimestamp(os.path.getmtime(filepath)))[:19]
atime = str(datetime.fromtimestamp(os.path.getatime(filepath)))[:19]

modifyFileTime(filepath, ctime, mtime, atime, offset)

C++编写的Clocl GUI

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
#include <graphics.h>
#include <cstdio>
#include <math.h>
#include <time.h>
int posx = 240, posy = 240, R = 170;
char str[24];
int point(int r, int rad, bool xy)//获取偏移点坐标
{
double x = posx, y = posy;
if (xy)return (int)(y - r * cos(rad* PI / 180));
return (int)(x + r * sin(rad* PI / 180));
}
void loop()//更新
{
setbkcolor(EGERGB(30, 30, 30));
setlinewidth(3); setcolor(EGERGB(64, 0, 128));
circle(posx, posy, R + 16); circle(posx, posy, R + 14); circle(posx, posy, R + 12); circle(posx, posy, R + 10);
setlinewidth(1); setcolor(EGERGB(128, 128, 128));
for (int i = 0; i < 60; i++)//刻度
{
if (i % 5)line(point(R + 2, i * 6, 0), point(R + 2, i * 6, 1), point(R + 9, i * 6, 0), point(R + 9, i * 6, 1));
else line(point(R - 4, i * 6, 0), point(R - 4, i * 6, 1), point(R + 9, i * 6, 0), point(R + 9, i * 6, 1));
}
setcolor(EGERGB(0xFF, 0xFF, 0xFF)); setfont(18, 0, "宋体");
for (int i = 1; i <= 12; i++)//读数
{
sprintf(str, "%d", i);
outtextrect(point(R - 8, i * 30, 0) - 5, point(R - 8, i * 30, 1) - 5, point(R - 8, i * 30, 0) + 5, point(R - 8, i * 30, 1) + 5, str);
}
time_t t_now; time(&t_now); tm* t = localtime(&t_now);//获取系统时间
sprintf(str, "%04d/%02d/%02d %02d:%02d:%02d", t->tm_year + 1900, t->tm_mon + 1, t->tm_mday, t->tm_hour, t->tm_min, t->tm_sec);
setlinewidth(8); setcolor(BLUE);
line(posx, posy, point(R - 80, t->tm_hour % 12 * 30, 0), point(R - 80, t->tm_hour % 12 * 30 + t->tm_min / 12, 1));//时针
setlinewidth(4); setcolor(RED);
line(posx, posy, point(R - 40, t->tm_min * 6, 0), point(R - 40, t->tm_min * 6, 1));//分针
setlinewidth(2); setcolor(YELLOW);
line(posx, posy, point(R - 10, t->tm_sec * 6, 0), point(R - 10, t->tm_sec * 6, 1));//秒针
setfillcolor(YELLOW); fillellipse(posx, posy, 5, 5);
setcolor(GREEN); setfont(30, 0, "宋体"); outtextxy(95, 500, str);//数字时钟
}
int main()
{
initgraph(480, 640);//初始化画布
for (; !kbhit(); delay_fps(60))
{
cleardevice();//清除画布
loop();//更新
}
closegraph();//关闭画布
return 0;
}