您为论点使用了错误的序数。它应该%5
代替,%1
因为new Date()
是第 5 个参数。
import java.util.Date;
public class Main {
public static void main(String[] args) {
String exampleFourText = """
<html>
<body>
<p> %s </p>
<p> %.1f </p>
<p> %d </p>
<p> %c </p>
<p> %5$tY-%5$tm-%5$td </p>
</body>
</html>
""";
exampleFourText = exampleFourText.formatted("Hello", 1234.6, 15, 'y', new Date());
System.out.println(exampleFourText);
}
}
输出:
<html>
<body>
<p> Hello </p>
<p> 1234.6 </p>
<p> 15 </p>
<p> y </p>
<p> 2021-03-17 </p>
</body>
</html>
但是,惯用的方法是使用SimpleDateFormat
如下所示:
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.Locale;
public class Main {
public static void main(String[] args) {
String exampleFourText = """
<html>
<body>
<p> %s </p>
<p> %.1f </p>
<p> %d </p>
<p> %c </p>
<p> %s </p>
</body>
</html>
""";
exampleFourText = exampleFourText.formatted("Hello", 1234.6, 15, 'y',
new SimpleDateFormat("yyyy-MM-dd", Locale.ENGLISH).format(new Date()));
System.out.println(exampleFourText);
}
}
输出:
<html>
<body>
<p> Hello </p>
<p> 1234.6 </p>
<p> 15 </p>
<p> y </p>
<p> 2021-03-17 </p>
</body>
</html>
请注意,java.util
日期时间 API 及其格式化 APISimpleDateFormat
已过时且容易出错。建议完全停止使用它们并切换到现代日期时间 API *。
import java.time.LocalDate;
public class Main {
public static void main(String[] args) {
String exampleFourText = """
<html>
<body>
<p> %s </p>
<p> %.1f </p>
<p> %d </p>
<p> %c </p>
<p> %5$tY-%5$tm-%5$td </p>
</body>
</html>
""";
exampleFourText = exampleFourText.formatted("Hello", 1234.6, 15, 'y', LocalDate.now());
System.out.println(exampleFourText);
}
}
输出:
<html>
<body>
<p> Hello </p>
<p> 1234.6 </p>
<p> 15 </p>
<p> y </p>
<p> 2021-03-17 </p>
</body>
</html>
如前所述,惯用的方法是使用DateTimeFormatter
适用于现代日期时间 API 的日期时间格式化程序类型。但是,由于您想要的格式也是 的默认格式LocalDate#toString
,因此您不需要DateTimeFormatter
这种格式。只是为了完整起见,我还在DateTimeFormatter
下面的代码中展示了使用。
import java.time.LocalDate;
import java.time.format.DateTimeFormatter;
import java.util.Locale;
public class Main {
public static void main(String[] args) {
String exampleFourText = """
<html>
<body>
<p> %s </p>
<p> %.1f </p>
<p> %d </p>
<p> %c </p>
<p> %s </p>
</body>
</html>
""";
exampleFourText = exampleFourText.formatted("Hello", 1234.6, 15, 'y', LocalDate.now());
System.out.println(exampleFourText);
exampleFourText = exampleFourText.formatted("Hello", 1234.6, 15, 'y',
LocalDate.now().format(DateTimeFormatter.ofPattern("uuuu-MM-dd", Locale.ENGLISH)));
System.out.println(exampleFourText);
}
}
输出:
<html>
<body>
<p> Hello </p>
<p> 1234.6 </p>
<p> 15 </p>
<p> y </p>
<p> 2021-03-17 </p>
</body>
</html>
<html>
<body>
<p> Hello </p>
<p> 1234.6 </p>
<p> 15 </p>
<p> y </p>
<p> 2021-03-17 </p>
</body>
</html>
从Trail: Date Time了解有关现代日期时间 API 的更多信息。
* 出于任何原因,如果您必须坚持使用 Java 6 或 Java 7,则可以使用ThreeTen-Backport,它将大部分java.time功能向后移植到 Java 6 和 7。如果您正在为 Android 项目和 Android API 工作level 仍然不符合 Java-8,请检查Java 8+ APIs available through desugaring和How to use ThreeTenABP in Android Project。