DUMP Minik client by Expensive 2.0 Dump

Начинающий
Статус
Оффлайн
Регистрация
16 Фев 2024
Сообщения
84
Реакции[?]
0
Поинты[?]
1K

Перед прочтением основного контента ниже, пожалуйста, обратите внимание на обновление внутри секции Майна на нашем форуме. У нас появились:

  • бесплатные читы для Майнкрафт — любое использование на свой страх и риск;
  • маркетплейс Майнкрафт — абсолютно любая коммерция, связанная с игрой, за исключением продажи читов (аккаунты, предоставления услуг, поиск кодеров читов и так далее);
  • приватные читы для Minecraft — в этом разделе только платные хаки для игры, покупайте группу "Продавец" и выставляйте на продажу свой софт;
  • обсуждения и гайды — всё тот же раздел с вопросами, но теперь модернизированный: поиск нужных хаков, пати с игроками-читерами и другая полезная информация.

Спасибо!

Ихний ютубер что-то там залупался :roflanBuldiga:
Я не знаю кому она нужна ну вот держите
Dw-
Пожалуйста, авторизуйтесь для просмотра ссылки.

ss-
image.png
video-
 
Read Only
Статус
Оффлайн
Регистрация
31 Авг 2023
Сообщения
699
Реакции[?]
6
Поинты[?]
5K
Обратите внимание, пользователь заблокирован на форуме. Не рекомендуется проводить сделки.
Начинающий
Статус
Оффлайн
Регистрация
29 Апр 2023
Сообщения
727
Реакции[?]
4
Поинты[?]
5K
Начинающий
Статус
Оффлайн
Регистрация
4 Июл 2021
Сообщения
189
Реакции[?]
1
Поинты[?]
2K
Это я лох что не чо не запускается или чото там не так я не понимаю
вота
/*
* This file is part of Baritone.
*
  • Baritone is free software: you can redistribute it and/or modify
  • it under the terms of the GNU Lesser General Public License as published by
  • the Free Software Foundation, either version 3 of the License, or
  • (at your option) any later version.
*
  • Baritone is distributed in the hope that it will be useful,
  • but WITHOUT ANY WARRANTY; without even the implied warranty of
  • MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  • GNU Lesser General Public License for more details.
*
  • You should have received a copy of the GNU Lesser General Public License
  • along with Baritone. If not, see <
    Пожалуйста, авторизуйтесь для просмотра ссылки.
    >.
*/

package baritone.api.command.helpers;

import baritone.api.BaritoneAPI;
import baritone.api.Settings;
import baritone.api.command.argument.IArgConsumer;
import baritone.api.command.manager.ICommandManager;
import baritone.api.event.events.TabCompleteEvent;
import baritone.api.utils.SettingsUtil;
import net.minecraft.util.ResourceLocation;

import java.util.Comparator;
import java.util.List;
import java.util.Locale;
import java.util.function.Function;
import java.util.function.Predicate;
import java.util.stream.Stream;

/**
  • The {@link TabCompleteHelper} is a <b>single-use</b> object that helps you handle tab completion. It includes helper
  • methods for appending and prepending streams, sorting, filtering by prefix, and so on.
  • <p>
  • The recommended way to use this class is:
  • <ul>
  • <li>Create a new instance with the empty constructor</li>
  • <li>Use {@code append}, {@code prepend} or {@code add<something>} methods to add completions</li>
  • <li>Sort using {@link #sort(Comparator)} or {@link #sortAlphabetically()} and then filter by prefix using
  • {@link #filterPrefix(String)}</li>
  • <li>Get the stream using {@link #stream()}</li>
  • <li>Pass it up to whatever's calling your tab complete function (i.e.
  • {@link ICommandManager#tabComplete(String)} or {@link IArgConsumer}#tabCompleteDatatype(IDatatype)})</li>
  • </ul>
  • <p>
  • For advanced users: if you're intercepting {@link TabCompleteEvent}s directly, use {@link #build()} instead for an
  • array.
*/
public class TabCompleteHelper {

private Stream<String> stream;

public TabCompleteHelper(String[] base) {
stream = Stream.of(base);
}

public TabCompleteHelper(List<String> base) {
stream = base.stream();
}

public TabCompleteHelper() {
stream = Stream.empty();
}

/**
* Appends the specified stream to this {@link TabCompleteHelper} and returns it for chaining
*
  • param source The stream to append
  • ReturN This {@link TabCompleteHelper} after having appended the stream
  • see #append(String...)
  • see #append(Class)
*/
public TabCompleteHelper append(Stream<String> source) {
stream = Stream.concat(stream, source);
return this;
}

/**
* Appends the specified strings to this {@link TabCompleteHelper} and returns it for chaining
*
  • param source The stream to append
  • ReturN This {@link TabCompleteHelper} after having appended the strings
  • see #append(Stream)
  • see #append(Class)
*/
public TabCompleteHelper append(String... source) {
return append(Stream.of(source));
}

/**
* Appends all values of the specified enum to this {@link TabCompleteHelper} and returns it for chaining
*
  • param num The enum to append the values of
  • ReturN This {@link TabCompleteHelper} after having appended the values
  • see #append(Stream)
  • see #append(String...)
*/
public TabCompleteHelper append(Class<? extends Enum<?>> num) {
return append(
Stream.of(num.getEnumConstants())
.map(Enum::name)
.map(String::toLowerCase)
);
}

/**
* Prepends the specified stream to this {@link TabCompleteHelper} and returns it for chaining
*
  • param source The stream to prepend
  • ReturN This {@link TabCompleteHelper} after having prepended the stream
  • see #prepend(String...)
  • see #prepend(Class)
*/
public TabCompleteHelper prepend(Stream<String> source) {
stream = Stream.concat(source, stream);
return this;
}

/**
* Prepends the specified strings to this {@link TabCompleteHelper} and returns it for chaining
*
  • param source The stream to prepend
  • ReturN This {@link TabCompleteHelper} after having prepended the strings
  • see #prepend(Stream)
  • see #prepend(Class)
*/
public TabCompleteHelper prepend(String... source) {
return prepend(Stream.of(source));
}

/**
* Prepends all values of the specified enum to this {@link TabCompleteHelper} and returns it for chaining
*
  • param num The enum to prepend the values of
  • ReturN This {@link TabCompleteHelper} after having prepended the values
  • see #prepend(Stream)
  • see #prepend(String...)
*/
public TabCompleteHelper prepend(Class<? extends Enum<?>> num) {
return prepend(
Stream.of(num.getEnumConstants())
.map(Enum::name)
.map(String::toLowerCase)
);
}

/**
  • Apply the specified {@code transform} to every element <b>currently</b> in this {@link TabCompleteHelper} and
  • return this object for chaining
*
  • param transform The transform to apply
  • ReturN This {@link TabCompleteHelper}
*/
public TabCompleteHelper map(Function<String, String> transform) {
stream = stream.map(transform);
return this;
}

/**
  • Apply the specified {@code filter} to every element <b>currently</b> in this {@link TabCompleteHelper} and return
  • this object for chaining
*
  • param filter The filter to apply
  • ReturN This {@link TabCompleteHelper}
*/
public TabCompleteHelper filter(Predicate<String> filter) {
stream = stream.filter(filter);
return this;
}

/**
  • Apply the specified {@code sort} to every element <b>currently</b> in this {@link TabCompleteHelper} and return
  • this object for chaining
*
  • param comparator The comparator to use
  • ReturN This {@link TabCompleteHelper}
*/
public TabCompleteHelper sort(Comparator<String> comparator) {
stream = stream.sorted(comparator);
return this;
}

/**
  • Sort every element <b>currently</b> in this {@link TabCompleteHelper} alphabetically and return this object for
  • chaining
*
* ReturN This {@link TabCompleteHelper}
*/
public TabCompleteHelper sortAlphabetically() {
return sort(String.CASE_INSENSITIVE_ORDER);
}

/**
* Filter out any element that doesn't start with {@code prefix} and return this object for chaining
*
  • param prefix The prefix to filter for
  • ReturN This {@link TabCompleteHelper}
*/
public TabCompleteHelper filterPrefix(String prefix) {
return filter(x -> x.toLowerCase(Locale.US).startsWith(prefix.toLowerCase(Locale.US)));
}

/**
  • Filter out any element that doesn't start with {@code prefix} and return this object for chaining
  • <p>
  • Assumes every element in this {@link TabCompleteHelper} is a {@link ResourceLocation}
*
  • param prefix The prefix to filter for
  • ReturN This {@link TabCompleteHelper}
*/
public TabCompleteHelper filterPrefixNamespaced(String prefix) {
return filterPrefix(new ResourceLocation(prefix).toString());
}

/**
  • ReturN An array containing every element in this {@link TabCompleteHelper}
  • see #stream()
*/
public String[] build() {
return stream.toArray(String[]::new);
}

/**
  • ReturN A stream containing every element in this {@link TabCompleteHelper}
  • see #build()
*/
public Stream<String> stream() {
return stream;
}

/**
* Appends every command in the specified {@link ICommandManager} to this {@link TabCompleteHelper}
*
  • param manager A command manager
  • ReturN This {@link TabCompleteHelper}
*/
public TabCompleteHelper addCommands(ICommandManager manager) {
return append(manager.getRegistry().descendingStream()
.flatMap(command -> command.getNames().stream())
.distinct()
);
}

/**
* Appends every setting in the {@link Settings} to this {@link TabCompleteHelper}
*
* ReturN This {@link TabCompleteHelper}
*/
public TabCompleteHelper addSettings() {
return append(
BaritoneAPI.getSettings().allSettings.stream()
.filter(s -> !SettingsUtil.javaOnlySetting(s))
.map(Settings.Setting::getName)
.sorted(String.CASE_INSENSITIVE_ORDER)
);
}

/**
* Appends every modified setting in the {@link Settings} to this {@link TabCompleteHelper}
*
* ReturN This {@link TabCompleteHelper}
*/
public TabCompleteHelper addModifiedSettings() {
return append(
SettingsUtil.modifiedSettings(BaritoneAPI.getSettings()).stream()
.map(Settings.Setting::getName)
.sorted(String.CASE_INSENSITIVE_ORDER)
);
}

/**
* Appends every {@link Boolean} setting in the {@link Settings} to this {@link TabCompleteHelper}
*
* ReturN This {@link TabCompleteHelper}
*/
public TabCompleteHelper addToggleableSettings() {
return append(
BaritoneAPI.getSettings().getAllValuesByType(Boolean.class).stream()
.map(Settings.Setting::getName)
.sorted(String.CASE_INSENSITIVE_ORDER)
);
}
}


это вставь
 
Начинающий
Статус
Оффлайн
Регистрация
30 Окт 2022
Сообщения
358
Реакции[?]
7
Поинты[?]
5K
Ура мою пасту залили на югейм, празднуем
короче не хочу к тебе агрессию проявлять но сука ты даже не удалил nikita gay :roflanEbalo:
с
мой спаситель
щас сталю
попе
слышал что такое дамп? или там по рофлу в теме написали дамп а не блокнот реди :roflanEbalo:
 
Начинающий
Статус
Оффлайн
Регистрация
4 Июл 2021
Сообщения
189
Реакции[?]
1
Поинты[?]
2K
короче не хочу к тебе агрессию проявлять но сука ты даже не удалил nikita gay :roflanEbalo:
с

слышал что такое дамп? или там по рофлу в теме написали дамп а не блокнот реди :roflanEbalo:
мне было лень удалять, я просто спатсил и все. Мне хотелось сделать свой софтик
 
Начинающий
Статус
Оффлайн
Регистрация
16 Фев 2024
Сообщения
84
Реакции[?]
0
Поинты[?]
1K
короче не хочу к тебе агрессию проявлять но сука ты даже не удалил nikita gay :roflanEbalo:
с

слышал что такое дамп? или там по рофлу в теме написали дамп а не блокнот реди :roflanEbalo:
Да они дурачки
Ты своими глазками почитай ещё раз
 
Сверху Снизу