UITableView 셀의 UISwitch


82

UISwitch에를 삽입하려면 어떻게 UITableView해야합니까? 설정 메뉴에서 예제를 볼 수 있습니다.

내 현재 솔루션 :

UISwitch *mySwitch = [[[UISwitch alloc] init] autorelease];
cell.accessoryView = mySwitch;

3
현재 진행중인 방식에 어떤 문제가 있습니까?
MobileMon 2013-08-26

답변:


193

일반적으로이를 accessoryView로 설정하는 것이 좋습니다. 당신은 그것을 설정할 수 있습니다 tableView:cellForRowAtIndexPath: 당신은 스위치가 이성을 상실 할 때 뭔가를 대상 / 액션을 사용할 수 있습니다. 이렇게 :

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
    switch( [indexPath row] ) {
        case MY_SWITCH_CELL: {
            UITableViewCell *aCell = [tableView dequeueReusableCellWithIdentifier:@"SwitchCell"];
            if( aCell == nil ) {
                aCell = [[[UITableViewCell alloc] initWithFrame:CGRectZero reuseIdentifier:@"SwitchCell"] autorelease];
                aCell.textLabel.text = @"I Have A Switch";
                aCell.selectionStyle = UITableViewCellSelectionStyleNone;
                UISwitch *switchView = [[UISwitch alloc] initWithFrame:CGRectZero];
                aCell.accessoryView = switchView;
                [switchView setOn:NO animated:NO];
                [switchView addTarget:self action:@selector(switchChanged:) forControlEvents:UIControlEventValueChanged];
                [switchView release];
            }
            return aCell;
        }
        break;
    }
    return nil;
}

- (void)switchChanged:(id)sender {
    UISwitch *switchControl = sender;
    NSLog( @"The switch is %@", switchControl.on ? @"ON" : @"OFF" );
}

1
MY_SWITCH_CELL 대신 해당 셀 번호가 있어야한다고 생각합니다. 좋은 모든 솔루션!
테스트

1
@Jesse 'aCell.accessoryView = switchView;' '[aCell setAccessoryView : switchView];'와 정확히 동일합니다. 점 표기법을 피할 이유가 있습니까?
zpasternack

1
이 답변에 감사드립니다! 스위치를 하위보기로 추가하면 음성 더빙 명령이 엉망이됩니다. 액세서리보기로 설정하면 음성 해설과 완벽하게 작동합니다!
Nitin Alabur 2012

2
선택한 스위치의 색인을 어떻게 알 수 있습니까?
doxsi

2
@doxsi switchView.tag = indexPath.row로우 스위치 신속한 변경됨하는 검출을 위해
Nazmul 하산

10

UISwitch 또는 기타 컨트롤을 셀의 accessoryView. 그렇게하면 아마도 당신이 원하는 셀의 오른쪽에 나타날 것입니다.


8
if (indexPath.row == 0) {//If you want UISwitch on particular row
    UISwitch *theSwitch = [[UISwitch alloc] initWithFrame:CGRectZero];
    [cell addSubview:theSwitch];
    cell.accessoryView = theSwitch;
}

왜 사용 initWithFrame합니까? 왜 사용 addSubview합니까? switch변수 이름으로 사용할 수 없습니다.
테스트

스위치 이름 죄송합니다. 코드가 있었는데 .. 변수 이름을 변경했습니다.
k-thorat

그것은 나를 위해 일했습니다. 적은 코드로 효과적인 솔루션.
Kenan Karakecili

2
셀의 accessoryView 속성 만 설정하여이 작업을 수행 할 수있었습니다. 나는 스위치를 서브 뷰로 추가 할 필요가 없다고 생각한다.
johnnieb

2

Interfacebuilder에서 셀을 준비하고 Viewcontroller의 IBOutlet에 연결 한 다음 tableview가 적절한 행을 요청하면 반환 할 수 있습니다.

대신 셀에 대해 별도의 xib를 만들고 (다시 IB와 함께) 셀 생성시 UINib를 사용하여로드 할 수 있습니다.

마지막으로, 프로그래밍 방식으로 스위치를 만들고이를 셀 contentview 또는 accessoryview에 추가 할 수 있습니다.

어떤 것이 당신에게 가장 적합한지는 주로 당신이 무엇을 좋아하는지에 달려 있습니다. tableviews 콘텐츠가 고정되어 있으면 (설정 페이지 등) 처음 두 개가 잘 작동 할 수 있으며 콘텐츠가 동적이면 프로그래밍 방식 솔루션을 선호합니다. 무엇을하고 싶은지 구체적으로 말씀해주세요. 이렇게하면 질문에 더 쉽게 답변 할 수 있습니다.


프로그래밍 방식의 솔루션을 선호하지만 (설정 페이지 용 임에도 불구하고) 처음 두 옵션의 작동 방식도 관심이 있습니다. 아마도 당신은 그것들을 좀 더 자세히 설명 할 수있을 것입니다.
테스트

1

이것은 뷰 레이어 (UITableViewCell)에서 전원을 끄고 켜는보다 완벽한 솔루션이며 didSelectdidDeselect다음을 통해 tableView 델리게이트에 이벤트를 전달합니다 .

class CustomCell: UITableViewCell {
    private lazy var switchControl: UISwitch = {
        let s = UISwitch()
        s.addTarget(self, action: #selector(switchValueDidChange(_:)), for: .valueChanged)
        return s
    }()

    override func awakeFromNib() {
        self.accessoryView = switchControl
        self.selectionStyle = .none // to show the selection style only on the UISwitch
    }

    override func setSelected(_ selected: Bool, animated: Bool) {
        super.setSelected(selected, animated: animated)
        (self.accessoryView as? UISwitch)?.isOn = selected
    }

    @objc private func switchValueDidChange(_ sender: UISwitch) { // needed to treat switch changes as if the cell was selected/unselected
        guard let tv = self.superview as? UITableView, let ip = tv.indexPath(for: self) else {
            fatalError("Unable to cast self.superview as UITableView or get indexPath")
        }
        setSelected(sender.isOn, animated: true)
        if sender.isOn {
            tv.delegate?.tableView?(tv, didSelectRowAt: ip)
        } else {
            tv.delegate?.tableView?(tv, didDeselectRowAt: ip)
        }
    }
}

그리고 당신의 대리인


func tableView(_ tableView: UITableView, shouldHighlightRowAt indexPath: IndexPath) -> Bool {
    return false // to disable interaction since it happens on the switch
}

func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell { // to make sure it is rendered correctly when dequeuing:
    // stuff
    if isSelected { // stored value to know if the switch is on or off
        tableView.selectRow(at: indexPath, animated: true, scrollPosition: .none)
    } else {
        tableView.deselectRow(at: indexPath, animated: true)
    }
    // more stuff
}

func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
    // do your thing when selecting
}

func tableView(_ tableView: UITableView, didDeselectRowAt indexPath: IndexPath) {
    // do your thing when deselecting
}

0

신속한 사용자를위한

override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
        let cell = UITableViewCell(style: .default, reuseIdentifier: "TableIdentifer")
        let switch = UISwitch()
        cell.accessoryView = switch 
}
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.