Week 9 Code Examples

// Jake's LL demo
// But now Henry Hickman is here!
// Add integers to a LL.
// Print the entire structure

#include <stdio.h>
#include <stdlib.h>

struct node {
    // the data! Also called the payload.
    int data;
    // a pointer to the next node in the LL.
    struct node *next;
};

// A function that creates a struct node, with some data that's passed in.
// Returns a pointer to the node on the heap.
// we do this to clean up main.
struct node *create_node(int data_to_add) {
    // Allocate memory on the heap
    // we'll use sizeof(struct node) to get the exact memory required
    //printf("Allocating %lu bytes on the heap for a new node\n", sizeof(struct node)); // keep in mind struct packing might make the answer surprise you
    struct node *new_node = malloc(sizeof(struct node));

    // initialises the new node's fields
    // The aarrow oeprator -> is equivalent to a derefence then a field access: (*new_node).data = data_to_add;
    new_node->data = data_to_add;
    new_node->next = NULL; // NULL is a memory address reserved, that can't be dereferenced. usually at 0x000000

    // we return the address of this node on the heap
    return new_node;
}

void print_linked_list(struct node *head) {
    // we need a current node that iterates through the list
    // starting from the head node, we don't actually want to move the 'head' pointer.
    // we are creating a pointer to refer to where head was pointing to...
    struct node *current = head;
    printf("Linked list: ");
    // we loop. We loop as long as the current node is NOT at the NULL pointer.
    while (current != NULL) {
        printf("%d->", current->data);
        current = current->next;
    }
    printf("NULL\n");
}

//Free all nodes in the linked list
void free_all_nodes(struct node *head) {
    struct node *current = head;
    //Traverses the linked list until we're at the end
    while (current != NULL) {
        //Gets the current node in preperation of freeing it
        struct node *node_to_free = current;
        //Moves on with our life to the next node
        current = current->next;
        //Frees the node, so we don't have a memory leak
        free(node_to_free);
    }
    printf("Freed all the nodes in the linked list\n");
}

//Insert at the beginning of a linked list
struct node *insert_at_head(struct node *head, struct node *new_node) {
    struct node *prev_head = head;
    //Our new node points to what use to be the start of the linked list
    new_node->next = prev_head;
    //The start of our linked list is now the new node
    head = new_node;
    return head;
}

//Inserts at the tail of a linked list
struct node *insert_at_tail(struct node *head, struct node *new_node) {
    if (head == NULL) {
        head = new_node;
        return head;
    }
    struct node *current = head;
    //So that we don't fall of the end of our linked list
    //Stop when the next item is NULL
    while (current->next != NULL) {
        current = current->next;
    }
    //We are at the very last node in our list
    //Make it point to our new node
    current->next = new_node;
    return head;
}

//Inserts in the middle of a linked list
struct node *insert_at_index(struct node *head, struct node *new_node, int index) {
    //There's a few cases we haven't considered
    //Let's go through them today
    struct node *current = head;
    int counter = 0;
    if (index < 0) {
        return head;
    }
    if (index == 0) {
        new_node->next = head;
        head = new_node;
        return head;
    }
    //Will continue until we are one before where we want our node to end up
    while (counter < index - 1 && current != NULL) {
        current = current->next;
        //Keeps track of what index we are at
        counter++;
    }
    struct node *prev_next = current->next;
    current->next = new_node;
    new_node->next = prev_next;
    return head;
}

//Deletes from a given index
struct node *delete_at_index(struct node *head, int index) {
    //There's a few cases we haven't considered
    //Let's go through them today
    if (index == 0) {
        struct node *prev_head = head;
        head = head->next;
        free(prev_head);
        return head;
    }
    
    struct node *current = head;
    int counter = 0;
    //Counts up to where we want to go
    while (counter < index - 1) {
        //Proceeds to next
        current = current->next;
        counter++;
    }
    //Gets the node we want to delete
    struct node *node_to_free = current->next;
    //Gets the node we want to point at next
    //Only if it exists
    struct node *to_point_at;
    if (node_to_free->next != NULL) {
        to_point_at = node_to_free->next;
    } else {
        //Otherwise we will point to NULL
        to_point_at = NULL;
    }
    current->next = to_point_at;
    free(node_to_free);
    return head;
}

//Inserts items in [ascending or descending] order
struct node *insert_in_order(struct node *head, struct node *new_node) {
    //Checks if the head is NULL
    if (head == NULL) {
        head = new_node;
        return head;
    }
    //Checks if the new_node is smaller than the head
    if (new_node->data < head->data) {
        new_node->next = head;
        head = new_node;
        return head;
    }
    struct node *current = head;
    while (current->next != NULL) {
        if (new_node->data < current->next->data) {
            new_node->next = current->next;
            current->next = new_node;
            return head;
        }
        current = current->next;
    }
    current->next = new_node;
    return head;
}

//Reverses a linked list
struct node *reverse_linked_list(struct node *head) {
    struct node *current = head;
    struct node *prev = NULL;
    struct node *next = NULL;
    //Keep going until current is NULL
    while (current != NULL) {
        //Storing current->next for later when we want to traverse down the list
        next = current->next;
        //Setting current->next to what came before it (NULL at the start)
        current->next = prev;
        //For future iterations, prev will be whatever node we were just at
        prev = current;
        //Use what we saved, and move down to the next node
        current = next;
    }
    //Because the head is no longer the head, we need to return prev instead
    return prev;
}

//Concatenates two linkned lists together
struct node *concatenate (struct node *head1, struct node *head2) {
    //If head1 is NULL, head2 might be a linked list so we'll return it
    if (head1 == NULL) {
        return head2;
    } else if (head2 == NULL) {
        //If head2 is NULL, head1 might be a linked list, so we'll return it
        return head1;
    }
    struct node *current = head1;
    //Traverse the linked list as normal, until we get to the last node
    while (current->next != NULL) {
        current = current->next;
    }
    //Adding head2 to the end of the first linked list
    current->next = head2;
    return head1;
}

//Counts how many nodes are divisible by six
int div_6(struct node *head) {
    if (head == NULL) {
        return 0;
    }
    struct node *current = head;
    int counter = 0;
    while (current != NULL) {
        if (current->data % 6 == 0) {
            counter++;
        }
        current = current->next;
    }
    return counter;
}

//Deletes the first node divisible by six
//Purposefully does not use helper functions
struct node *delete_div_6(struct node *head) {
    struct node *current = head;
    while (current->next != NULL) {
        if (current->next->data % 6 == 0) {
            struct node *next = current->next->next;
            struct node *node_to_delete = current->next;
            free(node_to_delete);
            current->next = next;
            return head;
        }
        current = current->next;
    }
    return head;
}

//Returns the difference between the largest and smallest element
//If there's only one element, return that element
int range(struct node *head) {
    return 0;
}

//Merges two linked lists into one linked list, and frees the second
struct node *merge_linked_lists(struct node *head1, struct node *head2) {
    return head1;
}

int main(void) {
    // the first node in a linked list is the head of our list.
    struct node *head = create_node(11);

    // create the next few nodes
    struct node *second_node = create_node(8);
    struct node *third_node = create_node(7);
    struct node *fourth_node = create_node(15);
    struct node *fifth_node = create_node(13);
    struct node *sixth_node = create_node(1);
    struct node *seventh_node = create_node(54);
    struct node *eigth_node = create_node(35);
    // we need to LINK the nodes in the linked list.
    // the head node (11) should point to the second node
    head = insert_in_order(head, second_node);
    head = insert_in_order(head, third_node);
    head = insert_in_order(head, fourth_node);
    head = insert_in_order(head, fifth_node);
    head = insert_in_order(head, sixth_node);
    head = insert_in_order(head, seventh_node);
    head = insert_in_order(head, eigth_node);
    // and so on.

    struct node *head2 = create_node(100);
    struct node *new_2 = create_node(150);
    struct node *new_3 = create_node(200);
    struct node *new_4 = create_node(250);

    head2->next = new_2;
    head2->next->next = new_3;
    head2->next->next->next = new_4;

    print_linked_list(head);
    //head = reverse_linked_list(head);
    print_linked_list(head2);
    head = delete_div_6(head);
    print_linked_list(head);
    //printf("%d nodes were divisible by 6 in my linked list\n", count_of_6);
    free_all_nodes(head);
    free_all_nodes(head2);
    return 0;
}
// main.c
// Sofia De Bellis
// Simple Spotify 

#include <stdio.h>
#include "spotify.h"

int main(void) {
    // Initialize the spotify system
    struct spotify *spotify = initialise_spotify();

    // Create multiple playlists and add them to spotify
    add_playlist("COMP(1511|1911)'s Favourites", spotify);
    add_playlist("K-Pop Hits", spotify);
    add_playlist("Chill Vibes", spotify);

    // // Add songs to the favourites playlist
    add_song("COMP(1511|1911)'s Favourites", "Touch", KPOP, "Katseye", 129, spotify);
    add_song("COMP(1511|1911)'s Favourites", "Ms Jackon", HIPHOP, "Outkast", 299, spotify);
    add_song("COMP(1511|1911)'s Favourites", "Love Story", POP, "Taylor Swift", 230, spotify);
    add_song("COMP(1511|1911)'s Favourites", "Golden", KPOP, "HUNTR/X", 180, spotify);

    // Add songs to the K-Pop playlist
    add_song("K-Pop Hits", "Dynamite", KPOP, "BTS", 199, spotify);
    add_song("K-Pop Hits", "Pink Venom", KPOP, "BLACKPINK", 195, spotify);
    add_song("K-Pop Hits", "Touch", KPOP, "Katseye", 129, spotify);

    // Add songs to the chill playlist
    add_song("Chill Vibes", "Kyoto", INDIE, "Phoebe Bridgers", 242, spotify);
    add_song("Chill Vibes", "Good Days", HIPHOP, "SZA", 260, spotify);

    print_spotify(spotify);

    // // Remove songs from the favourites playlist
    remove_song(spotify, "COMP(1511|1911)'s Favourites", "Touch");
    remove_song(spotify, "COMP(1511|1911)'s Favourites", "Good Days");

    print_spotify(spotify);

    print_songs_of_genre(spotify, KPOP);

    merge_playlists(spotify, "COMP(1511|1911)'s Favourites", "K-Pop Hits");

    print_spotify(spotify);

    delete_spotify(spotify);

    return 0;
}
ELF>P�@`�@8
@('@@@��H�H������������@�@����C��H�H�H�PP888  XXXDDS�td888  P�td,�,�,���Q�tdR�td����
�
/lib64/ld-linux-x86-64.so.2GNU��GNU�
��>����<?���?E�GNUa�<jSs[vr>=Lzq|tZnAFxKe3%�UyJYTWp?}aPBO6Gg];8E^	5@1k4biM(`cdN"lV_Do'){20$7+,
 9*#&.u�:X/C~wIm\Q
h-Rf!Hl�a���IDH: �lopqstuwxz}��ʖ�|��Ar�9@�	~�|�ks�%�ړ?�����ʙ��9���Jhfה���t^��Sv�e�m{�|�?��+k7��g�/Uwn6��?�������k!7����&Y�x�hD�\��l0bL��A�{`�2��HF�6E>SR�f�*�l~=	9����TV����:O��
���J s�4�7  P����5����-� ��E`�Vx�E0��3������ �-������~i�����������_���#"KP���m������D_ITM_registerTMCloneTable_ITM_deregisterTMCloneTable__gmon_start____asan_init__asan_report_load1__asan_report_store1__asan_report_load2__asan_report_store2__asan_report_load4__asan_report_store4__asan_report_load8__asan_report_store8__asan_report_load16__asan_report_store16atoisnprintfsignalrealpathfree_exitfputs__ubsan_handle_add_overflowfflushwait__ubsan_handle_pointer_overflow__asan_handle_no_return__asan_option_detect_stack_use_after_return__asan_stack_malloc_0__asan_memsetreadtime__ubsan_handle_type_mismatch_v1popenfopenfdopenfreopen__asan_on_error__asan_report_present__asan_get_report_description__asan_get_report_address__asan_get_alloc_stackprctlfwritepclose_Unwind_Backtrace__asan_default_options__ubsan_on_report__asan_stack_malloc_5__asan_set_shadow_f8__ubsan_get_current_report_data__asan_set_shadow_00__ubsan_default_options__asan_stack_malloc_2statposix_spawnposix_spawnp__asan_stack_malloc_1vfprintfstrlenstrcpystrcatstrncpystrcmpstrncmpstrcspn__asan_stack_malloc_3__asan_set_shadow_f5strspnsetbufmemchrstrtol__ubsan_handle_out_of_boundssetlinebuffopencookie__asan_report_load_n__ubsan_handle_sub_overflowfclosememcpy__asan_version_mismatch_check_v8__asan_register_globals__asan_unregister_globalsmalloc__ubsan_handle_nonnull_arg__ubsan_handle_divrem_overflowfgetcstdinchmodsleep__ctype_toupper_locsetenvputcharunlinkclocksystemfork__ctype_b_locstpncpyfaccessatgetchargetpidstdoutmkstempexecvp__libc_start_mainremovestderr__ctype_tolower_loc__cxa_finalizeputenvkillgetenvstpcpygettidfputcrenamefileno__errno_locationabortpipelseek__environlibclang_rt.asan-x86_64.solibm.so.6libgcc_s.so.1libc.so.6GLIBC_2.4GLIBC_2.30GLIBC_2.34GLIBC_2.3GLIBC_2.2.5/usr/lib/clang/14.0.6/lib/linux�ii
���������ii
�ui	���T�`W �`�(�0�0��T8��W@���H��P��X�"�h�"�x�"���"���"���"���"���"���"���"���"��"��"�(�"�8�"�H�"�X�"�h�"�x�"���"���"���"���"���"���"���"���"��"��"�(�"�8�"�H�"�X�"�h�"�x�"���"���"���"���"���"���"���"���"��"��"�(�"�8�"�H�"�X�"�h�"�x�"���"���"���"���"���"���"���"���"��"��"�(�"�8�"�H�"�X�"�h�"�x�"���"���"���"���"���"���"���"���"��"��"�(�"�8�"�H�"�X�"�h�"�x�"���"���"���"���"���"���"���"���"��"��"�(�"�8�ǼH�ǼX�Ǽh�Ǽx�Ǽ��Ǽ��Ǽ��Ǽ��Ǽ��Ǽ��Ǽ��Ǽ��Ǽ�Ǽ�Ǽ(�Ǽ8�ǼH�ǼX�Ǽh�μx�μ��μ��μ��μ��μ��μ��μ��μ��μ�μ�μ(�μ8�μ((�"��@��"�(�"�8�"�H�"�X�"�h�"�x�"���"���"���"���"�ȣ"�أ"��"���"��"��"�(�"�8�"�H�"�X�"�h�"�x�"���"���"���"���"�Ȥ"�ؤ"��"���"��"��"�(�"�8�"���"���"���"������"�Х"����"�� ��@��"� �"�0��@�"�P�"�`��p�"��� ���@���"���"���"�����Ц"��"�����"��"� �"�0��@�"�P�"�`��p�"��� ���@���"���"������"�Ч"����"�� ��@��"� �"�0�"�@�"�P�"�`�"�p�"���"���"���"���"���P�Ш"��@��"��P��"� �@�0�"�@�"�P�P�`�"�p�p���"���P���"���@���"�Щ"����"��"��P� �"�0�@�@�"�P�P�`�"�p�@���"�������@���"���"���"�Ъ"�� ��"��@��"� ���(�@�0�"�@�"�P�@�`�"�p���x�@���"���"���@���"���@�ȫ"��"�� ��"��"� ��(�@�0�"�@�"�P�"�`�"�p�"���"���"���"���"���"�Ь"��"�� ��"��"� �"�0���@�"�P�"�`�"�p�����"���"���"���@���"�ȭ"�ح"��"�� ��"� � �0�"�@� �P�"�`�"�p� ���"��� ���"��� ��� ���"�Ю"��"��"��"�� ��@� �"�0�"�@�@�P�"�`� �h�@�p�"���"���@���"���@���"�Я@��4����4��4� ��0�"�@���P�"�`�P�p�"���@���"�������"�����а"��P��"��p��"� �P�0�"�@�@�P�"�`�P�p�"���p���"���P���"���p�б"��P��"��@��"� ���(�@�0�"��"��"��@��"��"��"��"�� �"� � @�8�@2�PX�` 9x��2��h��@9����2��x��`9��2��� `�8&�@2�`��x��2�����@�Y��2���������2��� �98o�@2�P��`�x��2���������2������9�~�2��� ��8�@2�P�`��x��2��������2��(��@���2�8�  �8�@2�PH�``�x��2��X�������2��h�����2�x�  �8�@2�P��``�x��2����������2�����`����2��� �;8��@2�P��`�;xƸ�2�����@����2�����`���2��� ��8�@2�P�`�mx޸�2���������2��(���m��	2�	8� 	�8	�@	2�P	H�`	�mx	���	2��	X��	 ��	��	2��	h��	n�	
�
2�
x� 
`�8
�@
2�P
��`
 nx
)��
2��
���
���
��
2��
���
@n�
:�2��� @�8�@2�P��`��x��2���������2����� ���2��� �p8L�@2�`�pxg��2����q�u��2���� q���
2�
(� 
@q8
i�@
2�P
8�`
��x
��
2��
H��
���
��
2��
X��
��
�2�h� `�8��@2�Px�`��x���2����� ����2���������2��� ��8�@2�P��`�x��2�����@����2���������2��� ��8�@2�P��`�x��2����@����2��������2�(� ��8��@2�P8�`��x͹�2������2��H�� ���2�X� `�8�@2�Ph�`��x��2��x��@��߹�2��������2���  �8�@2�P��`@�x��2�����`����2���������2��� ��8�@2�P��`�x��2���������2����@���2�� ��8�@2�P(�`��x��2��8������2��H��@���2�X� ��8�@2�Ph�`��x��2��x�������2���������2� �8�@2�P��`�x��2����� ����2�����@���2��� `�8�@2�P��`��x��2����������2��������2�� ��8�@2�P�`��x��2��(��@�������8��������H� ��8�@��PX�`��x�����h���������x���������  �8�@��P��`@�x��������`������������������ ��8�@��P��`��x������������������������  �8�@��P�`@�x�����(��`�������8��������H� ��8�@��PX�`μp��μ� ��μ�@��μ�ؼ�μؼ μ0@�@μPX�`μp@��μ�p��μ�@��μ����μ�� μ  �  μ0 �@ μP  �` μp �� μ�  �� μ� @�� μ� ��� μ� �!μ! � !μ0!��@!μP!ؼp!μ�!ؼ�!μ�!���!μ�!ؼ�!μ"ؼ "μ0"��@"μP"н`"μp"���"μ�"X��"μ�"���"μ�"��"μ�"@�#μ#p� #μ0#@�@#μP#p�`#μp#���#μ�#@��#μ�#@��#μ�#p��#μ�#��$μ$� $μ0$��@$μP$�`$μp$���$μ�$��$μ�$���$μ�$@��$μ�$�%μ% � %μ0%@�@%μP%ؼp%μ�%ؼ�%μ�%@��%μ�%���%μ�%�&μ& � &μ0&@�@&μP&@�`&μp&p��&μ�&���&μ�&��&μ�&@��&μ�&��'μ'@� 'μ0'p�@'μP'��`'μp'ؼ�'μ�'ؼ�'μ�'���'μ�'�(μ(@� (μ0(p�@(μP(��`(μp(@��(μ�(���(μ�(��(μ�(���(μ�(�)μ)�� )μ0)ؼP)μ`)ؼ�)μ�)���)μ�)��)μ�)���)μ�)�*μ*�� *μ0*�@*μP*��`*μp*@��*μ�*���*μ�*��*μ�*@��*μ�*p�+μ+�� +μ0+�@+μP+��`+μp+��+μ�+ ��+μ�+@��+μ�+ؼ�+μ,ؼ ,μ0,�@,μP, �`,μp,@��,μ�,���,μ�,��,μ�, ��,μ�,@�-μ-�� -μ0-@�@-μP-��`-μp-@��-μ�-ؼ�-μ�-ؼ�-μ�-@�.μ.�� .μ0.@�@.μP.��`.μp.@��.μ�.���.μ�.@��.μ�.���.μ�.�/μ/ � /μ0/@�@/μP/p�`/μp/���/μ�/��/μ�/@��/μ�/���/μ�/�0μ0 � 0μ00@�@0μP0p�`0μp0���0μ�0н�0μ�0���0μ�0@��0μ�0X�1μ1�� 1μ01�@1μP1@�`1μp1���1μ�1@��1μ�1p��1μ�1@��1μ�1p�2μ2@� 2μ02p�@2μP2@�`2μp2p��2μ�2@��2μ�2���2μ�2��2μ�2��3μ3� 3μ03@�@3μP3p�`3μp3���3μ�3��3μ�3@��3μ�3p��3μ�3@�4μ4�� 4μ04��@4μP4��`4μp4н�4μ�4���4μ�4X��4μ�4X��4μ�4��5μ5X� 5μ05X�@5μP5X�`5μp5X��5 ��5��5 ��5h��5`��5��5 ��5x�6��6� 6 �06��@6��X6�`6 �p6���6��6��6 ��6���6@��6��6 ��6��7��7� 7 �07��@7��X7�`7 �p7���7��7��7 ��7���7`��7��7 ��7��8��8� 8 �08�@8��X8�`8 �p8��8���8��8 ��8(��8���8��8 ��88��8����}�� ��$��F��[��\��`��g��i (08	@
HPX
`hpx��������������!�"�#%&'( )(*0+8,@-H.P/X0`1h2p3x4�5�6�7�8�9�:�;�<�=�>�?�@�A�B�C�DEGHI J(K0L8M@NHOPPXQ`RhSpTxU�V�W�X�Y�Z�]�^�_�a�b�c�d�e�f�h�jkH��H��_H��t��H����5�_�%�_@�%�_h������%�_h������%�_h������%�_h�����%�_h�����%�_h�����%�_h�����%�_h�p����%�_h�`����%�_h	�P����%z_h
�@����%r_h�0����%j_h� ����%b_h
�����%Z_h�����%R_h������%J_h������%B_h������%:_h������%2_h�����%*_h�����%"_h�����%_h�����%_h�p����%
_h�`����%_h�P����%�^h�@����%�^h�0����%�^h� ����%�^h�����%�^h�����%�^h������%�^h ������%�^h!������%�^h"������%�^h#�����%�^h$�����%�^h%�����%�^h&�����%�^h'�p����%�^h(�`����%�^h)�P����%z^h*�@����%r^h+�0����%j^h,� ����%b^h-�����%Z^h.�����%R^h/������%J^h0������%B^h1������%:^h2������%2^h3�����%*^h4�����%"^h5�����%^h6�����%^h7�p����%
^h8�`����%^h9�P����%�]h:�@����%�]h;�0����%�]h<� ����%�]h=�����%�]h>�����%�]h?������%�]h@������%�]hA������%�]hB������%�]hC�����%�]hD�����%�]hE�����%�]hF�����%�]hG�p����%�]hH�`����%�]hI�P����%z]hJ�@����%r]hK�0����%j]hL� ����%b]hM�����%Z]hN�����%R]hO������%J]hP������%B]hQ������%:]hR������%2]hS�����%*]hT�����%"]hU�����%]hV�����%]hW�p����%
]hX�`����%]hY�P����%�\hZ�@����%�\h[�0����%�\h\� ����%�\h]�����%�\h^�����%�\h_������%�\h`������%ZYf�1�I��^H��H���PTE1�1�H�=��7Y�f.�@H�=y�H�r�H9�tH�6YH��t	�����H�=I�H�5B�H)�H��H��?H��H�H��tH�YH��t��fD�����=�u+UH�=�XH��tH�=\�)����d����ݑ]������w���I��I��E����E��u�QH����D9�Y|�H���z���I��I��E����E��u�QH����D9�Y|�H���p���I��I��E����E��u�QH������D9�Y|�H���3���I��I��E����E��u�QH������D9�Y|�H�������I��I��E����E��u�QH������D9�Y|�H������I��I��E����E��u�QH������D9�Y|�H�������I��I��A����u�H���B���I��I��A����u�H���h���I��I��fA����u�H���]���I��I��fA����u�H�������I��I��E����E��u�QH�ك�D9�Y|�H������I��I��E����E��u�QH�ك�D9�Y|�H�������I��I��E����E��u�QH�ك���D9�Y|�H�������I��I��E����E��u�QH�ك���D9�Y|�H���d���I��I��E����E��u�QH�ك���D9�Y|�H������I��I��E����E��u�QH�ك���D9�Y|�H���z���I��I��A����u�H�������I��I��A����u�H�������I��I��fA����u�H�������I��I��fA����u�H���`���I��I��E����E��u�QH�Ƀ�D9�Y|�H������I��I��E����E��u�QH�Ƀ�D9�Y|�H������I��I��E����E��u�QH�Ƀ���D9�Y|�H���O���I��I��E����E��u�QH�Ƀ���D9�Y|�H�������I��I��E����E��u�QH�Ƀ���D9�Y|�H������I��I��E����E��u�QH�Ƀ���D9�Y|�H������I��I��A����u�H���^���I��I��A����u�H������I��I��fA����u�H���y���I��I��fA����u�H�������I��I��E����E��u�QH�у�D9�Y|�H���$���I��I��E����E��u�QH�у�D9�Y|�H������I��I��E����E��u�QH�у���D9�Y|�H�������I��I��E����E��u�QH�у���D9�Y|�H������I��I��E����E��u�QH�у���D9�Y|�H���3���I��I��E����E��u�QH�у���D9�Y|�H������I��I��A����u�H�������I��I��A����u�H������I��I��fA����u�H������I��I��fA����u�H���|���I��I��E����E��u�QH���D9�Y|�H������I��I��E����E��u�QH���D9�Y|�H������I��I��E����E��u�QH�����D9�Y|�H���k���I��I��E����E��u�QH�����D9�Y|�H������I��I��E����E��u�QH�����D9�Y|�H�������I��I��E����E��u�QH�����D9�Y|�H���$���I��I��A����u�H���z���I��I��A����u�H������I��I��fA����u�H������I��I��fA����u�H���
���I��I��E����E��u�QH����D9�Y|�H���@���I��I��E����E��u�QH����D9�Y|�H���6���I��I��E����E��u�QH������D9�Y|�H�������I��I��E����E��u�QH������D9�Y|�H������I��I��E����E��u�QH������D9�Y|�H���O���I��I��E����E��u�QH������D9�Y|�H������I��I��A����u�H������I��I��A����u�H���.���I��I��fA����u�H���#���I��I��fA����u�H������I��I��E����E��u�QH���D9�Y|�H�������I��I��E����E��u�QH���D9�Y|�H�������I��I��E����E��u�QH�����D9�Y|�H������I��I��E����E��u�QH�����D9�Y|�H���*���I��I��E����E��u�QH�����D9�Y|�H�������I��I��E����E��u�QH�����D9�Y|�H���@���I��I��A����u�H������I��I��A����u�H������I��I��fA����u�H������I��I��fA����u�H���&���M��I��E����E��u�QL����D9�Y|�L���\���M��I��E����E��u�QL����D9�Y|�L���R���M��I��E����E��u�QL������D9�Y|�L������M��I��E����E��u�QL������D9�Y|�L������M��I��E����E��u�QL������D9�Y|�L���k���M��I��E����E��u�QL������D9�Y|�L�������M��I��A����u�L���$���M��I��A����u�L���J���M��I��fA����u�L���?���M��I��fA����u�L������M��I��E����E��u�QL�Ƀ�D9�Y|�L�������M��I��E����E��u�QL�Ƀ�D9�Y|�L�������M��I��E����E��u�QL�Ƀ���D9�Y|�L������M��I��E����E��u�QL�Ƀ���D9�Y|�L���F���M��I��E����E��u�QL�Ƀ���D9�Y|�L�������M��I��E����E��u�QL�Ƀ���D9�Y|�L���\���M��I��A����u�L������M��I��A����u�L�������M��I��fA����u�L�������M��I��fA����u�L���B���M��I��E����E��u�QL���D9�Y|�L���x���M��I��E����E��u�QL���D9�Y|�L���n���M��I��E����E��u�QL�����D9�Y|�L���1���M��I��E����E��u�QL�����D9�Y|�L�������M��I��E����E��u�QL�����D9�Y|�L������M��I��E����E��u�QL�����D9�Y|�L�������M��I��A����u�L���@���M��I��A����u�L���f���M��I��fA����u�L���[���M��I��fA����u�L�������M��I��E����E��u�QL���D9�Y|�L������M��I��E����E��u�QL���D9�Y|�L�������M��I��E����E��u�QL�����D9�Y|�L������M��I��E����E��u�QL�����D9�Y|�L���b���M��I��E����E��u�QL�����D9�Y|�L������M��I��E����E��u�QL�����D9�Y|�L���x���M��I��A����u�L�������M��I��A����u�L�������M��I��fA����u�L�������M��I��fA����u�L���^���M��I��E����E��u�QL���D9�Y|�L������M��I��E����E��u�QL���D9�Y|�L������M��I��E����E��u�QL�����D9�Y|�L���M���M��I��E����E��u�QL�����D9�Y|�L�������M��I��E����E��u�QL�����D9�Y|�L������M��I��E����E��u�QL�����D9�Y|�L������M��I��A����u�L���\���M��I��A����u�L������M��I��fA����u�L���w���M��I��fA����u�L�������M��I��E����E��u�QL����D9�Y|�L���"���M��I��E����E��u�QL����D9�Y|�L������M��I��E����E��u�QL������D9�Y|�L�������M��I��E����E��u�QL������D9�Y|�L���~���M��I��E����E��u�QL������D9�Y|�L���1���M��I��E����E��u�QL������D9�Y|�L������M��I��A����u�L�������M��I��A����u�L������M��I��fA����u�L������M��I��fA����u�L���z���f.�UAWAVAUATSH��XH��A��H�=������H��tH�������]7H�=��H�5����U���H�=��H�5����=�������W�)D$0)D$ )D$)$H��H��@H���1�����H�=0�H�������H�-�H�������H���r����H���e����H���X����H���K����H���>����H���1����
H���$����
H��������]H�;1��H���H��tH��H�=��H�ƺ�L���H���d���H�EDH�H��}H�=�}���������H�=�}��������(��)D$@H�|$@�u���������L�t$@L��������H�=��L��������H�5NG��L������=�L����� ����{���W�)D$0)D$ )D$)$H�n�H��@H���1��z���H�=S�H���V��������}��yUH�XCH�D��H��蒘H��X[A\A]A^A_]��.��Y�
1�����������Ǿ
�������R�����������W�)D$0)D$ )D$)$L�%��I��@L��L���1������H�=��L������W�)D$0)D$ )D$)$I��@L��L���1�����H�=��L���\����-&|�=�{������=�{������5�{H�=c���5�{H�=����H�3H�=���H�=��L���L�3D��H��谔������W�)D$0)D$ )D$)$H���H��@H���1������H�=��H�������=+{�����=D{����D��H���K���y���f���f���fDP�j���
1�������$����Ǿ
���������f.�@AVSH��H��H��W�)D$0)D$ )D$)$H���I��@L��1������H��L��������H��H[A^�f.�PH��@H��H������u	H�8X�����H�=�@����PH�p@H��H������u	H�0X����H�=P@�S���UAWAVSPL�5:@L��H������u[I�6����A��������t%����uK��I�6�
�7������tA��A��pD��H��[A^A_]É�H�=C���Y�����H�=�?�����H�=�?����f.�DPH�=��t(H��?H��H��������H�8�B���蝐�=��u*H�
yH���tj�=y������=y������j����=^1u4��
�������
�����1��'���;�xu
�(1X�5�0�X�-H�=�?H�5�xH��x�3����w���H�=�>�����f�P�=1u H�=�������H��tH���}�����0X�@P1�1���1������UH��AWAVAUATSH���H��@H��I��H�~>�8�{�.�@����I��M��M��uI��I���I���L��L�sI����AH���I�FH�����I�FM��I��H���������I��$���=���L�kM�n fADŽ$���L��1��F����=�w�L���c�����u@L��H�����������CA9Eu"I��L��H��������H�CI9Et�=g/|
�����膏fADŽ$����I�6�EM��t/H���������I��$��I�G8�� E1�M��M������������IDŽ$��H�e�[A\A]A^A_]�D�����8��K���L�������L�������@AVSH�����1��h����1��\����1��P����1��D����1��8����1��,����1�� ����
1�������
������
t��
u?�=d�t1�]������
1�����������Ǿ
�����������<�(u�)D$p)D$`)D$P)D$@H���L�t$@�@L����1������L���L���(5�)D$0)D$ )D$)$����Hc�H���H��@H��1�����H���	�����"@UH��AWAVAUATSH���H��@H��I��H�~;�8�D�@����I��M��M��uI��I���I���L��L�kI�E���AH�'�I�EH�����I�EM��I��H���������I�����=���L�cM�e fAdž���L��1��J����=�t�L���g�����u;L��H����������A�<$
uI��L��H��������I�<$t�=p,|
������菌fAdž����L�cL���Y���I�ǿ
H���I�E6�EM��t/H���������I����I�D$8��E1�M��M�����������Idž��L��H�e�[A\A]A^A_]�D�����8��2���L�������L������f.�DUH��AWAVAUATSH���H��@H��I��A��H��9�8���@�����I��H��uI��I���I���L��L�{I����AH�
	�I�OH�
����I�OM��I��H���������I�����=B���H�CL�cM�g fAdž��L��H���������!E�,$����I��A���qM���hL��H���������A�EI�|$H��H���������A�D$I�|$H��H�������+H�CH�H�rH������=r�L���V���H��L�ct�=E*|
������d�fAdž����H�CI�6�EH��t-H���������I����H�@8��1�I��H��������}���Idž��L��H�e�[A\A]A^A_]�D�����8������L���G���D�����8������L������������8����������H�=�8H�5qH�q��������H�=S8L���+������������UH��AWAVAUATSH���H��@H��H�Q7�8�9�@�~���I��M��M��uI��I���I���L��L�cI�$���AH���I�D$H�����I�D$M��I��H���������I�����=���M�|$ fADž���L��1������=Xp�L���;�����u9L��H����������A�?uI��L��H��������I�?t�=F(|
������e�fADž�����f���I�ǿH���f���I�$6�EM��t.H���������I����I�F8��E1�M��M������������IDž��L��H�e�[A\A]A^A_]�D������8��<���L������L������f.�UH��AWAVAUATSH���H��@H��I��H��5�8�D�@����I��M��M��uI��I���I���L��L�kI�E���AH�7�I�EH�����I�EM��I��H���������I�����=!���L�cM�e fAdž���L��1��Z����=�n�L���w�����u;L��H����������A�<$	uI��L��H��������I�<$t�=�&|
������蟆fAdž����L�cL���y���A��Hc�	����I�E6�EM��t/H���������I����I�D$8��E1�M��M�����������Idž��D��H�e�[A\A]A^A_]�D�����8��2���L�������L�������f.�DUH��AWAVAUATSH���H��@H��H��3�8H�sI���I�@�����I��M��M��uI��I���I���L��L�sI����AH�d�I�FH�����I�FM��I��H���������I��$���=M���L�kM�n fADŽ$���L��1������=�l�L��������u;L��H����������A�}
uI��L��H��������I�}t�=�$|
�������ʄfADŽ$����L�kL��H�s����A��Hc�
����I�6�EM��t/H���������I��$��I�E8�� E1�M��M�����������IDŽ$��D��H�e�[A\A]A^A_]�D�����8��-���L�������L�������DUH��AWAVAUATSH���H��@H��I��H��1�8�D�@����I��M��M��uI��I���I���L��L�kI�E���AH���I�EH�����I�EM��I��H���������I�����=����L�cM�e fAdž���L��1������=�j�L���������u;L��H����������A�<$uI��L��H��������I�<$t�=�"|
��4������fAdž����L�cL���Y���A��Hc������I�E6�EM��t/H���������I����I�D$8��E1�M��M�����������Idž��D��H�e�[A\A]A^A_]�D�����8��2���L���7���L���/���f.�DUH��AWAVAUATSH���H��@H��I��H�0�8H�{�Z�@�G���I��M��M��uI��I���I���L��L�sI����AH���I�FH�����I�FM��I��H���������I��$���=����L�kM�n fADŽ$���L��1�������=i�L��������u;L��H����������A�}uI��L��H��������I�}t�=!|
��_����*�fADŽ$����L�kH�{L���_���H��L���HI��1�H��@�ƿ����I�6�EM��t/H���������I��$��I�E8�� E1�M��M�����������IDŽ$��L��H�e�[A\A]A^A_]�D�����8�����L���L���L���D���@UH��AWAVAUATSH���H��@H��I��H�>.�8H�{�Z�@�g���I��M��M��uI��I���I���L��L�sI����AH���I�FH�����I�FM��I��H���������I��$���=͞��L�kM�n fADŽ$���L��1������=?g�L���"�����u;L��H����������A�}uI��L��H��������I�}t�=+|
������JfADŽ$����L�kH�{L�������H��L���FI��1�H��@�ƿ�.���I�6�EM��t/H���������I��$��I�E8�� E1�M��M�����������IDŽ$��L��H�e�[A\A]A^A_]�D�����8�����L���l���L���d���@UH��AWAVAUATSH���H��@H��I��H�^,�8�{�Y�@����I��M��M��uI��I���I���L��L�sI����AH��I�FH�����I�FM��I��H���������I��$���=���L�kM�n fADŽ$���L��1��&����=`e�L���C�����u;L��H����������A�}uI��L��H��������I�}t�=L|
������k}fADŽ$����L�k�{L������H��L����DI��1�H��@�ƿ�P���I�6�EM��t/H���������I��$��I�E8�� E1�M��M�����������IDŽ$��L��H�e�[A\A]A^A_]�D�����8�����L������L������fDUH��AWAVAUATSH���H��`H��I��H�s(H�{0H�v*�8�&�@����I��M��M��uI��I���I���L��L�c8I�$���AH��I�D$H�����I�D$L��H��H���������H�KH�����=���M�|$ H�Cfǀ���L��1��<����=vc�L���Y�����u9L��H����������A�?uI��L��H��������I�?t�=d|
������{H�Cfǀ����H�{0��H�{(��M����L95(cL�c �L�=cH� cL9��
L95c�'H�cL9��"L95c�<H�cL9��7L95c�QH�cL9��LL95	c�fH�cL9��aL95c�{H�cL9��vL95�b��H�cL9���L95�b��H��bL9���L95�b��H��bL9���L95�b��H��bL9���L95�b��H��bL9���L95�b��H��bL9���L95�b�H��bL9��L95�b� H��bL9��L95�b�2H��bL9��WA�L95�b�����������E1��1�����I�$6�EM�����3E1�M��M������������E1���D������8��k���L�������H�=c�H�5�`H��`�(���L95�`�����A��H�=1�H�5�`H��`�����L95�`�����A��MH�=��H�5�`H��`�����L95�`�����A��H�=��H�5N`H��`����L95�`�����A���H�=��H�5`H��`�`���L95�`�����A��H�=i�H�5�_H�s`�.���L95o`�p���A��H�=7�H�5�_H�Y`�����L95U`�[���A��SH�=�H�5�_H�?`�����L95;`�F���A��!H�=��H�5T_H�%`����L95!`�1���A�	��H�=��H�5"_H�`�f���L95`����A�
�H�=o�H�5�^H��_�4���L95�_����A��H�==�H�5�^H��_����L95�_�����A��\H�=�H�5�^H��_�����L95�_�����A�
�-H�=��H�5`^H��_����L95�_�����A�L�kJ��L�<@L�5*^M��cK�dH�CM�,�M��I��A��$���I�UH�{0H�s(����H����I��H��]I9��/A��$���EM�uL������A��L�5�]M9��.L�{K�<�H��H��H��������L�k��D�'������H�f]J�<�H��H��H������L�c �nL�?I�$6�EM��tBH���������H�KH����I�E8��3E1��1��Y���L�kL�c I�$6�EM��u�H�CHǀ��L��H�e�[A\A]A^A_]É�����8��D����N���H�=?�H�5�\L�����������H�=4�H�5�\L�������A��$�������L������H�=�L��L������H�CI�<�H��H��H��������u|D�'������H�=��H�5'\L���o���L�kL�{����H�=��H�5\H�e]�H���A�L95[]���������L������������L�������������8��t����F���fDUH��AWAVAUATSH���H��@H��I��H��!�8�9�@�����I��M��M��uI��I���I���L��L�kI�E���AH�W�I�EH�����I�EL��H��H���������H�KH�����==���M�e H�Cfǀ���L��1��w����=�Z�L��������u;L��H����������A�<$uI��L��H�������3I�<$t�=�|
�������rH�Cfǀ����L9=�ZL�{�6H�
gZL�%xZI9��LI9���L9=jZ�mL�%mZI9��kI9���L9=_Z��L�%bZI9���I9���L9=TZ��L�%WZI9���I9���L9=IZ��L�%LZI9���I9���L9=>Z��L�%AZI9���I9���L9=3Z�L�%6ZI9��I9���L9=(Z�'L�%+ZI9��%I9���L9=Z�FL�% ZI9��DI9���L9=Z�eL�%ZI9��cI9���L9=Z��L�%
ZI9���I9���L9=�Y��L�%�YI9���I9���L9=�Y��L�%�YI9���I9���L9=�Y��L�%�YI9���I9���L9=�Y��L�%�YI9���I9���L9=�Y�M��A���E1�M��M������������M��L�%.XE1�1��D�����8��I���L������H�=$H�5�WH�X�A���H�
�WI9���L9=�W�����M��A��OH�=�H�5�WH��W�����H�
�WI9���L9=�W�t���M��A��
H�=�H�5yWH��W轿��H�
fWI9���L9=�W�U���M��A���H�=^H�57WH��W�{���H�
$WI9���L9=W�6���M��A��H�=H�5�VH�fW�9���H�
�VI9���L9=UW����M��A��GH�=�H�5�VH�<W�����H�
�VI9���L9=+W�����M��A��H�=�H�5qVH�W赾��H�
^VI9���L9=W�����M��A���H�=VH�5/VH��V�s���H�
VI9���L9=�V�����M��A��H�=H�5�UH��V�1���H�
�UI9���L9=�V�����M��A�	�?H�=�H�5�UH��V����H�
�UI9���L9=�V�|���M��A�
��H�=�H�5iUH�jV譽��H�
VUI9���L9=YV�]���M��A��H�=NH�5'UH�@V�k���H�
UI9���L9=/V�>���M��A��|H�=H�5�TH�V�,���H�
�TI9���L9=V�"���M��A�
�=H�=�H�5�TH��U�����H�
�TI9���L9=�U����M��A����K�vH�
gTH�<�H��H��H��������uqD�'A���M��uH�{虽��A��Ic���y���I�E6�EM��tH���������H�KH����I�F8��H�CHǀ��D��H�e�[A\A]A^A_]É�����8�|��̻��H�=�H�5�SL�������?���H�=�H�5�SH�U����H�
�SI9���L9=�T�;�������L���p���AWAVSH��@ (͹)D$0)D$ )D$)$1�������u	L�=8��O1��Ϻ��I���D$@����1��-���H�L$@H��1�1�輾���L$@H�!�I��@L��1�����L���g���H�\$@� H�߾��`���H�)�� H��L��1��׺��H���/����f.�����f.��S�j���������������������������	�޾���
�Ծ����ʾ���������
趾���謾���袾���蘾���莾���脾����z�����p�����f�����\�����R�����H�����>�����4�����*����� �������������������amaYH������1�菽��H�=��H�5��̻��H��H�=�����H���P���H��踻���Cl�n����
1��·��������Ǿ
������g����P芺���U���DH�y���UH��AWAVAUATSH���H��H��H���8t�@�o���I��M��t
�E1�M��uI��I������I���L��L�kXM�} I�E���AH�.�I�EH�����I�EM��I��H���������I����H��I����HI����I�����`肼��H���������I��x��I�����AƆ��M��I��A��$����I�}@I����I���������L�{M�A�FI��I��A������I�U`L�A�FI��I��A������H�;I���L�
A�FH��H��@����@����M��������A�FL��H��D����E����L�{L�[ H�s0H�{8I���A�����A�FH��H��H�s@�����I���L�L�{L��H�3H�S(H�KL�CHH�CPI������I���`L�������L�ᆰ�)���A��$����I�H����L��1�衶��M��I���H�C����H�;�#H�H����L��1��g���I������H�C ����H�C(�I��H�H����H�;1��%���I��������H�C0������H�{�UI����H����H�CH��1��ߵ��I�������H�C8������H�{H�$M���H����L��1�蝵��I��������H�C@����H�{P��M���H�H�
���L��1��[���L��賶��L��H����L��螶��I�������H�;艶��I������L�s��L���p���I�������L���[���I��������L���F����a����,�����$@8��Q���H���5���D��$D8��b���L������������8�������x���������8�������c���H�=$�L��L��衴��H�C����H�;������8���I��H�=�L���r���H�C ����H�C(�����H������I���H�=ߵL���?��������I��H�=ԵL���$�������I���H�=ɵL���	���H�C@����H�{P�I���蟶��H�=��L������L������I������j���H�=��L��H�蹳���S���H�=u�L��L��袳��L���ʴ��I������Z���H�=N�L��L���{���L��裴��I�������H���H�='�L��L���T���L���|���藴���b���L���*����%���H������H������L���͵��f.�H�����PL��I��H��H��H��L�$�I���Y�f.�UH��AWAVAUATSH���H��`H��L�K(L�CH�K I��A��H�o�8H�s0�g�M��赵��M��I��M��M��H�S uI��I�����I���L��H���������L�k8I�E���AH�i�I�EH�j���I�EM��I��H������I����I����H���������I����H���������I����M��L�C(�L�MH��txH��H����������H�{t\�:tWH�CH����������M��t<H�C�8t3A����L��H��������M��tI�8t
A����E���L�{M�} W�A���fAdž����L����M���_���L��L��蔴�������I��L��H�����������A#=�uX�����L�����������L�{H���������u8H�{0L��H�S H�KL�C(L�M�U���H������������L�{H���������I����I����fAdž����I�E6�EM���7H���������I����I����I����I����I�����E1�M��M��H�S ����������р�8��9���H������H�K��8��D���H�{�ֱ��D������8������L���}���H�=����������������H�=�L��L�S�$���L�ML�SH�S L�C(L��H����������L���(���H�=�L��L�S����L�ML�SH�S L�C(E�������H�{0L��H�K�\�����I�E6�EM�������W�A���A�����H�e�[A\A]A^A_]�DPL��I��H��H��H��L�$1�I������Y�UH��AWAVAUATSH���H��H��H�s H�{��t2)C`)Kp)��)��)��)��)��)��H�S@H�KHL�CPL�KXH�@�8��`�����I��M��M��uI��I�ƠI���L��L�s(M�n I����AH�d�I�FH�C���I�FM��I��H���������I����ALJ������fALJ��AƇ���L�ᆰ����H�0I�F H�EI�F(H�C0I�F0H�{H�s L��誰��A���fALJ����AƇ���I�6�EM��t6H���������I����I����I�D$x��*E1�M��M�����������ILJ��ALJ��D��H�e�[A\A]A^A_]�fDH���H�羪���G���H����JH����f�UH��AWAVAUATSH���H���H���t,)C@)KP)S`)[p)��)��)��)��H�sH�S H�K(L�C0L�K8H�Z
�8H�;��`����I��M��M��uI��I�ŠI���L��L�kM�e I�E���AH���I�EH�I���I�EM��I��H���������I����ALJ������fALJ��AƇ���L�羪����H�0I�E H�EI�E(H�CI�E0H�q	H��H��������H�8H�3L��觮��A������fALJ����AƇ���I�E6�EM��t5H���������I����I����I�Fx��*E1�M��M������������ILJ��ALJ��D��H�e�[A\A]A^A_]�H�=��ǭ���AWAVATSPI��1�L�5Ԭf.�f�M��I�r.L��H��������uH�CA�<H��u��D���8�|�� L��L��L��謪����H���H��[A\A^A_�L��肬��f�UAWAVAUATSPI��I��H�5`�H�=i�L��M��f.��M��I��A������uM�}��H���t[A������ux�]I���t~L��H��������u$H��A�I��I��I���D���8�|��D���8�|��I�T$H��H��L���ϩ��H�=��H��A������t�D���8��z����gI�UI��L��蚩��L��H�5x��d���L��H��������uA�L��H��[A\A]A^A_]�D���8�|�L���b���L���:���L���R���L���*���f.�UAWAVAUATSPI��I��I��H��H��fDM��I��A��$����uN�;��H���t]A��$����upD�#H���trL��H��������u%H��D�eH��I��I���D���8�|��D����8�|��I�UH�=��L���}���A��$����t�D���8�|��aI�WH�=q�L���Q����v���L��H��������u�EL��H��[A\A]A^A_]�D����8�|�L���#���L�������L������L������f.��UAWAVAUATSPI��H�-�I��I��DL��H��������uA�>t6I���tI��I����D���8�|��VI�UH��H��L��臧��H����H�5��L���L���I��I��A��$����uVA�?��I���tcA��$������A�I�����L��H��������u#I��A�I��H��I��떉��8�|��D���8�|��H�UH�<$H��H��L���Ӧ��I��H�5�H�<$A��$�����y������8��l����zI�UH�<$L��L��M��菦��M��H�5��H�<$�O���L��H��������uA�H��H��[A\A]A^A_]�D���8�|�L���S���L���+���H���#���L���;���H������UAWAVAUATSPI��H����I��H��H��M��f.�I��I��A������uS�;��H���t^A������uqD�+I���trL��H��������u*H��E�,$I��I��H��I���u��r���8�|��D���8�|��|H�UH�=��H���]���A������t����8�|��ZI�VH�=��L���3����v���L��H��������uA�$L��H��[A\A]A^A_]�D���8�|�L������L�������H���Ԧ��H���̦��f.�f�UAWAVAUATSPH��H���7I��H��H�=$�H�5-�H��I��I��f.�f�I��I��A������u]�;��H���tkA��������D�+I�����L��H��������u,H��E�.I��I��H��I���u�����8�|���D���8�|��H�UH�$H������H�5t�H�=]�H�$A�������s������8��f����iI�T$H�$H��L��讣��H�5/�H�=�H�$�G���L��H��������uA�H��[A\A]A^A_]�D���8�|�L���q���L���i���H���A���H���9���f�UAWAVAUATSPI��I��H�5��L�%ɥH��M��f.��L��H��������uN�}��������uH�ML��H��������uAA:u}H���tEI���tZH��I��I��I���D���8�|��D���8�|��D����8�|��I�UH��H��L���q���H��I���u�I�WH��L��L���V���H��돊�����u*�EL��H��������u'A�)�H��[A\A]A^A_]�D���8�|�L�������D����8�|�L������L������L���٣��L���ѣ���UAWAVAUATSPE1�H���I��H��H��I��I��f.�L��H��������u[�}��������uU�uL��H��������uN@:3��H���tNH���tbH��H��I��I��I���u��D���8�|��D���8�|��D����8�|��I�T$H�=£L������H���u�I�WH�=��L������뉊�����u.D�uL��H��������u*�A)�D��H��[A\A]A^A_]�D���8�|�L��荢��D����8�|�L���{���L���s���L���k���L���c���UH��AWAVAUATSH���H��`H��I��H�{H���8��`�G���H��H�C0H��uH��H������H���H��H���������H�K8L�y H����AH�X�H�AH����H�AH�K(H��H��H����H�K H������H����H����H����H����H���������H�� ��ǀ(������Hǀ��Hǀ��Hǀ��Hǀ���L��1�茞��M��L�-*�H�=3�M��H�s@L��H��������uEA�>��������u?E�&M�rTL��H��������u3A�$I���t_I��I���D����8�|���D����8�|���D���8�|���L��L��L��M��諞��H�=��M��L�-r�H�s�I�WI��L��L�C聞��L��L�CH�s�E1�L�
r�I���L��H��������uQN�,6A�}��������uFE�eM�rZL��H��������u9A�<$��I���taI��I���D����8�|��D����8�|��D���8�|��
H�=��L��L��L�C躝��L�
��L�CH�s�|���I�WL��L��M��M��葝��M��M��H�s�{����L����H�{ H���������H�GH�GH�GH�GH�C(H�6�EL�{0M��t-�@����I�����01�H��H�C0H�����������W�GH�G �G(L��H�e�[A\A]A^A_]�L���Ӟ��L���˞��L������L��軞��L��賞��L��諞��f.��H��H�|$�D$�H�t$H�|$�D$H�T$���Ĝ��H���f.�DUH��AWAVAUATSH���H��`H��I��H�{H���8��`�G���H��H�C0H��uH��H������H���H��H���������H�K8L�y H����AH�t�H�AH����H�AH�K(H��H��H����H�K H������H����H����H����H����H���������H�� ��ǀ(������Hǀ��Hǀ��Hǀ��Hǀ���L��1�茚��M��L�-j�H�=s�M��H�s@L��H��������uEA�>��������u?E�&M�rTL��H��������u3A�$I���t_I��I���D����8�|���D����8�|���D���8�|���L��L��L��M��諚��H�=̝M��L�-��H�s�I�WI��L��L�C聚��L��L�CH�s�E1�L�
��I���L��H��������uQN�,6A�}��������uFE�eM�rZL��H��������u9A�<$��I���taI��I���D����8�|��D����8�|��D���8�|��
H�=�L��L��L�C躙��L�
��L�CH�s�|���I�WL��L��M��M��葙��M��M��H�s�{����L�������H�{ H���������H�GH�GH�GH�GH�C(H�6�EL�{0M��t-�@����I�����01�H��H�C0H�����������W�GH�G �G(L��H�e�[A\A]A^A_]�L���Ӛ��L���˚��L������L��軚��L��賚��L��諚��f.��UAWAVAUATSH��(L�-c�M��I��A��$����I����I�}1�赛��A��$�����\$I�EH��/H�=������H��cH��L�|$ ��
H�=�������1۹H��t1H��H���������N
�0H�=���՘��1�H�����
�cH�=Л諙��H��t1H��H���������
�0H�=ǝ�荘��1�H���É�cH�=ț�c���H��t3H��H�����������0H�=���E���1�H�������
`cH�=������H��tH��1��
萘���ZcL�d$H�=Λ����H����I��H���������A�<$��1�L�-7cL�5p�H��L�r;H��H��������uB�D-H��H��u��!�ـ���8�|��v
L��L��H��菖���M��f.�M��I��A�������EA�,$H���
@���H��L���H��H����������E�=�a���֔��H������H����H��H��������H�+A��������A�$L�,�I�I9��H���
M���A���H���
L��H����������Ic]H����#H��H��1�L�-�aL���1�L9�����H�H���E���=H��H���������X�E诓��H�����&H���H��H�������H�A�������%A�$H�,�H9��SH���JH���A@���SH���JH��H����������Hc]H����FH��H��1�L���1�L9�����H�H��������H��H�����������EI�����I��I������D���8��������
�����8��������
D���8�������
D�����8��R�����
�����8�������
D���8�������
�����8������
�����8��D����
I�VH�=&�L���n����8���H�=�L��H���W����
�����H�=I�蔖���������H�=��聖������H�=ՖH��蝖��H��H�����������		H�=�L��H����������H�=�H���^���H��H�������������H�=^�L��H��賒���V���H�=w�H��L��蜒��A�������H�=k�L�����������H�=ǖH��H���l���@�������H�=��H���ӕ������H�=������H��t2H��H�����������0H�=.�������H����H�=ԗ�ϓ��H���9I��L�5<^I��f�M��I��A��$�����6A�/H����@���	H��L���H��H����������E�=Q]���6���H������H����H��H�������:H�A��$������A�H�,�H9��H���H����@���H���H��H����������Hc]H����H��H��1�L���1�L9�����H�H���D���<H��H���������W�E����H�����%H���H��H�������YH�A��$�����#A�H�,�H9��RH���IH���@@���RH���IH��H����������Hc]H����EH��H��1�L���1�L9�����H�H��������H��H�����������EI�����I��I������D���8������������8�������D���8��#���������8��Z����������8��������D���8�������������8������������8��E�����I�UH�=�L���ݎ���9���H�=�L��H���Ǝ��������H�=8������������H�=����������H�=ēH������H��H�������+����`H�=�L��H���a�������H�=�H���͑��H��H������������)H�=M�L��H���"����W���H�=f�H��H������@�������H�=Z�H���r��������H�=��H��H���ۍ��@�������H�=��H���B�������H�ZH����[�ZH���L�-_�L�d$�Z�ZL�5;�L��H��������I�>H�5����������I�L�=��L��H�������rI�?H�5��������bI�A��$���\I�}H�5d��_A��$���II�E�����DI�>���������\$�7I�?�������H�z�H��H�������H���H�t$ H��([A\A]A^A_]�?謍��H������� �E1�I��I��H�5�XH�=�E1�� f�A�D5I��I��I����������A�����	H�(M�$.I9���H����M����A����H����L��H��������u?B�D5 t�L��H���H��H���������[��������8��K����D�����8�|��I��H��H������L��H�5�WH��A�����?����CH�=�H�D$H��L���/���H�=�H�5qWH�D$A���2���H�=��H�D$L���~���H�=��H�5@WH�D$����H�=�H�D$I��H���ϊ��H�=��L��H�D$�
����€�8������H��薌���€�8������H��职���€�8�����H���l���D���8��s���L���V����€�8��1���H���A���H�=��H�5�VH��V�7�������H�={�H�5tVH��V��������H��軌��H��賌��H��諌��H��裌��H��蛌��H�=��菌��H�=��背��H�=���w���H�=��諊��H�=\��_���H�=P�蓊��H�=d��G���H�=X��{���H�=D��/���H�= ��#���H�=D�����L���O���H��藇��L���?���H�������H������L���'���H���߈��H���g���H���_���L������H���O���L�������L��诈��H���7���L���ߊ��H��藈��H������H������L���ω��f.�DH���>H�羪��>����H���>�����H���>�f�UH��AWAVAUATSH���H��`H��I��H�{ H�:��8��`�����I��H�C0H��uI��I�ƠI���L��L�s8I����AH���I�FH�����I�FL��H��H���������H����H�K(ǁ������H�{ ��H�=���L�cL�=�L�%�M9���M9�A��H�={��L�%�M9���M9�A��H�=n��L�%yM9���M9�A��H�=a��L�%lM9���M9�A��H�=T��L�%_M9���M9�A��H�=G�L�%RM9��M9�A��H�=:�.L�%EM9��,M9�A��H�=-�FL�%8M9��DM9�A��H�= �^L�%+M9��\M9�A��H�=�vL�%M9��tM9�A��H�=��L�%M9���M9�A��H�=���L�%M9���M9�A��H�=���L�%�M9���M9�A��H�=���L�%�M9���M9�A��H�=���L�%�M9���M9�A��H�=���=P�~
�褅���o5I�6�EH�K0H����H�C(Hǀ��ǀ����1��1�I��H�C0H�����������H��H�C1�H�CE1��H�=�H�5�H������M9�A��H�=��J���L�c��KH�=B�H�5�H���τ��M9�A��H�=��2���L�c��H�=�H�5NH��蒄��M9�A��H�={����L�c���H�=ȊH�5H�j�U���M9�A��H�=V����L�c��H�=��H�5�H�E����M9�A��H�=1�����L�c��WH�=N�H�5�H� �ۃ��M9�A��H�=�����L�c��H�=�H�5ZH��螃��M9�A��H�=������L�c���H�=ԉH�5H���a���M9�A��H�=������L�c��H�=��H�5�H���$���M9�A��H�=������L�c�	�cH�=Z�H�5�H������M9�A��H�=x�r���L�c�
�&H�=�H�5fH�g誂��M9�A��H�=S�Z���L�c���H�=��H�5)H�B�m���M9�A��H�=.�B���L�c��H�=��H�5�H��0���M9�A��H�=	�*���L�c�
�rH�=i�H�5�H�������M9�A��H�=�����L�c��8H�=/�H�5xH��輁��M9�A��H�=�����L�c�H�CL�cH�{ 蝂��A��L�kA���:H�CH�@H�
H�<�H��H��H����������D�?H�{H��H��������M�~ H�C H��C�?H�C(ǀ��L��H��������H�
�I�I�H��H�������mH�
�I�OI�H��H�������OH�
�I�OI�H��H�������1H�
I�O��������I�H��H����������H�� AAOL$$H�{L����~��H�� I��H�C(ǀ�������C�^H�CH�@H�
�L�$�I��M��I��A������M�,$�C�@A�����WI�$H�C I�6�EH�K0H���D���H���������H�S(H����H����H�Ax�H�C H�e�[A\A]A^A_]�D����8������� L���n~������8������� �W~��������8�������}��H�=��L�-�L��H�S�(��H�CH�@H�<�L�H��H����������D�?H�=v�H�5�H�S��~������H�=j�H�5�H�S��~������H�=^�H�5gH�S�~������H�=R�H�5KH�S�~��A���������L���,����g��L���_���Z���U���P��L���H��������8��H����|��UH��AWAVAUATSH���H��`H��I��H�sH�{H����8���@�}��I��M��M��uI��I���I���L��L�c8I�$���AH���I�D$H�����I�D$L��H��H���������H�K H����H�K�H��H������� H�8��}���=PL��M�|$ H�C fǀ���L��1��|���=��L���}����u8L��H���������%A�?uI��L��H��������M9/t�=��|
��}����,H�C fǀ����L�c0H�SH��H�s������L�zA���M��I��A��$������A�?�������A���
A��$�����A�?L����|��I�ſH���Y���M��~I�=Ku@H��H������=�H�sL����|��L9�t�=��|
�� |����+H�K����L�s(��H�s��H��H��������H�9�C����A����A��$�����M���A�?�
H���=E1�H�V�A�����L�)H�=r�f�I��M�rL��H��������uOF�$6D�=�A�G��L��I��H��-����A)�M�rlL��H��������uE�'I��M9�u��{D����8�|��D����8�|��I��H��L����z��H�=ԂL�}A�����L��H�s�S���L��L���z��H�=��L�RA�����H�e�H�s�e����g���H�C0H�6�EH�K(H��t2H���������H�S H����H�A8��#E1�M��M���\����I���H�C Hǀ��L��H�e�[A\A]A^A_]�D������8��n���L���y��D������8������L���y��H�=������-{�������H�=��H���I}��H�SH�sL�zA�������H�=��L���$}��H�SH�s�����H�=��H���}��H�sA�������H�=��L����|��H�sA��$���������D������8������L����x��H�=��H���|��H�KL�s(��H�s�-���H�=��H���|��H�KH�sH��H����������H���{��H�=p�H���X|��H�sA������H�=s�L���;|��H�sA��$���������D������8������L���>x��H�=�H�5�H���tx���5���H�=��{��L���Kz��L���cz��H�=�H���Dx��H�=�1��{��L����z��f.�@UH��AWAVAUATSH���H��H��H�S0H�s I��H����8�!�@��v��H��H��uH��H���H���H��H�SXH����AH�
p�H�JH�
����H�JH��H��H���������H�s(H�����=VFH�CPH�SH��L�z H�C(fǀ���L��1��v���=��L���w����u<L��H����������A�?u!I��L��H�������pH�C0I9t�=��|
��w����&H�C(fǀ����M����A��A��A ���M�nA����M��I��A��$�����ZA�}H�s H�S0�Bw��H�C@E���A����A��$������A�}��H�=B���
#�C����A��L�%�L�-��f.�E��A���p<L��D����=�AtML�������0Ic�Hy��"A�Dž�u��)D���L���Kw���1�H��H������������D�{H�{0H�S ��1�L��D��E���H��H;{0����AH��tLc=WDH�
pDL�H9��[�=:D�L�<:I9���H����M����H����L��H����������E�'D�-�CE��A����Mc�D�5�CA����1�M���1�M9���E��H�M��������L��H����������E�'A��
����Lc=zCI���XD��1�M���1�M9�����H�M���u���mL��H���������7I��H�dCA��5CA��A����L��D��M����=�?tL���������AHcCHv�� �C��thA��E��A���p?L�50�L��D���e�=�?t:L�����t.Ic�H&��Q A�Dž�u��D���H�=9}��t���D�{HcWBHpB�FB��BH�S L��BL��H��H;{0������~D����8������fD����8��o����[D����8�������PH�{8�H�=�{L���
w��D�5�A����A�����I��H�=�{L��L���r��L��L��AH�S �����I��H�=d{H�s L���r��L��L��AH�S H���U���I��H�=G{L����u��L��L��AH�S �0���H�{8D��H�=^{�u��H�S L�~AH�{8�K���D��I��H�=�{�cu��L��L�YA�����H�=�{�ss��L�<A�����I��H�=m{L��L����q��L��L�A�o���D�{H�{0H�S �
����H�s@袕���}���H�CHH�6�EH�KPH��tH���������H�S(H����H�A8��H�C(Hǀ��H�C@H�e�[A\A]A^A_]�D�����8������L����p��H�X@I�������d@�_r��H�=�w�������)
D��H�@����D��1�H�5&@I���1�I9�����H�M���k���cL��H���������A�D�5�?��q��H�=6w�'H��?�5f?A��A����5�q��H�=MwD��������	D������8�����L����o��H�=@xL���s��M�nA���`���H�=CxL���s���L���H�=OxL���ws��A���r���H�=VxL���^s��A��$�����c���D�����8��R���L���eo��L���q��L���q��L���q��L���Er��D����8������L���q��H�=8xH�5�>H��>�eo���E���H�=�w�r���m���H�=�wH�5�>L���9o������H�=}x��p������f.�@UH��AWAVAUATSH���H��`H��I��H����8H�s�S���@��m��H�sI��M��M��uI��I���I���L��L�s8I����AH�]�I�FH�����I�FL��H��H���������H�K H����@���fH���]I��I��A�����q�==L�c0��M�f H�H�C(H�C fǀ���L��1��Jm���=��L���gn����u>L��H���������A�<$u"I��L��H�������6H�C(I9$t�=m�|
���m���H�C fǀ����H�sM����D���H����I��A����L��H��������uhE�e@����A������H�6D��S�:q��I��H�����A������H�CL� E1��E1�M��M���J����7���D�����8�|�L���l��D�����8������L���~l��H�=g{�Bp��A�����$H�CH�0D��S�p��H���t*I��H�=R{H�s�	p��A�����\���H�{�bm��I�������L���^����9���I�6�EH�K0H��tH���������H�S H����H�A8��H�C Hǀ��D��H�e�[A\A]A^A_]�H�=CzH�s�zo��H�sI��I��A���������H���n��H�=2zL���Jo��H�sI��A���C���H�=1zL���)o��H�s�+���H���Hn��L���@n��H�{�7n���UH��AWAVAUATSH���H��`H��H�{H�-��8�s�@�Zj��I��M��M��uI��I���I���L��L�k8I�E���AH�րI�EH�����I�EM��I��H���������I�����=�9H�K��M�e fAdž���L��1���i���=3�L���k����u;L��H���������A�<$uI��L��H��������I�<$t�=�|
��sj���>fAdž����H�KH������A��A ���L�s H�����ȃ�H����I��I��A������L�{0H�9I���m���CE����L�k(I�W����I��I��A��������:uH�=k5tI���L��L�{E����A����A������I�E����M�wA����L��H�������I�E���	��L�s �A�������3�����D�{Ic����������H�C(H�6�EH�K0H��t.H���������I����H�A8��E1�M��M�����������Idž��D��H�e�[A\A]A^A_]Éр���8������H���Hh��D�����8������L���/h��H�=XwH�s��k��H�KL�s H���1���H�=WwH�s��k��H�KI��I��A�����+���H����j��H�=FwL���k��L�k(I�W���/���H�=FwH��I���{k��L��L�{����H�=HwH�sI���\k��L��L�{A���4���H�=DwH�sI���8k��L��L�{A��������L���h��H�=4wH�sI���k��L��L�{M�wA������H�=,wL��I����j��L��L�{L��H�����������L���.h��H�=wL��I���j��L����L�s �����H�=wH��I���j��L��A������������р���8������H��� e��L���i���UH��AWAVAUATSH���H����T$�t$I��L�t$@H�D$ ���AH�b|H�D$(H�����H�D$0L�d$ I��ADŽ$������I��$���`H���}j��H���������I��$d��I��$l��I��$t��� @�Qj��H���������I��$���I��$���I��$���I��$����`H����h���L�����e��H�qm��L��L��1��e��M��I����H�
�4H��m��L��1��ue��I�������I��H�
�H��m��H�|$1��Be��I��������I���H�
g4H��m��H��1��e��I�������I��H��m��H�|$�L$1���d��I��������M���H��m��L���L$1��d��L������L��H����L���֩��I�������H�|$迩��I��������H��誩��I�������L��$�I����H�|$脩��I��������L���o���I��t� @L���.g���L�ᆰ�lc��H�EmH�
~3��L��1���c��I�������tI���H�TmH�
ms��H��1��c��L�������I�������VH�������e������H�=nL��L���c�������I��H�=nL���c�������I���H�=�mL���c������I��H�=�mL���dc���+���I���H�=�mL���Ic���@���H�=�mL���5c��L���=���I������g���H�=�mL��H�T$�c��H�|$����I�������S���H�=�mL��H����b��H������I������A���H�=gmL��H�T$�b���(���H�=NmL��L���b���7���I���H�=@mL���b���q���H�=<mL��H���qb��H���y����c������f.�DUAWAVAUATSH�����0A��H��A��I�H����M���� �I9�A��A ��~L��H���������A�?
��H����A�v�I��I��� �I9��� ��YH����M��I��A��������A�<$
u:����A��������A�$
E������������A�A��E���[�=n-�NE��DM���G�b��H��@����H����H��H��������L�}A�m�H���H9���H��H��������u]�EM�$GM9���M����M����A����M����L��H��������u#I���A�D$ �D�������8�|��TD�����8�|��JH�=�kH����c��H��H�������4����H�=�kH��H���5`���2���H�=�kL��L���`��A���U���H�=}kL���c���J���E1�E9�u��A��E9���Ic�1�H���1�H9���E��H�H���1���)H��H����������Mc�1�I�����1�I9���E��H� Ѐ}
u\����L��H����������A�
D������Hc�1�I��I���1�I9�����H�M��t��uH�=�j������L��H��������uTA�H��[A\A]A^A_]�D����8������L����`��D���8��(���L���`�����8�����H���`��D���8�|�L���`��D���8��4���L���`��H�=[iH��D��L���}^��A���e����T$H�=JiH�t$H��E��L���W^���T$H�t$E��H���}����T$H�='iH�t$L��E���a���T$H�t$E���Q���H�=iH�t$H��E��L����]��H�t$E��A�������T���D���8��F���L����_��H�=�hI��H��L���]��L���������4���D����8��&���L���_��H�=iH��H���]�������H�=iH��L���j]�������D��H�=i��a�������H�=iH��L���:]������H����_��H���_��L���^��f.�UAWAVAUATSPI��H��hH�5�hH�-
iL�&iL�
?iL�HiL�-!)L��iL�5�iH��H�����L��H���������v�����<
�|<
u.H�����I�|$H��H���������x�{
�JH���wL��H���������'D�;E���I��M���L��H���������A�?��H�����H��I��H���5���H��I��L��L����[��L��L���I_��M��I��A�������8�;��H�=�gL���_��A�������$�;
�vH�=�gL����^��A��������H�DgH�5UgH�-ngL��gL�
�gL��gL�h<
����������D���8��|����VD���8�������;D������8������������8��{�����L��L���L^��M��I��A�������q�;��H�=6gL���^��A�������ZD�;E���]H�cfH�5tfL��fL�
�fL��fL�(gI��M��,���L��L��L��L���:Z��L�gL��fL�
�fI��H�-;fH�5fH��e�����I�T$L��L��M����Y��L��fL�WfL�
@fM��H�5�eH��eH��I��H�����������I�T$L��L��M���Y��L�ofL�fL�
�eM��H�5�eH�he����D���8�������D���8�������D���8�������YD���8�������QD���8�������IH�=�eL���f\������1���H��[A\A]A^A_]�L���X����Z��L����Z��L����Z��L����Z��L���Z��L���Z��L���Z��L���Z��@UAWAVAUATSH��1�E1�� f.���D$��H�=f���R�D$H�1�I��H�5�gI�����1�I9�@�Dž�H�@ ׉|$L�t$fDIc�1�H��H�5�'H���1�H9�����H�H���D���<H��H����������D�+�|$��L��H����������E�&�=�#���|V��I��A���(M���L��H�������
I�D��L�,�I9�� H���M���A��� H���L��H���������-E�mA���M����������I�.D��H��H�H9���H����H������L�t$��H����H��H����������D�#E����A������Ic�H��1�H��"H���1�H9���E��H�H��������H��H��������u<�;��A��������ـ�8��I�����D���8��[������ـ���8�|���D�����8��������ـ���8��*����H�=�bH�5NeL����U�������H�=�bH�5%H���U������D��H�=�b��X�������H�=�bH�5�!H���U������H�=pcL����X��L��H�������������H�=hcH��L���MU��A�������H�=\cL���X�������H�=cL���X������������H�=cH��H����T����L�t$����H�=cH���_X�������f.�E��t[A��U��Ic�H��1�H�� H���1�H9���E��H�H��������H��H��������uf�;�����D��D	���E����E9����D$����pFA�lj�H�=b������H�=ma�\$������JX���������ـ���8�|���ƺH�=�a�X��A�lj�H�=�a�b����D��H�=1a�W������H�=@aH�5	 H���S���"���H��[A\A]A^A_]���T��H�=!]D���T$����L���-V��L���%V��L���S��H���S��H���MU��L���EU��H����R��H����R��DUAWAVAUATSPE1�L�-�bH�4]H�5
]L�%�\fDH�-�L�=��I�K�>H9���H����L��H��L9���H����H��H��������uJC�7L��L�rYH��H��������u9C�.������
��I��I���j������ـ�8�|��'���8�|��!I��H��L��H���HR��H�51\L���L��H��H���.R��H�5\H�0\H���F���H��H��H���U��H��H�\�)���D���LI�^��szH�M1�1�L9�����A���L�H��tq��tmK�<.H��H��H��������u2C�D.��H��[A\A]A^A_]���R��H�=�X��������������8�|��S��H�=�[H���T���r���H�=�[H�5�`H���EQ���x���H���(S��H���@S��UAWAVSP�������t^��L�5�ZL�=�`�݃��p6L���������=�t4L���������t(Hc�Hp������Å�u���޺L���DR���Hc�H��sd��H��1�H�@��1�H9�����H�H��tP��tLH��H��������u�H��H��[A^A_]�����ـ�8�|�H���^R����H�=e`�S���H�=w`H�5�H���(P���fDP�=�t�=ߟt5X�H�T�H���tT�=L��3T���=]��(T�����=��uˋ=b��
�XR���n���=M��	�CR���|�X�H�=3�H�5��H����O���f.�@UH��AWAVAUATSH��HI��A��H�=�YH�5�R�Q��H����H��L�u�H�=�_���H����O��H���O��H��1��[R��H���#P����H�=�[H�53\��Q��(M)E�)E�)E�)E�H�+\L�e��@L���1��N��I��A�GH��H��H���H)�H�܅�tH��H�߾���N��E�w
H��[H�L�cH�(\H�CH�=\H�CH�R\H�C H�g\H�C(H��\H�C0H��\H�C8H�]H�C@H�;]H�CHH�p]H�CPH��]H�CXH��]H�C`E��~H�{hD��H��H�u��
P��Ic�H��H�=K[H���N��H�=�]H����M��L��H�e�[A\A]A^A_]�f�P�1��L���1���K���1���K���1���K���1���K���1���K���1��K���
1��K����
X�K��f.�DH���@P�N���P��H�=>��b��K��X�f�PH�=(��b�N��X�f.�f�UH��H���E�H���������H�E��~H�E�H�u�H�=�d�*H�u�H�=/e�H�u�H�=?e�
L�M�H�=�dH�5He�H�
\eA���!L�M�H�=�dH�5_e�H�
seA�+��L�M�H�=}dH�5ve1�H�
�eA����L�M�H�=WdH�5�e�H�
�eA���L�M�H�=ndH�5�e�H�
�eA���L�M�H�=EdH�5�e�H�
�eA���WL�M�H�=dH�5Ud�H�
idA���.L�M�H�=dH�5�e�H�
�eA���L�M�H�=�cH�5�e�H�
�eA���
H�}��H�}�H�5XcH��c�H�}�H�5AcH�ze�H�}��LH�}��.H�}�H�5cH�Lc�w3H�}��H�}��+1�H��]�f.�UH����K���N��H�=+���AI��]�f.�DUH��H�=���kK��]�f�UH��H��H���������H�E����K��H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=]��hM��H�M�H����H��H���� Ȩ�H�u�H�=M��8M��H�E�H�������	H�}��J��H�E�H�H�E�H��]�DUH��H��H�}�H�u�H���������H�E�x��J��H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=���L��H�E�H���H�=���L��H�E�H�E�H���H�=���L��H�u�H�}�訟��H�M�H�M�H����H��H���� Ȩ�H�u�H�=���$L��H�M�H��dH�M�H����H��H���� Ȩ�H�u�H�=����K��H�E�H�������E�<� �M�H�E�H��H��8��	H�}��sF��H�E��H�M�H�M�H����H��H���� Ȩ�H�u�H�=j��uK��H�M�H��hH�M�H����H��H���� Ȩ�H�u�H�=R��=K��H�E�H�������	H�}��H��H�E�H�H�M�H�M�H����H��H���� Ȩ�H�u�H�=���J��H�M�H��pH�M�H����H��H���� Ȩ�H�u�H�=���J��H�E�H�������	H�}���G��H�E�H�H�M�H�M�H����H��H���� Ȩ�H�u�H�=���KJ��H�M�H����H��H���� Ȩ�H�u�H�=���J��H�E�H�������	H�}��-I��H�E�H�8��H�E�H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=h��I��H�M�H����H��H���� Ȩ�H�u�H�=X��I��H�E�H�������	H�}���F��H�E�H�M�H��E��H�M�H��x���H����H��H���� Ȩ�H��x���H�=	��I��H��x���H����H��H���� Ȩ�H��x���H�=����H��H��x���H�������H��x�����G��H��x���H�H��h���H�M�H��p���H����H��H���� Ȩ�H��p���H�=���oH��H��p���H��pH��`���H����H��H���� Ȩ�H��`���H�=���.H��H��`���H�������H��`����zE��H��`���H��h���H�H�E�H��P���H�M�H��X���H����H��H���� Ȩ�H��X���H�=)��G��H��X���H����H��H���� Ȩ�H��X���H�=��~G��H��X���H�������H��X�����D��H��X���H��P���H��E�H�İ]�f�UH��H��H�}��u�H�U�M�H���������H�Eؿ��E��H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=|���F��H�E�H���H�=����F��H�E�H�E�H���H�=���F��H�u�H�}��ҙ��H�M�H�M�H����H��H���� Ȩ�H�u�H�=���NF��H�E�H��hH�E�H���H�=���\F��H�E�H�E�H���H�=���>F��H�u�H�}��Q����E�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=|���E��H�M�H��dH�M�H����H��H���� Ȩ�H�u�H�=d��E��H�E�H�������E�<� �M�H�E�H��H��8��	H�}��@��H�E��M���E�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=��E��H�M�H���H��x���H����H��H���� Ȩ�H��x���H�=����D��H��x���H��������w���<�)��w���H��x���H��H��8��H��x����J?��H��x����M��H�M�H��h���H����H��H���� Ȩ�H��h���H�=y��DD��H��h���H���H��`���H����H��H���� Ȩ�H��`���H�=U��D��H��`���H�������H��`����LA��H��`���H�H�E�H�Ġ]ÐUH��H���H�}�H�u��U�H�M�D�E�L�M�H���������H�E�H�}��u�H�U��M��M���H�E�H���������H�E�H�}�H�u��NH�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=���&C��H�M�H��hH�M�H����H��H���� Ȩ�H�u�H�=����B��H�E�H�������	H�}��B��H�E�H�8�0H�E�H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=;��B��H�M�H��hH�M�H����H��H���� Ȩ�H�u�H�=#��NB��H�E�H�������	H�}��?��H�E�H�M�H�H�M�H�M�H����H��H���� Ȩ�H�u�H�=���A��H�M�H��x���H����H��H���� Ȩ�H��x���H�=̿�A��H��x���H�u�H�=UZ��.����E��xH���������H�E�H�M�H��p���H����H��H���� Ȩ�H��p���H�=��JA��H��p���H��hH��h���H����H��H���� Ȩ�H��h���H�=^��	A��H��h���H�������H��h����@��H��h���H�H�E�H�M�H��`���H����H��H���� Ȩ�H��`���H�=��@��H��`���H���H��X���H����H��H���� Ȩ�H��X���H�=��Y@��H��X���H�������H��X����e?��H��X���H�8��H�M�H��P���H����H��H���� Ȩ�H��P���H�=����?��H��P���H���H��H���H����H��H���� Ȩ�H��H���H�={��?��H��H���H�������H��H����>��H��H���H�H�E�����H�E�H��8���H�M�H��@���H����H��H���� Ȩ�H��@���H�=��*?��H��@���H���H��0���H����H��H���� Ȩ�H��0���H�=����>��H��0���H�������H��0����2<��H��0���H��8���H�H�M�H��(���H����H��H���� Ȩ�H��(���H�=���w>��H�M�H�� ���H����H��H���� Ȩ�H�� ���H�=���=>��H�� ���H��(���H�=�V�豍���E�H���]ÐUH��H��PH�}�H�u�H���������H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=3��=��H�M�H����H��H���� Ȩ�H�u�H�=#��=��H�E�H�������	H�}��<��H�E�H�H�E�H�}��0H�M�H�M�H����H��H���� Ȩ�H�u�H�=ۼ�&=��H�E�H���H�=��<=��H�E�H�E�H���H�=��=��H�u�H�}��!������H�E�H�E��E��H�M�H�M�H����H��H���� Ȩ�H�u�H�=ż�<��H�M�H��pH�M�H����H��H���� Ȩ�H�u�H�=���X<��H�E�H�������	H�}��j;��H�E�H�H�E������H�E��E�H�E�H��P]ÐUH��H��`H�}�H���������H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=7���;��H�M�H����H��H���� Ȩ�H�u�H�='��;��H�E�H�������	H�}��:��H�E�H�H�E�H�=RT�����H�}��4H�M�H�M�H����H��H���� Ȩ�H�u�H�=ѻ�;��H�u�H�=AT�蚊��H���������H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=����:��H�M�H��hH�M�H����H��H���� Ȩ�H�u�H�=���:��H�E�H�������	H�}��9��H�E�H�H�E�H�}���H�}��CH�M�H�M�H����H��H���� Ȩ�H�u�H�=4��:��H�M�H���H�M�H����H��H���� Ȩ�H�u�H�=���9��H�E�H�������	H�}���8��H�E�H�H�E��O���H�M�H�M�H����H��H���� Ȩ�H�u�H�=׺�9��H�M�H��pH�M�H����H��H���� Ȩ�H�u�H�=���J9��H�E�H�������	H�}��\8��H�E�H�H�E������H��`]�fDUH��H��H�}�H�M�H�M�H����H��H���� Ȩ�H�u�H�=b���8��H�M�H�M�H����H��H���� Ȩ�H�u�H�=N��8��H�E�H��hH�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=.��Y8��H�M�H��dH�M�H����H��H���� Ȩ�H�u�H�=��!8��H�E�H�������E�<� �M�H�E�H��H��8��	H�}��4��H�EЋ8�H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=���7��H�M�H���H�M�H����H��H���� Ȩ�H�u�H�=���j7��H�E�H�������E�<� �M�H�E�H��H��8��	H�}��a3��H�E���E�=����$���E�����H�=V��<��2���E��<����E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=/��6��H�M�H���H�M�H����H��H���� Ȩ�H�u�H�=��6��H�E�H�������E�<� �M�H�E�H��H��8��	H�}��v2��H�E���E�=����$���E�����H�=���<�2��D�E�H�M�H�u��E��<���A��H�U�H�=|P��u���H�Ā]�f.�f�UH��H��0H�}�H�u�H�U�H���������H�E�H�}�H�u�����H�E�H���������H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=���X5��H�M�H��hH�M�H����H��H���� Ȩ�H�u�H�=ն� 5��H�E�H�������	H�}��24��H�E�H�H�E�H�}��yH�M�H�M�H����H��H���� Ȩ�H�u�H�=���4��H�E�H���H�=����4��H�E�H�E�H���H�=���4��H�u�H�}�賍������H���������H�E�H�E�H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=u�� 4��H�M�H���H�M�H����H��H���� Ȩ�H�u�H�=Z���3��H�E�H�������	H�}���2��H�E�H�H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=��3��H�M�H��hH��x���H����H��H���� Ȩ�H��x���H�=���J3��H��x���H�������H��x����0��H��x���H�M�H�H�M�H��p���H����H��H���� Ȩ�H��p���H�=����2��H�M�H��h���H����H��H���� Ȩ�H��h���H�=���2��H��h���H��p���H�=�K�����H�}���-���E���1�H�}���g�����H�M�H��X���H����H��H���� Ȩ�H��X���H�=6��!2��H��X���H���H��P���H����H��H���� Ȩ�H��P���H�=���1��H��P���H�������H��P�����0��H��P���H�8����g�����g������H�M�H��H���H����H��H���� Ȩ�H��H���H�=���X1��H��H���H���H��@���H����H��H���� Ȩ�H��@���H�=���1��H��@���H�������H��@���� 0��H��@���H�H��8���H����H��H���� Ȩ�H��8���H�=E��0��H��8���H���H�=H���0��H�E�H��0���H���H�=W��0��H��0���H��8���蟉������H���������H�E�H�M�H��(���H����H��H���� Ȩ�H��(���H�=#��0��H��(���H���H�� ���H����H��H���� Ȩ�H�� ���H�=����/��H�� ���H�������H�� �����.��H�� ���H�H�E�H�M�H�����H����H��H���� Ȩ�H�����H�=���^/��H�����H���H�����H����H��H���� Ȩ�H�����H�=���/��H�����H�������H������&.��H�����H�H�����H�M�H�����H����H��H���� Ȩ�H�����H�=@��.��H�����H���H������H����H��H���� Ȩ�H������H�=��g.��H������H�������H�������+��H������H�����H�H�M�H������H����H��H���� Ȩ�H������H�=Ͳ��-��H�M�H������H����H��H���� Ȩ�H������H�=���-��H������H������H�=�F��2}��H�}���(���E��H�M�H������H����H��H���� Ȩ�H������H�=h��S-��H������H���H������H����H��H���� Ȩ�H������H�=D��-��H������H�������H�������,��H������H�H�E��j����E�H��0]��UH��H��@H�}�H�u�H���������H�E�H�}�H�u�����H�E�H���������H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=���L,��H�M�H��hH�M�H����H��H���� Ȩ�H�u�H�=���,��H�E�H�������	H�}��&+��H�E�H�H�E�H�}��H���������H�E�H�E�H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=+��+��H�M�H���H�M�H����H��H���� Ȩ�H�u�H�=��[+��H�E�H�������	H�}��m*��H�E�H�H�E�H�E�H�E�H�E�H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=ð��*��H�U�H�u�H�}��
��������H���������H�E�H�M�H��x���H����H��H���� Ȩ�H��x���H�=���*��H��x���H����H��H���� Ȩ�H��x���H�=o��Z*��H��x���H�������H��x����f)��H��x���H�H�E�H�M�H��p���H����H��H���� Ȩ�H��p���H�=#���)��H��p���H���H�=&��*��H�E�H��h���H���H�=5���)��H��h���H��p����݂�����H���������H�E�H�M�H��`���H����H��H���� Ȩ�H��`���H�=��L)��H��`���H����H��H���� Ȩ�H��`���H�=��)��H��`���H�������H��`����"(��H��`���H�H�E�H�M�H��X���H����H��H���� Ȩ�H��X���H�=���(��H��X���H��pH��P���H����H��H���� Ȩ�H��P���H�=~��i(��H��P���H�������H��P����u'��H��P���H�H��@���H�M�H��H���H����H��H���� Ȩ�H��H���H�=/���'��H��H���H����H��H���� Ȩ�H��H���H�=���'��H��H���H�������H��H����%��H��H���H��@���H�H�}���"���H�M�H��8���H����H��H���� Ȩ�H��8���H�=���G'��H��8���H��pH��0���H����H��H���� Ȩ�H��0���H�=���'��H��0���H�������H��0����&��H��0���H�8�-H�M�H��(���H����H��H���� Ȩ�H��(���H�=L��&��H��(���H��pH�� ���H����H��H���� Ȩ�H�� ���H�=+��V&��H�� ���H�������H�� ����b%��H�� ���H�H�����H����H��H���� Ȩ�H�����H�=���%��H�����H���H�=��&��H�E�H�����H���H�=����%��H�����H�������~�����BH���������H�E�H�M�H�����H����H��H���� Ȩ�H�����H�=ŭ�P%��H�����H��pH�����H����H��H���� Ȩ�H�����H�=���%��H�����H�������H������$��H�����H�H�E�H�M�H������H����H��H���� Ȩ�H������H�=X��$��H������H��pH������H����H��H���� Ȩ�H������H�=7��b$��H������H�������H�������n#��H������H�H������H�M�H������H����H��H���� Ȩ�H������H�=���#��H������H��pH������H����H��H���� Ȩ�H������H�=Ǭ�#��H������H�������H�������� ��H������H������H�H�u�H�==���r��H�}������E��H�M�H������H����H��H���� Ȩ�H������H�=Q��#��H������H��pH������H����H��H���� Ȩ�H������H�=0���"��H������H�������H��������!��H������H�H�E��#����E�H��@]�@UH��H��`H�}�H���������H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=���B"��H�M�H����H��H���� Ȩ�H�u�H�=���"��H�E�H�������	H�}��$!��H�E�H�H�E�H�}��#H���������H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=Q��!��H�M�H��hH�M�H����H��H���� Ȩ�H�u�H�=9��d!��H�E�H�������	H�}��v ��H�E�H�H�E�H�}���H���������H�E�H�E�H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=۪�� ��H�M�H���H�M�H����H��H���� Ȩ�H�u�H�=��� ��H�E�H�������	H�}����H�E�H�H�E�H�}������9���H���������H�E�H�E�H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=_��* ��H�M�H��pH�M�H����H��H���� Ȩ�H�u�H�=G�����H�E�H�������	H�}����H�E�H�H�E�H�}�� �������H�}����H��`]�f.�f�UH��H��H�}��u�H���������H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=���L��H�M�H����H��H���� Ȩ�H�u�H�=�����H�E�H�������	H�}��.��H�E�H�H�E�}��H��H�=�8��jn���E䪪���E�H�}��eH���������H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=4����H�M�H��hH�M�H����H��H���� Ȩ�H�u�H�=��G��H�E�H�������	H�}��Y��H�E�H�H�E�H�}��H�M�H�M�H����H��H���� Ȩ�H�u�H�=Ԩ����H�M�H��dH�M�H����H��H���� Ȩ�H�u�H�=�����H�E�H�������E�<� �M�H�E�H��H��8��	H�}����H�E��;E���H�M�H�M�H����H��H���� Ȩ�H�u�H�=`��+��H�M�H�M�H����H��H���� Ȩ�H�u�H�=L�����H�U�H�u�H�=�6��ql���E�E����E���4����E�����H�=+���a���E��E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=��w��H�M�H���H�M�H����H��H���� Ȩ�H�u�H�=��<��H�E�H�������	H�}��N��H�E�H�H�E������H�M�H��x���H����H��H���� Ȩ�H��x���H�=������H��x���H��pH��p���H����H��H���� Ȩ�H��p���H�=�����H��p���H�������H��p������H��p���H�H�E������}���}��H��H�=p5���j��H�Đ]�UH��}�}��H�6H�E��?�}��H�6H�E��%�}��H�6H�E��H�$6H�E�H�E�]�f.�UH��H��H�}�H�u�H�U�H���������H�E�H�}�H�u��~���H�E�H���������H�E�H�}�H�u��_���H�E�H���������H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=>��)��H�M�H��hH�M�H����H��H���� Ȩ�H�u�H�=&�����H�E�H�������	H�}����H�E�H�H�E�H�}��#H�M�H�M�H����H��H���� Ȩ�H�u�H�=ޥ���H�M�H��hH�M�H����H��H���� Ȩ�H�u�H�=ƥ�Q��H�E�H�������	H�}��c��H�E�H�H�E�H�M�H�M�H����H��H���� Ȩ�H�u�H�=������H�M�H��hH�M�H����H��H���� Ȩ�H�u�H�=q����H�E�H�������	H�}����H�E�H�M�H�H�M�H�M�H����H��H���� Ȩ�H�u�H�=4��_��H�M�H��hH�M�H����H��H���� Ȩ�H�u�H�=��'��H�E�H�������	H�}��y��H�E�H�H�E�H��p���H�M�H��x���H����H��H���� Ȩ�H��x���H�=Τ���H��x���H��p���������E����H�M�H��h���H����H��H���� Ȩ�H��h���H�=���[��H��h���H���H��`���H����H��H���� Ȩ�H��`���H�=l����H��`���H�������H��`����#��H��`���H�8��H�M�H��X���H����H��H���� Ȩ�H��X���H�=����H��X���H���H��P���H����H��H���� Ȩ�H��P���H�=���d��H��P���H�������H��P����p��H��P���H�H�E�����H�M�H��H���H����H��H���� Ȩ�H��H���H�=������H��H���H��hH��@���H����H��H���� Ȩ�H��@���H�=�����H��@���H�������H��@������H��@���H�H��0���H�M�H��8���H����H��H���� Ȩ�H��8���H�=8��C��H��8���H���H��(���H����H��H���� Ȩ�H��(���H�=�����H��(���H�������H��(����K��H��(���H��0���H�H�M�H�� ���H����H��H���� Ȩ�H�� ���H�=Ţ���H�� ���H��hH�����H����H��H���� Ȩ�H�����H�=���O��H�����H�������H��������H�����H�H�E�H�����H�M�H�����H����H��H���� Ȩ�H�����H�=M�����H�����H����������E�H��]�DUH��H���}��E��E�=����$���E�����H�=M��<�c���E��<����E��E��E�=����$���E����H�=-��<�#���u��E��<���H�=�.��b��H��]ÐUH���������H�=���A��]�f.�DUH��H�=���k��]�H��H���������������������'int[128]'DCC_BINARY/tmp/dcc-XXXXXXDCC_UNLINKDCC_SANITIZER1_PIDDCC_PIDDCC_SANITIZER2_PID'int'��'struct cookie'��'FILE *' (aka 'struct _IO_FILE *')DCC_ASAN_THREAD=%dDCC_ASAN_ERROR=%sverbosity=0:print_stacktrace=1:halt_on_error=1:detect_leaks=0:max_malloc_fill_size=4096000:quarantine_size_mb=16:verify_asan_link_order=0:detect_stack_use_after_return=0:malloc_fill_byte=170DCC_UBSAN_ERROR_KIND=%sDCC_UBSAN_ERROR_MESSAGE=%sDCC_UBSAN_ERROR_FILENAME=%sDCC_UBSAN_ERROR_LINE=%uDCC_UBSAN_ERROR_COL=%uDCC_UBSAN_ERROR_MEMORYADDR=%sverbosity=0:print_stacktrace=1:halt_on_error=1:detect_leaks=0'const char''unsigned char'rwDCC_EXPECTED_STDOUTDCC_IGNORE_CASEDCC_IGNORE_EMPTY_LINESDCC_IGNORE_TRAILING_WHITE_SPACEDCC_MAX_STDOUT_BYTESDCC_COMPARE_ONLY_CHARACTERS��'const __int32_t *' (aka 'const int *')'const __int32_t' (aka 'const int')DCC_IGNORE_WHITE_SPACE��'const unsigned short *''const unsigned short'DCC_IGNORE_CHARACTERS0fFnNDCC_ASAN_ERROR=attempt to use stream after closed with fclose��'unsigned char[65537]'too much outputline too longzero byte��'unsigned char[65538]'internal error: expected line too longDCC_OUTPUT_ERROR=%sDCC_ACTUAL_LINE_NUMBER=%zuDCC_N_EXPECTED_BYTES_SEEN=%zuDCC_N_ACTUAL_BYTES_SEEN=%zuDCC_ACTUAL_COLUMN=%dDCC_EXPECTED_COLUMN=%dDCC_ACTUAL_LINE=%sDCC_EXPECTED_LINE=%sincorrect output
'off64_t' (aka 'long')DCC_PIPE_TO_CHILDDCC_PIPE_FROM_CHILDDCC_ARGV0PATH=$PATH:/bin:/usr/bin:/usr/local/bin exec python3 -E -c "import io,os,sys,tarfile,tempfile
with tempfile.TemporaryDirectory() as temp_dir:
 buffer = io.BytesIO(sys.stdin.buffer.raw.read(16012))
 if len(buffer.getbuffer()) == 16012:
  k = {'filter':'data'} if hasattr(tarfile, 'data_filter') else {}
  tarfile.open(fileobj=buffer, bufsize=16012, mode='r|xz').extractall(temp_dir, **k)
  os.environ['DCC_PWD'] = os.getcwd()
  os.chdir(temp_dir)
  exec(open('watch_valgrind.py').read())
"DCC_VALGRIND_RUNNING1--log-fd=%d/usr/bin/valgrind-q--vgdb=yes--leak-check=no--show-leak-kinds=all--suppressions=/dev/null--max-stackframe=16000000--partial-loads-ok=no--malloc-fill=0xaa--free-fill=0xaa--vgdb-error=1--valgrindDCC_DEBUGDCC_SANITIZERADDRESSDCC_PATH/usr/local/extrafiles/bin/dccDCC_SIGNAL=%dDCC_SIGNAL_THREAD=%ldPATH=$PATH:/bin:/usr/bin:/usr/local/bin exec python3 -B -E -c "import io,os,sys,tarfile,tempfile
with tempfile.TemporaryDirectory() as temp_dir:
  buffer = io.BytesIO(sys.stdin.buffer.raw.read())
  buffer_length = len(buffer.getbuffer())
  if not buffer_length:
    sys.exit(1)
  k = {'filter':'data'} if hasattr(tarfile, 'data_filter') else {}
  tarfile.open(fileobj=buffer, bufsize=buffer_length, mode='r|xz').extractall(temp_dir, **k)
  os.environ['DCC_PWD'] = os.getcwd()
  os.chdir(temp_dir)
  exec(open('start_gdb.py').read())
"%dDCC_ASAN_ERROR=Null pointer passed to posix_spawn as argument 2��'char *const'-/usr/include/ctype.h1 32 16 5 s:5611 32 16 5 s:5997 32 8 17 OutIssueKind:1216 64 8 15 OutMessage:1217 96 8 16 OutFilename:1218 128 4 12 OutLine:1219 144 4 11 OutCol:1220 160 8 18 OutMemoryAddr:1221 192 768 11 buffer:12301 32 144 6 s:14891 32 24 9 args:15271 32 24 9 args:15361 32 256 15 reject_set:16311 32 256 15 accept_set:16461 32 32 22 .compoundliteral.i:3571 32 16 7 s.i:5612 32 768 11 buffer:1967 928 131328 16 line_buffer:1977debug_streamto_sanitizer2_pipefrom_sanitizer2_pipe__const.__wrap_main.sanitizer2_executable_pathnamesanitizer2_executablesanitizer2_pidfile_cookies__dcc_save_stdin_buffer_size__dcc_save_stdin_n_bytes_seen__dcc_save_stdin_bufferexpected_stdoutignore_caseignore_empty_linesignore_trailing_white_spacemax_stdout_bytesignore_characterssynchronization_terminatedn_actual_linen_actual_bytes_seenn_actual_lines_seenexpected_linen_expected_bytes_seendebug_levelsanitizer2_killedtar_dataunlink_sanitizer2_executable.unlink_done<string literal><stdin>COMP(1511|1911)'s FavouritesK-Pop HitsChill VibesTouchKatseyeMs JackonOutkastLove StoryTaylor SwiftGoldenHUNTR/XDynamiteBTSPink VenomBLACKPINKKyotoPhoebe BridgersGood DaysSZAmain.cmain.cspotify.c/usr/include/string.h��'struct spotify'��'struct playlist *'��'struct playlist''int'��'struct song *'��'struct playlist *'��'struct song'
'enum genre'��'struct song *'%s added to %s!

 PRINTING SPOTIFY
🎧 %s 🎧
%s removed from %s!
Removed %s from Spotify!
🎼 Songs saved of genre %s
%s found in %s
No songs of genre %s found in any playlists!
   🎵 "%s" by %s | %s | %d:%02d
PopK-PopHip-HopIndieTotal duration: %d:%02d
spotify.c;������$���L$�������d:���xd�����������������������2����L���g�������,����@����T���h0���|]��������������������������������	H���	u���0	����D	����X	����l	����	0����	K����	f����	�����	�����	�����	���
A��� 
n���4
����H
����\
����p
�����
����
,����
Y����
�����
�����
�����
�������$/���8J���Lt���`����t����������%����R����l���������������������(���<=���Pj���d����x�������������������.����X��������
����
����,
	���@
6���T
P���h
j���|
�����
�����
�����
�����
!����
N����
{�����������0����D����X���l<����f�����������������������4����N���i��� ����4����H����\���p2����_����������������������������� ���J���$w���8����L����`����t����2����M����h���������������������C���(p���<����P����d����x���������$����d�������,����H$���d����������������������� ���@���p$��������
�����0T��`4������������� %��P�%��t�%����'����'����'����-����-���-���1��D�1��\�3����3����5���46���7��\�8����:����;��@�=����>���T@��$D��TTD��lH���X���4X���b��4�h��d�q���Du����y���t~������d�������������H�����D���������������������44���Td���t�����D�������������4���4���44���Tt���t���������������������������44���Td���tzRx�(���"zRx�$���� FJw�?;*3$"D����\����*p����*�����-�����-����-����-�4����:����@���G���$N���*8d���*Lz���-`����-t����-�����-�������������������������*���*$���-(=���-<V���-Po���-d����x�������������������*�����*�����-�����-���-���-,2���@8���T>���hE���|L���*�b���*�x���-�����-�����-�����-�������������0����D����*X���*l"���-�;���-�T���-�m���-������������������������* ����*4����-H����-\����-p���-�0����6����<����C����J���*�`���*�v���-����-$����-8����-L����`����t��������������*�
���*� ���-�9���-�R���-k���-����(����<����P����d����*x����*�����-�����-�����-����-�.����4���:���A���,H���*@^���*Tt���-h����-|����-�����-�������������������������*	���*	���-0	7���-D	P���-X	i���-l	�����	�����	�����	�����	����*�	����*�	����-�	����-
����- 
���-4
,���H
2���\
8���p
?���L�
P���'ABB B(B0A8D�������d8A0B(B BBAA��
0���
�
,���2A$�
X���SBAD`��HAB$����-A[E@����-A[E8\�����ABB A(A0����V(A BBAA0 �����A�BFB�����,Aj�����A,������A�C
T�����rA|���LBAG���,8�����A�C
T������A,hL���_A�C
T������A,�|����A�C
T�����yA,�����A�C
T������A,������A�C
T������A,(
L����A�C
T������A,X
�����A�C
T������A,�
�����A�C
T������A,�
L����A�C
T������A,�
�����A�C
T������A,���@A�C
T������A H����BBA G�@���lX���T���A�����A���� ����A�C
W�������������#Aa(����A�C
T������<x�� A^(T����A�C
W���������.G��f,�(���A�C
W������A8����~BBB A(A0����f(A BBBA0H��VABB B(B0A8A@������8A0B(B BBAA@HT0 ��5ABB B(B0A8A@�������8A0B(B BBAA@H�$!���ABB B(B0A8A@�������8A0B(B BBAA@H��"��DABB B(B0A8A@������8A0B(B BBAA@H8�#���ABB B(B0A8A@������G8A0B(B BBAA@H��$��_ABB B(B0A8A@������
8A0B(B BBAA@H�&��mABB B(B0A8A@������8A0B(B BBAA@,('���A�C
T�����lAL�*��1D l,d�*���A�C
T�����lAH�p.���ABB B(B0A8D`������"8A0B(B BBAE`�>��.G���f,�(>��M
A�C
T������A,,HH��A�C
T�����A,\8N��	A�C
W������A,�W���A�C
T������A,�xZ���A�C
T������A ��^��qA�C
T�����HTc��3ABB B(B0A8DP������<8A0B(B BBAAPH\Hh��\ABB B(B0A8A@������8A0B(B BBAA@H�\l��kABB B(B0A8DP�������8A0B(B BBAAPH��q��ABB B(B0A8A@�������8A0B(B BBAA@8@Ds��
ABB A(A0�����(A BBAE0 |t���ASA`A(��t���A�C
M�������8v��qAk��v����v��A\�v��AR,�v��CA�C
>L�x��!A�C
\l�x��A�C
R��x���A�C
���y���A�C
��8��oA�C
j������A�C
�����A�C
�,�����A�C
�L،��4A�C
/l����	A�C
	����,
A�C
'
������A�C
��ȥ��pA�C
k����fA�C
ah���A�C
,X����A�C
�Lر��!A�C
\l���A�C
R�T`W`�0��T�W����"��"�B"�~"�"��
"�"��"��"��"��"� "��"��1"��="��"��+"��+"��+"��+"��+"��+"��"��"��"��"�="�>"��,"�z"��"��"��&"��"��/"��"��)"��"��="��"��"��7"��"��"�"�"�	"�"�"� "�("�"�"��"��("��("��("��("��("��("��2"��2"�o"�A"��"��"��
"��."�"�)
"�)%"�,+"�-("�/("�0("�1("�2("�3("�4("�5("�6("�7("�8("�9("�M"�S'"�Y
"�Y"�Z
"�Z"�	3"�7"�"��%"��
Ǽ
ǼǼǼ.Ǽ=Ǽ.ǼCǼ.ǼAǼ.Ǽ>ǼǼ.ǼǼ0ǼǼ-ǼǼ2μ7μWμYμ|μ�μ�μ�μ�μ�μμμ
μ
μ�����
�� �!� 0�(����o8(�
&��	0��xx	���o���oX���o���oN���o�H�6�F�V�f�v���������Ơ֠�����&�6�F�V�f�v���������ơ֡�����&�6�F�V�f�v���������Ƣ֢�����&�6�F�V�f�v���������ƣ֣�����&�6�F�V�f�v���������Ƥ֤�����&�6�F�V�f�v���������ƥ֥�����&�6�(ELF>�"@C@8
@&%@@@��pp   q$q$PPPtt�m�m�mHBl�m�m�m888  XXXDDS�td888  P�td�T�T�T$$Q�tdR�td�m�m�mxx/lib64/ld-linux-x86-64.so.2GNU��GNUUz���7B/�y
K��M��GNU%?92-(,*>;&0'!%+67<#14:
.=5 "8	3
)/$.�`�Q�AD2 �.123456789:=>|��Ar�˖�9@�	~�}��ړ?�����ʝ��ה�_���?�{�|�e�m�+k7�f��� �>�\�����S�ntF{�Y� ���b���`2�����, h+1���%L�/5yp0,mp/%��&�@2���-���%�P/��/J��0.��04�&AJ"��.��002_ITM_deregisterTMCloneTable__gmon_start___ITM_registerTMCloneTablefgetcstrcpysnprintfstdinprctlsleepsetlinebufstrncpyfreesetbufsetenvstatstrspnputcharunlinkfflushstrtolstrlenreadstpncpyfaccessatgetchargetpidstdoutstrcat_exitatoistrcspnmallocpclose__libc_start_mainstderrposix_spawnfopencookie__cxa_finalizeputenvpopengetenvstpcpymemsetfputcvfprintffputssignalfilenofwriteposix_spawnpstrcmp__errno_locationabortstrncmp__environlibm.so.6libc.so.6GLIBC_2.15GLIBC_2.33GLIBC_2.4GLIBC_2.34GLIBC_2.2.5��������ii
���ui	!�m`#�m #�mP&(q(q�o�o�o�o
�o�o�o+�o<�o-pppp p(p	0p8p@p
HpPpXp`phpppxp�p�p�p�p�p�p�p�p�p�p �p!�p"�p#�p$�p%�p&q'q)q*q,H��H��OH��t��H����5�O�%�O@�%�Oh������%�Oh������%�Oh������%�Oh�����%�Oh�����%�Oh�����%�Oh�����%�Oh�p����%�Oh�`����%�Oh	�P����%zOh
�@����%rOh�0����%jOh� ����%bOh
�����%ZOh�����%ROh������%JOh������%BOh������%:Oh������%2Oh�����%*Oh�����%"Oh�����%Oh�����%Oh�p����%
Oh�`����%Oh�P����%�Nh�@����%�Nh�0����%�Nh� ����%�Nh�����%�Nh�����%�Nh������%�Nh ������%�Nh!������%�Nh"������%�Nh#�����%bMf�1�I��^H��H���PTE1�1�H�=���L�f.�@H�=�H��H9�tH��LH��t	�����H�=�H�5�H)�H��H��?H��H�H��tH��LH��t��fD�����=��u+UH�=�LH��tH�=�M�)����d����}�]������w����USPH����H�\LH�H�R�H�=o,����H�������@�H�=g,�|���H���t����*�H�=a,�b���H��Z��H��KH���H���!���J���f.�SH��@H�=I,����H��tH��1��
�{����U�H�=-,H�54,��]���H�=,,H�5.,��E����`���W�)D$0)D$ )D$)$H�(,H��@H�߉�1��_���H�=,H�޺�����H���H��������H�������H�������H�������H�������H�������H���y����
H���l����
H���_����H��@[�@AWAVATSPL�5�JI�>1�����I�H���L�=^JI�?H�5�*��
I�L�%=JI�<$H��*H���
I�$I�>H���
I�I�?�p���I�<$H��[A\A^A_�\���f.�f�H���>H���>�,H���>�@H��IH�8�A����H��IH�0�Q����AVSPL�5�II�6��������t��I�6�
�)��������D���������H��[A^�f.�DP�=,�t�='�t(XË=}�������=v���������=��u�H�=�)����H��tH�������ݲX�P�=вu H�=�)�j���H��tH���������X�@P�����1�1���f.�f�H���=y�tkH�D$�|$H�t$�=LjH�t$��|���H��uH��Ã=:�|
������=+�u�=��������=��������������������f�P����������SH���
1��P����
�H��tH�[�f.�f�SH����W�)$�=�H���o���H��u9$u�\$�K����H�D$H��[Ã=g�}�=b�t"�'�����M�����#����=@�uދ=��������=��������!�����������f.�@P�1��s����X�8����P�	1��S����	X�����P�
1��3����
X������P�1������X������SH��@H��1�����������H��tSH��H�D$ H��H�D$(H��H�D$0H�H�D$8D$ L$0L$$1�H������H��@[�1�H��@[�f�SH��@H��1��l�����2���H��tSH�vH�D$ H�JH�D$(H�nH�D$0H��H�D$8D$ L$0L$$1�H������H��@[�1�H��@[�f�SH��@H��1�����������H��tSH��H�D$ H��
H�D$(H��
H�D$0H�H�D$8D$ L$0L$$1�H������H��@[�1�H��@[�f�SH��@H��1��l�����2���H��tSH�vH�D$ H�J
H�D$(H�n
H�D$0H��
H�D$8D$ L$0L$$1�H������H��@[�1�H��@[�f�P�1�������X�����SH�� H�%H�
�(H�� H��1�����H��� ����f.��S�����������������������������	�����
���������������
�{�����q�����g�����]�����S�����I�����?�����5�����+�����!����������
���������������������������������������������amaYH������1��$���H�=$H�5�#�a���H��H�=�D���H������H���������������f.�@P�z���f.�P�j���f.�UAWAVAUATSH��H����M��M��I��I��H��H��H�t$H���W�����u+��#D$ =�u�����H�޺��,�����t�H�Ę[A\A]A^A_]�H��H��L��L��M��M��H�Ę[A\A]A^A_]�i���H�=%���������H��t�&���PH�=�$��������@SH���H�T$0H�L$8L�D$@L�L$H��t7)D$P)L$`)T$p)�$�)�$�)�$�)�$�)�$�H�D$ H�D$H��$�H�D$H�0H�$H�����������H���[�f.�H���H����lH����@SH���I��H�t$(H�T$0H�L$8L�D$@L�L$H��t7)D$P)L$`)T$p)�$�)�$�)�$�)�$�)�$�H�D$ H�D$H��$�H�D$H�0H�$H��@H�8H��L����������@�����H���[�DH������f��|H�@u��@H�����tH���H���H����u���f.��H���H����t%H��H��f.��
H���H����u���f.��H��H��f.�H��H���?u���t$H��������9�T>H����u�H�H����fDH��H��t!1�fD�<@��t@�<H��H9�u�H���H��f.�@H��H��t1�fD�<@��t@�<H��H9�u����@���tH��fD:uH���H����u�1����)��f�H��t&1�f��D���tD8�uH��H9�u�1��1�D)��f.�f�AVSH��I��W�)�$�)�$�)�$�)�$�)�$�)�$�)�$�)�$�)D$p)D$`)D$P)D$@)D$0)D$ )D$)$���t%H��f.�D����H����u�A�L���tL�����<u�CH����u�H���L)�H��H��[A^�f.�H��H�|$�D$�H�t$H�|$�D$H�T$�������H���f.�DAVSH��I��W�)�$�)�$�)�$�)�$�)�$�)�$�)�$�)�$�)D$p)D$`)D$P)D$@)D$0)D$ )D$)$���t%H��f.�D����H����u�A�L���tL�����<t�CH����u�H�������L)�H��H��[A^�f.�UAWAVAUATSH��HH����I��H��L�%��H�=����H�=����H�=����H�=¤��H�=̤��H�=֤��H�=���H�=���H�=����H�=����H�=��H�=��H�=��H�=&��H�=0��H�=:���L�=-�A���1��XE1�M����L�=��A���L�=��A��L�=ţA��L�=ˣA��L�=ѣA��L�=ףA��vL�=�A��gL�=�A��XL�=�A�	�IL�=��A�
�:L�=�A��+L�=
�A��L�=�A�
�
L�=�A�H������J�mL�A�D�I�/H��H�D$(H��H�D$0H��H�D$8H��H�D$@D$(L$8L$$L��L�������I�D�H��H[A\A]A^A_]Ã=ţ�=��t"���������������=��uދ=�y�M����=�y�B������F�����l���f.�f�UAWAVATSH��I��I��H�x9H�8�����H��������y���I��H��~�=�yL��L�������I9��M���I�?��A���M����D�=IyI��u1�A������M��I���E�_1�A�����L�
(yD��D��f���I��H��-����D��)Љ�I��H��-����D��)�A�A�,���-�x�B�A�D��A�����x�B�H����I9�u�A�A��t2A�A�O�
�xD�������H��H��-����A)�H�
xA������L��[A\A^A_]Ã=�}�=ޡt"����������������=��uދ=x�k����=x�`�������d��������f.�S�H������������H���`���H��[�f.��SH�6�����������H���0�����[�f.�f�S�1�������Y���H��������[�f.�P�1�������1�������1�������1������1������1������1������
1�������
�����K�����q����UH��H���E��,H�E�H�u�H�=��HH�u�H�=��8H�u�H�=��(L�M�H�=�H�5��H�
�A���L�M�H�=sH�5��H�
�A�+��L�M�H�=JH�5�1�H�
�A����L�M�H�=$H�5��H�
�A���L�M�H�=H�5o�H�
lA���nL�M�H�=�H�5S�H�
RA���EL�M�H�=�H�5��H�
�A���L�M�H�=�H�5�H�
A����L�M�H�=H�5�H�
A���H�}��H�}�H�5%H�R�
H�}�H�5H����H�}���H�}���H�}�H�5�H���%H�}��H�}��31�H��]�f.��UH��H����n���H�E�H�E�H�H�E�H��]�DUH��H�� H�}�H�u�x�6���H�E�H�}�H�u������H�E��@dH�E�H�@hH�E�H�@pH�E�H�8�H�M�H�E�H��H�E�H�H�E�H�HpH�M�H�E�H�H�� ]�@UH��H��0H�}��u�H�U�M������H�E�H�}�H�u��_���H�}�H��hH�u��N����M�H�E؉Hd�M�H�E؉��H�E�Hǀ�H�E�H��0]�f.�@UH��H��PH�}�H�u��U�H�M�D�E�L�M�H�}��u�H�U��M��N���H�E�H�}�H�u��H�E�H�E�H�xh�'H�M�H�E�H�HhH�u�H�U�H�=�������WH�E�H�@hH�E�H�E�H����H�E�H���H�E������H�M�H�E�H���H�u�H�U�H�=c��<���H��P]�fDUH��H�� H�}�H�u�H�E�H�H�E�H�}��4H�}�H�u���������
H�E�H�E��H�E�H�@pH�E������H�E�H�E�H�� ]�@UH��H�� H�}�H�E�H�H�E�H�=������H�}��WH�u�H�=���~���H�E�H�@hH�E�H�}��H�}��.H�E�H���H�E������H�E�H�@pH�E�����H�� ]�UH��H�� H�}�H�E�H�E�H�E�H��hH�E�H�E��xd�DH�u�H��H�E�����<���A��H�E�����<���A��H�U�H�=�������H�� ]�f.��UH��H��@H�}�H�u�H�U�H�}�H�u��_���H�E�H�E�H�@hH�E�H�}��UH�}�H�u��g������?H�E�H�E�H�E�H���H�E�H�HhH�u�H�U�H�=���-���H�}��������1�H�}��E��H�E�H������ENJEǨ��zH�E�H���H�u���������IH�E�H���H�E�H�E�H���H�E�H���H�u�H�U�H�=������H�}��'����H�E�H���H�E��T����H��@]�UH��H��@H�}�H�u�H�}�H�u�����H�E�H�E�H�@hH�E�H�}��-H�E�H�E�H�E�H���H�E�H�}�H�u�H�U��P��������H�E�H�H�E�H�}�H�u���������#H�E�H�H�E�H�E�H�HpH�E�H�H�}��W����H�E�H�xp�gH�E�H�xpH�u��������<H�E�H�@pH�E�H�E�H�HpH�E�H�HpH�u�H�=���[���H�}�������H�E�H�@pH�E�����H��@]�fDUH��H��0H�}�H�E�H�H�E�H�}��^H�E�H�@hH�E�H�}��%H�E�H�E�H�E�H���H�E�H�}��w��������H�E�H�E�H�E�H�@pH�E�H�}��U�������H�}��G���H��0]ÐUH��H��0H�}��u�H�E�H�H�E�}��H��H�=���m����E�H�}��kH�E�H�@hH�E�H�}��CH�E؋@d;E��H�u�H�U�H�=�������E���E�H�E�H���H�E�����H�E�H�@pH�E������}���}��H��H�=�������H��0]��UH��}�}��H��H�E��?�}��H��H�E��%�}��H�{H�E��H�sH�E�H�E�]�f.�UH��H��0H�}�H�u�H�U�H�}�H�u������H�E�H�}�H�u������H�E�H�E�H�@hH�E�H�}��.H�E�H�HhH�E�H�HhH�E�H�@hH�}�H�u��z����W�H�E�H����H�E�H���H�E������H�E�H�HhH�E�H���H�E�H�@hH�}�H�u�����H��0]��UH��H���}��E��<����ƋE��<���H�=[��?���H��]�H��H���DCC_PIPE_TO_CHILDDCC_PIPE_FROM_CHILDDCC_ARGV0DCC_ASAN_ERROR=%srwDCC_UNLINKDCC_DEBUGDCC_SANITIZERVALGRINDDCC_PATH/usr/local/extrafiles/bin/dccDCC_PID%dPATH=$PATH:/bin:/usr/bin:/usr/local/bin exec python3 -B -E -c "import io,os,sys,tarfile,tempfile
with tempfile.TemporaryDirectory() as temp_dir:
  buffer = io.BytesIO(sys.stdin.buffer.raw.read())
  buffer_length = len(buffer.getbuffer())
  if not buffer_length:
    sys.exit(1)
  k = {'filter':'data'} if hasattr(tarfile, 'data_filter') else {}
  tarfile.open(fileobj=buffer, bufsize=buffer_length, mode='r|xz').extractall(temp_dir, **k)
  os.environ['DCC_PWD'] = os.getcwd()
  os.chdir(temp_dir)
  exec(open('start_gdb.py').read())
"DCC_ASAN_ERROR=Null pointer passed to posix_spawn as argument 2COMP(1511|1911)'s FavouritesK-Pop HitsChill VibesTouchKatseyeMs JackonOutkastLove StoryTaylor SwiftGoldenHUNTR/XDynamiteBTSPink VenomBLACKPINKKyotoPhoebe BridgersGood DaysSZA%s added to %s!

 PRINTING SPOTIFY
🎧 %s 🎧
%s removed from %s!
Removed %s from Spotify!
🎼 Songs saved of genre %s
%s found in %s
No songs of genre %s found in any playlists!
   🎵 "%s" by %s | %s | %d:%02d
K-PopHip-HopIndieTotal duration: %d:%02d
;$CP���p���������@�����0����`��������,���H ���\0���p��������������0���������������0����T����l���������0���������0�������80���dP���|��������� ����0��������@���T����x������������������������`�����������0���D@���X0����p����`����P���0���X`���t����������@�������������	@��� 	����@	����`	����	�����	 ����	p����	����
0��� 
���@
����`
`����
zRx�h���"zRx�$����PFJw�?;*3$"D���\�����AAA �� |X���,ADP�%A4�d����BBB A(A0����p(A BBB�����G���T���������$����ABAA ��yABD����]ASAGd ���,Aj|8���A�D����D zA �����A�����$A�b ������AD �{AA T���AR\���AR0d���ARHl���AR(`t���~ADP�oAAPFA(�����~ADP�oAAPFA(����~ADP�oAAPFA(�p���~ADP�oAAPFA����AR(����5AG�@�D����rA�\X���ApT���Ad�P����ABB B(B0A8G�������c8A0B(B BBAA�Y8A0B(B BBAE������K �����AG���A$0���G��T @4����AG���Ad����x����%�����5����J�P���2�|���,�����.�����4(�����BAG����AB0����1D l(H�����BAG����ABLt�����ABB B(B0A8D�������k8A0B(B BBAA�<�0����ABB B(A0�����f(B BBAA0����%A�c ����$A�b<����#A�aX���Alx���5A�C
0�����+A�C
f������A�C
�����rA�C
m�x����A�C
�8���lA�C
g,�����A�C
�L����uA�C
plX���MA�C
H�����*A�C
%������A�C
������A�C
������fA�C
a����A�C
�,����7A�C
r`# #P&�� 
hD�m�m����o8��
-�o`�8	���o���ox���o���o�
���o�m6 F V f v � � � � � � � � !!&!6!F!V!f!v!�!�!�!�!�!�!�!�!""&"6"F"V"f"(q(�7zXZ�ִF!t/��?�>K]��P2&�}���3���7���{xXVz��7
�*�I�,�jH/͹�Xk��b�љ��
��Q@�>s-�rg�����&��0�X2����;D�n]'�b0���i����ݱ�����i���oU��f��.�H�E�i1�\�^%fz(�,+E4Q�+���9���0��C�
�w���l)J�O���C��򩑡��y#�ۥ=i�4.������/5��p�A���[KKBV[�U�m֌n�P'���͸$a2$<�M���M��n��tTP�˙�����j�/�6�hm�XIG?�d�
3����?$�-�|E]y�r�QA���2�:B�ׁ����oEm%��*��}�8�������bD'(2�t��@�hù�Qs�p����<8X�w�]Ugf�n���N��;��6��6W
�X�WA�~�|��C�4�X��ca�?��g(U� �v%�x������2�X�dC7T+��ӥ����Q�������8��^� ؋ͼ�e�^��������s�{���s�6���[� >���$�KX�2���l�nu$�BSw���d��*����ڸ]�S]��>�*��p4��v{{��If��T{B�|U?�VICgzZ�g�>�x���AL:Q�]Fت�k��Q�\�m�_ݙ��`BU8E�
��k�X7�<�̹*��8��~eu������*��.`��[�z�3�P���.,�&��U�-\��Cߞ���.B"*��q���l44;(��c�~WD��ۭ��0H�%b���o�⍑�'l�����ІCn�5��ۮ�g���z̆��}W/���f�?}�BT5{�pw2��GK��[S�����}�լ$�;z�&2x��Њ���P�qM��:oª���j�Mt�6�nP�[2���-I㥉�ӻrk4^n�-��$mJ�Kg�©;�S
 ���������+��6M݊�T�BH�yE��D�xٯ��a��-3*�L��!�@S�r�\M��
�<G�;�R�{���@g�Ȧq��i�ANQ0z �j��܄3���Џ^wI6m��x��	�����o��ZhJ�fG����ˣ���)�˨�+��MXbG[��T�!6c;
^x����*c�/�q��z"�PP�4ML�x��!��6����Э��YQS�������)�G�(���c�{ޕ��=OG�_&��ӕ�v�=�����[�S��ӘbdP�H��aj��'Z6���A���q�$�֨x0�{��Y�_�A"�T"���C����^ �h{?�����������$gM�d
Z�&̸2�~���0��5��T���XbŚ����?j������F��Xi<�iQ�����;��dX��yw�@��2ؒV�Q��F��q����ma�H�*��˖@~��6?5�~���
C��!�)��y`�d�8����[3�Ǯ�
7��4���+|����;�z$�:7@t���iE�nH�R�����6���d%UV��[�[����y\�����3�\�7һݖIUh�d���C��>Q�t�O�}�펍�3	���P��br�	2<��ܿ�	�*��GM��m	{�!X�w�_+��o���fɱ�Br�@�d֑'24W��v8��x��,s�������]�l����󊆸먉7�1/܎�X��씹���I���I��4�c^ZN֎�O�-�r�J�����&m��ܽ�]���t��E؀1T�C�y�r�LpTS��I��XK�KO/��3$H�E�D��?�3��6�v�ҧ�l
��;�4��A��-رk���+��.��@��Լ��4�[��:Y����74?�^l�O�����}�ц��dXi$7Й9�k��AL73��*���!R'�v��鑝z>���(��ྮˈ�Fx
��[M����C��x&%�a���2���PϙVDj	X��?tR�~���Qs�<�{Zg�)�-����^C{
d�y�Q� #J��~W-�gÍ_�av}�Gf�w('w,�2j=)��\�F@�1��t���싂
CҾ_j����V�.��^���.�3��pZ�1����b��|��J�Q�n���}	����/I(`1)����Ӿ+op%=��
��7�0�gD�y,Qᇏ����{g�S]0�'a�ӿ,Z�; L�Z|T:��W�q�:���Ň���+l����-��T1��������&��$G���yIǚ!��3<�	Z��Ћ<cI=�3p��7��B}1�
µ]�O��uV�� �����^T�q��b�5b|��T/$چg�����x.�[�j"�{A"��ް%�W��(t�'F���
4?݆����J@bݯ*[��ey�@�M�M<jj��ݨ>i�XU{���ԉ�𶫺�kG�wƲ��b�R�P�� 
d�dpa��P��팖��Q��aFKH�`�-H'���bxN�9S@��qW��z�"K��yu(�19�Aj̱��5u�]��g����);TmI��L��������"�$�ij����w9/S�U���w��VQ+)����)�P��C.�b�e�IJ�|,�P\�D���uT333���T%�2�(��m��~��۰�����͜B5���;��vR)��`�w����%p��_�^C���-�H�1�T&�u�F����#M	�hn�Y����Z/���4�Zi�˛��,��:����w�S�7���4��m;������T�a��7��G+�E�H�j}��r�K)h�<x�'F�J���T�&.��ҝ����Z����.;��/Y����H4��p�	ߠ.���Vi�����[�e|=3��miv1v[f��6���c�%d�����9�v��I\�W���S�D���4.��$u���Vc��qOZ>�s����je��@�H�}��|D�����n%�a��
0��j�-찞��.G��;!�o�%MɵM2���UvA����jM�Kw�$U��;�-�C�3�3e��W�ȩ�P�.~�E�6"g=�d�"��v��<�"T �droZ�FX���3�<��G�
p:<���Ӈt�G0/�Z;�z�$��Y�{!Gм�R�
U����nR�v�rH�W�>~]2�
��A@���5P�eY�&�b���o`4�Ob�s>��f�����q���8��,�s��
���֙C|<]�u��l2�����{�T&�q���s���|(�C�8=O^=�h�&�o�jБ�&�p�c�B6�a5��Xb�C%��s#�߃;K_��I��!j\�eW�;�A
/�Q���}�c���R��/L��N�o�l��G3&�/��-j�\��k s7�O�x�O�H�~	zHu��$b�Y_�۔�#A��ZrV1슐b�aO%�HϘý����|5�=2��=,h�Y������׬�����ς�'��9������	ZjM4ahK�h�P;�o���u�أx��I�*�j�o�>rOY�͒9��E1��׸��bb�-4wal]2���[J:Մ�5������i���M@_��~{�)�@!b��:C0#9���׺�G{uif4d���@�kK�J~���-'5�G�{��/��;2���1���A�)C���L��}`���Gݴr�v��M,;�@
�5G+ ���y�˓�
Q`HL���������s�4��T�Q�ª�(���+֧�Ľf��B����ܶ$�G���,ȕO���_�L������"9�����P����d9��~����\��`��u�Ԃ`=㒟,�>⧦�>�m&�.
���ꙣ�9���$�ƣ��:��4�eZ�1ho�0]���R�9bL@ZE����38h`����3�p����
�b�yf����	|��&}Rд}�r���,�)��8��4��\7N�鞚�JL��X����NNV[$^�N�2���g�-v;��ĘtrњV�����$#�s2e=��B���������j�|����~��d�0�О">�uR�9�7�'9p��q�ċP��a��:=]�0����vF�t�GԪ{���U�W4D��	�j8���^?jOX[HR<��y�͢%+�b��"��^��+:���]xn��{�:>�Kf8��՜�Y+�/�����	ƍ(���S^�퐌�(�T)�^��j��
����=JF�.\�V�Ԅ���k��=��FР��;�'?��og�G�/[��Ww3k{2$��f�
<����~0���by����2��~q���J��5!~��3��$w	2�j�V���:�ͤ�W嚺�b�-vv�a�����T�޾�6�����͙!�ێ=y$g�������a �7��az�L�%.H�z4咉M蟁��5o[��V�9/��w�䁷��iz����o�Gپ�/�qr9����-��=�v������D'Y��i�.O���az�
�ӺlnI�:����(0~Lkp"��k��w/��W���za�=h
Ud��N���k����n�����S�יg������W�s��^j^��{���O������:�7�1+�/�6rB�!�\�C�Z*\��J�]ԙ�u�r���l%�m������o�����VYH1H������ncu�����,Y��t&�/h����Mr���������M����.��y���=���
��2D��2Z&N�pp�Q���!�}�#o�~L����G���Kc���([�i\ʕ����6��aQ�c�XH_�Z�t�����&�#��Tfn�T��6���3&��������,��Х��UV�[�����環��	g�xC�O{�3���t�T�7fi�9
=>}�?�b-m<��.8��F��z`�J1:����m�>��c��?�z`m3p!}=+�D&AU�al�����TGi�����͡�+a�	���qJ]���Xyة��ƏN���kgį��O����a+~���U�d�W��q������ш_��|�m����R�v���`揎�*��w� 5!|��s�Ca�q�?��L��3"��و�X�3Ҕ/�
���<�J�9o�֗�~�b���9屁%�����i��G�=G�Y�����
i�f�V�pP��TO�e�iE�DF�;!��.�f�]���iۄ�:03`�:�Q�u��j�����79[����V��v����>n-k��F�������������O^��k�Uc�Ch�sX�T�����Z\Jm4�
�D�3f����M)ʽ�[�	����s��H��/N��>ǒR�07�[�FU4ۺS>[�	��^�c���$��b��3\
,D��*T�HǗ�7�r�(;]{JQ�
�c�p��?%�Բ��h�}N�'�_��%�����tj�Uk��;�}$�y-ou^��$���\���<$)�U=%�B#�b*�)��Hz��)�uI��:>>��ڥ�U��K�7Z-&��a��ҹ�C�F���2q�� ���˞��1�R|�S�d0nz�ϋ��8��4�3q��7�3���sLk5��$�۸�4�)�Dɉϱ�Q�y��U�v��M���X�:!�d.�Еpt|���G��@�8O�ϔ��}~t�z����2���N�tQ�.�$!�TK��
��1���"7���Tl��QD!�uKd�Fm�ȶ��j�.��=�aE7:����l5�^����\��pu|L�`1����>��Enܿ�/����^O��~��n����#zn�!��������ш�8ު�\
O�љ� ���4��K6��s�Hf�f�[����״����Z�v�S���"t���c�Ϛ����y�1C|Y�X���Nf�֮�@I'6J����W��M�唪2/³��>?*D�jx�L�ݿ?ƘuizG����n�	���Γ�J7�����&�X��ٖ}�1�>R��!�Ӽ���#褩�A��+:�&hJ�"�'�)��:�4��bGS��h��}��tD�3oY��4��������� �Ï��&�^k���3��Bջt����7z�t���J�Z[ǰ�EQH|���� e;Ϳ���hj��^����`��%�S[����PU�T��oR���Y{�N��e�vP��Gr�b��*�8W,��k��,��'!�/]OFN��Y��hr��5Ii�7�Z����?
}�%UȎ%���e�����s(NQW�L��
u�7{��7\��V}K+毮V�)�R���� Ȁ5]��Ja߾�J�}�ϥ��� %��#��Ft���A쉔+����Ћ�E4��I����i]O�-�<ʸZS�t�֝?7����#Yx��T-i�ђ�8(^�	s
{,L���՜�W�3��a]�����?�PET6/����|ʄ��K%z�[��"*0��ɼ(D|I?&,}!�`����(0��p�:Wjf��|����-���:�@���W����&���5�U�8D�dBjwO�2��qx��
���H�C8��:�m��nT���y�6(��D��W�n�/Е(	d�P�`��'�ښ�~nC�����Q�����f�2E<�×��y��\�h�Q�U���m���>��"�Gy�‘�
���Zʠi�3�Th^ut����[U��l�~,���"_��@
]��s�V=�ʈf��g}f, t��n�8^į�r����RY��/���DR�4]$�L������g�SIG���B��/)~�G���wb�e���N�)��w%a���
�A9�6נ�6�K���"Y���$	�He�S���O��\��Vp�S������ꚦ`1�&['
�'}/�V���ܧL��䈎:3Y��Ȇ����4�N�jZO�`��@�A�ư���$%�Z�K�Ny�~��[Q��#ʢڂf��P�<������{��!M��#�����oDS�KP���f�4pѫ�p����BOD�>%ChL�
PVNHW��	�9��?���Ix.�-�+\�E��t�������~�|�s=kXT׽l��?;��A�0�yb��Q�m���/�ؽ��O2a1t��$���*�,�Fp]����Y����x����/�r�l{L;�$�^�I_�R�t�nu'��ה��Ԇ������q�-������KD���(����W�$��K�j�����˃l�v�!���%a�����X��]ӣJ~�_|F�d�+Fm�)��w׷y����{���lK<4.�w��Fb���G�*��$�_�0�q�X�6Wa��sZ�n��hݫ�/Jy1ΔpB'���}y����3���-�Y��Nf�#��K�Fy.��n�:�V=�9xY8i!$��:6�������P�y���ѿtO�b��ǖ��uɉRp6]�H�נF�[�)��ԫ,@�j�?�\-�ϥ����<�\7W�'�q��,�j� ���p��J�p�"�:r�u��bF�k)u�`'l��M"	V	#�G�OX�`�@벀�&n�2��+s���Y���bZ�90hB��dq��y���Qq����f�zH�f���PW<���yI�t9.��ձ��姇���Y����'�a%V��
idh��>�Z9�ܿ�в/�̉+�3���-;K�/O���=��1��{`�
��	ׅLة�r�[�d�k�ݣ���s����\|&q����C��!�6���)R��[�k��hTa�v���Bt��w�a�����f����`?Y�^��/x��\�W�ˮͯN����6K����l��ݩ\~F�%�RpI�27!�!����D�؎��=��'kH99t������;7F!��hT�7R(~]�N��᳾���W�B�,�~y%���e��:%K��8Zf.�4�=��Z�/������u����F��,S��,.W_�Iq�YJ��v����mK����?���AD�g�G�����v듻¹^A=0}�.k-hya{;y�[�)��%�l��)z�q�
,��@@�T��ðܷ7q�)ڒ�A���x�7�ʍK�}���U4��17����r"�@�����Ϙ�±��|h
�>�I��@?5��w�2�;W���6'ʀG2�M�5-B�G�/�������W��-����Cź`}�]�6~������J�XFL0L���
@b�NuH�X�i*7�y����]��Q
]ۭܯ\G�e�?�)덼f��Xg�>�Rw	�RR��{��j��%��_7X����a��D�Xz�|���W�����Pd���v�<���@�;�8]�V�v���sl��B�c���E��UV��IJ��tN�L(~yP�[-d��[�1�4]g�mUh�u�P�p�*a�:�L�����z�09����''!(:c�;�&i�";PW9��IU4�s�!պ�7e<��j�5������48�	�(��p�oB�r���Zh謦�mcs�#usȍ����QxRzB���J�Ql��]d%MVh�ChxԦ멎�ˀ����<�׋>,�(½"ޢBFol���<qXO�������	��x��|�e����跪3�GHih9MJ��:V���^6*GG�f�˹a
������}�#�K�&�x��|�K�hf�+�r(��e)�S#aR��YKE̴Z�<�?�Y��&�Iz,���ƭ}��S�Q,��j���;�⣠�L2):�H������E�)�wbSyE�q?���5E�X]�+���f3Z	���Ϧ�2���f*Z������W�*��H���y��9��w/��ӺTOW�jj.oޟlB>���e������a�R�C_!�Z�仰W��s��Xo���6
m��d��It��
�c�]BQz�E��K��9R��	�O0x��]��adv`��P��
�P�t��-��;��\�^�!T�l��&�jP�I�Z,��xQ����$�4�+J�������,�K�C;�V�M����?�[�A`�e�
}��o��Ʊ+�݂k���g�pO	�/:N��
w�q����*!:RC&�Xۭ�
Z^q���0�c-4�Qsr�C�k�f�A+М��S���%�%��\�y��V�+�J,�k4�����6w��Lw���,�M#U֟�hD��Rsx�X��x�����`�lRC~4F�i�'~�k�*�.�)5!�g�e���]�^b�Р��2���v+V�E�{S��Y���P�Qw����r33	�s����ѱ��'w�MV��ջ����#��W��:<9�.�6Ф��0���P�z������x���2.I2��$�s?ʹU{��4_�&~Vm��7Ы��n��-?|j��o�T�:�)��A�׋������D��]$���7����q�����֫�6�j�Һ(�/��!�0�l�2Mj�s�<`b���IP�v0a	R����FsI��e,&�;���R*[.�w���T~ej��W�B.3�q������o�P���x�nʘC1Gv�^-y��̬�Ջ��.�.�x���A�%��s>t�����W�����+���u���Ĺ�^ٹ�
"[0����C³���3��1������xi�"�K�����N~4g�>����Az��`�<������q�#��j����g_5�;�m�=P-�;��\w�:��o�҂�ΠK��r�@��C�����DiO��4d���p>j=Ei�q�d�������,�E��(Af���c��S��
�R��Fg�T
��%wm��I9��/�J�؎��@=Ԣ�kDE��;`��?��V�S���~���CgB�����!n����"��3��W�v��Aj�߽�EK|l<���d�o6�}���k�U)�`krӻ�Q�QY#?�]�ъV��b
=����k�]77E�%��DS�<�t�Pmk��N���)��0�9v/j���(m�|��0Q���9NJ앰;/:����5^A�5ETȓ1m���c�ls��Y�Un���G{�(z=~����<�ȲUpEd��h^>�3)��@�&��,�U�ϙ ���4��H;b��K+�;?P�J��XjN
ZQ��&û^y�5:��a��q����2�r����c�1��"�a�����pp����{�dz(����RP���f�D�\���$����:���-�'�]���7�������o
�X�V��y
5չg�b��f@tG��b[���0�=`ؗ!�ۂW�TtR���I����g�p�s�x�:���*���0�N�p>Öh���O���xB�!�<�@���F�*�O�c��=Lѳ�CA���t͙HF)�T�V�;����|P`Be�>��`~�:��'�D
�3 �!&�\���{3���cAT)B��`Λe�s�:$D���t�'�vm�bh��c1��P%,g��ǒB�Y"k�ю���+������a�n�	�!�L:��!�i�膋�jH'�?9mo��V��6�O��h9�'��rh������Z�.��@t�	{���f8����F���XY*Q��?�
��6b|YxS��F6���pb�Ǥ��d%�a"
�ợ:�Eg���R�й/GN�"C�t7a���(���+0Z&ct�҇��N*')47���?R ���gH�O�u��	����ϥ]=�i�>v^�,�F�Y	,��t��j��c��"
���������8�I�Y}
N����o�>��4��D�hk��Zo{"� �=)Bޤ���:	���(g�����O��u:��;�-��������H�L�;�%E�~�����O�x��L!��*gU��.�SS��4�.���� �M�������)�uC0�v�U�x�h�sۢ�5��Z˳^%m��Q�y]߻+�U DP9�Y)� ���I���w�L1�=h��}����ڲ��^���nS	�;OXT��mU���O���˸����y�{��
���4~'�_���.�{gQ�dzcU��&u�^hJ�����y��PT	�JK��0�4����S�'D��@��
�í��O3��)�k�k��t\���G�Md��G\�Fm,tαi[�$=��3�㐂�)k��
�=�e� :�2
C*�j��#��>Jͤ�ٓ��ŐP�v���P�(d�Z�6�?�3��cY�߲��B�4�(!*Q/��Jħ�t�]���+��C�2�S=��1� TG|��}��M��D���sx*��$���n_�ɨ=�TXʬ�:- 4"�	"L�y�A�a�#�1!�Y8JiH���w�eUcZ2�gW��:��B���N���:��0�s�b���(y8XA����� q�n1�aK�{�J�J9l3�Ƕ/D ��ÝB���Qct�{Gk�I���B	��!h�\��uȁ��b���o�4K����LE����w��^�#2~�j�I��d��
�a‡�Z8��R�Ɠ�j�я��0�����[m0���.�Pg�©}*i�ײ����y��$��F9f�hR��cY���*�j��s��YP�4rT�\3�)*mF�������ofi4��Ϻ���v�sip�һ�xߐ��C8ja�ެc9����ƣ�EX|b�ez	cց���|�� �k�"	'(	jm���T��(�Zo6�p����g�$�ɪ�r �/ b���/8Q�[�MD�X2��'e�

uU2��l��x�6
���V��J�~�9q��6wz�q����Z̕V�vT!��4ls[��i���M����7�\��|�_Ŝq�������b���8O���*	���'u�	��?z�j3�19	sW��I���*�'��T�ؙ�p�J��A�F�;J�7.[ME�Wl���=���F����u�V�O�<�FN���Yp�^���?��y�b]�/
����V�9�*��˥�W�I]���:�"u��K���֦�q [�?��hIJ��o�s��v"�
������8Ln"$��,�o�o�����-��E�6�̌poO���8�X�L�ǒC�ۇƫ��1ea_�_�f9?���n7�e V�QfZ��Ȩp��"��N��&��x`'5��P��KG��bA�;.
�o�ʼ-��	6��F��Vuiϊn'����g�	Eoh��.����=�e=Ŝ)�Lz�l(�ơ�bO]���y4�z��I;d����  �����NT�)���?�b�?jy9�k�K��������	~2�N���lە-
���(J6S)��^O�\[~>ɶ�c��ɯG �IR$f/�7]&e��W֬�~Q�.U����~2�<J��j�G���ӽN(��M{Y�՜�6x}��;iGzf��3�S)��ްaRw������Sf�C�,Ȃ����#� 
aE����Q2�]Іg�h��v?s�8QlC��s���.��!1w�e�<�������:��u��,>Yw��Wfz�d��4�B�η�H�1�G�A�-��i�Ul�"�r4@��6O�a�J�v��#�W��x�—�4ދ�M\��'�u��`(�g�����ⳃXsO[�9P� e��\b�]�l���Yh��ljQĞ=��[X�~!����2W�ҨA
9���a���Z����@O�{U&c1Y0_�m	��5�N��k~e3��g�6�k��k!"�� �b�ڹ<7F{��'���+&ٜ1mU�4Zq,��ӯ"�.C�c�a��¦��Qפ1B$b�o��n��S�E:'��Q0t�0� ���.�:��]�}����x񞲘�����ʗ~��w�?~DJT��z��,S��m�љ��ȼe����0 �f�4o-G}�M�Eœ���r�z6}����i(��(�¶
U����+F���`�`��Ի�@��r��!�M��)�w�݋爭�6��	JO�ش�~�읇AU�Y@����%��]	����*�I�s�&�k�fO\���ř����
���٨׏���B_����������	��q{��ۥJ[D2"ޝ7��>7}꫙�y!��g��|�
�6Œ4wTU�'ݦ�@6�eT{����`�����-�Sy��ڏ��>�®D]�ѐ��x�l+�L.쯻|8-�e�Z����}m��0R�!��M�zGݼ@p�
��N��Ðc��	Smy�3�o�|�Th;�s���M������iΆ��r�@E�`	1:���s�þ��ۤ>W;V���d�鞴 �5�����UG�D^���O]�� �/̶3k���ڍ�~'Ϲ)�@��bú����>�#�N.L.�*�>j����l����y6�d�~�
�R��D��-�t_$n�]�"�M
ü��?k �� ?S
���9��C����=D��!)�Sk
�t��.-�h+�|�	m�ϟ��V���tNwΪE� R���ct<��C���N��
rad��(�0k�z7����*��3Aa�V�%�9o�ڵ ����V��������h���c��O����^8�c�Kإ�墖��+�@b��Ӡg�ƽ-��&V�>�{�Z�k$�C3�����t�EV�~��|>�o�pi�M�ی�a�4�%}:�VW�Z����q�y�o!&]|�<@
k�l��-y>�j^s뽴�꼿H��g!R�x�L;��q����a��d�v€��r�#��ۗYF����zN���v����&�ٺ��{��A��#��|U
�l����wY�_ˀ�w�/ɵ��&T=�2��]��;u���R��J��AS��>�q'|����lV�H;�#V�n�Uί���:���I�$e������}]����2�VCU��@�g�"�m�r$o�~��HZ�,��$�u��n��t�R�?ŦL"N<�.���Us�oW:}��iR��%���3���)K�.������ڃ>�7î
u��{��vɳL�^Gc}'D�O�}��(������c����(�.�o� }��Χ����*�<�MB< �r�U����W��v�uH���R��~�)��lCn���֠���s�ܡ{��Y�?/[�]@�x*U^�f)���˵Z�3�� �q��DW����L] ��Ѽ�_d��J�h�h{}��,K`����^����o=!Z����>���Se���E�YP˃�'id6B��H&v�Y>kq��vC��ߔ����<^�j����7��p�i
����}��L�6KW�u�J��ȩ3�
M71D΁�V�eO
A�گs�ttX�~
J�
�������b�ֿ��?-�����F
r�7��Uh�CiR)V��q
�C�n����\X]}�ȝ����o`I^3��J=����Q�wi'�w�GR�����H���"�A1�{�C�����Uّ�ʡ��Z��J�VuJ@�sa�	ѱR*uF���I�s���&���~Ӷ�K��l�@�����9��D�w-�	~�i*;
۬��
�F��
m�Q�n ��$�{�J����?�C
(y��n���k��Ls��g��V'��j+�w��b%�,	�H��:H�N�=���~	P{�T!k}D7��2�؄��w��z?k�D�L�l�< Q��'o�X�w7�8�%wj�9����T��k�"5/�!"������w>(D0�G�S�9���$UZ��6ݣ��54=ٽ�y7�/���t�<�s�.
[��N,��?�T�
�O��DE���Oo�
��Ծ]�R"��Q-��]W"tngA�e���ʃ�%�i/u�|
T�^��8��:�W%J6d���y�oCXX�c��2�<��v|<����'^+C5�6eyw�jB�\"����<E���/�������8�w���oɭ��X���ۊg�?Lmh���7K�o�d��Nd���(Ԧ�핫Y�+���#Y�M�=�d~�{t�Ja�-� ��ڮz<$�g���$�*��ճp����W�P㈮����Q��*o�FgGE���:ͤ�O+�麔"?o[OP��G����iUmX��[(������m�5	������m1۞HDI[�#�����S�IWr��D��o=Q`�0
�HM�<J��>:�^��Һ����p�ҡᑗ���c���}���5d��'�i���4���q}"k0������4S"&�t
�)�i�$�E*9S�G���Fķ�����V,~�w2�]t:M�;���=�$�04��]�πx��4dg�3��a`�ﰆ�U_"n�əx���^�q<���J��G���"�%��x��f^Eef&�;"�oq�5-�6+}C(O��ǠF��9�ۢ]c'	�Ȋ!V�$A�2B�q�)N�+X���:����njJ�� S�)�X|�ɰ3�h0�]/0m"��6�Y����,�=Y��7?�Q�7|-���׵ݚ�Z s@'�]�
���<t�z�0څ�M8:�pU
���!
�����l�1*���dW��
2��e�}�y5�0����.r/�#�hj��C!���B<���XWQ�B��P�Ae��c6ȅ�P�>����?�KXY���1b�w׶�D\jw��2s.c�d�sp��^ȝR‚_l?L僁8VU�j0O�yɋk=�YBD�ZP޿]�z|ō\YF�v�猇k][�5���g��)E��?L�Ci�ln�ᓴ;�x�"�8�O��l>�)�K����Mh~ux5�P�gX4��.���aP (h�i�nTҪ7vB��h&���^xqyh�+�/F����lT�J�D����r��ˊ��ə��`Yd�ػ(4
1�@e����x�T�]�~�-��!p![�{^4���.���ۮQ|��s׆mֆl�w�7(�FPeC��9���*}��@P���N�����~��KZM��{1D�������Q�L��-W��M�id�
����"l+*:��]-��0�I����0r�v�����L-i��b��|��׫-���g�YZGCC: (Debian 12.2.0-14+deb12u1) 12.2.0Debian clang version 14.0.6])p#�R@�	0qo|@�	��t|����x��t}
������	���(���@	�	�
�ok�1��3�[6[7[8#[9 2[:(@[;0N[<8[[=@g[@Hu[AP�[BX�`D`�jFh+�Hp��It�oJx��M���N���O���Q���Y��[�'�\�2j]�@�^�M�_���`�b�b�	�	e
�	�
z��]����	�+
z�	�
	�
$
��.T��t�	�����������?	��������10"��&,W�������10"��& ����&~�&��	����	@q��
�
��-�&x	+�@��
)3<GPX	b
lt~
�	[	
��H	��	�+p#�W����	��6R��lW�����i}#��#��#��#��#%�# $,W�P!��	Q["X$S#Pe"r+$W$�{$�"rC$X$1{$T�"�`$EZ$��$w�%��"r�$�$�{#W��$&�C$'Q1&�[$'Q1�`$&��$'Q1'Ts&	�$'Ts'U6&	�$'Ts'U;&	�$'Ts'U2&	�$'Ts'UH&	�$'Ts'UI&	�$'Ts'U8&	%'Ts'U4&	%'Ts'U=&	!%'Ts'U:%&%(��[� 0%�W�6&	I%'T04	i%&4	�%'Ts&4	�%'TsR
�%)R
�% �%W&	j*��
kf(`
�%+�j�,�j�-��,���,a��-��,���,a��.�����@(������/�	��
���0�X���1�
H*	/	2�2[303�W�	 �4�	 �4� �M3X!��$�"R5N)$#_)#^5"�
�5`/5�
� 6��6< &�5'T~'U��5&0�5'U�l�5l�5�
61�
V� 21Wu	x7��x�7�/x�7�jx�8�%W�p�.�q�)�
�%(
��8�%W�y�7U�y�9(�%'U�U(
%���8&AW��4���!,
��!u
��&�&'U�U&('&'U:(
���*	2�:�-.�;.K�[ P&]W��6�5�0�& ��lp&l{&��&~�&(	f��(T	Z��<�&Wj�&&��&'T0'U0�
�& '�W�&4�
&24�&*�/u(!P%
B"�
?'9E"�
R'& =�R'&&�
4''Q@'T�&0R''U�lf'lq'�}'�'W<��':[:r(�	z�*�
�
M
z��	/>(�	�@@8�'$W�E(4s5
�(!�#
E(&��''T0'U=&��''U=3�'�W	c4�
c2*�eu(!A:
f&T�''Q@'T��)(&0=('U�lQ(l\(�h((S	s���8�(W( P(&��('T0'U19��('U18�(W?.�4�K.�&��('T0'U99��('U98�(WM<�4�G
<�4�O
<�&��('T0'U:9��('U:8�(W[L�45W
L�&��('T0'U<9��('U<?�X�,	X�,�X�,�X2._
�
z�,?�b�,�b�,�b�8)~Wii�4nW
i�4�_
i�!	p�"�)\r	@�@�"#)Ma
@)#S5&�)'T0'U7&�)'U7&p)'Ts'U0(�
,�5�:2�
E#= 7S~9��:o�;�<	�
��A�[�	�
��$A���	�
��-A����	�	�
0A��8�)~Wvw�4cKw�4��w�!	~�"��)\�	@�5�"�)Ma
@)#S5&��)'T0'U5&��)'U5&�)'Ts'U08*~W���4X���4����!	��"�*\�	@�*�"#*Ma
@)#S5&�*'T0'U3&�*'U3&p*'Ts'U08�*~W���4MK��4����4����!4	�"�*M�
@)#S5&��*'T0'U6&��*'U6&�*'Ts'U08+W���4j	���&�
+'T0'U49�+'U4-9�,��B +5W��*�d
��(!�	���"�H+�#W�&]P+'UsoU+(A��[ `+rW� !7w
3�!Z�
7�!��
8�`+!�	�&�=<�,?&lk+'U4&lu+'U5&l+'U6&l�+'U7&l�+'U8&l�+'U9&l�+'U:&l�+'U;&l�+'U<&l�+'U=&l�+'U>&l�+'U?&l�+'U@&l�+'UA&l�+'UB&l,'UC&l,'UD&l,'UE&l,'UF&l),'UG&l3,'UH&l=,'UI&lG,'UJ&lQ,'UK&l[,'UL&le,'UM&lo,'UN&ly,'UO&E�,'T0 'U�څ�&W�,'Us��,CHk0Y
*��D(_
7��B�,W��4��
��Do�,B�,W��o�,?f��,~��,��2,J
��,��B,���,R�c,W�c;.�m	7
��a	GL
W�1EP+��-��.��/��0	�
���	��
�@&FP��7 �!"�GN#G7�$G��%�
&	
1E�B��+�	h[[�\*k5$z@,�K-�V/�a0 ��2$�*4(�o90�l=8�w?@��JH:�KXB�LhJ�Yx
�c�
�r�
���
@��
@��
@��
z��
z��1��
z�
z���8-�W���4���24d
J
��4�
��B4t���4�R�c4�W�c5�`�$�$F�"��-�	$��H�%�$&�9-'Us'T�&d-'R�'Q1'Ts'U���������]�-o�-0[̀�2	m(`	5�����8�-W	��4���24�J
��47��B4p���4�R�c4�W�c"��-�I�$�$>�$a�$��$�$�"��-�	$��]�-o�-8�-�W	��4��*	4I��*��
��(!����D�k. �.W 	p*��
q4)`
�.8�.�W	��4���*��
��(!��D�@/8P/W2	�7U�*p��8p/%W9	[7U/	4:�!pV[8�/5W@	[7U/	4��!�V[8�/JWG	 [4( /	4^ �!�V![8002WN	,[4�,/	4e,�4�,�!�V-[8p0,WV	8[48/	478�4Z8�!}V9[8�0.W^	D�4�D�7T�D�8�04We	L�4L�4A�L�4d�L�81�Wm	[�4�[�4�([�*�]C)!\�!W#
b�&`
�1'T�'U�8@2�W�	j�4�j�4�?j�*�4lC)!�
k�!]#
q�&`
3'T�'U�-j�,I��,j��;.���3 6�W�	{48a{�4�I{[4�j{�!U:
�HP!�F�"�
�7`�5�
� 6��6<�"�#�6��#\�##^�#�6���#G%@6&�M6'Ts'U8&�W6'U8&Tp6'Q~'T|��7��7&0�7'U�l�7l�7��70{
��38%W�	�44 a��4m I��4� j��!� %
��&�8'U>'T�Q&�8'U>� 8308$W�	��4!a��4N!��P)4�!\��!�!!��&�>8'U;&�H8'U;�P83`8#W�	��4�!a��!/"!��&�m8'T0'U2&�w8'U2�8:�� �8W�	�4e"c��.j�.x�=�&�8o�=<9&	�8'T0'U6&	�8'T0'U;&	�8'T0'U2&	�8'T0'UH&	�8'T0'UI&	�8'T0'U8&	�8'T0'U4&	�8'T0'U=&	9'U:'T1�9
�

[(7
z5��J��>��
2���(���
�(

�
)	E(�� 
�(�

4
�(�
 K�(�
�(�L�
�
@��
@��
���
���J��+�	U)
�
F>���
95OW
����o95V�~�pJ
�x�J	s���x	5
�	�~ d	��"h	��$p
��d�����'	5
�)	W*+d	��-h	i
~/�	��1����P;	OW
����oP;+V�
J�x�J�;�V�	�x5

	�pJJ�h�d<rV�$�	�x5
$
	�tW$*	�h�$
	�di
$��X�%��<�V�0	�x�0
	�p5
0
	�lW0*	�`�0
	�\i
0�	�PJ0J�H�1��@�2d���<�p=lV�Gd	�p�G
	�hJGJ�`�Hd�=�VT	�xJTJ�p�Ud
>R�h�[�p>uV�	�x����>MVg	�xJgJ	�p�g
	�h5
g
�`�hd�X�j�
B??�P�z�
�?I�H���@@*V)�	�xJ�J	�p��
�h��d�`����P��d
x@(�X
��
�@#�H��d
A<�@��dpA�V9�	�xJ�J�p��d
�AY�h����X
�d
�A �`���B�VH�	�xJ�J	�tW�*�h��d�d!
̼
EBf�X����BfV]
�tW*PC�Vm�	�xJ�J	�p+
�
	�h:
�
�`I
�d�XS
�d�P]
��
0D7V}�|c
�OJsdi�x5
��� d��"h�d$p��d��x���'5
�)W*+d��-hi
�/���1��%4I?:;$>4I:;I!I7$>!I7	I
I:;:;
I:;8
<:;4I:;:;
I:;8.@�B141��14I:;&II:;('I.@�B:;'I?:;I4:;I .@�B:;'!4:;I"1XYW#1$1%41&��1'���B(.:;'I<?)��1�B*4:;I+.:;'I? ,:;I-.:;' .4:;I/.:;'I<?0.:;'I<?1.:;'<?27I3.@�B:;'I4:;I51UXYW61UXYW7:;I8.@�B:;'I?9��1�B:.:;' ;<.@�B:;'?�=1XYW>&?.:;'I @1AI'B.@�B:;'?C.:;'? DE:;F:;G
I:;8HUI
1J!I7KIL%I:;($>.@:;'I?4:;II:;	
I:;8
I!I7$>%I:;($>.@:;'I?4:;I.@:;'?	:;I
.@:;'I?:;I
.@:;'?I:;
I:;8I!I7$>�
�
/usr/include/x86_64-linux-gnu/bits/types/usr/include/x86_64-linux-gnu/bits/usr/lib/llvm-14/lib/clang/14.0.6/include/usr/include/usr/include/x86_64-linux-gnu/sys<stdin>struct_FILE.htypes.hstddef.hFILE.hstdint-uintn.hsignal.hstdlib.hunistd.hstdio.hstdint-intn.hcookie_io_functions_t.hprctl.htypes.hspawn.h__sigset_t.hsigset_t.hstruct_sched_param.hstruct_stat.hstruct_timespec.hstat.htime_t.hclock_t.h-stdarg.h	p#�
�Z�u��!g��g
�=Y"Z
��� 
Y	�<�z.���ft�}t
�XYz��}<=��������Y�y�	
��u<w
��=�	�K<	�
?<
YJ��
w<��x�

�n
	�f
K
�Y<�|.�.
<�<<�|X�X��
X ���|�N.fYfZ�t��</��|t�X
"��</�v�~f
"Z��~
L�
�K"Y�{f�X�J4SXt0���fYfZ�|t�t
%X�}�
K
��<	/>�~�
vu�{f�<�J1
<3JX/X�{f�n
!	�6
!	�5
!	�6
!	�.
�u��<;�|.	0���
�g��<;�|.	0���
�Z��<;�|.	0���
���<;�{.	0��#�
!	��.
��v��	<���~���	
'�4	^��~�X&t
#�
  ��
_	<�tf
�f�!.�t.$�X7�
/9f
-.qf�(	2�&�
W	<.�f	2�2�
\
#vY�~J
w<���
d��t�
�<�Y�
�Xi[	
>.�.	I<�=�	
>X�s���.	I<�=��s�
�<I	[.�sJ��	;X��w
><�s.��J</It5Hv�
><�s.��J</It5L[	

J.�.0	H
<	J
.�s.	�. <<.?
<�s.���sJ�X..<.t�s.�.�s �.@�
�	j.g!<	I<	���s.�J<J	.K	I.�s.�<�<�~�
YXJX��<
�	j.g!<	I<	���s.�J<J	.K	I.�s.�<�<�u�
�<�}f�ft�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f��}f����Y;;<	0"F�	X��t�.��X�{����fYfZ�tX�{X	
�Z��<(/#f�<m<3f;JWf	X>�
�s�pf�.LY>J	�J.LJ>f	�J.#IJL>JA�	�Jt�uJY�~�t�.��X�{����fYfZ�tX�|<
"��Y�#
!<��Y�
!��Y�
s ����������X
-�
.spotify.hmain.c	9
�X2MJ �J!�JM�JS%JV%JN"J:%JB%J;%JE%J>%J%J[J/J0JZJ�J0JZJZ0�
.spotify.hspotify.c	P;	#
��KJuJ�%
��K JJYJuJ�J	�J	Jg	JJ	=\#J<JKJJ>�
Y�LJJYJJJY<J=<JgJ�J?)
�/J6<>J<X/K>J!JX	MJ	Xg	JJ%K5J	J�!\+JJKJ�g&JtI]JJ!u1JJ�� 
�)J<LXg#J
J2X
<g
J�JJF_��)
�2J<L�X"g	J%�7JJK	Xg
JY*Jt	H].JJwJX��
��J�"J<�Jf�Jf���~/
=>J!JXL(JJJX%f6JJ<X	<"gJK&J	tJ)K:J	J�	JY\X�!f1J�~��<�J+t
J1X
<&g1JtK*J
tJ-u>J
J�
JYZ JtxJXY�/
�>J!JX!L+JJLX"gJK&JtKJ-J	JU)^2J<K(J	J7X	<&g/J<K)J	JJ=	J[X"JXg&J2J
JAX
<*g<JJ&K1J
J$J2K
J�
JYZ.JJxJX�)
�2J<LX%g7JJL	X+gJK*JtK
J	U0^JK.JJK	JuX
XJYx)
�2J<>L.<�	�uX%g7JJL	XgJ%<<,g@JJ��*Jt	E`.JJuJX	JRgB<	��&�
u	Jg�J	g�J	g��R�0
=@J"JX0K@J"JXL%JJL	Xg'J	JJ	KJ�"J	JY[XJ�gJtI\JJJuJ�JJZ�)
�8<>�M<��Debian clang version 14.0.6-/import/kamen/1/z3548950/public_html/week_9/spotify__dcc_save_stdin_buffer_sizeunsigned int__dcc_save_stdin_n_bytes_seento_sanitizer2_pipe__ARRAY_SIZE_TYPE__from_sanitizer2_pipe__dcc_save_stdin_bufferdebug_stream_IO_read_ptr_IO_read_end_IO_read_base_IO_write_base_IO_write_ptr_IO_write_end_IO_buf_base_IO_buf_end_IO_save_base_IO_backup_base_IO_save_end_markers_IO_marker_chain_flags2_old_offset__off_t_cur_columnunsigned short_vtable_offset_shortbuf_lock_IO_lock_t__off64_t_IO_codecvt_IO_wide_data_freeres_list_freeres_buf__pad5unsigned long_unused2_IO_FILEfile_cookiescookie_streamfddebug_levelsynchronization_terminatedunlink_donerun_tar_filetar_data__uint64_texpected_stdoutunsigned charsc_abortsc_clocksc_closesc_fdopensc_filenosc_fopensc_freopensc_popensc_readsc_removesc_renamesc_seeksc_systemsc_timesc_writewhich_system_call__sighandler_tgetenvatoi__nptrsetenvdsetenvd_intsetenvgetpid__pid_tsignalsetbufsetlinebuffgetcfputcfputsdisconnect_sanitizersunlink_sanitizer2_executablepathnameunlinksynchronization_failedstop_sanitizer2__ssize_tsleepfopen_helper__int64_topen_cookiefopencookiecookie_read_function_tcookie_write_function_tcookie_seek_function_tcookie_close_function_t_IO_cookie_io_functions_tputenvdputenv__dcc_error_exitprctlpclose_dcc_posix_spawn_helperis_posix_spawnfile_actions__allocated__used__actions__spawn_action__padposix_spawn_file_actions_tattrp__flags__pgrp__sd__val__sigset_t__ss__spsched_prioritysched_param__policyposix_spawnattr_targvenvpst_dev__dev_tst_ino__ino_tst_nlink__nlink_tst_mode__mode_tst_uid__uid_tst_gid__gid_t__pad0st_rdevst_sizest_blksize__blksize_tst_blocks__blkcnt_tst_atimtv_sec__time_ttv_nsec__syscall_slong_ttimespecst_mtimst_ctim__glibc_reservedstatfaccessat__dcc_save_stdinfflushset_signals_default__wrap_main__dcc_startinit_cookiesgetcharputchar__dcc_cleanup_before_exitsynchronize_system_call__wrap_timesynchronize_system_call_result__wrap_clock__clock_t__wrap_remove__wrap_rename__wrap_system__wrap_popen__wrap_fopen__wrap_fdopen__wrap_freopen__wrap_fileno__asan_on_error_explain_error_Unwind_Backtrace__ubsan_on_report__wrap_posix_spawn__wrap_posix_spawnpfprintfquick_clear_stackstrlenstpcpystrcpystrcatstpncpystrncpystrcmpstrncmpstrcspn_memset_shimstrspnget_cookie__dcc_cookie_read__dcc_cookie_write__dcc_cookie_seek__dcc_cookie_close__dcc_signal_handlerargcdebug_level_stringret1ret2which__int32_tn_bytes_writtentlocn_bytes_readoldpathnewpathcommandtypereport_descriptionpython_pipen_itemsitems_writtenargsgp_offsetfp_offsetoverflow_arg_areareg_save_area__va_list_tag__builtin_va_list__gnuc_va_listformatlengthdstsrcszs1reject_setrejectbyteaccept_setacceptn_bytes_actually_readwhencesignumsignum_bufferthreadid_buffermain.cKPOPHIPHOPINDIEnum_songsartistnextspotify.cinitialise_spotifyadd_playlistcreate_songadd_songfind_playlistprint_spotifyprint_songremove_songremove_playlistdelete_spotifyprint_songs_of_genregenre_to_stringmerge_playlistsprint_playlist_durationnew_spotifynew_playlistnew_songplaylist_namecurrent_songcurrentcurrent_playlistcurr_songto_deletesong_to_removeplaylist_to_removenum_foundplaylist1_nameplaylist2_nameplaylist1playlist2curr1total_duration
U
�V
T
�S
Q
��Q��P��P��U��T��U��T�P!R(5U(5U��U���U���P��S��P��P'4PVcP��U��U���T��T���P09U9SSST�U�JTP`tUt�S���U��S��P��P��P06U6H�U�PVUVh�U�PXTXh�T�pvUv��U���U��U���T�S�T�
S
�T��0���PU��U�T�S���T���S���T�$�0�.:P��U��U���T�S�T�
S
�T��0���PU��U�T�S���T���S���T�$Q$��Q�.:P��P��U���U���R�������#�#-	�-7
�7A�AK�KU
�U_�_i�is�s}�}���������������������������������������		�		b	 �2	b	S2	b	��K	S	Pp	v	Uv	v	�U��	�	U�	
V

�U�
2
V2
>
U>
H
�U��	�	T�	
S

�T�
)
S)
C
TC
H
�T��	�	Q�		
]	

�Q�
-
]-
C
QC
H
�Q��	�	R�	
\

�R�
+
\+
C
RC
H
�R��	�	X�	
_

�X�
1
_1
C
XC
H
�X��	�	Y�	
^

�Y�
/
^/
C
YC
H
�Y��	�	�
H
��	�	T�	�	S
)
S)
C
T>
C
UP
b
Ub
l
�U�P
g
Tg
l
�T�P
g
Qg
l
�Q�P
g
Rg
l
�R�P
g
Xg
l
�X�P
g
Yg
l
�Y�P
b
UP
g
TP
g
QP
g
RP
g
XP
g
Yb
g
Up
�
U�
�U�p
�
T�
�T��
SP0�U��Z���U���S��P
TT
U
%P0@T@C�T�R]T0CUCeQpvUv�Pp�TpvUv�R��U��R��U��U��P���U���P���U���T��Q��U��rp"���	rp""�


U

,
P


T


Q


U


rp"�
!
	rp""�0
:
U:
D
u�D
O
U`
g
U`
g
T`
g
Q�
U�^���U��
!T!��T��
!T!7t�7>TBO^OuS�MUM�^���U��QTQ��T��QTQgt�gnTr^�S��U��V��U�5V5D�U�D�V��T��^��T�5^5D�T�D�^�������*�*8�8F�FT�Tb�bp	�p~
�~�������
����������������0�0B�BQ�Q`�`o�o~	�~�
���������
������U�7_7&�U�&�_��T� \ &�T�&�\��Q�nSn&�Q�&�S�"^"&P&�^	P&8PGQPn�R��r1!���R��U���U���T���T���Q���Q���S��P��U���U���T���T���Q���Q���S��P��U��U�
SP &U&��U������;�	�	
H
�	�	
7
Meo�MVo�Ve���	&�/GQ�/8Qw8Gw���	| ���" �"3 #IЯU�m|`#��m����$,�������0%�N�%����803�'214P&]N��i����&,�'���'�� 6��8%08$`8#0`+r?@q�>H�.Z��g��n����xp_����m��T��o]�.��0D7��,���,5R1�Zm �{  q����04���)~�<r 3Я:�&@+N�%VhD\�-�dw +5��(�������-
��%'p/%.@B�Ufy q��Bf��'$���>M��=�� ���(q)~�/5"P1�Oat�/J{002����(�p>u��(����@2��""�&A��p#�Я0q�95-�'>-�Q�(i*~wp0,�����*~��;��PC��#Я/�(=P/D�<�M g@@*wP;+��p=l�"�
 �pA���0.�Scrt1.o__abi_tagcrtstuff.cderegister_tm_clones__do_global_dtors_auxcompleted.0__do_global_dtors_aux_fini_array_entryframe_dummy__frame_dummy_init_array_entry-__dcc_startdebug_streamto_sanitizer2_pipe.0from_sanitizer2_pipe.0init_cookiesdebug_level__dcc_signal_handlerget_cookie_memset_shim__dcc_cleanup_before_exitsynchronization_terminatedunlink_sanitizer2_executable.unlink_doneunlink_sanitizer2_executablesynchronize_system_callsynchronize_system_call_result__dcc_cookie_read__dcc_cookie_write__dcc_cookie_seek__dcc_cookie_close_explain_errortar_dataquick_clear_stackfile_cookiesmain.cspotify.c__FRAME_END___DYNAMIC__GNU_EH_FRAME_HDR_GLOBAL_OFFSET_TABLE_print_playlist_duration_Unwind_Backtracegetenv@GLIBC_2.2.5__ubsan_on_reportfree@GLIBC_2.2.5__libc_start_main@GLIBC_2.34__errno_location@GLIBC_2.2.5strcspnunlink@GLIBC_2.2.5_ITM_deregisterTMCloneTablestdout@GLIBC_2.2.5fopencookie@GLIBC_2.2.5_exit@GLIBC_2.2.5strncmpstdin@GLIBC_2.2.5__wrap_fopenfaccessat@GLIBC_2.4setenv@GLIBC_2.2.5create_songgetpid@GLIBC_2.2.5_edataabort__wrap_filenogetchar_finifprintfsetbuf@GLIBC_2.2.5__asan_on_error__wrap_systempclose@GLIBC_2.2.5snprintf@GLIBC_2.2.5fputs@GLIBC_2.2.5setlinebuf@GLIBC_2.2.5memset@GLIBC_2.2.5__wrap_posix_spawnpfgetc@GLIBC_2.2.5putcharstpcpyfputc@GLIBC_2.2.5print_songs_of_genreread@GLIBC_2.2.5putenv@GLIBC_2.2.5__data_startgenre_to_string__wrap_timesignal@GLIBC_2.2.5remove_songprint_spotify__gmon_start__stat@GLIBC_2.33strtol@GLIBC_2.2.5__dso_handle__wrap_popenstrcpy_IO_stdin_used__dcc_save_stdin_n_bytes_seenprctl@GLIBC_2.2.5fileno@GLIBC_2.2.5strcatstpncpymalloc@GLIBC_2.2.5fflush@GLIBC_2.2.5__wrap_clockprint_song__wrap_remove_endstrspnputsposix_spawnp@GLIBC_2.15__wrap_main__bss_start__dcc_save_stdin_buffer_size__dcc_error_exit__wrap_posix_spawn__dcc_save_stdin_buffer__wrap_fdopenstrncpypopen@GLIBC_2.2.5posix_spawn@GLIBC_2.15vfprintf@GLIBC_2.2.5atoi@GLIBC_2.2.5__wrap_freopenadd_playlist__environ@GLIBC_2.2.5merge_playlistsfwrite@GLIBC_2.2.5__TMC_END____wrap_renamestrlenadd_song_ITM_registerTMCloneTableremove_playlistinitialise_spotifysleep@GLIBC_2.2.5find_playlist__cxa_finalize@GLIBC_2.2.5_initdelete_spotifystrcmpstderr@GLIBC_2.2.5.symtab.strtab.shstrtab.interp.note.gnu.property.note.gnu.build-id.note.ABI-tag.gnu.hash.dynsym.dynstr.gnu.version.gnu.version_r.rela.dyn.rela.plt.init.plt.got.text.fini.rodata.eh_frame_hdr.eh_frame.init_array.fini_array.dynamic.got.plt.data.bss.comment.debug_info.debug_abbrev.debug_line.debug_str.debug_loc.debug_ranges#88 6XX$I|| [���W���o88�a���i��-q���o�
�
~~���oxx`���8�B`�  �    P�p"p"��"�"�!�hDhD	�PP���T�T$��V�V|��m�m��m�m��m�m��o�oH��o�o8 q q�>ЯЯ�)0ЯC��0&���4V��@0J�r
K��"VZ(p*@$,	�8��Ad"��@�"��"��,"��"��"��
"��"��"��"��"��"��"�
	"�"�"�"�"�%"�("�("�1"�1"�="�="�H"�I"�P"�Q"�a"�b"�e"�f"�p"�q"�t"�u("��"��"���"��"���"�� �@�"��"���"��"���"�� �@�"��"��/"����"��"����"��"��"���"��"���"�� �@�"��"���"��"���"�� �@�"��"��#"��"��"�'"�)"�*"�+1"�+"�,"��#P�"��#@�"��&P�"��&@�"��#"��,P�"��,p�"��TP�"��T@�"��L"��L�"��	"��)P�"��)@�"��P�"��@�"���@�"�"�"�#"�# �"�$@�"�$��@�"�$"�(:@�"�.��@�"�."�2*@�"��*@�"��"�� �"��"���@�"��"��"��"��"��"��"��"��"��"��"��>"��> �"��"��"����"��"��"����"��"��"��@�"��"��"�z"�z �"�{ �"�{ �"�{/"�~ �"�~0 �"�~ � �"�~"�z"�V"�W"�^/ �@�"�^/"�_@�"�c3 �@�"�c3"�d@�"�r@�"�s@�4��&�4��%4��%�"��#��"��P�"��@�"��#��"����"��P�"��p�"��P�"��@�"��
P�"��
p�"��
P�"��
p�"��
P�"��
@�"�K��@�"�K�7zXZ�ִF!t/��?�>K]��P2&�}���3���7���{xXVz��7
�*�I�,�jH/͹�Xk��b�љ��
��Q@�>s-�rg�����&��0�X2����;D�n]'�b0���i����ݱ�����i���oU��f��.�H�E�i1�\�^%fz(�,+E4Q�+���9���0��C�
�w���l)J�O���C��򩑡��y#�ۥ=i�4.������/5��p�A���[KKBV[�U�m֌n�P'���͸$a2$<�M���M��n��tTP�˙�����j�/�6�hm�XIG?�d�
3����?$�-�|E]y�r�QA���2�:B�ׁ����oEm%��*��}�8�������bD'(2�t��@�hù�Qs�p����<8X�w�]Ugf�n���N��;��6��6W
�X�WA�~�|��C�4�X��ca�?��g(U� �v%�x������2�X�dC7T+��ӥ����Q�������8��^� ؋ͼ�e�^��������s�{���s�6���[� >���$�KX�2���l�nu$�BSw���d��*����ڸ]�S]��>�*��p4��v{{��If��T{B�|U?�VICgzZ�g�>�x���AL:Q�]Fت�k��Q�\�m�_ݙ��`BU8E�
��k�X7�<�̹*��8��~eu������*��.`��[�z�3�P���.,�&��U�-\��Cߞ���.B"*��q���l44;(��c�~WD��ۭ��0H�%b���o�⍑�'l�����ІCn�5��ۮ�g���z̆��}W/���f�?}�BT5{�pw2��GK��[S�����}�լ$�;z�&2x��Њ���P�qM��:oª���j�Mt�6�nP�[2���-I㥉�ӻrk4^n�-��$mJ�Kg�©;�S
 ���������+��6M݊�T�BH�yE��D�xٯ��a��-3*�L��!�@S�r�\M��
�<G�;�R�{���@g�Ȧq��i�ANQ0z �j��܄3���Џ^wI6m��x��	�����o��ZhJ�fG����ˣ���)�˨�+��MXbG[��T�!6c;
^x����*c�/�q��z"�PP�4ML�x��!��6����Э��YQS�������)�G�(���c�{ޕ��=OG�_&��ӕ�v�=�����[�S��ӘbdP�H��aj��'Z6���A���q�$�֨x0�{��Y�_�A"�T"���C����^ �h{?�����������$gM�d
Z�&̸2�~���0��5��T���XbŚ����?j������F��Xi<�iQ�����;��dX��yw�@��2ؒV�Q��F��q����ma�H�*��˖@~��6?5�~���
C��!�)��y`�d�8����[3�Ǯ�
7��4���+|����;�z$�:7@t���iE�nH�R�����6���d%UV��[�[����y\�����3�\�7һݖIUh�d���C��>Q�t�O�}�펍�3	���P��br�	2<��ܿ�	�*��GM��m	{�!X�w�_+��o���fɱ�Br�@�d֑'24W��v8��x��,s�������]�l����󊆸먉7�1/܎�X��씹���I���I��4�c^ZN֎�O�-�r�J�����&m��ܽ�]���t��E؀1T�C�y�r�LpTS��I��XK�KO/��3$H�E�D��?�3��6�v�ҧ�l
��;�4��A��-رk���+��.��@��Լ��4�[��:Y����74?�^l�O�����}�ц��dXi$7Й9�k��AL73��*���!R'�v��鑝z>���(��ྮˈ�Fx
��[M����C��x&%�a���2���PϙVDj	X��?tR�~���Qs�<�{Zg�)�-����^C{
d�y�Q� #J��~W-�gÍ_�av}�Gf�w('w,�2j=)��\�F@�1��t���싂
CҾ_j����V�.��^���.�3��pZ�1����b��|��J�Q�n���}	����/I(`1)����Ӿ+op%=��
��7�0�gD�y,Qᇏ����{g�S]0�'a�ӿ,Z�; L�Z|T:��W�q�:���Ň���+l����-��T1��������&��$G���yIǚ!��3<�	Z��Ћ<cI=�3p��7��B}1�
µ]�O��uV�� �����^T�q��b�5b|��T/$چg�����x.�[�j"�{A"��ް%�W��(t�'F���
4?݆����J@bݯ*[��ey�@�M�M<jj��ݨ>i�XU{���ԉ�𶫺�kG�wƲ��b�R�P�� 
d�dpa��P��팖��Q��aFKH�`�-H'���bxN�9S@��qW��z�"K��yu(�19�Aj̱��5u�]��g����);TmI��L��������"�$�ij����w9/S�U���w��VQ+)����)�P��C.�b�e�IJ�|,�P\�D���uT333���T%�2�(��m��~��۰�����͜B5���;��vR)��`�w����%p��_�^C���-�H�1�T&�u�F����#M	�hn�Y����Z/���4�Zi�˛��,��:����w�S�7���4��m;������T�a��7��G+�E�H�j}��r�K)h�<x�'F�J���T�&.��ҝ����Z����.;��/Y����H4��p�	ߠ.���Vi�����[�e|=3��miv1v[f��6���c�%d�����9�v��I\�W���S�D���4.��$u���Vc��qOZ>�s����je��@�H�}��|D�����n%�a��
0��j�-찞��.G��;!�o�%MɵM2���UvA����jM�Kw�$U��;�-�C�3�3e��W�ȩ�P�.~�E�6"g=�d�"��v��<�"T �droZ�FX���3�<��G�
p:<���Ӈt�G0/�Z;�z�$��Y�{!Gм�R�
U����nR�v�rH�W�>~]2�
��A@���5P�eY�&�b���o`4�Ob�s>��f�����q���8��,�s��
���֙C|<]�u��l2�����{�T&�q���s���|(�C�8=O^=�h�&�o�jБ�&�p�c�B6�a5��Xb�C%��s#�߃;K_��I��!j\�eW�;�A
/�Q���}�c���R��/L��N�o�l��G3&�/��-j�\��k s7�O�x�O�H�~	zHu��$b�Y_�۔�#A��ZrV1슐b�aO%�HϘý����|5�=2��=,h�Y������׬�����ς�'��9������	ZjM4ahK�h�P;�o���u�أx��I�*�j�o�>rOY�͒9��E1��׸��bb�-4wal]2���[J:Մ�5������i���M@_��~{�)�@!b��:C0#9���׺�G{uif4d���@�kK�J~���-'5�G�{��/��;2���1���A�)C���L��}`���Gݴr�v��M,;�@
�5G+ ���y�˓�
Q`HL���������s�4��T�Q�ª�(���+֧�Ľf��B����ܶ$�G���,ȕO���_�L������"9�����P����d9��~����\��`��u�Ԃ`=㒟,�>⧦�>�m&�.
���ꙣ�9���$�ƣ��:��4�eZ�1ho�0]���R�9bL@ZE����38h`����3�p����
�b�yf����	|��&}Rд}�r���,�)��8��4��\7N�鞚�JL��X����NNV[$^�N�2���g�-v;��ĘtrњV�����$#�s2e=��B���������j�|����~��d�0�О">�uR�9�7�'9p��q�ċP��a��:=]�0����vF�t�GԪ{���U�W4D��	�j8���^?jOX[HR<��y�͢%+�b��"��^��+:���]xn��{�:>�Kf8��՜�Y+�/�����	ƍ(���S^�퐌�(�T)�^��j��
����=JF�.\�V�Ԅ���k��=��FР��;�'?��og�G�/[��Ww3k{2$��f�
<����~0���by����2��~q���J��5!~��3��$w	2�j�V���:�ͤ�W嚺�b�-vv�a�����T�޾�6�����͙!�ێ=y$g�������a �7��az�L�%.H�z4咉M蟁��5o[��V�9/��w�䁷��iz����o�Gپ�/�qr9����-��=�v������D'Y��i�.O���az�
�ӺlnI�:����(0~Lkp"��k��w/��W���za�=h
Ud��N���k����n�����S�יg������W�s��^j^��{���O������:�7�1+�/�6rB�!�\�C�Z*\��J�]ԙ�u�r���l%�m������o�����VYH1H������ncu�����,Y��t&�/h����Mr���������M����.��y���=���
��2D��2Z&N�pp�Q���!�}�#o�~L����G���Kc���([�i\ʕ����6��aQ�c�XH_�Z�t�����&�#��Tfn�T��6���3&��������,��Х��UV�[�����環��	g�xC�O{�3���t�T�7fi�9
=>}�?�b-m<��.8��F��z`�J1:����m�>��c��?�z`m3p!}=+�D&AU�al�����TGi�����͡�+a�	���qJ]���Xyة��ƏN���kgį��O����a+~���U�d�W��q������ш_��|�m����R�v���`揎�*��w� 5!|��s�Ca�q�?��L��3"��و�X�3Ҕ/�
���<�J�9o�֗�~�b���9屁%�����i��G�=G�Y�����
i�f�V�pP��TO�e�iE�DF�;!��.�f�]���iۄ�:03`�:�Q�u��j�����79[����V��v����>n-k��F�������������O^��k�Uc�Ch�sX�T�����Z\Jm4�
�D�3f����M)ʽ�[�	����s��H��/N��>ǒR�07�[�FU4ۺS>[�	��^�c���$��b��3\
,D��*T�HǗ�7�r�(;]{JQ�
�c�p��?%�Բ��h�}N�'�_��%�����tj�Uk��;�}$�y-ou^��$���\���<$)�U=%�B#�b*�)��Hz��)�uI��:>>��ڥ�U��K�7Z-&��a��ҹ�C�F���2q�� ���˞��1�R|�S�d0nz�ϋ��8��4�3q��7�3���sLk5��$�۸�4�)�Dɉϱ�Q�y��U�v��M���X�:!�d.�Еpt|���G��@�8O�ϔ��}~t�z����2���N�tQ�.�$!�TK��
��1���"7���Tl��QD!�uKd�Fm�ȶ��j�.��=�aE7:����l5�^����\��pu|L�`1����>��Enܿ�/����^O��~��n����#zn�!��������ш�8ު�\
O�љ� ���4��K6��s�Hf�f�[����״����Z�v�S���"t���c�Ϛ����y�1C|Y�X���Nf�֮�@I'6J����W��M�唪2/³��>?*D�jx�L�ݿ?ƘuizG����n�	���Γ�J7�����&�X��ٖ}�1�>R��!�Ӽ���#褩�A��+:�&hJ�"�'�)��:�4��bGS��h��}��tD�3oY��4��������� �Ï��&�^k���3��Bջt����7z�t���J�Z[ǰ�EQH|���� e;Ϳ���hj��^����`��%�S[����PU�T��oR���Y{�N��e�vP��Gr�b��*�8W,��k��,��'!�/]OFN��Y��hr��5Ii�7�Z����?
}�%UȎ%���e�����s(NQW�L��
u�7{��7\��V}K+毮V�)�R���� Ȁ5]��Ja߾�J�}�ϥ��� %��#��Ft���A쉔+����Ћ�E4��I����i]O�-�<ʸZS�t�֝?7����#Yx��T-i�ђ�8(^�	s
{,L���՜�W�3��a]�����?�PET6/����|ʄ��K%z�[��"*0��ɼ(D|I?&,}!�`����(0��p�:Wjf��|����-���:�@���W����&���5�U�8D�dBjwO�2��qx��
���H�C8��:�m��nT���y�6(��D��W�n�/Е(	d�P�`��'�ښ�~nC�����Q�����f�2E<�×��y��\�h�Q�U���m���>��"�Gy�‘�
���Zʠi�3�Th^ut����[U��l�~,���"_��@
]��s�V=�ʈf��g}f, t��n�8^į�r����RY��/���DR�4]$�L������g�SIG���B��/)~�G���wb�e���N�)��w%a���
�A9�6נ�6�K���"Y���$	�He�S���O��\��Vp�S������ꚦ`1�&['
�'}/�V���ܧL��䈎:3Y��Ȇ����4�N�jZO�`��@�A�ư���$%�Z�K�Ny�~��[Q��#ʢڂf��P�<������{��!M��#�����oDS�KP���f�4pѫ�p����BOD�>%ChL�
PVNHW��	�9��?���Ix.�-�+\�E��t�������~�|�s=kXT׽l��?;��A�0�yb��Q�m���/�ؽ��O2a1t��$���*�,�Fp]����Y����x����/�r�l{L;�$�^�I_�R�t�nu'��ה��Ԇ������q�-������KD���(����W�$��K�j�����˃l�v�!���%a�����X��]ӣJ~�_|F�d�+Fm�)��w׷y����{���lK<4.�w��Fb���G�*��$�_�0�q�X�6Wa��sZ�n��hݫ�/Jy1ΔpB'���}y����3���-�Y��Nf�#��K�Fy.��n�:�V=�9xY8i!$��:6�������P�y���ѿtO�b��ǖ��uɉRp6]�H�נF�[�)��ԫ,@�j�?�\-�ϥ����<�\7W�'�q��,�j� ���p��J�p�"�:r�u��bF�k)u�`'l��M"	V	#�G�OX�`�@벀�&n�2��+s���Y���bZ�90hB��dq��y���Qq����f�zH�f���PW<���yI�t9.��ձ��姇���Y����'�a%V��
idh��>�Z9�ܿ�в/�̉+�3���-;K�/O���=��1��{`�
��	ׅLة�r�[�d�k�ݣ���s����\|&q����C��!�6���)R��[�k��hTa�v���Bt��w�a�����f����`?Y�^��/x��\�W�ˮͯN����6K����l��ݩ\~F�%�RpI�27!�!����D�؎��=��'kH99t������;7F!��hT�7R(~]�N��᳾���W�B�,�~y%���e��:%K��8Zf.�4�=��Z�/������u����F��,S��,.W_�Iq�YJ��v����mK����?���AD�g�G�����v듻¹^A=0}�.k-hya{;y�[�)��%�l��)z�q�
,��@@�T��ðܷ7q�)ڒ�A���x�7�ʍK�}���U4��17����r"�@�����Ϙ�±��|h
�>�I��@?5��w�2�;W���6'ʀG2�M�5-B�G�/�������W��-����Cź`}�]�6~������J�XFL0L���
@b�NuH�X�i*7�y����]��Q
]ۭܯ\G�e�?�)덼f��Xg�>�Rw	�RR��{��j��%��_7X����a��D�Xz�|���W�����Pd���v�<���@�;�8]�V�v���sl��B�c���E��UV��IJ��tN�L(~yP�[-d��[�1�4]g�mUh�u�P�p�*a�:�L�����z�09����''!(:c�;�&i�";PW9��IU4�s�!պ�7e<��j�5������48�	�(��p�oB�r���Zh謦�mcs�#usȍ����QxRzB���J�Ql��]d%MVh�ChxԦ멎�ˀ����<�׋>,�(½"ޢBFol���<qXO�������	��x��|�e����跪3�GHih9MJ��:V���^6*GG�f�˹a
������}�#�K�&�x��|�K�hf�+�r(��e)�S#aR��YKE̴Z�<�?�Y��&�Iz,���ƭ}��S�Q,��j���;�⣠�L2):�H������E�)�wbSyE�q?���5E�X]�+���f3Z	���Ϧ�2���f*Z������W�*��H���y��9��w/��ӺTOW�jj.oޟlB>���e������a�R�C_!�Z�仰W��s��Xo���6
m��d��It��
�c�]BQz�E��K��9R��	�O0x��]��adv`��P��
�P�t��-��;��\�^�!T�l��&�jP�I�Z,��xQ����$�4�+J�������,�K�C;�V�M����?�[�A`�e�
}��o��Ʊ+�݂k���g�pO	�/:N��
w�q����*!:RC&�Xۭ�
Z^q���0�c-4�Qsr�C�k�f�A+М��S���%�%��\�y��V�+�J,�k4�����6w��Lw���,�M#U֟�hD��Rsx�X��x�����`�lRC~4F�i�'~�k�*�.�)5!�g�e���]�^b�Р��2���v+V�E�{S��Y���P�Qw����r33	�s����ѱ��'w�MV��ջ����#��W��:<9�.�6Ф��0���P�z������x���2.I2��$�s?ʹU{��4_�&~Vm��7Ы��n��-?|j��o�T�:�)��A�׋������D��]$���7����q�����֫�6�j�Һ(�/��!�0�l�2Mj�s�<`b���IP�v0a	R����FsI��e,&�;���R*[.�w���T~ej��W�B.3�q������o�P���x�nʘC1Gv�^-y��̬�Ջ��.�.�x���A�%��s>t�����W�����+���u���Ĺ�^ٹ�
"[0����C³���3��1������xi�"�K�����N~4g�>����Az��`�<������q�#��j����g_5�;�m�=P-�;��\w�:��o�҂�ΠK��r�@��C�����DiO��4d���p>j=Ei�q�d�������,�E��(Af���c��S��
�R��Fg�T
��%wm��I9��/�J�؎��@=Ԣ�kDE��;`��?��V�S���~���CgB�����!n����"��3��W�v��Aj�߽�EK|l<���d�o6�}���k�U)�`krӻ�Q�QY#?�]�ъV��b
=����k�]77E�%��DS�<�t�Pmk��N���)��0�9v/j���(m�|��0Q���9NJ앰;/:����5^A�5ETȓ1m���c�ls��Y�Un���G{�(z=~����<�ȲUpEd��h^>�3)��@�&��,�U�ϙ ���4��H;b��K+�;?P�J��XjN
ZQ��&û^y�5:��a��q����2�r����c�1��"�a�����pp����{�dz(����RP���f�D�\���$����:���-�'�]���7�������o
�X�V��y
5չg�b��f@tG��b[���0�=`ؗ!�ۂW�TtR���I����g�p�s�x�:���*���0�N�p>Öh���O���xB�!�<�@���F�*�O�c��=Lѳ�CA���t͙HF)�T�V�;����|P`Be�>��`~�:��'�D
�3 �!&�\���{3���cAT)B��`Λe�s�:$D���t�'�vm�bh��c1��P%,g��ǒB�Y"k�ю���+������a�n�	�!�L:��!�i�膋�jH'�?9mo��V��6�O��h9�'��rh������Z�.��@t�	{���f8����F���XY*Q��?�
��6b|YxS��F6���pb�Ǥ��d%�a"
�ợ:�Eg���R�й/GN�"C�t7a���(���+0Z&ct�҇��N*')47���?R ���gH�O�u��	����ϥ]=�i�>v^�,�F�Y	,��t��j��c��"
���������8�I�Y}
N����o�>��4��D�hk��Zo{"� �=)Bޤ���:	���(g�����O��u:��;�-��������H�L�;�%E�~�����O�x��L!��*gU��.�SS��4�.���� �M�������)�uC0�v�U�x�h�sۢ�5��Z˳^%m��Q�y]߻+�U DP9�Y)� ���I���w�L1�=h��}����ڲ��^���nS	�;OXT��mU���O���˸����y�{��
���4~'�_���.�{gQ�dzcU��&u�^hJ�����y��PT	�JK��0�4����S�'D��@��
�í��O3��)�k�k��t\���G�Md��G\�Fm,tαi[�$=��3�㐂�)k��
�=�e� :�2
C*�j��#��>Jͤ�ٓ��ŐP�v���P�(d�Z�6�?�3��cY�߲��B�4�(!*Q/��Jħ�t�]���+��C�2�S=��1� TG|��}��M��D���sx*��$���n_�ɨ=�TXʬ�:- 4"�	"L�y�A�a�#�1!�Y8JiH���w�eUcZ2�gW��:��B���N���:��0�s�b���(y8XA����� q�n1�aK�{�J�J9l3�Ƕ/D ��ÝB���Qct�{Gk�I���B	��!h�\��uȁ��b���o�4K����LE����w��^�#2~�j�I��d��
�a‡�Z8��R�Ɠ�j�я��0�����[m0���.�Pg�©}*i�ײ����y��$��F9f�hR��cY���*�j��s��YP�4rT�\3�)*mF�������ofi4��Ϻ���v�sip�һ�xߐ��C8ja�ެc9����ƣ�EX|b�ez	cց���|�� �k�"	'(	jm���T��(�Zo6�p����g�$�ɪ�r �/ b���/8Q�[�MD�X2��'e�

uU2��l��x�6
���V��J�~�9q��6wz�q����Z̕V�vT!��4ls[��i���M����7�\��|�_Ŝq�������b���8O���*	���'u�	��?z�j3�19	sW��I���*�'��T�ؙ�p�J��A�F�;J�7.[ME�Wl���=���F����u�V�O�<�FN���Yp�^���?��y�b]�/
����V�9�*��˥�W�I]���:�"u��K���֦�q [�?��hIJ��o�s��v"�
������8Ln"$��,�o�o�����-��E�6�̌poO���8�X�L�ǒC�ۇƫ��1ea_�_�f9?���n7�e V�QfZ��Ȩp��"��N��&��x`'5��P��KG��bA�;.
�o�ʼ-��	6��F��Vuiϊn'����g�	Eoh��.����=�e=Ŝ)�Lz�l(�ơ�bO]���y4�z��I;d����  �����NT�)���?�b�?jy9�k�K��������	~2�N���lە-
���(J6S)��^O�\[~>ɶ�c��ɯG �IR$f/�7]&e��W֬�~Q�.U����~2�<J��j�G���ӽN(��M{Y�՜�6x}��;iGzf��3�S)��ްaRw������Sf�C�,Ȃ����#� 
aE����Q2�]Іg�h��v?s�8QlC��s���.��!1w�e�<�������:��u��,>Yw��Wfz�d��4�B�η�H�1�G�A�-��i�Ul�"�r4@��6O�a�J�v��#�W��x�—�4ދ�M\��'�u��`(�g�����ⳃXsO[�9P� e��\b�]�l���Yh��ljQĞ=��[X�~!����2W�ҨA
9���a���Z����@O�{U&c1Y0_�m	��5�N��k~e3��g�6�k��k!"�� �b�ڹ<7F{��'���+&ٜ1mU�4Zq,��ӯ"�.C�c�a��¦��Qפ1B$b�o��n��S�E:'��Q0t�0� ���.�:��]�}����x񞲘�����ʗ~��w�?~DJT��z��,S��m�љ��ȼe����0 �f�4o-G}�M�Eœ���r�z6}����i(��(�¶
U����+F���`�`��Ի�@��r��!�M��)�w�݋爭�6��	JO�ش�~�읇AU�Y@����%��]	����*�I�s�&�k�fO\���ř����
���٨׏���B_����������	��q{��ۥJ[D2"ޝ7��>7}꫙�y!��g��|�
�6Œ4wTU�'ݦ�@6�eT{����`�����-�Sy��ڏ��>�®D]�ѐ��x�l+�L.쯻|8-�e�Z����}m��0R�!��M�zGݼ@p�
��N��Ðc��	Smy�3�o�|�Th;�s���M������iΆ��r�@E�`	1:���s�þ��ۤ>W;V���d�鞴 �5�����UG�D^���O]�� �/̶3k���ڍ�~'Ϲ)�@��bú����>�#�N.L.�*�>j����l����y6�d�~�
�R��D��-�t_$n�]�"�M
ü��?k �� ?S
���9��C����=D��!)�Sk
�t��.-�h+�|�	m�ϟ��V���tNwΪE� R���ct<��C���N��
rad��(�0k�z7����*��3Aa�V�%�9o�ڵ ����V��������h���c��O����^8�c�Kإ�墖��+�@b��Ӡg�ƽ-��&V�>�{�Z�k$�C3�����t�EV�~��|>�o�pi�M�ی�a�4�%}:�VW�Z����q�y�o!&]|�<@
k�l��-y>�j^s뽴�꼿H��g!R�x�L;��q����a��d�v€��r�#��ۗYF����zN���v����&�ٺ��{��A��#��|U
�l����wY�_ˀ�w�/ɵ��&T=�2��]��;u���R��J��AS��>�q'|����lV�H;�#V�n�Uί���:���I�$e������}]����2�VCU��@�g�"�m�r$o�~��HZ�,��$�u��n��t�R�?ŦL"N<�.���Us�oW:}��iR��%���3���)K�.������ڃ>�7î
u��{��vɳL�^Gc}'D�O�}��(������c����(�.�o� }��Χ����*�<�MB< �r�U����W��v�uH���R��~�)��lCn���֠���s�ܡ{��Y�?/[�]@�x*U^�f)���˵Z�3�� �q��DW����L] ��Ѽ�_d��J�h�h{}��,K`����^����o=!Z����>���Se���E�YP˃�'id6B��H&v�Y>kq��vC��ߔ����<^�j����7��p�i
����}��L�6KW�u�J��ȩ3�
M71D΁�V�eO
A�گs�ttX�~
J�
�������b�ֿ��?-�����F
r�7��Uh�CiR)V��q
�C�n����\X]}�ȝ����o`I^3��J=����Q�wi'�w�GR�����H���"�A1�{�C�����Uّ�ʡ��Z��J�VuJ@�sa�	ѱR*uF���I�s���&���~Ӷ�K��l�@�����9��D�w-�	~�i*;
۬��
�F��
m�Q�n ��$�{�J����?�C
(y��n���k��Ls��g��V'��j+�w��b%�,	�H��:H�N�=���~	P{�T!k}D7��2�؄��w��z?k�D�L�l�< Q��'o�X�w7�8�%wj�9����T��k�"5/�!"������w>(D0�G�S�9���$UZ��6ݣ��54=ٽ�y7�/���t�<�s�.
[��N,��?�T�
�O��DE���Oo�
��Ծ]�R"��Q-��]W"tngA�e���ʃ�%�i/u�|
T�^��8��:�W%J6d���y�oCXX�c��2�<��v|<����'^+C5�6eyw�jB�\"����<E���/�������8�w���oɭ��X���ۊg�?Lmh���7K�o�d��Nd���(Ԧ�핫Y�+���#Y�M�=�d~�{t�Ja�-� ��ڮz<$�g���$�*��ճp����W�P㈮����Q��*o�FgGE���:ͤ�O+�麔"?o[OP��G����iUmX��[(������m�5	������m1۞HDI[�#�����S�IWr��D��o=Q`�0
�HM�<J��>:�^��Һ����p�ҡᑗ���c���}���5d��'�i���4���q}"k0������4S"&�t
�)�i�$�E*9S�G���Fķ�����V,~�w2�]t:M�;���=�$�04��]�πx��4dg�3��a`�ﰆ�U_"n�əx���^�q<���J��G���"�%��x��f^Eef&�;"�oq�5-�6+}C(O��ǠF��9�ۢ]c'	�Ȋ!V�$A�2B�q�)N�+X���:����njJ�� S�)�X|�ɰ3�h0�]/0m"��6�Y����,�=Y��7?�Q�7|-���׵ݚ�Z s@'�]�
���<t�z�0څ�M8:�pU
���!
�����l�1*���dW��
2��e�}�y5�0����.r/�#�hj��C!���B<���XWQ�B��P�Ae��c6ȅ�P�>����?�KXY���1b�w׶�D\jw��2s.c�d�sp��^ȝR‚_l?L僁8VU�j0O�yɋk=�YBD�ZP޿]�z|ō\YF�v�猇k][�5���g��)E��?L�Ci�ln�ᓴ;�x�"�8�O��l>�)�K����Mh~ux5�P�gX4��.���aP (h�i�nTҪ7vB��h&���^xqyh�+�/F����lT�J�D����r��ˊ��ə��`Yd�ػ(4
1�@e����x�T�]�~�-��!p![�{^4���.���ۮQ|��s׆mֆl�w�7(�FPeC��9���*}��@P���N�����~��KZM��{1D�������Q�L��-W��M�id�
����"l+*:��]-��0�I����0r�v�����L-i��b��|��׫-���g�YZ"��"�Z@�"�\""��"��	"��2 �"��E �@� �2�X��������� 9 �2�h���������@9 ��2�x���������`9 �2�����������`� &�2����������� �2�����������@�L��Y�2�������������@�2������������9 o�2������������ �2������������@�2������������9��~�2������������� �2������������@�2�����������@�2�(���������@����2�8��������� �@�2�H���������`�@�2�X�����������@�2�h����������@�2�x��������� �@�2�����������`�@�2�������������>`�2�����������`� ��2����; ��2����;(2Ƹ2���@� �2�����������`� �2�������������@�2�����������m ޸2������������ �2�(����������m �2�8����������@�2�H����������m ��2�X��������� � @�2�h���������n 
�2�x���������`�@�2����������� n )�2�������������@�2�����������@n�:�2�����������@�@�2�������������@�2������������ �2����������� �>`�2������������p L�2����������p g�2����������q u�2���������� q ��2�(���������@q @i�2�8����������� �2�H����������� �2�X����������
 �2�h���������`� @��2�x����������� ��2����������� �'`�2�������������@�2�������������@�2������������@�2�����������@�@�2�������������@�2�������������@�2������������@�2����������@�@�2������������@�2�(����������� ��2�8����������� ͹2����������@�2�H��������� �@�2�X���������`�
 �2�h������������`�2�x���������@��>@N߹2������������@�2����������� � �2�����������@� �2�����������`�@�2������������� �2������������� �2������������ �2������������@�2����������@�@�2������������@�2�(�����������@�2�8����������@�2�H���������@�@�2�X����������� �2�h����������� �2�x�����������	 �2������������� �2����������
 �2������������ �2����������� � �2�����������@�	 �2�����������`�@�2������������� �2�������������@�2��������������2������������ �2������������@`�2�(���������@�@���8����������� ���H����������� ���X����������� ���h���������� ���x����������
 ������������� � �������������@� �������������`�
 ��������������� ��������������� ���������������	 �������������� �������������� ������������ �
 ������������@� ���(���������`� ���8�����������
 ���H����������� ���X���������μ�μ �μ@�μؼ�μ ؼ�μ@�μX�μ@�μp�μ@�μ��μ�μ �μ�μ �μ#�μ# �μ@�μ��μ �μ  �μ'��μ'ؼ�μ'ؼ�μ(��μ(ؼ�μ(ؼ�μ)��μ)нμ*��μ*X�μ+��μ+�μ5@�μ5p�μ6@�μ6p�μ7/��μ7?@�μ<+@�μ<+p�μ=��μ=�μ>&��μ>&�μB��μB�μC+��μC;@�μH)�μH) �μK@�μKؼ�!μK#ؼ�!μN@�μN��μU2�μU2 �μY4@�μ[7@�μ[7p�μ^*��μ^*�μa.@�μa.��μj(@�μj(p�μy0��μy%ؼ�!μy6ؼ�!μ{&��μ{&�μ{@�μ{p�μ|4��μ|D@�μ�,��μ�,�μ���μ��μ�%��μ�ؼ�!μ�+ؼ�!μ�1��μ�1�μ�*��μ�*�μ���μ��μ�8��μ�H@�μ� ��μ� �μ�+@�μ�+p�μ�&��μ�&�μ�8��μ�2�μ�2 �μ�"@�μ�ؼ�!μ�(ؼ�!μ�/�μ�/ �μ�)@�μ�)��μ��μ� �μ�@�μ���μ�&@�μ�&��μ�,@�μ�ؼ�!μ�2ؼ�!μ�<@�μ�<��μ�1@�μ�1��μ�@�μ���μ�.@�μ�.��μ�2�μ�2 �μ�7@�μ�7p�μ�*��μ�*�μ�.@�μ�.��μ�2�μ�2 �μ�7@�μ�7p�μ���μ�нμ�:��μ�R@�μ�X�μ�*��μ�*�μ�.@�μ�.��μ�%@�μ�%p�μ�'@�μ�'p�μ�@�μ�p�μ�@�μ�p�μ�-@�μ���μ��μ���μ��μ�@�μ�p�μ���μ��μ�@�μ�p�μ�)@�μ���μ���μ�"��μ�"нμ���μ�X�μ�X�μ��μX�μX�μ8X�μMX� �@� �h���������`�@� �x����������� � �������������@� ������������@� �����������@�@� ������������� � �������������.`� ������������#`� �����������`� � ������������� � ������������ � ������������ � �(�����������@� �8���������GCC: (Debian 12.2.0-14+deb12u1) 12.2.0Debian clang version 14.0.6�F���R@�	`�o|@�	�;�r~	@9~�x��r	`9���	�9��a~��	�� 	�9��
�zsS
~$/n
j�1�~3��6�7�8"�9 1�:(?�;0M�<8Z�=@f�@Ht�AP��BX��D`��Fh�~Hp�~It��Jx��M���N���O���Q���Y��[�&�\�1�]�?^�L_�4~`�ab�����/���\�����+�
��#.S���;�	�;��(�B	 9
r	@��)���-	��z	�m��	�~�	�m	�~�	�m	�~�	n	
@�	 n	%�	@n~��	-~��p�10"�	H~	�p	V	q	j		 q	J�	@q��	T	�	`���	~	���~A	��	�~����10"��7	@�����,W	
�	�~����10"��� Q��/���������@_������ (	2
<DN
V@.q�z������� ��@������������	H�~�������R�S�� i�� ��� i�� �~U� ��@! �"6�~"�؜";ظ!Z�"6�~"�Ϝ#�'W�	�~$6�~$_���$�1
��%��;��D&6
��'"=
�~'�V
�~(�$��)�*�C�Y+��+�*�[�Z+=�+`�*�x�E\+��+�,�*����+��-W�(�P��+��-V�(�׻�+q�(��E�+�+�,�*�F��+)�-W�ļ'L�¶(�˼K�+��-V,�*����+��-W�(��>�+��-V,�*�@��+��-W�(,Z�p�-_4-S?.J(�ʽE�+O�+,�*����+r�-W�(V�(�-_^-Si/0�/A[�0Q1/As�0Q1]x�/A��0Q10Tv/iѺ0Tv0U6/i޺0Tv0U;/i�0Tv0U2/i��0Tv0UH/i�0Tv0UI/i�0Tv0U8/i�0Tv0U4/i,�0Tv0U=/i9�0Tv0U:>�/�H�0T0/Ad�0Q1������/���0U��/�׻0T�0U~/A�0Q10T~/��0Uv0Q��/V�0Uv]�/AZ�0Q10Tvh_�t�����/i��0T00U=]��/���0T=]ɼ/A�0Q10T}/AT�0Q10T}Ve�Vp���������/��0T~/O��0Ts0U/A�0Q10TvV�V%�/�0�0Ts0U1p
���1w
�~��~2~��3�	X�~�0.W�l4�RmrF�2V1�
5���5�5�1��~�~1�
�~�1�`~�@��1Yz:~PE�
M���U61�f~~2�
�7�TW
���W�	�8��8�09�`:�;�����#�VD�VO�g[�/is�0U:0T1/i��0U=0T1/S��0U0<D��d��<D��3�	p~�~=��SW�+��+�,�*�˾�-S�+-�/A۾0Q10T~0Us=@�
W�-U�-T�>AJ�0Q10U�U0T�TpR�V
�?�_6�~?K`���4��R+ \�@�`p~@wa�-�F@�a�;~A�a�@�a�=�F*��R)+1a�+Ta�cS�@"b|>~�S@Gb|A~/��R0Us/n7�R0T00Us/A�R0Q1/bDT0Ts/bD,T0TsB@	�W�~$�/6�~$�0��'�7��~C�6��9�6�<)�6;T3�6;�5�69"7 �+T2/7+2;7;w2G79"7P�+�2/7+�2;7)G79"7�� +13/7+�2;7)G7*T7�
�-Pa7:�;�3�6:�;#4�6:P;�4�69"7��+�5/7+�5;7)G7:�;8�6:0;N67:�;77/n7{	0T0/�	/�	/
/]
/�
/�
/�/��%��%��%�7)�7BG=P�2W,tV��[�/ig�0T00U=]l�/�x�0T=D�-W�	r~E�ժ�z�s~<��1�
~D �-W�	{~?c�{~<�A�1�
%~~DP��W��~?����@�f
�~@�k
�~wv�/���0U:1�
�~��5F��F���G���3!
�~�P
W�H*�:�PnJ�Pn;�_�:*>�P/�>�P0Tv0U/�>Q0U*>Q<�>�Q=@TqW�/iMT0T00U6/iYT0T00U;/ieT0T00U2/iqT0T00UH/i}T0T00UI/i�T0T00U8/i�T0T00U4/i�T0T00U=>i�T0U:0T13(S���Q�W�
8�`
V�QVR/�(R0T=D-R/�=R0T91-Z~�H�W�/)
�0T00U0/��0U6= ��VJ.S._,s# k;HwI�2�?/���0T}0Q@/�E�0U�dJ���LW&
�?��
�~4��p
 4�~

 I���o�*���
-���*��-W/i��0T00U6/i��0T00U;/i�0T00U2/i�0T00UH/i�0T00UI/i$�0T00U8/i0�0T00U4/i<�0T00U=/iK�0U:0T1tc��h�/it�0T00U=]y�/���0T=d��/��0U~$��/�0Us/�F41#s:~1K�@@FQ�e� ���1m
�~�Jt"���W�
"�
5@��
9@�
:�@�|(~I,x�1Ad�/V �0U4/V*�0U5/V4�0U6/V>�0U7/VH�0U8/VR�0U9/V\�0U:/Vf�0U;/Vp�0U</Vz�0U=/V��0U>/V��0U?/V��0U@/V��0UA/V��0UB/V��0UC/V��0UD/V��0UE/V��0UF/V��0UG/V��0UH/V��0UI/V��0UJ/V�0UK/V�0UL/V�0UM/V$�0UN/V.�0UO/,A�0T0 0U�څ�/0,x�0Ust}����/i��0T00U=]��/���0T={( �(� i(��1��3~����,
��������i����~�)D ��V;
yD �
�D9J�+�S+
_,s# k;BwI�)�?/���0T|0Q@/�<�0U�dA�/� g�0U=K��_VG
Q� �Q� �
Q�4s# �W�@�V
\:I�T�_/J�0T|0Q@/�g�0U�dl�DP��Vf
"�D9J�#+�S+	_,s# k;O	wI�S�?/��0T0Q@/�f�0U�dk�/� ��0U1D��V}
0~ Q0�9J 1+�	S+�	_,s# k;�	wI��?/���0T|0Q@/�,�0U�d1�/� W�0U9D���V�
>~ �
>� �
>�9JP?+;
S+s
_,s# k;�
wI���?/���0T}0Q@/��0U�d�/� 1�0U:D���V�
N~ �N�9J�O+�
S+!_,s# k;YwI���?/�y�0T|0Q@/���0U�d��/� ��0U<L�Z �Z 5Z� �Z��\D���V�
k �k� �
k��o9J�l+�S+�_,s# k;wI���?*<$��!t	+EI$+hU$Ma$)m$/�N�0T}0Q@/���0U�d��/�%��0T/� ��0U7K`M
V#"?�8�" 5"�:@�9|&~9�7P+$+><�7+�<�7I�I1/�\0U�da/�7�!0T|0Us�D`��V�
y Qy� 5y��}9J�z+�S+�_,s# k;�wI�n�?*<$��!�	+9
I$+\
U$Ma$)m$/�.�0T}0Q@/���0U�d��/�%��0T/� ��0U5D@��V�
� S
�~ 5����9J�+
S+�
_,s# k;�
wI�M�?*<$�!�	+-I$+PU$Ma$)m$/�
�0T}0Q@/�`�0U�de�/�%��0T/� ��0U3D ��V�
� Q�� 5�� z�@I|�~@��9J@�+sS+�_,s8# k;wI�5�?/���0T0Q@/�H�0U�dM�T�/� c�0T00U6/� 3�0U60T1/� ��0T00U6/� k�0U60T1L��~ z�S
�~G|�~D��@V�
�~ z�9J��+jS+�_,s# k;wI���?9�)��3;��):;@*/���0T|0Q@/��0U�d�/� w�0U40T|����%0  $!N0��W�
�4��
� 4���
��D@�?��j�O@4�
�~*����	.*����-���/��0U~/��0Us/��=�W�-U>�0U�UO�m3�*~~P1�
7~N��W�?]R�P/��Q��W��N��V4�4s�#�U��D@���@���@���@�*�@@�2�@@�9��:@@q|�~/m�0U}/��0U~/��0Us�/��0U~/��0U/��0U|/��/�0U~/V�0U~/}�0U/��0U|/��Q��WF��D��#W^�~?����D?��
��?* G��D?v ��/E?� ���?!1
��/�.�0U10T�U0Q�T0R�Q0X�R0Y�XK ��Vq�~ �~ ���D?G!�
�� G��D ��/E ��� 1
��:p4s8# ���//�/��0T0U|/<1�0R�0Q10T|0U����������+/�/9�3��~��/5�/�/
���0�0$�0,2-:�0/I�00 X~2$_�04(g�90o�0=8��0?@��0JH��0KX��0Lh�01Yx��(�@A�@P��z����
��1�%1������%1�1�5~~�~~D�� W��~?�!���D?�!�
��?"G��D?g"��/E?�"���?�"1
��/�.�0U00T�U0Q�T0R�Q0X�R0Y�XD��V��~?�#z��?�#���4s(# ��E@8#��~Py2N���.W�r4�RsVF�2��@1W�zR�OzR�Dz~R�jzD��V��~ ���4s# �E@X$�~Py2Q�D��~W�?�$��@2%�	D`�VW��?�%��?�%��@�&&�D��5W��?'��?t'��@�'&�D��W�"�?x(�"�?�(�"�@3)&#�D��DW�.�?�)�.�?*�.�?�*�.@�*&/�D ��W�:�?t+�:�?�+�:�?U,�:@�,&;�D��_W�F~? -�F�?�-�F�DmW�N~?�-�N�?m.�N�?�.iND��V�] �]� �]�4s8# �_eF@�.�^�@H/�d�/�2{0T�D��Vl �l� �l�4s8# �neF@u/Rm�@�/�s�/�2{0T�F8L�~ ��8��J��G|�~GV�~GV�~G|�~GV�~GV�~L\�~ o�� k�~�
��Sy
j~ ~
j�T�
H��T�
VL�d �d 5d�1�
,�7��75�7	=

	 7#89Y?8:?d8;��8<8*8�UE�D8O8�$UE�i8t8�-U~�8~��8�8�0U~'	� H�� j�G|�K�#V.}: } H}� j}@�=���@y?��:9J��+�<S+F=_,s8# k;�=wI��$?:�@$@V
�:I��%�9�8�+�@�8+�@�8:0;+A�8�i$/��$0T0Q@/��$0U�d�$/��%0Q}/� �%0U8/�%0Q}0Ts�/��%0U�d�%y2i'�+(/(8	� S
�~ H�� j�LK	�~G��~b	 w	� j~	~G|G�	#~K�)	V@�: � H�� j�@rB���@�BV
�9J`�+uAS+�A_,s�# k;4BwI��*?9�:��+D�:+�E�:9�:��+F;+�G;;H;*�:�+��+�;I�::@	;~I';:�	;;J4;*�:
.t:
.t;�K�:/��*0T0Q@/��*0U�d+/^+0Qs0�0Ts �*>�+/�>�+0T~0U}/�>�+0U}*>,/�>�-0T/�>�-0U~�>�-*>./�>;.0T}0U~/�>L.0U~*>_./� N00Ts��0U>y2S0/�?�00Q0 0T��/�?�10Q0 0T~K�NW��~:�@I^|�~: 
@^;�~/�?sP0Q��0T0 �?3W��?mV]	��?�V��~@�W�~K�D\W�y~?�W]	y�@IkW�P IP� w	P�@XXR~@�X"S~:�@&Z�	V~@~[;W~:�@d\VZ~9JDZ+]VD:P@s]V[~9JD�[+^VD/�?kN0Q��0T ;qVx�?�S���?,T��~?�T��~4w # U��D4w #����F:�
@�T|�~:@@�U|�~/�+=0U~/�+*=0U}/�+A=0Uw�/�+V=0Us/�+|=0Uw�/�+�=0U/�+
>0U}/�+>0Us/)>/�+�>0U}/�+�>0Uw�/�+?0Us/�+�?0Us/�?K�2�VS�~ �?L���F ��~@�N���@�N_
��F9J
�+NS+�M_,s8# k;hNwI�,4?/��30T|0Q@/�?40U�dD4/�B�40Qs�0U|/�BN50Qs�0U|/� �50T0U;y2�51�	S�~�~�	� S
�~Kp6�Ve�~ �@�P���@�R_
�~9JP
�+�OS+P_,s8# k;TPwI�z7?I�B(8�/�:70T|0Q@/��70U�d�79D�7�?8/� �80U20T����%0  $!y2�83�	
�~V�	�~"�	�~1�	W~��1�
�Du
�s
���yD�� ������D�D�D�1WP+T~-`~.gE/�#E0Eq~�4E9EDE�&XP��E�� ��E!��E"�Y��E#Y�~$Y�#E%��E��E�W���E�
��~�E{
4Ft ZFbF�[T @�*@�4�F���������>�F�
F��
?������
�\��>���2UCO�
����oUCV�	~�pJ
�x�J	���x	o�	�~ d	��"h	��$p
��d���+�'	o�)	�*+d	��-h	�~/�	��1����3�W�:O�
����o�W�V�
J�x�JpX�V	�xo
	�pJJ�h�d@^oV$�	�xo$
	�t�$*	�h�$
	�d�$��X�%��a�V'0	�x�0
	�po0
	�l�0*	�`�0
	�\�0�	�PJ0J�H�1��@2d���<�`g�V0Gd	�p�G
	�hJGJ�`Hd`i�V>T	�xJTJ�pUd
 j/�h�[�`l4VL�	�x+���o	VWg	�xJgJ	�p�g
	�hog
�`hd�X%j�
q��P/z�
u��@/���x,
Vc�	�xJ�J	�p��
�h�d�`����P�d
�y�X>��
�{�H/�d
�B�@/�d���Vs�	�xJ�J�p�d
���h����XH�d
@���`9��ЅpV��	�xJ�J	�t��*�h�d�d[̼
��`�X���@�fV�
�t�*��V��	�xJ�J	�pe�
	�ht�
�`��d�X��d�P���
���V��|��OJ�dixo��� d��"h�d$p��d��x�+�'o�)�*+d��-h��/���1��%4I?:;$>4I:;I!I7$>I:;	4I:;
:;
I:;8I
:;
I:;8<:;!I7!I7.@�B:;'4:;I��14I:;&II:;(I:;'I.:;'  :;I!.:;' ":;I#.@�B:;'I?$:;I%4:;I&4:;I'4:;I(1XYW)41*1XYW+1,41-1.1/��10���B1.:;'I<?2.:;'I<?3.:;'I<?44:;I57I6&7.@�B:;81UXYW91UXYW:U;41<��1�B=.@�B1>��1�B?:;I@4:;IA4I4B.@�B:;'IC1UXYWD.@�B:;'I?E4
:;IF.:;' GH.@�B:;'?�I1XYWJ.:;'I<?K.@�B:;'IL.:;'I M1N.@�B:;'?O.:;'? PQ.@�B:;'I?R:;IS.:;'I? T.:;'<?UI'V.:;'I? W:;X:;Y
I:;8ZI[\!I7%I:;($>.@:;'I?4:;II:;	
I:;8
I!I7$>%I:;($>.@:;'I?4:;I.@:;'?	:;I
.@:;'I?:;I
.@:;'?I:;
I:;8I!I7$>�29�
/usr/include/x86_64-linux-gnu/bits/usr/include/x86_64-linux-gnu/sys/usr/include/x86_64-linux-gnu/bits/types/usr/lib/llvm-14/lib/clang/14.0.6/include/usr/include<stdin>types.htypes.hstruct_FILE.hstddef.hFILE.hstdint-uintn.hctype.hsignal.hstdlib.hunistd.hstat.hstdio.hwait.hunistd_ext.hstdint-intn.hprctl.hstruct_stat.hstruct_timespec.hcookie_io_functions_t.htime_t.hclock_t.hspawn.h__sigset_t.hsigset_t.hstruct_sched_param.h-stdarg.h	�� 
�<	�</��ft�}t
�XYz��}<=���������xX<u<�~.�<�v<��u�.j!�.k�~�!�XY.�~f�t�	��v</Xj)u
�	XYz��v<Xg.�~.�J�~�
�1g
�	tYz�
A<Yz<�v<ffYf#Yf%�f�<�
�=�
�	�Yz��v<fYfZ��	�
�}�
!\`
�X��t

�Yz���wJ
!
�f�
!	�f�
u
��|X�f<1�|��.
<�<1���|.�.���
�
 �
/�Y�uX�.Yf]
tZ���vf1te<XL<�|�
�
X�y�
"��</�v�~f
$��~X
��{�����f�<0�{J�<
J0�{t�J
Jf.t0�)X�{f���{�<k����
s���������		�
��v�
�	1
X����t�
�
tV/PX<���~��|�
�~��{�����f�<0J
X0t
Xf.t0�)X1��	���y����y�<�~��f
��{���
��4X�X�{<�J"=f��A.t0��X�{����{��.
v���"L�{��X�{��X�f
�~��{��X��f�<0J
J0t
Jf.t0�)X2��	���y����y��<�~���J
�}��{�����f�<0J
X0t
Xf.t0�)X3��	���y����y�<�~���f
�}��{�����f�<0J
X0t
Xf.t0�)X3��	 ��y����y�<�}����
�}��{�����f�<0J
X0t
Xf.t0�)X3��	���y����y�<�}���f
�}��{�����f�<0J
X0t
Xf.t0�)X�{��J
m�5����y����y�<�}����
�}��{�����f�<0J
X0t
Xf.t0�)X�{��J
_�5��%��x����x�<�}����
�}��{�����f�<0J
X0t
Xf.t0�)X�{��<
R�5��2��x����x�<�}����
�}��{�����f�<0J
J0t
Jf.t0��{X�J��X%��f%ftf%�tf%�tf%�tf%�tf%�tf%�tf%�tf%�tf%�tf%�tf%�tf%�tf%�tf�x�%�ftl�x�	�<#��xX����%�t�xf��%�t�xf��%�t�xf��%�t�xf��%�t�xf��%�t�xf��%�t�xf��%�t�xf��%�t�xf��%�t�xf��%�t�xf��%�t�xf��%�t�xf��%�t�xf<��
JY<�xf<�<�f0<@�xf�J�	��*�x����x�	�<�x����x��Jo�<F�xX�XXh�x �J�	=��xX���x�%�f<	 ��}X��4�
�|��{�����f�<0J
X0t
Xf.t0��{X�J%���f�xf%�ftf�x�%�ftf�x�%�ftf�x�%�ftf�x�%�ftf�x�%�ftf�x�%�ftf�x�%�ftf�x�%�ftf�x�%�ftf�x�%�ftf�x�%�ftf�x�%�ftf�x�%�ftf�x�%�ft�xf�6���x�%��t�xf���x�%��t�xf���x�%��t�xf���x�%��t�xf���x�%��t�xf���x�%��t�xf���x�%��t�xf���x�%��t�xf���x�%��t�xf���x�%��t�xf���x�%��t�xf���x�%��t�xf���x�%��t�xf���x�%��t�xf��	/t�x.�J3�	<��x����x��Jl��x'�X�x�%���| ��


�	���v.�	�
� ��vt	�	XG�	J���t�
�	X!���~���
��
"	]�4	^��~�\`
�X�&
#�

�
���vX�	�=X�vJ�	J=X�vJ�	�=X�vf�	tgX�vf�	fuX�vt�	t�v<�	J�vf�	��
"Z�v��	J-Z�v��	J�v�	t;Z�v�F�	J�v F�	t.��v�E�	J�v E�	t.Y�v��	J�v�	t;	[�	���v�	�	<X	�	��	��g�gFtEKE�v �	JK�vX�	J��vX�	X�vX�	X�vX�	JZ	���v��	X	 �	��	��d��Y��J
��
�[�
�	t�tf�J<.�tJ>�X�tt	�J�t '�<�t.�J2X�t�:�<E�	�<�tf��J
K�t��X!.$f�t��X7�
/�tf9�X
��t.�J�tt���tJ��w�t���t+�t�tJ	�J�t��J$`	p��2��t.��E��t.	��<�tf�J�
:
��.
�
 �t ���t<
���Z�t����tt�<�~.

u"<���
�
 �t ��=
��Z�s����sf�<(4	
��I�	J�s��.	��	
0.�
f�f�s �J�s<�J	����s.
����s���K	�
�&	
�<�
ff�s �J�sJ�J	���
.��s.�XK	�
�4	
� g�sf	����s 	�f<�
fJ��s �J�s<�J	����sX
����sX�.K	z ��
��
�<�sf��.<g
f�f�s �J�sJ�J�J��
.f�s.�XZ
��
<
�<�sf�).<g
f<��s �J�s<�J�t���s�
� ��s<�fL�
��
	
0
Xf� </g�sf	� ����s �<�st	�X �J.	�  	���
�<�sf��Xf � <gg�sf���t� ��=�s�
�.!�<@
! z � ��
�,�s�	�� �!���sf	���!��s��f�s.	���*f�fXg�sf	��*���s%�<�sJ���s���;�s&�f	w+�!�	�*���~.
YXJX��<
�,�s�	�� �!���sf	���!��s��f�s.	���)f�fXg�sf	��)���s%�<�sJ���s���;�s&�f	w+�!�	�)���t.	
���}��XJu�}��JJ%�
t�u��f�p�	�t"Xt�}��f	�"Xt�}��f	�"Xt�p��
X"h�<
�u.�
��rf6�
X�<�rf�
<f�rf�
�#�K�r�
�
��g<+g	*tg5�W5�/P
�r�
�
�+0L5)K5(/E�r.+�
X�r 5�
X�r��
X�r��
X5(�r �
X5(�r �
X�r+�
X�r+�X	�"Xt�}<0n�<�rf
�
X�g<%g	*tg/�P/�#P
�r�
�
�%0L/(K/(#E�r.%�
X�r /�
X�r��
X�r��
X/(�r �
X/(�r �
X�r+�
X�r+�
X��t�
����	��.	�
1�
Y<�X"Y
��~��
1��gc/7�r �
f�r��
��r*�
.�r��
t�rf"�<JJ�}J"�X�}J�r��
X�r��
X�s�w��	�t�����	��	�
��"��
��%��/��/�d�
�+��5��5�	���}f

u"<��w�
�Xj��}f�J�}f�t�f�}��t�f�}��t�f�}��t�f�}��t�f�}��t�f�}��t�f�}��t�f�}��t�f�}��t�f�}��t�f�}��t�f�}��t�f�}��t�f�}��t��ft0��~X�}<�J�}��7�}��t��}f���}��t��}f���}��t��}f���}��t��}f���}��t��}f���}��t��}f���}��t��}f���}��t��}f���}��t��}f���}��t��}f���}��t��}f���}��t��}f���}��t��}f���}��t��}f���}��t��}f�J��}��J.�}t�J�}<��1=�}�;��	�TF��}��J".��}��J�}<���}J�J	1�D2J�}��J�u�}f1�X�}f�X�}f�X-;;X"Ff��t	
���X�{�����f�<0J
J0t
<f.t0��{X�J�{���t#f&.	J#f&@#b&N���<.#���<�.t0��{X#�J,<�zf#�J,t3�;J#efT<#efTJ�zX	�<�z�L�)>�AJ<#�J<LKJ��p�L�<�p�J���p��$�zX�J�z����z��t#a���	���#��z����z�&���z�#�J&N�zJ�J,)�z�#��,t�zJ��T��z�#�JTJ�zJ�J#m)�z�	�XL�
�J�L��t��X
�~��{J����f�<0J
J0�{t�J
<f.t0��{X�J)��H�zX�J)�L	�XXf��f�pX�t.�pf*����*t..�i<yt�.*K�p�����qf�. p�JJg�.*�A<<l�l�q��<��q.�< tL���qf�<�q;�<�N*f��t.�jYJ�t�pX�t.�p.*�f�p��t�*t..�1<yt�.*K�p<�ftu��q� ��JJ
� /
.�q.�J�q+ �<�q �X�q.��qf�<�q� �f�q��<�q *���q���q �.��wf��zX�J�z����z��J�z��J)u���!�=�q��<��q��<2Ft
�,�:f��q���)���z,�X)�L�> �
��v��	�!^�q��X�q��X�qX:�X�q�.#
��~(�{����f�<0J
X0�{t�J
Jf.t0��{X�J��#;Nf
�Jg�z��J�zf���~J#���z��J<
�J�z.�<�z��J�zX�t�Y�z����z��J#n��z��J��z��J�z�#���~��{�#�J�
�~��{�J��f�<0J
X0t
Xf.t0�)X���zX�J�z,�Jf�zX�<�z��J	�#<.��r.�
<�rX
�t�L
��
%�
w1�<��zX�J�z����z��<v��~t���z����z��J��z��J�z�
���z��<�zX�tL�z�<�zX�t
Y�z��<�zX�tJ�z��t
��z �<
w�zt�<�~'�
�
��!�F�tYI<tuG<tY<�<�z�zf}y�pf�XTxfw�pf�<Vvf�!�<��vf�s��p �X�pX�X�pX�X�pX�X�pX�X�}y�p��XTxtw�p��X�p �X�pX�X ��
�.�pf�f39;JfSf>J�><X�X/��p�#�<4�<f�f��pZ�X�p+��<ttg�p?��J/��0�p��Jh�>XX�pJ� nX�pJ>���p���><�pf�J�pf��p���%�pJ�<$�p �X�p �X�p<�X�pt���%
P'#�,./.7$Je@�<f&b�q���;��<f#Q,.�2./U#�<0f"�q��*�q��2�q.�./��q.�+/.�0��q��t�q����/X�0�~��~V�
$�q.���qf�;M%t�qf&��%*�~5&��%#�~@��</�Pgw�!/5�q�+�qX�X�qX/�X�q��X�qX&�X%(�~+&�X%��~/��<3�Ok�<�q��Jg�q<���q�3��/�q<��3p��q��X�qX�Xx�&�rt��~����/�3�0�
0V��p�Jt���p��<�p����p����p��<�p��<L���p��X�pX�X���
�tY.�p.*��t�*t..�1<ytu.*K�p��.��q.�.:���q��.�qX��
D ?�
��..Yf]5t�f�Yf�y�.�|���!

f	.<�wf�t��"���
�}tg�;<JJ�w��J�<1[0<����<
"����������
�-�
.spotify.hmain.c	U
��X2MJ �J!�JM�JS%JV%JN"J:%JB%J;%JE%J>%J%J[J/J0JZJ�J0JZJZ�0�
.spotify.hspotify.c	�W	
�#��K�t�Jt�Jt�Jt�JtJtXJuJ�
0%��K�m�Jm�J X�mX�Y�l�Jl�J�l�Jl�JlJtl�JlXJg�k�Jk�J�k�Jk�JkJkXJu�j�Jj�J�j�Jj�JjJjXJ	w�g�Jg�Jg�Jg�JgJgXJ	Jg	��f�Jf�Jf�Jf�JfJfX�	�\#�a�ta�ta�ta�tataXt��a�ta�t�a�ta�tataX�=��`� t`� t`� t`� t` t`X ��"
���L�Y�'JY�'JX�YX'�Y�X�(JX�(J�X�XX(�Yf�W�)JW�)J�W�)JW�)JWJ)tW�)JWX)t/f�V�*JV�*J�V�*tV�*tVt*�V�*tVX*�/�U�+tU�+t�U�+tU�+tU+tUX+tvJ�
")�/J6<>J<XK/�>J!JX	M�K�5JK�5JK$5JK�5JK5JKX5J	Jg	��J�6JJ�6J�J�6JJ�6JJ6JJX6�%=/�I�7J5�?�I�7tI�	7�K\!�+�D�<tD�<tD'<tD�<tD<tDX<t<K�C�=tC�=tC*=tC�=tC=tCX=tJg&�B�>tB�>tB*>tB�>tB>tBX>t<I]�����t���t����t���t��t�X��!=+����t1�;����t����L�
� �)����J���J���J���J��J�X�J<LXg����J��
�J#X
��X��2X
<g
J�����J���J�$�J���J��J�X�J<F_��
�)�2����J���J���J���J��J�X�J<L�X"g4����J��	�J�%�7����J���J�$�J���J��J�X�J<K	Xg
JY*����J���J�'�J���J��J�X�J<	H].����J���J�$�J���J��J�X�J<wJ
X��
���~��J���~��J�~��J�"��~��J�~��J�~$�J�~��J�~J�t�~��J�~X�J.���~��J�~��J�~'�J�~��J�~J�t�~��J�~X�JX�~<�<�~J�<���~��J�~��J�~'�J�~��J�~J�t�~��J�~X�JX�~<�<�~J�����~J
g/�>J!JXL�(����J���J�$�J���J��J�X�J<JX%f0����J���J6X��X��<X	<g"�JK&����J���J�'�J���J��J�X�J	t����J���J����t���t��t�X��)=4����t:�D����t��	���	JX�!f,��~��t�~��t�~*�t�~��t�~�t�~X1�t�~��f���~��t�~��t�~*�t�~��t�~�t�~X�t%��~��t�~�
�t+X
��~X��1X
<g&�1��~��t�~��t�~*�t�~��t�~�t�~X�t<K*��~��t�~��t�~*�t�~��t�~�t�~X�t
���~��t�~��t��~��t�~��t�~�t�~X��-=8��~��t>�H��~��t�~�
���
J ��~��t�~��t�~*�t�~��t�~�t�~X�t<xJ�~X�t
//�>J!JXL!�+��~��J�~��J�~$�J�~��J�~�J�~X�J<LXg"�JK&��~��J�~��J�~'�J�~��J�~�J�~X�J<K�-�8��~��J�~�	��U^)�2��~��t�~��t�~��t�~��t�~�t�~X�t<K"��~��t�~�	�t(X	��~X��7X	<g&�/��~��t�~��t�~��t�~��t�~�t�~X�t<K)��~��t�~��t�~'�t�~��t�~�t�~X�t	���~��t�~��t�~��t�~��t�~�t�~X��=	J[X��~��t�~��t�~'�t�~��t�~�t�~X"�tJg&��~��t�~��t�~'�t�~��t�~�t�~X�t,��~��t�~�
�t2X
��~X��AX
<g*�<��~��t�~��t�~'�t�~��t�~�t�~X�t<&K1��~��t�~��t�~'�t�~��t�~�t�~X�t
���~��t�~��t$��~��t�~��t�~�t�~X��2=
J�
J.��~��t�~��t�~'�t�~��t�~�t�~X�t<xJX?
�)�2��~��J�~��J�~��J�~��J�~�J�~X�J<LXg%�7��~��J�~��J�~$�J�~��J�~�J�~X�J<L	Xg+�JK*��~��J�~��J�~'�J�~��J�~�J�~X�J<K
J	U^0�JK.��~��J�~��J�~$�J�~��J�~�J�~X�J<K	JuX
XJY$
!)�2��~��J�~��J�~��J�~��J�~�J�~X�J<>L.<�	��Xg%�7��~��J�~��J�~$�J�~��J�~�J�~X�J<L	Xg��~��J�~��J�~$�J�~��J�~J�t�~��J�~X�J%.<,g:��~��J@�R��~��J�~�����~t�<�~J�<>*��~��J�~��J�~'�J�~��J�~�J�~X�J<	E`.��~��t�~��t�~'�t�~��t�~�t�~X�t<uJX	JRgB<	��&�
u	Jg�J	g�J	g��R�
g0�@J"JXK0�@J"JXL�%��~��J�~��J�~$�J�~��J�~�J�~X�J<L	Xg'��~��J�~��J�~$�J�~��J�~�J�~X�J	t��~��J�~��J��~��J�~��J�~�J�~X��	=��~��J�~��J��~��J�~��J�~�J�~X�Ju"�-��~��t�~�	���[X��~��t�~��t�~*�t�~��t�~�t�~X�tJg��~��t�~��t�~*�t�~��t�~�t�~X�t<I\��~��t�~��t�~'�t�~��t�~�t�~X�t���~��t�~��t��~��t�~��t�~�t�~X��=��~��t�~��t��~��t�~��t�~�t�~X�tu�)��~��t�~�����)
�8f�}<�<�}J�<>�Mf�}<�<�}J�f��Debian clang version 14.0.6-/import/kamen/1/z3548950/public_html/week_9/spotify__dcc_save_stdin_buffer_sizeunsigned int__dcc_save_stdin_n_bytes_seento_sanitizer2_pipe__ARRAY_SIZE_TYPE__from_sanitizer2_pipesanitizer2_pid__pid_tfile_cookies_IO_read_ptr_IO_read_end_IO_read_base_IO_write_base_IO_write_ptr_IO_write_end_IO_buf_base_IO_buf_end_IO_save_base_IO_backup_base_IO_save_end_markers_IO_marker_chain_flags2_old_offset__off_t_cur_columnunsigned short_vtable_offset_shortbuf_lock_IO_lock_t__off64_t_IO_codecvt_IO_wide_data_freeres_list_freeres_buf__pad5unsigned long_unused2_IO_FILEcookie_stream__dcc_save_stdin_bufferdebug_stream__uint64_texpected_stdoutunsigned charignore_caseignore_empty_linesignore_trailing_white_spacemax_stdout_bytesignore_characterssynchronization_terminatedn_actual_linen_actual_bytes_seenn_actual_lines_seenn_expected_bytes_seendebug_levelsanitizer2_killedtar_dataunlink_donerun_tar_filesc_abortsc_clocksc_closesc_fdopensc_filenosc_fopensc_freopensc_popensc_readsc_removesc_renamesc_seeksc_systemsc_timesc_writewhich_system_call_ISupper_ISlower_ISalpha_ISdigit_ISxdigit_ISspace_ISprint_ISgraph_ISblank_IScntrl_ISpunct_ISalnum__sighandler_t__dcc_startdebug_level_stringsetenvdsetenvd_int__dcc_main_sanitizer2argcsanitizer2_executable_pathname__dcc_main_sanitizer1getenvsetenvgetpidsignalrealpathmkstempchmod__mode_t__ssize_tforkkillfgetcfputcfputs__dcc_check_output_exitdisconnect_sanitizerswait_for_sanitizer2_to_terminatefflushwaitunlinksynchronization_failedsleepset_signals_defaultputenvdputenvgettidsynchronize_system_callwhich__int64_t__int32_tn_bytes_readfopen_helperf1cookie_stream_to_fd__dcc_error_exitprctlpclosestatst_dev__dev_tst_ino__ino_tst_nlink__nlink_tst_modest_uid__uid_tst_gid__gid_t__pad0st_rdevst_sizest_blksize__blksize_tst_blocks__blkcnt_tst_atimtv_sec__time_ttv_nsec__syscall_slong_ttimespecst_mtimst_ctim__glibc_reservedfaccessatinit_cookiesinit_check_outputmax_stdout_bytes_stringcompare_only_chrsignore_chrs__resgetenv_booleandefault_valueatoi__nptrsetbufsetlinebufopen_cookiefopencookiecookie_read_function_tcookie_write_function_tcookie_seek_function_tcookie_close_function_t_IO_cookie_io_functions_t__dcc_save_stdin__dcc_check_outputget_next_expected_line__dcc_compare_outputactualexpected_bytes_in_lineactual_bytelseek__dcc_check_closefclosetolower__cexecvp__wrap_maingetcharputchar__dcc_cleanup_before_exitunlink_sanitizer2_executable__dcc_signal_handler__wrap_timesynchronize_system_call_result__wrap_clock__clock_t__wrap_remove__wrap_rename__wrap_system__wrap_popen__wrap_fopen__wrap_fdopen__wrap_freopen__wrap_fileno__asan_on_error_explain_error_Unwind_Backtrace__asan_default_options__ubsan_on_report__ubsan_default_options__wrap_posix_spawn_dcc_posix_spawn_helper__wrap_posix_spawnpfprintfquick_clear_stackstrlenstpcpystrcpystrcatstpncpystrncpystrcmpstrncmpstrcspn_memset_shimstrspn__dcc_run_sanitizer1get_cookie__dcc_cookie_read__dcc_cookie_write__dcc_cookie_seek__dcc_cookie_close__dcc_compare_output_errorrstrip_lineis_empty_line__dcc_compare_lineget_next_expected_line1__dcc_check_all_output_seen_at_exitstop_sanitizer2launch_valgrinddisable_check_outputenvpmypathsanitizer2_executable_fdn_bytes_writtenret1ret2signum_bufferthreadid_buffersignumtlocreturn_valueoldpathnewpathtypethread_envreport_descriptionthread_idpython_pipen_itemsitems_writtenOutIssueKindOutMessageOutFilenameOutLineOutColOutMemoryAddrfile_actions__allocated__used__actions__spawn_action__padposix_spawn_file_actions_tattrp__flags__pgrp__sd__val__sigset_t__ss__spsched_prioritysched_param__policyposix_spawnattr_tis_posix_spawnargsgp_offsetfp_offsetoverflow_arg_areareg_save_area__va_list_tag__builtin_va_list__gnuc_va_listformatlengthdstsrcszs1reject_setrejectaccept_setacceptwhenceline_bufferreasonactual_columnexpected_columnlast_byte_indexn_actual_bytes_correctn_expected_bytes_correctexpected_byteexpectedfd_buffervalgrind_error_pipevalgrind_error_fdvalgrind_commandvalgrind_command_lenvalgrind_argv__vla_expr0main.cKPOPHIPHOPINDIEnum_songsartistnextspotify.cinitialise_spotifyadd_playlistcreate_songadd_songfind_playlistprint_spotifyprint_songremove_songremove_playlistdelete_spotifyprint_songs_of_genregenre_to_stringmerge_playlistsprint_playlist_durationnew_spotifynew_playlistnew_songplaylist_namecurrent_songcurrentcurrent_playlistcurr_songto_deletesong_to_removeplaylist_to_removenum_foundplaylist1_nameplaylist2_nameplaylist1playlist2curr1total_durationU{_{}�U�}'_ T sSs}�T�}'S Q '�Q�:KUAKTRcUYcTh�P��R��U��UGTU���ժ�z���P�%V��U���ժ�z��P1P16R=JU=JU���ժ���������V�U�U7DU7DU��P��R��U��U��U��S���U���T��R���T���W��^8U8=�U�@fUf��U���U���U�Gf�ժ�z�f�P��V��V���ժ�z���Pq��ժ�z���P��P���ժ�z�ry�ժ�������y�P��P���ժ�z���p���U��	S�	
�U��
?=���=��
?0���0��
�
�ժ�z��
�
p�
:
�ժժժժ�:
W
P&�ժժժժ��e1���1��e0���0���ժ�z�
p��/9���9��/0���0����ժ�z���p�\:�z�:�\0�z�0����ժ�z���p�(�<�@a<�(�0�@a0�Vi�ժ�z�iqp���7�+L7���0�+L0�+>�ժ�z�>Fp���P��_��5�,5���0�,0��ժ�z�&p���P��_�d3��
3��d0��
0����ժ�z��p�ozPo}_�J6���6��#�#6��J0���0��#�#0����ժ�z���p�iz�z�������������/�/L�Li�i�	���
���������
���:�:D�}�������4�4f�f���������. �. ` 	�` � 
�� � �� � �� "!
�"!O!�~#�#��!�!P�!�!^x"�"P�"#^l$%4�l'�'4�, ,4�l$%0�l'�'0�, ,0��$�$�ժ�z��$�$p�%"%�"%L%�L%o%�o%�%��%�%��%�%��%�%��%&�&A&�A&d&	�d&�&
��&�&��&�&��&�&
��&'�'6'��'�'��'	(�	(K(�K(�(��(�(��()�)S)�S)�)��)�)	��)*
�*[*�[*�*��*�*
��*+��+,�E+N+\X,Z,_d,�,_d,s,�ժ�z�s,�,w��,�,R--�--�-$-�$-.-�.-8-�8-B-	�B-L-
�L-V-�V-`-�`-j-
�j-t-�t-~-�~-�-��-�-��-�-��-�-��-�-��-�-��-�-��-�-��-�-��-�-��-�-��-�-��-.�.
.�
..�..�.�. �G.�.��G.`.�ժժժժ�`.h.P�.�.U�.�.�U��0�0s�0�0�01R�4�4�0�0s�0�0t�0*1s*101u0131s31I1R-3M3sM3S3uS3X3s�4�4s�0�0q�0e1s(e1k1pk1u1s(u1�1R-3}3s(}3�3p�3�3s(�4�4s(0�0�ժ��������0�0r�0�1s�1�1u�1�1R�23�ժ�������33u-3�3s�4�4�ժ��������4�4sF0�0�ժ��������0�0x�0�1s��1�1u�12R�23�ժ�������33s�3-3u-3�3s��4�4�ժ��������4�4s��0�0p�0/2s�/252u52?2s�?2U2R3�3s��3�3u�3�3s��4�4s�U2]2�]2r2�r2�2��2�2��2�2��2�2��2�2��34�4,4�,4F4�F4m4�m4�4��4�4��4�4U�45T55�U��4�4T�45Q55�T��4�4Q�45R55�Q��4�4R�45X55�R��4�4X�45P55�X��4�4Y�45�Y��5�7�Q��7�8�Q��8�8U�8�8T�89�U��8�8T�8�8Q�89�T��8�8Q�8�8R�89�Q��8�8R�8�8X�89�R��8�8X�8�8P�89�X��8�8Y�89�Y�&:9:�ժ�z�9:~:]�:�:]�:�:P&:*:s*:6:U6:~:s�:�:s&:.:s .:6:T6:~:s �:�:s <<<�ժ�z�<<�<\�<�<\�<�<P�<�<�ժ�z��<�<U�<E=_E=F=�U�F=N=_�<�<0��<=S==P=?=SF=N=SP=o=Uo=u=]u=�>�U�P=h=Th=u=\u=�=V�=�=V�=>VU>{>V|>�>V[=a=Uu=�=^�=�=^�=x>^x>|>P|>�>^�>�>^�>�>U�>�?^�?�?P�?�?^�>�>T�>�>S ?A?SP?c?S�?�?S�?�?S�>�>U�>
?V(?A?VP?�?V�?�?V�?�?V�?@U@�A�U��?@T@�@_�@�@_�@A_dA�A_�A�A_�?�?U@2@^8@�@^�@�@^�@�A^�A�A^�A�A^�A�AU�A�A\�AC�U��A�AT�ABS>BdBSpB�BS�B�BS�B�BS�BCS�A�AQ�A�B_�BC_�A�AU�A(B\FBdB\pB�B\�B�B\�BC\C4CU4CDCPDC�D�U�C;CT;CrCS�C�CS�C�CSID^DSmDDS�D�DSCDCQDC^D_mD�D_CCUDC�C^�C�C^�C^D^mDD^�D�D^�D�DU�DEV"ErEV�E�EV�E�EV�D�DT�D�D_�D&E^0E�E^�E�E^F&FU&F|FV�F�FV�FGV1GmGVF&FT&FGS1GmGSF&FQ&FG]1GmG]IH�H^�HoI^�J
K^�I�Iss"�IL�L^�LoM^�N
O^�M�Mss"�0OdOUdO~OS~O�Ow�O�OS�O$[w$[a[Sa[�]w�]�]U�]^�U�^
^S
^a^wa^y^Sy^_w0OfOTfO�O_�O�Ow �OVQ_VQ\[w \[o[To[%]w %]z]_z]�]w �]^T^
^_
^�^w �^�^_�^_w �O�O�%]:]��O�OU�O�OP�O;P�:]O]�PPUAP�P�O]d]�HPMPUVQ�S\�S�U\�]�]\�^_\Q#Qv�#Q'Q	v"�2QSQv��^�^v��QeR�ժ�z�eRkRS�S
T�ժ�z��T�T�ժ�z�2UbU�ժ�z��]�]�ժ�z��^�^�ժ�z��RUS�ժ�z�US[SS"TJT�ժ�z��TU�ժ�z�bU�U�ժ�z��]�]�ժ�z��^�^�ժ�z��U�U�z]�]��U�UU�UEX_NX#Z_�]�]_y^�^_eV�V�ժ�z��VWSvX�X�ժ�z�EYmY�ժ�z��Y�Y�ժ�z��]�]�ժ�z��^�^�ժ�z�NW�W�ժ�z��W�WS�X�X�ժ�z��Y�Y�ժ�z��Y#Z�ժ�z��]�]�ժ�z��^�^�ժ�z�7[o[�ժ�z�m^y^�ժ�z��[�[~��[�[	~"��[%]~��]�]~�__~��_ebs eb�b�U��b�bs �bNfs NfSfUSf�fs �f�fP�f
hs !hWh�U�Wh�hs �hiPi�is �_`�`3`�3`X`�X`}`�}`�`��`�`��`�`��`a�a6a�6a[a	�[a�a
��a�a��a�a��a�a
��ab�b9b�9bBb��b�b��b4c�4cqc�qc�c��c�c��c(d�(ded�ed�d��d�d	��de
�eYe�Ye�e��e�e
��e
f�
fBf��f�gs�g�gU�g�gsWh�hsii�is�f�g\Wh�h\ii�i\Yj�j8��m�m8��o�o8�Yj�j]�m�m]�o�o]�j�j�ժ�z��j�jp��jksk(kQ(k�ks�k�kR�k�ms�m�ms�m�ms�mnsnnQnnsn-nQ-n@ns@nInQIn�ns�n�nR�n�ns�n�nR�n�ns�n�nR�nqos}o�osLkzk�ժժժժ�zk�m]�m�m]�m�mPIn�n�ժժժժ��nqo]}o�o]�k�k�ժժժժ��k�kPRoqo�ժժժժ�nl ms m%mT%mOmsOmTmT}o�osnlTm]}o�o]nlTm^}o�o^�o�o0�Spq>��w�w>�CxKx>�Sp�ps0�p�pP�pqs0�w�ws0CxKxs0�p�p�ժ�z��p�pp�q�q^�v�v^�w+x^qRq�ժժժժ�Rq[qs�[qeqPeqrs�*r9vs�9v>vT>v�vs��v�vP�v�v�ժժժժ��v�ws��w�w�ժժժժ��w�wP�wCxs�Kx�xs�uqrs *r7rs 7rHrQHr�ts �t�tQ�t=us =uBuQBuPus PuXuTXufus fuouQou�us �u�uQ�u�us �u�uQ�u*vs *v0vQ�v�ws +xCxs Kx�xs uqrs0*r0vs0�v�ws0+xCxs0Kx�xs0�qrs *r7rs 7rHrQHr�ts �t�tQ�t=us =uBuQBuPus PuXuTXufus fuouQou�us �u�uQ�u�us �u�uQ�u*vs *v0vQ�v�ws +xCxs Kx�xs �qrs0*r0vs0�v�ws0+xCxs0Kx�xs0�qr�ժ�z�*r.r�ժ�z�.r=rsHrtsrtvsv!v�ժ�z�!v0vs�v�ws+xCxsKx�xs�q�q�ժ�z��q�qP�q�q�ժ�z��qr_rrP.rHr0�]r�rUBuEuUEuou^!v0v0��v�vU�v�vUaxhxU�x�xUHrYr|����r�r�ժ�z��r�s|����t�t�ժ�z��tBu|���Bu�u�ժ�z��u�u|����uv|���\w�w|���+x3x�ժ�z�3xCx|����x�x|����s�s�ժ�z��stPJtRt�ժ�z�RtXt_XtltPfy�zs�z�zP�z0{s0{>{P>{R{sR{W{TW{i{si{n{Un{�{s�{�{s�{�{T�{�{s�{�{T�{|s|(|T(|;|s;|@|T@|T|sT|Y|UY|Y|s�yzs(zzPzEzs(�z{s(H|P|s(�yEz;��z{;�H|P|;��y�y�ժ�z��y�yp�Ezaz]||]Ez�z�ժժժժ��z�z\�z�z0��z�z�ժժժժ�{e{�ժժժժ�u{�{_|H|�ժժժժ�P|Y|�ժժժժ��|�}2�Ha2���2��|�}0�Ha0���0�}*}�ժ�z�*}2}p��}�}s�}�}R�}�~s&s0HsaqRqusu�R��s��T��s��R��s��_��s��T��s��_� �s �(�T(�/�s/�=�_=�P�sP�X�TX�_�s_�m�_m���s����_���s�}�}�ժ�z��}�}s�}~P~�~s�~�~_._.Hsa��ժ�z���P��s�~�U~��_���U����_�����U��0�T0�ȂwȂςRς��w�,�Q,���w����R����w�����!��!�8��8�M��M�s��s������΃��������������+��+�B�����������]�w��w������ЅUЅֈSֈ��U��ÊS��ЅTЅO�^O�r��T�r�<�^�&�^N�܉^܉M��T�M�d�^��Ê^��@�]Q��]��Ê]Њ �U �)�\)��S��S�ݎS�,�S@�E��E�e�_����_����_͓��_�4�_C���_@�E��E�T�wT�V�PV�e�w����w����P����S����w͓ޓwޓ�P��S�4�wC�V�wV�[�Q[���wE�e�]����ժ�z��X�]X�}�P����]�����ժ�z���ɑ]ߑ�]�*��ժ�z�*���]����P��4�]C�k�]s�{�]{����ժ�z�����]E�e�\���ժ�z����\�����ժ�z�����\����ժ�z�*�4�\C�{�\�����ժ�z�����\����ժ�z�����]ɑߑ�ժ�z�Y����ժ�z�[�c��ժ�z�k�s��ժ�z�'�X�]X�}�PY���]����P[�c�]����ժ�z�ߑ���ժ�z�����ժ�z�c�k��ժ�z�s�{��ժ�z����\���\c�k�\Д7�^c���^Д&��ժ�z�&�U�s���k�y��ժ�z�y���s�������ժ�z���s�����s��������ժ�z�����s��������ժ�z���זP���ժ�z��
�S
��P`�~�U~�,�_,�.��U�`���T����^��:�vP:�S�^S��vP��T��vP�.��T���Ϙ�Ϙ$�S֘�Uݘ�T	���v�����U���
�3��s6�O�PS�ڙ�ڙ�����F��F���T����
?���e���/��\z�(�@a��+L��,�d�
�J���#�#l$%l'�', ,%6'�'Z+�+,%6'�'E+�+,U2�2�3�4�6I7�780O2[o[m^y^_�O^Zo[�]y^_�O�O%]:]�O;P:]O]AP�PO]d]QSQ�^�^�QeR�S
T�T�T2UbU�]�]�^�^�RUS"TJT�TUbU�U�]�]�^�^�U�Uz]�]�[%]�]�]__eV�VvX�XEYmY�Y�Y�]�]�^�^NW�W�X�X�Y�Y�Y#Z�]�]�^�^�_9b�b	hWh�i�f�gWh�hii�iYj�j�m�m�o�o�k�kRoqonlTm}o�onlTm}o�oSpq�w�wCxKxuq0v�v�w+xCxKx�x�q0v�v�w+xCxKx�x.r0v�v�w+xCxKx�xHrYrgr�t�tv�v�w+xCxKx�x�y�y�yEz�z{H|P|�|�}Ha�������!�1�8�F�M�l�s���������ބ���B������]�w�T�4�C������ɑߑY���[�c�k�s�'���Y���[�c����ߑ�����c�k�s�{�������c�k�Д7�c���ДU�k�7�c�����ʗ՗��6�R���	| ���� ��3�I9UH�|0��(�����Q��P��{��z���-��Dҧ[ѧs������,��+��V��p������'è=¨T��k������D��C��q��p���#��;ȩP�f��|��5��4��_��^��������3��K�a�x����:��T��o���������,ѫCЫ[��q���(��'��U��T���������(Ƭ>�T��k����C��B��m��l������#ǭ9ƭP��g���8��S��n�����������3߮Iޮ`�w��9��8��f��e����	��	ů,	�C	��Y	��p	'��	&��	Q��	P��	~��	}��	��
��(
ذ?
װW
�l
��
7��
R��
o��
n��
���
��ñ±2�H�_�t��J��I��t��������IJ� �6�L
�c5�x4��b��a�������������
�'
�<
�Q
6�g
S�}
R��
}��
|��
���
���
ԴӴ�5�L.�c-�{X��r��������ŵ�ĵ��/�E�\F�sE��s��r��������ʶ����(�?7�U6�la��`���������������
�$�;�S<�hV�~q�����������Ӹ�Ҹ����4*�K)�cW�yV�����������ȹ������� !�� -� 5 � =@� E`�@M�� U� \��LU0.q@� v 9 �@9 �`9 �`� ��� �@�����@��9 ��T��*�@1�@9��SE �@M`� U@�
]pR�m@	���m ��P
��p �@Tq��� ���,�Q�$�� M ��e�� m��@u�����_�`M
��9���� ���@��@������`� �@�@N�@��� �@�`�@��@�@ �@`�@'��`/ ��G��`O��.a@1n��@v�� ~� ��m ��@��m � �@�n �`�@� n ���@�@n�@�@��@@� �#.�)	A�2�Sp6�f �`n�N�`� @��?3��D\��� �@q @��p �q � q �@Ik
��  ;q0�� 8� @��@H��@P�@X@�@`��@h��@p�@x@�@���@� �`���`��@� � �@� �`�@��� ��� �� ��@�@�@���@���@��@�@�@�� �� �� �T) �7�TH��q@�@��� ��� U�� *� �� � � �@� �`� ��� ��� �� � �  � O@� '`� �� ��� `W!W��7�Wc��q �@�`�@U�� ��`*��@��@�@�@��� ���`�`� �� �� �� ��@`�!m�5�7����{�����,��H�����ά��P�2���t�6S��o���@��� ����Щ�)��~~,��9Q��m���� ���������9����-CX^�u���F���[��)  �Z�
��.�},��J\�g���v���������@����"�(��.P��Ed�����\��?�"!UC�������
��(v�Dx�a��~�(��b��`i���� ۱1 : ��W �s ب� � &�� 0��� � |�� �!�''!��C!��_J!P��W!w!1��!���! ���!�!.��!�!�$"��+"�G"Z"��w"@^o�"Գ�"#��"@��"�"з#M��!#)4#Q�Q#X#�;2H*p#��5w#�#���#���#�#��;�#�$���$��;$���!�)P�"W$^$e$���$���$��D�$o��$���$��$%&%��C%w�a%t%�%^��%�%��%�%��&�� &�o	,&<�H&`� e&���&
��&�&Ϊ�&�&����&�&9�&��&'��$'��A'B�^' �y'@�f�'����'�' ��'�'�'�	(D�&(��.(@(T(i(~(�(��(^��("��(X��(��)`�V)��'()/)(�K)^)i)z)��#�) /�)��)���)�)f��)L�** �-$*��A*`��N*a*�; *z��*Ҷ�*y��*���*�W�+m�!+�>+R+ʮn+�+�+9�+���+~��+̲�+`l4,,B�2,$�N,`,��|,�,���,��@�,v��,�,�,߭-/�!-7-�T-$�q-x-ڵ�-�-�-�a��-�-�-/#.5�?.D�[.�w.��.��.�.�.��.��/ �� /z�=/`g�K/��g/`��/�/*��/i��/m�/ �/J�0�-!0&0Ѕp;0N0<�j0>��0�0pX��0�0ð�0���01��"181�x,
H1��`1h�}1 �1�1 �1�1���1���1ͯ2��*2<2�X2��_2йScrt1.o__abi_tagcrtstuff.cderegister_tm_clones__do_global_dtors_auxcompleted.0__do_global_dtors_aux_fini_array_entryframe_dummy__frame_dummy_init_array_entryasan_rtl_x86_64.S.o.check_load_add_1_RAX.return_load_add_1_RAX.check_store_add_1_RAX.return_store_add_1_RAX.check_load_add_2_RAX.return_load_add_2_RAX.check_store_add_2_RAX.return_store_add_2_RAX.check_load_add_4_RAX.return_load_add_4_RAX.check_store_add_4_RAX.return_store_add_4_RAX.fail_load_add_8_RAX.fail_store_add_8_RAX.fail_load_add_16_RAX.fail_store_add_16_RAX.check_load_add_1_RBX.return_load_add_1_RBX.check_store_add_1_RBX.return_store_add_1_RBX.check_load_add_2_RBX.return_load_add_2_RBX.check_store_add_2_RBX.return_store_add_2_RBX.check_load_add_4_RBX.return_load_add_4_RBX.check_store_add_4_RBX.return_store_add_4_RBX.fail_load_add_8_RBX.fail_store_add_8_RBX.fail_load_add_16_RBX.fail_store_add_16_RBX.check_load_add_1_RCX.return_load_add_1_RCX.check_store_add_1_RCX.return_store_add_1_RCX.check_load_add_2_RCX.return_load_add_2_RCX.check_store_add_2_RCX.return_store_add_2_RCX.check_load_add_4_RCX.return_load_add_4_RCX.check_store_add_4_RCX.return_store_add_4_RCX.fail_load_add_8_RCX.fail_store_add_8_RCX.fail_load_add_16_RCX.fail_store_add_16_RCX.check_load_add_1_RDX.return_load_add_1_RDX.check_store_add_1_RDX.return_store_add_1_RDX.check_load_add_2_RDX.return_load_add_2_RDX.check_store_add_2_RDX.return_store_add_2_RDX.check_load_add_4_RDX.return_load_add_4_RDX.check_store_add_4_RDX.return_store_add_4_RDX.fail_load_add_8_RDX.fail_store_add_8_RDX.fail_load_add_16_RDX.fail_store_add_16_RDX.check_load_add_1_RSI.return_load_add_1_RSI.check_store_add_1_RSI.return_store_add_1_RSI.check_load_add_2_RSI.return_load_add_2_RSI.check_store_add_2_RSI.return_store_add_2_RSI.check_load_add_4_RSI.return_load_add_4_RSI.check_store_add_4_RSI.return_store_add_4_RSI.fail_load_add_8_RSI.fail_store_add_8_RSI.fail_load_add_16_RSI.fail_store_add_16_RSI.check_load_add_1_RDI.return_load_add_1_RDI.check_store_add_1_RDI.return_store_add_1_RDI.check_load_add_2_RDI.return_load_add_2_RDI.check_store_add_2_RDI.return_store_add_2_RDI.check_load_add_4_RDI.return_load_add_4_RDI.check_store_add_4_RDI.return_store_add_4_RDI.fail_load_add_8_RDI.fail_store_add_8_RDI.fail_load_add_16_RDI.fail_store_add_16_RDI.check_load_add_1_RBP.return_load_add_1_RBP.check_store_add_1_RBP.return_store_add_1_RBP.check_load_add_2_RBP.return_load_add_2_RBP.check_store_add_2_RBP.return_store_add_2_RBP.check_load_add_4_RBP.return_load_add_4_RBP.check_store_add_4_RBP.return_store_add_4_RBP.fail_load_add_8_RBP.fail_store_add_8_RBP.fail_load_add_16_RBP.fail_store_add_16_RBP.check_load_add_1_R8.return_load_add_1_R8.check_store_add_1_R8.return_store_add_1_R8.check_load_add_2_R8.return_load_add_2_R8.check_store_add_2_R8.return_store_add_2_R8.check_load_add_4_R8.return_load_add_4_R8.check_store_add_4_R8.return_store_add_4_R8.fail_load_add_8_R8.fail_store_add_8_R8.fail_load_add_16_R8.fail_store_add_16_R8.check_load_add_1_R9.return_load_add_1_R9.check_store_add_1_R9.return_store_add_1_R9.check_load_add_2_R9.return_load_add_2_R9.check_store_add_2_R9.return_store_add_2_R9.check_load_add_4_R9.return_load_add_4_R9.check_store_add_4_R9.return_store_add_4_R9.fail_load_add_8_R9.fail_store_add_8_R9.fail_load_add_16_R9.fail_store_add_16_R9.check_load_add_1_R12.return_load_add_1_R12.check_store_add_1_R12.return_store_add_1_R12.check_load_add_2_R12.return_load_add_2_R12.check_store_add_2_R12.return_store_add_2_R12.check_load_add_4_R12.return_load_add_4_R12.check_store_add_4_R12.return_store_add_4_R12.fail_load_add_8_R12.fail_store_add_8_R12.fail_load_add_16_R12.fail_store_add_16_R12.check_load_add_1_R13.return_load_add_1_R13.check_store_add_1_R13.return_store_add_1_R13.check_load_add_2_R13.return_load_add_2_R13.check_store_add_2_R13.return_store_add_2_R13.check_load_add_4_R13.return_load_add_4_R13.check_store_add_4_R13.return_store_add_4_R13.fail_load_add_8_R13.fail_store_add_8_R13.fail_load_add_16_R13.fail_store_add_16_R13.check_load_add_1_R14.return_load_add_1_R14.check_store_add_1_R14.return_store_add_1_R14.check_load_add_2_R14.return_load_add_2_R14.check_store_add_2_R14.return_store_add_2_R14.check_load_add_4_R14.return_load_add_4_R14.check_store_add_4_R14.return_store_add_4_R14.fail_load_add_8_R14.fail_store_add_8_R14.fail_load_add_16_R14.fail_store_add_16_R14.check_load_add_1_R15.return_load_add_1_R15.check_store_add_1_R15.return_store_add_1_R15.check_load_add_2_R15.return_load_add_2_R15.check_store_add_2_R15.return_store_add_2_R15.check_load_add_4_R15.return_load_add_4_R15.check_store_add_4_R15.return_store_add_4_R15.fail_load_add_8_R15.fail_store_add_8_R15.fail_load_add_16_R15.fail_store_add_16_R15-.str.64debug_level.str.65.str.66.str.67.str.68.str.72.str.3__dcc_signal_handler.strdebug_streamto_sanitizer2_pipefrom_sanitizer2_pipe__const.__wrap_main.sanitizer2_executable_pathname.str.1.str.2sanitizer2_piddisable_check_output__dcc_cleanup_before_exit.str.4.str.44setenvd_int.str.45.str.46setenvdlaunch_valgrind__dcc_run_sanitizer1expected_stdout__dcc_check_all_output_seen_at_exitsynchronization_terminatedset_signals_defaultsanitizer2_killedunlink_sanitizer2_executablestop_sanitizer2unlink_sanitizer2_executable.unlink_donesynchronize_system_call.str.69.str.70_explain_errorsynchronize_system_call_resultget_cookiefile_cookies.str.5.str.6.str.7putenvd.str.71.str.18tar_data.str.8.str.9.str.10.str.11.str.12.str.13.str.14.str.16_dcc_posix_spawn_helper.str.73quick_clear_stack_memset_shim.str.19.str.20.str.27ignore_case.str.21ignore_empty_lines.str.22ignore_trailing_white_space.str.23max_stdout_bytes.str.24ignore_characters.str.25.str.26.str.17__dcc_cookie_read__dcc_cookie_write__dcc_cookie_seek__dcc_cookie_close.str.29get_next_expected_line1expected_linerstrip_lineis_empty_linen_expected_bytes_seenn_actual_linen_actual_bytes_seenn_actual_lines_seen__dcc_compare_line.str.31__dcc_compare_output_error.str.30.str.32.str.34.str.35.str.36.str.37.str.38.str.39.str.40.str.41.str.42.str.33.str.47.str.48.str.49.str.50.str.51.str.52.str.53.str.54.str.55.str.56.str.57.str.58.str.59.str.60.str.61.str.62.str.63asan.module_ctor__unnamed_177asan.module_dtormain.c.str.15__unnamed_1spotify.c__unnamed_178__FRAME_END____GNU_EH_FRAME_HDR_DYNAMIC_GLOBAL_OFFSET_TABLE___asan_check_load_add_16_RDX__asan_report_store4__dcc_error_exit__asan_check_load_add_8_R13__asan_check_load_add_2_RCX__errno_location@GLIBC_2.2.5__asan_check_load_add_1_R13stdout@GLIBC_2.2.5signal__asan_report_present__asan_check_load_add_16_RSIfopencookiestrncpy__ctype_toupper_loc@GLIBC_2.3__asan_check_store_add_8_RBXrealpathstrlen__ctype_tolower_loc@GLIBC_2.3__asan_register_globals__asan_check_load_add_8_RBX__asan_check_load_add_8_RBP__wrap_posix_spawnp__asan_check_store_add_4_RCX__asan_check_store_add_2_R15freeabort_edata__asan_check_load_add_2_R15__asan_default_optionsfork@GLIBC_2.2.5__environ@GLIBC_2.2.5__asan_report_load_n__asan_check_load_add_16_R14__asan_stack_malloc_0__asan_memset__asan_check_load_add_8_R12mkstemp@GLIBC_2.2.5__asan_check_store_add_16_RSI__asan_check_load_add_1_R8__asan_check_store_add_8_RBP_IO_stdin_used__asan_check_load_add_4_R12__asan_check_load_add_16_RCXdelete_spotifymerge_playlists__asan_check_store_add_16_RBX__asan_get_report_description__asan_check_load_add_1_RDX__wrap_fdopenatoi__cxa_finalize@GLIBC_2.2.5__asan_check_load_add_1_RSI__asan_check_store_add_2_RDX__ubsan_handle_divrem_overflow__asan_check_load_add_2_RAXunlink@GLIBC_2.2.5__asan_report_store16__asan_check_load_add_4_RBX__asan_check_store_add_16_RBP__asan_check_load_add_4_RBP__wrap_rename__asan_check_load_add_2_R8__asan_check_load_add_2_R14__asan_check_load_add_16_RAX__asan_check_store_add_8_RDX__asan_stack_malloc_1__dso_handle__asan_report_load4__asan_check_load_add_8_R8print_spotify__asan_check_store_add_4_RAX__asan_get_report_address__asan_check_store_add_2_R8snprintf__asan_check_store_add_2_RAX__asan_check_load_add_8_RSI__asan_check_store_add_1_RBXrename@GLIBC_2.2.5__asan_check_store_add_8_RSI__asan_on_errorclock@GLIBC_2.2.5__asan_check_store_add_8_R8__asan_check_store_add_1_RBP__wrap_main__asan_check_store_add_1_R9strcmp__wrap_clock__ubsan_handle_pointer_overflow__asan_check_store_add_2_R13_fini__wrap_time__libc_start_main@GLIBC_2.34__asan_check_store_add_1_RSIsleep@GLIBC_2.2.5__asan_check_load_add_2_RDX__asan_check_store_add_1_RDI__asan_check_load_add_4_RAXexecvp@GLIBC_2.2.5__asan_check_store_add_4_R14create_song__asan_check_load_add_8_R9__asan_check_store_add_16_R9__asan_check_load_add_4_RDXstdin@GLIBC_2.2.5__asan_check_load_add_4_R14__asan_check_store_add_2_R9system@GLIBC_2.2.5__asan_check_store_add_4_RDIfflush__dcc_save_stdin_bufferstrcpychmod@GLIBC_2.2.5__asan_check_store_add_1_R8__asan_check_store_add_8_RDIgettid@GLIBC_2.30__asan_check_store_add_2_R14__local_asan_preinitprint_playlist_duration__asan_check_store_add_2_RCX__asan_check_store_add_4_R9fwritememchr__asan_check_store_add_8_R15__asan_check_store_add_16_R12stpncpy__asan_check_store_add_4_R15__asan_check_load_add_1_RBX__asan_check_load_add_1_RBP__asan_report_store8__asan_report_load2__asan_check_store_add_16_R8__asan_check_store_add_16_RCXfileno@GLIBC_2.2.5__asan_unregister_globals__asan_check_load_add_4_R13putenv@GLIBC_2.2.5__asan_check_load_add_2_RBX__ctype_b_loc@GLIBC_2.3__ubsan_on_report__asan_check_store_add_2_RSIremove_song__asan_check_load_add_2_RBP__dcc_save_stdin_buffer_size__asan_check_store_add_1_RDX__asan_handle_no_return__asan_check_load_add_4_RCXstrtol__wrap_system__asan_init__TMC_END____ubsan_handle_sub_overflowmalloc__asan_check_store_add_16_RAX__asan_check_store_add_1_R15__asan_check_store_add_8_RCX__asan_check_load_add_2_R9genre_to_string__wrap_popen__asan_set_shadow_f5__asan_check_load_add_1_RCXexit@GLIBC_2.2.5getenv@GLIBC_2.2.5__asan_check_store_add_16_R13__asan_check_store_add_8_R14strcspnfputc@GLIBC_2.2.5__asan_report_load1__asan_report_load16__asan_report_store1memcpy__asan_check_store_add_4_R12__asan_check_store_add_8_RAX__asan_check_load_add_1_R14__asan_check_load_add_2_RSI__wrap_removestpcpy__asan_check_store_add_8_R9pclose__asan_check_load_add_8_RCXstderr@GLIBC_2.2.5setlinebufpipe@GLIBC_2.2.5__wrap_posix_spawn__data_start_end__asan_check_load_add_4_RSI__asan_stack_malloc_5__asan_check_store_add_1_RAX__asan_check_store_add_1_R14kill@GLIBC_2.2.5putchar__asan_check_store_add_2_R12__wrap_fopengetpid@GLIBC_2.2.5__dcc_save_stdin_n_bytes_seen__asan_check_load_add_4_R9__asan_check_store_add_8_R13__asan_check_store_add_16_R14__asan_check_load_add_8_R15initialise_spotify__asan_check_store_add_4_RDX__asan_check_load_add_16_R13__asan_report_load8__asan_check_load_add_2_RDIsetenv@GLIBC_2.2.5__asan_report_store2__bss_start__asan_check_store_add_4_R13__asan_check_load_add_8_RDI__asan_check_load_add_1_R9print_song__asan_set_shadow_00__asan_check_load_add_4_R15__asan_check_load_add_4_RDIfgetc@GLIBC_2.2.5__asan_check_load_add_1_R15vfprintf__asan_check_load_add_16_RDI__wrap_fileno__asan_check_load_add_1_RDIfclosefaccessat@GLIBC_2.4__asan_check_store_add_4_RSI__asan_check_store_add_2_RBX__asan_stack_malloc_2__asan_check_load_add_16_RBX__asan_check_load_add_16_RBPsetbuf__asan_check_store_add_1_R13__ubsan_handle_out_of_bounds__asan_get_alloc_stackadd_songstat__ubsan_handle_type_mismatch_v1__asan_option_detect_stack_use_after_return__asan_check_store_add_4_R8__asan_check_load_add_8_RAX__asan_check_load_add_2_R13__asan_check_store_add_16_RDX__asan_check_load_add_4_R8__asan_version_mismatch_check_v8fputs__asan_check_store_add_16_R15__asan_check_load_add_16_R8__wrap_freopen__asan_check_load_add_16_R12find_playlist__asan_check_load_add_8_RDX__asan_check_store_add_8_R12__ubsan_handle_nonnull_arg__asan_check_load_add_8_R14__asan_check_store_add_2_RBPstrncmp_ITM_deregisterTMCloneTable__asan_check_store_add_1_RCXgetcharwaitprint_songs_of_genreremove@GLIBC_2.2.5__asan_check_load_add_1_RAX__asan_check_load_add_1_R12prctladd_playlist__ubsan_get_current_report_data__asan_check_store_add_4_RBP__asan_check_store_add_4_RBXlseek@GLIBC_2.2.5__asan_check_store_add_2_RDI__asan_stack_malloc_3remove_playlist__ubsan_default_options__asan_check_store_add_1_R12__gmon_start____asan_set_shadow_f8_ITM_registerTMCloneTable__ubsan_handle_add_overflowstrcat__asan_check_load_add_2_R12__asan_check_store_add_16_RDI_Unwind_Backtraceclose@GLIBC_2.2.5__asan_check_load_add_16_R9strspn__asan_check_load_add_16_R15.symtab.strtab.shstrtab.interp.note.gnu.property.note.gnu.build-id.note.ABI-tag.gnu.hash.dynsym.dynstr.gnu.version.gnu.version_r.rela.dyn.rela.plt.init.plt.got.text.fini.rodata.eh_frame_hdr.eh_frame.preinit_array.init_array.fini_array.data.rel.ro.dynamic.got.plt.data.bss.comment.debug_info.debug_abbrev.debug_line.debug_str.debug_loc.debug_ranges#88 6XX$I|| [���W���o88�a��0i((&q���oNN~���oXX`���xx�B0�0�	���� � � �@�@��P�P�W������	���*! �,�,������������ �0�0�(X�X��H�H�P�����P���� "  ��5 (9)� -0)C6C)"NBew�P�}II\06��g��lbrN<�
�IpA&�	`�|2ܽ�
// spotify.c
// Sofia De Bellis
// Implmentation file for spotify 

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include "spotify.h"

struct spotify *initialise_spotify(void) {
    struct spotify *new_spotify = malloc(sizeof(struct spotify));
    new_spotify->playlists = NULL;
    return new_spotify;
}

void add_playlist(char *name, struct spotify *spotify) {
    // 1. create new the new playlist, with malloc
    struct playlist *new_playlist = malloc(sizeof(struct playlist));
    strcpy(new_playlist->name, name);
    new_playlist->num_songs = 0;
    new_playlist->songs = NULL;
    new_playlist->next = NULL;

    // 2. insert when no playlists in spotify
    if (spotify->playlists == NULL) {
        spotify->playlists = new_playlist;
        return;
    }

    // 3. insert when there are existing playlists in spotify
    new_playlist->next = spotify->playlists;
    spotify->playlists = new_playlist;
    return;
}

struct song *create_song(char *name, enum genre genre, char *artist, int duration) {
    struct song *new_song = malloc(sizeof(struct song));

    strcpy(new_song->name, name);
    strcpy(new_song->artist, artist);
    new_song->genre = genre;
    new_song->duration = duration;
    new_song->next = NULL;

    return new_song;
}

void add_song(char *playlist_name, char *name, enum genre genre, char *artist, int duration, struct spotify *spotify) {
    struct song *new_song = create_song(name, genre, artist, duration);
    struct playlist *playlist = find_playlist(playlist_name, spotify);

    // if list empty
    if (playlist->songs == NULL) {
        playlist->songs = new_song;
        printf("%s added to %s!\n", new_song->name, playlist->name);
        return;
    }

    // traversing to find the last node in the list
    struct song *current_song = playlist->songs;
    while (current_song->next != NULL) {
        current_song = current_song->next;
    }

    // inserting the new node
    current_song->next = new_song;
    printf("%s added to %s!\n", new_song->name, playlist->name);
    return;
}

struct playlist *find_playlist(char *playlist_name, struct spotify *spotify) {
    struct playlist *current = spotify->playlists;

    while (current != NULL) {
        if (strcmp(current->name, playlist_name) == 0) {
            return current;
        }
        current = current->next;
    }

    return NULL;
}

void print_spotify(struct spotify *spotify) {
    struct playlist *current_playlist = spotify->playlists;

    printf("\n PRINTING SPOTIFY\n");
    while (current_playlist != NULL) {
        printf("🎧 %s 🎧\n", current_playlist->name);

        struct song *current_song = current_playlist->songs;
        while (current_song != NULL) {
            print_song(current_song);
            current_song = current_song->next;
        }

        current_playlist = current_playlist->next;
    }

    return;
}

void remove_song(struct spotify *spotify, char *playlist_name, char *name) {
    struct playlist *playlist = find_playlist(playlist_name, spotify);
        
    struct song *curr_song = playlist->songs;

    // BUG: This only checks and removes the head if it's the only node.
    // If the head matches and there are more nodes, it doesn't handle it.
    // Instead, it should check the head separately regardless of list length.
    // if (strcmp(curr_song->name, name) == 0) {
    //     printf("%s removed from %s!\n", curr_song->name, playlist->name);
    //     free(curr_song);
    //     // BUG: This sets songs to NULL even if more nodes follow.
    //     playlist->songs = NULL; 
    //     return;
    // }


    // Handle head separately
    if (curr_song != NULL && strcmp(curr_song->name, name) == 0) {
        struct song *to_delete = curr_song;
        playlist->songs = curr_song->next;
        printf("%s removed from %s!\n", to_delete->name, playlist->name);
        free(to_delete);
        return;
    }

    // If the node we want to remove is anywhere in the list
    while (curr_song != NULL && curr_song->next != NULL) {
        if (strcmp(curr_song->next->name, name) == 0) {
            struct song *to_delete = curr_song->next;
            curr_song->next = to_delete->next;
            printf("%s removed from %s!\n", to_delete->name, playlist->name);
            free(to_delete);
            return;
        }
        curr_song = curr_song->next;
    }

    return;
}

//Let's implement this ourselves today!
void remove_playlist(struct spotify *spotify, char *playlist_name) {
    return;
}

//Let's implement this ourselves today!
void delete_spotify(struct spotify *spotify) {
    return;
}


//Let's implement this ourselves today!
void print_songs_of_genre(struct spotify *spotify, enum genre genre) {
    return;
}

//Let's implement this ourselves today!
void merge_playlists(struct spotify *spotify, char *playlist1_name, char *playlist2_name) {
    return;
}

// Provided helper functions

void print_song(struct song *song) {
    printf("   🎵 \"%s\" by %s | %s | %d:%02d\n",
           song->name,
           song->artist,
           genre_to_string(song->genre),
           song->duration / 60,
           song->duration % 60);
    return;
}

char *genre_to_string(enum genre genre) {
    if (genre == POP) {
        return "Pop";
    } else if (genre == KPOP) {
        return "K-Pop";
    } else if (genre == HIPHOP) {
        return "Hip-Hop";
    }
    else {
        return "Indie";
    }
}

void print_playlist_duration(int total_duration) {
    printf("Total duration: %d:%02d\n", total_duration / 60, total_duration % 60);
    return;
}
// spotify.h
// Sofia De Bellis
// Header file for spotify

/////////////////////////////////////////////
// Constants
/////////////////////////////////////////////
#define MAX_LEN 100

/////////////////////////////////////////////
// Enums
/////////////////////////////////////////////
enum genre {
    POP,
    KPOP,
    HIPHOP,
    INDIE
};

/////////////////////////////////////////////
// Structs
/////////////////////////////////////////////
struct spotify {
    // a pointer to the first playlist in spotify
    struct playlist *playlists;
};

struct playlist {
    // name of the playlist
    char name[MAX_LEN];
    // count of the number of songs in the playlist
    int num_songs;
    // a pointer to the first song in the playlist
    struct song *songs;
    // a pointer to the next playlist in the list
    struct playlist *next;
};

struct song {
    // name of the song
    char name[MAX_LEN];
    // genre of the song
    enum genre genre;
    // artist of the song
    char artist[MAX_LEN];
    // duration of the song (in seconds)
    int duration;
    // a pointer to the next song in the list
    struct song *next;
};

/////////////////////////////////////////////
// Provided function stubs
/////////////////////////////////////////////

// Creates and initializes a new spotify system
struct spotify *initialise_spotify(void);

// Creates a new playlist and adds it to spotify
void add_playlist(char *name, struct spotify *spotify);

// Creates a new song with the given details
// Returns a pointer to the newly created song
struct song *create_song(char *name, enum genre genre, char *artist, int duration);

// Adds a new song to the specified playlist
void add_song(char *playlist_name, char *name, enum genre genre, char *artist, int duration, struct spotify *spotify);

// Prints out the entire spotify system (all playlists)
void print_spotify(struct spotify *spotify);

// Removes a song from the specified playlist
void remove_song(struct spotify *spotify, char *playlist_name, char *name);

// Deletes the entire playlist and frees all allocated memory
void delete_playlist(struct playlist *playlist);

// Deletes the spotify system and frees all memory
void delete_spotify(struct spotify *spotify);

// Prints all songs of a specific genre from all playlists in spotify
void print_songs_of_genre(struct spotify *spotify, enum genre genre);

// Merges two playlists into one
void merge_playlists(struct spotify *spotify, char *playlist1_name, char *playlist2_name);

/////////////////////////////////////////////
// Additional function prototypes here
/////////////////////////////////////////////

// find a playlist in the spotify system
struct playlist *find_playlist(char *playlist_name, struct spotify *spotify);

/////////////////////////////////////////////
// Provided helper functions
/////////////////////////////////////////////

// Provided function
// Prints out the details of a specific song
// Usage:
//      `print_song(song);`
void print_song(struct song *song);

// Porvided function
// Converst genre enum to a string for printing
// Usgae:
//      `char *genre = genre_to_string(genre);`
char *genre_to_string(enum genre genre);

// Provided function
// Prints the total duration of the playlist in minutes and seconds
// Usage:
//      `print_playlist_duration(total_duration);`
void print_playlist_duration(int total_duration);
#include <stdio.h>
#include <assert.h>
#include <stdlib.h>


struct node {
    struct node *next;
    int          data;
};

// delete_div_six should delete the first node that is divisible by 6 
// If there are no nodes that are divisible by 6, it should return
// the list unchanged.

struct node *delete_div_six(struct node *head) {
    struct node *current = head;
    struct node *previous = NULL;

    // or head == NULL, empty case
    if (head == NULL) {
        return NULL; // or head, or current... this is unchanged
    }

    // only 1 element
    if (current->next == NULL) {
        if (current->data % 6 == 0) {
            free(current);
            return NULL;
        }
    }

    // 6 6
    // check every element
    while (current != NULL) {
        // modulo: the remainder of dividing by a value
        if (current->data % 6 == 0) {
            // we're divisible... we need to free it and remove it from the LL
            struct node *temp = current->next;
            free(current);

            if (previous == NULL) {
                head = temp;
            }
            else {
                previous->next = temp;
            }
            return head;
        }
        previous = current;
        current = current->next;
    }

    return head;
}



////////////////////////////////////////////////////////////////////////
//               DO NOT CHANGE THE CODE BELOW                         //
////////////////////////////////////////////////////////////////////////
void print_list(struct node *head);
struct node *strings_to_list(int len, char *strings[]);

// DO NOT CHANGE THIS MAIN FUNCTION
int main(int argc, char *argv[]) {
    // create linked list from command line arguments
    struct node *head = strings_to_list(argc - 1, &argv[1]);

    // If you're getting an error here,
    // you have returned an uninitialized value
    struct node *new_head = delete_div_six(head);
    print_list(new_head);

    return 0;
}

// DO NOT CHANGE THIS FUNCTION
// create linked list from array of strings
struct node *strings_to_list(int len, char *strings[]) {
    struct node *head = NULL;
    for (int i = len - 1; i >= 0; i = i - 1) {
        struct node *n = malloc(sizeof (struct node));
        assert(n != NULL);
        n->next = head;
        n->data = atoi(strings[i]);
        head = n;
    }
    return head;
}

// print linked list
void print_list(struct node *head) {
    printf("[");

    for (struct node *n = head; n != NULL; n = n->next) {
        // If you're getting an error here,
        // you have returned an invalid list
        printf("%d", n->data);
        if (n->next != NULL) {
            printf(", ");
        }
    }
    printf("]\n");
}
// main.c
// Sofia De Bellis
// Simple Spotify 

#include <stdio.h>
#include "spotify.h"

int main(void) {
    // Initialize the spotify system
    struct spotify *spotify = initialise_spotify();

    // Create multiple playlists and add them to spotify
    add_playlist("COMP(1511|1911)'s Favourites", spotify);
    add_playlist("K-Pop Hits", spotify);
    add_playlist("Chill Vibes", spotify);

    // // Add songs to the favourites playlist
    add_song("COMP(1511|1911)'s Favourites", "Touch", KPOP, "Katseye", 129, spotify);
    add_song("COMP(1511|1911)'s Favourites", "Ms Jackon", HIPHOP, "Outkast", 299, spotify);
    add_song("COMP(1511|1911)'s Favourites", "Love Story", POP, "Taylor Swift", 230, spotify);
    add_song("COMP(1511|1911)'s Favourites", "Golden", KPOP, "HUNTR/X", 180, spotify);

    // Add songs to the K-Pop playlist
    add_song("K-Pop Hits", "Dynamite", KPOP, "BTS", 199, spotify);
    add_song("K-Pop Hits", "Pink Venom", KPOP, "BLACKPINK", 195, spotify);
    add_song("K-Pop Hits", "Touch", KPOP, "Katseye", 129, spotify);

    // Add songs to the chill playlist
    add_song("Chill Vibes", "Kyoto", INDIE, "Phoebe Bridgers", 242, spotify);
    add_song("Chill Vibes", "Good Days", HIPHOP, "SZA", 260, spotify);

    print_spotify(spotify);

    // // Remove songs from the favourites playlist
    remove_song(spotify, "COMP(1511|1911)'s Favourites", "Touch");
    remove_song(spotify, "COMP(1511|1911)'s Favourites", "Good Days");

    print_spotify(spotify);

    print_songs_of_genre(spotify, KPOP);

    merge_playlists(spotify, "COMP(1511|1911)'s Favourites", "K-Pop Hits");

    print_spotify(spotify);

    delete_spotify(spotify);

    return 0;
}
// spotify.c
// Sofia De Bellis
// Implmentation file for spotify

#include "spotify.h"

#include <stdio.h>
#include <stdlib.h>
#include <string.h>

struct spotify *initialise_spotify(void) {
  struct spotify *new_spotify = malloc(sizeof(struct spotify));
  new_spotify->playlists = NULL;
  return new_spotify;
}

void add_playlist(char *name, struct spotify *spotify) {
  // 1. create new the new playlist, with malloc
  struct playlist *new_playlist = malloc(sizeof(struct playlist));
  strcpy(new_playlist->name, name);
  new_playlist->num_songs = 0;
  new_playlist->songs = NULL;
  new_playlist->next = NULL;

  // 2. insert when no playlists in spotify
  if (spotify->playlists == NULL) {
    spotify->playlists = new_playlist;
    return;
  }

  // 3. insert when there are existing playlists in spotify
  new_playlist->next = spotify->playlists;
  spotify->playlists = new_playlist;
  return;
}

struct song *create_song(char *name, enum genre genre, char *artist,
                         int duration) {
  struct song *new_song = malloc(sizeof(struct song));

  strcpy(new_song->name, name);
  strcpy(new_song->artist, artist);
  new_song->genre = genre;
  new_song->duration = duration;
  new_song->next = NULL;

  return new_song;
}

void add_song(char *playlist_name, char *name, enum genre genre, char *artist,
              int duration, struct spotify *spotify) {
  struct song *new_song = create_song(name, genre, artist, duration);
  struct playlist *playlist = find_playlist(playlist_name, spotify);

  // if list empty
  if (playlist->songs == NULL) {
    playlist->songs = new_song;
    printf("%s added to %s!\n", new_song->name, playlist->name);
    return;
  }

  // traversing to find the last node in the list
  struct song *current_song = playlist->songs;
  while (current_song->next != NULL) {
    current_song = current_song->next;
  }

  // inserting the new node
  current_song->next = new_song;
  printf("%s added to %s!\n", new_song->name, playlist->name);
}

struct playlist *find_playlist(char *playlist_name, struct spotify *spotify) {
  struct playlist *current = spotify->playlists;

  while (current != NULL) {
    if (strcmp(current->name, playlist_name) == 0) {
      return current;
    }
    current = current->next;
  }

  return NULL;
}

void print_spotify(struct spotify *spotify) {
  struct playlist *current_playlist = spotify->playlists;

  printf("\n PRINTING SPOTIFY\n");
  while (current_playlist != NULL) {
    printf("🎧 %s 🎧\n", current_playlist->name);

    struct song *current_song = current_playlist->songs;
    while (current_song != NULL) {
      print_song(current_song);
      current_song = current_song->next;
    }

    current_playlist = current_playlist->next;
  }

  return;
}

void remove_song(struct spotify *spotify, char *playlist_name, char *name) {
  struct playlist *playlist = find_playlist(playlist_name, spotify);

  struct song *curr_song = playlist->songs;

  // BUG: This only checks and removes the head if it's the only node.
  // If the head matches and there are more nodes, it doesn't handle it.
  // Instead, it should check the head separately regardless of list length.
  // if (strcmp(curr_song->name, name) == 0) {
  //     printf("%s removed from %s!\n", curr_song->name, playlist->name);
  //     free(curr_song);
  //     // BUG: This sets songs to NULL even if more nodes follow.
  //     playlist->songs = NULL;
  //     return;
  // }

  // Handle head separately
  if (curr_song != NULL && strcmp(curr_song->name, name) == 0) {
    struct song *to_delete = curr_song;
    playlist->songs = curr_song->next;
    printf("%s removed from %s!\n", to_delete->name, playlist->name);
    free(to_delete);
    return;
  }

  // If the node we want to remove is anywhere in the list
  while (curr_song != NULL && curr_song->next != NULL) {
    if (strcmp(curr_song->next->name, name) == 0) {
      struct song *to_delete = curr_song->next;
      curr_song->next = to_delete->next;
      printf("%s removed from %s!\n", to_delete->name, playlist->name);
      free(to_delete);
      return;
    }
    curr_song = curr_song->next;
  }

  return;
}

// Let's implement this ourselves today!
void delete_playlist(struct playlist *playlist_to_free) {
    struct song *current_song = playlist_to_free->songs;
    struct song *next_song;

    // Inner loop for songs
    while (current_song != NULL) {
      next_song = current_song->next;
      free(current_song);
      current_song = next_song;
    }

    free(playlist_to_free);
}

// Deep-frees all memory in the spotify structure
// goes through each playlist, if there is a PL - remove all songs, then free
// the PL.
void delete_spotify(struct spotify *spotify) {
  struct playlist *current_playlist = spotify->playlists;
  struct playlist *next_playlist;

  // Outer loop for playlists
  while (current_playlist != NULL) {
    next_playlist = current_playlist->next;
    delete_playlist(current_playlist);
    current_playlist = next_playlist;
  }
  free(spotify);
}

// Let's implement this ourselves today!
void print_songs_of_genre(struct spotify *spotify, enum genre genre) { return; }

// Let's implement this ourselves today!
void merge_playlists(struct spotify *spotify, char *playlist1_name,
                     char *playlist2_name) {
  return;
}

// Provided helper functions

void print_song(struct song *song) {
  printf("   🎵 \"%s\" by %s | %s | %d:%02d\n", song->name, song->artist,
         genre_to_string(song->genre), song->duration / 60,
         song->duration % 60);
  return;
}

char *genre_to_string(enum genre genre) {
  if (genre == POP) {
    return "Pop";
  } else if (genre == KPOP) {
    return "K-Pop";
  } else if (genre == HIPHOP) {
    return "Hip-Hop";
  } else {
    return "Indie";
  }
}

void print_playlist_duration(int total_duration) {
  printf("Total duration: %d:%02d\n", total_duration / 60, total_duration % 60);
  return;
}