>  기사  >  백엔드 개발  >  데이터 엔지니어링을 통한 건강 추적 - 식사 최적화 장

데이터 엔지니어링을 통한 건강 추적 - 식사 최적화 장

PHPz
PHPz원래의
2024-07-19 11:24:31743검색

소개

안녕하세요 여러분! 이번이 첫 글이 될 테니 가혹하게 대해주시고, 제가 개선할 수 있다고 생각하는 점을 비판해 주시면 다음번에는 반드시 반영하도록 하겠습니다.

지난 몇 달 동안 저는 건강에 대해 깊이 생각하며 주로 운동하고 먹는 것을 지켜봤고, 이제는 확실히 이해한 것 같으니 어떻게 하면 건강을 더욱 최적화할 수 있는지 보고 싶었습니다. 혹시나 제가 놓친 부분이 있을 수도 있으니.

목표

이 장에서는 건강 여행 전반에 걸쳐 식사에 대해 연구하고 다음 주의 식사 계획으로 마무리하고 싶습니다. (1) 최소 단백질 요구 사항을 충족하고, (2) 칼로리 한도를 초과하지 않고, (3) 최소 섬유 요구 사항을 충족하고 (4) 비용을 최소화합니다.

데이터세트

크로노미터를 사용하여 추적한 음식인 데이터 세트를 소개하는 것부터 시작합니다. 크로노미터는 저의 여정에서 저와 함께 일해 왔으며 이제는 이전에 나열한 목표에 따라 제가 직접 분석하기 위해 입력한 데이터를 내보내게 됩니다.

다행히도 Cronometer를 사용하면 웹사이트에서 쉽게 데이터를 .csv 파일로 내보낼 수 있습니다.
Screenshot of the export options from Cronometer

이 장에서는 '음식 및 레시피 항목' 데이터세트만 내보냅니다.

'음식 및 레시피 항목'에서 얻은 데이터를 검토하는 것부터 시작합니다. 데이터 세트는 매우 포괄적이므로 향후 장에서 유용할 것이라고 확신합니다! 이 장에서는 식품명, 함량, 단백질, 칼로리, 섬유질로 제한하고 싶습니다.

# Importing and checking out the dataset
df = pd.read_csv("servings.csv")
df.head()

데이터 전처리

'음식 이름', '양', '에너지(kcal)', '섬유질(g)', '단백질(g)'과 같은 몇 가지 열이 이미 설정되어 있습니다. 완벽한! 이제 우리에게 부족한 유일한 것은 데이터 세트에서 추적되지 않았기 때문에 특정 금액이 주어진 각 음식의 비용을 얻는 것입니다. 다행스럽게도 내가 아는 가격을 입력할 수 있도록 데이터를 먼저 입력한 사람이 나였다. 하지만 모든 식품의 가격을 입력하지는 않겠습니다. 대신 우리는 오랜 친구인 ChatGPT에게 견적을 요청하고 .csv 파일을 조정하여 우리가 알고 있는 가격을 입력합니다. 원본 데이터세트에서 '음식 이름' 및 '금액' 열을 가져와서 파생된 'cost.csv'에 새 데이터세트를 저장합니다.

# Group by 'Food Name' and collect unique 'Amount' for each group
grouped_df = df.groupby('Food Name')['Amount'].unique().reset_index()

# Expand the DataFrame so each unique 'Food Name' and 'Amount' is on a separate row
expanded_df = grouped_df.explode('Amount')

# Export the DataFrame to a CSV file
expanded_df.to_csv('grouped_food_names_amounts.csv')

# Read the added costs and save as a new DataFrame
df_cost = pd.read_csv("cost.csv").dropna()
df_cost.head()

일부 음식은 단순히 너무 이상하게 구체적이고 저칼로리, 영양가 및/또는 저렴하다는 데이터 범위에 포함되지 않기 때문에(또는 단순히 조리법을 다시 만드는 데 신경 쓸 수 없기 때문에 삭제되었습니다) ). 그런 다음 가정된 '최종' 데이터 세트를 얻기 위해 원래 데이터 세트와 비용이 있는 데이터 프레임 두 개를 병합해야 합니다. 원본 데이터 세트에는 각 음식에 대한 항목이 포함되어 있으므로 이는 원본 데이터 세트에 동일한 음식, 특히 반복적으로 먹는 음식(예: 계란, 닭 가슴살, 쌀)에 대한 여러 항목이 있음을 의미합니다. 또한 여기서 문제의 원인이 될 가능성이 가장 높은 항목은 '에너지', '섬유질', '단백질' 및 '가격' 열이므로 값이 없는 열을 '0'으로 채우려고 합니다.

merged_df = pd.merge(df, df_cost, on=['Food Name', 'Amount'], how='inner')

specified_columns = ['Food Name', 'Amount', 'Energy (kcal)', 'Fiber (g)', 'Protein (g)', 'Price']
final_df = merged_df[specified_columns].drop_duplicates()
final_df.fillna(0, inplace=True)
final_df.head()

최적화

완벽해요! 데이터 세트가 완료되었으며 이제 두 번째 부분인 최적화부터 시작합니다. 연구의 목적을 상기하면서, 우리는 최소량의 단백질과 섬유질, 최대량의 칼로리를 고려하여 최소 비용을 식별하고자 합니다. 여기서 옵션은 모든 단일 조합을 무차별 대입하는 것입니다. 그러나 업계에서는 "선형 프로그래밍" 또는 "선형 최적화"라는 적절한 용어를 사용하지만 그에 대해 인용하지는 않습니다. 이번에는 이를 정확하게 수행하는 것을 목표로 하는 Python 라이브러리인 puLP를 사용하겠습니다. 나는 템플릿을 따르는 것 외에는 그것을 사용하는 것에 대해 많이 알지 못하므로 그것이 어떻게 작동하는지에 대한 비전문적인 설명을 읽는 대신 해당 문서를 찾아보십시오. 하지만 주제에 대한 저의 간단한 설명을 듣고 싶은 분들을 위해 기본적으로 y = ax1 + bx2 + cx3 + ... + zxn으로 풀겠습니다.

우리가 따를 템플릿은 혼합 문제 사례 연구의 템플릿입니다. 여기서는 비슷한 목표를 따르지만 이 경우에는 하루 종일 식사를 혼합하려고 합니다. 시작하려면 DataFrame을 사전으로 변환해야 합니다. 특히 '음식 이름'을 일련의 x 역할을 하는 독립 변수 목록으로 변환한 다음 에너지, 섬유질, 단백질 및 가격을 사전으로 변환해야 합니다. '음식 이름': 각각의 값입니다. 양을 정량적으로 사용하지 않으므로 앞으로는 금액이 생략되고 대신 '음식 이름'과 연결됩니다.

# Concatenate Amount into Food Name
final_df['Food Name'] = final_df['Food Name'] + ' ' + final_df['Amount'].astype(str)
food_names = final_df['Food Name'].tolist()

# Create dictionaries for 'Energy', 'Fiber', 'Protein', and 'Price'
energy_dict = final_df.set_index('Food Name')['Energy (kcal)'].to_dict()
fiber_dict = final_df.set_index('Food Name')['Fiber (g)'].to_dict()
fiber_dict['Gardenia, High Fiber Wheat Raisin Loaf 1.00 Slice'] = 3
fiber_dict['Gardenia, High Fiber Wheat Raisin Loaf 2.00 Slice'] = 6
protein_dict = final_df.set_index('Food Name')['Protein (g)'].to_dict()
price_dict = final_df.set_index('Food Name')['Price'].to_dict()

# Display the results
print("Food Names Array:", food_names)
print("Energy Dictionary:", energy_dict)
print("Fiber Dictionary:", fiber_dict)
print("Protein Dictionary:", protein_dict)
print("Price Dictionary:", price_dict)

For those without keen eyesight, continue scrolling. For those who did notice the eerie 2 lines of code, let me explain. I saw this while I was grocery shopping but the nutrition facts on Gardenia's High Fiber Wheat Raisin loaf do not actually have 1 slice be 9 grams of Fiber, it has 2 slices for 6 grams. This is a big deal and has caused me immeasurable pain knowing that the values may be incorrect due to either a misinput of data or a change of ingredients which caused the data to be outdated. Either way, I needed this justice corrected and I will not stand for any less Fiber than I deserve. Moving on.

We go straight into plugging in our values using the template from the Case Study data. We set variables to stand for the minimum values we want out of Protein and Fiber, as well as the maximum Calories we are willing to eat. Then, we let the magical template code do its work and get the results.

# Set variables
min_protein = 120
min_fiber = 40
max_energy = 1500

# Just read the case study at https://coin-or.github.io/pulp/CaseStudies/a_blending_problem.html. They explain it way better than I ever could.
prob = LpProblem("Meal Optimization", LpMinimize)
food_vars = LpVariable.dicts("Food", food_names, 0)
prob += (
    lpSum([price_dict[i] * food_vars[i] for i in food_names]),
    "Total Cost of Food daily",
)
prob += (
    lpSum([energy_dict[i] * food_vars[i] for i in food_names]) <= max_energy,
    "EnergyRequirement",
)
prob += (
    lpSum([fiber_dict[i] * food_vars[i] for i in food_names]) >= min_fiber,
    "FiberRequirement",
)
prob += (
    lpSum([protein_dict[i] * food_vars[i] for i in food_names]) >= min_protein,
    "ProteinRequirement",
)
prob.writeLP("MealOptimization.lp")
prob.solve()
print("Status:", LpStatus[prob.status])
for v in prob.variables():
    if v.varValue > 0:
        print(v.name, "=", v.varValue)
print("Total Cost of Food per day = ", value(prob.objective))

Results

Image description

In order to get 120 grams of protein and 40 grams of fiber, I would need to spend 128 Philippine Pesos on 269 grams of chicken breast fillet, and 526 grams of mung beans. This... does not sound bad at all considering how much I love both ingredients. I will definitely try it out, maybe for a week or a month just to see how much money I would save despite having just enough nutrition.

That was it for this chapter of Tracking Health with Data Engineering, if you want to see the data I worked on in this chapter, visit the repository or visit the notebook for this page. Do leave a comment if you have any and try to stay healthy.

위 내용은 데이터 엔지니어링을 통한 건강 추적 - 식사 최적화 장의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

성명:
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.