Respostas:
Caso você precise fazer isso sem a ajuda de uma biblioteca:
("00000000" + "Apple").substring("Apple".length())
(Funciona, desde que sua String não tenha mais de 8 caracteres.)
("0000" + theString).substring(theString.length())
é mais realista. Isso apaga theString
com zeros à esquerda. Desculpe não poderia resistir adicionar este comentário :)
StringBuilder
ae é necessário um loop para preenchê-lo. Se o requisito é realmente apenas truncar seqüências de caracteres de 8 caracteres, tudo bem, embora seja um caso de uso muito restrito, mas essa solução nunca pode ser chamada rapidamente. É apenas curto.
public class LeadingZerosExample {
public static void main(String[] args) {
int number = 1500;
// String format below will add leading zeros (the %0 syntax)
// to the number above.
// The length of the formatted string will be 7 characters.
String formatted = String.format("%07d", number);
System.out.println("Number with leading zeros: " + formatted);
}
}
%07s
vez de %07d
, você receberá um FormatFlagsConversionMismatchException
. você pode experimentá-lo.
StringUtils.leftPad(yourString, 8, '0');
Isto é de commons-lang . Veja javadoc
Isto é o que ele estava realmente pedindo, acredito:
String.format("%0"+ (8 - "Apple".length() )+"d%s",0 ,"Apple");
resultado:
000Apple
DuplicateFormatFlagsException
(devido 00
à sequência de caracteres no formato). Se você substituir uma sequência com mais de 8 caracteres, isso gera um IllegalFormatFlagsException
(por causa do número negativo).
String.format("%0"+ (9 - "Apple".length() )+"d%s",0 ,"Apple").substring(0,8);
. Agora você não terá essa exceção.
String.format("%0"+ (9 - "Apple".length() )+"d%s",0 ,"Apple").substring(0,8);
está errado, deveria ser String.format("%0"+ (9 - "Apple".length() )+"d%s",0 ,"Apple").substring(1,9);
.
Você pode usar o método String.format conforme usado em outra resposta para gerar uma sequência de 0,
String.format("%0"+length+"d",0)
Isso pode ser aplicado ao seu problema ajustando dinamicamente o número de 0s iniciais em uma sequência de formato:
public String leadingZeros(String s, int length) {
if (s.length() >= length) return s;
else return String.format("%0" + (length-s.length()) + "d%s", 0, s);
}
Ainda é uma solução confusa, mas tem a vantagem de poder especificar o comprimento total da sequência resultante usando um argumento inteiro.
Usando a Strings
classe de utilitário do Guava :
Strings.padStart("Apple", 8, '0');
Você pode usar isto:
org.apache.commons.lang.StringUtils.leftPad("Apple", 8, "0")
Eu já estive em uma situação semelhante e usei isso; É bastante conciso e você não precisa lidar com o comprimento ou outra biblioteca.
String str = String.format("%8s","Apple");
str = str.replace(' ','0');
Simples e arrumado. O formato da string retorna " Apple"
e, após substituir o espaço por zeros, fornece o resultado desejado.
String input = "Apple";
StringBuffer buf = new StringBuffer(input);
while (buf.length() < 8) {
buf.insert(0, '0');
}
String output = buf.toString();
Use o Apache Commons StringUtils.leftPad (ou veja o código para criar sua própria função).
public class PaddingLeft {
public static void main(String[] args) {
String input = "Apple";
String result = "00000000" + input;
int length = result.length();
result = result.substring(length - 8, length);
System.out.println(result);
}
}
Você pode precisar cuidar do edgecase. Este é um método genérico.
public class Test {
public static void main(String[] args){
System.out.println(padCharacter("0",8,"hello"));
}
public static String padCharacter(String c, int num, String str){
for(int i=0;i<=num-str.length()+1;i++){str = c+str;}
return str;
}
}
public static void main(String[] args)
{
String stringForTest = "Apple";
int requiredLengthAfterPadding = 8;
int inputStringLengh = stringForTest.length();
int diff = requiredLengthAfterPadding - inputStringLengh;
if (inputStringLengh < requiredLengthAfterPadding)
{
stringForTest = new String(new char[diff]).replace("\0", "0")+ stringForTest;
}
System.out.println(stringForTest);
}
public static String lpad(String str, int requiredLength, char padChar) {
if (str.length() > requiredLength) {
return str;
} else {
return new String(new char[requiredLength - str.length()]).replace('\0', padChar) + str;
}
}
Em Java:
String zeroes="00000000";
String apple="apple";
String result=zeroes.substring(apple.length(),zeroes.length())+apple;
Em Scala:
"Apple".foldLeft("00000000"){(ac,e)=>ac.tail+e}
Você também pode explorar uma maneira no Java 8 de fazê-lo usando fluxos e reduções (semelhante à maneira que eu fiz com o Scala). É um pouco diferente de todas as outras soluções e eu particularmente gosto muito.
Pode ser mais rápido do que Chris Lercher responde quando a maioria das String tem exatamente 8 caracteres
int length = in.length();
return length == 8 ? in : ("00000000" + in).substring(length);
no meu caso na minha máquina 1/8 mais rápido.
Alguém tentou esta solução Java pura (sem SpringUtils):
//decimal to hex string 1=> 01, 10=>0A,..
String.format("%1$2s", Integer.toString(1,16) ).replace(" ","0");
//reply to original question, string with leading zeros.
//first generates a 10 char long string with leading spaces, and then spaces are
//replaced by a zero string.
String.format("%1$10s", "mystring" ).replace(" ","0");
Infelizmente, esta solução funciona apenas se você não tiver espaços em branco em uma string.
Se você deseja escrever o programa em Java puro, siga o método abaixo ou existem muitos String Utils para ajudá-lo melhor com os recursos mais avançados.
Usando um método estático simples, você pode conseguir isso como abaixo.
public static String addLeadingText(int length, String pad, String value) {
String text = value;
for (int x = 0; x < length - value.length(); x++) text = pad + text;
return text;
}
Você pode usar o método acima addLeadingText(length, padding text, your text)
addLeadingText(8, "0", "Apple");
A produção seria 000Apple
Não é bonito, mas funciona. Se você tiver acesso ao apache commons, sugiro que use esse
if (val.length() < 8) {
for (int i = 0; i < val - 8; i++) {
val = "0" + val;
}
}