Attempt initial release
This commit is contained in:
parent
0e3a0a873d
commit
8f2818d4d5
34 changed files with 2171 additions and 2 deletions
46
.github/workflows/build.yml
vendored
Normal file
46
.github/workflows/build.yml
vendored
Normal file
|
@ -0,0 +1,46 @@
|
||||||
|
name: build
|
||||||
|
|
||||||
|
on:
|
||||||
|
push:
|
||||||
|
branches:
|
||||||
|
- main
|
||||||
|
|
||||||
|
jobs:
|
||||||
|
build:
|
||||||
|
runs-on: ubuntu-latest
|
||||||
|
steps:
|
||||||
|
- name: Check out repository
|
||||||
|
uses: actions/checkout@v2
|
||||||
|
|
||||||
|
- name: Set up JDK
|
||||||
|
uses: actions/setup-java@v2
|
||||||
|
with:
|
||||||
|
distribution: 'zulu'
|
||||||
|
java-version: '8'
|
||||||
|
java-package: jdk+fx
|
||||||
|
|
||||||
|
- name: Build installer
|
||||||
|
run: ./gradlew build
|
||||||
|
|
||||||
|
- name: Decompile launcher
|
||||||
|
run: ./gradlew filterDecomp
|
||||||
|
|
||||||
|
- name: Recompile launcher
|
||||||
|
run: ./gradlew jarLauncher
|
||||||
|
|
||||||
|
- name: Generate binpatches
|
||||||
|
run: ./gradlew genBinPatches
|
||||||
|
|
||||||
|
- name: Upload installer
|
||||||
|
if: ${{ github.ref == 'refs/heads/main' }}
|
||||||
|
uses: actions/upload-artifact@v2
|
||||||
|
with:
|
||||||
|
name: installer
|
||||||
|
path: build/libs/installer-*.jar
|
||||||
|
|
||||||
|
- name: Upload patches
|
||||||
|
if: ${{ github.ref == 'refs/heads/main' }}
|
||||||
|
uses: actions/upload-artifact@v2
|
||||||
|
with:
|
||||||
|
name: patches
|
||||||
|
path: build/libs/patches.lzma
|
4
.gitignore
vendored
Normal file
4
.gitignore
vendored
Normal file
|
@ -0,0 +1,4 @@
|
||||||
|
.idea
|
||||||
|
.gradle
|
||||||
|
build
|
||||||
|
src/decomp
|
29
README.md
29
README.md
|
@ -1,3 +1,28 @@
|
||||||
# MSA4Legacy
|
# MSA4Legacy
|
||||||
Patches for the old minecraft official launcher to add microsoft account support
|
Patches for the old minecraft official launcher to add microsoft account support
|
||||||
Coming soon
|
My code here is quite atrocious in some parts (for example it makes a bunch of unnecessary auth requests due to lack of proper caching), but it works so i decided to release it now, i will likely be improving it in the future
|
||||||
|
|
||||||
|
# Requirements
|
||||||
|
|
||||||
|
These patches bump the java version requirement from java 6 + jfx to java 8 + jfx, the java version i use for development can be found [here](https://cdn.azul.com/zulu/bin/zulu8.60.0.21-ca-fx-jdk8.0.322-linux_x64.tar.gz)
|
||||||
|
|
||||||
|
# Usage
|
||||||
|
1. Download the installer and patches from the Actions tab in this repository (requires an account)
|
||||||
|
2. Put the patches file in the same directory as the official launcher jar
|
||||||
|
3. Run the installer and select the official launcher jar
|
||||||
|
4. The patched jar will be in that same directory, but called "launcher-patched.jar"
|
||||||
|
|
||||||
|
# Development
|
||||||
|
This project requires jdk8 due to a library, however to minimize binpatches any development must be done targeting java 6 bytecode, so java 6 syntax must be used
|
||||||
|
|
||||||
|
To set up a decompiled environment, run the filterDecomp task
|
||||||
|
To create patches with your changes, run the genSourceDiffs task
|
||||||
|
To create a recompiled jar, run the jarLauncher task (DOES NOT KEEP UNSAVED PATCHES)
|
||||||
|
To generate binary patches to use with the installer, run the genBinPatches task
|
||||||
|
|
||||||
|
More tasks can be found in the build.gradle.kts file, please read which tasks depend on others to prevent unsaved work being lost
|
||||||
|
|
||||||
|
# Is this legal?
|
||||||
|
Yes, special care has been taken to keep this project 100% legal, by using both binary and source patches, no substantial mojang code is distributed by this project
|
||||||
|
|
||||||
|
I AM NOT AFFILIATED WITH NOR ENDORSED BY Microsoft Corporation NOR ITS SUBSIDIARY Mojang Studios IN ANY WAY
|
231
build.gradle.kts
Normal file
231
build.gradle.kts
Normal file
|
@ -0,0 +1,231 @@
|
||||||
|
// Rewrite this spaghetti eventually
|
||||||
|
|
||||||
|
import codechicken.diffpatch.cli.DiffOperation
|
||||||
|
import codechicken.diffpatch.cli.PatchOperation
|
||||||
|
import net.minecraftforge.binarypatcher.Generator
|
||||||
|
import org.benf.cfr.reader.api.CfrDriver
|
||||||
|
import java.nio.file.Paths
|
||||||
|
|
||||||
|
buildscript {
|
||||||
|
repositories {
|
||||||
|
maven("https://nexus.covers1624.net/repository/maven-releases/")
|
||||||
|
maven("https://maven.minecraftforge.net/")
|
||||||
|
maven("https://jitpack.io/")
|
||||||
|
}
|
||||||
|
|
||||||
|
dependencies {
|
||||||
|
classpath("org.benf:cfr:0.152")
|
||||||
|
classpath("codechicken:DiffPatch:1.2.5.19")
|
||||||
|
classpath("com.github.NepNep21:BinaryPatcher:f77712625c")
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
plugins {
|
||||||
|
java
|
||||||
|
}
|
||||||
|
|
||||||
|
group = "me.nepnep.MSA4Legacy"
|
||||||
|
version = "1.0.0"
|
||||||
|
|
||||||
|
val origDecompName = "launcherDecompTmp"
|
||||||
|
val buildDirectory: String = buildDir.canonicalPath
|
||||||
|
val origDecompDir = "$buildDirectory/$origDecompName"
|
||||||
|
val launcherJar = "$buildDirectory/launcher.jar"
|
||||||
|
|
||||||
|
repositories {
|
||||||
|
mavenCentral()
|
||||||
|
maven("https://maven.minecraftforge.net/")
|
||||||
|
maven("https://jitpack.io/")
|
||||||
|
}
|
||||||
|
|
||||||
|
val installer: Configuration by configurations.creating
|
||||||
|
val shadow: Configuration by configurations.creating
|
||||||
|
val decompConfig: Configuration by configurations.creating
|
||||||
|
|
||||||
|
configurations {
|
||||||
|
implementation.get().extendsFrom(installer, shadow)
|
||||||
|
}
|
||||||
|
|
||||||
|
dependencies {
|
||||||
|
shadow("com.microsoft.azure:msal4j:1.11.0")
|
||||||
|
// Shadow installer
|
||||||
|
installer("com.github.NepNep21:BinaryPatcher:f77712625c")
|
||||||
|
decompConfig(files(launcherJar))
|
||||||
|
}
|
||||||
|
|
||||||
|
val decompSourceSet = sourceSets.create("decomp") {
|
||||||
|
java.srcDirs("src/decomp", "src/patches")
|
||||||
|
// This feels stupid :sob:
|
||||||
|
val main = sourceSets.main.get()
|
||||||
|
compileClasspath += main.compileClasspath + decompConfig.asFileTree
|
||||||
|
runtimeClasspath += main.runtimeClasspath + decompConfig.asFileTree
|
||||||
|
}
|
||||||
|
|
||||||
|
val taskGroup = "launcher"
|
||||||
|
|
||||||
|
open class Download : DefaultTask() {
|
||||||
|
@Input
|
||||||
|
lateinit var sourceUrl: String
|
||||||
|
|
||||||
|
@OutputFile
|
||||||
|
lateinit var target: File
|
||||||
|
|
||||||
|
init {
|
||||||
|
group = "launcher" // Can't use constant because of gradle stuff
|
||||||
|
}
|
||||||
|
|
||||||
|
@TaskAction
|
||||||
|
fun download() {
|
||||||
|
ant.invokeMethod("get", mapOf("src" to sourceUrl, "dest" to target))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
tasks.register<Download>("downloadLauncher") {
|
||||||
|
sourceUrl = "https://launcher.mojang.com/v1/objects/eabbff5ff8e21250e33670924a0c5e38f47c840b/launcher.jar"
|
||||||
|
|
||||||
|
target = File(launcherJar)
|
||||||
|
}
|
||||||
|
|
||||||
|
task("decompileLauncher") {
|
||||||
|
group = taskGroup
|
||||||
|
|
||||||
|
dependsOn("downloadLauncher")
|
||||||
|
|
||||||
|
doLast {
|
||||||
|
val options = mapOf(
|
||||||
|
"jarfilter" to "(net.minecraft|com.mojang).*",
|
||||||
|
"removedeadconditionals" to "true",
|
||||||
|
"rename" to "true",
|
||||||
|
"outputdir" to origDecompDir
|
||||||
|
)
|
||||||
|
CfrDriver.Builder().withOptions(options).build().analyse(listOf(launcherJar))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
val decompDir = "$projectDir/src/decomp"
|
||||||
|
val origDir = "$buildDirectory/launcherDecompOrig"
|
||||||
|
task("filterDecomp") {
|
||||||
|
group = taskGroup
|
||||||
|
|
||||||
|
dependsOn("decompileLauncher")
|
||||||
|
|
||||||
|
doLast {
|
||||||
|
File(origDecompDir).walkTopDown().forEach {
|
||||||
|
val isBad = it.name == "summary.txt" || it.name == origDecompName
|
||||||
|
if (isBad) {
|
||||||
|
return@forEach
|
||||||
|
}
|
||||||
|
|
||||||
|
val destName = it.canonicalPath.replace(origDecompDir, "")
|
||||||
|
val destFile = File("$decompDir/$destName")
|
||||||
|
if (!destFile.exists()) {
|
||||||
|
it.copyTo(destFile)
|
||||||
|
}
|
||||||
|
val origFile = File("$origDir/$destName")
|
||||||
|
if (!origFile.exists()) {
|
||||||
|
it.copyTo(origFile)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
val patchesDir = "$projectDir/patches"
|
||||||
|
// Does not depend on filterDecomp, set up a decompiled workspace before running this!
|
||||||
|
task("genSourceDiffs") {
|
||||||
|
group = taskGroup
|
||||||
|
val alphanumericRegex = "[a-zA-Z0-9]+".toRegex()
|
||||||
|
|
||||||
|
doLast {
|
||||||
|
DiffOperation.builder()
|
||||||
|
.logTo(System.out)
|
||||||
|
.aPath(Paths.get(origDir))
|
||||||
|
.bPath(Paths.get(decompDir))
|
||||||
|
.outputPath(Paths.get(patchesDir))
|
||||||
|
.build()
|
||||||
|
.operate()
|
||||||
|
// To remove useless patches
|
||||||
|
val patchesFile = File(patchesDir)
|
||||||
|
patchesFile.walkTopDown().forEach { file ->
|
||||||
|
if (file.isDirectory) {
|
||||||
|
return@forEach
|
||||||
|
}
|
||||||
|
var lines = file.readLines()
|
||||||
|
lines = lines.subList(2, lines.size) // Remove file name
|
||||||
|
|
||||||
|
val hasNoAdditions = lines.none { it.startsWith('+') }
|
||||||
|
val hasOneRemoval = lines.filter { it.startsWith('-') }.size == 1
|
||||||
|
|
||||||
|
val last = lines.last()
|
||||||
|
if (last[0] == '-' && hasNoAdditions && hasOneRemoval && !last.contains(alphanumericRegex)) { // Juust to be safe
|
||||||
|
file.delete()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
patchesFile.walkBottomUp().forEach {
|
||||||
|
if (it.isDirectory && it.list()!!.isEmpty()) {
|
||||||
|
it.delete()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
task("applyPatches") {
|
||||||
|
group = taskGroup
|
||||||
|
|
||||||
|
doLast {
|
||||||
|
PatchOperation.builder()
|
||||||
|
.logTo(System.out)
|
||||||
|
.basePath(Paths.get(origDir))
|
||||||
|
.patchesPath(Paths.get(patchesDir))
|
||||||
|
.outputPath(Paths.get(decompDir))
|
||||||
|
.build()
|
||||||
|
.operate()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
val recompileLauncher = tasks.register<JavaCompile>("recompileLauncher") {
|
||||||
|
group = taskGroup
|
||||||
|
|
||||||
|
dependsOn("applyPatches")
|
||||||
|
|
||||||
|
sourceCompatibility = "1.6"
|
||||||
|
targetCompatibility = "1.6"
|
||||||
|
|
||||||
|
source = decompSourceSet.java.sourceDirectories.asFileTree
|
||||||
|
classpath = files(launcherJar, shadow.files)
|
||||||
|
destinationDirectory.set(File("$buildDirectory/launcherRecomp"))
|
||||||
|
}.get()
|
||||||
|
|
||||||
|
tasks.getByName<Jar>("jar") {
|
||||||
|
archiveBaseName.set("installer")
|
||||||
|
manifest {
|
||||||
|
attributes("Main-Class" to "me.nepnep.msa4legacy.installer.Main")
|
||||||
|
}
|
||||||
|
from(installer.files.map { zipTree(it) })
|
||||||
|
}
|
||||||
|
|
||||||
|
tasks.register<Jar>("jarLauncher") {
|
||||||
|
group = taskGroup
|
||||||
|
dependsOn("recompileLauncher")
|
||||||
|
from(recompileLauncher.destinationDirectory, zipTree(launcherJar), shadow.files.map { zipTree(it) })
|
||||||
|
duplicatesStrategy = DuplicatesStrategy.EXCLUDE
|
||||||
|
}
|
||||||
|
|
||||||
|
val outputDir = "$buildDirectory/libs"
|
||||||
|
val recompJar = "$outputDir/${project.name}-$version.jar"
|
||||||
|
task("genBinPatches") {
|
||||||
|
group = taskGroup
|
||||||
|
|
||||||
|
doLast {
|
||||||
|
Generator(File("$outputDir/patches.lzma"))
|
||||||
|
.addSet(File(launcherJar), File(recompJar), null)
|
||||||
|
.create()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
tasks.register<JavaExec>("runLauncher") {
|
||||||
|
group = taskGroup
|
||||||
|
|
||||||
|
dependsOn("jarLauncher")
|
||||||
|
classpath = files(recompJar)
|
||||||
|
mainClass.set("net.minecraft.launcher.Main")
|
||||||
|
}
|
BIN
gradle/wrapper/gradle-wrapper.jar
vendored
Normal file
BIN
gradle/wrapper/gradle-wrapper.jar
vendored
Normal file
Binary file not shown.
5
gradle/wrapper/gradle-wrapper.properties
vendored
Normal file
5
gradle/wrapper/gradle-wrapper.properties
vendored
Normal file
|
@ -0,0 +1,5 @@
|
||||||
|
distributionBase=GRADLE_USER_HOME
|
||||||
|
distributionPath=wrapper/dists
|
||||||
|
distributionUrl=https\://services.gradle.org/distributions/gradle-7.1-bin.zip
|
||||||
|
zipStoreBase=GRADLE_USER_HOME
|
||||||
|
zipStorePath=wrapper/dists
|
183
gradlew
vendored
Executable file
183
gradlew
vendored
Executable file
|
@ -0,0 +1,183 @@
|
||||||
|
#!/usr/bin/env sh
|
||||||
|
|
||||||
|
#
|
||||||
|
# Copyright 2015 the original author or authors.
|
||||||
|
#
|
||||||
|
# Licensed under the Apache License, Version 2.0 (the "License");
|
||||||
|
# you may not use this file except in compliance with the License.
|
||||||
|
# You may obtain a copy of the License at
|
||||||
|
#
|
||||||
|
# https://www.apache.org/licenses/LICENSE-2.0
|
||||||
|
#
|
||||||
|
# Unless required by applicable law or agreed to in writing, software
|
||||||
|
# distributed under the License is distributed on an "AS IS" BASIS,
|
||||||
|
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
||||||
|
# See the License for the specific language governing permissions and
|
||||||
|
# limitations under the License.
|
||||||
|
#
|
||||||
|
|
||||||
|
##############################################################################
|
||||||
|
##
|
||||||
|
## Gradle start up script for UN*X
|
||||||
|
##
|
||||||
|
##############################################################################
|
||||||
|
|
||||||
|
# Attempt to set APP_HOME
|
||||||
|
# Resolve links: $0 may be a link
|
||||||
|
PRG="$0"
|
||||||
|
# Need this for relative symlinks.
|
||||||
|
while [ -h "$PRG" ] ; do
|
||||||
|
ls=`ls -ld "$PRG"`
|
||||||
|
link=`expr "$ls" : '.*-> \(.*\)$'`
|
||||||
|
if expr "$link" : '/.*' > /dev/null; then
|
||||||
|
PRG="$link"
|
||||||
|
else
|
||||||
|
PRG=`dirname "$PRG"`"/$link"
|
||||||
|
fi
|
||||||
|
done
|
||||||
|
SAVED="`pwd`"
|
||||||
|
cd "`dirname \"$PRG\"`/" >/dev/null
|
||||||
|
APP_HOME="`pwd -P`"
|
||||||
|
cd "$SAVED" >/dev/null
|
||||||
|
|
||||||
|
APP_NAME="Gradle"
|
||||||
|
APP_BASE_NAME=`basename "$0"`
|
||||||
|
|
||||||
|
# Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script.
|
||||||
|
DEFAULT_JVM_OPTS='"-Xmx64m" "-Xms64m"'
|
||||||
|
|
||||||
|
# Use the maximum available, or set MAX_FD != -1 to use that value.
|
||||||
|
MAX_FD="maximum"
|
||||||
|
|
||||||
|
warn () {
|
||||||
|
echo "$*"
|
||||||
|
}
|
||||||
|
|
||||||
|
die () {
|
||||||
|
echo
|
||||||
|
echo "$*"
|
||||||
|
echo
|
||||||
|
exit 1
|
||||||
|
}
|
||||||
|
|
||||||
|
# OS specific support (must be 'true' or 'false').
|
||||||
|
cygwin=false
|
||||||
|
msys=false
|
||||||
|
darwin=false
|
||||||
|
nonstop=false
|
||||||
|
case "`uname`" in
|
||||||
|
CYGWIN* )
|
||||||
|
cygwin=true
|
||||||
|
;;
|
||||||
|
Darwin* )
|
||||||
|
darwin=true
|
||||||
|
;;
|
||||||
|
MINGW* )
|
||||||
|
msys=true
|
||||||
|
;;
|
||||||
|
NONSTOP* )
|
||||||
|
nonstop=true
|
||||||
|
;;
|
||||||
|
esac
|
||||||
|
|
||||||
|
CLASSPATH=$APP_HOME/gradle/wrapper/gradle-wrapper.jar
|
||||||
|
|
||||||
|
# Determine the Java command to use to start the JVM.
|
||||||
|
if [ -n "$JAVA_HOME" ] ; then
|
||||||
|
if [ -x "$JAVA_HOME/jre/sh/java" ] ; then
|
||||||
|
# IBM's JDK on AIX uses strange locations for the executables
|
||||||
|
JAVACMD="$JAVA_HOME/jre/sh/java"
|
||||||
|
else
|
||||||
|
JAVACMD="$JAVA_HOME/bin/java"
|
||||||
|
fi
|
||||||
|
if [ ! -x "$JAVACMD" ] ; then
|
||||||
|
die "ERROR: JAVA_HOME is set to an invalid directory: $JAVA_HOME
|
||||||
|
|
||||||
|
Please set the JAVA_HOME variable in your environment to match the
|
||||||
|
location of your Java installation."
|
||||||
|
fi
|
||||||
|
else
|
||||||
|
JAVACMD="java"
|
||||||
|
which java >/dev/null 2>&1 || die "ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH.
|
||||||
|
|
||||||
|
Please set the JAVA_HOME variable in your environment to match the
|
||||||
|
location of your Java installation."
|
||||||
|
fi
|
||||||
|
|
||||||
|
# Increase the maximum file descriptors if we can.
|
||||||
|
if [ "$cygwin" = "false" -a "$darwin" = "false" -a "$nonstop" = "false" ] ; then
|
||||||
|
MAX_FD_LIMIT=`ulimit -H -n`
|
||||||
|
if [ $? -eq 0 ] ; then
|
||||||
|
if [ "$MAX_FD" = "maximum" -o "$MAX_FD" = "max" ] ; then
|
||||||
|
MAX_FD="$MAX_FD_LIMIT"
|
||||||
|
fi
|
||||||
|
ulimit -n $MAX_FD
|
||||||
|
if [ $? -ne 0 ] ; then
|
||||||
|
warn "Could not set maximum file descriptor limit: $MAX_FD"
|
||||||
|
fi
|
||||||
|
else
|
||||||
|
warn "Could not query maximum file descriptor limit: $MAX_FD_LIMIT"
|
||||||
|
fi
|
||||||
|
fi
|
||||||
|
|
||||||
|
# For Darwin, add options to specify how the application appears in the dock
|
||||||
|
if $darwin; then
|
||||||
|
GRADLE_OPTS="$GRADLE_OPTS \"-Xdock:name=$APP_NAME\" \"-Xdock:icon=$APP_HOME/media/gradle.icns\""
|
||||||
|
fi
|
||||||
|
|
||||||
|
# For Cygwin or MSYS, switch paths to Windows format before running java
|
||||||
|
if [ "$cygwin" = "true" -o "$msys" = "true" ] ; then
|
||||||
|
APP_HOME=`cygpath --path --mixed "$APP_HOME"`
|
||||||
|
CLASSPATH=`cygpath --path --mixed "$CLASSPATH"`
|
||||||
|
JAVACMD=`cygpath --unix "$JAVACMD"`
|
||||||
|
|
||||||
|
# We build the pattern for arguments to be converted via cygpath
|
||||||
|
ROOTDIRSRAW=`find -L / -maxdepth 1 -mindepth 1 -type d 2>/dev/null`
|
||||||
|
SEP=""
|
||||||
|
for dir in $ROOTDIRSRAW ; do
|
||||||
|
ROOTDIRS="$ROOTDIRS$SEP$dir"
|
||||||
|
SEP="|"
|
||||||
|
done
|
||||||
|
OURCYGPATTERN="(^($ROOTDIRS))"
|
||||||
|
# Add a user-defined pattern to the cygpath arguments
|
||||||
|
if [ "$GRADLE_CYGPATTERN" != "" ] ; then
|
||||||
|
OURCYGPATTERN="$OURCYGPATTERN|($GRADLE_CYGPATTERN)"
|
||||||
|
fi
|
||||||
|
# Now convert the arguments - kludge to limit ourselves to /bin/sh
|
||||||
|
i=0
|
||||||
|
for arg in "$@" ; do
|
||||||
|
CHECK=`echo "$arg"|egrep -c "$OURCYGPATTERN" -`
|
||||||
|
CHECK2=`echo "$arg"|egrep -c "^-"` ### Determine if an option
|
||||||
|
|
||||||
|
if [ $CHECK -ne 0 ] && [ $CHECK2 -eq 0 ] ; then ### Added a condition
|
||||||
|
eval `echo args$i`=`cygpath --path --ignore --mixed "$arg"`
|
||||||
|
else
|
||||||
|
eval `echo args$i`="\"$arg\""
|
||||||
|
fi
|
||||||
|
i=`expr $i + 1`
|
||||||
|
done
|
||||||
|
case $i in
|
||||||
|
0) set -- ;;
|
||||||
|
1) set -- "$args0" ;;
|
||||||
|
2) set -- "$args0" "$args1" ;;
|
||||||
|
3) set -- "$args0" "$args1" "$args2" ;;
|
||||||
|
4) set -- "$args0" "$args1" "$args2" "$args3" ;;
|
||||||
|
5) set -- "$args0" "$args1" "$args2" "$args3" "$args4" ;;
|
||||||
|
6) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" ;;
|
||||||
|
7) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" "$args6" ;;
|
||||||
|
8) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" "$args6" "$args7" ;;
|
||||||
|
9) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" "$args6" "$args7" "$args8" ;;
|
||||||
|
esac
|
||||||
|
fi
|
||||||
|
|
||||||
|
# Escape application args
|
||||||
|
save () {
|
||||||
|
for i do printf %s\\n "$i" | sed "s/'/'\\\\''/g;1s/^/'/;\$s/\$/' \\\\/" ; done
|
||||||
|
echo " "
|
||||||
|
}
|
||||||
|
APP_ARGS=`save "$@"`
|
||||||
|
|
||||||
|
# Collect all arguments for the java command, following the shell quoting and substitution rules
|
||||||
|
eval set -- $DEFAULT_JVM_OPTS $JAVA_OPTS $GRADLE_OPTS "\"-Dorg.gradle.appname=$APP_BASE_NAME\"" -classpath "\"$CLASSPATH\"" org.gradle.wrapper.GradleWrapperMain "$APP_ARGS"
|
||||||
|
|
||||||
|
exec "$JAVACMD" "$@"
|
103
gradlew.bat
vendored
Normal file
103
gradlew.bat
vendored
Normal file
|
@ -0,0 +1,103 @@
|
||||||
|
@rem
|
||||||
|
@rem Copyright 2015 the original author or authors.
|
||||||
|
@rem
|
||||||
|
@rem Licensed under the Apache License, Version 2.0 (the "License");
|
||||||
|
@rem you may not use this file except in compliance with the License.
|
||||||
|
@rem You may obtain a copy of the License at
|
||||||
|
@rem
|
||||||
|
@rem https://www.apache.org/licenses/LICENSE-2.0
|
||||||
|
@rem
|
||||||
|
@rem Unless required by applicable law or agreed to in writing, software
|
||||||
|
@rem distributed under the License is distributed on an "AS IS" BASIS,
|
||||||
|
@rem WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
||||||
|
@rem See the License for the specific language governing permissions and
|
||||||
|
@rem limitations under the License.
|
||||||
|
@rem
|
||||||
|
|
||||||
|
@if "%DEBUG%" == "" @echo off
|
||||||
|
@rem ##########################################################################
|
||||||
|
@rem
|
||||||
|
@rem Gradle startup script for Windows
|
||||||
|
@rem
|
||||||
|
@rem ##########################################################################
|
||||||
|
|
||||||
|
@rem Set local scope for the variables with windows NT shell
|
||||||
|
if "%OS%"=="Windows_NT" setlocal
|
||||||
|
|
||||||
|
set DIRNAME=%~dp0
|
||||||
|
if "%DIRNAME%" == "" set DIRNAME=.
|
||||||
|
set APP_BASE_NAME=%~n0
|
||||||
|
set APP_HOME=%DIRNAME%
|
||||||
|
|
||||||
|
@rem Resolve any "." and ".." in APP_HOME to make it shorter.
|
||||||
|
for %%i in ("%APP_HOME%") do set APP_HOME=%%~fi
|
||||||
|
|
||||||
|
@rem Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script.
|
||||||
|
set DEFAULT_JVM_OPTS="-Xmx64m" "-Xms64m"
|
||||||
|
|
||||||
|
@rem Find java.exe
|
||||||
|
if defined JAVA_HOME goto findJavaFromJavaHome
|
||||||
|
|
||||||
|
set JAVA_EXE=java.exe
|
||||||
|
%JAVA_EXE% -version >NUL 2>&1
|
||||||
|
if "%ERRORLEVEL%" == "0" goto init
|
||||||
|
|
||||||
|
echo.
|
||||||
|
echo ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH.
|
||||||
|
echo.
|
||||||
|
echo Please set the JAVA_HOME variable in your environment to match the
|
||||||
|
echo location of your Java installation.
|
||||||
|
|
||||||
|
goto fail
|
||||||
|
|
||||||
|
:findJavaFromJavaHome
|
||||||
|
set JAVA_HOME=%JAVA_HOME:"=%
|
||||||
|
set JAVA_EXE=%JAVA_HOME%/bin/java.exe
|
||||||
|
|
||||||
|
if exist "%JAVA_EXE%" goto init
|
||||||
|
|
||||||
|
echo.
|
||||||
|
echo ERROR: JAVA_HOME is set to an invalid directory: %JAVA_HOME%
|
||||||
|
echo.
|
||||||
|
echo Please set the JAVA_HOME variable in your environment to match the
|
||||||
|
echo location of your Java installation.
|
||||||
|
|
||||||
|
goto fail
|
||||||
|
|
||||||
|
:init
|
||||||
|
@rem Get command-line arguments, handling Windows variants
|
||||||
|
|
||||||
|
if not "%OS%" == "Windows_NT" goto win9xME_args
|
||||||
|
|
||||||
|
:win9xME_args
|
||||||
|
@rem Slurp the command line arguments.
|
||||||
|
set CMD_LINE_ARGS=
|
||||||
|
set _SKIP=2
|
||||||
|
|
||||||
|
:win9xME_args_slurp
|
||||||
|
if "x%~1" == "x" goto execute
|
||||||
|
|
||||||
|
set CMD_LINE_ARGS=%*
|
||||||
|
|
||||||
|
:execute
|
||||||
|
@rem Setup the command line
|
||||||
|
|
||||||
|
set CLASSPATH=%APP_HOME%\gradle\wrapper\gradle-wrapper.jar
|
||||||
|
|
||||||
|
@rem Execute Gradle
|
||||||
|
"%JAVA_EXE%" %DEFAULT_JVM_OPTS% %JAVA_OPTS% %GRADLE_OPTS% "-Dorg.gradle.appname=%APP_BASE_NAME%" -classpath "%CLASSPATH%" org.gradle.wrapper.GradleWrapperMain %CMD_LINE_ARGS%
|
||||||
|
|
||||||
|
:end
|
||||||
|
@rem End local scope for the variables with windows NT shell
|
||||||
|
if "%ERRORLEVEL%"=="0" goto mainEnd
|
||||||
|
|
||||||
|
:fail
|
||||||
|
rem Set variable GRADLE_EXIT_CONSOLE if you need the _script_ return code instead of
|
||||||
|
rem the _cmd.exe /c_ return code!
|
||||||
|
if not "" == "%GRADLE_EXIT_CONSOLE%" exit 1
|
||||||
|
exit /b 1
|
||||||
|
|
||||||
|
:mainEnd
|
||||||
|
if "%OS%"=="Windows_NT" endlocal
|
||||||
|
|
||||||
|
:omega
|
27
patches/com/mojang/authlib/BaseUserAuthentication.java.patch
Normal file
27
patches/com/mojang/authlib/BaseUserAuthentication.java.patch
Normal file
|
@ -0,0 +1,27 @@
|
||||||
|
--- a/com/mojang/authlib/BaseUserAuthentication.java
|
||||||
|
+++ b/com/mojang/authlib/BaseUserAuthentication.java
|
||||||
|
@@ -91,7 +91,8 @@
|
||||||
|
this.userid = credentials.containsKey(STORAGE_KEY_USER_ID) ? String.valueOf(credentials.get(STORAGE_KEY_USER_ID)) : this.username;
|
||||||
|
if (credentials.containsKey(STORAGE_KEY_USER_PROPERTIES)) {
|
||||||
|
try {
|
||||||
|
- List list = (List)credentials.get(STORAGE_KEY_USER_PROPERTIES);
|
||||||
|
+ // Weird patch to fix recompilation
|
||||||
|
+ List<Map> list = (List)credentials.get(STORAGE_KEY_USER_PROPERTIES);
|
||||||
|
for (Map propertyMap : list) {
|
||||||
|
String name = (String)propertyMap.get("name");
|
||||||
|
String value = (String)propertyMap.get("value");
|
||||||
|
@@ -111,7 +112,8 @@
|
||||||
|
GameProfile profile = new GameProfile(UUIDTypeAdapter.fromString(String.valueOf(credentials.get(STORAGE_KEY_PROFILE_ID))), String.valueOf(credentials.get(STORAGE_KEY_PROFILE_NAME)));
|
||||||
|
if (credentials.containsKey(STORAGE_KEY_PROFILE_PROPERTIES)) {
|
||||||
|
try {
|
||||||
|
- List list = (List)credentials.get(STORAGE_KEY_PROFILE_PROPERTIES);
|
||||||
|
+ // Weird patch to fix recompilation
|
||||||
|
+ List<Map> list = (List)credentials.get(STORAGE_KEY_PROFILE_PROPERTIES);
|
||||||
|
for (Map propertyMap : list) {
|
||||||
|
String name = (String)propertyMap.get("name");
|
||||||
|
String value = (String)propertyMap.get("value");
|
||||||
|
@@ -244,4 +246,3 @@
|
||||||
|
this.userid = userid;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
|
@ -0,0 +1,17 @@
|
||||||
|
--- a/com/mojang/authlib/yggdrasil/YggdrasilGameProfileRepository.java
|
||||||
|
+++ b/com/mojang/authlib/yggdrasil/YggdrasilGameProfileRepository.java
|
||||||
|
@@ -43,7 +43,8 @@
|
||||||
|
criteria.add(name.toLowerCase());
|
||||||
|
}
|
||||||
|
int page = 0;
|
||||||
|
- for (List request : Iterables.partition(criteria, 2)) {
|
||||||
|
+ // Weird patch to fix recompilation
|
||||||
|
+ for (List<String> request : Iterables.partition(criteria, 2)) {
|
||||||
|
boolean failed;
|
||||||
|
int failCount = 0;
|
||||||
|
do {
|
||||||
|
@@ -87,4 +88,3 @@
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
|
@ -0,0 +1,60 @@
|
||||||
|
--- a/com/mojang/launcher/updater/LowerCaseEnumTypeAdapterFactory.java
|
||||||
|
+++ b/com/mojang/launcher/updater/LowerCaseEnumTypeAdapterFactory.java
|
||||||
|
@@ -7,49 +7,25 @@
|
||||||
|
import com.google.gson.TypeAdapter;
|
||||||
|
import com.google.gson.TypeAdapterFactory;
|
||||||
|
import com.google.gson.reflect.TypeToken;
|
||||||
|
-import com.google.gson.stream.JsonReader;
|
||||||
|
-import com.google.gson.stream.JsonToken;
|
||||||
|
-import com.google.gson.stream.JsonWriter;
|
||||||
|
-import java.io.IOException;
|
||||||
|
-import java.util.HashMap;
|
||||||
|
+import me.nepnep.msa4legacy.patches.LowerCaseEnumTypeAdapter;
|
||||||
|
+
|
||||||
|
import java.util.Locale;
|
||||||
|
|
||||||
|
+// Weird patch to fix recompilation
|
||||||
|
public class LowerCaseEnumTypeAdapterFactory
|
||||||
|
implements TypeAdapterFactory {
|
||||||
|
@Override
|
||||||
|
public <T> TypeAdapter<T> create(Gson gson, TypeToken<T> type) {
|
||||||
|
- Class<T> rawType = type.getRawType();
|
||||||
|
+ Class<T> rawType = (Class<T>) type.getRawType();
|
||||||
|
if (!rawType.isEnum()) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
- final HashMap<String, T> lowercaseToConstant = new HashMap<String, T>();
|
||||||
|
- for (T constant : rawType.getEnumConstants()) {
|
||||||
|
- lowercaseToConstant.put(this.toLowercase(constant), constant);
|
||||||
|
- }
|
||||||
|
- return new TypeAdapter<T>(){
|
||||||
|
-
|
||||||
|
- @Override
|
||||||
|
- public void write(JsonWriter out, T value) throws IOException {
|
||||||
|
- if (value == null) {
|
||||||
|
- out.nullValue();
|
||||||
|
- } else {
|
||||||
|
- out.value(LowerCaseEnumTypeAdapterFactory.this.toLowercase(value));
|
||||||
|
- }
|
||||||
|
- }
|
||||||
|
-
|
||||||
|
- @Override
|
||||||
|
- public T read(JsonReader reader) throws IOException {
|
||||||
|
- if (reader.peek() == JsonToken.NULL) {
|
||||||
|
- reader.nextNull();
|
||||||
|
- return null;
|
||||||
|
- }
|
||||||
|
- return lowercaseToConstant.get(reader.nextString());
|
||||||
|
- }
|
||||||
|
- };
|
||||||
|
+
|
||||||
|
+ // Can't be inner class
|
||||||
|
+ return new LowerCaseEnumTypeAdapter<T>(rawType.getEnumConstants());
|
||||||
|
}
|
||||||
|
|
||||||
|
- private String toLowercase(Object o) {
|
||||||
|
+ public static String toLowercase(Object o) {
|
||||||
|
return o.toString().toLowerCase(Locale.US);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
17
patches/com/mojang/launcher/updater/VersionFilter.java.patch
Normal file
17
patches/com/mojang/launcher/updater/VersionFilter.java.patch
Normal file
|
@ -0,0 +1,17 @@
|
||||||
|
--- a/com/mojang/launcher/updater/VersionFilter.java
|
||||||
|
+++ b/com/mojang/launcher/updater/VersionFilter.java
|
||||||
|
@@ -24,7 +24,8 @@
|
||||||
|
|
||||||
|
public VersionFilter<T> onlyForTypes(T ... types) {
|
||||||
|
this.types.clear();
|
||||||
|
- this.includeTypes((ReleaseType[])types);
|
||||||
|
+ // Weird patch to fix recompilation
|
||||||
|
+ this.includeTypes(types);
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
|
||||||
|
@@ -53,4 +54,3 @@
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
|
@ -0,0 +1,17 @@
|
||||||
|
--- a/com/mojang/launcher/versions/CompatibilityRule.java
|
||||||
|
+++ b/com/mojang/launcher/versions/CompatibilityRule.java
|
||||||
|
@@ -86,7 +86,8 @@
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
- catch (Throwable pattern2) {
|
||||||
|
+ // Weird patch to fix recompilation
|
||||||
|
+ catch (Throwable ignored) {
|
||||||
|
// empty catch block
|
||||||
|
}
|
||||||
|
}
|
||||||
|
@@ -110,4 +111,3 @@
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
17
patches/net/minecraft/launcher/CompatibilityRule.java.patch
Normal file
17
patches/net/minecraft/launcher/CompatibilityRule.java.patch
Normal file
|
@ -0,0 +1,17 @@
|
||||||
|
--- a/net/minecraft/launcher/CompatibilityRule.java
|
||||||
|
+++ b/net/minecraft/launcher/CompatibilityRule.java
|
||||||
|
@@ -108,7 +108,8 @@
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
- catch (Throwable pattern2) {
|
||||||
|
+ // Weird patch to fix recompilation
|
||||||
|
+ catch (Throwable ignored) {
|
||||||
|
// empty catch block
|
||||||
|
}
|
||||||
|
}
|
||||||
|
@@ -132,4 +133,3 @@
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
|
@ -0,0 +1,42 @@
|
||||||
|
--- a/net/minecraft/launcher/CurrentLaunchFeatureMatcher.java
|
||||||
|
+++ b/net/minecraft/launcher/CurrentLaunchFeatureMatcher.java
|
||||||
|
@@ -5,6 +5,7 @@
|
||||||
|
|
||||||
|
import com.google.common.base.Objects;
|
||||||
|
import com.mojang.authlib.UserAuthentication;
|
||||||
|
+import me.nepnep.msa4legacy.patches.MicrosoftAccount;
|
||||||
|
import net.minecraft.launcher.CompatibilityRule;
|
||||||
|
import net.minecraft.launcher.profile.Profile;
|
||||||
|
import net.minecraft.launcher.updater.CompleteMinecraftVersion;
|
||||||
|
@@ -14,16 +15,25 @@
|
||||||
|
private final Profile profile;
|
||||||
|
private final CompleteMinecraftVersion version;
|
||||||
|
private final UserAuthentication auth;
|
||||||
|
+ private final MicrosoftAccount msa;
|
||||||
|
|
||||||
|
- public CurrentLaunchFeatureMatcher(Profile profile, CompleteMinecraftVersion version, UserAuthentication auth) {
|
||||||
|
+ public CurrentLaunchFeatureMatcher(Profile profile, CompleteMinecraftVersion version, UserAuthentication auth, MicrosoftAccount msa) {
|
||||||
|
this.profile = profile;
|
||||||
|
this.version = version;
|
||||||
|
this.auth = auth;
|
||||||
|
+ this.msa = msa;
|
||||||
|
+ }
|
||||||
|
+
|
||||||
|
+ public CurrentLaunchFeatureMatcher(Profile profile, CompleteMinecraftVersion version, UserAuthentication auth) {
|
||||||
|
+ this(profile, version, auth, null);
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override
|
||||||
|
public boolean hasFeature(String name, Object value) {
|
||||||
|
if (name.equals("is_demo_user")) {
|
||||||
|
+ if (auth == null) {
|
||||||
|
+ return Objects.equal(msa == null, value);
|
||||||
|
+ }
|
||||||
|
return Objects.equal(this.auth.getSelectedProfile() == null, value);
|
||||||
|
}
|
||||||
|
if (name.equals("has_custom_resolution")) {
|
||||||
|
@@ -32,4 +42,3 @@
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
63
patches/net/minecraft/launcher/Launcher.java.patch
Normal file
63
patches/net/minecraft/launcher/Launcher.java.patch
Normal file
|
@ -0,0 +1,63 @@
|
||||||
|
--- a/net/minecraft/launcher/Launcher.java
|
||||||
|
+++ b/net/minecraft/launcher/Launcher.java
|
||||||
|
@@ -18,6 +18,7 @@
|
||||||
|
import com.mojang.launcher.versions.Version;
|
||||||
|
import com.mojang.util.UUIDTypeAdapter;
|
||||||
|
import java.io.File;
|
||||||
|
+import java.io.FileFilter;
|
||||||
|
import java.io.IOException;
|
||||||
|
import java.net.PasswordAuthentication;
|
||||||
|
import java.net.Proxy;
|
||||||
|
@@ -297,10 +298,12 @@
|
||||||
|
referencedObjects.add(object.getHash().toLowerCase());
|
||||||
|
}
|
||||||
|
}
|
||||||
|
- File[] directories = objectsDir.listFiles(DirectoryFileFilter.DIRECTORY);
|
||||||
|
+ // Weird patch to fix recompilation
|
||||||
|
+ File[] directories = objectsDir.listFiles((FileFilter) DirectoryFileFilter.DIRECTORY);
|
||||||
|
if (directories != null) {
|
||||||
|
for (File directory : directories) {
|
||||||
|
- File[] files = directory.listFiles(FileFileFilter.FILE);
|
||||||
|
+ // Weird patch to fix recompilation
|
||||||
|
+ File[] files = directory.listFiles((FileFilter) FileFileFilter.FILE);
|
||||||
|
if (files == null) continue;
|
||||||
|
for (File file : files) {
|
||||||
|
if (referencedObjects.contains(file.getName().toLowerCase())) continue;
|
||||||
|
@@ -373,7 +376,8 @@
|
||||||
|
if (!virtualsDir.isDirectory()) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
- File[] directories = virtualsDir.listFiles(DirectoryFileFilter.DIRECTORY);
|
||||||
|
+ // Weird patch to fix recompilation
|
||||||
|
+ File[] directories = virtualsDir.listFiles((FileFilter) DirectoryFileFilter.DIRECTORY);
|
||||||
|
if (directories != null) {
|
||||||
|
for (File directory : directories) {
|
||||||
|
File lastUsedFile = new File(directory, ".lastused");
|
||||||
|
@@ -398,10 +402,12 @@
|
||||||
|
if (!root.isDirectory()) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
- File[] versions = root.listFiles(DirectoryFileFilter.DIRECTORY);
|
||||||
|
+ // Weird patch to fix recompilation
|
||||||
|
+ File[] versions = root.listFiles((FileFilter) DirectoryFileFilter.DIRECTORY);
|
||||||
|
if (versions != null) {
|
||||||
|
for (File version : versions) {
|
||||||
|
- File[] files = version.listFiles(FileFilterUtils.and(new PrefixFileFilter(version.getName() + "-natives-"), ageFilter));
|
||||||
|
+ // Weird patch to fix recompilation
|
||||||
|
+ File[] files = version.listFiles((FileFilter) FileFilterUtils.and(new PrefixFileFilter(version.getName() + "-natives-"), ageFilter));
|
||||||
|
if (files == null) continue;
|
||||||
|
for (File folder : files) {
|
||||||
|
LOGGER.debug("Deleting " + folder);
|
||||||
|
@@ -488,7 +494,6 @@
|
||||||
|
if (!FileUtils.deleteQuietly(file)) break block0;
|
||||||
|
LOGGER.info("Deleted empty directory {}", file);
|
||||||
|
}
|
||||||
|
- break;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@@ -521,4 +526,3 @@
|
||||||
|
LOGGER = LogManager.getLogger();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
86
patches/net/minecraft/launcher/SwingUserInterface.java.patch
Normal file
86
patches/net/minecraft/launcher/SwingUserInterface.java.patch
Normal file
|
@ -0,0 +1,86 @@
|
||||||
|
--- a/net/minecraft/launcher/SwingUserInterface.java
|
||||||
|
+++ b/net/minecraft/launcher/SwingUserInterface.java
|
||||||
|
@@ -28,6 +28,8 @@
|
||||||
|
import javax.swing.JPanel;
|
||||||
|
import javax.swing.SwingUtilities;
|
||||||
|
import javax.swing.UIManager;
|
||||||
|
+
|
||||||
|
+import me.nepnep.msa4legacy.patches.MicrosoftAccount;
|
||||||
|
import net.minecraft.launcher.Launcher;
|
||||||
|
import net.minecraft.launcher.LauncherConstants;
|
||||||
|
import net.minecraft.launcher.MinecraftUserInterface;
|
||||||
|
@@ -45,6 +47,7 @@
|
||||||
|
implements MinecraftUserInterface {
|
||||||
|
private static final Logger LOGGER = LogManager.getLogger();
|
||||||
|
private static final long MAX_SHUTDOWN_TIME = 10000L;
|
||||||
|
+ public LogInPopup popup = null;
|
||||||
|
private final Launcher minecraftLauncher;
|
||||||
|
private LauncherPanel launcherPanel;
|
||||||
|
private final JFrame frame;
|
||||||
|
@@ -92,7 +95,7 @@
|
||||||
|
|
||||||
|
@Override
|
||||||
|
public void run() {
|
||||||
|
- LogInPopup popup = new LogInPopup(minecraftLauncher, callback);
|
||||||
|
+ popup = new LogInPopup(minecraftLauncher, callback);
|
||||||
|
SwingUserInterface.this.launcherPanel.setCard("login", popup);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
@@ -192,15 +195,31 @@
|
||||||
|
this.showLoginPrompt(this.minecraftLauncher, new LogInPopup.Callback(){
|
||||||
|
|
||||||
|
@Override
|
||||||
|
- public void onLogIn(String uuid) {
|
||||||
|
+ public void onLogIn(String uuid, MicrosoftAccount msa) {
|
||||||
|
UserAuthentication auth = profileManager.getAuthDatabase().getByUUID(uuid);
|
||||||
|
+ uuid = uuid == null ? msa.uuid : uuid;
|
||||||
|
profileManager.setSelectedUser(uuid);
|
||||||
|
- if (selectedProfile.getName().equals("(Default)") && auth.getSelectedProfile() != null) {
|
||||||
|
- String playerName = auth.getSelectedProfile().getName();
|
||||||
|
- String profileName = auth.getSelectedProfile().getName();
|
||||||
|
+
|
||||||
|
+ String name = null;
|
||||||
|
+ if (auth == null) {
|
||||||
|
+ name = msa.email;
|
||||||
|
+ }
|
||||||
|
+
|
||||||
|
+ if (selectedProfile.getName().equals("(Default)")) {
|
||||||
|
+ String profileName;
|
||||||
|
+ if (auth != null && auth.getSelectedProfile() != null) {
|
||||||
|
+ name = auth.getSelectedProfile().getName();
|
||||||
|
+ }
|
||||||
|
+
|
||||||
|
+ if (name == null) {
|
||||||
|
+ return;
|
||||||
|
+ }
|
||||||
|
+
|
||||||
|
+ profileName = name;
|
||||||
|
+
|
||||||
|
int count = 1;
|
||||||
|
while (profileManager.getProfiles().containsKey(profileName)) {
|
||||||
|
- profileName = playerName + " " + ++count;
|
||||||
|
+ profileName = name + " " + ++count;
|
||||||
|
}
|
||||||
|
Profile newProfile = new Profile(selectedProfile);
|
||||||
|
newProfile.setName(profileName);
|
||||||
|
@@ -318,7 +337,14 @@
|
||||||
|
GameOutputTab tab = new GameOutputTab(SwingUserInterface.this.minecraftLauncher);
|
||||||
|
future.set(tab);
|
||||||
|
UserAuthentication auth = gameRunner.getAuth();
|
||||||
|
- String name = auth.getSelectedProfile() == null ? "Demo" : auth.getSelectedProfile().getName();
|
||||||
|
+ String name;
|
||||||
|
+ if (auth != null) {
|
||||||
|
+ name = auth.getSelectedProfile() == null ? "Demo" : auth.getSelectedProfile().getName();
|
||||||
|
+ } else if (gameRunner.msa != null){
|
||||||
|
+ name = gameRunner.msa.username;
|
||||||
|
+ } else {
|
||||||
|
+ name = "Demo";
|
||||||
|
+ }
|
||||||
|
SwingUserInterface.this.launcherPanel.getTabPanel().removeTab("Game Output (" + name + ")");
|
||||||
|
SwingUserInterface.this.launcherPanel.getTabPanel().addTab("Game Output (" + name + ")", tab);
|
||||||
|
SwingUserInterface.this.launcherPanel.getTabPanel().setSelectedComponent(tab);
|
||||||
|
@@ -342,4 +368,3 @@
|
||||||
|
return this.frame;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
|
@ -0,0 +1,42 @@
|
||||||
|
--- a/net/minecraft/launcher/game/GameLaunchDispatcher.java
|
||||||
|
+++ b/net/minecraft/launcher/game/GameLaunchDispatcher.java
|
||||||
|
@@ -13,6 +13,8 @@
|
||||||
|
import com.mojang.launcher.updater.VersionSyncInfo;
|
||||||
|
import java.io.File;
|
||||||
|
import java.util.concurrent.locks.ReentrantLock;
|
||||||
|
+
|
||||||
|
+import me.nepnep.msa4legacy.patches.MicrosoftAccount;
|
||||||
|
import net.minecraft.launcher.Launcher;
|
||||||
|
import net.minecraft.launcher.game.MinecraftGameRunner;
|
||||||
|
import net.minecraft.launcher.profile.Profile;
|
||||||
|
@@ -38,8 +40,10 @@
|
||||||
|
UserAuthentication user;
|
||||||
|
ProfileManager profileManager = this.launcher.getProfileManager();
|
||||||
|
Profile profile = profileManager.getProfiles().isEmpty() ? null : profileManager.getSelectedProfile();
|
||||||
|
- UserAuthentication userAuthentication = user = profileManager.getSelectedUser() == null ? null : profileManager.getAuthDatabase().getByUUID(profileManager.getSelectedUser());
|
||||||
|
- if (user == null || !user.isLoggedIn() || profile == null || this.launcher.getLauncher().getVersionManager().getVersions(profile.getVersionFilter()).isEmpty()) {
|
||||||
|
+ String selectedUser = profileManager.getSelectedUser();
|
||||||
|
+ UserAuthentication userAuthentication = user = selectedUser == null ? null : profileManager.getAuthDatabase().getByUUID(profileManager.getSelectedUser());
|
||||||
|
+ MicrosoftAccount msa = selectedUser == null ? null : profileManager.getAuthDatabase().getMSAByUUID(selectedUser);
|
||||||
|
+ if (((user == null || !user.isLoggedIn()) && msa == null) || profile == null || this.launcher.getLauncher().getVersionManager().getVersions(profile.getVersionFilter()).isEmpty()) {
|
||||||
|
return PlayStatus.LOADING;
|
||||||
|
}
|
||||||
|
this.lock.lock();
|
||||||
|
@@ -56,10 +60,10 @@
|
||||||
|
finally {
|
||||||
|
this.lock.unlock();
|
||||||
|
}
|
||||||
|
- if (user.getSelectedProfile() == null) {
|
||||||
|
+ if (user != null && user.getSelectedProfile() == null) {
|
||||||
|
return PlayStatus.CAN_PLAY_DEMO;
|
||||||
|
}
|
||||||
|
- if (user.canPlayOnline()) {
|
||||||
|
+ if ((user != null && user.canPlayOnline()) || msa != null) {
|
||||||
|
return PlayStatus.CAN_PLAY_ONLINE;
|
||||||
|
}
|
||||||
|
return PlayStatus.CAN_PLAY_OFFLINE;
|
||||||
|
@@ -194,4 +198,3 @@
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
|
@ -0,0 +1,123 @@
|
||||||
|
--- a/net/minecraft/launcher/game/MinecraftGameRunner.java
|
||||||
|
+++ b/net/minecraft/launcher/game/MinecraftGameRunner.java
|
||||||
|
@@ -45,14 +45,15 @@
|
||||||
|
import java.util.Map;
|
||||||
|
import java.util.TreeSet;
|
||||||
|
import java.util.UUID;
|
||||||
|
+import java.util.concurrent.ExecutionException;
|
||||||
|
import java.util.zip.ZipEntry;
|
||||||
|
import java.util.zip.ZipFile;
|
||||||
|
-import net.minecraft.launcher.CompatibilityRule;
|
||||||
|
-import net.minecraft.launcher.CurrentLaunchFeatureMatcher;
|
||||||
|
-import net.minecraft.launcher.Launcher;
|
||||||
|
-import net.minecraft.launcher.LauncherConstants;
|
||||||
|
+
|
||||||
|
+import me.nepnep.msa4legacy.patches.MicrosoftAccount;
|
||||||
|
+import net.minecraft.launcher.*;
|
||||||
|
import net.minecraft.launcher.profile.LauncherVisibilityRule;
|
||||||
|
import net.minecraft.launcher.profile.Profile;
|
||||||
|
+import net.minecraft.launcher.profile.ProfileManager;
|
||||||
|
import net.minecraft.launcher.updater.ArgumentType;
|
||||||
|
import net.minecraft.launcher.updater.CompleteMinecraftVersion;
|
||||||
|
import net.minecraft.launcher.updater.Library;
|
||||||
|
@@ -77,6 +78,7 @@
|
||||||
|
private LauncherVisibilityRule visibilityRule = LauncherVisibilityRule.CLOSE_LAUNCHER;
|
||||||
|
private UserAuthentication auth;
|
||||||
|
private Profile selectedProfile;
|
||||||
|
+ public MicrosoftAccount msa = null;
|
||||||
|
|
||||||
|
public MinecraftGameRunner(Launcher minecraftLauncher, String[] additionalLaunchArgs) {
|
||||||
|
this.minecraftLauncher = minecraftLauncher;
|
||||||
|
@@ -254,25 +256,60 @@
|
||||||
|
}
|
||||||
|
return virtualRoot;
|
||||||
|
}
|
||||||
|
+
|
||||||
|
+ public void createMSA() {
|
||||||
|
+ if (msa != null) {
|
||||||
|
+ return;
|
||||||
|
+ }
|
||||||
|
+
|
||||||
|
+ ProfileManager profManager = minecraftLauncher.getProfileManager();
|
||||||
|
+ msa = profManager.getAuthDatabase().getMSAByUUID(profManager.getSelectedUser());
|
||||||
|
+ if (msa != null) {
|
||||||
|
+ try {
|
||||||
|
+ msa = ((SwingUserInterface) minecraftLauncher.getUserInterface()).popup
|
||||||
|
+ .msaLogInForm
|
||||||
|
+ .auth
|
||||||
|
+ .authenticate(msa.email)
|
||||||
|
+ .get();
|
||||||
|
+ } catch (InterruptedException e) {
|
||||||
|
+ Thread.currentThread().interrupt();
|
||||||
|
+ } catch (ExecutionException e) {
|
||||||
|
+ msa = null;
|
||||||
|
+ }
|
||||||
|
+ }
|
||||||
|
+ }
|
||||||
|
|
||||||
|
public StrSubstitutor createArgumentsSubstitutor(CompleteMinecraftVersion version, Profile selectedProfile, File gameDirectory, File assetsDirectory, UserAuthentication authentication) {
|
||||||
|
HashMap<String, String> map = new HashMap<String, String>();
|
||||||
|
- map.put("auth_access_token", authentication.getAuthenticatedToken());
|
||||||
|
- map.put("user_properties", new GsonBuilder().registerTypeAdapter((Type)((Object)PropertyMap.class), new LegacyPropertyMapSerializer()).create().toJson(authentication.getUserProperties()));
|
||||||
|
- map.put("user_property_map", new GsonBuilder().registerTypeAdapter((Type)((Object)PropertyMap.class), new PropertyMap.Serializer()).create().toJson(authentication.getUserProperties()));
|
||||||
|
- if (authentication.isLoggedIn() && authentication.canPlayOnline()) {
|
||||||
|
- if (authentication instanceof YggdrasilUserAuthentication) {
|
||||||
|
- map.put("auth_session", String.format("token:%s:%s", authentication.getAuthenticatedToken(), UUIDTypeAdapter.fromUUID(authentication.getSelectedProfile().getId())));
|
||||||
|
+ createMSA();
|
||||||
|
+ if (authentication != null) {
|
||||||
|
+ map.put("auth_access_token", authentication.getAuthenticatedToken());
|
||||||
|
+ map.put("user_properties", new GsonBuilder().registerTypeAdapter((Type) ((Object) PropertyMap.class), new LegacyPropertyMapSerializer()).create().toJson(authentication.getUserProperties()));
|
||||||
|
+ map.put("user_property_map", new GsonBuilder().registerTypeAdapter((Type) ((Object) PropertyMap.class), new PropertyMap.Serializer()).create().toJson(authentication.getUserProperties()));
|
||||||
|
+ if (authentication.isLoggedIn() && authentication.canPlayOnline()) {
|
||||||
|
+ if (authentication instanceof YggdrasilUserAuthentication) {
|
||||||
|
+ map.put("auth_session", String.format("token:%s:%s", authentication.getAuthenticatedToken(), UUIDTypeAdapter.fromUUID(authentication.getSelectedProfile().getId())));
|
||||||
|
+ } else {
|
||||||
|
+ map.put("auth_session", authentication.getAuthenticatedToken());
|
||||||
|
+ }
|
||||||
|
} else {
|
||||||
|
- map.put("auth_session", authentication.getAuthenticatedToken());
|
||||||
|
+ map.put("auth_session", "-");
|
||||||
|
}
|
||||||
|
+ } else if (msa != null) {
|
||||||
|
+ map.put("auth_access_token", msa.token);
|
||||||
|
+ map.put("auth-session", String.format("token:%s:%s", msa.token, msa.uuid));
|
||||||
|
} else {
|
||||||
|
map.put("auth_session", "-");
|
||||||
|
}
|
||||||
|
- if (authentication.getSelectedProfile() != null) {
|
||||||
|
+
|
||||||
|
+ if (authentication != null && authentication.getSelectedProfile() != null) {
|
||||||
|
map.put("auth_player_name", authentication.getSelectedProfile().getName());
|
||||||
|
map.put("auth_uuid", UUIDTypeAdapter.fromUUID(authentication.getSelectedProfile().getId()));
|
||||||
|
map.put("user_type", authentication.getUserType().getName());
|
||||||
|
+ } else if (msa != null) {
|
||||||
|
+ map.put("auth_player_name", msa.username);
|
||||||
|
+ map.put("auth_uuid", msa.uuid);
|
||||||
|
+ map.put("user_type", UserType.MOJANG.getName());
|
||||||
|
} else {
|
||||||
|
map.put("auth_player_name", "Player");
|
||||||
|
map.put("auth_uuid", new UUID(0L, 0L).toString());
|
||||||
|
@@ -390,7 +427,8 @@
|
||||||
|
}
|
||||||
|
|
||||||
|
private CompatibilityRule.FeatureMatcher createFeatureMatcher() {
|
||||||
|
- return new CurrentLaunchFeatureMatcher(this.selectedProfile, this.getVersion(), this.minecraftLauncher.getProfileManager().getAuthDatabase().getByUUID(this.minecraftLauncher.getProfileManager().getSelectedUser()));
|
||||||
|
+ createMSA();
|
||||||
|
+ return new CurrentLaunchFeatureMatcher(this.selectedProfile, this.getVersion(), this.minecraftLauncher.getProfileManager().getAuthDatabase().getByUUID(this.minecraftLauncher.getProfileManager().getSelectedUser()), msa);
|
||||||
|
}
|
||||||
|
|
||||||
|
private String constructClassPath(CompleteMinecraftVersion version) {
|
||||||
|
@@ -469,7 +507,7 @@
|
||||||
|
}
|
||||||
|
catch (Throwable throwable) {
|
||||||
|
Downloadable.closeSilently(inputStream);
|
||||||
|
- throw throwable;
|
||||||
|
+ throw new RuntimeException(throwable);
|
||||||
|
}
|
||||||
|
Downloadable.closeSilently(inputStream);
|
||||||
|
break block10;
|
||||||
|
@@ -494,4 +532,3 @@
|
||||||
|
return this.selectedProfile;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
|
@ -0,0 +1,66 @@
|
||||||
|
--- a/net/minecraft/launcher/profile/AuthenticationDatabase.java
|
||||||
|
+++ b/net/minecraft/launcher/profile/AuthenticationDatabase.java
|
||||||
|
@@ -16,16 +16,17 @@
|
||||||
|
import com.mojang.authlib.UserAuthentication;
|
||||||
|
import com.mojang.authlib.yggdrasil.YggdrasilAuthenticationService;
|
||||||
|
import java.lang.reflect.Type;
|
||||||
|
-import java.util.ArrayList;
|
||||||
|
-import java.util.Collection;
|
||||||
|
-import java.util.HashMap;
|
||||||
|
-import java.util.LinkedHashMap;
|
||||||
|
-import java.util.Map;
|
||||||
|
-import java.util.Set;
|
||||||
|
+import java.util.*;
|
||||||
|
+
|
||||||
|
+import me.nepnep.msa4legacy.patches.MicrosoftAccount;
|
||||||
|
import net.minecraft.launcher.Launcher;
|
||||||
|
|
||||||
|
+// My code here is so bad :sob:
|
||||||
|
public class AuthenticationDatabase {
|
||||||
|
public static final String DEMO_UUID_PREFIX = "demo-";
|
||||||
|
+
|
||||||
|
+ public final Map<String, MicrosoftAccount> msaByEmail = new HashMap<String, MicrosoftAccount>();
|
||||||
|
+
|
||||||
|
private final Map<String, UserAuthentication> authById;
|
||||||
|
private final AuthenticationService authenticationService;
|
||||||
|
|
||||||
|
@@ -56,6 +57,15 @@
|
||||||
|
public UserAuthentication getByUUID(String uuid) {
|
||||||
|
return this.authById.get(uuid);
|
||||||
|
}
|
||||||
|
+
|
||||||
|
+ public MicrosoftAccount getMSAByUUID(String uuid) {
|
||||||
|
+ for (MicrosoftAccount msa : msaByEmail.values()) {
|
||||||
|
+ if (msa.uuid.equals(uuid)) {
|
||||||
|
+ return msa;
|
||||||
|
+ }
|
||||||
|
+ }
|
||||||
|
+ return null;
|
||||||
|
+ }
|
||||||
|
|
||||||
|
public Collection<String> getKnownNames() {
|
||||||
|
ArrayList<String> names = new ArrayList<String>();
|
||||||
|
@@ -67,6 +77,8 @@
|
||||||
|
}
|
||||||
|
names.add(AuthenticationDatabase.getUserFromDemoUUID(entry.getKey()));
|
||||||
|
}
|
||||||
|
+
|
||||||
|
+ names.addAll(msaByEmail.keySet());
|
||||||
|
return names;
|
||||||
|
}
|
||||||
|
|
||||||
|
@@ -147,7 +159,8 @@
|
||||||
|
|
||||||
|
@Override
|
||||||
|
public JsonElement serialize(AuthenticationDatabase src, Type typeOfSrc, JsonSerializationContext context) {
|
||||||
|
- Map services = src.authById;
|
||||||
|
+ // Weird patch to fix recompilation
|
||||||
|
+ Map<String, UserAuthentication> services = src.authById;
|
||||||
|
HashMap credentials = new HashMap();
|
||||||
|
for (Map.Entry entry : services.entrySet()) {
|
||||||
|
credentials.put(entry.getKey(), ((UserAuthentication)entry.getValue()).saveForStorage());
|
||||||
|
@@ -156,4 +169,3 @@
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
|
@ -0,0 +1,26 @@
|
||||||
|
--- a/net/minecraft/launcher/profile/ProfileManager.java
|
||||||
|
+++ b/net/minecraft/launcher/profile/ProfileManager.java
|
||||||
|
@@ -121,7 +121,7 @@
|
||||||
|
listener.onUserChanged(this);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
||||||
|
+
|
||||||
|
public Profile getSelectedProfile() {
|
||||||
|
if (this.selectedProfile == null || !this.profiles.containsKey(this.selectedProfile)) {
|
||||||
|
if (this.profiles.get(DEFAULT_PROFILE_NAME) != null) {
|
||||||
|
@@ -200,7 +200,8 @@
|
||||||
|
@Override
|
||||||
|
public RawProfileList deserialize(JsonElement json, Type typeOfT, JsonDeserializationContext context) throws JsonParseException {
|
||||||
|
JsonObject object = (JsonObject)json;
|
||||||
|
- Map profiles = Maps.newHashMap();
|
||||||
|
+ // Weird patch to fix recompilation
|
||||||
|
+ Map<String, Profile> profiles = Maps.newHashMap();
|
||||||
|
if (object.has("profiles")) {
|
||||||
|
profiles = (Map)context.deserialize(object.get("profiles"), new TypeToken<Map<String, Profile>>(){}.getType());
|
||||||
|
}
|
||||||
|
@@ -248,4 +249,3 @@
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
|
@ -0,0 +1,46 @@
|
||||||
|
--- a/net/minecraft/launcher/ui/bottombar/PlayerInfoPanel.java
|
||||||
|
+++ b/net/minecraft/launcher/ui/bottombar/PlayerInfoPanel.java
|
||||||
|
@@ -17,6 +17,8 @@
|
||||||
|
import javax.swing.JLabel;
|
||||||
|
import javax.swing.JPanel;
|
||||||
|
import javax.swing.SwingUtilities;
|
||||||
|
+
|
||||||
|
+import me.nepnep.msa4legacy.patches.MicrosoftAccount;
|
||||||
|
import net.minecraft.launcher.Launcher;
|
||||||
|
import net.minecraft.launcher.profile.Profile;
|
||||||
|
import net.minecraft.launcher.profile.ProfileManager;
|
||||||
|
@@ -89,7 +91,16 @@
|
||||||
|
VersionSyncInfo version;
|
||||||
|
UserAuthentication auth;
|
||||||
|
ProfileManager profileManager = this.minecraftLauncher.getProfileManager();
|
||||||
|
- UserAuthentication userAuthentication = auth = profileManager.getSelectedUser() == null ? null : profileManager.getAuthDatabase().getByUUID(profileManager.getSelectedUser());
|
||||||
|
+
|
||||||
|
+ String selectedUser = profileManager.getSelectedUser();
|
||||||
|
+ MicrosoftAccount msa = null;
|
||||||
|
+ if (selectedUser == null) {
|
||||||
|
+ auth = null;
|
||||||
|
+ } else {
|
||||||
|
+ auth = profileManager.getAuthDatabase().getByUUID(selectedUser);
|
||||||
|
+ msa = profileManager.getAuthDatabase().getMSAByUUID(selectedUser);
|
||||||
|
+ }
|
||||||
|
+
|
||||||
|
if (auth == null || !auth.isLoggedIn()) {
|
||||||
|
this.welcomeText.setText("Welcome, guest! Please log in.");
|
||||||
|
} else if (auth.getSelectedProfile() == null) {
|
||||||
|
@@ -97,6 +108,11 @@
|
||||||
|
} else {
|
||||||
|
this.welcomeText.setText("<html>Welcome, <b>" + auth.getSelectedProfile().getName() + "</b></html>");
|
||||||
|
}
|
||||||
|
+
|
||||||
|
+ if (msa != null) {
|
||||||
|
+ this.welcomeText.setText("<html>Welcome, <b>" + msa.username + "</b></html>");
|
||||||
|
+ }
|
||||||
|
+
|
||||||
|
Profile profile = profileManager.getProfiles().isEmpty() ? null : profileManager.getSelectedProfile();
|
||||||
|
List<VersionSyncInfo> versions = profile == null ? null : this.minecraftLauncher.getLauncher().getVersionManager().getVersions(profile.getVersionFilter());
|
||||||
|
VersionSyncInfo versionSyncInfo = version = profile == null || versions.isEmpty() ? null : versions.get(0);
|
||||||
|
@@ -141,4 +157,3 @@
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
|
@ -0,0 +1,17 @@
|
||||||
|
--- a/net/minecraft/launcher/ui/bottombar/StatusPanelForm.java
|
||||||
|
+++ b/net/minecraft/launcher/ui/bottombar/StatusPanelForm.java
|
||||||
|
@@ -57,7 +57,8 @@
|
||||||
|
public void run() {
|
||||||
|
try {
|
||||||
|
TypeToken<List<Map<String, ServerStatus>>> token = new TypeToken<List<Map<String, ServerStatus>>>(){};
|
||||||
|
- List statuses = (List)StatusPanelForm.this.gson.fromJson(Http.performGet(new URL("http://status.mojang.com/check"), StatusPanelForm.this.minecraftLauncher.getLauncher().getProxy()), token.getType());
|
||||||
|
+ // Weird patch to fix recompilation
|
||||||
|
+ List<Map<String, ServerStatus>> statuses = (List)StatusPanelForm.this.gson.fromJson(Http.performGet(new URL("http://status.mojang.com/check"), StatusPanelForm.this.minecraftLauncher.getLauncher().getProxy()), token.getType());
|
||||||
|
for (Map serverStatusInformation : statuses) {
|
||||||
|
if (serverStatusInformation.containsKey(StatusPanelForm.SERVER_LOGIN)) {
|
||||||
|
StatusPanelForm.this.loginStatus.setText(((ServerStatus)((Object)serverStatusInformation.get(StatusPanelForm.SERVER_LOGIN))).title);
|
||||||
|
@@ -86,4 +87,3 @@
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
|
@ -0,0 +1,216 @@
|
||||||
|
--- a/net/minecraft/launcher/ui/popups/login/ExistingUserListForm.java
|
||||||
|
+++ b/net/minecraft/launcher/ui/popups/login/ExistingUserListForm.java
|
||||||
|
@@ -4,6 +4,8 @@
|
||||||
|
package net.minecraft.launcher.ui.popups.login;
|
||||||
|
|
||||||
|
import com.google.common.base.Objects;
|
||||||
|
+import com.microsoft.aad.msal4j.IAccount;
|
||||||
|
+import com.microsoft.aad.msal4j.PublicClientApplication;
|
||||||
|
import com.mojang.authlib.UserAuthentication;
|
||||||
|
import com.mojang.authlib.exceptions.AuthenticationException;
|
||||||
|
import com.mojang.util.UUIDTypeAdapter;
|
||||||
|
@@ -15,6 +17,9 @@
|
||||||
|
import java.awt.event.ActionEvent;
|
||||||
|
import java.awt.event.ActionListener;
|
||||||
|
import java.io.IOException;
|
||||||
|
+import java.util.Set;
|
||||||
|
+import java.util.concurrent.ExecutionException;
|
||||||
|
+import java.util.function.Consumer;
|
||||||
|
import javax.swing.Box;
|
||||||
|
import javax.swing.JButton;
|
||||||
|
import javax.swing.JComboBox;
|
||||||
|
@@ -22,9 +27,10 @@
|
||||||
|
import javax.swing.JPanel;
|
||||||
|
import javax.swing.JPopupMenu;
|
||||||
|
import javax.swing.SwingUtilities;
|
||||||
|
+
|
||||||
|
+import me.nepnep.msa4legacy.patches.MicrosoftAccount;
|
||||||
|
import net.minecraft.launcher.profile.AuthenticationDatabase;
|
||||||
|
import net.minecraft.launcher.profile.ProfileManager;
|
||||||
|
-import net.minecraft.launcher.ui.popups.login.LogInPopup;
|
||||||
|
import org.apache.logging.log4j.LogManager;
|
||||||
|
import org.apache.logging.log4j.Logger;
|
||||||
|
|
||||||
|
@@ -33,13 +39,20 @@
|
||||||
|
implements ActionListener {
|
||||||
|
private static final Logger LOGGER = LogManager.getLogger();
|
||||||
|
private final LogInPopup popup;
|
||||||
|
- private final JComboBox userDropdown = new JComboBox();
|
||||||
|
+ public final JComboBox userDropdown = new JComboBox();
|
||||||
|
private final AuthenticationDatabase authDatabase;
|
||||||
|
private final JButton playButton = new JButton("Play");
|
||||||
|
private final JButton logOutButton = new JButton("Log Out");
|
||||||
|
+ private final GridBagConstraints defaultConstraints = new GridBagConstraints();
|
||||||
|
private final ProfileManager profileManager;
|
||||||
|
|
||||||
|
public ExistingUserListForm(LogInPopup popup) {
|
||||||
|
+ defaultConstraints.fill = 2;
|
||||||
|
+ defaultConstraints.gridx = 0;
|
||||||
|
+ defaultConstraints.gridy = -1;
|
||||||
|
+ defaultConstraints.gridwidth = 2;
|
||||||
|
+ defaultConstraints.weightx = 1.0;
|
||||||
|
+
|
||||||
|
this.popup = popup;
|
||||||
|
this.profileManager = popup.getMinecraftLauncher().getProfileManager();
|
||||||
|
this.authDatabase = popup.getMinecraftLauncher().getProfileManager().getAuthDatabase();
|
||||||
|
@@ -57,19 +70,33 @@
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
+ public void createPartialInterface() {
|
||||||
|
+ int index = 0;
|
||||||
|
+ int theIndex = 0;
|
||||||
|
+ for (Component comp : getComponents()) {
|
||||||
|
+ index++;
|
||||||
|
+ if (comp instanceof JLabel) {
|
||||||
|
+ String text = ((JLabel) comp).getText();
|
||||||
|
+ if (text.contains("You're already logged")) {
|
||||||
|
+ theIndex = index;
|
||||||
|
+ remove(comp);
|
||||||
|
+ } else if (text.contains("You may use")) {
|
||||||
|
+ remove(comp);
|
||||||
|
+ }
|
||||||
|
+ }
|
||||||
|
+ }
|
||||||
|
+
|
||||||
|
+ String currentUser = this.authDatabase.getKnownNames().size() == 1 ? this.authDatabase.getKnownNames().iterator().next() : this.authDatabase.getKnownNames().size() + " different users";
|
||||||
|
+ String thisOrThese = this.authDatabase.getKnownNames().size() == 1 ? "this account" : "one of these accounts";
|
||||||
|
+ add(new JLabel("You're already logged in as " + currentUser + "."), defaultConstraints, theIndex);
|
||||||
|
+ add(new JLabel("You may use " + thisOrThese + " and skip authentication."), defaultConstraints, theIndex + 1);
|
||||||
|
+ }
|
||||||
|
+
|
||||||
|
protected void createInterface() {
|
||||||
|
this.setLayout(new GridBagLayout());
|
||||||
|
- GridBagConstraints constraints = new GridBagConstraints();
|
||||||
|
- constraints.fill = 2;
|
||||||
|
- constraints.gridx = 0;
|
||||||
|
- constraints.gridy = -1;
|
||||||
|
- constraints.gridwidth = 2;
|
||||||
|
- constraints.weightx = 1.0;
|
||||||
|
+ GridBagConstraints constraints = (GridBagConstraints) defaultConstraints.clone();
|
||||||
|
this.add(Box.createGlue());
|
||||||
|
- String currentUser = this.authDatabase.getKnownNames().size() == 1 ? this.authDatabase.getKnownNames().iterator().next() : this.authDatabase.getKnownNames().size() + " different users";
|
||||||
|
- String thisOrThese = this.authDatabase.getKnownNames().size() == 1 ? "this account" : "one of these accounts";
|
||||||
|
- this.add((Component)new JLabel("You're already logged in as " + currentUser + "."), constraints);
|
||||||
|
- this.add((Component)new JLabel("You may use " + thisOrThese + " and skip authentication."), constraints);
|
||||||
|
+ createPartialInterface();
|
||||||
|
this.add(Box.createVerticalStrut(5), constraints);
|
||||||
|
JLabel usernameLabel = new JLabel("Existing User:");
|
||||||
|
Font labelFont = usernameLabel.getFont().deriveFont(1);
|
||||||
|
@@ -94,43 +121,57 @@
|
||||||
|
this.add((Component)new JPopupMenu.Separator(), constraints);
|
||||||
|
}
|
||||||
|
|
||||||
|
+ // This is a mess and i hate it
|
||||||
|
@Override
|
||||||
|
- public void actionPerformed(ActionEvent e) {
|
||||||
|
- String uuid;
|
||||||
|
- UserAuthentication auth;
|
||||||
|
+ public void actionPerformed(final ActionEvent e) {
|
||||||
|
final Object selected = this.userDropdown.getSelectedItem();
|
||||||
|
if (selected != null && selected instanceof String) {
|
||||||
|
- auth = this.authDatabase.getByName((String)selected);
|
||||||
|
- uuid = auth.getSelectedProfile() == null ? "demo-" + auth.getUserID() : UUIDTypeAdapter.fromUUID(auth.getSelectedProfile().getId());
|
||||||
|
- } else {
|
||||||
|
- auth = null;
|
||||||
|
- uuid = null;
|
||||||
|
- }
|
||||||
|
- if (e.getSource() == this.playButton) {
|
||||||
|
- this.popup.setCanLogIn(false);
|
||||||
|
- this.popup.getMinecraftLauncher().getLauncher().getVersionManager().getExecutorService().execute(new Runnable(){
|
||||||
|
-
|
||||||
|
+ final String selectedString = (String) selected;
|
||||||
|
+ popup.msaLogInForm.auth.authenticate(selectedString).thenAccept(new Consumer<MicrosoftAccount>() {
|
||||||
|
@Override
|
||||||
|
- public void run() {
|
||||||
|
- if (auth != null && uuid != null) {
|
||||||
|
- try {
|
||||||
|
- if (!auth.canPlayOnline()) {
|
||||||
|
- auth.logIn();
|
||||||
|
- }
|
||||||
|
- ExistingUserListForm.this.popup.setLoggedIn(uuid);
|
||||||
|
- }
|
||||||
|
- catch (AuthenticationException ex) {
|
||||||
|
- ExistingUserListForm.this.popup.getErrorForm().displayError(ex, "We couldn't log you back in as " + selected + ".", "Please try to log in again.");
|
||||||
|
- ExistingUserListForm.this.removeUser((String)selected, uuid);
|
||||||
|
- ExistingUserListForm.this.popup.setCanLogIn(true);
|
||||||
|
+ public void accept(MicrosoftAccount msa) {
|
||||||
|
+ final UserAuthentication auth = authDatabase.getByName(selectedString);
|
||||||
|
+ String uuid = null;
|
||||||
|
+ if (auth == null) {
|
||||||
|
+ if (msa != null) {
|
||||||
|
+ uuid = msa.uuid;
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
- ExistingUserListForm.this.popup.setCanLogIn(true);
|
||||||
|
+ uuid = auth.getSelectedProfile() == null ?
|
||||||
|
+ "demo-" + auth.getUserID() :
|
||||||
|
+ UUIDTypeAdapter.fromUUID(auth.getSelectedProfile().getId());
|
||||||
|
+ }
|
||||||
|
+ if (e.getSource() == playButton) {
|
||||||
|
+ popup.setCanLogIn(false);
|
||||||
|
+ final MicrosoftAccount finalMsa = msa;
|
||||||
|
+ final String finalUuid = uuid;
|
||||||
|
+ popup.getMinecraftLauncher().getLauncher().getVersionManager().getExecutorService().execute(new Runnable(){
|
||||||
|
+ @Override
|
||||||
|
+ public void run() {
|
||||||
|
+ if (auth != null) {
|
||||||
|
+ try {
|
||||||
|
+ if (!auth.canPlayOnline()) {
|
||||||
|
+ auth.logIn();
|
||||||
|
+ }
|
||||||
|
+ ExistingUserListForm.this.popup.setLoggedIn(finalUuid);
|
||||||
|
+ }
|
||||||
|
+ catch (AuthenticationException ex) {
|
||||||
|
+ ExistingUserListForm.this.popup.getErrorForm().displayError(ex, "We couldn't log you back in as " + selected + ".", "Please try to log in again.");
|
||||||
|
+ ExistingUserListForm.this.removeUser((String)selected, finalUuid);
|
||||||
|
+ ExistingUserListForm.this.popup.setCanLogIn(true);
|
||||||
|
+ }
|
||||||
|
+ } else if (finalMsa != null) {
|
||||||
|
+ popup.setLoggedIn(finalMsa);
|
||||||
|
+ } else {
|
||||||
|
+ ExistingUserListForm.this.popup.setCanLogIn(true);
|
||||||
|
+ }
|
||||||
|
+ }
|
||||||
|
+ });
|
||||||
|
+ } else if (e.getSource() == logOutButton) {
|
||||||
|
+ removeUser((String)selected, uuid);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
});
|
||||||
|
- } else if (e.getSource() == this.logOutButton) {
|
||||||
|
- this.removeUser((String)selected, uuid);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@@ -146,6 +187,25 @@
|
||||||
|
} else {
|
||||||
|
this.userDropdown.removeItem(name);
|
||||||
|
this.authDatabase.removeUUID(uuid);
|
||||||
|
+ authDatabase.msaByEmail.remove(name);
|
||||||
|
+ final PublicClientApplication pca = popup.msaLogInForm.auth.app;
|
||||||
|
+ pca.getAccounts().thenAccept(new Consumer<Set<IAccount>>() {
|
||||||
|
+ @Override
|
||||||
|
+ public void accept(Set<IAccount> iAccounts) {
|
||||||
|
+ for (IAccount acc : iAccounts) {
|
||||||
|
+ if (acc.username().equals(name)) {
|
||||||
|
+ try {
|
||||||
|
+ pca.removeAccount(acc).get();
|
||||||
|
+ } catch (ExecutionException e) {
|
||||||
|
+ LOGGER.error("Exception removing microsoft account", e);
|
||||||
|
+ } catch (InterruptedException e) {
|
||||||
|
+ Thread.currentThread().interrupt(); // Maybe?
|
||||||
|
+ }
|
||||||
|
+ break;
|
||||||
|
+ }
|
||||||
|
+ }
|
||||||
|
+ }
|
||||||
|
+ });
|
||||||
|
try {
|
||||||
|
this.profileManager.saveProfiles();
|
||||||
|
}
|
||||||
|
@@ -158,4 +218,3 @@
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
|
@ -0,0 +1,91 @@
|
||||||
|
--- a/net/minecraft/launcher/ui/popups/login/LogInPopup.java
|
||||||
|
+++ b/net/minecraft/launcher/ui/popups/login/LogInPopup.java
|
||||||
|
@@ -21,11 +21,11 @@
|
||||||
|
import javax.swing.JProgressBar;
|
||||||
|
import javax.swing.SwingUtilities;
|
||||||
|
import javax.swing.border.EmptyBorder;
|
||||||
|
+
|
||||||
|
+import me.nepnep.msa4legacy.patches.MSALogInForm;
|
||||||
|
+import me.nepnep.msa4legacy.patches.MicrosoftAccount;
|
||||||
|
import net.minecraft.launcher.Launcher;
|
||||||
|
import net.minecraft.launcher.LauncherConstants;
|
||||||
|
-import net.minecraft.launcher.ui.popups.login.AuthErrorForm;
|
||||||
|
-import net.minecraft.launcher.ui.popups.login.ExistingUserListForm;
|
||||||
|
-import net.minecraft.launcher.ui.popups.login.LogInForm;
|
||||||
|
|
||||||
|
public class LogInPopup
|
||||||
|
extends JPanel
|
||||||
|
@@ -38,6 +38,10 @@
|
||||||
|
private final JButton loginButton = new JButton("Log In");
|
||||||
|
private final JButton registerButton = new JButton("Register");
|
||||||
|
private final JProgressBar progressBar = new JProgressBar();
|
||||||
|
+ public final JButton msaButton = new JButton("Microsoft Account");
|
||||||
|
+ public final MSALogInForm msaLogInForm = new MSALogInForm(this);
|
||||||
|
+ public final JPanel buttonPanel = new JPanel();
|
||||||
|
+ public int existingUserListIndex = 0;
|
||||||
|
|
||||||
|
public LogInPopup(Launcher minecraftLauncher, Callback callback) {
|
||||||
|
super(true);
|
||||||
|
@@ -49,6 +53,7 @@
|
||||||
|
this.createInterface();
|
||||||
|
this.loginButton.addActionListener(this);
|
||||||
|
this.registerButton.addActionListener(this);
|
||||||
|
+ this.msaButton.addActionListener(this);
|
||||||
|
}
|
||||||
|
|
||||||
|
protected void createInterface() {
|
||||||
|
@@ -63,6 +68,7 @@
|
||||||
|
imagePanel.add(label);
|
||||||
|
this.add(imagePanel);
|
||||||
|
this.add(Box.createVerticalStrut(10));
|
||||||
|
+ existingUserListIndex = 2;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
catch (IOException e) {
|
||||||
|
@@ -73,11 +79,13 @@
|
||||||
|
}
|
||||||
|
this.add(this.errorForm);
|
||||||
|
this.add(this.logInForm);
|
||||||
|
+ this.add(this.msaLogInForm);
|
||||||
|
this.add(Box.createVerticalStrut(15));
|
||||||
|
- JPanel buttonPanel = new JPanel();
|
||||||
|
- buttonPanel.setLayout(new GridLayout(1, 2, 10, 0));
|
||||||
|
+ buttonPanel.setLayout(new GridLayout(1, 3, 10, 0));
|
||||||
|
buttonPanel.add(this.registerButton);
|
||||||
|
buttonPanel.add(this.loginButton);
|
||||||
|
+ msaLogInForm.setVisible(false);
|
||||||
|
+ buttonPanel.add(msaButton);
|
||||||
|
this.add(buttonPanel);
|
||||||
|
this.progressBar.setIndeterminate(true);
|
||||||
|
this.progressBar.setVisible(false);
|
||||||
|
@@ -90,6 +98,8 @@
|
||||||
|
this.logInForm.tryLogIn();
|
||||||
|
} else if (e.getSource() == this.registerButton) {
|
||||||
|
OperatingSystem.openLink(LauncherConstants.URL_REGISTER);
|
||||||
|
+ } else if (e.getSource() == msaButton) {
|
||||||
|
+ msaLogInForm.setVisible(true);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@@ -128,7 +138,11 @@
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setLoggedIn(String uuid) {
|
||||||
|
- this.callback.onLogIn(uuid);
|
||||||
|
+ this.callback.onLogIn(uuid, null);
|
||||||
|
+ }
|
||||||
|
+
|
||||||
|
+ public void setLoggedIn(MicrosoftAccount msa) {
|
||||||
|
+ callback.onLogIn(null, msa);
|
||||||
|
}
|
||||||
|
|
||||||
|
public void repack() {
|
||||||
|
@@ -139,7 +153,6 @@
|
||||||
|
}
|
||||||
|
|
||||||
|
public static interface Callback {
|
||||||
|
- public void onLogIn(String var1);
|
||||||
|
+ public void onLogIn(String var1, MicrosoftAccount msa);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
|
@ -0,0 +1,29 @@
|
||||||
|
--- a/net/minecraft/launcher/updater/CompleteMinecraftVersion.java
|
||||||
|
+++ b/net/minecraft/launcher/updater/CompleteMinecraftVersion.java
|
||||||
|
@@ -29,6 +29,7 @@
|
||||||
|
import net.minecraft.launcher.CompatibilityRule;
|
||||||
|
import net.minecraft.launcher.CurrentLaunchFeatureMatcher;
|
||||||
|
import net.minecraft.launcher.Launcher;
|
||||||
|
+import net.minecraft.launcher.profile.AuthenticationDatabase;
|
||||||
|
import net.minecraft.launcher.profile.ProfileManager;
|
||||||
|
import net.minecraft.launcher.updater.AbstractDownloadInfo;
|
||||||
|
import net.minecraft.launcher.updater.Argument;
|
||||||
|
@@ -328,8 +329,11 @@
|
||||||
|
|
||||||
|
public CompatibilityRule.FeatureMatcher createFeatureMatcher() {
|
||||||
|
ProfileManager profileManager = Launcher.getCurrentInstance().getProfileManager();
|
||||||
|
- UserAuthentication auth = profileManager.getAuthDatabase().getByUUID(profileManager.getSelectedUser());
|
||||||
|
- return new CurrentLaunchFeatureMatcher(profileManager.getSelectedProfile(), this, auth);
|
||||||
|
+ AuthenticationDatabase authDb = profileManager.getAuthDatabase();
|
||||||
|
+ String selectedUser = profileManager.getSelectedUser();
|
||||||
|
+ UserAuthentication auth = authDb.getByUUID(selectedUser);
|
||||||
|
+
|
||||||
|
+ return new CurrentLaunchFeatureMatcher(profileManager.getSelectedProfile(), this, auth, authDb.getMSAByUUID(selectedUser));
|
||||||
|
}
|
||||||
|
|
||||||
|
public void addArguments(ArgumentType type, CompatibilityRule.FeatureMatcher featureMatcher, GameProcessBuilder builder, StrSubstitutor substitutor) {
|
||||||
|
@@ -369,4 +373,3 @@
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
|
@ -0,0 +1,24 @@
|
||||||
|
--- a/net/minecraft/launcher/updater/MinecraftVersionManager.java
|
||||||
|
+++ b/net/minecraft/launcher/updater/MinecraftVersionManager.java
|
||||||
|
@@ -300,14 +300,9 @@
|
||||||
|
LOGGER.debug("Delta time to compare resources: " + delta / 1000000L + " ms ");
|
||||||
|
}
|
||||||
|
catch (Exception ex) {
|
||||||
|
- try {
|
||||||
|
- LOGGER.error("Couldn't download resources", (Throwable)ex);
|
||||||
|
- }
|
||||||
|
- catch (Throwable throwable) {
|
||||||
|
- IOUtils.closeQuietly(inputStream);
|
||||||
|
- throw throwable;
|
||||||
|
- }
|
||||||
|
+ LOGGER.error("Couldn't download resources", (Throwable)ex);
|
||||||
|
IOUtils.closeQuietly(inputStream);
|
||||||
|
+ throw new RuntimeException(ex);
|
||||||
|
}
|
||||||
|
IOUtils.closeQuietly(inputStream);
|
||||||
|
return result;
|
||||||
|
@@ -362,4 +357,3 @@
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
-
|
2
settings.gradle.kts
Normal file
2
settings.gradle.kts
Normal file
|
@ -0,0 +1,2 @@
|
||||||
|
rootProject.name = "MSA4Legacy"
|
||||||
|
|
58
src/main/java/me/nepnep/msa4legacy/installer/Main.java
Normal file
58
src/main/java/me/nepnep/msa4legacy/installer/Main.java
Normal file
|
@ -0,0 +1,58 @@
|
||||||
|
package me.nepnep.msa4legacy.installer;
|
||||||
|
|
||||||
|
import net.minecraftforge.binarypatcher.ConsoleTool;
|
||||||
|
|
||||||
|
import javax.swing.*;
|
||||||
|
import java.awt.*;
|
||||||
|
import java.awt.event.ActionEvent;
|
||||||
|
import java.awt.event.ActionListener;
|
||||||
|
import java.io.File;
|
||||||
|
import java.io.IOException;
|
||||||
|
|
||||||
|
public class Main {
|
||||||
|
public static void main(String[] args) {
|
||||||
|
final JFrame frame = new JFrame("MSA4Legacy Installer");
|
||||||
|
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
|
||||||
|
|
||||||
|
JPanel layout = new JPanel(new GridLayout(2, 0, 0, 5));
|
||||||
|
JButton button = new JButton("Install");
|
||||||
|
button.addActionListener(new ActionListener() {
|
||||||
|
@Override
|
||||||
|
public void actionPerformed(ActionEvent event) {
|
||||||
|
final JFileChooser chooser = new JFileChooser();
|
||||||
|
chooser.addActionListener(new ActionListener() {
|
||||||
|
@Override
|
||||||
|
public void actionPerformed(ActionEvent fileEvent) {
|
||||||
|
File file = chooser.getSelectedFile();
|
||||||
|
try {
|
||||||
|
String directory = file.getParentFile().getCanonicalPath() + File.separator;
|
||||||
|
ConsoleTool.main(new String[]{
|
||||||
|
"--clean",
|
||||||
|
file.getCanonicalPath(),
|
||||||
|
"--output",
|
||||||
|
directory + "launcher-patched.jar",
|
||||||
|
"--apply",
|
||||||
|
directory + "patches.lzma",
|
||||||
|
"--data",
|
||||||
|
"--unpatched"
|
||||||
|
});
|
||||||
|
System.out.println("Finished patching");
|
||||||
|
} catch (IOException e) {
|
||||||
|
e.printStackTrace();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
});
|
||||||
|
chooser.showSaveDialog(frame);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
JLabel label = new JLabel("Select the launcher jar to install");
|
||||||
|
label.setHorizontalAlignment(JLabel.CENTER);
|
||||||
|
layout.add(label);
|
||||||
|
layout.add(button);
|
||||||
|
|
||||||
|
frame.setContentPane(layout);
|
||||||
|
frame.pack();
|
||||||
|
frame.setLocationRelativeTo(null);
|
||||||
|
frame.setVisible(true);
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,39 @@
|
||||||
|
package me.nepnep.msa4legacy.patches;
|
||||||
|
|
||||||
|
import com.google.gson.TypeAdapter;
|
||||||
|
import com.google.gson.stream.JsonReader;
|
||||||
|
import com.google.gson.stream.JsonToken;
|
||||||
|
import com.google.gson.stream.JsonWriter;
|
||||||
|
import com.mojang.launcher.updater.LowerCaseEnumTypeAdapterFactory;
|
||||||
|
|
||||||
|
import java.io.IOException;
|
||||||
|
import java.util.HashMap;
|
||||||
|
import java.util.Map;
|
||||||
|
|
||||||
|
public class LowerCaseEnumTypeAdapter<T> extends TypeAdapter<T> {
|
||||||
|
private final Map<String, Object> lowercaseToConstant = new HashMap<String, Object>();
|
||||||
|
|
||||||
|
public LowerCaseEnumTypeAdapter(T[] constants) {
|
||||||
|
for (T constant : constants) {
|
||||||
|
lowercaseToConstant.put(LowerCaseEnumTypeAdapterFactory.toLowercase(constant), constant);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override
|
||||||
|
public void write(JsonWriter jsonWriter, T value) throws IOException {
|
||||||
|
if (value == null) {
|
||||||
|
jsonWriter.nullValue();
|
||||||
|
} else {
|
||||||
|
jsonWriter.value(LowerCaseEnumTypeAdapterFactory.toLowercase(value));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override
|
||||||
|
public T read(JsonReader jsonReader) throws IOException {
|
||||||
|
if (jsonReader.peek() == JsonToken.NULL) {
|
||||||
|
jsonReader.nextNull();
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
return (T) lowercaseToConstant.get(jsonReader.nextString());
|
||||||
|
}
|
||||||
|
}
|
62
src/patches/me/nepnep/msa4legacy/patches/MSALogInForm.java
Normal file
62
src/patches/me/nepnep/msa4legacy/patches/MSALogInForm.java
Normal file
|
@ -0,0 +1,62 @@
|
||||||
|
package me.nepnep.msa4legacy.patches;
|
||||||
|
|
||||||
|
import net.minecraft.launcher.Launcher;
|
||||||
|
import net.minecraft.launcher.ui.popups.login.LogInPopup;
|
||||||
|
|
||||||
|
import javax.swing.*;
|
||||||
|
import java.awt.*;
|
||||||
|
import java.awt.event.ActionEvent;
|
||||||
|
import java.awt.event.ActionListener;
|
||||||
|
import java.util.function.Consumer;
|
||||||
|
|
||||||
|
public class MSALogInForm extends JPanel {
|
||||||
|
public final MicrosoftAuth auth = new MicrosoftAuth(this);
|
||||||
|
private final AccountConsumer consumer = new AccountConsumer();
|
||||||
|
public final LogInPopup popup;
|
||||||
|
|
||||||
|
public MSALogInForm(LogInPopup popup) {
|
||||||
|
super(new GridLayout(5, 1, 0, 10)); // Extra one for device code
|
||||||
|
this.popup = popup;
|
||||||
|
|
||||||
|
JLabel label = new JLabel("Email");
|
||||||
|
add(label);
|
||||||
|
final JTextField emailField = new JTextField();
|
||||||
|
add(emailField);
|
||||||
|
JButton loginButton = new JButton("Log In");
|
||||||
|
add(loginButton);
|
||||||
|
JButton backButton = new JButton("Back");
|
||||||
|
add(backButton);
|
||||||
|
|
||||||
|
loginButton.addActionListener(new ActionListener() {
|
||||||
|
@Override
|
||||||
|
public void actionPerformed(ActionEvent e) {
|
||||||
|
if (emailField.getDocument() != null) {
|
||||||
|
auth.authenticate(emailField.getText()).thenAccept(consumer);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
backButton.addActionListener(new ActionListener() {
|
||||||
|
@Override
|
||||||
|
public void actionPerformed(ActionEvent e) {
|
||||||
|
setVisible(false);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override
|
||||||
|
public void setVisible(boolean visible) {
|
||||||
|
super.setVisible(visible);
|
||||||
|
for (Component button : popup.buttonPanel.getComponents()) {
|
||||||
|
button.setVisible(!visible);
|
||||||
|
}
|
||||||
|
popup.getLogInForm().setVisible(!visible);
|
||||||
|
}
|
||||||
|
|
||||||
|
private static class AccountConsumer implements Consumer<MicrosoftAccount> {
|
||||||
|
@Override
|
||||||
|
public void accept(MicrosoftAccount microsoftAccount) {
|
||||||
|
Launcher.getCurrentInstance().getProfileManager().setSelectedUser(microsoftAccount.uuid);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,15 @@
|
||||||
|
package me.nepnep.msa4legacy.patches;
|
||||||
|
|
||||||
|
public class MicrosoftAccount {
|
||||||
|
public final String email;
|
||||||
|
public final String uuid;
|
||||||
|
public final String token;
|
||||||
|
public final String username;
|
||||||
|
|
||||||
|
public MicrosoftAccount(String email, String uuid, String token, String username) {
|
||||||
|
this.email = email;
|
||||||
|
this.uuid = uuid;
|
||||||
|
this.token = token;
|
||||||
|
this.username = username;
|
||||||
|
}
|
||||||
|
}
|
317
src/patches/me/nepnep/msa4legacy/patches/MicrosoftAuth.java
Normal file
317
src/patches/me/nepnep/msa4legacy/patches/MicrosoftAuth.java
Normal file
|
@ -0,0 +1,317 @@
|
||||||
|
package me.nepnep.msa4legacy.patches;
|
||||||
|
|
||||||
|
import com.google.gson.*;
|
||||||
|
import com.microsoft.aad.msal4j.*;
|
||||||
|
import net.minecraft.launcher.Launcher;
|
||||||
|
import net.minecraft.launcher.ui.popups.login.ExistingUserListForm;
|
||||||
|
import net.minecraft.launcher.ui.popups.login.LogInPopup;
|
||||||
|
import org.apache.commons.io.IOUtils;
|
||||||
|
import org.apache.logging.log4j.LogManager;
|
||||||
|
import org.apache.logging.log4j.Logger;
|
||||||
|
|
||||||
|
import javax.net.ssl.HttpsURLConnection;
|
||||||
|
import javax.swing.*;
|
||||||
|
import java.awt.*;
|
||||||
|
import java.io.IOException;
|
||||||
|
import java.io.InputStreamReader;
|
||||||
|
import java.io.OutputStream;
|
||||||
|
import java.net.URL;
|
||||||
|
import java.nio.charset.StandardCharsets;
|
||||||
|
import java.util.*;
|
||||||
|
import java.util.List;
|
||||||
|
import java.util.concurrent.CompletableFuture;
|
||||||
|
import java.util.concurrent.ExecutionException;
|
||||||
|
import java.util.function.Consumer;
|
||||||
|
import java.util.function.Function;
|
||||||
|
|
||||||
|
public class MicrosoftAuth {
|
||||||
|
public final PublicClientApplication app = PublicClientApplication.builder("810b4a0d-7663-4e28-8680-24458240dee4")
|
||||||
|
.setTokenCacheAccessAspect(new TokenCache())
|
||||||
|
.build();
|
||||||
|
private final Gson gson = new Gson();
|
||||||
|
private final Set<String> scopes = new HashSet<String>();
|
||||||
|
private final String tenant = "consumers";
|
||||||
|
private final Logger logger = LogManager.getLogger();
|
||||||
|
private final TokenMapper tokenMapper = new TokenMapper();
|
||||||
|
|
||||||
|
private final MSALogInForm form;
|
||||||
|
|
||||||
|
public MicrosoftAuth(MSALogInForm form) {
|
||||||
|
this.form = form;
|
||||||
|
|
||||||
|
scopes.add("XboxLive.signin");
|
||||||
|
addAllToDatabase();
|
||||||
|
}
|
||||||
|
|
||||||
|
public CompletableFuture<MicrosoftAccount> authenticate(final String email) {
|
||||||
|
return acquireToken(email).thenApply(new Function<String, MicrosoftAccount>() {
|
||||||
|
@Override
|
||||||
|
public MicrosoftAccount apply(String oauthToken) {
|
||||||
|
if (oauthToken == null) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
try {
|
||||||
|
JsonObject xblResponse = xblAuth(oauthToken);
|
||||||
|
String xblToken = xblResponse.get("Token").getAsString();
|
||||||
|
String userHash = xblResponse.get("DisplayClaims")
|
||||||
|
.getAsJsonObject()
|
||||||
|
.get("xui")
|
||||||
|
.getAsJsonArray()
|
||||||
|
.get(0)
|
||||||
|
.getAsJsonObject()
|
||||||
|
.get("uhs")
|
||||||
|
.getAsString();
|
||||||
|
String xstsToken = xstsAuth(xblToken);
|
||||||
|
String mcToken = minecraftAuth(xstsToken, userHash);
|
||||||
|
MicrosoftAccount msa = getProfile(mcToken, email);
|
||||||
|
addToDatabase(email, msa);
|
||||||
|
return msa;
|
||||||
|
} catch (Exception e) {
|
||||||
|
logger.error("Failed to authenticate", e);
|
||||||
|
}
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
@SuppressWarnings("all") // Stupid but it works
|
||||||
|
private CompletableFuture<String> acquireToken(String email) {
|
||||||
|
try {
|
||||||
|
for (IAccount account : app.getAccounts().get()) {
|
||||||
|
if (account.username().equals(email)) {
|
||||||
|
SilentParameters param = SilentParameters.builder(scopes, account).tenant(tenant).build();
|
||||||
|
return app.acquireTokenSilently(param).thenApply(tokenMapper);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
} catch (ExecutionException e) {
|
||||||
|
return deviceFlow(e);
|
||||||
|
} catch (InterruptedException e) {
|
||||||
|
Thread.currentThread().interrupt();
|
||||||
|
} catch (Exception e) {
|
||||||
|
logger.error("Failed to get cached accounts", e);
|
||||||
|
}
|
||||||
|
|
||||||
|
return deviceFlow(null);
|
||||||
|
}
|
||||||
|
|
||||||
|
private JsonObject xblAuth(String oauthToken) throws IOException {
|
||||||
|
HttpsURLConnection conn = (HttpsURLConnection) new URL("https://user.auth.xboxlive.com/user/authenticate").openConnection();
|
||||||
|
conn.setRequestMethod("POST");
|
||||||
|
|
||||||
|
JsonObject innerObject = new JsonObject();
|
||||||
|
innerObject.addProperty("AuthMethod", "RPS");
|
||||||
|
innerObject.addProperty("SiteName", "user.auth.xboxlive.com");
|
||||||
|
innerObject.addProperty("RpsTicket", "d=" + oauthToken);
|
||||||
|
|
||||||
|
JsonObject body = new JsonObject();
|
||||||
|
body.add("Properties", innerObject);
|
||||||
|
body.addProperty("RelyingParty", "http://auth.xboxlive.com");
|
||||||
|
body.addProperty("TokenType", "JWT");
|
||||||
|
|
||||||
|
conn.setRequestProperty("Content-Type", "application/json");
|
||||||
|
conn.setRequestProperty("Accept", "application/json");
|
||||||
|
|
||||||
|
conn.setDoOutput(true);
|
||||||
|
conn.connect();
|
||||||
|
|
||||||
|
OutputStream out = null;
|
||||||
|
try {
|
||||||
|
out = conn.getOutputStream();
|
||||||
|
out.write(bodyToBytes(body));
|
||||||
|
return gson.fromJson(new InputStreamReader(conn.getInputStream()), JsonObject.class);
|
||||||
|
} finally {
|
||||||
|
IOUtils.closeQuietly(out);
|
||||||
|
conn.disconnect();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private String xstsAuth(String xblToken) throws IOException {
|
||||||
|
HttpsURLConnection conn = (HttpsURLConnection) new URL("https://xsts.auth.xboxlive.com/xsts/authorize").openConnection();
|
||||||
|
conn.setRequestMethod("POST");
|
||||||
|
|
||||||
|
JsonObject innerObject = new JsonObject();
|
||||||
|
innerObject.addProperty("SandboxId", "RETAIL");
|
||||||
|
|
||||||
|
JsonArray tokenArray = new JsonArray();
|
||||||
|
tokenArray.add(new JsonPrimitive(xblToken));
|
||||||
|
innerObject.add("UserTokens", tokenArray);
|
||||||
|
|
||||||
|
JsonObject body = new JsonObject();
|
||||||
|
body.add("Properties", innerObject);
|
||||||
|
body.addProperty("RelyingParty", "rp://api.minecraftservices.com/");
|
||||||
|
body.addProperty("TokenType", "JWT");
|
||||||
|
|
||||||
|
conn.setRequestProperty("Content-Type", "application/json");
|
||||||
|
conn.setRequestProperty("Accept", "application/json");
|
||||||
|
|
||||||
|
conn.setDoOutput(true);
|
||||||
|
conn.connect();
|
||||||
|
|
||||||
|
OutputStream out = null;
|
||||||
|
try {
|
||||||
|
out = conn.getOutputStream();
|
||||||
|
out.write(bodyToBytes(body));
|
||||||
|
JsonObject responseBody = gson.fromJson(new InputStreamReader(conn.getInputStream()), JsonObject.class);
|
||||||
|
if (conn.getResponseCode() == 401) {
|
||||||
|
throw new XErrException("XSTS auth returned 401 with XErr " + responseBody.get("XErr").getAsLong());
|
||||||
|
}
|
||||||
|
return responseBody.get("Token").getAsString();
|
||||||
|
} finally {
|
||||||
|
IOUtils.closeQuietly(out);
|
||||||
|
conn.disconnect();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private String minecraftAuth(String xstsToken, String userHash) throws IOException {
|
||||||
|
HttpsURLConnection conn = (HttpsURLConnection) new URL("https://api.minecraftservices.com/authentication/login_with_xbox").openConnection();
|
||||||
|
conn.setRequestMethod("POST");
|
||||||
|
|
||||||
|
JsonObject body = new JsonObject();
|
||||||
|
body.addProperty("identityToken", String.format("XBL3.0 x=%s;%s", userHash, xstsToken));
|
||||||
|
|
||||||
|
conn.setRequestProperty("Content-Type", "application/json");
|
||||||
|
conn.setRequestProperty("Accept", "application/json");
|
||||||
|
conn.setDoOutput(true);
|
||||||
|
conn.connect();
|
||||||
|
|
||||||
|
OutputStream out = null;
|
||||||
|
try {
|
||||||
|
out = conn.getOutputStream();
|
||||||
|
out.write(bodyToBytes(body));
|
||||||
|
return gson.fromJson(new InputStreamReader(conn.getInputStream()), JsonObject.class).get("access_token").getAsString();
|
||||||
|
} finally {
|
||||||
|
IOUtils.closeQuietly(out);
|
||||||
|
conn.disconnect();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private MicrosoftAccount getProfile(String mcToken, String email) throws IOException {
|
||||||
|
HttpsURLConnection conn = (HttpsURLConnection) new URL("https://api.minecraftservices.com/minecraft/profile").openConnection();
|
||||||
|
conn.setRequestProperty("Authorization", "Bearer " + mcToken);
|
||||||
|
conn.connect();
|
||||||
|
|
||||||
|
try {
|
||||||
|
JsonObject response = gson.fromJson(new InputStreamReader(conn.getInputStream()), JsonObject.class);
|
||||||
|
JsonElement uuidElement = response.get("id");
|
||||||
|
if (uuidElement == null) {
|
||||||
|
logger.error("Account does not have profile");
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
return new MicrosoftAccount(email, uuidElement.getAsString(), mcToken, response.get("name").getAsString());
|
||||||
|
} finally {
|
||||||
|
conn.disconnect();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@SuppressWarnings("all")
|
||||||
|
private CompletableFuture<String> deviceFlow(ExecutionException e) {
|
||||||
|
if (e != null) {
|
||||||
|
logger.debug("Couldn't load account from cache, starting device flow", e);
|
||||||
|
}
|
||||||
|
DeviceCodeFlowParameters param = DeviceCodeFlowParameters.builder(scopes, new Consumer<DeviceCode>() {
|
||||||
|
@Override
|
||||||
|
public void accept(DeviceCode deviceCode) {
|
||||||
|
for (Component comp : form.getComponents()) {
|
||||||
|
if (comp instanceof JTextPane && ((JTextPane) comp).getText().contains("/link")) { // Only one with this is the code
|
||||||
|
form.remove(comp);
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
JTextPane text = new JTextPane();
|
||||||
|
text.setEditable(false);
|
||||||
|
text.setBackground(null);
|
||||||
|
text.setBorder(null);
|
||||||
|
text.setCursor(Cursor.getPredefinedCursor(Cursor.TEXT_CURSOR));
|
||||||
|
text.setText(deviceCode.message());
|
||||||
|
form.add(text);
|
||||||
|
form.validate();
|
||||||
|
}
|
||||||
|
}).tenant(tenant).build();
|
||||||
|
try {
|
||||||
|
return app.acquireToken(param).thenApply(tokenMapper);
|
||||||
|
} catch (Exception ex) {
|
||||||
|
logger.error("Failed to get oauth token through device flow", ex);
|
||||||
|
return CompletableFuture.completedFuture(null);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@SuppressWarnings("all")
|
||||||
|
private byte[] bodyToBytes(JsonObject body) {
|
||||||
|
return body.toString().getBytes(StandardCharsets.UTF_8);
|
||||||
|
}
|
||||||
|
|
||||||
|
@SuppressWarnings("all")
|
||||||
|
private void addAllToDatabase() {
|
||||||
|
try {
|
||||||
|
List<String> emails = new ArrayList<String>();
|
||||||
|
for (IAccount account : app.getAccounts().get()) {
|
||||||
|
emails.add(account.username());
|
||||||
|
}
|
||||||
|
|
||||||
|
for (final String email : emails) {
|
||||||
|
authenticate(email).thenAccept(new Consumer<MicrosoftAccount>() {
|
||||||
|
@Override
|
||||||
|
public void accept(MicrosoftAccount microsoftAccount) {
|
||||||
|
addToDatabase(email, microsoftAccount);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
} catch (InterruptedException e) {
|
||||||
|
Thread.currentThread().interrupt();
|
||||||
|
} catch (Exception e) {
|
||||||
|
logger.error("Exception adding microsoft accounts", e);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private void addToDatabase(final String email, MicrosoftAccount msa) {
|
||||||
|
Launcher.getCurrentInstance().getProfileManager().getAuthDatabase().msaByEmail.put(email, msa);
|
||||||
|
LogInPopup popup = form.popup;
|
||||||
|
ExistingUserListForm userListForm = popup.getExistingUserListForm();
|
||||||
|
JComboBox box = userListForm.userDropdown;
|
||||||
|
List<String> items = new ArrayList<String>();
|
||||||
|
for (int i = 0; i < box.getItemCount(); i++) {
|
||||||
|
items.add((String) box.getItemAt(i));
|
||||||
|
}
|
||||||
|
boolean changed = false;
|
||||||
|
boolean shouldRepack = false;
|
||||||
|
boolean amountChanged = false;
|
||||||
|
if (!items.contains(email)) {
|
||||||
|
box.addItem(email);
|
||||||
|
changed = amountChanged = true;
|
||||||
|
}
|
||||||
|
if (!Arrays.asList(popup.getComponents()).contains(userListForm)) {
|
||||||
|
popup.add(userListForm, popup.existingUserListIndex);
|
||||||
|
changed = shouldRepack = true;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (amountChanged) {
|
||||||
|
userListForm.createPartialInterface();
|
||||||
|
}
|
||||||
|
|
||||||
|
if (shouldRepack) {
|
||||||
|
popup.repack();
|
||||||
|
}
|
||||||
|
|
||||||
|
if (changed) {
|
||||||
|
popup.invalidate();
|
||||||
|
popup.validate();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
private static class TokenMapper implements Function<IAuthenticationResult, String> {
|
||||||
|
@Override
|
||||||
|
public String apply(IAuthenticationResult iAuthenticationResult) {
|
||||||
|
return iAuthenticationResult.accessToken();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private static class XErrException extends RuntimeException {
|
||||||
|
public XErrException(String message) {
|
||||||
|
super(message);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
|
53
src/patches/me/nepnep/msa4legacy/patches/TokenCache.java
Normal file
53
src/patches/me/nepnep/msa4legacy/patches/TokenCache.java
Normal file
|
@ -0,0 +1,53 @@
|
||||||
|
package me.nepnep.msa4legacy.patches;
|
||||||
|
|
||||||
|
import com.microsoft.aad.msal4j.ITokenCacheAccessAspect;
|
||||||
|
import com.microsoft.aad.msal4j.ITokenCacheAccessContext;
|
||||||
|
import net.minecraft.launcher.Launcher;
|
||||||
|
import org.apache.commons.io.IOUtils;
|
||||||
|
import org.apache.logging.log4j.LogManager;
|
||||||
|
import org.apache.logging.log4j.Logger;
|
||||||
|
|
||||||
|
import java.io.*;
|
||||||
|
|
||||||
|
public class TokenCache implements ITokenCacheAccessAspect {
|
||||||
|
private final Logger logger = LogManager.getLogger();
|
||||||
|
private final File file = new File(Launcher.getCurrentInstance().getLauncher().getWorkingDirectory(), "microsoft_accounts.json");
|
||||||
|
private String data = readFile();
|
||||||
|
|
||||||
|
@Override
|
||||||
|
public void beforeCacheAccess(ITokenCacheAccessContext iTokenCacheAccessContext) {
|
||||||
|
if (data != null) {
|
||||||
|
iTokenCacheAccessContext.tokenCache().deserialize(data);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override
|
||||||
|
public void afterCacheAccess(ITokenCacheAccessContext iTokenCacheAccessContext) {
|
||||||
|
data = iTokenCacheAccessContext.tokenCache().serialize();
|
||||||
|
FileWriter writer = null;
|
||||||
|
try {
|
||||||
|
writer = new FileWriter(file);
|
||||||
|
writer.write(data);
|
||||||
|
} catch (IOException e) {
|
||||||
|
logger.error("IOException while saving token cache", e);
|
||||||
|
} finally {
|
||||||
|
IOUtils.closeQuietly(writer);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private String readFile() {
|
||||||
|
FileInputStream stream = null;
|
||||||
|
try {
|
||||||
|
stream = new FileInputStream(file);
|
||||||
|
return IOUtils.toString(stream);
|
||||||
|
} catch (FileNotFoundException e) {
|
||||||
|
logger.error("microsoft_accounts.json not found, ignoring", e);
|
||||||
|
return null;
|
||||||
|
} catch (IOException e) {
|
||||||
|
logger.error("IOException while reading profiles for MSA", e);
|
||||||
|
return null;
|
||||||
|
} finally {
|
||||||
|
IOUtils.closeQuietly(stream);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
Loading…
Reference in a new issue