Как получить конкретные данные из веб-API в разделах табличного представления? - PullRequest
0 голосов
/ 10 мая 2019

Я использую веб-API для названий продуктов и пищевых категорий.Как я могу сопоставить мой раздел категории завтраков только с завтраками, гамбургерами, десертами, напитками, салатами.Проблема в том, что в каждом разделе есть все продукты снова и снова.

Категория продуктов питания

struct FoodCategory: Decodable {
var id: Int
var Title: String //Category Title
}

Название категории продуктов питания представлено в двух моделях:

Продукты питания

struct Food: Codable {
    let id, SubCategoryId: Int
    let CategoryTitle: String //Category Title
    let Price, OldPrice: Decimal
    let ProductTitle: String //Food Name
    let Stock: Int
    let Details: String
    let DetailsList: [String]
}

FoodCategoryServiceResponse

   "ResultList": [
    {
        "id": 1,
        "Title": "Kahvaltılar"
    },
    {
        "id": 5,
        "Title": "Hamburgerler"
    },
    {
        "id": 6,
        "Title": "İçecekler"
    },
    {
        "id": 7,
        "Title": "Tatlılar"
    },
    {
        "id": 9,
        "Title": "Salatalar"
    }
   ]

FoodServiceResponse

"ResultList": [
{
"id": 114,
"SubCategoryId": 28,
"SubCategoryTitle": "Hafta İçi Kahvaltısı",
"CategoryTitle": "Kahvaltılar",
"Title": null,
"Price": 18,
"OldPrice": 0,
"PriceString": " 18,00  ₺",
"OldPriceString": " 0,00  ₺",
"ProductTitle": "Hafta İçi Kahvaltısı",
"IsIndexView": false,
"Description": "Ekmek Üzeri Çırpılmış Yumurta, 1 Dilim Beyaz Peynir, Çilek Reçeli, 1 Bardak Çay",
"Stock": 0,
} ]

Коды просмотра таблицы

 var foodData = [Food]() 
    var foodCategoryData = [FoodCategory]()

 func tableView(_ tableView: UITableView, titleForHeaderInSection section: Int) -> String? {
        return foodCategoryData[section].Title
    }

    func numberOfSections(in tableView: UITableView) -> Int {
        return foodCategoryData.count
    }

    func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {

        return foodData.count
    }
    func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {

        let cell = tableView.dequeueReusableCell(withIdentifier: "CellForFood") as! MainFoodTitleTableViewCell
        let foodList = foodData[indexPath.row]
        //        let food = foods.filter({$0.category == sections[indexPath.section]})[indexPath.row]
        cell.titleLabel.text = foodList.ProductTitle
        cell.priceLabel.text = foodList.PriceString

        return cell
    }

Ответы [ 2 ]

1 голос
/ 10 мая 2019

Я рекомендую использовать две структуры в качестве модели данных

struct Category {
    let name : String
    let foods : [Food]
}

struct Food {
    let name : String
    let price : Double
}

let categories = [
    Category(name: "Breakfast", foods : [
        Food(name: "Hafta İçi Kahvaltısı", price: 18.0),
        Food(name: "Pazar Kahvaltısı", price: 25.0),
        Food(name: "Diyet Kahvaltı", price: 22.0),
        Food(name: "Köy Kahvaltısı", price: 15.0),
        Food(name: "Ege Kahvaltısı", price: 30.0)]),
    Category(name: "Hamburger", foods : [
        Food(name: "Big TezBurger", price: 26.0),
        Food(name: "TezRoyal", price: 24.0),
        Food(name: "Double TezzBurger", price: 17.0),
        Food(name: "TezChicken", price: 21.0),
        Food(name: "Köfteburger", price: 28.0)])
]

Это значительно уменьшает код в источнике данных табличного представления и делегирует методы

func tableView(_ tableView: UITableView, titleForHeaderInSection section: Int) -> String? {
    return categories[section].name
}

func numberOfSections(in tableView: UITableView) -> Int {
    return categories.count
}

func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
    return categories[section].foods.count
}

func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {

    let cell = tableView.dequeueReusableCell(withIdentifier: "CellForFood", for: indexPath) as! MainFoodTitleTableViewCell

    let category = categories[indexPath.section]
    let food = category.foods[indexPath.row]    
    cell.title = food.name
    cell.price = food.price
    return cell
}

Ваш код в cellForRowAt все равно не имеет смысла. Этот метод вызывается один раз для каждой строки в каждом разделе.

0 голосов
/ 10 мая 2019

Создать массив, который представляет ваши разделы

let sections = ["Breakfast", "Hamburger", "Drinks", "Dessert", "Salad"]

Затем измените свои функции на

func tableView(_ tableView: UITableView, titleForHeaderInSection section: Int) -> String? {
    return sections[section]
}

func numberOfSections(in tableView: UITableView) -> Int {
    return sections.count
}

func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
        let sectionName = sections[section]
        return foods.filter({ $0.category == sectionName }).count

}


func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {

    let cell = tableView.dequeueReusableCell(withIdentifier: "CellForFood") as! MainFoodTitleTableViewCell

    food = foods.filter({ $0.name == sections[indexPath.section] })[indexPath.row]
    cell.title = food.name
    cell.price = food.price

    return cell
}
...