Застрял в цикле - нет «следующей кнопки» - PullRequest
0 голосов
/ 01 февраля 2019

Я пытаюсь отбросить в сети все команды, которые участвовали в конкурсах на определенную дату на Rotogrinder / Resultdb.Тем не менее, я только что понял, что когда в отбрасываемом конкурсе меньше 50 записей (только одна страница), мой код остается в цикле, потому что я использую следующую кнопку, чтобы нормально выйти из цикла.Вот мой код:

*** Я меняю три строки, чтобы перейти непосредственно к конкурсу, где возникает проблема.

#Packages:

from selenium import webdriver
from selenium.webdriver.common.by import By
from selenium.webdriver.support.ui import WebDriverWait
from selenium.webdriver.support import expected_conditions as ec
import pandas as pd
import time
from selenium.common.exceptions import NoSuchElementException


# Driver
chromedriver =("C:/Users/Michel/Desktop/python/package/chromedriver_win32/chromedriver.exe")
driver = webdriver.Chrome(chromedriver)

# DF taht will be use later 
results = pd.DataFrame()
best_lineups=pd.DataFrame()
opti_lineups=pd.DataFrame()

#For loop over all DATES:

CALENDAR=[]
CALENDAR.append("2017-10-04")
CALENDAR.append("2017-10-05")



for d in CALENDAR:
    driver.get("https://rotogrinders.com/resultsdb/date/"+d+"/sport/4/")

    time.sleep(10)



    try:

        contest= driver.find_element_by_xpath("//*[@id='root']/div/main/main/div[2]/div[3]/div/div/div[1]/div/div/div/div/div[3]")



        contest.click()
        list_links = driver.find_elements_by_tag_name('a')
        hlink=[]
        for ii in list_links:
            hlink.append(ii.get_attribute("href"))
        sub="https://rotogrinders.com/resultsdb"
        con= "contest"
        contest_list=[]
        for text in hlink:
            if sub in text:
                if con in text:
                    contest_list.append(text)

# comment next two lines and replace by following three to get directly to where the code keep looping                   

#         for c in contest_list:
#             driver.get(c)

        c=contest_list[3:5]
        for a in c:

            driver.get(a)


            n=1
            while n<100:


                n+=1
                time.sleep(10)

#       
                try:    
                    Data=driver.find_element_by_xpath('.//tbody//tr//td//span//a[text() != ""]').is_displayed()

                    next_button = driver.find_elements_by_xpath("//button[@type='button']")           

# Get tables to get the user names
                    tables=[]
                    tables = pd.read_html(driver.page_source)
                    users_df  = tables[0][['Rank','User']]
                    users_df['User'] = users_df['User'].str.replace(' Member', '')
                    users_df['order of appearence'] = users_df.groupby('User')['User'].transform(lambda x : x.duplicated().cumsum().add(1))
            # Initialize results dataframe and iterate through users

                    for i, row in users_df.iterrows():
                        rank = row['Rank']
                        user = row['User']

                        count_IP= users_df["order of appearence"][i]-1


    # Find the user name and click on the name
                        user_link = driver.find_elements(By.XPATH, "//a[text()='%s']" %(user))[count_IP]
                        user_link.click()

    # Get the lineup table after clicking on the user name
                        tables = pd.read_html(driver.page_source)
                        lineup = tables[1]

    # Restructure to put into resutls dataframe
                        lineup.loc[9, 'Name'] = lineup.iloc[9]['Salary']
                        lineup.loc[10, 'Name'] = lineup.iloc[9]['Pts']

                        temp_df = pd.DataFrame(lineup['Name'].values.reshape(-1, 11), 
                        columns=lineup['Pos'].iloc[:9].tolist() + ['Total_$', 'Total_Pts'] )

                        temp_df.insert(loc=0, column = 'User', value = user)
                        temp_df.insert(loc=0, column = 'Rank', value = rank)
                        temp_df["Date"]=d
                        results = results.append(temp_df)  


                    next_button[2].click()    
                    results = results.reset_index(drop=True)

                except NoSuchElementException: 
                    break
    except NoSuchElementException: 
        pass      


driver.close()

Я пытаюсь добавить следующее в конце цикла, но это не сработало:

 try:
    next_button = driver.find_elements_by_xpath("//button[@type='button']")

    next_button[2].click()    
 except NoSuchElementException:
     break    ***( I also try with pass) 

Как я могу решить эту проблему?

Ответы [ 2 ]

0 голосов
/ 01 февраля 2019
try:
    next_button =  driver.find_elements_by_xpath("//button[@type='button']")
    next_button[2].click()    
 except NoSuchElementException:
    n = 100
    break

Ваша переменная управления страницей - n, установите ее равной 100, и цикл while прекратится.

0 голосов
/ 01 февраля 2019

Попробуйте проверить, включена ли кнопка, используя webElement.isEnabled() и webElement.isDisplayed().Вот пост о кликабельных элементах.

Удачи!

...