IT박스

임의의 문자열로 string.format (padleft 또는 padright 아님)으로 왼쪽 또는 오른쪽 채우기

itboxs 2020. 12. 26. 09:39
반응형

임의의 문자열로 string.format (padleft 또는 padright 아님)으로 왼쪽 또는 오른쪽 채우기


String.Format ()을 사용하여 특정 문자열을 임의의 문자로 채울 수 있습니까?

Console.WriteLine("->{0,18}<-", "hello");
Console.WriteLine("->{0,-18}<-", "hello");

returns 

->             hello<-
->hello             <-

이제 공백이 임의의 문자가되기를 원합니다. padLeft 또는 padRight로 할 수없는 이유는 다른 장소 / 시간에 서식 문자열을 구성 할 수 있기 때문에 서식이 실제로 실행되기 때문입니다.

-편집
하다-내 문제에 대한 기존 해결책이없는 것 같음 ( Think Before Coding의 제안 이후 )
--EDIT2--
좀 더 복잡한 시나리오가 필요했기 때문에 Think Before Coding 's 두 번째 제안

[TestMethod]
public void PaddedStringShouldPadLeft() {
    string result = string.Format(new PaddedStringFormatInfo(), "->{0:20:x} {1}<-", "Hello", "World");
    string expected = "->xxxxxxxxxxxxxxxHello World<-";
    Assert.AreEqual(result, expected);
}
[TestMethod]
public void PaddedStringShouldPadRight()
{
    string result = string.Format(new PaddedStringFormatInfo(), "->{0} {1:-20:x}<-", "Hello", "World");
    string expected = "->Hello Worldxxxxxxxxxxxxxxx<-";
    Assert.AreEqual(result, expected);
}
[TestMethod]
public void ShouldPadLeftThenRight()
{
    string result = string.Format(new PaddedStringFormatInfo(), "->{0:10:L} {1:-10:R}<-", "Hello", "World");
    string expected = "->LLLLLHello WorldRRRRR<-";
    Assert.AreEqual(result, expected);
}
[TestMethod]
public void ShouldFormatRegular()
{
    string result = string.Format(new PaddedStringFormatInfo(), "->{0} {1:-10}<-", "Hello", "World");
    string expected = string.Format("->{0} {1,-10}<-", "Hello", "World");
    Assert.AreEqual(expected, result);
}

코드가 게시물에 넣기에는 너무 많았 기 때문에 요점으로 github로 옮겼습니다.
http://gist.github.com/533905#file_padded_string_format_info

사람들이 쉽게 분기 할 수 있습니다. :)


또 다른 해결책이 있습니다.

string.Format에 전달 될를 IFormatProvider반환하도록 구현 합니다 ICustomFormatter.

public class StringPadder : ICustomFormatter
{
  public string Format(string format, object arg,
       IFormatProvider formatProvider)
  {
     // do padding for string arguments
     // use default for others
  }
}

public class StringPadderFormatProvider : IFormatProvider
{
  public object GetFormat(Type formatType)
  { 
     if (formatType == typeof(ICustomFormatter))
        return new StringPadder();

     return null;
  }
  public static readonly IFormatProvider Default =
     new StringPadderFormatProvider();
}

그런 다음 다음과 같이 사용할 수 있습니다.

string.Format(StringPadderFormatProvider.Default, "->{0:x20}<-", "Hello");

IFormattable을 구현하는 구조체에서 문자열을 캡슐화 할 수 있습니다.

public struct PaddedString : IFormattable
{
   private string value;
   public PaddedString(string value) { this.value = value; }

   public string ToString(string format, IFormatProvider formatProvider)
   { 
      //... use the format to pad value
   }

   public static explicit operator PaddedString(string value)
   {
     return new PaddedString(value);
   }
}

그런 다음 다음과 같이 사용하십시오.

 string.Format("->{0:x20}<-", (PaddedString)"Hello");

결과:

"->xxxxxxxxxxxxxxxHello<-"

편집 : 나는 당신의 질문을 오해했습니다. 나는 당신이 공백으로 채우는 방법을 묻는 것이라고 생각했습니다.

당신이 요청하는 것은 string.Format정렬 구성 요소를 사용하여 가능하지 않습니다 . string.Format항상 공백으로 채 웁니다. MSDN : Composite FormattingAlignment Component 섹션을 참조하십시오 .

According to Reflector, this is the code that runs inside StringBuilder.AppendFormat(IFormatProvider, string, object[]) which is called by string.Format:

int repeatCount = num6 - str2.Length;
if (!flag && (repeatCount > 0))
{
    this.Append(' ', repeatCount);
}
this.Append(str2);
if (flag && (repeatCount > 0))
{
    this.Append(' ', repeatCount);
}

As you can see, blanks are hard coded to be filled with whitespace.


Simple:



    dim input as string = "SPQR"
    dim format as string =""
    dim result as string = ""

    'pad left:
    format = "{0,-8}"
    result = String.Format(format,input)
    'result = "SPQR    "

    'pad right
    format = "{0,8}"
    result = String.Format(format,input)
    'result = "    SPQR"


ReferenceURL : https://stackoverflow.com/questions/541098/pad-left-or-right-with-string-format-not-padleft-or-padright-with-arbitrary-st

반응형