如何在Java Junit中访问方法的内部变量?

发布于 2025-01-17 12:32:51 字数 172 浏览 0 评论 0原文

我有一个生成随机数的函数,如下所示

public void method(){
     int number = random();
     // continue
}

我的问题是如何在不模拟随机方法的情况下访问此变量?

我的测试场景需要这个变量。

I have a function in which a random number is generated as shown below

public void method(){
     int number = random();
     // continue
}

My question is how can I access this variable without mocking random method?

I need this variable for my test scenarios.

如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。

扫码二维码加入Web技术交流群

发布评论

需要 登录 才能够评论, 你可以免费 注册 一个本站的账号。

评论(2

风轻花落早 2025-01-24 12:32:51

如果您真的需要这是重构代码,可以做的一件事:

@RequiredArgsConstructor
public class MyClass {
 private<Supplier<Integer>> final random;
 
 public void method() {
  int number = random.get();
  // ...
 }
}

然后,您可以将其注入测试中,

public class MyTest {
 @Test
 public void testMethod() {
  Supplier<Integer> supplier = () -> 3;
  MyClass sut = new MyClass(supplier);
  sut.method(); // random in method will be 3
 }
}

但是,我假设您正在做类似的事情

public void method() {
 int random = random.get(),
 service.call(random);
}

,那么您可以使用grigntcaptor。

@Test
public void testMethod() {
 Service service = mock(Service.class);
 MyClass sut = new MyClass(service);
 myClass.method();
 ArgumentCaptor<Integer> captor = ArgumentCaptor.forClass(Integer.class);
 verify(service).call(captor.capture());
 // captor.value() now contains the value you're looking for
}

One thing you can do if you really need this is refactor your code:

@RequiredArgsConstructor
public class MyClass {
 private<Supplier<Integer>> final random;
 
 public void method() {
  int number = random.get();
  // ...
 }
}

You can then inject it in the test

public class MyTest {
 @Test
 public void testMethod() {
  Supplier<Integer> supplier = () -> 3;
  MyClass sut = new MyClass(supplier);
  sut.method(); // random in method will be 3
 }
}

However, I assume you're doing something like this

public void method() {
 int random = random.get(),
 service.call(random);
}

then you can use an ArgumentCaptor.

@Test
public void testMethod() {
 Service service = mock(Service.class);
 MyClass sut = new MyClass(service);
 myClass.method();
 ArgumentCaptor<Integer> captor = ArgumentCaptor.forClass(Integer.class);
 verify(service).call(captor.capture());
 // captor.value() now contains the value you're looking for
}
白芷 2025-01-24 12:32:51

你不能,也不应该。

如果您想使其可重用,您应该将其提取到类中的 public static 变量中,并在其他地方重用它。

另外,如果它是随机的,为什么需要重复使用它?只需在测试中对其进行随机化,或者提供 int 值作为方法参数,这最有意义。

You cannot, and you should not.

If you want to make it reusable, You should extract it to a public static variable within the class and reuse it elsewhere.

Also, if it's random, why do you need to have it reused? Just randomize it in test, too, or provide the int value as a method parameter, which kind of makes the most sense.

~没有更多了~
我们使用 Cookies 和其他技术来定制您的体验包括您的登录状态等。通过阅读我们的 隐私政策 了解更多相关信息。 单击 接受 或继续使用网站,即表示您同意使用 Cookies 和您的相关数据。
原文