我正在尝试为游戏编写内存作弊但我想创建一个菜单,所以我决定制作它。现在我希望我的程序打开表单并同时做作弊。因为现在作弊正在做或者作弊不起作用并且表格正在打开。 我在C#中很新,所以如果我是菜鸟对不起......:P
谢谢, IzzyMichiel
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Threading;
using System.Text;
using System.Threading.Tasks;
using System.Windows.Forms;
namespace ac_client_cheat
{
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
Main();
}
public static int Pbase = 0x00509B74;
public static int Health = 0xf8;
public static int mgammo = 0x150;
public static int fly = 0x44;
public void Main()
{
VAMemory vam = new VAMemory("ac_client");
int localplayer = vam.ReadInt32((IntPtr)Pbase);
{
while (true)
{
int address = localplayer + fly;
float aimlock = vam.ReadFloat((IntPtr)address);
vam.WriteFloat((IntPtr)address, -5);
address = localplayer + Health;
vam.WriteInt32((IntPtr)address, 1337);
address = localplayer + mgammo;
vam.WriteInt32((IntPtr)address, +1337);
}
}
}
}
}
答案 0 :(得分:0)
Windows窗体应用程序从单线程开始,因此您不能一次完成两件事。
处理此问题的典型方法是启动工作线程,例如使用Task.Run
。
但是,由于您的应用程序非常简单,我们可以使用 而是Application.DoEvents。
当您致电DoEvents
时,您的主题将检查表单的消息循环并处理任何待处理事件,例如菜单点击或whathaveyou。如果没有待处理的事件,它将让你的主循环恢复。这个方案让你可以在同一个线程上运行表单和循环。
while (true)
{
int address = localplayer + fly;
float aimlock = vam.ReadFloat((IntPtr)address);
vam.WriteFloat((IntPtr)address, -5);
address = localplayer + Health;
vam.WriteInt32((IntPtr)address, 1337);
address = localplayer + mgammo;
vam.WriteInt32((IntPtr)address, +1337);
Application.DoEvents(); //Yield control to the message loop
}
另外,请确保使用Application.Run
启动消息循环。有关详细信息,请参阅this answer。这是一种方法:
static class Program
{
/// <summary>
/// The main entry point for the application.
/// </summary>
[STAThread]
static void Main()
{
Application.EnableVisualStyles();
Application.SetCompatibleTextRenderingDefault(false);
Application.Run(new Form1());
}
}
答案 1 :(得分:0)
代码的问题在于构造函数永远不会退出,因此永远不会显示表单。
从构造函数中删除对Main
的调用,并将其放在Timer事件处理程序中。由于计时器将为您处理重复,您也可以删除while
循环。
答案 2 :(得分:0)
您可以显示表单并同时运行作弊循环:
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
}
public static int Pbase = 0x00509B74;
public static int Health = 0xf8;
public static int mgammo = 0x150;
public static int fly = 0x44;
/// <summary>The main entry point for the application.</summary>
static void Main(string[] args)
{
Application.EnableVisualStyles();
Application.SetCompatibleTextRenderingDefault(false);
var f = new Form1();
f.Show();
VAMemory vam = new VAMemory("ac_client");
int localplayer = vam.ReadInt32((IntPtr)Pbase);
while (f.Visible) //loop while form is not closed
{
int address = localplayer + fly;
float aimlock = vam.ReadFloat((IntPtr)address);
vam.WriteFloat((IntPtr)address, -5);
address = localplayer + Health;
vam.WriteInt32((IntPtr)address, 1337);
address = localplayer + mgammo;
vam.WriteInt32((IntPtr)address, +1337);
Application.DoEvents(); //Yield control to the message loop
}
}
private void Form1_Load(object sender, EventArgs e)
{
//...
}
}