如何从Java设置环境变量?


289

如何从Java设置环境变量?我看到我可以使用来对子流程执行此操作ProcessBuilder。不过,我有几个子流程要启动,因此我宁愿修改当前流程的环境,并让这些子流程继承它。

有一个System.getenv(String)获取单个环境变量的方法。我还可以使用获取Map完整的环境变量集System.getenv()。但是,调用put()该方法Map将引发UnsupportedOperationException-显然,这意味着该环境是只读的。而且,没有System.setenv()

那么,有什么方法可以在当前运行的进程中设置环境变量?如果是这样,怎么办?如果没有,有什么根据?(是因为这是Java,所以我不应该像触摸我的环境那样做邪恶的,不可移植的过时的事情吗?)如果没有,那么管理环境变量更改的任何好的建议都需要反馈给几个子流程?


System.getEnv()旨在具有通用性,某些环境甚至没有环境变量。
b1nary.atr0phy'5

7
对于需要在单元测试用例中使用的任何人:stackoverflow.com/questions/8168884/…–
Atifm

Answers:


88

(是因为这是Java,所以我不应该像触摸我的环境那样做邪恶的,不可移植的过时的事情吗?)

我想你已经打中了头。

减轻负担的一种可能方法是排除一种方法

void setUpEnvironment(ProcessBuilder builder) {
    Map<String, String> env = builder.environment();
    // blah blah
}

ProcessBuilder在启动它们之前通过它。

另外,您可能已经知道这一点,但是可以使用相同的命令启动多个进程ProcessBuilder。因此,如果您的子流程相同,则无需一遍又一遍地进行此设置。


1
遗憾的是,管理不允许我使用其他可移植的语言来运行这组邪恶的,过时的子流程。:)
skiphoppy

18
S.Lott,我不想设置父母的环境。我希望设置自己的环境。
skiphoppy

3
除非是其他人的库(例如,Sun的库)启动了该过程,否则这样做非常有效。
沙利文

24
@ b1naryatr0phy您错过了重点。没有人可以使用您的环境变量,因为这些变量是进程本地的(在Windows中设置的是默认值)。每个进程都可以自由更改自己的变量……除非是Java。
maaartinus 2012年

9
Java的这种局限性足以解决。除了“因为我们不希望Java执行此操作”外,Java没有理由不让您设置环境变量。
IanNorton

232

对于需要为单元测试设置特定环境值的方案,您可能会发现以下技巧很有用。它将在整个JVM中更改环境变量(因此请确保在测试后重置所有更改),但不会更改系统环境。

我发现爱德华·坎贝尔和匿名的两种肮脏黑客的组合效果最佳,因为其中一种在Linux下不起作用,一个在Windows 7下不起作用。因此,为了获得多平台邪恶的黑客,我将它们结合在一起:

protected static void setEnv(Map<String, String> newenv) throws Exception {
  try {
    Class<?> processEnvironmentClass = Class.forName("java.lang.ProcessEnvironment");
    Field theEnvironmentField = processEnvironmentClass.getDeclaredField("theEnvironment");
    theEnvironmentField.setAccessible(true);
    Map<String, String> env = (Map<String, String>) theEnvironmentField.get(null);
    env.putAll(newenv);
    Field theCaseInsensitiveEnvironmentField = processEnvironmentClass.getDeclaredField("theCaseInsensitiveEnvironment");
    theCaseInsensitiveEnvironmentField.setAccessible(true);
    Map<String, String> cienv = (Map<String, String>)     theCaseInsensitiveEnvironmentField.get(null);
    cienv.putAll(newenv);
  } catch (NoSuchFieldException e) {
    Class[] classes = Collections.class.getDeclaredClasses();
    Map<String, String> env = System.getenv();
    for(Class cl : classes) {
      if("java.util.Collections$UnmodifiableMap".equals(cl.getName())) {
        Field field = cl.getDeclaredField("m");
        field.setAccessible(true);
        Object obj = field.get(env);
        Map<String, String> map = (Map<String, String>) obj;
        map.clear();
        map.putAll(newenv);
      }
    }
  }
}

这就像一个魅力。完全归功于这些骇客的两位作者。


1
这只会改变内存,还是实际上改变系统中的整个环境变量?
Shervin Asgari 2012年

36
这只会更改内存中的环境变量。这对测试很有用,因为您可以根据需要设置环境变量以进行测试,但是将env保留在系统中。实际上,我强烈劝阻任何人不要出于测试以外的任何其他目的使用此代码。这段代码是邪恶的;-)
急于

9
作为FYI,JVM在启动时会创建环境变量的副本。这将编辑该副本,而不是启动JVM的父进程的环境变量。
bmeding 2012年

我在Android上尝试过,但似乎没有。其他人在Android上有运气吗?
汉斯·克里斯托夫·斯坦纳

5
当然,import java.lang.reflect.Field;
pushy

63
public static void set(Map<String, String> newenv) throws Exception {
    Class[] classes = Collections.class.getDeclaredClasses();
    Map<String, String> env = System.getenv();
    for(Class cl : classes) {
        if("java.util.Collections$UnmodifiableMap".equals(cl.getName())) {
            Field field = cl.getDeclaredField("m");
            field.setAccessible(true);
            Object obj = field.get(env);
            Map<String, String> map = (Map<String, String>) obj;
            map.clear();
            map.putAll(newenv);
        }
    }
}

或根据thejoshwolfe的建议添加/更新单个var并删除循环。

@SuppressWarnings({ "unchecked" })
  public static void updateEnv(String name, String val) throws ReflectiveOperationException {
    Map<String, String> env = System.getenv();
    Field field = env.getClass().getDeclaredField("m");
    field.setAccessible(true);
    ((Map<String, String>) field.get(env)).put(name, val);
  }

3
听起来这会修改内存中的地图,但会将值保存到系统中吗?
乔恩·昂斯托特

1
它确实可以更改环境变量的内存映射。我想这足以满足很多用例。@Edward-天哪,很难想象该解决方案最初是如何解决的!
阿尼万

13
这不会更改系统上的环境变量,但是会在当前的Java调用中更改它们。这对于单元测试非常有用。
斯图尔特K

10
为什么不使用Class<?> cl = env.getClass();代替for循环呢?
thejoshwolfe

1
这正是我一直在寻找的!我一直在为使用第三方工具的某些代码编写集成测试,由于某种原因,该工具仅允许您使用环境变量来修改其异常短的默认超时时间。
David DeMar

21
// this is a dirty hack - but should be ok for a unittest.
private void setNewEnvironmentHack(Map<String, String> newenv) throws Exception
{
  Class<?> processEnvironmentClass = Class.forName("java.lang.ProcessEnvironment");
  Field theEnvironmentField = processEnvironmentClass.getDeclaredField("theEnvironment");
  theEnvironmentField.setAccessible(true);
  Map<String, String> env = (Map<String, String>) theEnvironmentField.get(null);
  env.clear();
  env.putAll(newenv);
  Field theCaseInsensitiveEnvironmentField = processEnvironmentClass.getDeclaredField("theCaseInsensitiveEnvironment");
  theCaseInsensitiveEnvironmentField.setAccessible(true);
  Map<String, String> cienv = (Map<String, String>) theCaseInsensitiveEnvironmentField.get(null);
  cienv.clear();
  cienv.putAll(newenv);
}

17

在Android上,该接口通过Libcore.os作为一种隐藏的API公开。

Libcore.os.setenv("VAR", "value", bOverwrite);
Libcore.os.getenv("VAR"));

Libcore类以及接口OS是公共的。仅缺少类声明,需要将其显示给链接器。无需将类添加到应用程序中,但是如果包含了类,也不会受到损害。

package libcore.io;

public final class Libcore {
    private Libcore() { }

    public static Os os;
}

package libcore.io;

public interface Os {
    public String getenv(String name);
    public void setenv(String name, String value, boolean overwrite) throws ErrnoException;
}

1
经过测试并可以在Android 4.4.4(CM11)上使用。PS只有我做了调整被替换throws ErrnoExceptionthrows Exception
DavisNT 2014年


1
由于Pie的新限制,现在可能已失效:developer.android.com/about/versions/pie/…–
TWiStErRob

13

仅Linux

设置单个环境变量(基于Edward Campbell的回答):

public static void setEnv(String key, String value) {
    try {
        Map<String, String> env = System.getenv();
        Class<?> cl = env.getClass();
        Field field = cl.getDeclaredField("m");
        field.setAccessible(true);
        Map<String, String> writableEnv = (Map<String, String>) field.get(env);
        writableEnv.put(key, value);
    } catch (Exception e) {
        throw new IllegalStateException("Failed to set environment variable", e);
    }
}

用法:

首先,将方法放在所需的任何类中,例如SystemUtil。然后静态地调用它:

SystemUtil.setEnv("SHELL", "/bin/bash");

如果您System.getenv("SHELL")在此之后致电,您会"/bin/bash"回来的。


以上无法在Windows 10的工作,但在Linux下工作。
mengchengfeng

有趣。我自己没有在Windows上尝试过。@mengchengfeng,您收到错误消息吗?
Hubert Grzeskowiak

@HubertGrzeskowiak我们没有看到任何错误消息,它只是行不通的……
mengchengfeng

9

这是@ paul-blair的答案转换为Java的组合,其中包括paul blair指出的一些清除以及似乎在@pushy的代码中的一些错误,这些错误由@Edward Campbell和匿名用户组成。

我不能强调这些代码仅应在测试中使用,而且非常hacky。但是对于需要在测试中进行环境设置的情况,这正是我所需要的。

这还包括我的一些小改动,使代码可以在运行Windows的两个Windows上运行。

java version "1.8.0_92"
Java(TM) SE Runtime Environment (build 1.8.0_92-b14)
Java HotSpot(TM) 64-Bit Server VM (build 25.92-b14, mixed mode)

以及Centos正在运行

openjdk version "1.8.0_91"
OpenJDK Runtime Environment (build 1.8.0_91-b14)
OpenJDK 64-Bit Server VM (build 25.91-b14, mixed mode)

实现:

/**
 * Sets an environment variable FOR THE CURRENT RUN OF THE JVM
 * Does not actually modify the system's environment variables,
 *  but rather only the copy of the variables that java has taken,
 *  and hence should only be used for testing purposes!
 * @param key The Name of the variable to set
 * @param value The value of the variable to set
 */
@SuppressWarnings("unchecked")
public static <K,V> void setenv(final String key, final String value) {
    try {
        /// we obtain the actual environment
        final Class<?> processEnvironmentClass = Class.forName("java.lang.ProcessEnvironment");
        final Field theEnvironmentField = processEnvironmentClass.getDeclaredField("theEnvironment");
        final boolean environmentAccessibility = theEnvironmentField.isAccessible();
        theEnvironmentField.setAccessible(true);

        final Map<K,V> env = (Map<K, V>) theEnvironmentField.get(null);

        if (SystemUtils.IS_OS_WINDOWS) {
            // This is all that is needed on windows running java jdk 1.8.0_92
            if (value == null) {
                env.remove(key);
            } else {
                env.put((K) key, (V) value);
            }
        } else {
            // This is triggered to work on openjdk 1.8.0_91
            // The ProcessEnvironment$Variable is the key of the map
            final Class<K> variableClass = (Class<K>) Class.forName("java.lang.ProcessEnvironment$Variable");
            final Method convertToVariable = variableClass.getMethod("valueOf", String.class);
            final boolean conversionVariableAccessibility = convertToVariable.isAccessible();
            convertToVariable.setAccessible(true);

            // The ProcessEnvironment$Value is the value fo the map
            final Class<V> valueClass = (Class<V>) Class.forName("java.lang.ProcessEnvironment$Value");
            final Method convertToValue = valueClass.getMethod("valueOf", String.class);
            final boolean conversionValueAccessibility = convertToValue.isAccessible();
            convertToValue.setAccessible(true);

            if (value == null) {
                env.remove(convertToVariable.invoke(null, key));
            } else {
                // we place the new value inside the map after conversion so as to
                // avoid class cast exceptions when rerunning this code
                env.put((K) convertToVariable.invoke(null, key), (V) convertToValue.invoke(null, value));

                // reset accessibility to what they were
                convertToValue.setAccessible(conversionValueAccessibility);
                convertToVariable.setAccessible(conversionVariableAccessibility);
            }
        }
        // reset environment accessibility
        theEnvironmentField.setAccessible(environmentAccessibility);

        // we apply the same to the case insensitive environment
        final Field theCaseInsensitiveEnvironmentField = processEnvironmentClass.getDeclaredField("theCaseInsensitiveEnvironment");
        final boolean insensitiveAccessibility = theCaseInsensitiveEnvironmentField.isAccessible();
        theCaseInsensitiveEnvironmentField.setAccessible(true);
        // Not entirely sure if this needs to be casted to ProcessEnvironment$Variable and $Value as well
        final Map<String, String> cienv = (Map<String, String>) theCaseInsensitiveEnvironmentField.get(null);
        if (value == null) {
            // remove if null
            cienv.remove(key);
        } else {
            cienv.put(key, value);
        }
        theCaseInsensitiveEnvironmentField.setAccessible(insensitiveAccessibility);
    } catch (final ClassNotFoundException | NoSuchMethodException | IllegalAccessException | InvocationTargetException e) {
        throw new IllegalStateException("Failed setting environment variable <"+key+"> to <"+value+">", e);
    } catch (final NoSuchFieldException e) {
        // we could not find theEnvironment
        final Map<String, String> env = System.getenv();
        Stream.of(Collections.class.getDeclaredClasses())
                // obtain the declared classes of type $UnmodifiableMap
                .filter(c1 -> "java.util.Collections$UnmodifiableMap".equals(c1.getName()))
                .map(c1 -> {
                    try {
                        return c1.getDeclaredField("m");
                    } catch (final NoSuchFieldException e1) {
                        throw new IllegalStateException("Failed setting environment variable <"+key+"> to <"+value+"> when locating in-class memory map of environment", e1);
                    }
                })
                .forEach(field -> {
                    try {
                        final boolean fieldAccessibility = field.isAccessible();
                        field.setAccessible(true);
                        // we obtain the environment
                        final Map<String, String> map = (Map<String, String>) field.get(env);
                        if (value == null) {
                            // remove if null
                            map.remove(key);
                        } else {
                            map.put(key, value);
                        }
                        // reset accessibility
                        field.setAccessible(fieldAccessibility);
                    } catch (final ConcurrentModificationException e1) {
                        // This may happen if we keep backups of the environment before calling this method
                        // as the map that we kept as a backup may be picked up inside this block.
                        // So we simply skip this attempt and continue adjusting the other maps
                        // To avoid this one should always keep individual keys/value backups not the entire map
                        LOGGER.info("Attempted to modify source map: "+field.getDeclaringClass()+"#"+field.getName(), e1);
                    } catch (final IllegalAccessException e1) {
                        throw new IllegalStateException("Failed setting environment variable <"+key+"> to <"+value+">. Unable to access field!", e1);
                    }
                });
    }
    LOGGER.info("Set environment variable <"+key+"> to <"+value+">. Sanity Check: "+System.getenv(key));
}

7

事实证明,@ pushy / @ anonymous / @ Edward Campbell的解决方案在Android上不起作用,因为Android并不是真正的Java。具体来说,Android根本没有java.lang.ProcessEnvironment。但是事实证明,在Android中这更容易,您只需要对POSIX进行JNI调用即可setenv()

在C / JNI中:

JNIEXPORT jint JNICALL Java_com_example_posixtest_Posix_setenv
  (JNIEnv* env, jclass clazz, jstring key, jstring value, jboolean overwrite)
{
    char* k = (char *) (*env)->GetStringUTFChars(env, key, NULL);
    char* v = (char *) (*env)->GetStringUTFChars(env, value, NULL);
    int err = setenv(k, v, overwrite);
    (*env)->ReleaseStringUTFChars(env, key, k);
    (*env)->ReleaseStringUTFChars(env, value, v);
    return err;
}

在Java中:

public class Posix {

    public static native int setenv(String key, String value, boolean overwrite);

    private void runTest() {
        Posix.setenv("LD_LIBRARY_PATH", "foo", true);
    }
}

5

像大多数发现此线程的人一样,我正在编写一些单元测试,并且需要修改环境变量来为测试运行设置正确的条件。但是,我发现最受欢迎的答案存在一些问题,并且/或者非常含糊或过于复杂。希望这将帮助其他人更快地找到解决方案。

首先,我终于发现@Hubert Grzeskowiak的解决方案是最简单的,并且对我有用。我希望我先来谈那个。它基于@Edward Campbell的答案,但没有使循环搜索复杂化。

但是,我从@pushy的解决方案开始,该解决方案获得最多的支持。它是@anonymous和@Edward Campbell的组合。@pushy声称,这两种方法都需要涵盖Linux和Windows环境。我在OS X上运行,发现两者均能正常工作(一旦解决了@anonymous方法的问题)。正如其他人指出的那样,该解决方案在大多数时间都有效,但并非全部。

我认为大多数困惑的根源来自在'theEnvironment'字段上运行的@anonymous解决方案。查看ProcessEnvironment结构的定义,“ theEnvironment”不是Map <String,String>,而是Map <Variable,Value>。清除地图可以正常工作,但是putAll操作将地图重新​​构建为Map <String,String>,当后续操作使用期望Map <Variable,Value>的常规API对数据结构进行操作时,这可能会导致问题。另外,访问/删除单个元素也是一个问题。解决方案是通过“不可修改的环境”间接访问“环境”。但是由于这是UnmodifiableMap类型该访问必须通过UnmodifiableMap类型的私有变量'm'完成。请参见下面的代码中的getModifiableEnvironmentMap2。

就我而言,我需要为测试删除一些环境变量(其他变量应该保持不变)。然后,我想在测试后将环境变量恢复到之前的状态。下面的例程可以帮助您做到这一点。我在OS X上测试了两个版本的getModifiableEnvironmentMap,并且两个版本均等效。尽管基于该线程中的注释,但根据环境,一个可能比另一个更好。

注意:我不包括对“ theCaseInsensitiveEnvironmentField”的访问,因为这似乎是Windows特定的,并且我无法对其进行测试,但是添加起来应该很简单。

private Map<String, String> getModifiableEnvironmentMap() {
    try {
        Map<String,String> unmodifiableEnv = System.getenv();
        Class<?> cl = unmodifiableEnv.getClass();
        Field field = cl.getDeclaredField("m");
        field.setAccessible(true);
        Map<String,String> modifiableEnv = (Map<String,String>) field.get(unmodifiableEnv);
        return modifiableEnv;
    } catch(Exception e) {
        throw new RuntimeException("Unable to access writable environment variable map.");
    }
}

private Map<String, String> getModifiableEnvironmentMap2() {
    try {
        Class<?> processEnvironmentClass = Class.forName("java.lang.ProcessEnvironment");
        Field theUnmodifiableEnvironmentField = processEnvironmentClass.getDeclaredField("theUnmodifiableEnvironment");
        theUnmodifiableEnvironmentField.setAccessible(true);
        Map<String,String> theUnmodifiableEnvironment = (Map<String,String>)theUnmodifiableEnvironmentField.get(null);

        Class<?> theUnmodifiableEnvironmentClass = theUnmodifiableEnvironment.getClass();
        Field theModifiableEnvField = theUnmodifiableEnvironmentClass.getDeclaredField("m");
        theModifiableEnvField.setAccessible(true);
        Map<String,String> modifiableEnv = (Map<String,String>) theModifiableEnvField.get(theUnmodifiableEnvironment);
        return modifiableEnv;
    } catch(Exception e) {
        throw new RuntimeException("Unable to access writable environment variable map.");
    }
}

private Map<String, String> clearEnvironmentVars(String[] keys) {

    Map<String,String> modifiableEnv = getModifiableEnvironmentMap();

    HashMap<String, String> savedVals = new HashMap<String, String>();

    for(String k : keys) {
        String val = modifiableEnv.remove(k);
        if (val != null) { savedVals.put(k, val); }
    }
    return savedVals;
}

private void setEnvironmentVars(Map<String, String> varMap) {
    getModifiableEnvironmentMap().putAll(varMap);   
}

@Test
public void myTest() {
    String[] keys = { "key1", "key2", "key3" };
    Map<String, String> savedVars = clearEnvironmentVars(keys);

    // do test

    setEnvironmentVars(savedVars);
}

谢谢,这正是我的用例,在Mac OS X下也是如此。
拉斐尔·贡萨尔维斯

我非常喜欢这一点,因此我为Groovy打造了一个稍微简单的版本,请参见下文。
麦克啮齿动物

4

在网上闲逛,似乎可以通过JNI做到这一点。然后,您必须从C调用putenv(),并且(大概)必须在Windows和UNIX上都可以使用。

如果所有这些都能做到,那么Java本身就可以支持它,而不是直接穿上外套,肯定不会太难。

在其他地方讲Perl的朋友认为,这是因为环境变量是全局过程的,并且Java正在努力为设计提供良好的隔离。


是的,您可以通过C代码设置流程环境。但是我不会指望在Java中工作。JVM在启动期间很有可能将环境复制到Java String对象中,因此您的更改将不会用于将来的JVM操作。
达伦(Darron)

感谢您的警告,达伦。您很可能是对的。
skiphoppy

2
@Darron想要执行此操作的许多原因与JVM所认为的环境根本没有任何关系。(想想LD_LIBRARY_PATH在调用之前进行设置Runtime.loadLibrary()dlopen()它调用的调用着眼于实际环境,而不是Java的想法)。
查尔斯·达菲

这适用于由本机库(在我来说是大多数)启动的子流程,但是不幸的是,不适用于由Java的Process或ProcessBuilder类启动的子流程。
2014年

4

在上面尝试了pushy的答案,并且在大多数情况下都有效。但是,在某些情况下,我会看到以下异常:

java.lang.String cannot be cast to java.lang.ProcessEnvironment$Variable

事实是,由于多次执行该方法而发生了这种情况,这是由于实现了的某些内部类。ProcessEnvironment.如果setEnv(..)多次调用该方法,则从theEnvironment映射中检索键时,它们现在是字符串(已放入)首次调用时为字符串setEnv(...)),并且不能转换为地图的通用类型,Variable,该类型是的私有内部类ProcessEnvironment.

下面是一个固定版本(在Scala中)。希望可以将它移植到Java中不太困难。

def setEnv(newenv: java.util.Map[String, String]): Unit = {
  try {
    val processEnvironmentClass = JavaClass.forName("java.lang.ProcessEnvironment")
    val theEnvironmentField = processEnvironmentClass.getDeclaredField("theEnvironment")
    theEnvironmentField.setAccessible(true)

    val variableClass = JavaClass.forName("java.lang.ProcessEnvironment$Variable")
    val convertToVariable = variableClass.getMethod("valueOf", classOf[java.lang.String])
    convertToVariable.setAccessible(true)

    val valueClass = JavaClass.forName("java.lang.ProcessEnvironment$Value")
    val convertToValue = valueClass.getMethod("valueOf", classOf[java.lang.String])
    convertToValue.setAccessible(true)

    val sampleVariable = convertToVariable.invoke(null, "")
    val sampleValue = convertToValue.invoke(null, "")
    val env = theEnvironmentField.get(null).asInstanceOf[java.util.Map[sampleVariable.type, sampleValue.type]]
    newenv.foreach { case (k, v) => {
        val variable = convertToVariable.invoke(null, k).asInstanceOf[sampleVariable.type]
        val value = convertToValue.invoke(null, v).asInstanceOf[sampleValue.type]
        env.put(variable, value)
      }
    }

    val theCaseInsensitiveEnvironmentField = processEnvironmentClass.getDeclaredField("theCaseInsensitiveEnvironment")
    theCaseInsensitiveEnvironmentField.setAccessible(true)
    val cienv = theCaseInsensitiveEnvironmentField.get(null).asInstanceOf[java.util.Map[String, String]]
    cienv.putAll(newenv);
  }
  catch {
    case e : NoSuchFieldException => {
      try {
        val classes = classOf[java.util.Collections].getDeclaredClasses
        val env = System.getenv()
        classes foreach (cl => {
          if("java.util.Collections$UnmodifiableMap" == cl.getName) {
            val field = cl.getDeclaredField("m")
            field.setAccessible(true)
            val map = field.get(env).asInstanceOf[java.util.Map[String, String]]
            // map.clear() // Not sure why this was in the code. It means we need to set all required environment variables.
            map.putAll(newenv)
          }
        })
      } catch {
        case e2: Exception => e2.printStackTrace()
      }
    }
    case e1: Exception => e1.printStackTrace()
  }
}

JavaClass在哪里定义?
Mike Slinn 2014年

1
想必import java.lang.{Class => JavaClass}
兰德尔·惠特曼

1
即使对于相同的构建,在不同平台上java.lang.ProcessEnvironment的实现也有所不同。例如,在Windows的实现中没有java.lang.ProcessEnvironment $ Variable类,但是对于Linux,该类存在于其中。您可以轻松地检查它。只需下载用于Linux的tar.gz JDK发行版,然后从src.zip中提取源代码,然后将其与Windows发行版中的相同文件进行比较即可。它们在JDK 1.8.0_181中完全不同。我没有在Java 10中检查过它们,但是如果有相同的图片,我不会感到惊讶。
Alex Konshin

1

这是@pushy的邪恶答案的Kotlin邪恶版本=)

@Suppress("UNCHECKED_CAST")
@Throws(Exception::class)
fun setEnv(newenv: Map<String, String>) {
    try {
        val processEnvironmentClass = Class.forName("java.lang.ProcessEnvironment")
        val theEnvironmentField = processEnvironmentClass.getDeclaredField("theEnvironment")
        theEnvironmentField.isAccessible = true
        val env = theEnvironmentField.get(null) as MutableMap<String, String>
        env.putAll(newenv)
        val theCaseInsensitiveEnvironmentField = processEnvironmentClass.getDeclaredField("theCaseInsensitiveEnvironment")
        theCaseInsensitiveEnvironmentField.isAccessible = true
        val cienv = theCaseInsensitiveEnvironmentField.get(null) as MutableMap<String, String>
        cienv.putAll(newenv)
    } catch (e: NoSuchFieldException) {
        val classes = Collections::class.java.getDeclaredClasses()
        val env = System.getenv()
        for (cl in classes) {
            if ("java.util.Collections\$UnmodifiableMap" == cl.getName()) {
                val field = cl.getDeclaredField("m")
                field.setAccessible(true)
                val obj = field.get(env)
                val map = obj as MutableMap<String, String>
                map.clear()
                map.putAll(newenv)
            }
        }
    }

至少在macOS Mojave中可以运行。


0

如果使用SpringBoot,则可以在以下属性中添加指定环境变量:

was.app.config.properties.toSystemProperties

你能解释一下吗?
法拉兹

0

基于@pushy的答案的变体,可在Windows上使用。

def set_env(newenv):
    from java.lang import Class
    process_environment = Class.forName("java.lang.ProcessEnvironment")
    environment_field =  process_environment.getDeclaredField("theEnvironment")
    environment_field.setAccessible(True)
    env = environment_field.get(None)
    env.putAll(newenv)
    invariant_environment_field = process_environment.getDeclaredField("theCaseInsensitiveEnvironment");
    invariant_environment_field.setAccessible(True)
    invevn = invariant_environment_field.get(None)
    invevn.putAll(newenv)

用法:

old_environ = dict(os.environ)
old_environ['EPM_ORACLE_HOME'] = r"E:\Oracle\Middleware\EPMSystem11R1"
set_env(old_environ)

0

蒂姆·瑞安(Tim Ryan)的答案对我有用...但是我希望它适用于Groovy(例如Spock上下文)和simplissimo:

import java.lang.reflect.Field

def getModifiableEnvironmentMap() {
    def unmodifiableEnv = System.getenv()
    Class cl = unmodifiableEnv.getClass()
    Field field = cl.getDeclaredField("m")
    field.accessible = true
    field.get(unmodifiableEnv)
}

def clearEnvironmentVars( def keys ) {
    def savedVals = [:]
    keys.each{ key ->
        String val = modifiableEnvironmentMap.remove(key)
        // thinking about it, I'm not sure why we need this test for null
        // but haven't yet done any experiments
        if( val != null ) {
            savedVals.put( key, val )
        }
    }
    savedVals
}

def setEnvironmentVars(Map varMap) {
    modifiableEnvironmentMap.putAll(varMap)
}

// pretend existing Env Var doesn't exist
def PATHVal1 = System.env.PATH
println "PATH val1 |$PATHVal1|"
String[] keys = ["PATH", "key2", "key3"]
def savedVars = clearEnvironmentVars(keys)
def PATHVal2 = System.env.PATH
println "PATH val2 |$PATHVal2|"

// return to reality
setEnvironmentVars(savedVars)
def PATHVal3 = System.env.PATH
println "PATH val3 |$PATHVal3|"
println "System.env |$System.env|"

// pretend a non-existent Env Var exists
setEnvironmentVars( [ 'key4' : 'key4Val' ])
println "key4 val |$System.env.key4|"

0

在Kotlin的一个版本中,在此算法中,我创建了一个装饰器,该装饰器允许您从环境中设置和获取变量。

import java.util.Collections
import kotlin.reflect.KProperty

class EnvironmentDelegate {
    operator fun getValue(thisRef: Any?, property: KProperty<*>): String {
        return System.getenv(property.name) ?: "-"
    }

    operator fun setValue(thisRef: Any?, property: KProperty<*>, value: String) {
        val key = property.name

        val classes: Array<Class<*>> = Collections::class.java.declaredClasses
        val env = System.getenv()

        val cl = classes.first { "java.util.Collections\$UnmodifiableMap" == it.name }

        val field = cl.getDeclaredField("m")
        field.isAccessible = true
        val obj = field[env]
        val map = obj as MutableMap<String, String>
        map.putAll(mapOf(key to value))
    }
}

class KnownProperties {
    var JAVA_HOME: String by EnvironmentDelegate()
    var sample: String by EnvironmentDelegate()
}

fun main() {
    val knowProps = KnownProperties()
    knowProps.sample = "2"

    println("Java Home: ${knowProps.JAVA_HOME}")
    println("Sample: ${knowProps.sample}")
}

-1

我最近根据Edward的答案做了Kotlin的实现:

fun setEnv(newEnv: Map<String, String>) {
    val unmodifiableMapClass = Collections.unmodifiableMap<Any, Any>(mapOf()).javaClass
    with(unmodifiableMapClass.getDeclaredField("m")) {
        isAccessible = true
        @Suppress("UNCHECKED_CAST")
        get(System.getenv()) as MutableMap<String, String>
    }.apply {
        clear()
        putAll(newEnv)
    }
}

-12

您可以使用-D将参数传递到初始的Java进程中:

java -cp <classpath> -Dkey1=value -Dkey2=value ...

这些值在执行时未知。当用户提供/选择它们时,它们在程序执行过程中就变得众所周知。这样就只设置系统属性,而不设置环境变量。
skiphoppy

然后,在这种情况下,您可能想找到一种常规方法(通过main方法的args []参数)来调用子流程。
马特b

马特b,常规方法是通过ProcessBuilder,如我最初的问题所述。:)
skiphoppy

7
-D参数可通过使用System.getProperty,并且与相同System.getenv。此外,System该类还允许使用setProperty
anirvan 2010年
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.