Сервер не может отсортировать массив целых чисел и отправить клиенту - PullRequest
0 голосов
/ 28 апреля 2019

Я пытаюсь отправить массив int произвольного размера с нескольких клиентов на сервер, который будет продолжать добавлять вновь полученный массив int в глобальный массив и возвращать накопленный отсортированный массив клиенту. Мой клиентский код может отправлять и получать массив int на / с сервера. Но сервер не может читать массив int, сортировать и отправлять обратно клиенту (Мой сервер может просто читать и отправлять исходный массив int клиенту, но это не то, что я хочу).

В моем коде сервера комментируемая часть не работает. Я очень новичок в программировании на Python и сокетах.

Client.py

# Import socket module
import socket, pickle
import random


def Main():
    # local host IP '127.0.0.1'
    host = '127.0.0.1'

    # Define the port on which you want to connect
    port = 12345

    s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)

    # connect to server on local computer
    s.connect((host, port))


    while True:

        # Generate Random array to be sent to server
        arr = []
        # Generate random size between 10 and 20
        # random_size = random.randint(10, 20)
        random_size = random.randint(1, 3)

        for i in range(0, random_size):
            arr.append(random.randint(0, 10))
        print('Array = ' + str(arr))

        # Serialise the array to byte stream before sending to server
        data_stream = pickle.dumps(arr)

        #Array byte stream sent to server
        s.send(data_stream)

        # messaga received from server
        data = s.recv(1024)
        #deserialise the byte stream into array after receiving from server
        data_arr = pickle.loads(data)

        # print the received message
        #print('Received', repr(data_arr))
        print('Received from Server: ', data_arr)

        # ask the client whether he wants to continue
        ans = input('\nDo you want to continue(y/n) :')
        if ans == 'y':
            continue
        else:
            break
    # close the connection
    s.close()


if __name__ == '__main__':
    Main()

Server.py

# import socket programming library
import socket, pickle

# import thread module
from _thread import *
import threading
from sortedcontainers import SortedList
import bisect

#Container to store accumulated int array from multiple clients
sl = SortedList()

# To protect
print_lock = threading.Lock()


# thread fuction
def threaded(c):
    while True:

        # data received from client
        data = c.recv(1024)
        # Data from client can't be printed =============== why?
        print(data)
        if not data:
            print('No data received from client - Bye')

            # lock released on exit
            print_lock.release()
            break

        c.send(data)  # ===> It works but I want to add received int array into global sl before sending back to client

        '''        
        ////////////////////// Code in this comment section is not working //////////////////
        #Deserialise Byte stream array from client into array list
        data_arr = pickle.loads(data)

        #Add received int array from client to global sortedList sl in sorted order
        for i in data_arr:
            bisect.insort(sl, i)
            sl.add(i)
        print(sl)

        #Serialise sorted sl into Byte stream before sending to client
        data_stream = pickle.dumps(sl)

        # send back sorted integer list to client
        c.send(data_stream)
        '''

    # connection will never be closed, server will run always
    #c.close()


def Main():
    host = ""

    # We can use a port on our specific computer
    # But in this case it is 12345 (it can be anything)
    port = 12345
    s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
    s.bind((host, port))
    print("socket binded to post", port)

    # put the socket into listening mode
    s.listen(5)
    print("socket is listening")

    # a forever loop until client wants to exit
    while True:
        # establish connection with client
        c, addr = s.accept()

        # lock acquired by client
        print_lock.acquire()
        print('Connected to :', addr[0], ':', addr[1])

        # Start a new thread and return its identifier
        start_new_thread(threaded, (c,))
    s.close()


if __name__ == '__main__':
    Main()

1 Ответ

1 голос
/ 28 апреля 2019

Я запускаю его в терминале и вижу ошибку

NotImplementedError: use ``sl.add(value)`` instead

, но сообщение кажется неполным.

После удаления

bisect.insort(sl, i)

начинает работать.

Вероятно, было: use ``sl.add(value)`` instead of ``bisect.insort(sl, i)``

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...