iOS의 전화 번호 형식
사용자가 데이터를 입력하는 텍스트 필드가 있습니다. 전화 번호 필드입니다. 사용자가를 입력하면 사용자가 입력 1234567890
할 때 표시되기를 원합니다 (123)-(456)-7890
. 이것이 어떻게 가능한지?
이것은 당신을 도울 것입니다
형식 (xxx) xxx-xxxx
- (BOOL)textField:(UITextField *)textField shouldChangeCharactersInRange:(NSRange)range replacementString:(NSString *)string
{
int length = (int)[self getLength:textField.text];
//NSLog(@"Length = %d ",length);
if(length == 10)
{
if(range.length == 0)
return NO;
}
if(length == 3)
{
NSString *num = [self formatNumber:textField.text];
textField.text = [NSString stringWithFormat:@"(%@) ",num];
if(range.length > 0)
textField.text = [NSString stringWithFormat:@"%@",[num substringToIndex:3]];
}
else if(length == 6)
{
NSString *num = [self formatNumber:textField.text];
//NSLog(@"%@",[num substringToIndex:3]);
//NSLog(@"%@",[num substringFromIndex:3]);
textField.text = [NSString stringWithFormat:@"(%@) %@-",[num substringToIndex:3],[num substringFromIndex:3]];
if(range.length > 0)
textField.text = [NSString stringWithFormat:@"(%@) %@",[num substringToIndex:3],[num substringFromIndex:3]];
}
return YES;
}
- (NSString *)formatNumber:(NSString *)mobileNumber
{
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"(" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@")" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@" " withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"-" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"+" withString:@""];
NSLog(@"%@", mobileNumber);
int length = (int)[mobileNumber length];
if(length > 10)
{
mobileNumber = [mobileNumber substringFromIndex: length-10];
NSLog(@"%@", mobileNumber);
}
return mobileNumber;
}
- (int)getLength:(NSString *)mobileNumber
{
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"(" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@")" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@" " withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"-" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"+" withString:@""];
int length = (int)[mobileNumber length];
return length;
}
이것은 더 명확하게 느껴지고 원하지 않는 문자를 훨씬 더 멋지게 제거합니다. 1 (###) ### ‑ #### 또는 (###) ### ‑ ####에 대해 올바른 형식
- (BOOL)textField:(UITextField *)textField shouldChangeCharactersInRange:(NSRange)range replacementString:(NSString *)string
{
NSString *newString = [textField.text stringByReplacingCharactersInRange:range withString:string];
NSArray *components = [newString componentsSeparatedByCharactersInSet:[[NSCharacterSet decimalDigitCharacterSet] invertedSet]];
NSString *decimalString = [components componentsJoinedByString:@""];
NSUInteger length = decimalString.length;
BOOL hasLeadingOne = length > 0 && [decimalString characterAtIndex:0] == '1';
if (length == 0 || (length > 10 && !hasLeadingOne) || (length > 11)) {
textField.text = decimalString;
return NO;
}
NSUInteger index = 0;
NSMutableString *formattedString = [NSMutableString string];
if (hasLeadingOne) {
[formattedString appendString:@"1 "];
index += 1;
}
if (length - index > 3) {
NSString *areaCode = [decimalString substringWithRange:NSMakeRange(index, 3)];
[formattedString appendFormat:@"(%@) ",areaCode];
index += 3;
}
if (length - index > 3) {
NSString *prefix = [decimalString substringWithRange:NSMakeRange(index, 3)];
[formattedString appendFormat:@"%@-",prefix];
index += 3;
}
NSString *remainder = [decimalString substringFromIndex:index];
[formattedString appendString:remainder];
textField.text = formattedString;
return NO;
}
아래 코드는 제가 일반적으로 사용하는 것입니다. 형식은 다르지만 그림을 얻을 수 있습니다. 이것은 '123df # $ @ $ gdfg45- + 678dfg901'과 같은 입력을 처리하고 '1 (234) 567-8901'을 출력합니다.
#import "NSString+phoneNumber.h"
@implementation NSString (phoneNumber)
-(NSString*) phoneNumber{
static NSCharacterSet* set = nil;
if (set == nil){
set = [[NSCharacterSet decimalDigitCharacterSet] invertedSet];
}
NSString* phoneString = [[self componentsSeparatedByCharactersInSet:set] componentsJoinedByString:@""];
switch (phoneString.length) {
case 7: return [NSString stringWithFormat:@"%@-%@", [phoneString substringToIndex:3], [phoneString substringFromIndex:3]];
case 10: return [NSString stringWithFormat:@"(%@) %@-%@", [phoneString substringToIndex:3], [phoneString substringWithRange:NSMakeRange(3, 3)],[phoneString substringFromIndex:6]];
case 11: return [NSString stringWithFormat:@"%@ (%@) %@-%@", [phoneString substringToIndex:1], [phoneString substringWithRange:NSMakeRange(1, 3)], [phoneString substringWithRange:NSMakeRange(4, 3)], [phoneString substringFromIndex:7]];
case 12: return [NSString stringWithFormat:@"+%@ (%@) %@-%@", [phoneString substringToIndex:2], [phoneString substringWithRange:NSMakeRange(2, 3)], [phoneString substringWithRange:NSMakeRange(5, 3)], [phoneString substringFromIndex:8]];
default: return nil;
}
}
@end
https://github.com/edgecase/PhoneNumberFormatter 에서 전화 번호에 대한 사용자 지정 NSFormatter 하위 클래스를 작성했습니다.
다른 NSFormatter 서브 클래스처럼 사용할 수 있습니다.
첫 번째 답변 감사 합니다만, 그 방법 -(int)getLength:(NSString*)mobileNumber
은 쓸모가 없다고 생각 합니다. 다음과 같이 시도 할 수 있습니다.
- (BOOL)textField:(UITextField *)textField shouldChangeCharactersInRange:(NSRange)range replacementString:(NSString *)string{
int length = [[self formatNumber:[textField text]] length];
if (length == 10) {
if(range.length == 0) {
return NO;
}
}
if (length == 3) {
NSString *num = [self formatNumber:[textField text]];
textField.text = [NSString stringWithFormat:@"(%@) ",num];
if (range.length > 0) {
[textField setText:[NSString stringWithFormat:@"%@",[num substringToIndex:3]]];
}
}
else if (length == 6) {
NSString *num = [self formatNumber:[textField text]];
[textField setText:[NSString stringWithFormat:@"(%@) %@-",[num substringToIndex:3],[num substringFromIndex:3]]];
if (range.length > 0) {
[textField setText:[NSString stringWithFormat:@"(%@) %@",[num substringToIndex:3],[num substringFromIndex:3]]];
}
}
return YES;
}
- (NSString*)formatNumber:(NSString*)mobileNumber {
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"(" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@")" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@" " withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"-" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"+" withString:@""];
int length = [mobileNumber length];
if (length > 10) {
mobileNumber = [mobileNumber substringFromIndex: length-10];
}
return mobileNumber;
}
국제 번호 형식이 필요한 경우 : https://code.google.com/p/libphonenumber/
C ++, Java 및 JavaScript 구현과 함께 제공됩니다. .mm 파일에 C ++ 구현을 래핑하고 그 주위에 작은 Objective-C 래퍼를 작성하기 쉬워야합니다.
유효한 옵션은 https://github.com/iziz/libPhoneNumber-iOS입니다 . 다른 모든 답변은 가능성과 조합의 작은 부분 만 다루며,이 라이브러리는 실제로 모든 전화 번호를 구문 분석하고 유효성을 검사하며 다음을 식별합니다.
- 국적
- 전화 번호 유형
- 국영 항공사
미국 전화 번호와 관련 :
@wan의 게시물에 추가하여 사용자가 국가 코드 (1)로 시작하면 조건문을 추가했습니다. 이렇게하면 (1XX) XXX-XXXX 대신 1 (XXX) XXX-XXXX 형식이됩니다.
- (BOOL)textField:(UITextField *)textField shouldChangeCharactersInRange:(NSRange)range replacementString:(NSString *)string{
textField = self.phoneNumberTextField;
NSInteger length = [self getLength:textField.text];
//NSLog(@"Length = %d ",length);
if ([textField.text hasPrefix:@"1"]) {
if(length == 11)
{
if(range.length == 0)
return NO;
}
if(length == 4)
{
NSString *num = [self formatNumber:textField.text];
textField.text = [NSString stringWithFormat:@"%@ (%@) ",[num substringToIndex:1],[num substringFromIndex:1]];
if(range.length > 0)
textField.text = [NSString stringWithFormat:@"%@",[num substringToIndex:4]];
}
else if(length == 7)
{
NSString *num = [self formatNumber:textField.text];
NSRange numRange = NSMakeRange(1, 3);
textField.text = [NSString stringWithFormat:@"%@ (%@) %@-",[num substringToIndex:1] ,[num substringWithRange:numRange],[num substringFromIndex:4]];
if(range.length > 0)
textField.text = [NSString stringWithFormat:@"(%@) %@",[num substringToIndex:3],[num substringFromIndex:3]];
}
} else {
if(length == 10)
{
if(range.length == 0)
return NO;
}
if(length == 3)
{
NSString *num = [self formatNumber:textField.text];
textField.text = [NSString stringWithFormat:@"(%@) ",num];
if(range.length > 0)
textField.text = [NSString stringWithFormat:@"%@",[num substringToIndex:3]];
}
else if(length == 6)
{
NSString *num = [self formatNumber:textField.text];
textField.text = [NSString stringWithFormat:@"(%@) %@-",[num substringToIndex:3],[num substringFromIndex:3]];
if(range.length > 0)
textField.text = [NSString stringWithFormat:@"(%@) %@",[num substringToIndex:3],[num substringFromIndex:3]];
}
}
return YES;
}
-(NSString*)formatNumber:(NSString*)mobileNumber
{
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"(" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@")" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@" " withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"-" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"+" withString:@""];
NSLog(@"%@", mobileNumber);
NSInteger length = [mobileNumber length];
if(length > 10)
{
mobileNumber = [mobileNumber substringFromIndex: length-10];
NSLog(@"%@", mobileNumber);
}
return mobileNumber;
}
-(NSInteger)getLength:(NSString*)mobileNumber
{
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"(" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@")" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@" " withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"-" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"+" withString:@""];
NSInteger length = [mobileNumber length];
return length;
}
이 간단한 방법을 사용할 수 있습니다.
+ (NSString*) formatPhoneNumber:(NSString *)phoneNumber codeLength:(int) code segmentLength:(int) segment
{
NSString* result = @"";
int length = [phoneNumber length];
NSString* firstSegment = @"";
NSString* restSegment = @"";
for (int i=0; i<length; i++) {
char c = [phoneNumber characterAtIndex:i];
if(i < code)
firstSegment = [firstSegment stringByAppendingFormat:@"%c", c];
else
{
restSegment = [restSegment stringByAppendingFormat:@"%c", c];
int threshold = (i - code) + 1;
if((threshold % segment == 0) && (threshold > 0) && !(threshold > length))
restSegment = [restSegment stringByAppendingFormat:@"%c", '-'];
}
}
result = [result stringByAppendingFormat:@"%@-%@", firstSegment, restSegment];
return result;
}
위의 방법이 Contact
클래스에 있다고 가정하면 다음과 같은 방법을 사용하십시오.
NSString* phoneNumber = @"085755023455";
NSString* formattedNumber = [Contact formatPhoneNumber:phoneNumber codeLength:3 segmentLength:4];
결과는 다음과 같습니다.
085-7550-2345-5
AKNumericFormatter 라이브러리를 사용할 수 있습니다 . 포맷터와 편리한 UITextField 카테고리가 있으며 코코아 포드로 제공됩니다.
iOS에서 전화 서식을 지정하는 방법에 대한 가장 포괄적 인 답변 의 C # Xamarin.iOS 버전 은 다음과 같습니다.
public override void ViewDidLoad()
{
base.ViewDidLoad();
PhoneNumberTextField.ShouldChangeCharacters = ChangeCharacters;
}
private bool ChangeCharacters(UITextField textField, NSRange range, string replacementString)
{
var text = textField.Text;
var newString = text.Substring(0, range.Location) + replacementString + text.Substring(range.Location + range.Length);
var decimalString = Regex.Replace(newString, @"[^\d]", string.Empty);
var length = decimalString.Length;
var hasLeadingOne = length > 0 && decimalString[0] == '1';
if ((length == 0) || (length > 10 && !hasLeadingOne) || (length > 11))
{
textField.Text = decimalString;
return false;
}
var index = 0;
var formattedString = "";
if (hasLeadingOne)
{
formattedString += "1";
index += 1;
}
if (length - index > 3)
{
var areaCode = decimalString.Substring(index, 3);
formattedString += "(" + areaCode + ")";
index += 3;
}
if (length - index > 3)
{
var prefix = decimalString.Substring(index, 3);
formattedString += " " + prefix + "-";
index += 3;
}
var remainder = decimalString.Substring(index);
formattedString += remainder;
textField.Text = formattedString;
return false;
}
빠른
func textField(textField: UITextField, shouldChangeCharactersInRange range: NSRange, replacementString string: String) -> Bool {
let length = self.getTextLength(textField.text)
if length == 10{
if range.length == 0{
return false
}
}
if length == 3{
var num : String = self.formatNumber(textField.text)
textField.text = num + "-"
if(range.length > 0){
textField.text = (num as NSString).substringToIndex(3)
}
}
else if length == 6{
var num : String = self.formatNumber(textField.text)
let prefix = (num as NSString).substringToIndex(3)
let postfix = (num as NSString).substringFromIndex(3)
textField.text = prefix + "-" + postfix + "-"
if range.length > 0{
textField.text = prefix + postfix
}
}
return true
}
func getTextLength(mobileNo: String) -> NSInteger{
var str : NSString = mobileNo as NSString
str = str.stringByReplacingOccurrencesOfString("(", withString: "")
str = str.stringByReplacingOccurrencesOfString(")", withString: "")
str = str.stringByReplacingOccurrencesOfString(" ", withString: "")
str = str.stringByReplacingOccurrencesOfString("-", withString: "")
str = str.stringByReplacingOccurrencesOfString("+", withString: "")
return str.length
}
func formatNumber(mobileNo: String) -> String{
var str : NSString = mobileNo as NSString
str = str.stringByReplacingOccurrencesOfString("(", withString: "")
str = str.stringByReplacingOccurrencesOfString(")", withString: "")
str = str.stringByReplacingOccurrencesOfString(" ", withString: "")
str = str.stringByReplacingOccurrencesOfString("-", withString: "")
str = str.stringByReplacingOccurrencesOfString("+", withString: "")
if str.length > 10{
str = str.substringFromIndex(str.length - 10)
}
return str as String
}
Swift 형식의 전화 번호
oppon @datinc의 답변을 개선하고 다음과 같은 입력을 1123df#$@$gdfg45-+678dfg901
출력합니다.+11(234)567-8901
func formattedPhone(phone: String) -> String? {
let notPhoneNumbers = NSCharacterSet.decimalDigitCharacterSet().invertedSet
let str = phone.componentsSeparatedByCharactersInSet(notPhoneNumbers).joinWithSeparator("")
let startIdx = str.startIndex
let endIdx = str.endIndex
let count = str.characters.count
if count == 7 {
return "\(str[startIdx..<startIdx.advancedBy(3)])-\(str[startIdx.advancedBy(3)..<endIdx])"
}else if count == 10{
return "(\(str[startIdx..<startIdx.advancedBy(3)]))\(str[startIdx.advancedBy(3)..<startIdx.advancedBy(6)])-\(str[startIdx.advancedBy(6)..<endIdx])"
}
else if count > 10{
let extra = str.characters.count - 10
return "+\(str[startIdx..<startIdx.advancedBy(extra)])(\(str[endIdx.advancedBy(-10)..<endIdx.advancedBy(-7)]))\(str[endIdx.advancedBy(-7)..<endIdx.advancedBy(-4)])-\(str[endIdx.advancedBy(-4)..<endIdx])"
}
return nil
}
이것은 당신을 도울 것입니다
SWIFT 3.0의 경우 형식 (xxx) xxx-xxxx
func textField(_ textField: UITextField, shouldChangeCharactersIn range: NSRange, replacementString string: String) -> Bool {
let length = Int(getLength(mobileNumber: textField.text!))
if length == 15 {
if range.length == 0 {
return false
}
}
if length == 3 {
let num = self.formatNumber(mobileNumber: textField.text!)
textField.text = NSString(format:"(%@)",num) as String
if range.length > 0{
let index: String.Index = num.index(num.startIndex, offsetBy: 3)
textField.text = NSString(format:"%@",num.substring(to: index)) as String
}
}else if length == 6 {
let num = self.formatNumber(mobileNumber: textField.text!)
let index: String.Index = num.index(num.startIndex, offsetBy: 3)
textField.text = NSString(format:"(%@) %@-",num.substring(to: index), num.substring(from: index)) as String
if range.length > 0{
textField.text = NSString(format:"(%@) %@",num.substring(to: index), num.substring(from: index)) as String
}
}
return true
}
func formatNumber(mobileNumber: String) -> String {
var number = mobileNumber
number = number.replacingOccurrences(of: "(", with: "")
number = number.replacingOccurrences(of: ")", with: "")
number = number.replacingOccurrences(of: " ", with: "")
number = number.replacingOccurrences(of: "-", with: "")
number = number.replacingOccurrences(of: "+", with: "")
let length = Int(number.characters.count)
if length > 15 {
let index = number.index(number.startIndex, offsetBy: 15)
number = number.substring(to: index)
}
return number
}
func getLength(mobileNumber: String) -> Int {
var number = mobileNumber
number = number.replacingOccurrences(of: "(", with: "")
number = number.replacingOccurrences(of: ")", with: "")
number = number.replacingOccurrences(of: " ", with: "")
number = number.replacingOccurrences(of: "-", with: "")
number = number.replacingOccurrences(of: "+", with: "")
let length = Int(number.characters.count)
return length
}
NSString *str=@"[+]+91[0-9]{10}";
NSPredicate *no=[NSPredicate predicateWithFormat:@"SELF MATCHES %@",str];
if([no evaluateWithObject:txtMobileno.text]==NO
{
UIAlertView *alert=[[UIAlertView alloc]initWithTitle:@"Warning" message:@"Please Enter correct contact no." delegate:self cancelButtonTitle:@"ok" otherButtonTitles:nil];
[alert show];
[alert release];
}
따라서이 메서드는 (xxx) xxx-xxxx ....
현재 상위 답변의 수정이며 백 스페이스를 처리합니다.
- (IBAction)autoFormat:(UITextField *)sender {
NSString *mobileNumber = [NSString stringWithFormat:@"%@",sender.text];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"(" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@")" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@" " withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"-" withString:@""];
mobileNumber = [mobileNumber stringByReplacingOccurrencesOfString:@"+" withString:@""];
int length = [mobileNumber length];
if(length > 0 && [sender.text length] > self.oldLength){
if(length >= 7 && length <= 10){
sender.text = [NSString stringWithFormat:@"(%@) %@ - %@",[mobileNumber substringToIndex:3], [mobileNumber substringWithRange:NSMakeRange(3,3)],[mobileNumber substringWithRange:NSMakeRange(6,[mobileNumber length]-6)]];
} else if(length >= 4 && length <= 6) {
sender.text = [NSString stringWithFormat:@"(%@) %@",[mobileNumber substringToIndex:3], [mobileNumber substringWithRange:NSMakeRange(3,[mobileNumber length]-3)]];
}
if(length >= 11 && length % 4 == 3){
NSString *lastChar = [sender.text substringFromIndex:[sender.text length] - 1];
sender.text = [NSString stringWithFormat:@"%@ %@",[sender.text substringToIndex:[sender.text length] - 1],lastChar];
}
self.oldLength = [sender.text length];
} else if([sender.text length] < self.oldLength) {
NSLog(@"deleted - ");
self.oldLength = 0;
sender.text = @"";
for (int i = 0; i < [mobileNumber length]; i = i + 1) {
sender.text = [NSString stringWithFormat:@"%@%@",sender.text,[mobileNumber substringWithRange:NSMakeRange(i, 1)]];
[self autoFormat:sender];
}
}}
도움이되기를 바랍니다
REFormattedNumberField 가 아마도 최고 일 것입니다. 원하는 형식을 제공하십시오.
또한 + x (xxx) xxx-xx-xx 형식의 경우 다음과 같은 간단한 솔루션을 사용할 수 있습니다.
+ (BOOL)textField:(UITextField *)textField shouldChangeCharactersInRange:(NSRange)range replacementString:(NSString *)string {
NSString *newString = [textField.text stringByReplacingCharactersInRange:range withString:string];
NSArray *components = [newString componentsSeparatedByCharactersInSet:[[NSCharacterSet decimalDigitCharacterSet] invertedSet]];
NSString *decimalString = [components componentsJoinedByString:@""];
if (decimalString.length > 11) {
return NO;
}
NSMutableString *formattedString = [NSMutableString stringWithString:decimalString];
[formattedString insertString:@"+" atIndex:0];
if (formattedString.length > 2)
[formattedString insertString:@" (" atIndex:2];
if (formattedString.length > 7)
[formattedString insertString:@") " atIndex:7];
if (formattedString.length > 12)
[formattedString insertString:@"-" atIndex:12];
if (formattedString.length > 15)
[formattedString insertString:@"-" atIndex:15];
textField.text = formattedString;
return NO;}
+(NSString *) phoneNumberFormatterTextField:(NSString *)number forRange:(NSRange)range
{
int length = (int)[[self getPhoneNumber:number] length];
if(length == 3)
{
NSString *num = [MPosBaseScreenController getPhoneNumber:number];
number = [num stringByReplacingOccurrencesOfString:@"(\\d{3})"
withString:@"($1) "
options:NSRegularExpressionSearch
range:NSMakeRange(0, num.length)];
}
else if(length == 6 || length > 6 )
{
NSString *num = [MPosBaseScreenController getPhoneNumber:number];
number = [num stringByReplacingOccurrencesOfString:@"(\\d{3})(\\d{3})"
withString:@"($1) $2 - "
options:NSRegularExpressionSearch
range:NSMakeRange(0, num.length)];
}
return number;
}
다음은 입력 형식을 모방하는 간단한 카테고리입니다.
@interface NSString (formatDecimalsAs)
- (NSString *)formatDecimalsAs:(NSString *)formattedDecimals;
@end
@implementation NSString (formatDecimalsAs)
- (NSString *)formatDecimalsAs:(NSString *)formattedDecimals
{
// insert non-digit characters from source string
NSMutableString *formattedNumber = [self mutableCopy];
for (int i = 0; i < formattedDecimals.length; i++)
{
if (i > formattedNumber.length)
{
break;
}
unichar character = [formattedDecimals characterAtIndex:i];
if ([[NSCharacterSet decimalDigitCharacterSet].invertedSet characterIsMember:character])
{
[formattedNumber insertString:[NSString stringWithFormat:@"%c", character] atIndex:(NSUInteger) i];
}
}
return formattedNumber;
}
@end
예제 사용
[@"87654321" formatDecimalsAs:@"1111 1111"] // returns @"8765 4321"
- 숫자가 아닌 모든 문자를 제거합니다.
- 7 자리 숫자가 남아 있으면 123-4567
- 10 자리, (123) 456-7890
그렇지 않으면 세 그룹입니다. 그룹의 크기를 조정하려면 substrsize에 할당 된 값을 변경하십시오.
-(NSString*)formatPhone:(NSString*)phone { NSString *formattedNumber = [[phone componentsSeparatedByCharactersInSet: [[NSCharacterSet decimalDigitCharacterSet] invertedSet]] componentsJoinedByString:@""]; int substrSize = 3; NSMutableArray *t = [[NSMutableArray alloc] initWithCapacity:formattedNumber.length / substrSize + 1]; switch (formattedNumber.length) { case 7: formattedNumber = [NSString stringWithFormat:@"%@-%@", [formattedNumber substringToIndex:3], [formattedNumber substringFromIndex:3]]; break; case 10: formattedNumber = [NSString stringWithFormat:@"(%@) %@-%@", [formattedNumber substringToIndex:3], [formattedNumber substringWithRange:NSMakeRange(3, 3)], [formattedNumber substringFromIndex:6]]; break; default: for (int i = 0; i < formattedNumber.length / substrSize; i++) { [t addObject:[formattedNumber substringWithRange:NSMakeRange(i * substrSize, substrSize)]]; } if (formattedNumber.length % substrSize) { [t addObject:[formattedNumber substringFromIndex:(substrSize * t.count)]]; } formattedNumber = [t componentsJoinedByString:@" "]; break; } return formattedNumber; }
에서 SWIFT 3
func formattedPhone(phone: String) -> String? {
let notPhoneNumbers = CharacterSet.decimalDigits.inverted
let str = phone.components(separatedBy: notPhoneNumbers).joined(separator: "")
let startIdx = str.startIndex
let endIdx = str.endIndex
let count = str.characters.count
if count == 7 {
return "\(str[startIdx..<startIdx.advance(3, for: str)])-\(str[startIdx.advance(3, for: str)..<endIdx])"
}else if count == 10{
return "+1 (\(str[startIdx..<startIdx.advance(3, for: str)])) \(str[startIdx.advance(3, for: str)..<startIdx.advance(6, for: str)])-\(str[startIdx.advance(6, for: str)..<endIdx])"
}
else if count > 10{
let extra = str.characters.count - 10
return "+\(str[startIdx..<startIdx.advance(extra, for: str)]) (\(str[endIdx.advance(-10, for: str)..<endIdx.advance(-7, for: str)])) \(str[endIdx.advance(-7, for: str)..<endIdx.advance(-4, for: str)])-\(str[endIdx.advance(-4, for: str)..<endIdx])"
}
return nil
}
Swift 3 string.index.advancedBy (3) 대체 :
extension String.Index{
func advance(_ offset:Int, `for` string:String)->String.Index{
return string.index(self, offsetBy: offset)
}
}
먼저, 추가 UITextFieldDelegate
사용자에게 .h
파일과 위임 UITextField
에 nib
파일.
둘째, 다음 코드를 .m
파일에 추가 합니다.
- (BOOL)textField:(UITextField *)textField shouldChangeCharactersInRange:(NSRange)range replacementString:(NSString *)string
{
NSString *filter = @"(###)-(###)-####";
if(!filter) return YES;
NSString *changedString = [textField.text stringByReplacingCharactersInRange:range withString:string];
if(range.length == 1 &&
string.length < range.length &&
[[textField.text substringWithRange:range] rangeOfCharacterFromSet:[NSCharacterSet characterSetWithCharactersInString:@"0123456789"]].location == NSNotFound)
{
NSInteger location = changedString.length-1;
if(location > 0)
{
for(; location > 0; location--)
{
if(isdigit([changedString characterAtIndex:location]))
{
break;
}
}
changedString = [changedString substringToIndex:location];
}
}
textField.text = [self filteredPhoneStringFromStringWithFilter:changedString :filter];
return NO;
}
-(NSString*) filteredPhoneStringFromStringWithFilter:(NSString*)number : (NSString*)filter{
NSUInteger onOriginal = 0, onFilter = 0, onOutput = 0;
char outputString[([filter length])];
BOOL done = NO;
while(onFilter < [filter length] && !done)
{
char filterChar = [filter characterAtIndex:onFilter];
char originalChar = onOriginal >= number.length ? '\0' : [number characterAtIndex:onOriginal];
switch (filterChar) {
case '#':
if(originalChar=='\0')
{
// We have no more input numbers for the filter. We're done.
done = YES;
break;
}
if(isdigit(originalChar))
{
outputString[onOutput] = originalChar;
onOriginal++;
onFilter++;
onOutput++;
}
else
{
onOriginal++;
}
break;
default:
// Any other character will automatically be inserted for the user as they type (spaces, - etc..) or deleted as they delete if there are more numbers to come.
outputString[onOutput] = filterChar;
onOutput++;
onFilter++;
if(originalChar == filterChar)
onOriginal++;
break;
}
}
outputString[onOutput] = '\0'; // Cap the output string
return [NSString stringWithUTF8String:outputString];
}
참고 URL : https://stackoverflow.com/questions/6052966/phone-number-formatting-on-ios
'code' 카테고리의 다른 글
Docker Toolbox-Localhost가 작동하지 않음 (0) | 2020.11.19 |
---|---|
iPhone 핵심 데이터 "자동 경량 마이그레이션" (0) | 2020.11.19 |
iOS7에서 UIAlertView에 UITextField를 추가 할 수 없습니다… iOS 6에서 작동합니다. (0) | 2020.11.19 |
npm에서 nodemon을 찾을 수 없음 (0) | 2020.11.19 |
그렇지 않으면 HTML 내부에 포함 (0) | 2020.11.19 |