commit fee7ea56784e5ccfb904afb81004ca50a268a89f Author: Drake Marino Date: Sun Apr 7 12:32:23 2024 -0500 init commit - move from separate git repos diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..e1138b3 --- /dev/null +++ b/.gitignore @@ -0,0 +1,45 @@ +# Miscellaneous +*.class +*.log +*.pyc +*.swp +.DS_Store +.atom/ +.buildlog/ +.history +.svn/ +migrate_working_dir/ + +# IntelliJ related +*.iml +*.ipr +*.iws +**/.idea/ + +# The .vscode folder contains launch configuration and tasks you configure in +# VS Code which you may wish to be included in version control, so this line +# is commented out by default. +#.vscode/ + +# Flutter/Dart/Pub related +**/doc/api/ +**/ios/Flutter/.last_build_id +.dart_tool/ +.flutter-plugins +.flutter-plugins-dependencies +.packages +.pub-cache/ +.pub/ +/fbla_ui/build/ + +# Symbolication related +/fbla_ui/app.*.symbols + +# Obfuscation related +/fbla_ui/app.*.map.json + +# Android Studio will place build artifacts here +/fbla_ui/android/app/debug +/fbla_ui/android/app/profile +/fbla_ui/android/app/release + diff --git a/fbla-api/.gitignore b/fbla-api/.gitignore new file mode 100644 index 0000000..3a85790 --- /dev/null +++ b/fbla-api/.gitignore @@ -0,0 +1,3 @@ +# https://dart.dev/guides/libraries/private-files +# Created by `dart pub` +.dart_tool/ diff --git a/fbla-api/CHANGELOG.md b/fbla-api/CHANGELOG.md new file mode 100644 index 0000000..effe43c --- /dev/null +++ b/fbla-api/CHANGELOG.md @@ -0,0 +1,3 @@ +## 1.0.0 + +- Initial version. diff --git a/fbla-api/Dockerfile b/fbla-api/Dockerfile new file mode 100644 index 0000000..2a177f1 --- /dev/null +++ b/fbla-api/Dockerfile @@ -0,0 +1,17 @@ +FROM ubuntu:22.04 + +# Switch to root user for installation +USER root + +RUN apt-get update && apt-get install -y git wget gpg apt-transport-https apt-utils +RUN wget -qO- https://dl-ssl.google.com/linux/linux_signing_key.pub | gpg --dearmor -o /usr/share/keyrings/dart.gpg +RUN echo 'deb [signed-by=/usr/share/keyrings/dart.gpg arch=amd64] https://storage.googleapis.com/download.dartlang.org/linux/debian stable main' | tee /etc/apt/sources.list.d/dart_stable.list +RUN apt-get update && apt-get install -y dart +ENV PATH="$PATH:/usr/lib/dart/bin" + +RUN cd /root && git clone https://https://git.marinodev.com/MarinoDev/FBLA24.git +WORKDIR /root/FBLA24/fbla-api +RUN dart pub install + +EXPOSE 8000 +ENTRYPOINT dart run ./lib/fbla_api.dart \ No newline at end of file diff --git a/fbla-api/Jenkinsfile b/fbla-api/Jenkinsfile new file mode 100644 index 0000000..a53a593 --- /dev/null +++ b/fbla-api/Jenkinsfile @@ -0,0 +1,21 @@ +pipeline { + agent any + stages { + stage('Start API') { + steps { + sh '''docker image prune -f +docker build --no-cache -t fbla-api . +docker-compose down +docker-compose up -d''' + } + } + + stage('Run Tests') { + steps { + sh '''dart pub install +dart run ./test/fbla_api_test.dart''' + } + } + + } +} \ No newline at end of file diff --git a/fbla-api/MarinoDev.svg b/fbla-api/MarinoDev.svg new file mode 100644 index 0000000..2421e2e --- /dev/null +++ b/fbla-api/MarinoDev.svg @@ -0,0 +1,63 @@ + + + + diff --git a/fbla-api/MarinoDevTriangle.svg b/fbla-api/MarinoDevTriangle.svg new file mode 100644 index 0000000..418bb02 --- /dev/null +++ b/fbla-api/MarinoDevTriangle.svg @@ -0,0 +1,50 @@ + + + + + + + + + + diff --git a/fbla-api/README.md b/fbla-api/README.md new file mode 100644 index 0000000..3e75257 --- /dev/null +++ b/fbla-api/README.md @@ -0,0 +1,79 @@ +This is the API for my 2023-2024 FBLA Coding & Programming App + +## Installation + +1. Install [Dart SDK](https://dart.dev/get-dart) +2. Install [PostgreSQL](https://www.postgresql.org/) and set it up +3. Clone the repo +``` +git clone https://git.marinodev.com/MarinoDev/FBLA24.git +cd FBLA24/api/ +``` +3. Run `dart pub install` to install dart packages + +## Usage + +1. Create `fbla` database in postgres +``` +CREATE DATABASE fbla + WITH + OWNER = [username] + ENCODING = 'UTF8' + CONNECTION LIMIT = -1 + IS_TEMPLATE = False; +``` +Make sure to change [username] to the actual username of your postgres instance +2. Create `businesses` table +``` +-- Table: public.businesses + +-- DROP TABLE IF EXISTS public.businesses; + +CREATE TABLE IF NOT EXISTS public.businesses +( + id integer NOT NULL GENERATED ALWAYS AS IDENTITY ( INCREMENT 1 START 0 MINVALUE 0 MAXVALUE 2147483647 CACHE 1 ), + name text COLLATE pg_catalog."default" NOT NULL, + description text COLLATE pg_catalog."default" NOT NULL, + type text COLLATE pg_catalog."default" NOT NULL, + website text COLLATE pg_catalog."default" NOT NULL, + "contactName" text COLLATE pg_catalog."default" NOT NULL, + "contactEmail" text COLLATE pg_catalog."default" NOT NULL, + "contactPhone" text COLLATE pg_catalog."default" NOT NULL, + notes text COLLATE pg_catalog."default" NOT NULL, + "locationName" text COLLATE pg_catalog."default" NOT NULL, + "locationAddress" text COLLATE pg_catalog."default" NOT NULL, + CONSTRAINT businesses_pkey PRIMARY KEY (id) +) + +TABLESPACE pg_default; + +ALTER TABLE IF EXISTS public.businesses + OWNER to [username]; +``` +Make sure to change [username] to the actual username of your postgres instance +3. Create `users` table +``` +-- Table: public.users + +-- DROP TABLE IF EXISTS public.users; + +CREATE TABLE IF NOT EXISTS public.users +( + username text COLLATE pg_catalog."default" NOT NULL, + password_hash text COLLATE pg_catalog."default" NOT NULL, + salt text COLLATE pg_catalog."default" NOT NULL, + CONSTRAINT users_pkey PRIMARY KEY (username), + CONSTRAINT username UNIQUE (username) +) + +TABLESPACE pg_default; + +ALTER TABLE IF EXISTS public.users + OWNER to postgres; +``` +4. Set environment variables `POSTGRES_ADDRESS` (IP address), `POSTGRES_PORT` (default 5432), `POSTGRES_USERNAME`, and `POSTGRES_PASSWORD` to appropriate information for your postgres database. Also set `SECRET_KEY` to anything you want to genera te JSON Web Tokens. +5. Set lib/create_first_user.dart username and password variables at top of file and run with `dart run lib/create_first_user.dart` +Note: the username and password you use here will be what you use to log into the app as an admin +6. Your database should be all set up! Start the API with `dart run lib/fbla_api.dart` or alternatively, run it in a docker container with [Docker Build](https://docs.docker.com/reference/cli/docker/image/build/) and [Docker Compose](https://docs.docker.com/compose/) using the included [Dockerfile](Dockerfile) and [docker-compose.yml](docker-compose.yml) files. If using `Docker Compose`, change the first portion of the volumes path on line 9 to any desired storage location. +Note the address it is serving at, you will need this to connect it to the UI, and to run tests. +7. Test your api with `dart run test/fbla_api_test.dart`, setting `apiAddress` on line 8 to your api address. \ No newline at end of file diff --git a/fbla-api/analysis_options.yaml b/fbla-api/analysis_options.yaml new file mode 100644 index 0000000..dee8927 --- /dev/null +++ b/fbla-api/analysis_options.yaml @@ -0,0 +1,30 @@ +# This file configures the static analysis results for your project (errors, +# warnings, and lints). +# +# This enables the 'recommended' set of lints from `package:lints`. +# This set helps identify many issues that may lead to problems when running +# or consuming Dart code, and enforces writing Dart using a single, idiomatic +# style and format. +# +# If you want a smaller set of lints you can change this to specify +# 'package:lints/core.yaml'. These are just the most critical lints +# (the recommended set includes the core lints). +# The core lints are also what is used by pub.dev for scoring packages. + +include: package:lints/recommended.yaml + +# Uncomment the following section to specify additional rules. + +# linter: +# rules: +# - camel_case_types + +# analyzer: +# exclude: +# - path/to/excluded/files/** + +# For more information about the core and recommended set of lints, see +# https://dart.dev/go/core-lints + +# For additional information about configuring this file, see +# https://dart.dev/guides/language/analysis-options diff --git a/fbla-api/certificates/cert.pem b/fbla-api/certificates/cert.pem new file mode 100644 index 0000000..c6bcdd3 --- /dev/null +++ b/fbla-api/certificates/cert.pem @@ -0,0 +1,25 @@ +-----BEGIN CERTIFICATE----- +MIIEQzCCAyugAwIBAgISA1MOaRzFLZim3nvjG7iscMdEMA0GCSqGSIb3DQEBCwUA +MDIxCzAJBgNVBAYTAlVTMRYwFAYDVQQKEw1MZXQncyBFbmNyeXB0MQswCQYDVQQD +EwJSMzAeFw0yMzEyMTQyMjI5NTVaFw0yNDAzMTMyMjI5NTRaMCAxHjAcBgNVBAMT +FWhvbWVsYWIubWFyaW5vZGV2LmNvbTBZMBMGByqGSM49AgEGCCqGSM49AwEHA0IA +BER7NDX7FANFf72Pqwl5haoczQchiOhMGNyMa5foT0aYG2DeMQeEhpl+17vBzEwu +KewujegQNWZdNHVbGxqdUmWjggIuMIICKjAOBgNVHQ8BAf8EBAMCB4AwHQYDVR0l +BBYwFAYIKwYBBQUHAwEGCCsGAQUFBwMCMAwGA1UdEwEB/wQCMAAwHQYDVR0OBBYE +FOsys6fx3sqsaEaqklTWasLzlNJzMB8GA1UdIwQYMBaAFBQusxe3WFbLrlAJQOYf +r52LFMLGMFUGCCsGAQUFBwEBBEkwRzAhBggrBgEFBQcwAYYVaHR0cDovL3IzLm8u +bGVuY3Iub3JnMCIGCCsGAQUFBzAChhZodHRwOi8vcjMuaS5sZW5jci5vcmcvMDgG +A1UdEQQxMC+CFWhvbWVsYWIubWFyaW5vZGV2LmNvbYIWbWFyaW5vLW5hcy5zeW5v +bG9neS5tZTATBgNVHSAEDDAKMAgGBmeBDAECATCCAQMGCisGAQQB1nkCBAIEgfQE +gfEA7wB2AEiw42vapkc0D+VqAvqdMOscUgHLVt0sgdm7v6s52IRzAAABjGqqUTkA +AAQDAEcwRQIhAJncD2v9CgQii1KCLJhILJ96Jy7mE3a1ptaZ8sip8k3xAiBXw7ML +wbp/ikIzl0xYTeJsjU7lp7/VI26K+luw++dsMgB1AO7N0GTV2xrOxVy3nbTNE6Iy +h0Z8vOzew1FIWUZxH7WbAAABjGqqUTsAAAQDAEYwRAIgSXZW95Cafz5olbebYbSH +xlvPXhmJaspB7XzEsQP2i6kCIHa1QcGg9vyXJ6apl7WSPIz4DLJb6/ZeaHkPqAC5 +NjKPMA0GCSqGSIb3DQEBCwUAA4IBAQBSKsqvA8v8h1WmTjudd8cRWc3RdU6lgq/E +pTXX6XWYFpU+D7jprp/NeW8RmVToQRUi6A3Bv9KnrsHG5HpwJ37SLh6Gv8s2t1A/ +8FyNyndjuBKxFSaoJKkqlKUA657dXh67if5WLZYZYQdArRw3Q+fQOfSit8+RomTY +xmNVnRVO5+JRwxwbk/WT8tZHOb3Cd7Ozo7d2vpwH/KqY4RM7ajV8shzulMlAtqfT +ahi4ph8eUm43nCJPsVa4ddQLaV4z8EXoQ/SAsjrMkbAyg4G3uKoCqPUX4lnvqAAW +7kxmH8lJpkh76sz7gT1j/vzk9Fbslk3+8oa8PUO9PYQWfYwzWIs2 +-----END CERTIFICATE----- diff --git a/fbla-api/certificates/chain.pem b/fbla-api/certificates/chain.pem new file mode 100644 index 0000000..ca1c1a6 --- /dev/null +++ b/fbla-api/certificates/chain.pem @@ -0,0 +1,61 @@ +-----BEGIN CERTIFICATE----- +MIIFFjCCAv6gAwIBAgIRAJErCErPDBinU/bWLiWnX1owDQYJKoZIhvcNAQELBQAw +TzELMAkGA1UEBhMCVVMxKTAnBgNVBAoTIEludGVybmV0IFNlY3VyaXR5IFJlc2Vh +cmNoIEdyb3VwMRUwEwYDVQQDEwxJU1JHIFJvb3QgWDEwHhcNMjAwOTA0MDAwMDAw +WhcNMjUwOTE1MTYwMDAwWjAyMQswCQYDVQQGEwJVUzEWMBQGA1UEChMNTGV0J3Mg +RW5jcnlwdDELMAkGA1UEAxMCUjMwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEK +AoIBAQC7AhUozPaglNMPEuyNVZLD+ILxmaZ6QoinXSaqtSu5xUyxr45r+XXIo9cP +R5QUVTVXjJ6oojkZ9YI8QqlObvU7wy7bjcCwXPNZOOftz2nwWgsbvsCUJCWH+jdx +sxPnHKzhm+/b5DtFUkWWqcFTzjTIUu61ru2P3mBw4qVUq7ZtDpelQDRrK9O8Zutm +NHz6a4uPVymZ+DAXXbpyb/uBxa3Shlg9F8fnCbvxK/eG3MHacV3URuPMrSXBiLxg +Z3Vms/EY96Jc5lP/Ooi2R6X/ExjqmAl3P51T+c8B5fWmcBcUr2Ok/5mzk53cU6cG +/kiFHaFpriV1uxPMUgP17VGhi9sVAgMBAAGjggEIMIIBBDAOBgNVHQ8BAf8EBAMC +AYYwHQYDVR0lBBYwFAYIKwYBBQUHAwIGCCsGAQUFBwMBMBIGA1UdEwEB/wQIMAYB +Af8CAQAwHQYDVR0OBBYEFBQusxe3WFbLrlAJQOYfr52LFMLGMB8GA1UdIwQYMBaA +FHm0WeZ7tuXkAXOACIjIGlj26ZtuMDIGCCsGAQUFBwEBBCYwJDAiBggrBgEFBQcw +AoYWaHR0cDovL3gxLmkubGVuY3Iub3JnLzAnBgNVHR8EIDAeMBygGqAYhhZodHRw +Oi8veDEuYy5sZW5jci5vcmcvMCIGA1UdIAQbMBkwCAYGZ4EMAQIBMA0GCysGAQQB +gt8TAQEBMA0GCSqGSIb3DQEBCwUAA4ICAQCFyk5HPqP3hUSFvNVneLKYY611TR6W +PTNlclQtgaDqw+34IL9fzLdwALduO/ZelN7kIJ+m74uyA+eitRY8kc607TkC53wl +ikfmZW4/RvTZ8M6UK+5UzhK8jCdLuMGYL6KvzXGRSgi3yLgjewQtCPkIVz6D2QQz +CkcheAmCJ8MqyJu5zlzyZMjAvnnAT45tRAxekrsu94sQ4egdRCnbWSDtY7kh+BIm +lJNXoB1lBMEKIq4QDUOXoRgffuDghje1WrG9ML+Hbisq/yFOGwXD9RiX8F6sw6W4 +avAuvDszue5L3sz85K+EC4Y/wFVDNvZo4TYXao6Z0f+lQKc0t8DQYzk1OXVu8rp2 +yJMC6alLbBfODALZvYH7n7do1AZls4I9d1P4jnkDrQoxB3UqQ9hVl3LEKQ73xF1O +yK5GhDDX8oVfGKF5u+decIsH4YaTw7mP3GFxJSqv3+0lUFJoi5Lc5da149p90Ids +hCExroL1+7mryIkXPeFM5TgO9r0rvZaBFOvV2z0gp35Z0+L4WPlbuEjN/lxPFin+ +HlUjr8gRsI3qfJOQFy/9rKIJR0Y/8Omwt/8oTWgy1mdeHmmjk7j1nYsvC9JSQ6Zv +MldlTTKB3zhThV1+XWYp6rjd5JW1zbVWEkLNxE7GJThEUG3szgBVGP7pSWTUTsqX +nLRbwHOoq7hHwg== +-----END CERTIFICATE----- +-----BEGIN CERTIFICATE----- +MIIFYDCCBEigAwIBAgIQQAF3ITfU6UK47naqPGQKtzANBgkqhkiG9w0BAQsFADA/ +MSQwIgYDVQQKExtEaWdpdGFsIFNpZ25hdHVyZSBUcnVzdCBDby4xFzAVBgNVBAMT +DkRTVCBSb290IENBIFgzMB4XDTIxMDEyMDE5MTQwM1oXDTI0MDkzMDE4MTQwM1ow +TzELMAkGA1UEBhMCVVMxKTAnBgNVBAoTIEludGVybmV0IFNlY3VyaXR5IFJlc2Vh +cmNoIEdyb3VwMRUwEwYDVQQDEwxJU1JHIFJvb3QgWDEwggIiMA0GCSqGSIb3DQEB +AQUAA4ICDwAwggIKAoICAQCt6CRz9BQ385ueK1coHIe+3LffOJCMbjzmV6B493XC +ov71am72AE8o295ohmxEk7axY/0UEmu/H9LqMZshftEzPLpI9d1537O4/xLxIZpL +wYqGcWlKZmZsj348cL+tKSIG8+TA5oCu4kuPt5l+lAOf00eXfJlII1PoOK5PCm+D +LtFJV4yAdLbaL9A4jXsDcCEbdfIwPPqPrt3aY6vrFk/CjhFLfs8L6P+1dy70sntK +4EwSJQxwjQMpoOFTJOwT2e4ZvxCzSow/iaNhUd6shweU9GNx7C7ib1uYgeGJXDR5 +bHbvO5BieebbpJovJsXQEOEO3tkQjhb7t/eo98flAgeYjzYIlefiN5YNNnWe+w5y +sR2bvAP5SQXYgd0FtCrWQemsAXaVCg/Y39W9Eh81LygXbNKYwagJZHduRze6zqxZ +Xmidf3LWicUGQSk+WT7dJvUkyRGnWqNMQB9GoZm1pzpRboY7nn1ypxIFeFntPlF4 +FQsDj43QLwWyPntKHEtzBRL8xurgUBN8Q5N0s8p0544fAQjQMNRbcTa0B7rBMDBc +SLeCO5imfWCKoqMpgsy6vYMEG6KDA0Gh1gXxG8K28Kh8hjtGqEgqiNx2mna/H2ql +PRmP6zjzZN7IKw0KKP/32+IVQtQi0Cdd4Xn+GOdwiK1O5tmLOsbdJ1Fu/7xk9TND +TwIDAQABo4IBRjCCAUIwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYw +SwYIKwYBBQUHAQEEPzA9MDsGCCsGAQUFBzAChi9odHRwOi8vYXBwcy5pZGVudHJ1 +c3QuY29tL3Jvb3RzL2RzdHJvb3RjYXgzLnA3YzAfBgNVHSMEGDAWgBTEp7Gkeyxx ++tvhS5B1/8QVYIWJEDBUBgNVHSAETTBLMAgGBmeBDAECATA/BgsrBgEEAYLfEwEB +ATAwMC4GCCsGAQUFBwIBFiJodHRwOi8vY3BzLnJvb3QteDEubGV0c2VuY3J5cHQu +b3JnMDwGA1UdHwQ1MDMwMaAvoC2GK2h0dHA6Ly9jcmwuaWRlbnRydXN0LmNvbS9E +U1RST09UQ0FYM0NSTC5jcmwwHQYDVR0OBBYEFHm0WeZ7tuXkAXOACIjIGlj26Ztu +MA0GCSqGSIb3DQEBCwUAA4IBAQAKcwBslm7/DlLQrt2M51oGrS+o44+/yQoDFVDC +5WxCu2+b9LRPwkSICHXM6webFGJueN7sJ7o5XPWioW5WlHAQU7G75K/QosMrAdSW +9MUgNTP52GE24HGNtLi1qoJFlcDyqSMo59ahy2cI2qBDLKobkx/J3vWraV0T9VuG +WCLKTVXkcGdtwlfFRjlBz4pYg1htmf5X6DYO8A4jqv2Il9DjXA6USbW1FzXSLr9O +he8Y4IWS6wY7bCkjCWDcRQJMEhg76fsO3txE+FiYruq9RUWhiF1myv4Q6W+CyBFC +Dfvp7OOGAN6dEOM4+qR9sdjoSYKEBpsr6GtPAQw4dy753ec5 +-----END CERTIFICATE----- diff --git a/fbla-api/certificates/fullchain.pem b/fbla-api/certificates/fullchain.pem new file mode 100644 index 0000000..b2995b7 --- /dev/null +++ b/fbla-api/certificates/fullchain.pem @@ -0,0 +1,86 @@ +-----BEGIN CERTIFICATE----- +MIIEQzCCAyugAwIBAgISA1MOaRzFLZim3nvjG7iscMdEMA0GCSqGSIb3DQEBCwUA +MDIxCzAJBgNVBAYTAlVTMRYwFAYDVQQKEw1MZXQncyBFbmNyeXB0MQswCQYDVQQD +EwJSMzAeFw0yMzEyMTQyMjI5NTVaFw0yNDAzMTMyMjI5NTRaMCAxHjAcBgNVBAMT +FWhvbWVsYWIubWFyaW5vZGV2LmNvbTBZMBMGByqGSM49AgEGCCqGSM49AwEHA0IA +BER7NDX7FANFf72Pqwl5haoczQchiOhMGNyMa5foT0aYG2DeMQeEhpl+17vBzEwu +KewujegQNWZdNHVbGxqdUmWjggIuMIICKjAOBgNVHQ8BAf8EBAMCB4AwHQYDVR0l +BBYwFAYIKwYBBQUHAwEGCCsGAQUFBwMCMAwGA1UdEwEB/wQCMAAwHQYDVR0OBBYE +FOsys6fx3sqsaEaqklTWasLzlNJzMB8GA1UdIwQYMBaAFBQusxe3WFbLrlAJQOYf +r52LFMLGMFUGCCsGAQUFBwEBBEkwRzAhBggrBgEFBQcwAYYVaHR0cDovL3IzLm8u +bGVuY3Iub3JnMCIGCCsGAQUFBzAChhZodHRwOi8vcjMuaS5sZW5jci5vcmcvMDgG +A1UdEQQxMC+CFWhvbWVsYWIubWFyaW5vZGV2LmNvbYIWbWFyaW5vLW5hcy5zeW5v +bG9neS5tZTATBgNVHSAEDDAKMAgGBmeBDAECATCCAQMGCisGAQQB1nkCBAIEgfQE +gfEA7wB2AEiw42vapkc0D+VqAvqdMOscUgHLVt0sgdm7v6s52IRzAAABjGqqUTkA +AAQDAEcwRQIhAJncD2v9CgQii1KCLJhILJ96Jy7mE3a1ptaZ8sip8k3xAiBXw7ML +wbp/ikIzl0xYTeJsjU7lp7/VI26K+luw++dsMgB1AO7N0GTV2xrOxVy3nbTNE6Iy +h0Z8vOzew1FIWUZxH7WbAAABjGqqUTsAAAQDAEYwRAIgSXZW95Cafz5olbebYbSH +xlvPXhmJaspB7XzEsQP2i6kCIHa1QcGg9vyXJ6apl7WSPIz4DLJb6/ZeaHkPqAC5 +NjKPMA0GCSqGSIb3DQEBCwUAA4IBAQBSKsqvA8v8h1WmTjudd8cRWc3RdU6lgq/E +pTXX6XWYFpU+D7jprp/NeW8RmVToQRUi6A3Bv9KnrsHG5HpwJ37SLh6Gv8s2t1A/ +8FyNyndjuBKxFSaoJKkqlKUA657dXh67if5WLZYZYQdArRw3Q+fQOfSit8+RomTY +xmNVnRVO5+JRwxwbk/WT8tZHOb3Cd7Ozo7d2vpwH/KqY4RM7ajV8shzulMlAtqfT +ahi4ph8eUm43nCJPsVa4ddQLaV4z8EXoQ/SAsjrMkbAyg4G3uKoCqPUX4lnvqAAW +7kxmH8lJpkh76sz7gT1j/vzk9Fbslk3+8oa8PUO9PYQWfYwzWIs2 +-----END CERTIFICATE----- +-----BEGIN CERTIFICATE----- +MIIFFjCCAv6gAwIBAgIRAJErCErPDBinU/bWLiWnX1owDQYJKoZIhvcNAQELBQAw +TzELMAkGA1UEBhMCVVMxKTAnBgNVBAoTIEludGVybmV0IFNlY3VyaXR5IFJlc2Vh +cmNoIEdyb3VwMRUwEwYDVQQDEwxJU1JHIFJvb3QgWDEwHhcNMjAwOTA0MDAwMDAw +WhcNMjUwOTE1MTYwMDAwWjAyMQswCQYDVQQGEwJVUzEWMBQGA1UEChMNTGV0J3Mg +RW5jcnlwdDELMAkGA1UEAxMCUjMwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEK +AoIBAQC7AhUozPaglNMPEuyNVZLD+ILxmaZ6QoinXSaqtSu5xUyxr45r+XXIo9cP +R5QUVTVXjJ6oojkZ9YI8QqlObvU7wy7bjcCwXPNZOOftz2nwWgsbvsCUJCWH+jdx +sxPnHKzhm+/b5DtFUkWWqcFTzjTIUu61ru2P3mBw4qVUq7ZtDpelQDRrK9O8Zutm +NHz6a4uPVymZ+DAXXbpyb/uBxa3Shlg9F8fnCbvxK/eG3MHacV3URuPMrSXBiLxg +Z3Vms/EY96Jc5lP/Ooi2R6X/ExjqmAl3P51T+c8B5fWmcBcUr2Ok/5mzk53cU6cG +/kiFHaFpriV1uxPMUgP17VGhi9sVAgMBAAGjggEIMIIBBDAOBgNVHQ8BAf8EBAMC +AYYwHQYDVR0lBBYwFAYIKwYBBQUHAwIGCCsGAQUFBwMBMBIGA1UdEwEB/wQIMAYB +Af8CAQAwHQYDVR0OBBYEFBQusxe3WFbLrlAJQOYfr52LFMLGMB8GA1UdIwQYMBaA +FHm0WeZ7tuXkAXOACIjIGlj26ZtuMDIGCCsGAQUFBwEBBCYwJDAiBggrBgEFBQcw +AoYWaHR0cDovL3gxLmkubGVuY3Iub3JnLzAnBgNVHR8EIDAeMBygGqAYhhZodHRw +Oi8veDEuYy5sZW5jci5vcmcvMCIGA1UdIAQbMBkwCAYGZ4EMAQIBMA0GCysGAQQB +gt8TAQEBMA0GCSqGSIb3DQEBCwUAA4ICAQCFyk5HPqP3hUSFvNVneLKYY611TR6W +PTNlclQtgaDqw+34IL9fzLdwALduO/ZelN7kIJ+m74uyA+eitRY8kc607TkC53wl +ikfmZW4/RvTZ8M6UK+5UzhK8jCdLuMGYL6KvzXGRSgi3yLgjewQtCPkIVz6D2QQz +CkcheAmCJ8MqyJu5zlzyZMjAvnnAT45tRAxekrsu94sQ4egdRCnbWSDtY7kh+BIm +lJNXoB1lBMEKIq4QDUOXoRgffuDghje1WrG9ML+Hbisq/yFOGwXD9RiX8F6sw6W4 +avAuvDszue5L3sz85K+EC4Y/wFVDNvZo4TYXao6Z0f+lQKc0t8DQYzk1OXVu8rp2 +yJMC6alLbBfODALZvYH7n7do1AZls4I9d1P4jnkDrQoxB3UqQ9hVl3LEKQ73xF1O +yK5GhDDX8oVfGKF5u+decIsH4YaTw7mP3GFxJSqv3+0lUFJoi5Lc5da149p90Ids +hCExroL1+7mryIkXPeFM5TgO9r0rvZaBFOvV2z0gp35Z0+L4WPlbuEjN/lxPFin+ +HlUjr8gRsI3qfJOQFy/9rKIJR0Y/8Omwt/8oTWgy1mdeHmmjk7j1nYsvC9JSQ6Zv +MldlTTKB3zhThV1+XWYp6rjd5JW1zbVWEkLNxE7GJThEUG3szgBVGP7pSWTUTsqX +nLRbwHOoq7hHwg== +-----END CERTIFICATE----- +-----BEGIN CERTIFICATE----- +MIIFYDCCBEigAwIBAgIQQAF3ITfU6UK47naqPGQKtzANBgkqhkiG9w0BAQsFADA/ +MSQwIgYDVQQKExtEaWdpdGFsIFNpZ25hdHVyZSBUcnVzdCBDby4xFzAVBgNVBAMT +DkRTVCBSb290IENBIFgzMB4XDTIxMDEyMDE5MTQwM1oXDTI0MDkzMDE4MTQwM1ow +TzELMAkGA1UEBhMCVVMxKTAnBgNVBAoTIEludGVybmV0IFNlY3VyaXR5IFJlc2Vh +cmNoIEdyb3VwMRUwEwYDVQQDEwxJU1JHIFJvb3QgWDEwggIiMA0GCSqGSIb3DQEB +AQUAA4ICDwAwggIKAoICAQCt6CRz9BQ385ueK1coHIe+3LffOJCMbjzmV6B493XC +ov71am72AE8o295ohmxEk7axY/0UEmu/H9LqMZshftEzPLpI9d1537O4/xLxIZpL +wYqGcWlKZmZsj348cL+tKSIG8+TA5oCu4kuPt5l+lAOf00eXfJlII1PoOK5PCm+D +LtFJV4yAdLbaL9A4jXsDcCEbdfIwPPqPrt3aY6vrFk/CjhFLfs8L6P+1dy70sntK +4EwSJQxwjQMpoOFTJOwT2e4ZvxCzSow/iaNhUd6shweU9GNx7C7ib1uYgeGJXDR5 +bHbvO5BieebbpJovJsXQEOEO3tkQjhb7t/eo98flAgeYjzYIlefiN5YNNnWe+w5y +sR2bvAP5SQXYgd0FtCrWQemsAXaVCg/Y39W9Eh81LygXbNKYwagJZHduRze6zqxZ +Xmidf3LWicUGQSk+WT7dJvUkyRGnWqNMQB9GoZm1pzpRboY7nn1ypxIFeFntPlF4 +FQsDj43QLwWyPntKHEtzBRL8xurgUBN8Q5N0s8p0544fAQjQMNRbcTa0B7rBMDBc +SLeCO5imfWCKoqMpgsy6vYMEG6KDA0Gh1gXxG8K28Kh8hjtGqEgqiNx2mna/H2ql +PRmP6zjzZN7IKw0KKP/32+IVQtQi0Cdd4Xn+GOdwiK1O5tmLOsbdJ1Fu/7xk9TND +TwIDAQABo4IBRjCCAUIwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYw +SwYIKwYBBQUHAQEEPzA9MDsGCCsGAQUFBzAChi9odHRwOi8vYXBwcy5pZGVudHJ1 +c3QuY29tL3Jvb3RzL2RzdHJvb3RjYXgzLnA3YzAfBgNVHSMEGDAWgBTEp7Gkeyxx ++tvhS5B1/8QVYIWJEDBUBgNVHSAETTBLMAgGBmeBDAECATA/BgsrBgEEAYLfEwEB +ATAwMC4GCCsGAQUFBwIBFiJodHRwOi8vY3BzLnJvb3QteDEubGV0c2VuY3J5cHQu +b3JnMDwGA1UdHwQ1MDMwMaAvoC2GK2h0dHA6Ly9jcmwuaWRlbnRydXN0LmNvbS9E +U1RST09UQ0FYM0NSTC5jcmwwHQYDVR0OBBYEFHm0WeZ7tuXkAXOACIjIGlj26Ztu +MA0GCSqGSIb3DQEBCwUAA4IBAQAKcwBslm7/DlLQrt2M51oGrS+o44+/yQoDFVDC +5WxCu2+b9LRPwkSICHXM6webFGJueN7sJ7o5XPWioW5WlHAQU7G75K/QosMrAdSW +9MUgNTP52GE24HGNtLi1qoJFlcDyqSMo59ahy2cI2qBDLKobkx/J3vWraV0T9VuG +WCLKTVXkcGdtwlfFRjlBz4pYg1htmf5X6DYO8A4jqv2Il9DjXA6USbW1FzXSLr9O +he8Y4IWS6wY7bCkjCWDcRQJMEhg76fsO3txE+FiYruq9RUWhiF1myv4Q6W+CyBFC +Dfvp7OOGAN6dEOM4+qR9sdjoSYKEBpsr6GtPAQw4dy753ec5 +-----END CERTIFICATE----- diff --git a/fbla-api/certificates/privkey.pem b/fbla-api/certificates/privkey.pem new file mode 100644 index 0000000..88c197b --- /dev/null +++ b/fbla-api/certificates/privkey.pem @@ -0,0 +1,5 @@ +-----BEGIN PRIVATE KEY----- +MIGHAgEAMBMGByqGSM49AgEGCCqGSM49AwEHBG0wawIBAQQgBRfv5A/Ky/0a239v ++dD1tqdxLpNTW4S1Xnu7FhizFyWhRANCAAREezQ1+xQDRX+9j6sJeYWqHM0HIYjo +TBjcjGuX6E9GmBtg3jEHhIaZfte7wcxMLinsLo3oEDVmXTR1WxsanVJl +-----END PRIVATE KEY----- diff --git a/fbla-api/docker-compose.yml b/fbla-api/docker-compose.yml new file mode 100644 index 0000000..932d115 --- /dev/null +++ b/fbla-api/docker-compose.yml @@ -0,0 +1,15 @@ +version: '3' + +services: + fbla_api: + image: fbla-api + ports: + - "8000:8000" + volumes: + - /var/jenkins_home/logos:/root/FBLA24/fbla-api/logos + environment: + - POSTGRES_USERNAME + - POSTGRES_PASSWORD + - SECRET_KEY + - POSTGRES_ADDRESS + - POSTGRES_PORT \ No newline at end of file diff --git a/fbla-api/lib/create_first_user.dart b/fbla-api/lib/create_first_user.dart new file mode 100644 index 0000000..9415720 --- /dev/null +++ b/fbla-api/lib/create_first_user.dart @@ -0,0 +1,46 @@ +import 'dart:math'; +import 'dart:typed_data'; +import 'package:argon2/argon2.dart'; +import 'dart:io'; +import 'package:postgres/postgres.dart'; + +String username = 'admin'; +String password = 'password'; + +var r = Random.secure(); +String randomSalt = String.fromCharCodes(List.generate(32, (index) => r.nextInt(33) + 89)); +final salt = randomSalt.toBytesLatin1(); + +var parameters = Argon2Parameters( + Argon2Parameters.ARGON2_i, + salt, + version: Argon2Parameters.ARGON2_VERSION_10, + iterations: 2, + memoryPowerOf2: 16, +); + +final postgres = PostgreSQLConnection( + Platform.environment['POSTGRES_ADDRESS']!, + int.parse(Platform.environment['POSTGRES_PORT']!), + 'fbla', + username: Platform.environment['POSTGRES_USERNAME'], + password: Platform.environment['POSTGRES_PASSWORD'], +); + +Future main() async { + await postgres.open(); + var argon2 = Argon2BytesGenerator(); + argon2.init(parameters); + + var passwordBytes = parameters.converter.convert(password); + var result = Uint8List(32); + argon2.generateBytes(passwordBytes, result); + var resultHex = result.toHexString(); + + postgres.query( + ''' + INSERT INTO public.users (username, password_hash, salt) + VALUES ('$username', '$resultHex', '$randomSalt') + ''' + ); +} diff --git a/fbla-api/lib/fbla_api.dart b/fbla-api/lib/fbla_api.dart new file mode 100644 index 0000000..c419c4f --- /dev/null +++ b/fbla-api/lib/fbla_api.dart @@ -0,0 +1,472 @@ +import 'dart:convert'; +import 'dart:io'; +import 'dart:math'; +import 'dart:typed_data'; +import 'package:dart_jsonwebtoken/dart_jsonwebtoken.dart'; +import 'package:postgres/postgres.dart'; +import 'package:shelf/shelf.dart'; +import 'package:shelf/shelf_io.dart' as io; +import 'package:shelf_router/shelf_router.dart'; +import 'package:http/http.dart' as http; +import 'package:argon2/argon2.dart'; + + +SecretKey secretKey = SecretKey(Platform.environment['SECRET_KEY']!); + +enum BusinessType { + food, + shop, + outdoors, + manufacturing, + other, +} + +class Business { + int id; + String name; + String description; + BusinessType type; + String website; + String contactName; + String contactEmail; + String contactPhone; + String notes; + String locationName; + String locationAddress; + + Business({ + required this.id, + required this.name, + required this.description, + required this.type, + required this.website, + required this.contactName, + required this.contactEmail, + required this.contactPhone, + required this.notes, + required this.locationName, + required this.locationAddress, + }); + + factory Business.fromJson(Map json) { + bool typeValid = true; + try { + BusinessType.values.byName(json['type']); + } catch (e) { + typeValid = false; + } + return Business( + id: json['id'], + name: json['name'], + description: json['description'], + type: typeValid + ? BusinessType.values.byName(json['type']) + : BusinessType.other, + website: json['website'], + contactName: json['contactName'], + contactEmail: json['contactEmail'], + contactPhone: json['contactPhone'], + notes: json['notes'], + locationName: json['locationName'], + locationAddress: json['locationAddress'], + ); + } +} + +Future fetchBusinessData() async { + final result = await postgres.query( + ''' + SELECT json_agg( + json_build_object( + 'id', id, + 'name', name, + 'description', description, + 'type', type, + 'website', website, + 'contactName', "contactName", + 'contactEmail', "contactEmail", + 'contactPhone', "contactPhone", + 'notes', notes, + 'locationName', "locationName", + 'locationAddress', "locationAddress" + ) + ) FROM businesses + ''' + ); + + var encoded = json.encode(result); + var decoded = json.decode(encoded); + encoded = json.encode(decoded[0][0]); + return encoded; +} + +//set defaults +String _hostname = 'localhost'; +const _port = 8000; + + +final postgres = PostgreSQLConnection( + Platform.environment['POSTGRES_ADDRESS']!, + int.parse(Platform.environment['POSTGRES_PORT']!), + 'fbla', + username: Platform.environment['POSTGRES_USERNAME'], + password: Platform.environment['POSTGRES_PASSWORD'], +); + + + +void main() async { + await postgres.open(); + + final app = Router(); + + // routes + app.get('/fbla-api/hello', (Request request) async { + print('Hello received'); + + return Response.ok( + 'Hello, World!', + headers: {'Access-Control-Allow-Origin': '*'}, + ); + }); + app.get('/fbla-api/businessdata', (Request request) async { + print('business data request received'); + final output = await fetchBusinessData(); + return Response.ok( + output.toString(), + headers: {'Access-Control-Allow-Origin': '*'}, + ); + }); + app.get('/fbla-api/logos/', (Request request, String logoId) { + print('business logo request received'); + + var logo = File('logos/$logoId.png'); + List content = logo.readAsBytesSync(); + + return Response.ok( + content, + headers: { + 'Access-Control-Allow-Origin': '*', + 'Content-Type': 'image/png' + }, + ); + }); + app.post('/fbla-api/createbusiness', (Request request) async { + print('create business request received'); + + final payload = await request.readAsString(); + var auth = request.headers['Authorization']?.replaceAll('Bearer ', ''); + try { + JWT.verify(auth!, secretKey); + var json = jsonDecode(payload); + Business business = Business.fromJson(json); + + await postgres.query( + ''' + INSERT INTO businesses (name, description, type, website, "contactName", "contactPhone", "contactEmail", notes, "locationName", "locationAddress") + VALUES ('${business.name.replaceAll("'", "''")}', '${business.description.replaceAll("'", "''")}', '${business.type.name}', '${business.website}', '${business.contactName.replaceAll("'", "''")}', '${business.contactPhone}', '${business.contactEmail}', '${business.notes.replaceAll("'", "''")}', '${business.locationName.replaceAll("'", "''")}', '${business.locationAddress.replaceAll("'", "''")}') + ''' + ); + + final dbBusiness = await postgres.query( + '''SELECT * FROM public.businesses + ORDER BY id DESC LIMIT 1'''); + var id = dbBusiness[0][0]; + var logoResponse = await http.get( + Uri.http('logo.clearbit.com', '/${business.website}'), + ); + + if (logoResponse.headers.toString().contains('image/png')) { + await File('logos/$id.png').writeAsBytes(logoResponse.bodyBytes); + } + return Response.ok( + id.toString(), + headers: {'Access-Control-Allow-Origin': '*'}, + ); + } on JWTExpiredException { + print('JWT Expired'); + } on JWTException catch (e) { + print(e.message); + } + + return Response.unauthorized( + 'unauthorized', + headers: {'Access-Control-Allow-Origin': '*'}, + ); + }); + app.post('/fbla-api/deletebusiness', (Request request) async { + print('delete business request received'); + + + final payload = await request.readAsString(); + var auth = request.headers['Authorization']?.replaceAll('Bearer ', ''); + try { + JWT.verify(auth!, secretKey); + var json = jsonDecode(payload); + var id = json['id']; + + await postgres.query( + ''' + DELETE FROM public.businesses + WHERE id IN + ($id); + ''' + ); + + try{ + await File('logos/$id.png').delete(); + } catch(e) { + print(e); + } + + return Response.ok( + id.toString(), + headers: {'Access-Control-Allow-Origin': '*'}, + ); + } on JWTExpiredException { + print('JWT Expired'); + } on JWTException catch (e) { + print(e.message); + } + + return Response.unauthorized( + 'unauthorized', + headers: {'Access-Control-Allow-Origin': '*'}, + ); + }); + app.post('/fbla-api/editbusiness', (Request request) async { + print('edit business request received'); + + final payload = await request.readAsString(); + var auth = request.headers['Authorization']?.replaceAll('Bearer ', ''); + try { + JWT.verify(auth!, secretKey); + + var json = jsonDecode(payload); + Business business = Business.fromJson(json); + + await postgres.query( + ''' + UPDATE businesses SET + name = '${business.name.replaceAll("'", "''")}'::text, description = '${business.description.replaceAll("'", "''")}'::text, website = '${business.website}'::text, type = '${business.type.name}'::text, "contactName" = '${business.contactName.replaceAll("'", "''")}'::text, "contactPhone" = '${business.contactPhone}'::text, "contactEmail" = '${business.contactEmail}'::text, notes = '${business.notes.replaceAll("'", "''")}'::text, "locationName" = '${business.locationName.replaceAll("'", "''")}'::text, "locationAddress" = '${business.locationAddress.replaceAll("'", "''")}'::text WHERE + id = ${business.id}; + ''' + ); + + var logoResponse = await http.get( + Uri.http('logo.clearbit.com', '/${business.website}'), + ); + + try { + await File('logos/${business.id}.png').delete(); + } catch(e) { + print(e); + } + if (logoResponse.headers.toString().contains('image/png')) { + await File('logos/${business.id}.png').writeAsBytes(logoResponse.bodyBytes); + } + + + + return Response.ok( + business.id.toString(), + headers: {'Access-Control-Allow-Origin': '*'}, + ); + } on JWTExpiredException { + print('JWT Expired'); + } on JWTException catch (e) { + print(e.message); + } + + return Response.unauthorized( + 'unauthorized', + headers: {'Access-Control-Allow-Origin': '*'}, + ); + }); + app.post('/fbla-api/signin', (Request request) async { + print('signin request received'); + + final payload = await request.readAsString(); + var json = jsonDecode(payload); + var username = json['username']; + var password = json['password']; + + var saltDb = await postgres.query( + 'SELECT salt FROM users WHERE username=\'$username\'' + ); + if (saltDb.isEmpty) { + return Response.unauthorized( + 'invalid username', + headers: {'Access-Control-Allow-Origin': '*'}, + ); + } + + var saltString = saltDb[0][0].toString(); + var salt = saltString.toBytesLatin1(); + + var parameters = Argon2Parameters( + Argon2Parameters.ARGON2_i, + salt, + version: Argon2Parameters.ARGON2_VERSION_10, + iterations: 2, + memoryPowerOf2: 16, + ); + var argon2 = Argon2BytesGenerator(); + argon2.init(parameters); + + var passwordBytes = parameters.converter.convert(password); + var result = Uint8List(32); + argon2.generateBytes(passwordBytes, result); + var resultHex = result.toHexString(); + + var passwordHashDb = await postgres.query( + 'SELECT password_hash FROM users WHERE username=\'$username\'' + ); + var passwordHash = passwordHashDb[0][0].toString(); + + if (passwordHash == resultHex) { + + final jwt = JWT( + { + 'username': username + }, + ); + final token = jwt.sign(secretKey); + try { + JWT.verify(token, secretKey); + } on JWTExpiredException { + print('JWT Expired'); + } on JWTException catch (e) { + print(e.message); + } + + return Response.ok( + token.toString(), + headers: {'Access-Control-Allow-Origin': '*'}, + ); + + } else { + return Response.unauthorized( + 'invalid password', + headers: {'Access-Control-Allow-Origin': '*'}, + ); + } + }); + app.post('/fbla-api/createuser', (Request request) async { + print('create user request received'); + + var auth = request.headers['Authorization']?.replaceAll('Bearer ', ''); + final payload = await request.readAsString(); + + try { + JWT.verify(auth!, secretKey); + + var json = jsonDecode(payload); + var username = json['username']; + var password = json['password']; + + var r = Random.secure(); + String randomSalt = String.fromCharCodes(List.generate(32, (index) => r.nextInt(33) + 89)); + final salt = randomSalt.toBytesLatin1(); + + var parameters = Argon2Parameters( + Argon2Parameters.ARGON2_i, + salt, + version: Argon2Parameters.ARGON2_VERSION_10, + iterations: 2, + memoryPowerOf2: 16, + ); + var argon2 = Argon2BytesGenerator(); + argon2.init(parameters); + + var passwordBytes = parameters.converter.convert(password); + var result = Uint8List(32); + argon2.generateBytes(passwordBytes, result); + var resultHex = result.toHexString(); + + postgres.query( + ''' + INSERT INTO public.users (username, password_hash, salt) + VALUES ('$username', '$resultHex', '$randomSalt') + ''' + ); + + return Response.ok( + username, + headers: {'Access-Control-Allow-Origin': '*'}, + ); + + } on JWTExpiredException { + print('JWT Expired'); + } on JWTException catch (e) { + print(e.message); + } + + return Response.unauthorized( + 'unauthorized', + headers: {'Access-Control-Allow-Origin': '*'}, + ); + }); + app.post('/fbla-api/deleteuser', (Request request) async { + print('delete user request received'); + + var auth = request.headers['Authorization']?.replaceAll('Bearer ', ''); + final payload = await request.readAsString(); + + try { + JWT.verify(auth!, secretKey); + + var json = jsonDecode(payload); + var username = json['username']; + + postgres.query( + ''' + DELETE FROM public.users + WHERE username IN ('$username'); + ''' + ); + + return Response.ok( + username, + headers: {'Access-Control-Allow-Origin': '*'}, + ); + + } on JWTExpiredException { + print('JWT Expired'); + } on JWTException catch (e) { + print(e.message); + } + + return Response.unauthorized( + 'unauthorized', + headers: {'Access-Control-Allow-Origin': '*'}, + ); + }); + app.get('/fbla-api/marinodev', (Request request) async { + print('marinodev request received'); + + var logo = File('MarinoDev.svg'); + List content = logo.readAsBytesSync(); + + return Response.ok( + content, + headers: { + 'Access-Control-Allow-Origin': '*', + 'Content-Type': 'image/svg+xml' + }, + ); + }); + + // get ip address for hosting + for (var interface in await NetworkInterface.list()) { + for (var addr in interface.addresses) { + if (addr.type == InternetAddressType.IPv4) { + _hostname = addr.address; + } + } + } + + final server = await io.serve(app, _hostname, _port); + + print('Serving at http://${server.address.host}:${server.port}'); +} diff --git a/fbla-api/logos/.gitkeep b/fbla-api/logos/.gitkeep new file mode 100644 index 0000000..e69de29 diff --git a/fbla-api/pubspec.lock b/fbla-api/pubspec.lock new file mode 100644 index 0000000..a724fbd --- /dev/null +++ b/fbla-api/pubspec.lock @@ -0,0 +1,509 @@ +# Generated by pub +# See https://dart.dev/tools/pub/glossary#lockfile +packages: + _fe_analyzer_shared: + dependency: transitive + description: + name: _fe_analyzer_shared + sha256: eb376e9acf6938204f90eb3b1f00b578640d3188b4c8a8ec054f9f479af8d051 + url: "https://pub.dev" + source: hosted + version: "64.0.0" + adaptive_number: + dependency: transitive + description: + name: adaptive_number + sha256: "3a567544e9b5c9c803006f51140ad544aedc79604fd4f3f2c1380003f97c1d77" + url: "https://pub.dev" + source: hosted + version: "1.0.0" + analyzer: + dependency: transitive + description: + name: analyzer + sha256: "69f54f967773f6c26c7dcb13e93d7ccee8b17a641689da39e878d5cf13b06893" + url: "https://pub.dev" + source: hosted + version: "6.2.0" + argon2: + dependency: "direct main" + description: + name: argon2 + sha256: ee456fa6f71392faadd9c43f4a2cc66c8d56132337fe71dc09d217d4e994102e + url: "https://pub.dev" + source: hosted + version: "1.0.1" + args: + dependency: transitive + description: + name: args + sha256: eef6c46b622e0494a36c5a12d10d77fb4e855501a91c1b9ef9339326e58f0596 + url: "https://pub.dev" + source: hosted + version: "2.4.2" + async: + dependency: transitive + description: + name: async + sha256: "947bfcf187f74dbc5e146c9eb9c0f10c9f8b30743e341481c1e2ed3ecc18c20c" + url: "https://pub.dev" + source: hosted + version: "2.11.0" + boolean_selector: + dependency: transitive + description: + name: boolean_selector + sha256: "6cfb5af12253eaf2b368f07bacc5a80d1301a071c73360d746b7f2e32d762c66" + url: "https://pub.dev" + source: hosted + version: "2.1.1" + buffer: + dependency: transitive + description: + name: buffer + sha256: "8962c12174f53e2e848a6acd7ac7fd63d8a1a6a316c20c458a832d87eba5422a" + url: "https://pub.dev" + source: hosted + version: "1.2.0" + charcode: + dependency: transitive + description: + name: charcode + sha256: fb98c0f6d12c920a02ee2d998da788bca066ca5f148492b7085ee23372b12306 + url: "https://pub.dev" + source: hosted + version: "1.3.1" + collection: + dependency: transitive + description: + name: collection + sha256: ee67cb0715911d28db6bf4af1026078bd6f0128b07a5f66fb2ed94ec6783c09a + url: "https://pub.dev" + source: hosted + version: "1.18.0" + convert: + dependency: transitive + description: + name: convert + sha256: "0f08b14755d163f6e2134cb58222dd25ea2a2ee8a195e53983d57c075324d592" + url: "https://pub.dev" + source: hosted + version: "3.1.1" + coverage: + dependency: transitive + description: + name: coverage + sha256: "2fb815080e44a09b85e0f2ca8a820b15053982b2e714b59267719e8a9ff17097" + url: "https://pub.dev" + source: hosted + version: "1.6.3" + crypto: + dependency: transitive + description: + name: crypto + sha256: ff625774173754681d66daaf4a448684fb04b78f902da9cb3d308c19cc5e8bab + url: "https://pub.dev" + source: hosted + version: "3.0.3" + dart_jsonwebtoken: + dependency: "direct main" + description: + name: dart_jsonwebtoken + sha256: "6703695f581fc54d0a7e5f281c5538735167605bb9e5abd208c8b330625a92b1" + url: "https://pub.dev" + source: hosted + version: "2.12.1" + ed25519_edwards: + dependency: transitive + description: + name: ed25519_edwards + sha256: "6ce0112d131327ec6d42beede1e5dfd526069b18ad45dcf654f15074ad9276cd" + url: "https://pub.dev" + source: hosted + version: "0.3.1" + file: + dependency: transitive + description: + name: file + sha256: "5fc22d7c25582e38ad9a8515372cd9a93834027aacf1801cf01164dac0ffa08c" + url: "https://pub.dev" + source: hosted + version: "7.0.0" + fixnum: + dependency: transitive + description: + name: fixnum + sha256: "25517a4deb0c03aa0f32fd12db525856438902d9c16536311e76cdc57b31d7d1" + url: "https://pub.dev" + source: hosted + version: "1.1.0" + frontend_server_client: + dependency: transitive + description: + name: frontend_server_client + sha256: "408e3ca148b31c20282ad6f37ebfa6f4bdc8fede5b74bc2f08d9d92b55db3612" + url: "https://pub.dev" + source: hosted + version: "3.2.0" + glob: + dependency: transitive + description: + name: glob + sha256: "0e7014b3b7d4dac1ca4d6114f82bf1782ee86745b9b42a92c9289c23d8a0ab63" + url: "https://pub.dev" + source: hosted + version: "2.1.2" + hex: + dependency: transitive + description: + name: hex + sha256: "4e7cd54e4b59ba026432a6be2dd9d96e4c5205725194997193bf871703b82c4a" + url: "https://pub.dev" + source: hosted + version: "0.2.0" + http: + dependency: "direct main" + description: + name: http + sha256: "759d1a329847dd0f39226c688d3e06a6b8679668e350e2891a6474f8b4bb8525" + url: "https://pub.dev" + source: hosted + version: "1.1.0" + http_methods: + dependency: transitive + description: + name: http_methods + sha256: "6bccce8f1ec7b5d701e7921dca35e202d425b57e317ba1a37f2638590e29e566" + url: "https://pub.dev" + source: hosted + version: "1.1.1" + http_multi_server: + dependency: transitive + description: + name: http_multi_server + sha256: "97486f20f9c2f7be8f514851703d0119c3596d14ea63227af6f7a481ef2b2f8b" + url: "https://pub.dev" + source: hosted + version: "3.2.1" + http_parser: + dependency: transitive + description: + name: http_parser + sha256: "2aa08ce0341cc9b354a498388e30986515406668dbcc4f7c950c3e715496693b" + url: "https://pub.dev" + source: hosted + version: "4.0.2" + io: + dependency: transitive + description: + name: io + sha256: "2ec25704aba361659e10e3e5f5d672068d332fc8ac516421d483a11e5cbd061e" + url: "https://pub.dev" + source: hosted + version: "1.0.4" + js: + dependency: transitive + description: + name: js + sha256: f2c445dce49627136094980615a031419f7f3eb393237e4ecd97ac15dea343f3 + url: "https://pub.dev" + source: hosted + version: "0.6.7" + lints: + dependency: "direct dev" + description: + name: lints + sha256: "0a217c6c989d21039f1498c3ed9f3ed71b354e69873f13a8dfc3c9fe76f1b452" + url: "https://pub.dev" + source: hosted + version: "2.1.1" + logging: + dependency: transitive + description: + name: logging + sha256: "623a88c9594aa774443aa3eb2d41807a48486b5613e67599fb4c41c0ad47c340" + url: "https://pub.dev" + source: hosted + version: "1.2.0" + matcher: + dependency: transitive + description: + name: matcher + sha256: "1803e76e6653768d64ed8ff2e1e67bea3ad4b923eb5c56a295c3e634bad5960e" + url: "https://pub.dev" + source: hosted + version: "0.12.16" + meta: + dependency: transitive + description: + name: meta + sha256: "3c74dbf8763d36539f114c799d8a2d87343b5067e9d796ca22b5eb8437090ee3" + url: "https://pub.dev" + source: hosted + version: "1.9.1" + mime: + dependency: transitive + description: + name: mime + sha256: e4ff8e8564c03f255408decd16e7899da1733852a9110a58fe6d1b817684a63e + url: "https://pub.dev" + source: hosted + version: "1.0.4" + node_preamble: + dependency: transitive + description: + name: node_preamble + sha256: "6e7eac89047ab8a8d26cf16127b5ed26de65209847630400f9aefd7cd5c730db" + url: "https://pub.dev" + source: hosted + version: "2.0.2" + package_config: + dependency: transitive + description: + name: package_config + sha256: "1c5b77ccc91e4823a5af61ee74e6b972db1ef98c2ff5a18d3161c982a55448bd" + url: "https://pub.dev" + source: hosted + version: "2.1.0" + path: + dependency: transitive + description: + name: path + sha256: "8829d8a55c13fc0e37127c29fedf290c102f4e40ae94ada574091fe0ff96c917" + url: "https://pub.dev" + source: hosted + version: "1.8.3" + pedantic: + dependency: transitive + description: + name: pedantic + sha256: "67fc27ed9639506c856c840ccce7594d0bdcd91bc8d53d6e52359449a1d50602" + url: "https://pub.dev" + source: hosted + version: "1.11.1" + pointycastle: + dependency: transitive + description: + name: pointycastle + sha256: "7c1e5f0d23c9016c5bbd8b1473d0d3fb3fc851b876046039509e18e0c7485f2c" + url: "https://pub.dev" + source: hosted + version: "3.7.3" + pool: + dependency: transitive + description: + name: pool + sha256: "20fe868b6314b322ea036ba325e6fc0711a22948856475e2c2b6306e8ab39c2a" + url: "https://pub.dev" + source: hosted + version: "1.5.1" + postgres: + dependency: "direct main" + description: + name: postgres + sha256: "98457afc06dd3f9d6892c178ea03ca9659e454107c9be90111e607691998d70d" + url: "https://pub.dev" + source: hosted + version: "2.6.2" + pub_semver: + dependency: transitive + description: + name: pub_semver + sha256: "40d3ab1bbd474c4c2328c91e3a7df8c6dd629b79ece4c4bd04bee496a224fb0c" + url: "https://pub.dev" + source: hosted + version: "2.1.4" + sasl_scram: + dependency: transitive + description: + name: sasl_scram + sha256: a47207a436eb650f8fdcf54a2e2587b850dc3caef9973ce01f332b07a6fc9cb9 + url: "https://pub.dev" + source: hosted + version: "0.1.1" + saslprep: + dependency: transitive + description: + name: saslprep + sha256: "79c9e163a82f55da542feaf0f7a59031e74493299c92008b2b404cd88d639bb4" + url: "https://pub.dev" + source: hosted + version: "1.0.2" + shelf: + dependency: "direct main" + description: + name: shelf + sha256: ad29c505aee705f41a4d8963641f91ac4cee3c8fad5947e033390a7bd8180fa4 + url: "https://pub.dev" + source: hosted + version: "1.4.1" + shelf_packages_handler: + dependency: transitive + description: + name: shelf_packages_handler + sha256: "89f967eca29607c933ba9571d838be31d67f53f6e4ee15147d5dc2934fee1b1e" + url: "https://pub.dev" + source: hosted + version: "3.0.2" + shelf_router: + dependency: "direct main" + description: + name: shelf_router + sha256: f5e5d492440a7fb165fe1e2e1a623f31f734d3370900070b2b1e0d0428d59864 + url: "https://pub.dev" + source: hosted + version: "1.1.4" + shelf_static: + dependency: transitive + description: + name: shelf_static + sha256: a41d3f53c4adf0f57480578c1d61d90342cd617de7fc8077b1304643c2d85c1e + url: "https://pub.dev" + source: hosted + version: "1.1.2" + shelf_web_socket: + dependency: transitive + description: + name: shelf_web_socket + sha256: "9ca081be41c60190ebcb4766b2486a7d50261db7bd0f5d9615f2d653637a84c1" + url: "https://pub.dev" + source: hosted + version: "1.0.4" + source_map_stack_trace: + dependency: transitive + description: + name: source_map_stack_trace + sha256: "84cf769ad83aa6bb61e0aa5a18e53aea683395f196a6f39c4c881fb90ed4f7ae" + url: "https://pub.dev" + source: hosted + version: "2.1.1" + source_maps: + dependency: transitive + description: + name: source_maps + sha256: "708b3f6b97248e5781f493b765c3337db11c5d2c81c3094f10904bfa8004c703" + url: "https://pub.dev" + source: hosted + version: "0.10.12" + source_span: + dependency: transitive + description: + name: source_span + sha256: "53e943d4206a5e30df338fd4c6e7a077e02254531b138a15aec3bd143c1a8b3c" + url: "https://pub.dev" + source: hosted + version: "1.10.0" + stack_trace: + dependency: transitive + description: + name: stack_trace + sha256: "73713990125a6d93122541237550ee3352a2d84baad52d375a4cad2eb9b7ce0b" + url: "https://pub.dev" + source: hosted + version: "1.11.1" + stream_channel: + dependency: transitive + description: + name: stream_channel + sha256: ba2aa5d8cc609d96bbb2899c28934f9e1af5cddbd60a827822ea467161eb54e7 + url: "https://pub.dev" + source: hosted + version: "2.1.2" + string_scanner: + dependency: transitive + description: + name: string_scanner + sha256: "556692adab6cfa87322a115640c11f13cb77b3f076ddcc5d6ae3c20242bedcde" + url: "https://pub.dev" + source: hosted + version: "1.2.0" + term_glyph: + dependency: transitive + description: + name: term_glyph + sha256: a29248a84fbb7c79282b40b8c72a1209db169a2e0542bce341da992fe1bc7e84 + url: "https://pub.dev" + source: hosted + version: "1.2.1" + test: + dependency: "direct dev" + description: + name: test + sha256: "9b0dd8e36af4a5b1569029949d50a52cb2a2a2fdaa20cebb96e6603b9ae241f9" + url: "https://pub.dev" + source: hosted + version: "1.24.6" + test_api: + dependency: transitive + description: + name: test_api + sha256: "5c2f730018264d276c20e4f1503fd1308dfbbae39ec8ee63c5236311ac06954b" + url: "https://pub.dev" + source: hosted + version: "0.6.1" + test_core: + dependency: transitive + description: + name: test_core + sha256: "4bef837e56375537055fdbbbf6dd458b1859881f4c7e6da936158f77d61ab265" + url: "https://pub.dev" + source: hosted + version: "0.5.6" + typed_data: + dependency: transitive + description: + name: typed_data + sha256: facc8d6582f16042dd49f2463ff1bd6e2c9ef9f3d5da3d9b087e244a7b564b3c + url: "https://pub.dev" + source: hosted + version: "1.3.2" + unorm_dart: + dependency: transitive + description: + name: unorm_dart + sha256: "5b35bff83fce4d76467641438f9e867dc9bcfdb8c1694854f230579d68cd8f4b" + url: "https://pub.dev" + source: hosted + version: "0.2.0" + vm_service: + dependency: transitive + description: + name: vm_service + sha256: "0fae432c85c4ea880b33b497d32824b97795b04cdaa74d270219572a1f50268d" + url: "https://pub.dev" + source: hosted + version: "11.9.0" + watcher: + dependency: transitive + description: + name: watcher + sha256: "3d2ad6751b3c16cf07c7fca317a1413b3f26530319181b37e3b9039b84fc01d8" + url: "https://pub.dev" + source: hosted + version: "1.1.0" + web_socket_channel: + dependency: transitive + description: + name: web_socket_channel + sha256: d88238e5eac9a42bb43ca4e721edba3c08c6354d4a53063afaa568516217621b + url: "https://pub.dev" + source: hosted + version: "2.4.0" + webkit_inspection_protocol: + dependency: transitive + description: + name: webkit_inspection_protocol + sha256: "67d3a8b6c79e1987d19d848b0892e582dbb0c66c57cc1fef58a177dd2aa2823d" + url: "https://pub.dev" + source: hosted + version: "1.2.0" + yaml: + dependency: transitive + description: + name: yaml + sha256: "75769501ea3489fca56601ff33454fe45507ea3bfb014161abc3b43ae25989d5" + url: "https://pub.dev" + source: hosted + version: "3.1.2" +sdks: + dart: ">=3.0.6 <4.0.0" diff --git a/fbla-api/pubspec.yaml b/fbla-api/pubspec.yaml new file mode 100644 index 0000000..1ab6ff8 --- /dev/null +++ b/fbla-api/pubspec.yaml @@ -0,0 +1,21 @@ +name: fbla_api +description: A sample command-line application. +version: 1.0.0 +# repository: https://github.com/my_org/my_repo + +environment: + sdk: ^3.0.6 + +# Add regular dependencies here. +dependencies: + argon2: ^1.0.1 + dart_jsonwebtoken: ^2.12.1 + http: ^1.1.0 + postgres: ^2.6.2 + shelf: ^1.4.1 + shelf_router: ^1.1.4 + # path: ^1.8.0 + +dev_dependencies: + lints: ^2.0.0 + test: ^1.21.0 diff --git a/fbla-api/test/fbla_api_test.dart b/fbla-api/test/fbla_api_test.dart new file mode 100644 index 0000000..7005297 --- /dev/null +++ b/fbla-api/test/fbla_api_test.dart @@ -0,0 +1,118 @@ +import 'dart:convert'; +import 'package:dart_jsonwebtoken/dart_jsonwebtoken.dart'; +import 'package:fbla_api/fbla_api.dart'; +import 'package:test/test.dart'; +import 'package:http/http.dart' as http; +import 'dart:io'; + +final apiAddress = 'https://homelab.marinodev.com'; +SecretKey secretKey = SecretKey(Platform.environment['SECRET_KEY']!); + +void main() async{ + final jwt = JWT( + { + 'username': 'tmp' + }, + ); + final token = jwt.sign(secretKey); + + test('hello', () async { + var response = await http + .get(Uri.parse('$apiAddress/fbla-api/hello')) + .timeout(const Duration(seconds: 20)); + var output = response.body; + + expect(response.statusCode, 200); + expect(output, 'Hello, World!'); + }); + test('business-data', () async { + var response = await http + .get(Uri.parse('$apiAddress/fbla-api/businessdata')) + .timeout(const Duration(seconds: 20)); + var output = response.body; + + expect(response.statusCode, 200); + for (var jsonBusiness in jsonDecode(output)) { + Business.fromJson(jsonBusiness); + } + }); + test('create-user', () async { + var json = ''' + { + "username": "tmp", + "password": "tmp" + } + '''; + var response = await http.post(Uri.parse('$apiAddress, /fbla-api/createuser'), + body: json, + headers: {'Authorization': token}).timeout(const Duration(seconds: 20)); + expect(response.statusCode, 200); + expect(response.body, 'tmp'); + }); + test('sign-in', () async{ + var json = ''' + { + "username": "tmp", + "password": "tmp" + } + '''; + var response = await http.post( + Uri.parse('$apiAddress/fbla-api/signin'), + body: json, + ); + + expect(response.statusCode, 200); + expect(JWT.decode(response.body).payload['username'], 'tmp'); + }); + test('delete-user', () async{ + var json = ''' + { + "username": "tmp" + } + '''; + var response = await http.post( + Uri.parse('$apiAddress/fbla-api/deleteuser'), + body: json, + headers: {'Authorization': token}).timeout(const Duration(seconds: 20) + ); + expect(response.statusCode, 200); + expect(response.body, 'tmp'); + }); + test('create-delete-business', () async { + var json = ''' + { + "id": 0, + "name": "tmp", + "description": "tmp", + "type": "business", + "website": "tmp", + "contactName": "tmp", + "contactEmail": "tmp", + "contactPhone": "tmp", + "notes": "tmp", + "locationName": "tmp", + "locationAddress": "tmp" + } + '''; + var response = await http.post(Uri.parse('$apiAddress/fbla-api/createbusiness'), + body: json, + headers: {'Authorization': token}).timeout(const Duration(seconds: 20)); + + expect(response.statusCode, 200); + + String responseId = response.body; + int id = int.parse(responseId); + + json = ''' + { + "id": $id + } + '''; + response = await http.post(Uri.parse('$apiAddress/fbla-api/deletebusiness'), + body: json, + headers: {'Authorization': token}).timeout(const Duration(seconds: 20)); + + expect(response.statusCode, 200); + expect(int.parse(response.body), id); + }); +} diff --git a/fbla_ui/.gitignore b/fbla_ui/.gitignore new file mode 100644 index 0000000..24476c5 --- /dev/null +++ b/fbla_ui/.gitignore @@ -0,0 +1,44 @@ +# Miscellaneous +*.class +*.log +*.pyc +*.swp +.DS_Store +.atom/ +.buildlog/ +.history +.svn/ +migrate_working_dir/ + +# IntelliJ related +*.iml +*.ipr +*.iws +.idea/ + +# The .vscode folder contains launch configuration and tasks you configure in +# VS Code which you may wish to be included in version control, so this line +# is commented out by default. +#.vscode/ + +# Flutter/Dart/Pub related +**/doc/api/ +**/ios/Flutter/.last_build_id +.dart_tool/ +.flutter-plugins +.flutter-plugins-dependencies +.packages +.pub-cache/ +.pub/ +/build/ + +# Symbolication related +app.*.symbols + +# Obfuscation related +app.*.map.json + +# Android Studio will place build artifacts here +/android/app/debug +/android/app/profile +/android/app/release diff --git a/fbla_ui/.metadata b/fbla_ui/.metadata new file mode 100644 index 0000000..de745e4 --- /dev/null +++ b/fbla_ui/.metadata @@ -0,0 +1,45 @@ +# This file tracks properties of this Flutter project. +# Used by Flutter tool to assess capabilities and perform upgrades etc. +# +# This file should be version controlled. + +version: + revision: f468f3366c26a5092eb964a230ce7892fda8f2f8 + channel: stable + +project_type: app + +# Tracks metadata for the flutter migrate command +migration: + platforms: + - platform: root + create_revision: f468f3366c26a5092eb964a230ce7892fda8f2f8 + base_revision: f468f3366c26a5092eb964a230ce7892fda8f2f8 + - platform: android + create_revision: f468f3366c26a5092eb964a230ce7892fda8f2f8 + base_revision: f468f3366c26a5092eb964a230ce7892fda8f2f8 + - platform: ios + create_revision: f468f3366c26a5092eb964a230ce7892fda8f2f8 + base_revision: f468f3366c26a5092eb964a230ce7892fda8f2f8 + - platform: linux + create_revision: f468f3366c26a5092eb964a230ce7892fda8f2f8 + base_revision: f468f3366c26a5092eb964a230ce7892fda8f2f8 + - platform: macos + create_revision: f468f3366c26a5092eb964a230ce7892fda8f2f8 + base_revision: f468f3366c26a5092eb964a230ce7892fda8f2f8 + - platform: web + create_revision: f468f3366c26a5092eb964a230ce7892fda8f2f8 + base_revision: f468f3366c26a5092eb964a230ce7892fda8f2f8 + - platform: windows + create_revision: f468f3366c26a5092eb964a230ce7892fda8f2f8 + base_revision: f468f3366c26a5092eb964a230ce7892fda8f2f8 + + # User provided section + + # List of Local paths (relative to this file) that should be + # ignored by the migrate tool. + # + # Files that are not part of the templates will be ignored by default. + unmanaged_files: + - 'lib/main.dart' + - 'ios/Runner.xcodeproj/project.pbxproj' diff --git a/fbla_ui/Jenkinsfile b/fbla_ui/Jenkinsfile new file mode 100644 index 0000000..5c07b93 --- /dev/null +++ b/fbla_ui/Jenkinsfile @@ -0,0 +1,125 @@ +pipeline { + agent any + stages { + stage('Flutter Cleanup') { + steps { + sh '''flutter upgrade --force +flutter pub upgrade +flutter --version +flutter doctor +flutter clean''' + } + } + + stage('Build') { + parallel { + stage('Web Build') { + steps { + sh 'flutter build web --release --base-href /fbla/' + } + } + + stage('Build Linux') { + steps { + sh 'flutter build linux --release' + } + } + + stage('Build APK') { + steps { + sh 'flutter build apk --release' + } + } + + } + } + + stage('Deploy and Save') { + parallel { + stage('Deploy Web Local') { + steps { + script { + def remote = [ + name: 'HostServer', + host: '192.168.0.216', + user: 'fbla', + password: 'fbla', + allowAnyHosts: true, + ] + sshRemove(path: '/home/fbla/fbla-webserver/webfiles/fbla', remote: remote) + sshPut(from: 'build/web/', into: '/home/fbla/fbla-webserver', remote: remote) + sshCommand remote: remote, command: "mv /home/fbla/fbla-webserver/web /home/fbla/fbla-webserver/webfiles/fbla" + } + + } + } + + stage('Save Other Builds') { + steps { + script { + def remote = [ + name: 'HostServer', + host: '192.168.0.216', + user: 'fbla', + password: 'fbla', + allowAnyHosts: true, + ] + if(env.BRANCH_NAME == 'main') { + sshRemove(path: '/home/fbla/builds/main/linux', remote: remote) + sshCommand remote: remote, command: "mkdir /home/fbla/builds/main/linux" + sshPut(from: 'build/linux/x64/release', into: '/home/fbla/builds/main/linux', remote: remote) + sshCommand remote: remote, command: "mv /home/fbla/builds/main/linux/release/* /home/fbla/builds/main/linux" + sshCommand remote: remote, command: "rm -R /home/fbla/builds/main/linux/release/" + sshRemove(path: '/home/fbla/builds/main/apk', remote: remote) + sshCommand remote: remote, command: "mkdir /home/fbla/builds/main/apk" + sshPut(from: 'build/app/outputs/apk/release', into: '/home/fbla/builds/main/apk', remote: remote) + sshCommand remote: remote, command: "mv /home/fbla/builds/main/apk/release/* /home/fbla/builds/main/apk" + sshCommand remote: remote, command: "rm -R /home/fbla/builds/main/apk/release/" + } else { + sshRemove(path: '/home/fbla/builds/dev/linux', remote: remote) + sshCommand remote: remote, command: "mkdir /home/fbla/builds/dev/linux" + sshPut(from: 'build/linux/x64/release', into: '/home/fbla/builds/dev/linux', remote: remote) + sshCommand remote: remote, command: "mv /home/fbla/builds/dev/linux/release/* /home/fbla/builds/dev/linux" + sshCommand remote: remote, command: "rm -R /home/fbla/builds/dev/linux/release/" + sshRemove(path: '/home/fbla/builds/dev/apk', remote: remote) + sshCommand remote: remote, command: "mkdir /home/fbla/builds/dev/apk" + sshPut(from: 'build/app/outputs/apk/release', into: '/home/fbla/builds/dev/apk', remote: remote) + sshCommand remote: remote, command: "mv /home/fbla/builds/dev/apk/release/* /home/fbla/builds/dev/apk" + sshCommand remote: remote, command: "rm -R /home/fbla/builds/dev/apk/release/" + } + } + + } + } + + } + } + + stage('Deploy Remote') { + when { + expression { + env.BRANCH_NAME == 'main' + } + + } + steps { + script { + def remote = [ + name: 'MarinoDev', + host: 'marinodev.com', + port: 21098, + user: 'mariehdi', + identityFile: '/var/jenkins_home/marinoDevPrivateKey', + passphrase: 'marinodev', + allowAnyHosts: true, + ] + sshRemove(path: '/home/mariehdi/public_html/fbla', remote: remote) + sshPut(from: '/var/jenkins_home/workspace/fbla-ui_main/build/web/', into: '/home/mariehdi/public_html/', remote: remote) + sshCommand remote: remote, command: "mv /home/mariehdi/public_html/web /home/mariehdi/public_html/fbla" + } + + } + } + + } +} \ No newline at end of file diff --git a/fbla_ui/README.md b/fbla_ui/README.md new file mode 100644 index 0000000..870d86d --- /dev/null +++ b/fbla_ui/README.md @@ -0,0 +1,20 @@ +This is the UI for my 2023-2024 FBLA Coding & Programming App + +## Installation + +My version of the app can be found at [marinodev.com/fbla/](https://marinodev.com/fbla/) +Pre-built files for several operating systems (built with my API) can be found in the releases tab, +alternatively, you can compile it yourself for use with your own API and database (see API readme): + +1. Install [Flutter](https://docs.flutter.dev/get-started/install) +2. Use `flutter doctor` to make sure your environment is fully set up for your platform +3. Clone the repo + +``` +git clone https://git.marinodev.com/MarinoDev/FBLA24.git +cd FBLA24/ui/ +``` + +4. Run `flutter pub get` to install all dependencies +5. Optional: set `apiAddress` at the top of `lib/api_logic.dart` +6. Build app with `flutter build --release` \ No newline at end of file diff --git a/fbla_ui/analysis_options.yaml b/fbla_ui/analysis_options.yaml new file mode 100644 index 0000000..1caa1fa --- /dev/null +++ b/fbla_ui/analysis_options.yaml @@ -0,0 +1,29 @@ +# This file configures the analyzer, which statically analyzes Dart code to +# check for errors, warnings, and lints. +# +# The issues identified by the analyzer are surfaced in the UI of Dart-enabled +# IDEs (https://dart.dev/tools#ides-and-editors). The analyzer can also be +# invoked from the command line by running `flutter analyze`. + +# The following line activates a set of recommended lints for Flutter apps, +# packages, and plugins designed to encourage good coding practices. +include: package:flutter_lints/flutter.yaml + +linter: + # The lint rules applied to this project can be customized in the + # section below to disable rules from the `package:flutter_lints/flutter.yaml` + # included above or to enable additional rules. A list of all available lints + # and their documentation is published at + # https://dart-lang.github.io/linter/lints/index.html. + # + # Instead of disabling a lint rule for the entire project in the + # section below, it can also be suppressed for a single line of code + # or a specific dart file by using the `// ignore: name_of_lint` and + # `// ignore_for_file: name_of_lint` syntax on the line or in the file + # producing the lint. + rules: + # avoid_print: false # Uncomment to disable the `avoid_print` rule + prefer_single_quotes: true # Uncomment to enable the `prefer_single_quotes` rule + +# Additional information about this file can be found at +# https://dart.dev/guides/language/analysis-options diff --git a/fbla_ui/android/.gitignore b/fbla_ui/android/.gitignore new file mode 100644 index 0000000..6f56801 --- /dev/null +++ b/fbla_ui/android/.gitignore @@ -0,0 +1,13 @@ +gradle-wrapper.jar +/.gradle +/captures/ +/gradlew +/gradlew.bat +/local.properties +GeneratedPluginRegistrant.java + +# Remember to never publicly share your keystore. +# See https://flutter.dev/docs/deployment/android#reference-the-keystore-from-the-app +key.properties +**/*.keystore +**/*.jks diff --git a/fbla_ui/android/app/build.gradle b/fbla_ui/android/app/build.gradle new file mode 100644 index 0000000..8af3b67 --- /dev/null +++ b/fbla_ui/android/app/build.gradle @@ -0,0 +1,73 @@ +def localProperties = new Properties() +def localPropertiesFile = rootProject.file('local.properties') +if (localPropertiesFile.exists()) { + localPropertiesFile.withReader('UTF-8') { reader -> + localProperties.load(reader) + } +} + +def flutterRoot = localProperties.getProperty('flutter.sdk') +if (flutterRoot == null) { + throw new GradleException("Flutter SDK not found. Define location with flutter.sdk in the local.properties file.") +} + +def flutterVersionCode = localProperties.getProperty('flutter.versionCode') +if (flutterVersionCode == null) { + flutterVersionCode = '1' +} + +def flutterVersionName = localProperties.getProperty('flutter.versionName') +if (flutterVersionName == null) { + flutterVersionName = '1.0' +} + +apply plugin: 'com.android.application' +apply plugin: 'kotlin-android' +apply from: "$flutterRoot/packages/flutter_tools/gradle/flutter.gradle" + +android { + namespace "com.marinodev.fbla_ui" + compileSdkVersion flutter.compileSdkVersion + ndkVersion "25.1.8937393" +// ndkVersion flutter.ndkVersion + + compileOptions { + sourceCompatibility JavaVersion.VERSION_1_8 + targetCompatibility JavaVersion.VERSION_1_8 + } + + kotlinOptions { + jvmTarget = '1.8' + } + + sourceSets { + main.java.srcDirs += 'src/main/kotlin' + } + + defaultConfig { + // TODO: Specify your own unique Application ID (https://developer.android.com/studio/build/application-id.html). + applicationId "com.marinodev.fbla_ui" + // You can update the following values to match your application needs. + // For more information, see: https://docs.flutter.dev/deployment/android#reviewing-the-gradle-build-configuration. + minSdkVersion flutter.minSdkVersion + targetSdkVersion flutter.targetSdkVersion + versionCode flutterVersionCode.toInteger() + versionName flutterVersionName + } + + buildTypes { + release { + // TODO: Add your own signing config for the release build. + // Signing with the debug keys for now, so `flutter run --release` works. + signingConfig signingConfigs.debug + } + } +} + +flutter { + source '../..' +} + +dependencies { + implementation "org.jetbrains.kotlin:kotlin-stdlib-jdk7:$kotlin_version" +} diff --git a/fbla_ui/android/app/src/debug/AndroidManifest.xml b/fbla_ui/android/app/src/debug/AndroidManifest.xml new file mode 100644 index 0000000..399f698 --- /dev/null +++ b/fbla_ui/android/app/src/debug/AndroidManifest.xml @@ -0,0 +1,7 @@ + + + + diff --git a/fbla_ui/android/app/src/main/AndroidManifest.xml b/fbla_ui/android/app/src/main/AndroidManifest.xml new file mode 100644 index 0000000..73a0a82 --- /dev/null +++ b/fbla_ui/android/app/src/main/AndroidManifest.xml @@ -0,0 +1,54 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/fbla_ui/android/app/src/main/kotlin/com/marinodev/fbla_ui/MainActivity.kt b/fbla_ui/android/app/src/main/kotlin/com/marinodev/fbla_ui/MainActivity.kt new file mode 100644 index 0000000..3efaa76 --- /dev/null +++ b/fbla_ui/android/app/src/main/kotlin/com/marinodev/fbla_ui/MainActivity.kt @@ -0,0 +1,6 @@ +package com.marinodev.fbla_ui + +import io.flutter.embedding.android.FlutterActivity + +class MainActivity: FlutterActivity() { +} diff --git a/fbla_ui/android/app/src/main/res/drawable-v21/launch_background.xml b/fbla_ui/android/app/src/main/res/drawable-v21/launch_background.xml new file mode 100644 index 0000000..f74085f --- /dev/null +++ b/fbla_ui/android/app/src/main/res/drawable-v21/launch_background.xml @@ -0,0 +1,12 @@ + + + + + + + + diff --git a/fbla_ui/android/app/src/main/res/drawable/launch_background.xml b/fbla_ui/android/app/src/main/res/drawable/launch_background.xml new file mode 100644 index 0000000..304732f --- /dev/null +++ b/fbla_ui/android/app/src/main/res/drawable/launch_background.xml @@ -0,0 +1,12 @@ + + + + + + + + diff --git a/fbla_ui/android/app/src/main/res/mipmap-anydpi-v26/ic_launcher.xml b/fbla_ui/android/app/src/main/res/mipmap-anydpi-v26/ic_launcher.xml new file mode 100644 index 0000000..345888d --- /dev/null +++ b/fbla_ui/android/app/src/main/res/mipmap-anydpi-v26/ic_launcher.xml @@ -0,0 +1,6 @@ + + + + + + \ No newline at end of file diff --git a/fbla_ui/android/app/src/main/res/mipmap-hdpi/ic_launcher.png b/fbla_ui/android/app/src/main/res/mipmap-hdpi/ic_launcher.png new file mode 100644 index 0000000..ff298ba Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-hdpi/ic_launcher.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-hdpi/ic_launcher_background.png b/fbla_ui/android/app/src/main/res/mipmap-hdpi/ic_launcher_background.png new file mode 100644 index 0000000..3cd53e0 Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-hdpi/ic_launcher_background.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-hdpi/ic_launcher_foreground.png b/fbla_ui/android/app/src/main/res/mipmap-hdpi/ic_launcher_foreground.png new file mode 100644 index 0000000..a1cc869 Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-hdpi/ic_launcher_foreground.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-hdpi/ic_launcher_monochrome.png b/fbla_ui/android/app/src/main/res/mipmap-hdpi/ic_launcher_monochrome.png new file mode 100644 index 0000000..a1cc869 Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-hdpi/ic_launcher_monochrome.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-mdpi/ic_launcher.png b/fbla_ui/android/app/src/main/res/mipmap-mdpi/ic_launcher.png new file mode 100644 index 0000000..6b7e6c8 Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-mdpi/ic_launcher.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-mdpi/ic_launcher_background.png b/fbla_ui/android/app/src/main/res/mipmap-mdpi/ic_launcher_background.png new file mode 100644 index 0000000..38a2709 Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-mdpi/ic_launcher_background.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-mdpi/ic_launcher_foreground.png b/fbla_ui/android/app/src/main/res/mipmap-mdpi/ic_launcher_foreground.png new file mode 100644 index 0000000..679358b Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-mdpi/ic_launcher_foreground.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-mdpi/ic_launcher_monochrome.png b/fbla_ui/android/app/src/main/res/mipmap-mdpi/ic_launcher_monochrome.png new file mode 100644 index 0000000..679358b Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-mdpi/ic_launcher_monochrome.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-xhdpi/ic_launcher.png b/fbla_ui/android/app/src/main/res/mipmap-xhdpi/ic_launcher.png new file mode 100644 index 0000000..9ccb25d Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-xhdpi/ic_launcher.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-xhdpi/ic_launcher_background.png b/fbla_ui/android/app/src/main/res/mipmap-xhdpi/ic_launcher_background.png new file mode 100644 index 0000000..6a0c644 Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-xhdpi/ic_launcher_background.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-xhdpi/ic_launcher_foreground.png b/fbla_ui/android/app/src/main/res/mipmap-xhdpi/ic_launcher_foreground.png new file mode 100644 index 0000000..188e019 Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-xhdpi/ic_launcher_foreground.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-xhdpi/ic_launcher_monochrome.png b/fbla_ui/android/app/src/main/res/mipmap-xhdpi/ic_launcher_monochrome.png new file mode 100644 index 0000000..188e019 Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-xhdpi/ic_launcher_monochrome.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-xxhdpi/ic_launcher.png b/fbla_ui/android/app/src/main/res/mipmap-xxhdpi/ic_launcher.png new file mode 100644 index 0000000..109e6d4 Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-xxhdpi/ic_launcher.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-xxhdpi/ic_launcher_background.png b/fbla_ui/android/app/src/main/res/mipmap-xxhdpi/ic_launcher_background.png new file mode 100644 index 0000000..cd37a20 Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-xxhdpi/ic_launcher_background.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-xxhdpi/ic_launcher_foreground.png b/fbla_ui/android/app/src/main/res/mipmap-xxhdpi/ic_launcher_foreground.png new file mode 100644 index 0000000..cd6ae5a Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-xxhdpi/ic_launcher_foreground.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-xxhdpi/ic_launcher_monochrome.png b/fbla_ui/android/app/src/main/res/mipmap-xxhdpi/ic_launcher_monochrome.png new file mode 100644 index 0000000..cd6ae5a Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-xxhdpi/ic_launcher_monochrome.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher.png b/fbla_ui/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher.png new file mode 100644 index 0000000..19ba402 Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher_background.png b/fbla_ui/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher_background.png new file mode 100644 index 0000000..ed2c6d6 Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher_background.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher_foreground.png b/fbla_ui/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher_foreground.png new file mode 100644 index 0000000..bebb6a3 Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher_foreground.png differ diff --git a/fbla_ui/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher_monochrome.png b/fbla_ui/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher_monochrome.png new file mode 100644 index 0000000..bebb6a3 Binary files /dev/null and b/fbla_ui/android/app/src/main/res/mipmap-xxxhdpi/ic_launcher_monochrome.png differ diff --git a/fbla_ui/android/app/src/main/res/play_store_512.png b/fbla_ui/android/app/src/main/res/play_store_512.png new file mode 100644 index 0000000..d77a6fe Binary files /dev/null and b/fbla_ui/android/app/src/main/res/play_store_512.png differ diff --git a/fbla_ui/android/app/src/main/res/values-night/styles.xml b/fbla_ui/android/app/src/main/res/values-night/styles.xml new file mode 100644 index 0000000..06952be --- /dev/null +++ b/fbla_ui/android/app/src/main/res/values-night/styles.xml @@ -0,0 +1,18 @@ + + + + + + + diff --git a/fbla_ui/android/app/src/main/res/values/styles.xml b/fbla_ui/android/app/src/main/res/values/styles.xml new file mode 100644 index 0000000..cb1ef88 --- /dev/null +++ b/fbla_ui/android/app/src/main/res/values/styles.xml @@ -0,0 +1,18 @@ + + + + + + + diff --git a/fbla_ui/android/app/src/profile/AndroidManifest.xml b/fbla_ui/android/app/src/profile/AndroidManifest.xml new file mode 100644 index 0000000..399f698 --- /dev/null +++ b/fbla_ui/android/app/src/profile/AndroidManifest.xml @@ -0,0 +1,7 @@ + + + + diff --git a/fbla_ui/android/build.gradle b/fbla_ui/android/build.gradle new file mode 100644 index 0000000..f7eb7f6 --- /dev/null +++ b/fbla_ui/android/build.gradle @@ -0,0 +1,31 @@ +buildscript { + ext.kotlin_version = '1.7.10' + repositories { + google() + mavenCentral() + } + + dependencies { + classpath 'com.android.tools.build:gradle:7.3.0' + classpath "org.jetbrains.kotlin:kotlin-gradle-plugin:$kotlin_version" + } +} + +allprojects { + repositories { + google() + mavenCentral() + } +} + +rootProject.buildDir = '../build' +subprojects { + project.buildDir = "${rootProject.buildDir}/${project.name}" +} +subprojects { + project.evaluationDependsOn(':app') +} + +tasks.register("clean", Delete) { + delete rootProject.buildDir +} diff --git a/fbla_ui/android/gradle.properties b/fbla_ui/android/gradle.properties new file mode 100644 index 0000000..94adc3a --- /dev/null +++ b/fbla_ui/android/gradle.properties @@ -0,0 +1,3 @@ +org.gradle.jvmargs=-Xmx1536M +android.useAndroidX=true +android.enableJetifier=true diff --git a/fbla_ui/android/gradle/wrapper/gradle-wrapper.properties b/fbla_ui/android/gradle/wrapper/gradle-wrapper.properties new file mode 100644 index 0000000..3c472b9 --- /dev/null +++ b/fbla_ui/android/gradle/wrapper/gradle-wrapper.properties @@ -0,0 +1,5 @@ +distributionBase=GRADLE_USER_HOME +distributionPath=wrapper/dists +zipStoreBase=GRADLE_USER_HOME +zipStorePath=wrapper/dists +distributionUrl=https\://services.gradle.org/distributions/gradle-7.5-all.zip diff --git a/fbla_ui/android/settings.gradle b/fbla_ui/android/settings.gradle new file mode 100644 index 0000000..44e62bc --- /dev/null +++ b/fbla_ui/android/settings.gradle @@ -0,0 +1,11 @@ +include ':app' + +def localPropertiesFile = new File(rootProject.projectDir, "local.properties") +def properties = new Properties() + +assert localPropertiesFile.exists() +localPropertiesFile.withReader("UTF-8") { reader -> properties.load(reader) } + +def flutterSdkPath = properties.getProperty("flutter.sdk") +assert flutterSdkPath != null, "flutter.sdk not set in local.properties" +apply from: "$flutterSdkPath/packages/flutter_tools/gradle/app_plugin_loader.gradle" diff --git a/fbla_ui/assets/mdev_triangle_loading.riv b/fbla_ui/assets/mdev_triangle_loading.riv new file mode 100644 index 0000000..418e9ed Binary files /dev/null and b/fbla_ui/assets/mdev_triangle_loading.riv differ diff --git a/fbla_ui/ios/.gitignore b/fbla_ui/ios/.gitignore new file mode 100644 index 0000000..7a7f987 --- /dev/null +++ b/fbla_ui/ios/.gitignore @@ -0,0 +1,34 @@ +**/dgph +*.mode1v3 +*.mode2v3 +*.moved-aside +*.pbxuser +*.perspectivev3 +**/*sync/ +.sconsign.dblite +.tags* +**/.vagrant/ +**/DerivedData/ +Icon? +**/Pods/ +**/.symlinks/ +profile +xcuserdata +**/.generated/ +Flutter/App.framework +Flutter/Flutter.framework +Flutter/Flutter.podspec +Flutter/Generated.xcconfig +Flutter/ephemeral/ +Flutter/app.flx +Flutter/app.zip +Flutter/flutter_assets/ +Flutter/flutter_export_environment.sh +ServiceDefinitions.json +Runner/GeneratedPluginRegistrant.* + +# Exceptions to above rules. +!default.mode1v3 +!default.mode2v3 +!default.pbxuser +!default.perspectivev3 diff --git a/fbla_ui/ios/Flutter/AppFrameworkInfo.plist b/fbla_ui/ios/Flutter/AppFrameworkInfo.plist new file mode 100644 index 0000000..9625e10 --- /dev/null +++ b/fbla_ui/ios/Flutter/AppFrameworkInfo.plist @@ -0,0 +1,26 @@ + + + + + CFBundleDevelopmentRegion + en + CFBundleExecutable + App + CFBundleIdentifier + io.flutter.flutter.app + CFBundleInfoDictionaryVersion + 6.0 + CFBundleName + App + CFBundlePackageType + FMWK + CFBundleShortVersionString + 1.0 + CFBundleSignature + ???? + CFBundleVersion + 1.0 + MinimumOSVersion + 11.0 + + diff --git a/fbla_ui/ios/Flutter/Debug.xcconfig b/fbla_ui/ios/Flutter/Debug.xcconfig new file mode 100644 index 0000000..592ceee --- /dev/null +++ b/fbla_ui/ios/Flutter/Debug.xcconfig @@ -0,0 +1 @@ +#include "Generated.xcconfig" diff --git a/fbla_ui/ios/Flutter/Release.xcconfig b/fbla_ui/ios/Flutter/Release.xcconfig new file mode 100644 index 0000000..592ceee --- /dev/null +++ b/fbla_ui/ios/Flutter/Release.xcconfig @@ -0,0 +1 @@ +#include "Generated.xcconfig" diff --git a/fbla_ui/ios/Runner.xcodeproj/project.pbxproj b/fbla_ui/ios/Runner.xcodeproj/project.pbxproj new file mode 100644 index 0000000..80c0dfd --- /dev/null +++ b/fbla_ui/ios/Runner.xcodeproj/project.pbxproj @@ -0,0 +1,613 @@ +// !$*UTF8*$! +{ + archiveVersion = 1; + classes = { + }; + objectVersion = 54; + objects = { + +/* Begin PBXBuildFile section */ + 1498D2341E8E89220040F4C2 /* GeneratedPluginRegistrant.m in Sources */ = {isa = PBXBuildFile; fileRef = 1498D2331E8E89220040F4C2 /* GeneratedPluginRegistrant.m */; }; + 3B3967161E833CAA004F5970 /* AppFrameworkInfo.plist in Resources */ = {isa = PBXBuildFile; fileRef = 3B3967151E833CAA004F5970 /* AppFrameworkInfo.plist */; }; + 74858FAF1ED2DC5600515810 /* AppDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = 74858FAE1ED2DC5600515810 /* AppDelegate.swift */; }; + 97C146FC1CF9000F007C117D /* Main.storyboard in Resources */ = {isa = PBXBuildFile; fileRef = 97C146FA1CF9000F007C117D /* Main.storyboard */; }; + 97C146FE1CF9000F007C117D /* Assets.xcassets in Resources */ = {isa = PBXBuildFile; fileRef = 97C146FD1CF9000F007C117D /* Assets.xcassets */; }; + 97C147011CF9000F007C117D /* LaunchScreen.storyboard in Resources */ = {isa = PBXBuildFile; fileRef = 97C146FF1CF9000F007C117D /* LaunchScreen.storyboard */; }; + 331C808B294A63AB00263BE5 /* RunnerTests.swift in Sources */ = {isa = PBXBuildFile; fileRef = 331C807B294A618700263BE5 /* RunnerTests.swift */; }; +/* End PBXBuildFile section */ + +/* Begin PBXContainerItemProxy section */ + 331C8085294A63A400263BE5 /* PBXContainerItemProxy */ = { + isa = PBXContainerItemProxy; + containerPortal = 97C146E61CF9000F007C117D /* Project object */; + proxyType = 1; + remoteGlobalIDString = 97C146ED1CF9000F007C117D; + remoteInfo = Runner; + }; +/* End PBXContainerItemProxy section */ + +/* Begin PBXCopyFilesBuildPhase section */ + 9705A1C41CF9048500538489 /* Embed Frameworks */ = { + isa = PBXCopyFilesBuildPhase; + buildActionMask = 2147483647; + dstPath = ""; + dstSubfolderSpec = 10; + files = ( + ); + name = "Embed Frameworks"; + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXCopyFilesBuildPhase section */ + +/* Begin PBXFileReference section */ + 1498D2321E8E86230040F4C2 /* GeneratedPluginRegistrant.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = GeneratedPluginRegistrant.h; sourceTree = ""; }; + 1498D2331E8E89220040F4C2 /* GeneratedPluginRegistrant.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = GeneratedPluginRegistrant.m; sourceTree = ""; }; + 3B3967151E833CAA004F5970 /* AppFrameworkInfo.plist */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.plist.xml; name = AppFrameworkInfo.plist; path = Flutter/AppFrameworkInfo.plist; sourceTree = ""; }; + 74858FAD1ED2DC5600515810 /* Runner-Bridging-Header.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = "Runner-Bridging-Header.h"; sourceTree = ""; }; + 74858FAE1ED2DC5600515810 /* AppDelegate.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = AppDelegate.swift; sourceTree = ""; }; + 7AFA3C8E1D35360C0083082E /* Release.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; name = Release.xcconfig; path = Flutter/Release.xcconfig; sourceTree = ""; }; + 9740EEB21CF90195004384FC /* Debug.xcconfig */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.xcconfig; name = Debug.xcconfig; path = Flutter/Debug.xcconfig; sourceTree = ""; }; + 9740EEB31CF90195004384FC /* Generated.xcconfig */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.xcconfig; name = Generated.xcconfig; path = Flutter/Generated.xcconfig; sourceTree = ""; }; + 97C146EE1CF9000F007C117D /* Runner.app */ = {isa = PBXFileReference; explicitFileType = wrapper.application; includeInIndex = 0; path = Runner.app; sourceTree = BUILT_PRODUCTS_DIR; }; + 97C146FB1CF9000F007C117D /* Base */ = {isa = PBXFileReference; lastKnownFileType = file.storyboard; name = Base; path = Base.lproj/Main.storyboard; sourceTree = ""; }; + 97C146FD1CF9000F007C117D /* Assets.xcassets */ = {isa = PBXFileReference; lastKnownFileType = folder.assetcatalog; path = Assets.xcassets; sourceTree = ""; }; + 97C147001CF9000F007C117D /* Base */ = {isa = PBXFileReference; lastKnownFileType = file.storyboard; name = Base; path = Base.lproj/LaunchScreen.storyboard; sourceTree = ""; }; + 97C147021CF9000F007C117D /* Info.plist */ = {isa = PBXFileReference; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; + 331C807B294A618700263BE5 /* RunnerTests.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = RunnerTests.swift; sourceTree = ""; }; + 331C8081294A63A400263BE5 /* RunnerTests.xctest */ = {isa = PBXFileReference; explicitFileType = wrapper.cfbundle; includeInIndex = 0; path = RunnerTests.xctest; sourceTree = BUILT_PRODUCTS_DIR; }; +/* End PBXFileReference section */ + +/* Begin PBXFrameworksBuildPhase section */ + 97C146EB1CF9000F007C117D /* Frameworks */ = { + isa = PBXFrameworksBuildPhase; + buildActionMask = 2147483647; + files = ( + ); + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXFrameworksBuildPhase section */ + +/* Begin PBXGroup section */ + 9740EEB11CF90186004384FC /* Flutter */ = { + isa = PBXGroup; + children = ( + 3B3967151E833CAA004F5970 /* AppFrameworkInfo.plist */, + 9740EEB21CF90195004384FC /* Debug.xcconfig */, + 7AFA3C8E1D35360C0083082E /* Release.xcconfig */, + 9740EEB31CF90195004384FC /* Generated.xcconfig */, + ); + name = Flutter; + sourceTree = ""; + }; + 331C8082294A63A400263BE5 /* RunnerTests */ = { + isa = PBXGroup; + children = ( + 331C807B294A618700263BE5 /* RunnerTests.swift */, + ); + path = RunnerTests; + sourceTree = ""; + }; + 97C146E51CF9000F007C117D = { + isa = PBXGroup; + children = ( + 9740EEB11CF90186004384FC /* Flutter */, + 97C146F01CF9000F007C117D /* Runner */, + 97C146EF1CF9000F007C117D /* Products */, + 331C8082294A63A400263BE5 /* RunnerTests */, + ); + sourceTree = ""; + }; + 97C146EF1CF9000F007C117D /* Products */ = { + isa = PBXGroup; + children = ( + 97C146EE1CF9000F007C117D /* Runner.app */, + 331C8081294A63A400263BE5 /* RunnerTests.xctest */, + ); + name = Products; + sourceTree = ""; + }; + 97C146F01CF9000F007C117D /* Runner */ = { + isa = PBXGroup; + children = ( + 97C146FA1CF9000F007C117D /* Main.storyboard */, + 97C146FD1CF9000F007C117D /* Assets.xcassets */, + 97C146FF1CF9000F007C117D /* LaunchScreen.storyboard */, + 97C147021CF9000F007C117D /* Info.plist */, + 1498D2321E8E86230040F4C2 /* GeneratedPluginRegistrant.h */, + 1498D2331E8E89220040F4C2 /* GeneratedPluginRegistrant.m */, + 74858FAE1ED2DC5600515810 /* AppDelegate.swift */, + 74858FAD1ED2DC5600515810 /* Runner-Bridging-Header.h */, + ); + path = Runner; + sourceTree = ""; + }; +/* End PBXGroup section */ + +/* Begin PBXNativeTarget section */ + 331C8080294A63A400263BE5 /* RunnerTests */ = { + isa = PBXNativeTarget; + buildConfigurationList = 331C8087294A63A400263BE5 /* Build configuration list for PBXNativeTarget "RunnerTests" */; + buildPhases = ( + 331C807D294A63A400263BE5 /* Sources */, + 331C807E294A63A400263BE5 /* Frameworks */, + 331C807F294A63A400263BE5 /* Resources */, + ); + buildRules = ( + ); + dependencies = ( + 331C8086294A63A400263BE5 /* PBXTargetDependency */, + ); + name = RunnerTests; + productName = RunnerTests; + productReference = 331C8081294A63A400263BE5 /* RunnerTests.xctest */; + productType = "com.apple.product-type.bundle.unit-test"; + }; + 97C146ED1CF9000F007C117D /* Runner */ = { + isa = PBXNativeTarget; + buildConfigurationList = 97C147051CF9000F007C117D /* Build configuration list for PBXNativeTarget "Runner" */; + buildPhases = ( + 9740EEB61CF901F6004384FC /* Run Script */, + 97C146EA1CF9000F007C117D /* Sources */, + 97C146EB1CF9000F007C117D /* Frameworks */, + 97C146EC1CF9000F007C117D /* Resources */, + 9705A1C41CF9048500538489 /* Embed Frameworks */, + 3B06AD1E1E4923F5004D2608 /* Thin Binary */, + ); + buildRules = ( + ); + dependencies = ( + ); + name = Runner; + productName = Runner; + productReference = 97C146EE1CF9000F007C117D /* Runner.app */; + productType = "com.apple.product-type.application"; + }; +/* End PBXNativeTarget section */ + +/* Begin PBXProject section */ + 97C146E61CF9000F007C117D /* Project object */ = { + isa = PBXProject; + attributes = { + LastUpgradeCheck = 1300; + ORGANIZATIONNAME = ""; + TargetAttributes = { + 331C8080294A63A400263BE5 = { + CreatedOnToolsVersion = 14.0; + TestTargetID = 97C146ED1CF9000F007C117D; + }; + 97C146ED1CF9000F007C117D = { + CreatedOnToolsVersion = 7.3.1; + LastSwiftMigration = 1100; + }; + }; + }; + buildConfigurationList = 97C146E91CF9000F007C117D /* Build configuration list for PBXProject "Runner" */; + compatibilityVersion = "Xcode 9.3"; + developmentRegion = en; + hasScannedForEncodings = 0; + knownRegions = ( + en, + Base, + ); + mainGroup = 97C146E51CF9000F007C117D; + productRefGroup = 97C146EF1CF9000F007C117D /* Products */; + projectDirPath = ""; + projectRoot = ""; + targets = ( + 97C146ED1CF9000F007C117D /* Runner */, + 331C8080294A63A400263BE5 /* RunnerTests */, + ); + }; +/* End PBXProject section */ + +/* Begin PBXResourcesBuildPhase section */ + 331C807F294A63A400263BE5 /* Resources */ = { + isa = PBXResourcesBuildPhase; + buildActionMask = 2147483647; + files = ( + ); + runOnlyForDeploymentPostprocessing = 0; + }; + 97C146EC1CF9000F007C117D /* Resources */ = { + isa = PBXResourcesBuildPhase; + buildActionMask = 2147483647; + files = ( + 97C147011CF9000F007C117D /* LaunchScreen.storyboard in Resources */, + 3B3967161E833CAA004F5970 /* AppFrameworkInfo.plist in Resources */, + 97C146FE1CF9000F007C117D /* Assets.xcassets in Resources */, + 97C146FC1CF9000F007C117D /* Main.storyboard in Resources */, + ); + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXResourcesBuildPhase section */ + +/* Begin PBXShellScriptBuildPhase section */ + 3B06AD1E1E4923F5004D2608 /* Thin Binary */ = { + isa = PBXShellScriptBuildPhase; + alwaysOutOfDate = 1; + buildActionMask = 2147483647; + files = ( + ); + inputPaths = ( + "${TARGET_BUILD_DIR}/${INFOPLIST_PATH}", + ); + name = "Thin Binary"; + outputPaths = ( + ); + runOnlyForDeploymentPostprocessing = 0; + shellPath = /bin/sh; + shellScript = "/bin/sh \"$FLUTTER_ROOT/packages/flutter_tools/bin/xcode_backend.sh\" embed_and_thin"; + }; + 9740EEB61CF901F6004384FC /* Run Script */ = { + isa = PBXShellScriptBuildPhase; + alwaysOutOfDate = 1; + buildActionMask = 2147483647; + files = ( + ); + inputPaths = ( + ); + name = "Run Script"; + outputPaths = ( + ); + runOnlyForDeploymentPostprocessing = 0; + shellPath = /bin/sh; + shellScript = "/bin/sh \"$FLUTTER_ROOT/packages/flutter_tools/bin/xcode_backend.sh\" build"; + }; +/* End PBXShellScriptBuildPhase section */ + +/* Begin PBXSourcesBuildPhase section */ + 331C807D294A63A400263BE5 /* Sources */ = { + isa = PBXSourcesBuildPhase; + buildActionMask = 2147483647; + files = ( + 331C808B294A63AB00263BE5 /* RunnerTests.swift in Sources */, + ); + runOnlyForDeploymentPostprocessing = 0; + }; + 97C146EA1CF9000F007C117D /* Sources */ = { + isa = PBXSourcesBuildPhase; + buildActionMask = 2147483647; + files = ( + 74858FAF1ED2DC5600515810 /* AppDelegate.swift in Sources */, + 1498D2341E8E89220040F4C2 /* GeneratedPluginRegistrant.m in Sources */, + ); + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXSourcesBuildPhase section */ + +/* Begin PBXTargetDependency section */ + 331C8086294A63A400263BE5 /* PBXTargetDependency */ = { + isa = PBXTargetDependency; + target = 97C146ED1CF9000F007C117D /* Runner */; + targetProxy = 331C8085294A63A400263BE5 /* PBXContainerItemProxy */; + }; +/* End PBXTargetDependency section */ + +/* Begin PBXVariantGroup section */ + 97C146FA1CF9000F007C117D /* Main.storyboard */ = { + isa = PBXVariantGroup; + children = ( + 97C146FB1CF9000F007C117D /* Base */, + ); + name = Main.storyboard; + sourceTree = ""; + }; + 97C146FF1CF9000F007C117D /* LaunchScreen.storyboard */ = { + isa = PBXVariantGroup; + children = ( + 97C147001CF9000F007C117D /* Base */, + ); + name = LaunchScreen.storyboard; + sourceTree = ""; + }; +/* End PBXVariantGroup section */ + +/* Begin XCBuildConfiguration section */ + 249021D3217E4FDB00AE95B9 /* Profile */ = { + isa = XCBuildConfiguration; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_COMMA = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INFINITE_RECURSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES; + CLANG_WARN_OBJC_IMPLICIT_RETAIN_SELF = YES; + CLANG_WARN_OBJC_LITERAL_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; + CLANG_WARN_RANGE_LOOP_ANALYSIS = YES; + CLANG_WARN_STRICT_PROTOTYPES = YES; + CLANG_WARN_SUSPICIOUS_MOVE = YES; + CLANG_WARN_UNREACHABLE_CODE = YES; + CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + COPY_PHASE_STRIP = NO; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + ENABLE_NS_ASSERTIONS = NO; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_C_LANGUAGE_STANDARD = gnu99; + GCC_NO_COMMON_BLOCKS = YES; + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; + GCC_WARN_UNDECLARED_SELECTOR = YES; + GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + IPHONEOS_DEPLOYMENT_TARGET = 11.0; + MTL_ENABLE_DEBUG_INFO = NO; + SDKROOT = iphoneos; + SUPPORTED_PLATFORMS = iphoneos; + TARGETED_DEVICE_FAMILY = "1,2"; + VALIDATE_PRODUCT = YES; + }; + name = Profile; + }; + 249021D4217E4FDB00AE95B9 /* Profile */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 7AFA3C8E1D35360C0083082E /* Release.xcconfig */; + buildSettings = { + ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; + CLANG_ENABLE_MODULES = YES; + CURRENT_PROJECT_VERSION = "$(FLUTTER_BUILD_NUMBER)"; + ENABLE_BITCODE = NO; + INFOPLIST_FILE = Runner/Info.plist; + LD_RUNPATH_SEARCH_PATHS = ( + "$(inherited)", + "@executable_path/Frameworks", + ); + PRODUCT_BUNDLE_IDENTIFIER = com.marinodev.fblaUi; + PRODUCT_NAME = "$(TARGET_NAME)"; + SWIFT_OBJC_BRIDGING_HEADER = "Runner/Runner-Bridging-Header.h"; + SWIFT_VERSION = 5.0; + VERSIONING_SYSTEM = "apple-generic"; + }; + name = Profile; + }; + 331C8088294A63A400263BE5 /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = AE0B7B92F70575B8D7E0D07E /* Pods-RunnerTests.debug.xcconfig */; + buildSettings = { + BUNDLE_LOADER = "$(TEST_HOST)"; + CODE_SIGN_STYLE = Automatic; + CURRENT_PROJECT_VERSION = 1; + GENERATE_INFOPLIST_FILE = YES; + MARKETING_VERSION = 1.0; + PRODUCT_BUNDLE_IDENTIFIER = com.marinodev.fblaUi.RunnerTests; + PRODUCT_NAME = "$(TARGET_NAME)"; + SWIFT_ACTIVE_COMPILATION_CONDITIONS = DEBUG; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + SWIFT_VERSION = 5.0; + TEST_HOST = "$(BUILT_PRODUCTS_DIR)/Runner.app/$(BUNDLE_EXECUTABLE_FOLDER_PATH)/Runner"; + }; + name = Debug; + }; + 331C8089294A63A400263BE5 /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 89B67EB44CE7B6631473024E /* Pods-RunnerTests.release.xcconfig */; + buildSettings = { + BUNDLE_LOADER = "$(TEST_HOST)"; + CODE_SIGN_STYLE = Automatic; + CURRENT_PROJECT_VERSION = 1; + GENERATE_INFOPLIST_FILE = YES; + MARKETING_VERSION = 1.0; + PRODUCT_BUNDLE_IDENTIFIER = com.marinodev.fblaUi.RunnerTests; + PRODUCT_NAME = "$(TARGET_NAME)"; + SWIFT_VERSION = 5.0; + TEST_HOST = "$(BUILT_PRODUCTS_DIR)/Runner.app/$(BUNDLE_EXECUTABLE_FOLDER_PATH)/Runner"; + }; + name = Release; + }; + 331C808A294A63A400263BE5 /* Profile */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 640959BDD8F10B91D80A66BE /* Pods-RunnerTests.profile.xcconfig */; + buildSettings = { + BUNDLE_LOADER = "$(TEST_HOST)"; + CODE_SIGN_STYLE = Automatic; + CURRENT_PROJECT_VERSION = 1; + GENERATE_INFOPLIST_FILE = YES; + MARKETING_VERSION = 1.0; + PRODUCT_BUNDLE_IDENTIFIER = com.marinodev.fblaUi.RunnerTests; + PRODUCT_NAME = "$(TARGET_NAME)"; + SWIFT_VERSION = 5.0; + TEST_HOST = "$(BUILT_PRODUCTS_DIR)/Runner.app/$(BUNDLE_EXECUTABLE_FOLDER_PATH)/Runner"; + }; + name = Profile; + }; + 97C147031CF9000F007C117D /* Debug */ = { + isa = XCBuildConfiguration; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_COMMA = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INFINITE_RECURSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES; + CLANG_WARN_OBJC_IMPLICIT_RETAIN_SELF = YES; + CLANG_WARN_OBJC_LITERAL_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; + CLANG_WARN_RANGE_LOOP_ANALYSIS = YES; + CLANG_WARN_STRICT_PROTOTYPES = YES; + CLANG_WARN_SUSPICIOUS_MOVE = YES; + CLANG_WARN_UNREACHABLE_CODE = YES; + CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + COPY_PHASE_STRIP = NO; + DEBUG_INFORMATION_FORMAT = dwarf; + ENABLE_STRICT_OBJC_MSGSEND = YES; + ENABLE_TESTABILITY = YES; + GCC_C_LANGUAGE_STANDARD = gnu99; + GCC_DYNAMIC_NO_PIC = NO; + GCC_NO_COMMON_BLOCKS = YES; + GCC_OPTIMIZATION_LEVEL = 0; + GCC_PREPROCESSOR_DEFINITIONS = ( + "DEBUG=1", + "$(inherited)", + ); + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; + GCC_WARN_UNDECLARED_SELECTOR = YES; + GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + IPHONEOS_DEPLOYMENT_TARGET = 11.0; + MTL_ENABLE_DEBUG_INFO = YES; + ONLY_ACTIVE_ARCH = YES; + SDKROOT = iphoneos; + TARGETED_DEVICE_FAMILY = "1,2"; + }; + name = Debug; + }; + 97C147041CF9000F007C117D /* Release */ = { + isa = XCBuildConfiguration; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_COMMA = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INFINITE_RECURSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES; + CLANG_WARN_OBJC_IMPLICIT_RETAIN_SELF = YES; + CLANG_WARN_OBJC_LITERAL_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; + CLANG_WARN_RANGE_LOOP_ANALYSIS = YES; + CLANG_WARN_STRICT_PROTOTYPES = YES; + CLANG_WARN_SUSPICIOUS_MOVE = YES; + CLANG_WARN_UNREACHABLE_CODE = YES; + CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + COPY_PHASE_STRIP = NO; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + ENABLE_NS_ASSERTIONS = NO; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_C_LANGUAGE_STANDARD = gnu99; + GCC_NO_COMMON_BLOCKS = YES; + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; + GCC_WARN_UNDECLARED_SELECTOR = YES; + GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + IPHONEOS_DEPLOYMENT_TARGET = 11.0; + MTL_ENABLE_DEBUG_INFO = NO; + SDKROOT = iphoneos; + SUPPORTED_PLATFORMS = iphoneos; + SWIFT_COMPILATION_MODE = wholemodule; + SWIFT_OPTIMIZATION_LEVEL = "-O"; + TARGETED_DEVICE_FAMILY = "1,2"; + VALIDATE_PRODUCT = YES; + }; + name = Release; + }; + 97C147061CF9000F007C117D /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 9740EEB21CF90195004384FC /* Debug.xcconfig */; + buildSettings = { + ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; + CLANG_ENABLE_MODULES = YES; + CURRENT_PROJECT_VERSION = "$(FLUTTER_BUILD_NUMBER)"; + ENABLE_BITCODE = NO; + INFOPLIST_FILE = Runner/Info.plist; + LD_RUNPATH_SEARCH_PATHS = ( + "$(inherited)", + "@executable_path/Frameworks", + ); + PRODUCT_BUNDLE_IDENTIFIER = com.marinodev.fblaUi; + PRODUCT_NAME = "$(TARGET_NAME)"; + SWIFT_OBJC_BRIDGING_HEADER = "Runner/Runner-Bridging-Header.h"; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + SWIFT_VERSION = 5.0; + VERSIONING_SYSTEM = "apple-generic"; + }; + name = Debug; + }; + 97C147071CF9000F007C117D /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 7AFA3C8E1D35360C0083082E /* Release.xcconfig */; + buildSettings = { + ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; + CLANG_ENABLE_MODULES = YES; + CURRENT_PROJECT_VERSION = "$(FLUTTER_BUILD_NUMBER)"; + ENABLE_BITCODE = NO; + INFOPLIST_FILE = Runner/Info.plist; + LD_RUNPATH_SEARCH_PATHS = ( + "$(inherited)", + "@executable_path/Frameworks", + ); + PRODUCT_BUNDLE_IDENTIFIER = com.marinodev.fblaUi; + PRODUCT_NAME = "$(TARGET_NAME)"; + SWIFT_OBJC_BRIDGING_HEADER = "Runner/Runner-Bridging-Header.h"; + SWIFT_VERSION = 5.0; + VERSIONING_SYSTEM = "apple-generic"; + }; + name = Release; + }; +/* End XCBuildConfiguration section */ + +/* Begin XCConfigurationList section */ + 331C8087294A63A400263BE5 /* Build configuration list for PBXNativeTarget "RunnerTests" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + 331C8088294A63A400263BE5 /* Debug */, + 331C8089294A63A400263BE5 /* Release */, + 331C808A294A63A400263BE5 /* Profile */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; + 97C146E91CF9000F007C117D /* Build configuration list for PBXProject "Runner" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + 97C147031CF9000F007C117D /* Debug */, + 97C147041CF9000F007C117D /* Release */, + 249021D3217E4FDB00AE95B9 /* Profile */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; + 97C147051CF9000F007C117D /* Build configuration list for PBXNativeTarget "Runner" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + 97C147061CF9000F007C117D /* Debug */, + 97C147071CF9000F007C117D /* Release */, + 249021D4217E4FDB00AE95B9 /* Profile */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; +/* End XCConfigurationList section */ + }; + rootObject = 97C146E61CF9000F007C117D /* Project object */; +} diff --git a/fbla_ui/ios/Runner.xcodeproj/project.xcworkspace/contents.xcworkspacedata b/fbla_ui/ios/Runner.xcodeproj/project.xcworkspace/contents.xcworkspacedata new file mode 100644 index 0000000..919434a --- /dev/null +++ b/fbla_ui/ios/Runner.xcodeproj/project.xcworkspace/contents.xcworkspacedata @@ -0,0 +1,7 @@ + + + + + diff --git a/fbla_ui/ios/Runner.xcodeproj/project.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist b/fbla_ui/ios/Runner.xcodeproj/project.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist new file mode 100644 index 0000000..18d9810 --- /dev/null +++ b/fbla_ui/ios/Runner.xcodeproj/project.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist @@ -0,0 +1,8 @@ + + + + + IDEDidComputeMac32BitWarning + + + diff --git a/fbla_ui/ios/Runner.xcodeproj/project.xcworkspace/xcshareddata/WorkspaceSettings.xcsettings b/fbla_ui/ios/Runner.xcodeproj/project.xcworkspace/xcshareddata/WorkspaceSettings.xcsettings new file mode 100644 index 0000000..f9b0d7c --- /dev/null +++ b/fbla_ui/ios/Runner.xcodeproj/project.xcworkspace/xcshareddata/WorkspaceSettings.xcsettings @@ -0,0 +1,8 @@ + + + + + PreviewsEnabled + + + diff --git a/fbla_ui/ios/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme b/fbla_ui/ios/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme new file mode 100644 index 0000000..e42adcb --- /dev/null +++ b/fbla_ui/ios/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme @@ -0,0 +1,98 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/fbla_ui/ios/Runner.xcworkspace/contents.xcworkspacedata b/fbla_ui/ios/Runner.xcworkspace/contents.xcworkspacedata new file mode 100644 index 0000000..1d526a1 --- /dev/null +++ b/fbla_ui/ios/Runner.xcworkspace/contents.xcworkspacedata @@ -0,0 +1,7 @@ + + + + + diff --git a/fbla_ui/ios/Runner.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist b/fbla_ui/ios/Runner.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist new file mode 100644 index 0000000..18d9810 --- /dev/null +++ b/fbla_ui/ios/Runner.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist @@ -0,0 +1,8 @@ + + + + + IDEDidComputeMac32BitWarning + + + diff --git a/fbla_ui/ios/Runner.xcworkspace/xcshareddata/WorkspaceSettings.xcsettings b/fbla_ui/ios/Runner.xcworkspace/xcshareddata/WorkspaceSettings.xcsettings new file mode 100644 index 0000000..f9b0d7c --- /dev/null +++ b/fbla_ui/ios/Runner.xcworkspace/xcshareddata/WorkspaceSettings.xcsettings @@ -0,0 +1,8 @@ + + + + + PreviewsEnabled + + + diff --git a/fbla_ui/ios/Runner/AppDelegate.swift b/fbla_ui/ios/Runner/AppDelegate.swift new file mode 100644 index 0000000..70693e4 --- /dev/null +++ b/fbla_ui/ios/Runner/AppDelegate.swift @@ -0,0 +1,13 @@ +import UIKit +import Flutter + +@UIApplicationMain +@objc class AppDelegate: FlutterAppDelegate { + override func application( + _ application: UIApplication, + didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]? + ) -> Bool { + GeneratedPluginRegistrant.register(with: self) + return super.application(application, didFinishLaunchingWithOptions: launchOptions) + } +} diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Contents.json b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Contents.json new file mode 100644 index 0000000..d36b1fa --- /dev/null +++ b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Contents.json @@ -0,0 +1,122 @@ +{ + "images" : [ + { + "size" : "20x20", + "idiom" : "iphone", + "filename" : "Icon-App-20x20@2x.png", + "scale" : "2x" + }, + { + "size" : "20x20", + "idiom" : "iphone", + "filename" : "Icon-App-20x20@3x.png", + "scale" : "3x" + }, + { + "size" : "29x29", + "idiom" : "iphone", + "filename" : "Icon-App-29x29@1x.png", + "scale" : "1x" + }, + { + "size" : "29x29", + "idiom" : "iphone", + "filename" : "Icon-App-29x29@2x.png", + "scale" : "2x" + }, + { + "size" : "29x29", + "idiom" : "iphone", + "filename" : "Icon-App-29x29@3x.png", + "scale" : "3x" + }, + { + "size" : "40x40", + "idiom" : "iphone", + "filename" : "Icon-App-40x40@2x.png", + "scale" : "2x" + }, + { + "size" : "40x40", + "idiom" : "iphone", + "filename" : "Icon-App-40x40@3x.png", + "scale" : "3x" + }, + { + "size" : "60x60", + "idiom" : "iphone", + "filename" : "Icon-App-60x60@2x.png", + "scale" : "2x" + }, + { + "size" : "60x60", + "idiom" : "iphone", + "filename" : "Icon-App-60x60@3x.png", + "scale" : "3x" + }, + { + "size" : "20x20", + "idiom" : "ipad", + "filename" : "Icon-App-20x20@1x.png", + "scale" : "1x" + }, + { + "size" : "20x20", + "idiom" : "ipad", + "filename" : "Icon-App-20x20@2x.png", + "scale" : "2x" + }, + { + "size" : "29x29", + "idiom" : "ipad", + "filename" : "Icon-App-29x29@1x.png", + "scale" : "1x" + }, + { + "size" : "29x29", + "idiom" : "ipad", + "filename" : "Icon-App-29x29@2x.png", + "scale" : "2x" + }, + { + "size" : "40x40", + "idiom" : "ipad", + "filename" : "Icon-App-40x40@1x.png", + "scale" : "1x" + }, + { + "size" : "40x40", + "idiom" : "ipad", + "filename" : "Icon-App-40x40@2x.png", + "scale" : "2x" + }, + { + "size" : "76x76", + "idiom" : "ipad", + "filename" : "Icon-App-76x76@1x.png", + "scale" : "1x" + }, + { + "size" : "76x76", + "idiom" : "ipad", + "filename" : "Icon-App-76x76@2x.png", + "scale" : "2x" + }, + { + "size" : "83.5x83.5", + "idiom" : "ipad", + "filename" : "Icon-App-83.5x83.5@2x.png", + "scale" : "2x" + }, + { + "size" : "1024x1024", + "idiom" : "ios-marketing", + "filename" : "Icon-App-1024x1024@1x.png", + "scale" : "1x" + } + ], + "info" : { + "version" : 1, + "author" : "xcode" + } +} diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-1024x1024@1x.png b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-1024x1024@1x.png new file mode 100644 index 0000000..dc9ada4 Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-1024x1024@1x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@1x.png b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@1x.png new file mode 100644 index 0000000..7353c41 Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@1x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@2x.png b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@2x.png new file mode 100644 index 0000000..797d452 Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@2x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@3x.png b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@3x.png new file mode 100644 index 0000000..6ed2d93 Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-20x20@3x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@1x.png b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@1x.png new file mode 100644 index 0000000..4cd7b00 Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@1x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@2x.png b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@2x.png new file mode 100644 index 0000000..fe73094 Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@2x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@3x.png b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@3x.png new file mode 100644 index 0000000..321773c Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-29x29@3x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@1x.png b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@1x.png new file mode 100644 index 0000000..797d452 Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@1x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@2x.png b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@2x.png new file mode 100644 index 0000000..502f463 Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@2x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@3x.png b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@3x.png new file mode 100644 index 0000000..0ec3034 Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-40x40@3x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-60x60@2x.png b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-60x60@2x.png new file mode 100644 index 0000000..0ec3034 Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-60x60@2x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-60x60@3x.png b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-60x60@3x.png new file mode 100644 index 0000000..e9f5fea Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-60x60@3x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-76x76@1x.png b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-76x76@1x.png new file mode 100644 index 0000000..84ac32a Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-76x76@1x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-76x76@2x.png b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-76x76@2x.png new file mode 100644 index 0000000..8953cba Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-76x76@2x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-83.5x83.5@2x.png b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-83.5x83.5@2x.png new file mode 100644 index 0000000..0467bf1 Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/AppIcon.appiconset/Icon-App-83.5x83.5@2x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/LaunchImage.imageset/Contents.json b/fbla_ui/ios/Runner/Assets.xcassets/LaunchImage.imageset/Contents.json new file mode 100644 index 0000000..0bedcf2 --- /dev/null +++ b/fbla_ui/ios/Runner/Assets.xcassets/LaunchImage.imageset/Contents.json @@ -0,0 +1,23 @@ +{ + "images" : [ + { + "idiom" : "universal", + "filename" : "LaunchImage.png", + "scale" : "1x" + }, + { + "idiom" : "universal", + "filename" : "LaunchImage@2x.png", + "scale" : "2x" + }, + { + "idiom" : "universal", + "filename" : "LaunchImage@3x.png", + "scale" : "3x" + } + ], + "info" : { + "version" : 1, + "author" : "xcode" + } +} diff --git a/fbla_ui/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage.png b/fbla_ui/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage.png new file mode 100644 index 0000000..9da19ea Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage@2x.png b/fbla_ui/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage@2x.png new file mode 100644 index 0000000..9da19ea Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage@2x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage@3x.png b/fbla_ui/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage@3x.png new file mode 100644 index 0000000..9da19ea Binary files /dev/null and b/fbla_ui/ios/Runner/Assets.xcassets/LaunchImage.imageset/LaunchImage@3x.png differ diff --git a/fbla_ui/ios/Runner/Assets.xcassets/LaunchImage.imageset/README.md b/fbla_ui/ios/Runner/Assets.xcassets/LaunchImage.imageset/README.md new file mode 100644 index 0000000..89c2725 --- /dev/null +++ b/fbla_ui/ios/Runner/Assets.xcassets/LaunchImage.imageset/README.md @@ -0,0 +1,5 @@ +# Launch Screen Assets + +You can customize the launch screen with your own desired assets by replacing the image files in this directory. + +You can also do it by opening your Flutter project's Xcode project with `open ios/Runner.xcworkspace`, selecting `Runner/Assets.xcassets` in the Project Navigator and dropping in the desired images. \ No newline at end of file diff --git a/fbla_ui/ios/Runner/Base.lproj/LaunchScreen.storyboard b/fbla_ui/ios/Runner/Base.lproj/LaunchScreen.storyboard new file mode 100644 index 0000000..f2e259c --- /dev/null +++ b/fbla_ui/ios/Runner/Base.lproj/LaunchScreen.storyboard @@ -0,0 +1,37 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/fbla_ui/ios/Runner/Base.lproj/Main.storyboard b/fbla_ui/ios/Runner/Base.lproj/Main.storyboard new file mode 100644 index 0000000..f3c2851 --- /dev/null +++ b/fbla_ui/ios/Runner/Base.lproj/Main.storyboard @@ -0,0 +1,26 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/fbla_ui/ios/Runner/Info.plist b/fbla_ui/ios/Runner/Info.plist new file mode 100644 index 0000000..98f539f --- /dev/null +++ b/fbla_ui/ios/Runner/Info.plist @@ -0,0 +1,49 @@ + + + + + CFBundleDevelopmentRegion + $(DEVELOPMENT_LANGUAGE) + CFBundleDisplayName + Job Link + CFBundleExecutable + $(EXECUTABLE_NAME) + CFBundleIdentifier + $(PRODUCT_BUNDLE_IDENTIFIER) + CFBundleInfoDictionaryVersion + 6.0 + CFBundleName + fbla_ui + CFBundlePackageType + APPL + CFBundleShortVersionString + $(FLUTTER_BUILD_NAME) + CFBundleSignature + ???? + CFBundleVersion + $(FLUTTER_BUILD_NUMBER) + LSRequiresIPhoneOS + + UILaunchStoryboardName + LaunchScreen + UIMainStoryboardFile + Main + UISupportedInterfaceOrientations + + UIInterfaceOrientationPortrait + + UISupportedInterfaceOrientations~ipad + + UIInterfaceOrientationPortrait + UIInterfaceOrientationPortraitUpsideDown + UIInterfaceOrientationLandscapeLeft + UIInterfaceOrientationLandscapeRight + + UIViewControllerBasedStatusBarAppearance + + CADisableMinimumFrameDurationOnPhone + + UIApplicationSupportsIndirectInputEvents + + + diff --git a/fbla_ui/ios/Runner/Runner-Bridging-Header.h b/fbla_ui/ios/Runner/Runner-Bridging-Header.h new file mode 100644 index 0000000..308a2a5 --- /dev/null +++ b/fbla_ui/ios/Runner/Runner-Bridging-Header.h @@ -0,0 +1 @@ +#import "GeneratedPluginRegistrant.h" diff --git a/fbla_ui/ios/RunnerTests/RunnerTests.swift b/fbla_ui/ios/RunnerTests/RunnerTests.swift new file mode 100644 index 0000000..86a7c3b --- /dev/null +++ b/fbla_ui/ios/RunnerTests/RunnerTests.swift @@ -0,0 +1,12 @@ +import Flutter +import UIKit +import XCTest + +class RunnerTests: XCTestCase { + + func testExample() { + // If you add code to the Runner application, consider adding tests here. + // See https://developer.apple.com/documentation/xctest for more information about using XCTest. + } + +} diff --git a/fbla_ui/lib/api_logic.dart b/fbla_ui/lib/api_logic.dart new file mode 100644 index 0000000..dbf7ee3 --- /dev/null +++ b/fbla_ui/lib/api_logic.dart @@ -0,0 +1,157 @@ +import 'dart:async'; +import 'dart:convert'; +import 'dart:io'; + +import 'package:fbla_ui/shared.dart'; +import 'package:http/http.dart' as http; + +var apiAddress = 'https://homelab.marinodev.com/fbla-api'; +var client = http.Client(); +// var apiAddress = '192.168.0.114:8000'; +// var apiLogoAddress = 'https://homelab.marinodev.com/fbla-api'; +// var apiLogoAddress = 'http://192.168.0.114:8000'; + +Future fetchBusinessData() async { + try { + var response = await http + .get(Uri.parse('$apiAddress/businessdata')) + .timeout(const Duration(seconds: 20)); + if (response.statusCode == 200) { + var decodedResponse = json.decode(response.body); + List businessList = List.from( + decodedResponse.map((json) => Business.fromJson(json)).toList()); + return businessList; + } else { + return 'Error ${response.statusCode}! Please try again later!'; + } + } on TimeoutException { + return 'Unable to connect to server (timeout).\nPlease try again later.'; + } on SocketException { + return 'Unable to connect to server (socket exception).\nPlease check your internet connection.\n'; + } +} + +Future createBusiness(Business business, String jwt) async { + var json = ''' + { + "id": ${business.id}, + "name": "${business.name}", + "description": "${business.description}", + "type": "${business.type.name}", + "website": "${business.website}", + "contactName": "${business.contactName}", + "contactEmail": "${business.contactEmail}", + "contactPhone": "${business.contactPhone}", + "notes": "${business.notes}", + "locationName": "${business.locationName}", + "locationAddress": "${business.locationAddress}" + } + '''; + + try { + var response = await http.post(Uri.parse('$apiAddress/createbusiness'), + body: json, + headers: {'Authorization': jwt}).timeout(const Duration(seconds: 20)); + if (response.statusCode != 200) { + return response.body; + } + } on TimeoutException { + return 'Unable to connect to server (timeout). Please try again later'; + } on SocketException { + return 'Unable to connect to server (socket exception). Please check your internet connection.'; + } +} + +Future deleteBusiness(Business business, String jwt) async { + var json = ''' + { + "id": ${business.id} + } + '''; + + try { + var response = await http.post(Uri.parse('$apiAddress/deletebusiness'), + body: json, + headers: {'Authorization': jwt}).timeout(const Duration(seconds: 20)); + if (response.statusCode != 200) { + return response.body; + } + } on TimeoutException { + return 'Unable to connect to server (timeout). Please try again later'; + } on SocketException { + return 'Unable to connect to server (socket exception). Please check your internet connection.'; + } +} + +Future editBusiness(Business business, String jwt) async { + var json = ''' + { + "id": ${business.id}, + "name": "${business.name}", + "description": "${business.description}", + "type": "${business.type.name}", + "website": "${business.website}", + "contactName": "${business.contactName}", + "contactEmail": "${business.contactEmail}", + "contactPhone": "${business.contactPhone}", + "notes": "${business.notes}", + "locationName": "${business.locationName}", + "locationAddress": "${business.locationAddress}" + } + '''; + print(json); + try { + var response = await http.post(Uri.parse('$apiAddress/editbusiness'), + body: json, + headers: {'Authorization': jwt}).timeout(const Duration(seconds: 20)); + if (response.statusCode != 200) { + return response.body; + } + } on TimeoutException { + return 'Unable to connect to server (timeout). Please try again later'; + } on SocketException { + return 'Unable to connect to server (socket exception). Please check your internet connection.'; + } +} + +Future signIn(String username, String password) async { + var json = ''' + { + "username": "$username", + "password": "$password" + } + '''; + + var response = await http.post( + Uri.parse('$apiAddress/signin'), + body: json, + ); + if (response.statusCode == 200) { + return response.body; + } else { + return 'Error: ${response.body}'; + } +} + +Future marinoDevLogo() async { + var response = await http.get( + Uri.parse('$apiAddress/marinodev'), + ); + + // File logo = File ('${getTemporaryDirectory().toString()}/marinodev.svg'); + // logo.writeAsBytes(response.bodyBytes); + + return response.bodyBytes; +} + +Future getLogo(int logoId) async { + var response = await http.get( + Uri.parse('$apiAddress/logos/$logoId'), + ); + + if (response.statusCode == 200) { + return response.bodyBytes; + } else { + return 'Error ${response.statusCode}'; + } +} diff --git a/fbla_ui/lib/home.dart b/fbla_ui/lib/home.dart new file mode 100644 index 0000000..46c1e8d --- /dev/null +++ b/fbla_ui/lib/home.dart @@ -0,0 +1,444 @@ +import 'package:dart_jsonwebtoken/dart_jsonwebtoken.dart'; +import 'package:fbla_ui/api_logic.dart'; +import 'package:fbla_ui/main.dart'; +import 'package:fbla_ui/pages/create_edit_business.dart'; +import 'package:fbla_ui/pages/export_data.dart'; +import 'package:fbla_ui/pages/signin_page.dart'; +import 'package:fbla_ui/shared.dart'; +import 'package:flutter/material.dart'; +import 'package:rive/rive.dart'; +import 'package:shared_preferences/shared_preferences.dart'; +import 'package:url_launcher/url_launcher.dart'; + +typedef Callback = void Function(); + +class Home extends StatefulWidget { + final Callback themeCallback; + + const Home({super.key, required this.themeCallback}); + + @override + State createState() => _HomeState(); +} + +class _HomeState extends State { + late Future refreshBusinessDataFuture; + bool _isPreviousData = false; + late List businesses; + + @override + void initState() { + super.initState(); + + refreshBusinessDataFuture = fetchBusinessData(); + initialLogin(); + } + + Future initialLogin() async { + final prefs = await SharedPreferences.getInstance(); + + bool? rememberMe = prefs.getBool('rememberMe'); + if (rememberMe != null && rememberMe) { + String? username = prefs.getString('username'); + String? password = prefs.getString('password'); + + jwt = await signIn(username!, password!); + if (!jwt.contains('Error:')) { + setState(() { + loggedIn = true; + }); + } + } + } + + void setStateCallback() { + setState(() { + loggedIn = loggedIn; + }); + } + + @override + Widget build(BuildContext context) { + bool widescreen = MediaQuery.sizeOf(context).width >= 1000; + return Scaffold( + floatingActionButton: _getFAB(), + body: RefreshIndicator( + edgeOffset: 120, + onRefresh: () async { + var refreshedData = fetchBusinessData(); + await refreshedData; + setState(() { + refreshBusinessDataFuture = refreshedData; + }); + }, + child: CustomScrollView( + slivers: [ + SliverAppBar( + title: widescreen ? _searchBar() : const Text('Job Link'), + toolbarHeight: 70, + pinned: true, + scrolledUnderElevation: 0, + centerTitle: true, + expandedHeight: widescreen ? 70 : 120, + backgroundColor: Theme.of(context).colorScheme.background, + bottom: _getBottom(), + leading: IconButton( + icon: getIconFromThemeMode(themeMode), + onPressed: () { + setState(() { + widget.themeCallback(); + }); + }, + ), + actions: [ + IconButton( + icon: const Icon(Icons.help), + onPressed: () { + showDialog( + context: context, + builder: (BuildContext context) { + return AlertDialog( + title: const Text('About'), + backgroundColor: + Theme.of(context).colorScheme.background, + content: SizedBox( + width: 500, + child: IntrinsicHeight( + child: Column( + crossAxisAlignment: CrossAxisAlignment.start, + children: [ + const Text( + 'Welcome to my FBLA 2024 Coding and Programming submission!\n\n' + 'MarinoDev Job Link aims to provide comprehensive details of businesses and community partners' + ' for Waukesha West High School\'s Career and Technical Education Department.\n\n'), + MouseRegion( + cursor: SystemMouseCursors.click, + child: GestureDetector( + child: const Column( + crossAxisAlignment: + CrossAxisAlignment.start, + children: [ + Text('Git Repo:'), + Text( + 'https://git.marinodev.com/MarinoDev/FBLA24\n', + style: TextStyle( + color: Colors.blue)), + ], + ), + onTap: () { + launchUrl(Uri.https( + 'git.marinodev.com', + '/MarinoDev/FBLA24')); + }, + ), + ), + MouseRegion( + cursor: SystemMouseCursors.click, + child: GestureDetector( + child: const Column( + crossAxisAlignment: + CrossAxisAlignment.start, + children: [ + Text( + 'Please direct any questions to'), + Text('drake@marinodev.com', + style: TextStyle( + color: Colors.blue)), + ], + ), + onTap: () { + launchUrl(Uri.parse( + 'mailto:drake@marinodev.com')); + }, + ), + ) + ], + ), + ), + ), + actions: [ + TextButton( + child: const Text('OK'), + onPressed: () { + Navigator.of(context).pop(); + }), + ], + ); + }); + }, + ), + IconButton( + icon: const Icon(Icons.picture_as_pdf), + onPressed: () async { + if (!_isPreviousData) { + ScaffoldMessenger.of(context).clearSnackBars(); + ScaffoldMessenger.of(context).showSnackBar( + const SnackBar( + width: 300, + behavior: SnackBarBehavior.floating, + content: Text('There is no data!'), + duration: Duration(seconds: 2), + ), + ); + } else { + selectedDataTypes = {}; + Navigator.push( + context, + MaterialPageRoute( + builder: (context) => + ExportData(businesses: businesses))); + } + }, + ), + Padding( + padding: const EdgeInsets.only(right: 8.0), + child: IconButton( + icon: loggedIn + ? const Icon(Icons.account_circle) + : const Icon(Icons.login), + onPressed: () { + if (loggedIn) { + var payload = JWT.decode(jwt).payload; + + showDialog( + context: context, + builder: (BuildContext context) { + return AlertDialog( + backgroundColor: + Theme.of(context).colorScheme.background, + title: Text('Hi, ${payload['username']}!'), + content: Text( + 'You are logged in as an admin with username ${payload['username']}.'), + actions: [ + TextButton( + child: const Text('Cancel'), + onPressed: () { + Navigator.of(context).pop(); + }), + TextButton( + child: const Text('Logout'), + onPressed: () async { + final prefs = await SharedPreferences + .getInstance(); + prefs.setBool('rememberMe', false); + prefs.setString('username', ''); + prefs.setString('password', ''); + + setState(() { + loggedIn = false; + }); + Navigator.of(context).pop(); + }), + ], + ); + }); + } else { + Navigator.push( + context, + MaterialPageRoute( + builder: (context) => SignInPage( + refreshAccount: setStateCallback))); + } + }, + ), + ), + ], + ), + FutureBuilder( + future: refreshBusinessDataFuture, + builder: (context, snapshot) { + if (snapshot.connectionState == ConnectionState.done) { + if (snapshot.hasData) { + if (snapshot.data.runtimeType == String) { + _isPreviousData = false; + return SliverToBoxAdapter( + child: Padding( + padding: const EdgeInsets.all(16.0), + child: Column(children: [ + Center( + child: Text(snapshot.data, + textAlign: TextAlign.center)), + Padding( + padding: const EdgeInsets.all(8.0), + child: FilledButton( + child: const Text('Retry'), + onPressed: () { + var refreshedData = fetchBusinessData(); + setState(() { + refreshBusinessDataFuture = refreshedData; + }); + }, + ), + ), + ]), + )); + } + + businesses = snapshot.data; + _isPreviousData = true; + + return BusinessDisplayPanel( + businesses: businesses, + widescreen: widescreen, + selectable: false); + } else if (snapshot.hasError) { + return SliverToBoxAdapter( + child: Padding( + padding: const EdgeInsets.only(left: 16.0, right: 16.0), + child: Text( + 'Error when loading data! Error: ${snapshot.error}'), + )); + } + } else if (snapshot.connectionState == + ConnectionState.waiting) { + if (_isPreviousData) { + return BusinessDisplayPanel( + businesses: businesses, + widescreen: widescreen, + selectable: false); + } else { + return SliverToBoxAdapter( + child: Container( + padding: const EdgeInsets.all(8.0), + alignment: Alignment.center, + // child: const CircularProgressIndicator(), + child: const SizedBox( + width: 75, + height: 75, + child: RiveAnimation.asset( + 'assets/mdev_triangle_loading.riv'), + // child: RiveAnimation.file( + // 'assets/mdev_triangle_loading.riv', + // ), + ), + )); + } + } + return SliverToBoxAdapter( + child: Padding( + padding: const EdgeInsets.all(8.0), + child: Text( + '\nError: ${snapshot.error}', + style: const TextStyle(fontSize: 18), + textAlign: TextAlign.center, + ), + ), + ); + }), + ], + ), + ), + ); + } + + Widget? _getFAB() { + if (loggedIn) { + return FloatingActionButton( + child: const Icon(Icons.add), + onPressed: () { + Navigator.push( + context, + MaterialPageRoute( + builder: (context) => const CreateEditBusiness())); + }, + ); + } + return null; + } + + Widget _searchBar() { + return SizedBox( + width: 800, + height: 50, + child: TextField( + onChanged: (query) { + setState(() { + searchFilter = query; + }); + }, + decoration: InputDecoration( + labelText: 'Search', + hintText: 'Search', + prefixIcon: const Padding( + padding: EdgeInsets.only(left: 8.0), + child: Icon(Icons.search), + ), + border: const OutlineInputBorder( + borderRadius: BorderRadius.all(Radius.circular(25.0)), + ), + suffixIcon: Padding( + padding: const EdgeInsets.only(right: 8.0), + child: IconButton( + tooltip: 'Filters', + icon: Icon(Icons.filter_list, + color: isFiltered + ? Theme.of(context).colorScheme.primary + : Theme.of(context).colorScheme.onBackground), + onPressed: () { + showDialog( + context: context, + builder: (BuildContext context) { + return AlertDialog( + // DO NOT MOVE TO SEPARATE WIDGET, setState is needed in main tree + backgroundColor: + Theme.of(context).colorScheme.background, + title: const Text('Filter Options'), + content: const FilterChips(), + actions: [ + TextButton( + child: const Text('Reset'), + onPressed: () { + setState(() { + filters = {}; + selectedChips = {}; + isFiltered = false; + }); + Navigator.of(context).pop(); + }), + TextButton( + child: const Text('Cancel'), + onPressed: () { + selectedChips = Set.from(filters); + Navigator.of(context).pop(); + }), + TextButton( + child: const Text('Apply'), + onPressed: () { + setState(() { + filters = Set.from(selectedChips); + if (filters.isNotEmpty) { + isFiltered = true; + } else { + isFiltered = false; + } + }); + Navigator.of(context).pop(); + }), + ], + ); + }); + }, + ), + ), + ), + ), + ); + } + + PreferredSizeWidget? _getBottom() { + if (MediaQuery.sizeOf(context).width <= 1000) { + return PreferredSize( + preferredSize: const Size.fromHeight(0), + child: SizedBox( + // color: Theme.of(context).colorScheme.background, + height: 70, + child: Padding( + padding: const EdgeInsets.all(10), + child: _searchBar(), + ), + ), + ); + } + return null; + } +} diff --git a/fbla_ui/lib/main.dart b/fbla_ui/lib/main.dart new file mode 100644 index 0000000..9597075 --- /dev/null +++ b/fbla_ui/lib/main.dart @@ -0,0 +1,103 @@ +import 'package:fbla_ui/home.dart'; +import 'package:flutter/material.dart'; +import 'package:flutter/services.dart'; +import 'package:shared_preferences/shared_preferences.dart'; + +ThemeMode themeMode = ThemeMode.system; + +void main() async { + WidgetsFlutterBinding.ensureInitialized(); + + final prefs = await SharedPreferences.getInstance(); + bool? isDark = prefs.getBool('isDark'); + + themeMode = isDark != null && isDark + ? ThemeMode.dark + : isDark != null && !isDark + ? ThemeMode.light + : ThemeMode.system; + runApp(const MaterialApp( + title: 'Job Link', + home: MainApp(), + )); +} + +class MainApp extends StatefulWidget { + final bool? isDark; + + const MainApp({super.key, this.isDark}); + + @override + State createState() => _MainAppState(); +} + +class _MainAppState extends State { + void _switchTheme() async { + final prefs = await SharedPreferences.getInstance(); + if (MediaQuery.of(context).platformBrightness == Brightness.dark && + themeMode == ThemeMode.system) { + setState(() { + themeMode = ThemeMode.light; + }); + prefs.setBool('isDark', false); + } else if (MediaQuery.of(context).platformBrightness == Brightness.light && + themeMode == ThemeMode.system) { + setState(() { + themeMode = ThemeMode.dark; + }); + prefs.setBool('isDark', true); + } else if (themeMode == ThemeMode.light) { + setState(() { + themeMode = ThemeMode.dark; + }); + prefs.setBool('isDark', true); + } else if (themeMode == ThemeMode.dark) { + setState(() { + themeMode = ThemeMode.light; + }); + prefs.setBool('isDark', false); + } + } + + @override + Widget build(BuildContext context) { + SystemChrome.setPreferredOrientations([ + DeviceOrientation.portraitUp, + DeviceOrientation.portraitDown, + ]); + + return MaterialApp( + title: 'Job Link', + themeMode: themeMode, + // themeMode: ThemeMode.light, + darkTheme: ThemeData( + colorScheme: ColorScheme.dark( + brightness: Brightness.dark, + primary: Colors.blue, + onPrimary: Colors.white, + secondary: Colors.blue.shade900, + background: const Color.fromARGB(255, 31, 31, 31), + tertiary: Colors.green.shade900, + ), + iconTheme: const IconThemeData(color: Colors.white), + inputDecorationTheme: const InputDecorationTheme(), + useMaterial3: true, + ), + theme: ThemeData( + colorScheme: ColorScheme.light( + brightness: Brightness.light, + primary: Colors.blue, + onPrimary: Colors.white, + secondary: Colors.blue.shade200, + background: Colors.white, + tertiary: Colors.green, + ), + iconTheme: const IconThemeData(color: Colors.black), + inputDecorationTheme: + const InputDecorationTheme(border: UnderlineInputBorder()), + useMaterial3: true, + ), + home: Home(themeCallback: _switchTheme), + ); + } +} diff --git a/fbla_ui/lib/pages/business_detail.dart b/fbla_ui/lib/pages/business_detail.dart new file mode 100644 index 0000000..a302b45 --- /dev/null +++ b/fbla_ui/lib/pages/business_detail.dart @@ -0,0 +1,228 @@ +import 'package:fbla_ui/api_logic.dart'; +import 'package:fbla_ui/main.dart'; +import 'package:fbla_ui/pages/create_edit_business.dart'; +import 'package:fbla_ui/pages/signin_page.dart'; +import 'package:fbla_ui/shared.dart'; +import 'package:flutter/material.dart'; +import 'package:url_launcher/url_launcher.dart'; + +class BusinessDetail extends StatefulWidget { + final Business inputBusiness; + + const BusinessDetail({super.key, required this.inputBusiness}); + + @override + State createState() => _CreateBusinessDetailState(); +} + +class _CreateBusinessDetailState extends State { + @override + Widget build(BuildContext context) { + Business business = Business.copy(widget.inputBusiness); + return Scaffold( + appBar: AppBar( + title: Text(business.name), + actions: _getActions(business), + ), + body: ListView( + children: [ + Card( + clipBehavior: Clip.antiAlias, + child: Column( + children: [ + ListTile( + title: Text(business.name, + textAlign: TextAlign.left, + style: const TextStyle( + fontSize: 24, fontWeight: FontWeight.bold)), + subtitle: Text( + business.description, + textAlign: TextAlign.left, + ), + leading: ClipRRect( + borderRadius: BorderRadius.circular(6.0), + child: Image.network( + 'https://$apiAddress/fbla-api/logos/${business.id}', + width: 48, + height: 48, errorBuilder: (BuildContext context, + Object exception, StackTrace? stackTrace) { + return getIconFromType(business.type, 48, + Theme.of(context).colorScheme.onSurface); + }), + ), + ), + ListTile( + leading: const Icon(Icons.link), + title: const Text('Website'), + subtitle: Text(business.website, + style: const TextStyle(color: Colors.blue)), + onTap: () { + launchUrl(Uri.parse('https://${business.website}')); + }, + ), + ], + ), + ), + Visibility( + visible: (business.contactEmail.isNotEmpty || + business.contactPhone.isNotEmpty), + child: Card( + clipBehavior: Clip.antiAlias, + child: Column( + children: [ + Row( + children: [ + Padding( + padding: const EdgeInsets.only(left: 16.0, top: 8.0), + child: Text( + business.contactName.isEmpty + ? 'Contact ${business.name}' + : business.contactName, + textAlign: TextAlign.left, + style: const TextStyle( + fontSize: 20, fontWeight: FontWeight.bold), + ), + ), + ], + ), + Visibility( + visible: business.contactPhone.isNotEmpty, + child: ListTile( + leading: Icon(Icons.phone), + title: Text(business.contactPhone), + onTap: () { + showDialog( + context: context, + builder: (BuildContext context) { + return AlertDialog( + backgroundColor: + Theme.of(context).colorScheme.background, + title: Text(business.contactName.isEmpty + ? 'Contact ${business.name}?' + : 'Contact ${business.contactName}'), + content: Text(business.contactName.isEmpty + ? 'Would you like to call or text ${business.name}?' + : 'Would you like to call or text ${business.contactName}?'), + actions: [ + TextButton( + child: const Text('Text'), + onPressed: () { + launchUrl(Uri.parse( + 'sms:${business.contactPhone}')); + Navigator.of(context).pop(); + }), + TextButton( + child: const Text('Call'), + onPressed: () async { + launchUrl(Uri.parse( + 'tel:${business.contactPhone}')); + Navigator.of(context).pop(); + }), + ], + ); + }); + }, + ), + ), + Visibility( + visible: business.contactEmail.isNotEmpty, + child: ListTile( + leading: const Icon(Icons.email), + title: Text(business.contactEmail), + onTap: () { + launchUrl(Uri.parse('mailto:${business.contactEmail}')); + }, + ), + ), + ], + ), + ), + ), + Visibility( + child: Card( + clipBehavior: Clip.antiAlias, + child: ListTile( + leading: const Icon(Icons.location_on), + title: Text(business.locationName), + subtitle: Text(business.locationAddress), + onTap: () { + launchUrl(Uri.parse(Uri.encodeFull( + 'https://www.google.com/maps/search/?api=1&query=${business.locationName}'))); + }, + ), + ), + ), + Visibility( + visible: business.notes.isNotEmpty, + child: Card( + child: ListTile( + leading: const Icon(Icons.notes), + title: const Text( + 'Additional Notes:', + style: TextStyle(fontSize: 20, fontWeight: FontWeight.bold), + ), + subtitle: Text(business.notes), + ), + ), + ), + ], + ), + ); + } + + List? _getActions(Business business) { + if (loggedIn) { + return [ + IconButton( + icon: const Icon(Icons.edit), + onPressed: () { + Navigator.of(context).push(MaterialPageRoute( + builder: (context) => + CreateEditBusiness(inputBusiness: business))); + }, + ), + IconButton( + icon: const Icon(Icons.delete), + onPressed: () { + showDialog( + context: context, + builder: (BuildContext context) { + return AlertDialog( + backgroundColor: Theme.of(context).colorScheme.background, + title: const Text('Are You Sure?'), + content: + Text('This will permanently delete ${business.name}.'), + actions: [ + TextButton( + child: const Text('Cancel'), + onPressed: () { + Navigator.of(context).pop(); + }), + TextButton( + child: const Text('Yes'), + onPressed: () async { + String? deleteResult = + await deleteBusiness(business, jwt); + if (deleteResult != null) { + ScaffoldMessenger.of(context).showSnackBar( + SnackBar( + width: 300, + behavior: SnackBarBehavior.floating, + content: Text(deleteResult))); + } else { + Navigator.pushReplacement( + context, + MaterialPageRoute( + builder: (context) => const MainApp())); + } + }), + ], + ); + }); + }, + ), + ]; + } + return null; + } +} diff --git a/fbla_ui/lib/pages/create_edit_business.dart b/fbla_ui/lib/pages/create_edit_business.dart new file mode 100644 index 0000000..0c0cef9 --- /dev/null +++ b/fbla_ui/lib/pages/create_edit_business.dart @@ -0,0 +1,528 @@ +import 'package:fbla_ui/api_logic.dart'; +import 'package:fbla_ui/main.dart'; +import 'package:fbla_ui/shared.dart'; +import 'package:flutter/material.dart'; +import 'package:flutter/services.dart'; + +class CreateEditBusiness extends StatefulWidget { + final Business? inputBusiness; + + const CreateEditBusiness({super.key, this.inputBusiness}); + + @override + State createState() => _CreateEditBusinessState(); +} + +class _CreateEditBusinessState extends State { + late TextEditingController _nameController; + late TextEditingController _websiteController; + late TextEditingController _descriptionController; + late TextEditingController _contactNameController; + late TextEditingController _contactPhoneController; + late TextEditingController _contactEmailController; + late TextEditingController _notesController; + late TextEditingController _locationNameController; + late TextEditingController _locationAddressController; + Business business = Business( + id: 0, + name: 'Business', + description: 'Add details about the business below.', + type: BusinessType.other, + website: '', + contactName: '', + contactEmail: '', + contactPhone: '', + notes: '', + locationName: '', + locationAddress: '', + ); + bool _isLoading = false; + + @override + void initState() { + super.initState(); + if (widget.inputBusiness != null) { + business = Business.copy(widget.inputBusiness!); + _nameController = TextEditingController(text: business.name); + _descriptionController = + TextEditingController(text: business.description); + } else { + _nameController = TextEditingController(); + _descriptionController = TextEditingController(); + } + _websiteController = TextEditingController(text: business.website); + _contactNameController = TextEditingController(text: business.contactName); + _contactPhoneController = + TextEditingController(text: business.contactPhone); + _contactEmailController = + TextEditingController(text: business.contactEmail); + _notesController = TextEditingController(text: business.notes); + _locationNameController = + TextEditingController(text: business.locationName); + _locationAddressController = + TextEditingController(text: business.locationAddress); + } + + final formKey = GlobalKey(); + final TextEditingController businessTypeController = TextEditingController(); + + @override + Widget build(BuildContext context) { + return PopScope( + canPop: !_isLoading, + onPopInvoked: _handlePop, + child: Form( + key: formKey, + child: Scaffold( + appBar: AppBar( + title: (widget.inputBusiness != null) + ? Text('Edit ${widget.inputBusiness?.name}', maxLines: 1) + : const Text('Add New Business'), + ), + floatingActionButton: FloatingActionButton( + child: _isLoading + ? const Padding( + padding: EdgeInsets.all(16.0), + child: CircularProgressIndicator( + color: Colors.white, + strokeWidth: 3.0, + ), + ) + : const Icon(Icons.save), + onPressed: () async { + if (formKey.currentState!.validate()) { + formKey.currentState?.save(); + setState(() { + _isLoading = true; + }); + String? result; + // if (business.contactName == '') { + // business.contactName = 'Contact ${business.name}'; + // } + if (widget.inputBusiness != null) { + result = await editBusiness(business, jwt); + } else { + result = await createBusiness(business, jwt); + } + setState(() { + _isLoading = false; + }); + if (result != null) { + ScaffoldMessenger.of(context).showSnackBar(SnackBar( + width: 400, + behavior: SnackBarBehavior.floating, + content: Text(result))); + } else { + Navigator.pushReplacement( + context, + MaterialPageRoute( + builder: (context) => const MainApp())); + } + } else { + ScaffoldMessenger.of(context).showSnackBar( + SnackBar( + content: const Text('Check field inputs!'), + width: 200, + behavior: SnackBarBehavior.floating, + shape: RoundedRectangleBorder( + borderRadius: BorderRadius.circular(10)), + ), + ); + } + }, + ), + body: ListView( + children: [ + Center( + child: SizedBox( + width: 1000, + child: Column( + children: [ + ListTile( + title: Text(business.name, + textAlign: TextAlign.left, + style: const TextStyle( + fontSize: 24, fontWeight: FontWeight.bold)), + subtitle: Text( + business.description, + textAlign: TextAlign.left, + ), + leading: ClipRRect( + borderRadius: BorderRadius.circular(6.0), + child: Image.network( + width: 48, + height: 48, + 'https://logo.clearbit.com/${business.website}', + errorBuilder: (BuildContext context, + Object exception, StackTrace? stackTrace) { + return getIconFromType(business.type, 48, + Theme.of(context).colorScheme.onBackground); + }), + ), + ), + Card( + child: Column( + children: [ + Padding( + padding: const EdgeInsets.only( + left: 8.0, right: 8.0), + child: TextFormField( + controller: _nameController, + autovalidateMode: + AutovalidateMode.onUserInteraction, + maxLength: 30, + onChanged: (inputName) { + setState(() { + business.name = inputName; + }); + }, + onTapOutside: (PointerDownEvent event) { + FocusScope.of(context).unfocus(); + }, + decoration: const InputDecoration( + labelText: 'Business Name', + ), + validator: (value) { + if (value != null && value.isEmpty) { + return 'Name is required'; + } + return null; + }, + ), + ), + Padding( + padding: const EdgeInsets.only( + left: 8.0, right: 8.0, bottom: 8.0), + child: TextFormField( + controller: _websiteController, + autovalidateMode: + AutovalidateMode.onUserInteraction, + keyboardType: TextInputType.url, + onChanged: (inputUrl) { + business.website = Uri.encodeFull(inputUrl + .toLowerCase() + .replaceAll('https://', '') + .replaceAll('http://', '') + .replaceAll('www.', '')); + }, + onTapOutside: (PointerDownEvent event) { + FocusScope.of(context).unfocus(); + }, + decoration: const InputDecoration( + labelText: 'Website', + ), + validator: (value) { + if (value != null && value.isEmpty) { + return 'Website is required'; + } + return null; + }, + ), + ), + Padding( + padding: const EdgeInsets.only( + left: 8.0, right: 8.0), + child: TextFormField( + controller: _descriptionController, + autovalidateMode: + AutovalidateMode.onUserInteraction, + maxLength: 500, + onChanged: (inputDesc) { + setState(() { + business.description = inputDesc; + }); + }, + onTapOutside: (PointerDownEvent event) { + FocusScope.of(context).unfocus(); + }, + decoration: const InputDecoration( + labelText: 'Business Description', + ), + validator: (value) { + if (value != null && value.isEmpty) { + return 'Description is required'; + } + return null; + }, + ), + ), + // Padding( + // padding: const EdgeInsets.only( + // left: 8.0, right: 8.0, bottom: 16.0), + // child: Row( + // children: [ + // ElevatedButton( + // style: ButtonStyle( + // backgroundColor: + // MaterialStateProperty.all( + // Theme.of(context) + // .colorScheme + // .background)), + // child: const Row( + // children: [ + // Icon(Icons.search), + // Text('Search For Location'), + // ], + // ), + // onPressed: () {}, + // ), + // const Padding( + // padding: EdgeInsets.only( + // left: 32.0, right: 32.0), + // child: Text( + // 'OR', + // style: TextStyle(fontSize: 24), + // ), + // ), + // Expanded( + // child: Column( + // children: [ + // TextFormField( + // controller: _locationNameController, + // onChanged: (inputName) { + // setState(() { + // business.locationName = + // inputName; + // }); + // }, + // onTapOutside: + // (PointerDownEvent event) { + // FocusScope.of(context).unfocus(); + // }, + // decoration: const InputDecoration( + // labelText: + // 'Location Name (optional)', + // ), + // ), + // TextFormField( + // controller: + // _locationAddressController, + // onChanged: (inputAddr) { + // setState(() { + // business.locationAddress = + // inputAddr; + // }); + // }, + // onTapOutside: + // (PointerDownEvent event) { + // FocusScope.of(context).unfocus(); + // }, + // decoration: const InputDecoration( + // labelText: + // 'Location Address (optional)', + // ), + // ), + // ], + // ), + // ), + // ], + // ), + // ), + Padding( + padding: const EdgeInsets.only( + left: 8.0, right: 8.0, bottom: 8.0), + child: TextFormField( + controller: _locationNameController, + onChanged: (inputName) { + setState(() { + business.locationName = inputName; + }); + }, + onTapOutside: (PointerDownEvent event) { + FocusScope.of(context).unfocus(); + }, + decoration: const InputDecoration( + labelText: 'Location Name (optional)', + ), + ), + ), + Padding( + padding: const EdgeInsets.only( + left: 8.0, right: 8.0, bottom: 16.0), + child: TextFormField( + controller: _locationAddressController, + onChanged: (inputAddr) { + setState(() { + business.locationAddress = inputAddr; + }); + }, + onTapOutside: (PointerDownEvent event) { + FocusScope.of(context).unfocus(); + }, + decoration: const InputDecoration( + labelText: 'Location Address (optional)', + ), + ), + ), + Padding( + padding: const EdgeInsets.only( + left: 8.0, right: 8.0, bottom: 8.0), + child: Row( + mainAxisAlignment: + MainAxisAlignment.spaceBetween, + children: [ + const Text('Type of Business', + style: TextStyle(fontSize: 16)), + DropdownMenu( + initialSelection: business.type, + controller: businessTypeController, + label: const Text('Business Type'), + dropdownMenuEntries: const [ + DropdownMenuEntry( + value: BusinessType.food, + label: 'Food Related'), + DropdownMenuEntry( + value: BusinessType.shop, + label: 'Shop'), + DropdownMenuEntry( + value: BusinessType.outdoors, + label: 'Outdoors'), + DropdownMenuEntry( + value: BusinessType.manufacturing, + label: 'Manufacturing'), + DropdownMenuEntry( + value: BusinessType.other, + label: 'Other'), + ], + onSelected: (inputType) { + business.type = inputType!; + }, + ), + ], + ), + ), + Padding( + padding: const EdgeInsets.only( + left: 8.0, right: 8.0, bottom: 8.0), + child: TextFormField( + controller: _contactNameController, + onSaved: (inputText) { + business.contactName = inputText!; + }, + onTapOutside: (PointerDownEvent event) { + FocusScope.of(context).unfocus(); + }, + decoration: const InputDecoration( + labelText: + 'Contact Information Name (optional)', + ), + ), + ), + Padding( + padding: const EdgeInsets.only( + left: 8.0, right: 8.0, bottom: 8.0), + child: TextFormField( + controller: _contactPhoneController, + inputFormatters: [PhoneFormatter()], + keyboardType: TextInputType.phone, + onSaved: (inputText) { + business.contactPhone = inputText!; + }, + onTapOutside: (PointerDownEvent event) { + FocusScope.of(context).unfocus(); + }, + decoration: const InputDecoration( + labelText: 'Contact Phone # (optional)', + ), + ), + ), + Padding( + padding: const EdgeInsets.only( + left: 8.0, right: 8.0, bottom: 8.0), + child: TextFormField( + controller: _contactEmailController, + keyboardType: TextInputType.emailAddress, + onSaved: (inputText) { + business.contactEmail = inputText!; + }, + onTapOutside: (PointerDownEvent event) { + FocusScope.of(context).unfocus(); + }, + decoration: const InputDecoration( + labelText: 'Contact Email (optional)', + ), + validator: (value) { + if (value != null) { + if (value.isEmpty) { + return null; + } else if (!RegExp( + r'^(([^<>()[\]\\.,;:\s@"]+(\.[^<>()[\]\\.,;:\s@"]+)*)|(".+"))@((\[[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\])|(([a-zA-Z\-0-9]+\.)+[a-zA-Z]{2,}))$') + .hasMatch(value)) { + return 'Enter a valid Email'; + } else if (value.characters.length > 50) { + return 'Contact Email cannot be longer than 50 characters'; + } + } + return null; + }, + ), + ), + Padding( + padding: const EdgeInsets.only( + left: 8.0, right: 8.0, bottom: 8.0), + child: TextFormField( + controller: _notesController, + maxLength: 300, + onSaved: (inputText) { + business.notes = inputText!; + }, + onTapOutside: (PointerDownEvent event) { + FocusScope.of(context).unfocus(); + }, + decoration: const InputDecoration( + labelText: 'Other Notes (optional)', + ), + ), + ), + ], + ), + ), + SizedBox( + height: 75, + ) + ], + ), + ), + ), + ], + ), + )), + ); + } + + void _handlePop(bool didPop) { + if (!didPop) { + ScaffoldMessenger.of(context).showSnackBar( + const SnackBar( + width: 400, + behavior: SnackBarBehavior.floating, + content: Text('Please wait for it to save.'), + ), + ); + } + } +} + +class PhoneFormatter extends TextInputFormatter { + String phoneFormat(value) { + String input = value.replaceAll(RegExp(r'[\D]'), ''); + String phoneFormatted = input.isNotEmpty + ? '(${input.substring(0, input.length >= 3 ? 3 : null)}${input.length >= 4 ? ') ' : ''}${input.length > 3 ? input.substring(3, input.length >= 5 ? 6 : null) + (input.length >= 7 ? '-${input.substring(6, input.length >= 10 ? 10 : null)}' : '') : ''}' + : input; + return phoneFormatted; + } + + @override + TextEditingValue formatEditUpdate( + TextEditingValue oldValue, TextEditingValue newValue) { + String text = newValue.text; + + if (newValue.selection.baseOffset == 0) { + return newValue; + } + + return newValue.copyWith( + text: phoneFormat(text), + selection: TextSelection.collapsed(offset: phoneFormat(text).length)); + } +} diff --git a/fbla_ui/lib/pages/export_data.dart b/fbla_ui/lib/pages/export_data.dart new file mode 100644 index 0000000..e955255 --- /dev/null +++ b/fbla_ui/lib/pages/export_data.dart @@ -0,0 +1,574 @@ +import 'dart:convert'; +import 'dart:io'; + +import 'package:fbla_ui/api_logic.dart'; +import 'package:fbla_ui/shared.dart'; +import 'package:flutter/foundation.dart'; +import 'package:flutter/material.dart'; +import 'package:open_filex/open_filex.dart'; +import 'package:path_provider/path_provider.dart'; +import 'package:pdf/pdf.dart'; +import 'package:pdf/widgets.dart' as pw; +import 'package:printing/printing.dart'; + +bool isDataTypesFiltered = false; +bool isBusinessesFiltered = true; +bool _isLoading = false; + +class ExportData extends StatefulWidget { + final List businesses; + + const ExportData({super.key, required this.businesses}); + + @override + State createState() => _ExportDataState(); +} + +class _ExportDataState extends State { + late Future refreshBusinessDataFuture; + + @override + void initState() { + super.initState(); + + refreshBusinessDataFuture = fetchBusinessData(); + _isLoading = false; + selectedBusinesses = {}; + } + + @override + Widget build(BuildContext context) { + return Scaffold( + floatingActionButton: _FAB(businesses: widget.businesses), + body: CustomScrollView( + slivers: [ + SliverAppBar( + forceMaterialTransparency: false, + title: const Text('Export Data'), + toolbarHeight: 70, + pinned: true, + centerTitle: true, + expandedHeight: 120, + backgroundColor: Theme.of(context).colorScheme.background, + actions: [ + IconButton( + icon: const Icon(Icons.settings), + onPressed: () { + showDialog( + context: context, + builder: (BuildContext context) { + return AlertDialog( + // DO NOT MOVE TO SEPARATE WIDGET, setState is needed in main tree + backgroundColor: + Theme.of(context).colorScheme.background, + title: const Text('Data Types'), + content: const SizedBox( + width: 400, + child: Column( + mainAxisSize: MainAxisSize.min, + children: [ + Text( + 'Data Columns you would like to show on the datasheet'), + FilterDataTypeChips(), + ], + ), + ), + actions: [ + TextButton( + child: const Text('Reset'), + onPressed: () { + setState(() { + dataTypeFilters = {}; + selectedDataTypes = {}; + isDataTypesFiltered = false; + }); + Navigator.of(context).pop(); + }), + TextButton( + child: const Text('Cancel'), + onPressed: () { + selectedDataTypes = Set.from(dataTypeFilters); + Navigator.of(context).pop(); + }), + TextButton( + child: const Text('Apply'), + onPressed: () { + setState(() { + selectedDataTypes = + sortDataTypes(selectedDataTypes); + dataTypeFilters = + Set.from(selectedDataTypes); + if (dataTypeFilters.isNotEmpty) { + isDataTypesFiltered = true; + } else { + isDataTypesFiltered = false; + } + }); + Navigator.of(context).pop(); + }), + ], + ); + }); + }, + ), + ], + bottom: PreferredSize( + preferredSize: const Size.fromHeight(0), + child: SizedBox( + height: 70, + width: 1000, + child: Padding( + padding: const EdgeInsets.all(10), + child: TextField( + onChanged: (query) { + setState(() { + searchFilter = query; + }); + }, + decoration: InputDecoration( + labelText: 'Search', + hintText: 'Search', + prefixIcon: const Padding( + padding: EdgeInsets.only(left: 8.0), + child: Icon(Icons.search), + ), + border: const OutlineInputBorder( + borderRadius: BorderRadius.all(Radius.circular(25.0)), + ), + suffixIcon: Padding( + padding: const EdgeInsets.only(right: 8.0), + child: IconButton( + icon: Icon(Icons.filter_list, + color: isFiltered + ? Theme.of(context).colorScheme.primary + : Theme.of(context).colorScheme.onBackground), + onPressed: () { + showDialog( + context: context, + builder: (BuildContext context) { + return AlertDialog( + // DO NOT MOVE TO SEPARATE WIDGET, setState is needed in main tree + backgroundColor: Theme.of(context) + .colorScheme + .background, + title: const Text('Filter Options'), + content: const FilterChips(), + actions: [ + TextButton( + child: const Text('Reset'), + onPressed: () { + setState(() { + filters = {}; + selectedChips = {}; + isFiltered = false; + }); + Navigator.of(context).pop(); + }), + TextButton( + child: const Text('Cancel'), + onPressed: () { + selectedChips = Set.from(filters); + Navigator.of(context).pop(); + }), + TextButton( + child: const Text('Apply'), + onPressed: () { + setState(() { + filters = selectedChips; + if (filters.isNotEmpty) { + isFiltered = true; + } else { + isFiltered = false; + } + }); + Navigator.of(context).pop(); + }), + ], + ); + }); + }, + ), + ), + ), + ), + ), + ), + ), + ), + BusinessDisplayPanel( + businesses: widget.businesses, + widescreen: MediaQuery.sizeOf(context).width >= 1000, + selectable: true), + const SliverToBoxAdapter( + child: SizedBox( + height: 100, + ), + ), + ], + ), + ); + } +} + +class _FAB extends StatefulWidget { + final List businesses; + + const _FAB({required this.businesses}); + + @override + State<_FAB> createState() => _FABState(); +} + +class _FABState extends State<_FAB> { + @override + Widget build(BuildContext context) { + return FloatingActionButton( + child: _isLoading + ? const Padding( + padding: EdgeInsets.all(16.0), + child: CircularProgressIndicator( + color: Colors.white, + strokeWidth: 3.0, + ), + ) + : const Icon(Icons.save_alt), + onPressed: () async { + setState(() { + _isLoading = true; + }); + + try { + DateTime dateTime = DateTime.now(); + String minute = '00'; + if (dateTime.minute.toString().length < 2) { + minute = '0${dateTime.minute}'; + } else { + minute = dateTime.minute.toString(); + } + + String time = dateTime.hour <= 13 + ? '${dateTime.hour}:${minute}AM' + : '${dateTime.hour - 12}:${minute}PM'; + String fileName = + 'Business Data - ${dateTime.month}-${dateTime.day}-${dateTime.year} $time.pdf'; + + final pdf = pw.Document(); + var svgBytes = await marinoDevLogo(); + selectedDataTypes = sortDataTypes(selectedDataTypes); + + List headers = []; + if (selectedDataTypes.isEmpty) { + dataTypeFilters.addAll(DataType.values); + } else { + for (var filter in selectedDataTypes) { + dataTypeFilters.add(filter); + } + } + for (var filter in dataTypeFilters) { + headers.add(pw.Padding( + child: pw.Text(dataTypeFriendly[filter]!, + style: const pw.TextStyle(fontSize: 10)), + padding: const pw.EdgeInsets.all(4.0))); + } + + List rows = []; + if (selectedBusinesses.isEmpty) { + selectedBusinesses.addAll(widget.businesses); + isBusinessesFiltered = false; + } else { + isBusinessesFiltered = true; + } + + double remainingSpace = 744; + + if (dataTypeFilters.contains(DataType.logo)) { + remainingSpace -= 32; + } + if (dataTypeFilters.contains(DataType.type)) { + remainingSpace -= 56; + } + if (dataTypeFilters.contains(DataType.contactName)) { + remainingSpace -= 72; + } + if (dataTypeFilters.contains(DataType.contactPhone)) { + remainingSpace -= 76; + } + + double nameWidth = 0; + double websiteWidth = 0; + double contactEmailWidth = 0; + double notesWidth = 0; + double descriptionWidth = 0; + if (dataTypeFilters.contains(DataType.name)) { + nameWidth = (remainingSpace / 6); + } + if (dataTypeFilters.contains(DataType.website)) { + websiteWidth = (remainingSpace / 5); + } + if (dataTypeFilters.contains(DataType.contactEmail)) { + contactEmailWidth = (remainingSpace / 5); + } + if (dataTypeFilters.contains(DataType.notes)) { + notesWidth = (remainingSpace / 7); + } + remainingSpace -= + (nameWidth + websiteWidth + contactEmailWidth + notesWidth); + if (dataTypeFilters.contains(DataType.description)) { + descriptionWidth = remainingSpace; + } + + Map columnWidths = {}; + + int columnNum = -1; + for (var dataType in dataTypeFilters) { + pw.TableColumnWidth width = const pw.FixedColumnWidth(0); + if (dataType == DataType.logo) { + width = const pw.FixedColumnWidth(32); + columnNum++; + } else if (dataType == DataType.name) { + width = pw.FixedColumnWidth(nameWidth); + columnNum++; + } else if (dataType == DataType.description) { + width = pw.FixedColumnWidth(descriptionWidth); + columnNum++; + } else if (dataType == DataType.type) { + width = const pw.FixedColumnWidth(56); + columnNum++; + } else if (dataType == DataType.website) { + width = pw.FixedColumnWidth(websiteWidth); + columnNum++; + } else if (dataType == DataType.contactName) { + width = const pw.FixedColumnWidth(72); + columnNum++; + } else if (dataType == DataType.contactEmail) { + width = pw.FixedColumnWidth(contactEmailWidth); + columnNum++; + } else if (dataType == DataType.contactPhone) { + width = const pw.FixedColumnWidth(76); + columnNum++; + } else if (dataType == DataType.notes) { + width = pw.FixedColumnWidth(notesWidth); + columnNum++; + } + + columnWidths.addAll({columnNum: width}); + } + + for (var business in selectedBusinesses) { + List data = []; + bool hasLogo = false; + Uint8List businessLogo = Uint8List(0); + if (dataTypeFilters.contains(DataType.logo)) { + try { + var apiLogo = await getLogo(business.id); + if (apiLogo.runtimeType != String) { + businessLogo = apiLogo; + hasLogo = true; + } + } catch (e) { + if (kDebugMode) { + print('Logo not available! $e'); + } + } + } + if (dataTypeFilters.contains(DataType.name)) { + data.add(pw.Padding( + child: pw.Text( + business.name, + // style: const pw.TextStyle(fontSize: 10) + ), + padding: const pw.EdgeInsets.all(4.0))); + } + if (dataTypeFilters.contains(DataType.description)) { + pw.TextStyle style = const pw.TextStyle(fontSize: 9); + if (business.description.length >= 200) { + style = const pw.TextStyle(fontSize: 8); + } + if (business.description.length >= 400) { + style = const pw.TextStyle(fontSize: 7); + } + data.add(pw.Padding( + child: pw.Text( + business.description, + style: style, + ), + padding: const pw.EdgeInsets.all(4.0))); + } + if (dataTypeFilters.contains(DataType.type)) { + data.add(pw.Padding( + child: pw.Text( + business.type.name, + // style: const pw.TextStyle(fontSize: 10) + ), + padding: const pw.EdgeInsets.all(4.0))); + } + if (dataTypeFilters.contains(DataType.website)) { + data.add(pw.Padding( + child: pw.Text( + business.website, + // style: const pw.TextStyle(fontSize: 10) + ), + padding: const pw.EdgeInsets.all(4.0))); + } + if (dataTypeFilters.contains(DataType.contactName)) { + data.add(pw.Padding( + child: pw.Text( + business.contactName, + // style: const pw.TextStyle(fontSize: 10) + ), + padding: const pw.EdgeInsets.all(4.0))); + } + if (dataTypeFilters.contains(DataType.contactEmail)) { + data.add(pw.Padding( + child: pw.Text( + business.contactEmail, + // style: const pw.TextStyle(fontSize: 10) + ), + padding: const pw.EdgeInsets.all(4.0))); + } + if (dataTypeFilters.contains(DataType.contactPhone)) { + data.add(pw.Padding( + child: pw.Text( + business.contactPhone, + // style: const pw.TextStyle(fontSize: 10) + ), + padding: const pw.EdgeInsets.all(4.0))); + } + if (dataTypeFilters.contains(DataType.notes)) { + pw.TextStyle style = const pw.TextStyle(fontSize: 9); + if (business.description.length >= 200) { + style = const pw.TextStyle(fontSize: 8); + } + data.add(pw.Padding( + child: pw.Text(business.notes, style: style), + padding: const pw.EdgeInsets.all(4.0))); + } + + if (dataTypeFilters.contains(DataType.logo)) { + if (hasLogo) { + rows.add(pw.TableRow( + children: [ + pw.Padding( + child: pw.ClipRRect( + child: pw.Image(pw.MemoryImage(businessLogo), + height: 24, width: 24), + horizontalRadius: 4, + verticalRadius: 4), + padding: const pw.EdgeInsets.all(4.0)), + ...data + ], + )); + } else { + rows.add(pw.TableRow( + children: [ + pw.Padding( + child: getPwIconFromType( + business.type, 24, PdfColors.black), + padding: const pw.EdgeInsets.all(4.0)), + ...data + ], + )); + } + } else { + rows.add(pw.TableRow( + children: data, + )); + } + } + + var themeIcon = pw.ThemeData.withFont( + base: await PdfGoogleFonts.notoSansDisplayMedium(), + icons: await PdfGoogleFonts.materialIcons()); + + var finaltheme = themeIcon.copyWith( + defaultTextStyle: const pw.TextStyle(fontSize: 9), + ); + pdf.addPage(pw.MultiPage( + theme: finaltheme, + // theme: pw.ThemeData( + // tableCell: const pw.TextStyle(fontSize: 4), + // defaultTextStyle: const pw.TextStyle(fontSize: 4), + // header0: const pw.TextStyle(fontSize: 4), + // paragraphStyle: const pw.TextStyle(fontSize: 4), + // ), + // theme: pw.ThemeData.withFont( + // icons: await PdfGoogleFonts.materialIcons()), + pageFormat: PdfPageFormat.letter, + orientation: pw.PageOrientation.landscape, + margin: const pw.EdgeInsets.all(24), + build: (pw.Context context) { + return [ + pw.Row( + mainAxisAlignment: pw.MainAxisAlignment.spaceBetween, + children: [ + pw.SvgImage(svg: utf8.decode(svgBytes), height: 40), + pw.Padding( + padding: const pw.EdgeInsets.all(8.0), + child: pw.Text('Business Datasheet', + style: pw.TextStyle( + fontSize: 32, + fontWeight: pw.FontWeight.bold)), + ), + pw.Text( + 'Generated on ${dateTime.month}/${dateTime.day}/${dateTime.year} at $time', + style: const pw.TextStyle(fontSize: 12), + textAlign: pw.TextAlign.right), + // + ]), + pw.Table( + columnWidths: columnWidths, + // defaultColumnWidth: pw.IntrinsicColumnWidth(), + border: const pw.TableBorder( + bottom: pw.BorderSide(), + left: pw.BorderSide(), + right: pw.BorderSide(), + top: pw.BorderSide(), + horizontalInside: pw.BorderSide(), + verticalInside: pw.BorderSide()), + children: [ + pw.TableRow( + decoration: + const pw.BoxDecoration(color: PdfColors.blue400), + children: headers, + repeat: true, + ), + ...rows, + ]), + ]; + })); + + Uint8List pdfBytes = await pdf.save(); + + if (kIsWeb) { + await Printing.sharePdf( + bytes: await pdf.save(), + filename: fileName, + ); + } else { + var dir = await getTemporaryDirectory(); + var tempDir = dir.path; + + File pdfFile = File('$tempDir/$fileName'); + pdfFile.writeAsBytesSync(pdfBytes); + + OpenFilex.open(pdfFile.path); + } + + if (!isBusinessesFiltered) { + selectedBusinesses = {}; + } + setState(() { + _isLoading = false; + }); + } catch (e) { + ScaffoldMessenger.of(context).showSnackBar(SnackBar( + content: Text('Error generating PDF! $e'), + width: 300, + behavior: SnackBarBehavior.floating, + duration: const Duration(seconds: 2), + )); + } + }, + ); + } +} diff --git a/fbla_ui/lib/pages/signin_page.dart b/fbla_ui/lib/pages/signin_page.dart new file mode 100644 index 0000000..650b603 --- /dev/null +++ b/fbla_ui/lib/pages/signin_page.dart @@ -0,0 +1,207 @@ +import 'package:fbla_ui/api_logic.dart'; +import 'package:fbla_ui/home.dart'; +import 'package:fbla_ui/shared.dart'; +import 'package:flutter/material.dart'; +import 'package:shared_preferences/shared_preferences.dart'; + +bool loggedIn = false; + +class SignInPage extends StatefulWidget { + final Callback refreshAccount; + + const SignInPage({super.key, required this.refreshAccount}); + + @override + State createState() => _SignInPageState(); +} + +class _SignInPageState extends State { + final _signInKey = GlobalKey(); + final TextEditingController _usernameController = TextEditingController(); + final TextEditingController _passwordController = TextEditingController(); + String username = ''; + String password = ''; + bool obscurePassword = true; + bool rememberMe = false; + bool _isloading = false; + String? errorMessage; + + @override + Widget build(BuildContext context) { + return Scaffold( + appBar: AppBar( + title: const Text('Admin Sign In'), + centerTitle: true, + ), + body: SingleChildScrollView( + child: Form( + key: _signInKey, + child: Center( + heightFactor: 1.0, + child: Container( + padding: const EdgeInsets.fromLTRB(12, 50, 12, 50), + height: 475, + width: 500, + child: Card( + child: Padding( + padding: const EdgeInsets.fromLTRB(16, 8, 16, 24), + child: Column( + children: [ + const Center( + child: Text( + 'Admin Sign In', + style: TextStyle( + fontSize: 30, fontWeight: FontWeight.bold), + ), + ), + Padding( + padding: const EdgeInsets.all(8.0), + child: TextFormField( + onChanged: (value) { + username = value.trim(); + }, + controller: _usernameController, + autocorrect: false, + decoration: const InputDecoration( + prefixIcon: Icon(Icons.person_outline), + labelText: 'Username', + border: OutlineInputBorder()), + ), + ), + Padding( + padding: const EdgeInsets.all(8.0), + child: TextFormField( + onChanged: (value) { + password = value.trim(); + }, + onFieldSubmitted: (value) async { + password = value.trim(); + setState(() { + errorMessage = null; + _isloading = true; + }); + jwt = await signIn(username, password).timeout( + const Duration(seconds: 20), onTimeout: () { + _isloading = false; + ScaffoldMessenger.of(context).showSnackBar( + const SnackBar( + width: 300, + behavior: SnackBarBehavior.floating, + content: + Text('Could not Sign in (timeout)!')), + ); + }); + if (!jwt.contains('Error:')) { + final SharedPreferences prefs = + await SharedPreferences.getInstance(); + await prefs.setString('username', username); + await prefs.setString('password', password); + await prefs.setBool('rememberMe', rememberMe); + loggedIn = true; + widget.refreshAccount(); + Navigator.of(context).pop(); + } else { + setState(() { + errorMessage = 'Invalid Username/Password'; + _isloading = false; + }); + } + }, + controller: _passwordController, + autocorrect: false, + obscureText: obscurePassword, + decoration: InputDecoration( + prefixIcon: const Icon(Icons.fingerprint), + labelText: 'Password', + border: const OutlineInputBorder(), + suffixIcon: Padding( + padding: const EdgeInsets.all(8.0), + child: IconButton( + onPressed: () { + setState(() { + obscurePassword = !obscurePassword; + }); + }, + icon: obscurePassword + ? const Icon(Icons.visibility_off) + : const Icon(Icons.visibility), + ), + ), + ), + ), + ), + if (errorMessage != null) + Text( + errorMessage!, + style: const TextStyle(color: Colors.red), + ), + CheckboxListTile( + value: rememberMe, + onChanged: (value) async { + setState(() { + rememberMe = value!; + }); + }, + title: const Text('Remember me'), + ), + ElevatedButton.icon( + style: ElevatedButton.styleFrom( + backgroundColor: + Theme.of(context).colorScheme.primary, + // padding: const EdgeInsets.only(left: 20.0, right: 20.0, top: 12.0, bottom: 12.0), + ), + icon: _isloading + ? const SizedBox( + width: 20, + height: 20, + child: CircularProgressIndicator( + color: Colors.white, + strokeWidth: 3, + )) + : const Icon(Icons.done, color: Colors.white), + label: const Text('Sign In', + style: TextStyle(color: Colors.white)), + onPressed: () async { + setState(() { + errorMessage = null; + _isloading = true; + }); + jwt = await signIn(username, password).timeout( + const Duration(seconds: 20), onTimeout: () { + _isloading = false; + ScaffoldMessenger.of(context).showSnackBar( + const SnackBar( + width: 300, + behavior: SnackBarBehavior.floating, + content: + Text('Could not Sign in (timeout)!')), + ); + }); + if (!jwt.contains('Error:')) { + final SharedPreferences prefs = + await SharedPreferences.getInstance(); + await prefs.setString('username', username); + await prefs.setString('password', password); + await prefs.setBool('rememberMe', rememberMe); + loggedIn = true; + widget.refreshAccount(); + Navigator.of(context).pop(); + } else { + setState(() { + errorMessage = 'Invalid Username/Password'; + _isloading = false; + }); + } + }, + ), + ], + ), + ), + ), + ), + ), + ), + ), + ); + } +} diff --git a/fbla_ui/lib/shared.dart b/fbla_ui/lib/shared.dart new file mode 100644 index 0000000..b0e53b7 --- /dev/null +++ b/fbla_ui/lib/shared.dart @@ -0,0 +1,761 @@ +import 'package:collection/collection.dart'; +import 'package:fbla_ui/api_logic.dart'; +import 'package:fbla_ui/pages/business_detail.dart'; +import 'package:flutter/material.dart'; +import 'package:flutter_sticky_header/flutter_sticky_header.dart'; +import 'package:pdf/pdf.dart'; +import 'package:pdf/widgets.dart' as pw; +import 'package:sliver_tools/sliver_tools.dart'; +import 'package:url_launcher/url_launcher.dart'; + +late String jwt; +Set filters = {}; +Set selectedChips = {}; +String searchFilter = ''; +bool isFiltered = false; +Set selectedBusinesses = {}; +Set selectedDataTypes = {}; +Set dataTypeFilters = {}; + +enum DataType { + logo, + name, + description, + type, + website, + contactName, + contactEmail, + contactPhone, + notes, +} + +Map dataTypeValues = { + DataType.logo: 0, + DataType.name: 1, + DataType.description: 2, + DataType.type: 3, + DataType.website: 4, + DataType.contactName: 5, + DataType.contactEmail: 6, + DataType.contactPhone: 7, + DataType.notes: 8 +}; + +Map dataTypeFriendly = { + DataType.logo: 'Logo', + DataType.name: 'Name', + DataType.description: 'Description', + DataType.type: 'Type', + DataType.website: 'Website', + DataType.contactName: 'Contact Name', + DataType.contactEmail: 'Contact Email', + DataType.contactPhone: 'Contact Phone', + DataType.notes: 'Notes' +}; + +Set sortDataTypes(Set set) { + List list = set.toList(); + list.sort((a, b) { + return dataTypeValues[a]!.compareTo(dataTypeValues[b]!); + }); + set = list.toSet(); + return set; +} + +enum BusinessType { + food, + shop, + outdoors, + manufacturing, + other, +} + +class Business { + int id; + String name; + String description; + BusinessType type; + String website; + String contactName; + String contactEmail; + String contactPhone; + String notes; + String locationName; + String locationAddress; + + Business({ + required this.id, + required this.name, + required this.description, + required this.type, + required this.website, + required this.contactName, + required this.contactEmail, + required this.contactPhone, + required this.notes, + required this.locationName, + required this.locationAddress, + }); + + factory Business.fromJson(Map json) { + bool typeValid = true; + try { + BusinessType.values.byName(json['type']); + } catch (e) { + typeValid = false; + } + return Business( + id: json['id'], + name: json['name'], + description: json['description'], + type: typeValid + ? BusinessType.values.byName(json['type']) + : BusinessType.other, + website: json['website'], + contactName: json['contactName'], + contactEmail: json['contactEmail'], + contactPhone: json['contactPhone'], + notes: json['notes'], + locationName: json['locationName'], + locationAddress: json['locationAddress'], + ); + } + + factory Business.copy(Business input) { + return Business( + id: input.id, + name: input.name, + description: input.description, + type: input.type, + website: input.website, + contactName: input.contactName, + contactEmail: input.contactEmail, + contactPhone: input.contactPhone, + notes: input.notes, + locationName: input.locationName, + locationAddress: input.locationAddress, + ); + } +} + +Map> groupBusinesses(List businesses) { + Map> groupedBusinesses = + groupBy(businesses, (business) => business.type); + + return groupedBusinesses; +} + +Icon getIconFromType(BusinessType type, double size, Color color) { + switch (type) { + case BusinessType.food: + return Icon( + Icons.restaurant, + size: size, + color: color, + ); + case BusinessType.shop: + return Icon( + Icons.store, + size: size, + color: color, + ); + case BusinessType.outdoors: + return Icon( + Icons.forest, + size: size, + color: color, + ); + case BusinessType.manufacturing: + return Icon( + Icons.factory, + size: size, + color: color, + ); + case BusinessType.other: + return Icon( + Icons.business, + size: size, + color: color, + ); + } +} + +pw.Icon getPwIconFromType(BusinessType type, double size, PdfColor color) { + switch (type) { + case BusinessType.food: + return pw.Icon(const pw.IconData(0xe56c), size: size, color: color); + case BusinessType.shop: + return pw.Icon(const pw.IconData(0xea12), size: size, color: color); + case BusinessType.outdoors: + return pw.Icon(const pw.IconData(0xea99), size: size, color: color); + case BusinessType.manufacturing: + return pw.Icon(const pw.IconData(0xebbc), size: size, color: color); + case BusinessType.other: + return pw.Icon(const pw.IconData(0xe0af), size: size, color: color); + } +} + +Text getNameFromType(BusinessType type, Color color) { + switch (type) { + case BusinessType.food: + return Text('Food Related', style: TextStyle(color: color)); + case BusinessType.shop: + return Text('Shops', style: TextStyle(color: color)); + case BusinessType.outdoors: + return Text('Outdoors', style: TextStyle(color: color)); + case BusinessType.manufacturing: + return Text('Manufacturing', style: TextStyle(color: color)); + case BusinessType.other: + return Text('Other', style: TextStyle(color: color)); + } +} + +Icon getIconFromThemeMode(ThemeMode theme) { + switch (theme) { + case ThemeMode.dark: + return const Icon(Icons.dark_mode); + case ThemeMode.light: + return const Icon(Icons.light_mode); + case ThemeMode.system: + return const Icon(Icons.brightness_4); + } +} + +class BusinessDisplayPanel extends StatefulWidget { + final List businesses; + final bool widescreen; + final bool selectable; + + const BusinessDisplayPanel( + {super.key, + required this.businesses, + required this.widescreen, + required this.selectable}); + + @override + State createState() => _BusinessDisplayPanelState(); +} + +class _BusinessDisplayPanelState extends State { + Set selectedBusinesses = {}; + + @override + Widget build(BuildContext context) { + List headers = []; + List filteredBusinesses = []; + for (var business in widget.businesses) { + if (business.name.toLowerCase().contains(searchFilter.toLowerCase())) { + filteredBusinesses.add(business); + } + } + var groupedBusinesses = groupBusinesses(filteredBusinesses); + var businessTypes = groupedBusinesses.keys.toList(); + + for (var i = 0; i < businessTypes.length; i++) { + if (filters.contains(businessTypes[i])) { + isFiltered = true; + } + } + + if (isFiltered) { + for (var i = 0; i < businessTypes.length; i++) { + if (filters.contains(businessTypes[i])) { + headers.add(BusinessHeader( + type: businessTypes[i], + widescreen: widget.widescreen, + selectable: widget.selectable, + selectedBusinesses: selectedBusinesses, + businesses: groupedBusinesses[businessTypes[i]]!)); + } + } + } else { + for (var i = 0; i < businessTypes.length; i++) { + headers.add(BusinessHeader( + type: businessTypes[i], + widescreen: widget.widescreen, + selectable: widget.selectable, + selectedBusinesses: selectedBusinesses, + businesses: groupedBusinesses[businessTypes[i]]!)); + } + } + headers.sort((a, b) => a.type.index.compareTo(b.type.index)); + return MultiSliver(children: headers); + } +} + +class BusinessHeader extends StatefulWidget { + final BusinessType type; + final List businesses; + final Set selectedBusinesses; + final bool widescreen; + final bool selectable; + + const BusinessHeader({ + super.key, + required this.type, + required this.businesses, + required this.selectedBusinesses, + required this.widescreen, + required this.selectable, + }); + + @override + State createState() => _BusinessHeaderState(); +} + +class _BusinessHeaderState extends State { + refresh() { + setState(() {}); + } + + @override + Widget build(BuildContext context) { + return SliverStickyHeader( + header: Container( + height: 55.0, + color: Theme.of(context).colorScheme.primary, + padding: const EdgeInsets.symmetric(horizontal: 16.0), + alignment: Alignment.centerLeft, + child: _getHeaderRow(widget.selectable), + ), + sliver: _getChildSliver( + widget.businesses, widget.widescreen, widget.selectable), + ); + } + + Widget _getHeaderRow(bool selectable) { + if (selectable) { + return Row( + mainAxisAlignment: MainAxisAlignment.spaceBetween, + children: [ + Row( + children: [ + Padding( + padding: const EdgeInsets.only(left: 4.0, right: 12.0), + child: getIconFromType( + widget.type, 24, Theme.of(context).colorScheme.onPrimary), + ), + getNameFromType( + widget.type, Theme.of(context).colorScheme.onPrimary), + ], + ), + Padding( + padding: const EdgeInsets.only(right: 12.0), + child: Checkbox( + checkColor: Theme.of(context).colorScheme.primary, + activeColor: Theme.of(context).colorScheme.onPrimary, + value: selectedBusinesses.containsAll(widget.businesses), + onChanged: (value) { + if (value!) { + setState(() { + selectedBusinesses.addAll(widget.businesses); + }); + } else { + setState(() { + selectedBusinesses.removeAll(widget.businesses); + }); + } + }, + ), + ), + ], + ); + } else { + return Row( + children: [ + Padding( + padding: const EdgeInsets.only(left: 4.0, right: 12.0), + child: getIconFromType( + widget.type, 24, Theme.of(context).colorScheme.onPrimary), + ), + getNameFromType(widget.type, Theme.of(context).colorScheme.onPrimary), + ], + ); + } + } + + Widget _getChildSliver( + List businesses, bool widescreen, bool selectable) { + if (widescreen) { + return SliverGrid( + gridDelegate: const SliverGridDelegateWithMaxCrossAxisExtent( + mainAxisExtent: 250.0, + maxCrossAxisExtent: 400.0, + mainAxisSpacing: 10.0, + crossAxisSpacing: 10.0, + // childAspectRatio: 4.0, + ), + delegate: SliverChildBuilderDelegate( + childCount: businesses.length, + (BuildContext context, int index) { + return BusinessCard( + business: businesses[index], + selectable: selectable, + widescreen: widescreen, + callback: refresh, + ); + }, + ), + ); + } else { + return SliverList( + delegate: SliverChildBuilderDelegate( + childCount: businesses.length, + (BuildContext context, int index) { + return BusinessCard( + business: businesses[index], + selectable: selectable, + widescreen: widescreen, + callback: refresh, + ); + }, + ), + ); + } + } +} + +class BusinessCard extends StatefulWidget { + final Business business; + final bool widescreen; + final bool selectable; + final Function callback; + + const BusinessCard( + {super.key, + required this.business, + required this.widescreen, + required this.selectable, + required this.callback}); + + @override + State createState() => _BusinessCardState(); +} + +class _BusinessCardState extends State { + @override + Widget build(BuildContext context) { + if (widget.widescreen) { + return _businessTile(widget.business, widget.selectable); + } else { + return _businessListItem( + widget.business, widget.selectable, widget.callback); + } + } + + Widget _businessTile(Business business, bool selectable) { + return MouseRegion( + cursor: SystemMouseCursors.click, + child: GestureDetector( + onTap: () { + Navigator.of(context).push(MaterialPageRoute( + builder: (context) => BusinessDetail(inputBusiness: business))); + }, + child: Card( + clipBehavior: Clip.antiAlias, + child: Column( + crossAxisAlignment: CrossAxisAlignment.center, + children: [ + _getTileRow(business, selectable, widget.callback), + Padding( + padding: const EdgeInsets.all(8.0), + child: Text( + business.description, + maxLines: selectable ? 7 : 5, + overflow: TextOverflow.ellipsis, + ), + ), + const Spacer(), + Padding( + padding: const EdgeInsets.all(8.0), + child: !selectable + ? Row( + mainAxisAlignment: MainAxisAlignment.spaceEvenly, + children: [ + IconButton( + icon: const Icon(Icons.link), + onPressed: () { + launchUrl( + Uri.parse('https://${business.website}')); + }, + ), + if (business.locationName.isNotEmpty) + IconButton( + icon: const Icon(Icons.location_on), + onPressed: () { + launchUrl(Uri.parse(Uri.encodeFull( + 'https://www.google.com/maps/search/?api=1&query=${business.locationName}'))); + }, + ), + if (business.contactPhone.isNotEmpty) + IconButton( + icon: const Icon(Icons.phone), + onPressed: () { + showDialog( + context: context, + builder: (BuildContext context) { + return AlertDialog( + backgroundColor: Theme.of(context) + .colorScheme + .background, + title: Text( + 'Contact ${business.contactName}?'), + content: Text( + 'Would you like to call or text ${business.contactName}?'), + actions: [ + TextButton( + child: const Text('Text'), + onPressed: () { + launchUrl(Uri.parse( + 'sms:${business.contactPhone}')); + Navigator.of(context).pop(); + }), + TextButton( + child: const Text('Call'), + onPressed: () async { + launchUrl(Uri.parse( + 'tel:${business.contactPhone}')); + Navigator.of(context).pop(); + }), + ], + ); + }); + }, + ), + if (business.contactEmail.isNotEmpty) + IconButton( + icon: const Icon(Icons.email), + onPressed: () { + launchUrl(Uri.parse( + 'mailto:${business.contactEmail}')); + }, + ), + ], + ) + : null), + ], + ), + ), + ), + ); + } + + Widget _getTileRow(Business business, bool selectable, Function callback) { + if (selectable) { + return Row( + mainAxisAlignment: MainAxisAlignment.spaceBetween, + children: [ + Padding( + padding: const EdgeInsets.all(8.0), + child: ClipRRect( + borderRadius: BorderRadius.circular(6.0), + child: Image.network('$apiAddress/logos/${business.id}', + height: 48, width: 48, errorBuilder: (BuildContext context, + Object exception, StackTrace? stackTrace) { + return getIconFromType( + business.type, 48, Theme.of(context).colorScheme.onSurface); + }), + ), + ), + Flexible( + child: Padding( + padding: const EdgeInsets.all(8.0), + child: Text( + business.name, + style: + const TextStyle(fontSize: 18, fontWeight: FontWeight.bold), + maxLines: 2, + overflow: TextOverflow.ellipsis, + ), + ), + ), + Padding( + padding: const EdgeInsets.only(right: 24.0), + child: _checkbox(callback), + ) + ], + ); + } else { + return Row( + children: [ + Padding( + padding: const EdgeInsets.all(8.0), + child: ClipRRect( + borderRadius: BorderRadius.circular(6.0), + child: Image.network('$apiAddress/logos/${business.id}', + height: 48, width: 48, errorBuilder: (BuildContext context, + Object exception, StackTrace? stackTrace) { + return getIconFromType(business.type, 48, + Theme.of(context).colorScheme.onSurface); + }), + )), + Flexible( + child: Padding( + padding: const EdgeInsets.all(8.0), + child: Text( + business.name, + style: + const TextStyle(fontSize: 18, fontWeight: FontWeight.bold), + maxLines: 2, + overflow: TextOverflow.ellipsis, + ), + ), + ), + ], + ); + } + } + + Widget _businessListItem( + Business business, bool selectable, Function callback) { + return Card( + child: ListTile( + leading: ClipRRect( + borderRadius: BorderRadius.circular(3.0), + child: Image.network('$apiAddress/logos/${business.id}', + height: 24, width: 24, errorBuilder: (BuildContext context, + Object exception, StackTrace? stackTrace) { + return getIconFromType( + business.type, 24, Theme.of(context).colorScheme.onSurface); + })), + title: Text(business.name), + subtitle: Text(business.description, + maxLines: 1, overflow: TextOverflow.ellipsis), + trailing: _getCheckbox(selectable, callback), + onTap: () { + Navigator.of(context).push(MaterialPageRoute( + builder: (context) => BusinessDetail(inputBusiness: business))); + }, + ), + ); + } + + Widget _checkbox(Function callback) { + return Checkbox( + value: selectedBusinesses.contains(widget.business), + onChanged: (value) { + if (value!) { + setState(() { + selectedBusinesses.add(widget.business); + }); + } else { + setState(() { + selectedBusinesses.remove(widget.business); + }); + } + callback(); + }, + ); + } + + Widget? _getCheckbox(bool selectable, Function callback) { + if (selectable) { + return _checkbox(callback); + } else { + return null; + } + } +} + +class FilterChips extends StatefulWidget { + const FilterChips({super.key}); + + @override + State createState() => _FilterChipsState(); +} + +class _FilterChipsState extends State { + List filterChips() { + List chips = []; + + for (var type in BusinessType.values) { + chips.add(Padding( + padding: const EdgeInsets.only(left: 4.0, right: 4.0), + child: FilterChip( + showCheckmark: false, + shape: + RoundedRectangleBorder(borderRadius: BorderRadius.circular(20)), + label: Text(type.name), + selected: selectedChips.contains(type), + onSelected: (bool selected) { + setState(() { + if (selected) { + selectedChips.add(type); + } else { + selectedChips.remove(type); + } + }); + }), + )); + } + return chips; + } + + @override + Widget build(BuildContext context) { + return Wrap( + children: filterChips(), + ); + } +} + +class FilterDataTypeChips extends StatefulWidget { + const FilterDataTypeChips({super.key}); + + @override + State createState() => _FilterDataTypeChipsState(); +} + +class _FilterDataTypeChipsState extends State { + List filterDataTypeChips() { + List chips = []; + + for (var type in DataType.values) { + chips.add(Padding( + padding: + const EdgeInsets.only(left: 3.0, right: 3.0, bottom: 3.0, top: 3.0), + // child: ActionChip( + // avatar: selectedDataTypes.contains(type) ? Icon(Icons.check_box) : Icon(Icons.check_box_outline_blank), + // label: Text(type.name), + // onPressed: () { + // if (!selectedDataTypes.contains(type)) { + // setState(() { + // selectedDataTypes.add(type); + // }); + // } else { + // setState(() { + // selectedDataTypes.remove(type); + // }); + // } + // }, + + // ), + child: FilterChip( + shape: RoundedRectangleBorder( + borderRadius: BorderRadius.circular(20), + side: + BorderSide(color: Theme.of(context).colorScheme.secondary)), + label: Text(dataTypeFriendly[type]!), + showCheckmark: false, + selected: selectedDataTypes.contains(type), + onSelected: (bool selected) { + setState(() { + if (selected) { + selectedDataTypes.add(type); + } else { + selectedDataTypes.remove(type); + } + }); + }), + )); + } + return chips; + } + + @override + Widget build(BuildContext context) { + return Wrap( + children: filterDataTypeChips(), + ); + } +} diff --git a/fbla_ui/linux/.gitignore b/fbla_ui/linux/.gitignore new file mode 100644 index 0000000..d3896c9 --- /dev/null +++ b/fbla_ui/linux/.gitignore @@ -0,0 +1 @@ +flutter/ephemeral diff --git a/fbla_ui/linux/CMakeLists.txt b/fbla_ui/linux/CMakeLists.txt new file mode 100644 index 0000000..3691c33 --- /dev/null +++ b/fbla_ui/linux/CMakeLists.txt @@ -0,0 +1,139 @@ +# Project-level configuration. +cmake_minimum_required(VERSION 3.10) +project(runner LANGUAGES CXX) + +# The name of the executable created for the application. Change this to change +# the on-disk name of your application. +set(BINARY_NAME "fbla_ui") +# The unique GTK application identifier for this application. See: +# https://wiki.gnome.org/HowDoI/ChooseApplicationID +set(APPLICATION_ID "com.marinodev.fbla_ui") + +# Explicitly opt in to modern CMake behaviors to avoid warnings with recent +# versions of CMake. +cmake_policy(SET CMP0063 NEW) + +# Load bundled libraries from the lib/ directory relative to the binary. +set(CMAKE_INSTALL_RPATH "$ORIGIN/lib") + +# Root filesystem for cross-building. +if(FLUTTER_TARGET_PLATFORM_SYSROOT) + set(CMAKE_SYSROOT ${FLUTTER_TARGET_PLATFORM_SYSROOT}) + set(CMAKE_FIND_ROOT_PATH ${CMAKE_SYSROOT}) + set(CMAKE_FIND_ROOT_PATH_MODE_PROGRAM NEVER) + set(CMAKE_FIND_ROOT_PATH_MODE_PACKAGE ONLY) + set(CMAKE_FIND_ROOT_PATH_MODE_LIBRARY ONLY) + set(CMAKE_FIND_ROOT_PATH_MODE_INCLUDE ONLY) +endif() + +# Define build configuration options. +if(NOT CMAKE_BUILD_TYPE AND NOT CMAKE_CONFIGURATION_TYPES) + set(CMAKE_BUILD_TYPE "Debug" CACHE + STRING "Flutter build mode" FORCE) + set_property(CACHE CMAKE_BUILD_TYPE PROPERTY STRINGS + "Debug" "Profile" "Release") +endif() + +# Compilation settings that should be applied to most targets. +# +# Be cautious about adding new options here, as plugins use this function by +# default. In most cases, you should add new options to specific targets instead +# of modifying this function. +function(APPLY_STANDARD_SETTINGS TARGET) + target_compile_features(${TARGET} PUBLIC cxx_std_14) + target_compile_options(${TARGET} PRIVATE -Wall -Werror) + target_compile_options(${TARGET} PRIVATE "$<$>:-O3>") + target_compile_definitions(${TARGET} PRIVATE "$<$>:NDEBUG>") +endfunction() + +# Flutter library and tool build rules. +set(FLUTTER_MANAGED_DIR "${CMAKE_CURRENT_SOURCE_DIR}/flutter") +add_subdirectory(${FLUTTER_MANAGED_DIR}) + +# System-level dependencies. +find_package(PkgConfig REQUIRED) +pkg_check_modules(GTK REQUIRED IMPORTED_TARGET gtk+-3.0) + +add_definitions(-DAPPLICATION_ID="${APPLICATION_ID}") + +# Define the application target. To change its name, change BINARY_NAME above, +# not the value here, or `flutter run` will no longer work. +# +# Any new source files that you add to the application should be added here. +add_executable(${BINARY_NAME} + "main.cc" + "my_application.cc" + "${FLUTTER_MANAGED_DIR}/generated_plugin_registrant.cc" +) + +# Apply the standard set of build settings. This can be removed for applications +# that need different build settings. +apply_standard_settings(${BINARY_NAME}) + +# Add dependency libraries. Add any application-specific dependencies here. +target_link_libraries(${BINARY_NAME} PRIVATE flutter) +target_link_libraries(${BINARY_NAME} PRIVATE PkgConfig::GTK) + +# Run the Flutter tool portions of the build. This must not be removed. +add_dependencies(${BINARY_NAME} flutter_assemble) + +# Only the install-generated bundle's copy of the executable will launch +# correctly, since the resources must in the right relative locations. To avoid +# people trying to run the unbundled copy, put it in a subdirectory instead of +# the default top-level location. +set_target_properties(${BINARY_NAME} + PROPERTIES + RUNTIME_OUTPUT_DIRECTORY "${CMAKE_BINARY_DIR}/intermediates_do_not_run" +) + + +# Generated plugin build rules, which manage building the plugins and adding +# them to the application. +include(flutter/generated_plugins.cmake) + + +# === Installation === +# By default, "installing" just makes a relocatable bundle in the build +# directory. +set(BUILD_BUNDLE_DIR "${PROJECT_BINARY_DIR}/bundle") +if(CMAKE_INSTALL_PREFIX_INITIALIZED_TO_DEFAULT) + set(CMAKE_INSTALL_PREFIX "${BUILD_BUNDLE_DIR}" CACHE PATH "..." FORCE) +endif() + +# Start with a clean build bundle directory every time. +install(CODE " + file(REMOVE_RECURSE \"${BUILD_BUNDLE_DIR}/\") + " COMPONENT Runtime) + +set(INSTALL_BUNDLE_DATA_DIR "${CMAKE_INSTALL_PREFIX}/data") +set(INSTALL_BUNDLE_LIB_DIR "${CMAKE_INSTALL_PREFIX}/lib") + +install(TARGETS ${BINARY_NAME} RUNTIME DESTINATION "${CMAKE_INSTALL_PREFIX}" + COMPONENT Runtime) + +install(FILES "${FLUTTER_ICU_DATA_FILE}" DESTINATION "${INSTALL_BUNDLE_DATA_DIR}" + COMPONENT Runtime) + +install(FILES "${FLUTTER_LIBRARY}" DESTINATION "${INSTALL_BUNDLE_LIB_DIR}" + COMPONENT Runtime) + +foreach(bundled_library ${PLUGIN_BUNDLED_LIBRARIES}) + install(FILES "${bundled_library}" + DESTINATION "${INSTALL_BUNDLE_LIB_DIR}" + COMPONENT Runtime) +endforeach(bundled_library) + +# Fully re-copy the assets directory on each build to avoid having stale files +# from a previous install. +set(FLUTTER_ASSET_DIR_NAME "flutter_assets") +install(CODE " + file(REMOVE_RECURSE \"${INSTALL_BUNDLE_DATA_DIR}/${FLUTTER_ASSET_DIR_NAME}\") + " COMPONENT Runtime) +install(DIRECTORY "${PROJECT_BUILD_DIR}/${FLUTTER_ASSET_DIR_NAME}" + DESTINATION "${INSTALL_BUNDLE_DATA_DIR}" COMPONENT Runtime) + +# Install the AOT library on non-Debug builds only. +if(NOT CMAKE_BUILD_TYPE MATCHES "Debug") + install(FILES "${AOT_LIBRARY}" DESTINATION "${INSTALL_BUNDLE_LIB_DIR}" + COMPONENT Runtime) +endif() diff --git a/fbla_ui/linux/flutter/CMakeLists.txt b/fbla_ui/linux/flutter/CMakeLists.txt new file mode 100644 index 0000000..d5bd016 --- /dev/null +++ b/fbla_ui/linux/flutter/CMakeLists.txt @@ -0,0 +1,88 @@ +# This file controls Flutter-level build steps. It should not be edited. +cmake_minimum_required(VERSION 3.10) + +set(EPHEMERAL_DIR "${CMAKE_CURRENT_SOURCE_DIR}/ephemeral") + +# Configuration provided via flutter tool. +include(${EPHEMERAL_DIR}/generated_config.cmake) + +# TODO: Move the rest of this into files in ephemeral. See +# https://github.com/flutter/flutter/issues/57146. + +# Serves the same purpose as list(TRANSFORM ... PREPEND ...), +# which isn't available in 3.10. +function(list_prepend LIST_NAME PREFIX) + set(NEW_LIST "") + foreach(element ${${LIST_NAME}}) + list(APPEND NEW_LIST "${PREFIX}${element}") + endforeach(element) + set(${LIST_NAME} "${NEW_LIST}" PARENT_SCOPE) +endfunction() + +# === Flutter Library === +# System-level dependencies. +find_package(PkgConfig REQUIRED) +pkg_check_modules(GTK REQUIRED IMPORTED_TARGET gtk+-3.0) +pkg_check_modules(GLIB REQUIRED IMPORTED_TARGET glib-2.0) +pkg_check_modules(GIO REQUIRED IMPORTED_TARGET gio-2.0) + +set(FLUTTER_LIBRARY "${EPHEMERAL_DIR}/libflutter_linux_gtk.so") + +# Published to parent scope for install step. +set(FLUTTER_LIBRARY ${FLUTTER_LIBRARY} PARENT_SCOPE) +set(FLUTTER_ICU_DATA_FILE "${EPHEMERAL_DIR}/icudtl.dat" PARENT_SCOPE) +set(PROJECT_BUILD_DIR "${PROJECT_DIR}/build/" PARENT_SCOPE) +set(AOT_LIBRARY "${PROJECT_DIR}/build/lib/libapp.so" PARENT_SCOPE) + +list(APPEND FLUTTER_LIBRARY_HEADERS + "fl_basic_message_channel.h" + "fl_binary_codec.h" + "fl_binary_messenger.h" + "fl_dart_project.h" + "fl_engine.h" + "fl_json_message_codec.h" + "fl_json_method_codec.h" + "fl_message_codec.h" + "fl_method_call.h" + "fl_method_channel.h" + "fl_method_codec.h" + "fl_method_response.h" + "fl_plugin_registrar.h" + "fl_plugin_registry.h" + "fl_standard_message_codec.h" + "fl_standard_method_codec.h" + "fl_string_codec.h" + "fl_value.h" + "fl_view.h" + "flutter_linux.h" +) +list_prepend(FLUTTER_LIBRARY_HEADERS "${EPHEMERAL_DIR}/flutter_linux/") +add_library(flutter INTERFACE) +target_include_directories(flutter INTERFACE + "${EPHEMERAL_DIR}" +) +target_link_libraries(flutter INTERFACE "${FLUTTER_LIBRARY}") +target_link_libraries(flutter INTERFACE + PkgConfig::GTK + PkgConfig::GLIB + PkgConfig::GIO +) +add_dependencies(flutter flutter_assemble) + +# === Flutter tool backend === +# _phony_ is a non-existent file to force this command to run every time, +# since currently there's no way to get a full input/output list from the +# flutter tool. +add_custom_command( + OUTPUT ${FLUTTER_LIBRARY} ${FLUTTER_LIBRARY_HEADERS} + ${CMAKE_CURRENT_BINARY_DIR}/_phony_ + COMMAND ${CMAKE_COMMAND} -E env + ${FLUTTER_TOOL_ENVIRONMENT} + "${FLUTTER_ROOT}/packages/flutter_tools/bin/tool_backend.sh" + ${FLUTTER_TARGET_PLATFORM} ${CMAKE_BUILD_TYPE} + VERBATIM +) +add_custom_target(flutter_assemble DEPENDS + "${FLUTTER_LIBRARY}" + ${FLUTTER_LIBRARY_HEADERS} +) diff --git a/fbla_ui/linux/flutter/generated_plugin_registrant.cc b/fbla_ui/linux/flutter/generated_plugin_registrant.cc new file mode 100644 index 0000000..2dccc22 --- /dev/null +++ b/fbla_ui/linux/flutter/generated_plugin_registrant.cc @@ -0,0 +1,19 @@ +// +// Generated file. Do not edit. +// + +// clang-format off + +#include "generated_plugin_registrant.h" + +#include +#include + +void fl_register_plugins(FlPluginRegistry* registry) { + g_autoptr(FlPluginRegistrar) printing_registrar = + fl_plugin_registry_get_registrar_for_plugin(registry, "PrintingPlugin"); + printing_plugin_register_with_registrar(printing_registrar); + g_autoptr(FlPluginRegistrar) url_launcher_linux_registrar = + fl_plugin_registry_get_registrar_for_plugin(registry, "UrlLauncherPlugin"); + url_launcher_plugin_register_with_registrar(url_launcher_linux_registrar); +} diff --git a/fbla_ui/linux/flutter/generated_plugin_registrant.h b/fbla_ui/linux/flutter/generated_plugin_registrant.h new file mode 100644 index 0000000..e0f0a47 --- /dev/null +++ b/fbla_ui/linux/flutter/generated_plugin_registrant.h @@ -0,0 +1,15 @@ +// +// Generated file. Do not edit. +// + +// clang-format off + +#ifndef GENERATED_PLUGIN_REGISTRANT_ +#define GENERATED_PLUGIN_REGISTRANT_ + +#include + +// Registers Flutter plugins. +void fl_register_plugins(FlPluginRegistry* registry); + +#endif // GENERATED_PLUGIN_REGISTRANT_ diff --git a/fbla_ui/linux/flutter/generated_plugins.cmake b/fbla_ui/linux/flutter/generated_plugins.cmake new file mode 100644 index 0000000..45f2369 --- /dev/null +++ b/fbla_ui/linux/flutter/generated_plugins.cmake @@ -0,0 +1,25 @@ +# +# Generated file, do not edit. +# + +list(APPEND FLUTTER_PLUGIN_LIST + printing + url_launcher_linux +) + +list(APPEND FLUTTER_FFI_PLUGIN_LIST +) + +set(PLUGIN_BUNDLED_LIBRARIES) + +foreach(plugin ${FLUTTER_PLUGIN_LIST}) + add_subdirectory(flutter/ephemeral/.plugin_symlinks/${plugin}/linux plugins/${plugin}) + target_link_libraries(${BINARY_NAME} PRIVATE ${plugin}_plugin) + list(APPEND PLUGIN_BUNDLED_LIBRARIES $) + list(APPEND PLUGIN_BUNDLED_LIBRARIES ${${plugin}_bundled_libraries}) +endforeach(plugin) + +foreach(ffi_plugin ${FLUTTER_FFI_PLUGIN_LIST}) + add_subdirectory(flutter/ephemeral/.plugin_symlinks/${ffi_plugin}/linux plugins/${ffi_plugin}) + list(APPEND PLUGIN_BUNDLED_LIBRARIES ${${ffi_plugin}_bundled_libraries}) +endforeach(ffi_plugin) diff --git a/fbla_ui/linux/main.cc b/fbla_ui/linux/main.cc new file mode 100644 index 0000000..e7c5c54 --- /dev/null +++ b/fbla_ui/linux/main.cc @@ -0,0 +1,6 @@ +#include "my_application.h" + +int main(int argc, char** argv) { + g_autoptr(MyApplication) app = my_application_new(); + return g_application_run(G_APPLICATION(app), argc, argv); +} diff --git a/fbla_ui/linux/my_application.cc b/fbla_ui/linux/my_application.cc new file mode 100644 index 0000000..1b3cc4f --- /dev/null +++ b/fbla_ui/linux/my_application.cc @@ -0,0 +1,104 @@ +#include "my_application.h" + +#include +#ifdef GDK_WINDOWING_X11 +#include +#endif + +#include "flutter/generated_plugin_registrant.h" + +struct _MyApplication { + GtkApplication parent_instance; + char** dart_entrypoint_arguments; +}; + +G_DEFINE_TYPE(MyApplication, my_application, GTK_TYPE_APPLICATION) + +// Implements GApplication::activate. +static void my_application_activate(GApplication* application) { + MyApplication* self = MY_APPLICATION(application); + GtkWindow* window = + GTK_WINDOW(gtk_application_window_new(GTK_APPLICATION(application))); + + // Use a header bar when running in GNOME as this is the common style used + // by applications and is the setup most users will be using (e.g. Ubuntu + // desktop). + // If running on X and not using GNOME then just use a traditional title bar + // in case the window manager does more exotic layout, e.g. tiling. + // If running on Wayland assume the header bar will work (may need changing + // if future cases occur). + gboolean use_header_bar = TRUE; +#ifdef GDK_WINDOWING_X11 + GdkScreen* screen = gtk_window_get_screen(window); + if (GDK_IS_X11_SCREEN(screen)) { + const gchar* wm_name = gdk_x11_screen_get_window_manager_name(screen); + if (g_strcmp0(wm_name, "GNOME Shell") != 0) { + use_header_bar = FALSE; + } + } +#endif + if (use_header_bar) { + GtkHeaderBar* header_bar = GTK_HEADER_BAR(gtk_header_bar_new()); + gtk_widget_show(GTK_WIDGET(header_bar)); + gtk_header_bar_set_title(header_bar, "Job Link"); + gtk_header_bar_set_show_close_button(header_bar, TRUE); + gtk_window_set_titlebar(window, GTK_WIDGET(header_bar)); + } else { + gtk_window_set_title(window, "Job Link"); + } + + gtk_window_set_default_size(window, 1280, 720); + gtk_widget_show(GTK_WIDGET(window)); + + g_autoptr(FlDartProject) project = fl_dart_project_new(); + fl_dart_project_set_dart_entrypoint_arguments(project, self->dart_entrypoint_arguments); + + FlView* view = fl_view_new(project); + gtk_widget_show(GTK_WIDGET(view)); + gtk_container_add(GTK_CONTAINER(window), GTK_WIDGET(view)); + + fl_register_plugins(FL_PLUGIN_REGISTRY(view)); + + gtk_widget_grab_focus(GTK_WIDGET(view)); +} + +// Implements GApplication::local_command_line. +static gboolean my_application_local_command_line(GApplication* application, gchar*** arguments, int* exit_status) { + MyApplication* self = MY_APPLICATION(application); + // Strip out the first argument as it is the binary name. + self->dart_entrypoint_arguments = g_strdupv(*arguments + 1); + + g_autoptr(GError) error = nullptr; + if (!g_application_register(application, nullptr, &error)) { + g_warning("Failed to register: %s", error->message); + *exit_status = 1; + return TRUE; + } + + g_application_activate(application); + *exit_status = 0; + + return TRUE; +} + +// Implements GObject::dispose. +static void my_application_dispose(GObject* object) { + MyApplication* self = MY_APPLICATION(object); + g_clear_pointer(&self->dart_entrypoint_arguments, g_strfreev); + G_OBJECT_CLASS(my_application_parent_class)->dispose(object); +} + +static void my_application_class_init(MyApplicationClass* klass) { + G_APPLICATION_CLASS(klass)->activate = my_application_activate; + G_APPLICATION_CLASS(klass)->local_command_line = my_application_local_command_line; + G_OBJECT_CLASS(klass)->dispose = my_application_dispose; +} + +static void my_application_init(MyApplication* self) {} + +MyApplication* my_application_new() { + return MY_APPLICATION(g_object_new(my_application_get_type(), + "application-id", APPLICATION_ID, + "flags", G_APPLICATION_NON_UNIQUE, + nullptr)); +} diff --git a/fbla_ui/linux/my_application.h b/fbla_ui/linux/my_application.h new file mode 100644 index 0000000..72271d5 --- /dev/null +++ b/fbla_ui/linux/my_application.h @@ -0,0 +1,18 @@ +#ifndef FLUTTER_MY_APPLICATION_H_ +#define FLUTTER_MY_APPLICATION_H_ + +#include + +G_DECLARE_FINAL_TYPE(MyApplication, my_application, MY, APPLICATION, + GtkApplication) + +/** + * my_application_new: + * + * Creates a new Flutter-based application. + * + * Returns: a new #MyApplication. + */ +MyApplication* my_application_new(); + +#endif // FLUTTER_MY_APPLICATION_H_ diff --git a/fbla_ui/macos/.gitignore b/fbla_ui/macos/.gitignore new file mode 100644 index 0000000..746adbb --- /dev/null +++ b/fbla_ui/macos/.gitignore @@ -0,0 +1,7 @@ +# Flutter-related +**/Flutter/ephemeral/ +**/Pods/ + +# Xcode-related +**/dgph +**/xcuserdata/ diff --git a/fbla_ui/macos/Flutter/Flutter-Debug.xcconfig b/fbla_ui/macos/Flutter/Flutter-Debug.xcconfig new file mode 100644 index 0000000..c2efd0b --- /dev/null +++ b/fbla_ui/macos/Flutter/Flutter-Debug.xcconfig @@ -0,0 +1 @@ +#include "ephemeral/Flutter-Generated.xcconfig" diff --git a/fbla_ui/macos/Flutter/Flutter-Release.xcconfig b/fbla_ui/macos/Flutter/Flutter-Release.xcconfig new file mode 100644 index 0000000..c2efd0b --- /dev/null +++ b/fbla_ui/macos/Flutter/Flutter-Release.xcconfig @@ -0,0 +1 @@ +#include "ephemeral/Flutter-Generated.xcconfig" diff --git a/fbla_ui/macos/Flutter/GeneratedPluginRegistrant.swift b/fbla_ui/macos/Flutter/GeneratedPluginRegistrant.swift new file mode 100644 index 0000000..884b3e6 --- /dev/null +++ b/fbla_ui/macos/Flutter/GeneratedPluginRegistrant.swift @@ -0,0 +1,20 @@ +// +// Generated file. Do not edit. +// + +import FlutterMacOS +import Foundation + +import path_provider_foundation +import printing +import rive_common +import shared_preferences_foundation +import url_launcher_macos + +func RegisterGeneratedPlugins(registry: FlutterPluginRegistry) { + PathProviderPlugin.register(with: registry.registrar(forPlugin: "PathProviderPlugin")) + PrintingPlugin.register(with: registry.registrar(forPlugin: "PrintingPlugin")) + RivePlugin.register(with: registry.registrar(forPlugin: "RivePlugin")) + SharedPreferencesPlugin.register(with: registry.registrar(forPlugin: "SharedPreferencesPlugin")) + UrlLauncherPlugin.register(with: registry.registrar(forPlugin: "UrlLauncherPlugin")) +} diff --git a/fbla_ui/macos/Runner.xcodeproj/project.pbxproj b/fbla_ui/macos/Runner.xcodeproj/project.pbxproj new file mode 100644 index 0000000..a205724 --- /dev/null +++ b/fbla_ui/macos/Runner.xcodeproj/project.pbxproj @@ -0,0 +1,695 @@ +// !$*UTF8*$! +{ + archiveVersion = 1; + classes = { + }; + objectVersion = 54; + objects = { + +/* Begin PBXAggregateTarget section */ + 33CC111A2044C6BA0003C045 /* Flutter Assemble */ = { + isa = PBXAggregateTarget; + buildConfigurationList = 33CC111B2044C6BA0003C045 /* Build configuration list for PBXAggregateTarget "Flutter Assemble" */; + buildPhases = ( + 33CC111E2044C6BF0003C045 /* ShellScript */, + ); + dependencies = ( + ); + name = "Flutter Assemble"; + productName = FLX; + }; +/* End PBXAggregateTarget section */ + +/* Begin PBXBuildFile section */ + 331C80D8294CF71000263BE5 /* RunnerTests.swift in Sources */ = {isa = PBXBuildFile; fileRef = 331C80D7294CF71000263BE5 /* RunnerTests.swift */; }; + 335BBD1B22A9A15E00E9071D /* GeneratedPluginRegistrant.swift in Sources */ = {isa = PBXBuildFile; fileRef = 335BBD1A22A9A15E00E9071D /* GeneratedPluginRegistrant.swift */; }; + 33CC10F12044A3C60003C045 /* AppDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = 33CC10F02044A3C60003C045 /* AppDelegate.swift */; }; + 33CC10F32044A3C60003C045 /* Assets.xcassets in Resources */ = {isa = PBXBuildFile; fileRef = 33CC10F22044A3C60003C045 /* Assets.xcassets */; }; + 33CC10F62044A3C60003C045 /* MainMenu.xib in Resources */ = {isa = PBXBuildFile; fileRef = 33CC10F42044A3C60003C045 /* MainMenu.xib */; }; + 33CC11132044BFA00003C045 /* MainFlutterWindow.swift in Sources */ = {isa = PBXBuildFile; fileRef = 33CC11122044BFA00003C045 /* MainFlutterWindow.swift */; }; +/* End PBXBuildFile section */ + +/* Begin PBXContainerItemProxy section */ + 331C80D9294CF71000263BE5 /* PBXContainerItemProxy */ = { + isa = PBXContainerItemProxy; + containerPortal = 33CC10E52044A3C60003C045 /* Project object */; + proxyType = 1; + remoteGlobalIDString = 33CC10EC2044A3C60003C045; + remoteInfo = Runner; + }; + 33CC111F2044C79F0003C045 /* PBXContainerItemProxy */ = { + isa = PBXContainerItemProxy; + containerPortal = 33CC10E52044A3C60003C045 /* Project object */; + proxyType = 1; + remoteGlobalIDString = 33CC111A2044C6BA0003C045; + remoteInfo = FLX; + }; +/* End PBXContainerItemProxy section */ + +/* Begin PBXCopyFilesBuildPhase section */ + 33CC110E2044A8840003C045 /* Bundle Framework */ = { + isa = PBXCopyFilesBuildPhase; + buildActionMask = 2147483647; + dstPath = ""; + dstSubfolderSpec = 10; + files = ( + ); + name = "Bundle Framework"; + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXCopyFilesBuildPhase section */ + +/* Begin PBXFileReference section */ + 331C80D5294CF71000263BE5 /* RunnerTests.xctest */ = {isa = PBXFileReference; explicitFileType = wrapper.cfbundle; includeInIndex = 0; path = RunnerTests.xctest; sourceTree = BUILT_PRODUCTS_DIR; }; + 331C80D7294CF71000263BE5 /* RunnerTests.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = RunnerTests.swift; sourceTree = ""; }; + 333000ED22D3DE5D00554162 /* Warnings.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; path = Warnings.xcconfig; sourceTree = ""; }; + 335BBD1A22A9A15E00E9071D /* GeneratedPluginRegistrant.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = GeneratedPluginRegistrant.swift; sourceTree = ""; }; + 33CC10ED2044A3C60003C045 /* fbla_ui.app */ = {isa = PBXFileReference; explicitFileType = wrapper.application; includeInIndex = 0; path = "fbla_ui.app"; sourceTree = BUILT_PRODUCTS_DIR; }; + 33CC10F02044A3C60003C045 /* AppDelegate.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = AppDelegate.swift; sourceTree = ""; }; + 33CC10F22044A3C60003C045 /* Assets.xcassets */ = {isa = PBXFileReference; lastKnownFileType = folder.assetcatalog; name = Assets.xcassets; path = Runner/Assets.xcassets; sourceTree = ""; }; + 33CC10F52044A3C60003C045 /* Base */ = {isa = PBXFileReference; lastKnownFileType = file.xib; name = Base; path = Base.lproj/MainMenu.xib; sourceTree = ""; }; + 33CC10F72044A3C60003C045 /* Info.plist */ = {isa = PBXFileReference; lastKnownFileType = text.plist.xml; name = Info.plist; path = Runner/Info.plist; sourceTree = ""; }; + 33CC11122044BFA00003C045 /* MainFlutterWindow.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = MainFlutterWindow.swift; sourceTree = ""; }; + 33CEB47222A05771004F2AC0 /* Flutter-Debug.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; path = "Flutter-Debug.xcconfig"; sourceTree = ""; }; + 33CEB47422A05771004F2AC0 /* Flutter-Release.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; path = "Flutter-Release.xcconfig"; sourceTree = ""; }; + 33CEB47722A0578A004F2AC0 /* Flutter-Generated.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; name = "Flutter-Generated.xcconfig"; path = "ephemeral/Flutter-Generated.xcconfig"; sourceTree = ""; }; + 33E51913231747F40026EE4D /* DebugProfile.entitlements */ = {isa = PBXFileReference; lastKnownFileType = text.plist.entitlements; path = DebugProfile.entitlements; sourceTree = ""; }; + 33E51914231749380026EE4D /* Release.entitlements */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.plist.entitlements; path = Release.entitlements; sourceTree = ""; }; + 33E5194F232828860026EE4D /* AppInfo.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; path = AppInfo.xcconfig; sourceTree = ""; }; + 7AFA3C8E1D35360C0083082E /* Release.xcconfig */ = {isa = PBXFileReference; lastKnownFileType = text.xcconfig; path = Release.xcconfig; sourceTree = ""; }; + 9740EEB21CF90195004384FC /* Debug.xcconfig */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = text.xcconfig; path = Debug.xcconfig; sourceTree = ""; }; +/* End PBXFileReference section */ + +/* Begin PBXFrameworksBuildPhase section */ + 331C80D2294CF70F00263BE5 /* Frameworks */ = { + isa = PBXFrameworksBuildPhase; + buildActionMask = 2147483647; + files = ( + ); + runOnlyForDeploymentPostprocessing = 0; + }; + 33CC10EA2044A3C60003C045 /* Frameworks */ = { + isa = PBXFrameworksBuildPhase; + buildActionMask = 2147483647; + files = ( + ); + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXFrameworksBuildPhase section */ + +/* Begin PBXGroup section */ + 331C80D6294CF71000263BE5 /* RunnerTests */ = { + isa = PBXGroup; + children = ( + 331C80D7294CF71000263BE5 /* RunnerTests.swift */, + ); + path = RunnerTests; + sourceTree = ""; + }; + 33BA886A226E78AF003329D5 /* Configs */ = { + isa = PBXGroup; + children = ( + 33E5194F232828860026EE4D /* AppInfo.xcconfig */, + 9740EEB21CF90195004384FC /* Debug.xcconfig */, + 7AFA3C8E1D35360C0083082E /* Release.xcconfig */, + 333000ED22D3DE5D00554162 /* Warnings.xcconfig */, + ); + path = Configs; + sourceTree = ""; + }; + 33CC10E42044A3C60003C045 = { + isa = PBXGroup; + children = ( + 33FAB671232836740065AC1E /* Runner */, + 33CEB47122A05771004F2AC0 /* Flutter */, + 331C80D6294CF71000263BE5 /* RunnerTests */, + 33CC10EE2044A3C60003C045 /* Products */, + D73912EC22F37F3D000D13A0 /* Frameworks */, + ); + sourceTree = ""; + }; + 33CC10EE2044A3C60003C045 /* Products */ = { + isa = PBXGroup; + children = ( + 33CC10ED2044A3C60003C045 /* fbla_ui.app */, + 331C80D5294CF71000263BE5 /* RunnerTests.xctest */, + ); + name = Products; + sourceTree = ""; + }; + 33CC11242044D66E0003C045 /* Resources */ = { + isa = PBXGroup; + children = ( + 33CC10F22044A3C60003C045 /* Assets.xcassets */, + 33CC10F42044A3C60003C045 /* MainMenu.xib */, + 33CC10F72044A3C60003C045 /* Info.plist */, + ); + name = Resources; + path = ..; + sourceTree = ""; + }; + 33CEB47122A05771004F2AC0 /* Flutter */ = { + isa = PBXGroup; + children = ( + 335BBD1A22A9A15E00E9071D /* GeneratedPluginRegistrant.swift */, + 33CEB47222A05771004F2AC0 /* Flutter-Debug.xcconfig */, + 33CEB47422A05771004F2AC0 /* Flutter-Release.xcconfig */, + 33CEB47722A0578A004F2AC0 /* Flutter-Generated.xcconfig */, + ); + path = Flutter; + sourceTree = ""; + }; + 33FAB671232836740065AC1E /* Runner */ = { + isa = PBXGroup; + children = ( + 33CC10F02044A3C60003C045 /* AppDelegate.swift */, + 33CC11122044BFA00003C045 /* MainFlutterWindow.swift */, + 33E51913231747F40026EE4D /* DebugProfile.entitlements */, + 33E51914231749380026EE4D /* Release.entitlements */, + 33CC11242044D66E0003C045 /* Resources */, + 33BA886A226E78AF003329D5 /* Configs */, + ); + path = Runner; + sourceTree = ""; + }; + D73912EC22F37F3D000D13A0 /* Frameworks */ = { + isa = PBXGroup; + children = ( + ); + name = Frameworks; + sourceTree = ""; + }; +/* End PBXGroup section */ + +/* Begin PBXNativeTarget section */ + 331C80D4294CF70F00263BE5 /* RunnerTests */ = { + isa = PBXNativeTarget; + buildConfigurationList = 331C80DE294CF71000263BE5 /* Build configuration list for PBXNativeTarget "RunnerTests" */; + buildPhases = ( + 331C80D1294CF70F00263BE5 /* Sources */, + 331C80D2294CF70F00263BE5 /* Frameworks */, + 331C80D3294CF70F00263BE5 /* Resources */, + ); + buildRules = ( + ); + dependencies = ( + 331C80DA294CF71000263BE5 /* PBXTargetDependency */, + ); + name = RunnerTests; + productName = RunnerTests; + productReference = 331C80D5294CF71000263BE5 /* RunnerTests.xctest */; + productType = "com.apple.product-type.bundle.unit-test"; + }; + 33CC10EC2044A3C60003C045 /* Runner */ = { + isa = PBXNativeTarget; + buildConfigurationList = 33CC10FB2044A3C60003C045 /* Build configuration list for PBXNativeTarget "Runner" */; + buildPhases = ( + 33CC10E92044A3C60003C045 /* Sources */, + 33CC10EA2044A3C60003C045 /* Frameworks */, + 33CC10EB2044A3C60003C045 /* Resources */, + 33CC110E2044A8840003C045 /* Bundle Framework */, + 3399D490228B24CF009A79C7 /* ShellScript */, + ); + buildRules = ( + ); + dependencies = ( + 33CC11202044C79F0003C045 /* PBXTargetDependency */, + ); + name = Runner; + productName = Runner; + productReference = 33CC10ED2044A3C60003C045 /* fbla_ui.app */; + productType = "com.apple.product-type.application"; + }; +/* End PBXNativeTarget section */ + +/* Begin PBXProject section */ + 33CC10E52044A3C60003C045 /* Project object */ = { + isa = PBXProject; + attributes = { + LastSwiftUpdateCheck = 0920; + LastUpgradeCheck = 1300; + ORGANIZATIONNAME = ""; + TargetAttributes = { + 331C80D4294CF70F00263BE5 = { + CreatedOnToolsVersion = 14.0; + TestTargetID = 33CC10EC2044A3C60003C045; + }; + 33CC10EC2044A3C60003C045 = { + CreatedOnToolsVersion = 9.2; + LastSwiftMigration = 1100; + ProvisioningStyle = Automatic; + SystemCapabilities = { + com.apple.Sandbox = { + enabled = 1; + }; + }; + }; + 33CC111A2044C6BA0003C045 = { + CreatedOnToolsVersion = 9.2; + ProvisioningStyle = Manual; + }; + }; + }; + buildConfigurationList = 33CC10E82044A3C60003C045 /* Build configuration list for PBXProject "Runner" */; + compatibilityVersion = "Xcode 9.3"; + developmentRegion = en; + hasScannedForEncodings = 0; + knownRegions = ( + en, + Base, + ); + mainGroup = 33CC10E42044A3C60003C045; + productRefGroup = 33CC10EE2044A3C60003C045 /* Products */; + projectDirPath = ""; + projectRoot = ""; + targets = ( + 33CC10EC2044A3C60003C045 /* Runner */, + 331C80D4294CF70F00263BE5 /* RunnerTests */, + 33CC111A2044C6BA0003C045 /* Flutter Assemble */, + ); + }; +/* End PBXProject section */ + +/* Begin PBXResourcesBuildPhase section */ + 331C80D3294CF70F00263BE5 /* Resources */ = { + isa = PBXResourcesBuildPhase; + buildActionMask = 2147483647; + files = ( + ); + runOnlyForDeploymentPostprocessing = 0; + }; + 33CC10EB2044A3C60003C045 /* Resources */ = { + isa = PBXResourcesBuildPhase; + buildActionMask = 2147483647; + files = ( + 33CC10F32044A3C60003C045 /* Assets.xcassets in Resources */, + 33CC10F62044A3C60003C045 /* MainMenu.xib in Resources */, + ); + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXResourcesBuildPhase section */ + +/* Begin PBXShellScriptBuildPhase section */ + 3399D490228B24CF009A79C7 /* ShellScript */ = { + isa = PBXShellScriptBuildPhase; + alwaysOutOfDate = 1; + buildActionMask = 2147483647; + files = ( + ); + inputFileListPaths = ( + ); + inputPaths = ( + ); + outputFileListPaths = ( + ); + outputPaths = ( + ); + runOnlyForDeploymentPostprocessing = 0; + shellPath = /bin/sh; + shellScript = "echo \"$PRODUCT_NAME.app\" > \"$PROJECT_DIR\"/Flutter/ephemeral/.app_filename && \"$FLUTTER_ROOT\"/packages/flutter_tools/bin/macos_assemble.sh embed\n"; + }; + 33CC111E2044C6BF0003C045 /* ShellScript */ = { + isa = PBXShellScriptBuildPhase; + buildActionMask = 2147483647; + files = ( + ); + inputFileListPaths = ( + Flutter/ephemeral/FlutterInputs.xcfilelist, + ); + inputPaths = ( + Flutter/ephemeral/tripwire, + ); + outputFileListPaths = ( + Flutter/ephemeral/FlutterOutputs.xcfilelist, + ); + outputPaths = ( + ); + runOnlyForDeploymentPostprocessing = 0; + shellPath = /bin/sh; + shellScript = "\"$FLUTTER_ROOT\"/packages/flutter_tools/bin/macos_assemble.sh && touch Flutter/ephemeral/tripwire"; + }; +/* End PBXShellScriptBuildPhase section */ + +/* Begin PBXSourcesBuildPhase section */ + 331C80D1294CF70F00263BE5 /* Sources */ = { + isa = PBXSourcesBuildPhase; + buildActionMask = 2147483647; + files = ( + 331C80D8294CF71000263BE5 /* RunnerTests.swift in Sources */, + ); + runOnlyForDeploymentPostprocessing = 0; + }; + 33CC10E92044A3C60003C045 /* Sources */ = { + isa = PBXSourcesBuildPhase; + buildActionMask = 2147483647; + files = ( + 33CC11132044BFA00003C045 /* MainFlutterWindow.swift in Sources */, + 33CC10F12044A3C60003C045 /* AppDelegate.swift in Sources */, + 335BBD1B22A9A15E00E9071D /* GeneratedPluginRegistrant.swift in Sources */, + ); + runOnlyForDeploymentPostprocessing = 0; + }; +/* End PBXSourcesBuildPhase section */ + +/* Begin PBXTargetDependency section */ + 331C80DA294CF71000263BE5 /* PBXTargetDependency */ = { + isa = PBXTargetDependency; + target = 33CC10EC2044A3C60003C045 /* Runner */; + targetProxy = 331C80D9294CF71000263BE5 /* PBXContainerItemProxy */; + }; + 33CC11202044C79F0003C045 /* PBXTargetDependency */ = { + isa = PBXTargetDependency; + target = 33CC111A2044C6BA0003C045 /* Flutter Assemble */; + targetProxy = 33CC111F2044C79F0003C045 /* PBXContainerItemProxy */; + }; +/* End PBXTargetDependency section */ + +/* Begin PBXVariantGroup section */ + 33CC10F42044A3C60003C045 /* MainMenu.xib */ = { + isa = PBXVariantGroup; + children = ( + 33CC10F52044A3C60003C045 /* Base */, + ); + name = MainMenu.xib; + path = Runner; + sourceTree = ""; + }; +/* End PBXVariantGroup section */ + +/* Begin XCBuildConfiguration section */ + 331C80DB294CF71000263BE5 /* Debug */ = { + isa = XCBuildConfiguration; + buildSettings = { + BUNDLE_LOADER = "$(TEST_HOST)"; + CURRENT_PROJECT_VERSION = 1; + GENERATE_INFOPLIST_FILE = YES; + MARKETING_VERSION = 1.0; + PRODUCT_BUNDLE_IDENTIFIER = com.marinodev.fblaUi.RunnerTests; + PRODUCT_NAME = "$(TARGET_NAME)"; + SWIFT_VERSION = 5.0; + TEST_HOST = "$(BUILT_PRODUCTS_DIR)/fbla_ui.app/$(BUNDLE_EXECUTABLE_FOLDER_PATH)/fbla_ui"; + }; + name = Debug; + }; + 331C80DC294CF71000263BE5 /* Release */ = { + isa = XCBuildConfiguration; + buildSettings = { + BUNDLE_LOADER = "$(TEST_HOST)"; + CURRENT_PROJECT_VERSION = 1; + GENERATE_INFOPLIST_FILE = YES; + MARKETING_VERSION = 1.0; + PRODUCT_BUNDLE_IDENTIFIER = com.marinodev.fblaUi.RunnerTests; + PRODUCT_NAME = "$(TARGET_NAME)"; + SWIFT_VERSION = 5.0; + TEST_HOST = "$(BUILT_PRODUCTS_DIR)/fbla_ui.app/$(BUNDLE_EXECUTABLE_FOLDER_PATH)/fbla_ui"; + }; + name = Release; + }; + 331C80DD294CF71000263BE5 /* Profile */ = { + isa = XCBuildConfiguration; + buildSettings = { + BUNDLE_LOADER = "$(TEST_HOST)"; + CURRENT_PROJECT_VERSION = 1; + GENERATE_INFOPLIST_FILE = YES; + MARKETING_VERSION = 1.0; + PRODUCT_BUNDLE_IDENTIFIER = com.marinodev.fblaUi.RunnerTests; + PRODUCT_NAME = "$(TARGET_NAME)"; + SWIFT_VERSION = 5.0; + TEST_HOST = "$(BUILT_PRODUCTS_DIR)/fbla_ui.app/$(BUNDLE_EXECUTABLE_FOLDER_PATH)/fbla_ui"; + }; + name = Profile; + }; + 338D0CE9231458BD00FA5F75 /* Profile */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 7AFA3C8E1D35360C0083082E /* Release.xcconfig */; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_ANALYZER_NUMBER_OBJECT_CONVERSION = YES_AGGRESSIVE; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++14"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; + CLANG_WARN_DOCUMENTATION_COMMENTS = YES; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INFINITE_RECURSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES; + CLANG_WARN_OBJC_LITERAL_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; + CLANG_WARN_RANGE_LOOP_ANALYSIS = YES; + CLANG_WARN_SUSPICIOUS_MOVE = YES; + CODE_SIGN_IDENTITY = "-"; + COPY_PHASE_STRIP = NO; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + ENABLE_NS_ASSERTIONS = NO; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_C_LANGUAGE_STANDARD = gnu11; + GCC_NO_COMMON_BLOCKS = YES; + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; + GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + MACOSX_DEPLOYMENT_TARGET = 10.14; + MTL_ENABLE_DEBUG_INFO = NO; + SDKROOT = macosx; + SWIFT_COMPILATION_MODE = wholemodule; + SWIFT_OPTIMIZATION_LEVEL = "-O"; + }; + name = Profile; + }; + 338D0CEA231458BD00FA5F75 /* Profile */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 33E5194F232828860026EE4D /* AppInfo.xcconfig */; + buildSettings = { + ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; + CLANG_ENABLE_MODULES = YES; + CODE_SIGN_ENTITLEMENTS = Runner/DebugProfile.entitlements; + CODE_SIGN_STYLE = Automatic; + COMBINE_HIDPI_IMAGES = YES; + INFOPLIST_FILE = Runner/Info.plist; + LD_RUNPATH_SEARCH_PATHS = ( + "$(inherited)", + "@executable_path/../Frameworks", + ); + PROVISIONING_PROFILE_SPECIFIER = ""; + SWIFT_VERSION = 5.0; + }; + name = Profile; + }; + 338D0CEB231458BD00FA5F75 /* Profile */ = { + isa = XCBuildConfiguration; + buildSettings = { + CODE_SIGN_STYLE = Manual; + PRODUCT_NAME = "$(TARGET_NAME)"; + }; + name = Profile; + }; + 33CC10F92044A3C60003C045 /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 9740EEB21CF90195004384FC /* Debug.xcconfig */; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_ANALYZER_NUMBER_OBJECT_CONVERSION = YES_AGGRESSIVE; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++14"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; + CLANG_WARN_DOCUMENTATION_COMMENTS = YES; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INFINITE_RECURSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES; + CLANG_WARN_OBJC_LITERAL_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; + CLANG_WARN_RANGE_LOOP_ANALYSIS = YES; + CLANG_WARN_SUSPICIOUS_MOVE = YES; + CODE_SIGN_IDENTITY = "-"; + COPY_PHASE_STRIP = NO; + DEBUG_INFORMATION_FORMAT = dwarf; + ENABLE_STRICT_OBJC_MSGSEND = YES; + ENABLE_TESTABILITY = YES; + GCC_C_LANGUAGE_STANDARD = gnu11; + GCC_DYNAMIC_NO_PIC = NO; + GCC_NO_COMMON_BLOCKS = YES; + GCC_OPTIMIZATION_LEVEL = 0; + GCC_PREPROCESSOR_DEFINITIONS = ( + "DEBUG=1", + "$(inherited)", + ); + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; + GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + MACOSX_DEPLOYMENT_TARGET = 10.14; + MTL_ENABLE_DEBUG_INFO = YES; + ONLY_ACTIVE_ARCH = YES; + SDKROOT = macosx; + SWIFT_ACTIVE_COMPILATION_CONDITIONS = DEBUG; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + }; + name = Debug; + }; + 33CC10FA2044A3C60003C045 /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 7AFA3C8E1D35360C0083082E /* Release.xcconfig */; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_ANALYZER_NUMBER_OBJECT_CONVERSION = YES_AGGRESSIVE; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++14"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; + CLANG_WARN_DOCUMENTATION_COMMENTS = YES; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INFINITE_RECURSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES; + CLANG_WARN_OBJC_LITERAL_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; + CLANG_WARN_RANGE_LOOP_ANALYSIS = YES; + CLANG_WARN_SUSPICIOUS_MOVE = YES; + CODE_SIGN_IDENTITY = "-"; + COPY_PHASE_STRIP = NO; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + ENABLE_NS_ASSERTIONS = NO; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_C_LANGUAGE_STANDARD = gnu11; + GCC_NO_COMMON_BLOCKS = YES; + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; + GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + MACOSX_DEPLOYMENT_TARGET = 10.14; + MTL_ENABLE_DEBUG_INFO = NO; + SDKROOT = macosx; + SWIFT_COMPILATION_MODE = wholemodule; + SWIFT_OPTIMIZATION_LEVEL = "-O"; + }; + name = Release; + }; + 33CC10FC2044A3C60003C045 /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 33E5194F232828860026EE4D /* AppInfo.xcconfig */; + buildSettings = { + ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; + CLANG_ENABLE_MODULES = YES; + CODE_SIGN_ENTITLEMENTS = Runner/DebugProfile.entitlements; + CODE_SIGN_STYLE = Automatic; + COMBINE_HIDPI_IMAGES = YES; + INFOPLIST_FILE = Runner/Info.plist; + LD_RUNPATH_SEARCH_PATHS = ( + "$(inherited)", + "@executable_path/../Frameworks", + ); + PROVISIONING_PROFILE_SPECIFIER = ""; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + SWIFT_VERSION = 5.0; + }; + name = Debug; + }; + 33CC10FD2044A3C60003C045 /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 33E5194F232828860026EE4D /* AppInfo.xcconfig */; + buildSettings = { + ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; + CLANG_ENABLE_MODULES = YES; + CODE_SIGN_ENTITLEMENTS = Runner/Release.entitlements; + CODE_SIGN_STYLE = Automatic; + COMBINE_HIDPI_IMAGES = YES; + INFOPLIST_FILE = Runner/Info.plist; + LD_RUNPATH_SEARCH_PATHS = ( + "$(inherited)", + "@executable_path/../Frameworks", + ); + PROVISIONING_PROFILE_SPECIFIER = ""; + SWIFT_VERSION = 5.0; + }; + name = Release; + }; + 33CC111C2044C6BA0003C045 /* Debug */ = { + isa = XCBuildConfiguration; + buildSettings = { + CODE_SIGN_STYLE = Manual; + PRODUCT_NAME = "$(TARGET_NAME)"; + }; + name = Debug; + }; + 33CC111D2044C6BA0003C045 /* Release */ = { + isa = XCBuildConfiguration; + buildSettings = { + CODE_SIGN_STYLE = Automatic; + PRODUCT_NAME = "$(TARGET_NAME)"; + }; + name = Release; + }; +/* End XCBuildConfiguration section */ + +/* Begin XCConfigurationList section */ + 331C80DE294CF71000263BE5 /* Build configuration list for PBXNativeTarget "RunnerTests" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + 331C80DB294CF71000263BE5 /* Debug */, + 331C80DC294CF71000263BE5 /* Release */, + 331C80DD294CF71000263BE5 /* Profile */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; + 33CC10E82044A3C60003C045 /* Build configuration list for PBXProject "Runner" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + 33CC10F92044A3C60003C045 /* Debug */, + 33CC10FA2044A3C60003C045 /* Release */, + 338D0CE9231458BD00FA5F75 /* Profile */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; + 33CC10FB2044A3C60003C045 /* Build configuration list for PBXNativeTarget "Runner" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + 33CC10FC2044A3C60003C045 /* Debug */, + 33CC10FD2044A3C60003C045 /* Release */, + 338D0CEA231458BD00FA5F75 /* Profile */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; + 33CC111B2044C6BA0003C045 /* Build configuration list for PBXAggregateTarget "Flutter Assemble" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + 33CC111C2044C6BA0003C045 /* Debug */, + 33CC111D2044C6BA0003C045 /* Release */, + 338D0CEB231458BD00FA5F75 /* Profile */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; +/* End XCConfigurationList section */ + }; + rootObject = 33CC10E52044A3C60003C045 /* Project object */; +} diff --git a/fbla_ui/macos/Runner.xcodeproj/project.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist b/fbla_ui/macos/Runner.xcodeproj/project.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist new file mode 100644 index 0000000..18d9810 --- /dev/null +++ b/fbla_ui/macos/Runner.xcodeproj/project.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist @@ -0,0 +1,8 @@ + + + + + IDEDidComputeMac32BitWarning + + + diff --git a/fbla_ui/macos/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme b/fbla_ui/macos/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme new file mode 100644 index 0000000..558d2c1 --- /dev/null +++ b/fbla_ui/macos/Runner.xcodeproj/xcshareddata/xcschemes/Runner.xcscheme @@ -0,0 +1,98 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/fbla_ui/macos/Runner.xcworkspace/contents.xcworkspacedata b/fbla_ui/macos/Runner.xcworkspace/contents.xcworkspacedata new file mode 100644 index 0000000..1d526a1 --- /dev/null +++ b/fbla_ui/macos/Runner.xcworkspace/contents.xcworkspacedata @@ -0,0 +1,7 @@ + + + + + diff --git a/fbla_ui/macos/Runner.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist b/fbla_ui/macos/Runner.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist new file mode 100644 index 0000000..18d9810 --- /dev/null +++ b/fbla_ui/macos/Runner.xcworkspace/xcshareddata/IDEWorkspaceChecks.plist @@ -0,0 +1,8 @@ + + + + + IDEDidComputeMac32BitWarning + + + diff --git a/fbla_ui/macos/Runner/AppDelegate.swift b/fbla_ui/macos/Runner/AppDelegate.swift new file mode 100644 index 0000000..d53ef64 --- /dev/null +++ b/fbla_ui/macos/Runner/AppDelegate.swift @@ -0,0 +1,9 @@ +import Cocoa +import FlutterMacOS + +@NSApplicationMain +class AppDelegate: FlutterAppDelegate { + override func applicationShouldTerminateAfterLastWindowClosed(_ sender: NSApplication) -> Bool { + return true + } +} diff --git a/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/Contents.json b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/Contents.json new file mode 100644 index 0000000..a2ec33f --- /dev/null +++ b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/Contents.json @@ -0,0 +1,68 @@ +{ + "images" : [ + { + "size" : "16x16", + "idiom" : "mac", + "filename" : "app_icon_16.png", + "scale" : "1x" + }, + { + "size" : "16x16", + "idiom" : "mac", + "filename" : "app_icon_32.png", + "scale" : "2x" + }, + { + "size" : "32x32", + "idiom" : "mac", + "filename" : "app_icon_32.png", + "scale" : "1x" + }, + { + "size" : "32x32", + "idiom" : "mac", + "filename" : "app_icon_64.png", + "scale" : "2x" + }, + { + "size" : "128x128", + "idiom" : "mac", + "filename" : "app_icon_128.png", + "scale" : "1x" + }, + { + "size" : "128x128", + "idiom" : "mac", + "filename" : "app_icon_256.png", + "scale" : "2x" + }, + { + "size" : "256x256", + "idiom" : "mac", + "filename" : "app_icon_256.png", + "scale" : "1x" + }, + { + "size" : "256x256", + "idiom" : "mac", + "filename" : "app_icon_512.png", + "scale" : "2x" + }, + { + "size" : "512x512", + "idiom" : "mac", + "filename" : "app_icon_512.png", + "scale" : "1x" + }, + { + "size" : "512x512", + "idiom" : "mac", + "filename" : "app_icon_1024.png", + "scale" : "2x" + } + ], + "info" : { + "version" : 1, + "author" : "xcode" + } +} diff --git a/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_1024.png b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_1024.png new file mode 100644 index 0000000..82b6f9d Binary files /dev/null and b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_1024.png differ diff --git a/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_128.png b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_128.png new file mode 100644 index 0000000..13b35eb Binary files /dev/null and b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_128.png differ diff --git a/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_16.png b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_16.png new file mode 100644 index 0000000..0a3f5fa Binary files /dev/null and b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_16.png differ diff --git a/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_256.png b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_256.png new file mode 100644 index 0000000..bdb5722 Binary files /dev/null and b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_256.png differ diff --git a/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_32.png b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_32.png new file mode 100644 index 0000000..f083318 Binary files /dev/null and b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_32.png differ diff --git a/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_512.png b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_512.png new file mode 100644 index 0000000..326c0e7 Binary files /dev/null and b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_512.png differ diff --git a/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_64.png b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_64.png new file mode 100644 index 0000000..2f1632c Binary files /dev/null and b/fbla_ui/macos/Runner/Assets.xcassets/AppIcon.appiconset/app_icon_64.png differ diff --git a/fbla_ui/macos/Runner/Base.lproj/MainMenu.xib b/fbla_ui/macos/Runner/Base.lproj/MainMenu.xib new file mode 100644 index 0000000..80e867a --- /dev/null +++ b/fbla_ui/macos/Runner/Base.lproj/MainMenu.xib @@ -0,0 +1,343 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/fbla_ui/macos/Runner/Configs/AppInfo.xcconfig b/fbla_ui/macos/Runner/Configs/AppInfo.xcconfig new file mode 100644 index 0000000..b5c4fe0 --- /dev/null +++ b/fbla_ui/macos/Runner/Configs/AppInfo.xcconfig @@ -0,0 +1,14 @@ +// Application-level settings for the Runner target. +// +// This may be replaced with something auto-generated from metadata (e.g., pubspec.yaml) in the +// future. If not, the values below would default to using the project name when this becomes a +// 'flutter create' template. + +// The application's name. By default this is also the title of the Flutter window. +PRODUCT_NAME = fbla_ui + +// The application's bundle identifier +PRODUCT_BUNDLE_IDENTIFIER = com.marinodev.fblaUi + +// The copyright displayed in application information +PRODUCT_COPYRIGHT = Copyright © 2023 com.marinodev. All rights reserved. diff --git a/fbla_ui/macos/Runner/Configs/Debug.xcconfig b/fbla_ui/macos/Runner/Configs/Debug.xcconfig new file mode 100644 index 0000000..36b0fd9 --- /dev/null +++ b/fbla_ui/macos/Runner/Configs/Debug.xcconfig @@ -0,0 +1,2 @@ +#include "../../Flutter/Flutter-Debug.xcconfig" +#include "Warnings.xcconfig" diff --git a/fbla_ui/macos/Runner/Configs/Release.xcconfig b/fbla_ui/macos/Runner/Configs/Release.xcconfig new file mode 100644 index 0000000..dff4f49 --- /dev/null +++ b/fbla_ui/macos/Runner/Configs/Release.xcconfig @@ -0,0 +1,2 @@ +#include "../../Flutter/Flutter-Release.xcconfig" +#include "Warnings.xcconfig" diff --git a/fbla_ui/macos/Runner/Configs/Warnings.xcconfig b/fbla_ui/macos/Runner/Configs/Warnings.xcconfig new file mode 100644 index 0000000..42bcbf4 --- /dev/null +++ b/fbla_ui/macos/Runner/Configs/Warnings.xcconfig @@ -0,0 +1,13 @@ +WARNING_CFLAGS = -Wall -Wconditional-uninitialized -Wnullable-to-nonnull-conversion -Wmissing-method-return-type -Woverlength-strings +GCC_WARN_UNDECLARED_SELECTOR = YES +CLANG_UNDEFINED_BEHAVIOR_SANITIZER_NULLABILITY = YES +CLANG_WARN_UNGUARDED_AVAILABILITY = YES_AGGRESSIVE +CLANG_WARN__DUPLICATE_METHOD_MATCH = YES +CLANG_WARN_PRAGMA_PACK = YES +CLANG_WARN_STRICT_PROTOTYPES = YES +CLANG_WARN_COMMA = YES +GCC_WARN_STRICT_SELECTOR_MATCH = YES +CLANG_WARN_OBJC_REPEATED_USE_OF_WEAK = YES +CLANG_WARN_OBJC_IMPLICIT_RETAIN_SELF = YES +GCC_WARN_SHADOW = YES +CLANG_WARN_UNREACHABLE_CODE = YES diff --git a/fbla_ui/macos/Runner/DebugProfile.entitlements b/fbla_ui/macos/Runner/DebugProfile.entitlements new file mode 100644 index 0000000..dddb8a3 --- /dev/null +++ b/fbla_ui/macos/Runner/DebugProfile.entitlements @@ -0,0 +1,12 @@ + + + + + com.apple.security.app-sandbox + + com.apple.security.cs.allow-jit + + com.apple.security.network.server + + + diff --git a/fbla_ui/macos/Runner/Info.plist b/fbla_ui/macos/Runner/Info.plist new file mode 100644 index 0000000..4789daa --- /dev/null +++ b/fbla_ui/macos/Runner/Info.plist @@ -0,0 +1,32 @@ + + + + + CFBundleDevelopmentRegion + $(DEVELOPMENT_LANGUAGE) + CFBundleExecutable + $(EXECUTABLE_NAME) + CFBundleIconFile + + CFBundleIdentifier + $(PRODUCT_BUNDLE_IDENTIFIER) + CFBundleInfoDictionaryVersion + 6.0 + CFBundleName + $(PRODUCT_NAME) + CFBundlePackageType + APPL + CFBundleShortVersionString + $(FLUTTER_BUILD_NAME) + CFBundleVersion + $(FLUTTER_BUILD_NUMBER) + LSMinimumSystemVersion + $(MACOSX_DEPLOYMENT_TARGET) + NSHumanReadableCopyright + $(PRODUCT_COPYRIGHT) + NSMainNibFile + MainMenu + NSPrincipalClass + NSApplication + + diff --git a/fbla_ui/macos/Runner/MainFlutterWindow.swift b/fbla_ui/macos/Runner/MainFlutterWindow.swift new file mode 100644 index 0000000..3cc05eb --- /dev/null +++ b/fbla_ui/macos/Runner/MainFlutterWindow.swift @@ -0,0 +1,15 @@ +import Cocoa +import FlutterMacOS + +class MainFlutterWindow: NSWindow { + override func awakeFromNib() { + let flutterViewController = FlutterViewController() + let windowFrame = self.frame + self.contentViewController = flutterViewController + self.setFrame(windowFrame, display: true) + + RegisterGeneratedPlugins(registry: flutterViewController) + + super.awakeFromNib() + } +} diff --git a/fbla_ui/macos/Runner/Release.entitlements b/fbla_ui/macos/Runner/Release.entitlements new file mode 100644 index 0000000..852fa1a --- /dev/null +++ b/fbla_ui/macos/Runner/Release.entitlements @@ -0,0 +1,8 @@ + + + + + com.apple.security.app-sandbox + + + diff --git a/fbla_ui/macos/RunnerTests/RunnerTests.swift b/fbla_ui/macos/RunnerTests/RunnerTests.swift new file mode 100644 index 0000000..5418c9f --- /dev/null +++ b/fbla_ui/macos/RunnerTests/RunnerTests.swift @@ -0,0 +1,12 @@ +import FlutterMacOS +import Cocoa +import XCTest + +class RunnerTests: XCTestCase { + + func testExample() { + // If you add code to the Runner application, consider adding tests here. + // See https://developer.apple.com/documentation/xctest for more information about using XCTest. + } + +} diff --git a/fbla_ui/pubspec.lock b/fbla_ui/pubspec.lock new file mode 100644 index 0000000..8aed88e --- /dev/null +++ b/fbla_ui/pubspec.lock @@ -0,0 +1,674 @@ +# Generated by pub +# See https://dart.dev/tools/pub/glossary#lockfile +packages: + adaptive_number: + dependency: transitive + description: + name: adaptive_number + sha256: "3a567544e9b5c9c803006f51140ad544aedc79604fd4f3f2c1380003f97c1d77" + url: "https://pub.dev" + source: hosted + version: "1.0.0" + archive: + dependency: transitive + description: + name: archive + sha256: "22600aa1e926be775fa5fe7e6894e7fb3df9efda8891c73f70fb3262399a432d" + url: "https://pub.dev" + source: hosted + version: "3.4.10" + async: + dependency: transitive + description: + name: async + sha256: "947bfcf187f74dbc5e146c9eb9c0f10c9f8b30743e341481c1e2ed3ecc18c20c" + url: "https://pub.dev" + source: hosted + version: "2.11.0" + barcode: + dependency: transitive + description: + name: barcode + sha256: "91b143666f7bb13636f716b6d4e412e372ab15ff7969799af8c9e30a382e9385" + url: "https://pub.dev" + source: hosted + version: "2.2.6" + bidi: + dependency: transitive + description: + name: bidi + sha256: "1a7d0c696324b2089f72e7671fd1f1f64fef44c980f3cebc84e803967c597b63" + url: "https://pub.dev" + source: hosted + version: "2.0.10" + boolean_selector: + dependency: transitive + description: + name: boolean_selector + sha256: "6cfb5af12253eaf2b368f07bacc5a80d1301a071c73360d746b7f2e32d762c66" + url: "https://pub.dev" + source: hosted + version: "2.1.1" + characters: + dependency: transitive + description: + name: characters + sha256: "04a925763edad70e8443c99234dc3328f442e811f1d8fd1a72f1c8ad0f69a605" + url: "https://pub.dev" + source: hosted + version: "1.3.0" + clock: + dependency: transitive + description: + name: clock + sha256: cb6d7f03e1de671e34607e909a7213e31d7752be4fb66a86d29fe1eb14bfb5cf + url: "https://pub.dev" + source: hosted + version: "1.1.1" + collection: + dependency: "direct main" + description: + name: collection + sha256: ee67cb0715911d28db6bf4af1026078bd6f0128b07a5f66fb2ed94ec6783c09a + url: "https://pub.dev" + source: hosted + version: "1.18.0" + convert: + dependency: transitive + description: + name: convert + sha256: "0f08b14755d163f6e2134cb58222dd25ea2a2ee8a195e53983d57c075324d592" + url: "https://pub.dev" + source: hosted + version: "3.1.1" + crypto: + dependency: transitive + description: + name: crypto + sha256: ff625774173754681d66daaf4a448684fb04b78f902da9cb3d308c19cc5e8bab + url: "https://pub.dev" + source: hosted + version: "3.0.3" + cupertino_icons: + dependency: "direct main" + description: + name: cupertino_icons + sha256: d57953e10f9f8327ce64a508a355f0b1ec902193f66288e8cb5070e7c47eeb2d + url: "https://pub.dev" + source: hosted + version: "1.0.6" + dart_jsonwebtoken: + dependency: "direct main" + description: + name: dart_jsonwebtoken + sha256: "40dc3a4788c02a44bc97ea0c8c4a078ae58c9a45acc2312ee6a689b0e8f5b5b9" + url: "https://pub.dev" + source: hosted + version: "2.13.0" + ed25519_edwards: + dependency: transitive + description: + name: ed25519_edwards + sha256: "6ce0112d131327ec6d42beede1e5dfd526069b18ad45dcf654f15074ad9276cd" + url: "https://pub.dev" + source: hosted + version: "0.3.1" + fake_async: + dependency: transitive + description: + name: fake_async + sha256: "511392330127add0b769b75a987850d136345d9227c6b94c96a04cf4a391bf78" + url: "https://pub.dev" + source: hosted + version: "1.3.1" + ffi: + dependency: transitive + description: + name: ffi + sha256: "493f37e7df1804778ff3a53bd691d8692ddf69702cf4c1c1096a2e41b4779e21" + url: "https://pub.dev" + source: hosted + version: "2.1.2" + file: + dependency: transitive + description: + name: file + sha256: "5fc22d7c25582e38ad9a8515372cd9a93834027aacf1801cf01164dac0ffa08c" + url: "https://pub.dev" + source: hosted + version: "7.0.0" + fixnum: + dependency: transitive + description: + name: fixnum + sha256: "25517a4deb0c03aa0f32fd12db525856438902d9c16536311e76cdc57b31d7d1" + url: "https://pub.dev" + source: hosted + version: "1.1.0" + flutter: + dependency: "direct main" + description: flutter + source: sdk + version: "0.0.0" + flutter_lints: + dependency: "direct dev" + description: + name: flutter_lints + sha256: a25a15ebbdfc33ab1cd26c63a6ee519df92338a9c10f122adda92938253bef04 + url: "https://pub.dev" + source: hosted + version: "2.0.3" + flutter_sticky_header: + dependency: "direct main" + description: + name: flutter_sticky_header + sha256: "017f398fbb45a589e01491861ca20eb6570a763fd9f3888165a978e11248c709" + url: "https://pub.dev" + source: hosted + version: "0.6.5" + flutter_test: + dependency: "direct dev" + description: flutter + source: sdk + version: "0.0.0" + flutter_web_plugins: + dependency: transitive + description: flutter + source: sdk + version: "0.0.0" + graphs: + dependency: transitive + description: + name: graphs + sha256: aedc5a15e78fc65a6e23bcd927f24c64dd995062bcd1ca6eda65a3cff92a4d19 + url: "https://pub.dev" + source: hosted + version: "2.3.1" + http: + dependency: "direct main" + description: + name: http + sha256: "761a297c042deedc1ffbb156d6e2af13886bb305c2a343a4d972504cd67dd938" + url: "https://pub.dev" + source: hosted + version: "1.2.1" + http_parser: + dependency: transitive + description: + name: http_parser + sha256: "2aa08ce0341cc9b354a498388e30986515406668dbcc4f7c950c3e715496693b" + url: "https://pub.dev" + source: hosted + version: "4.0.2" + image: + dependency: transitive + description: + name: image + sha256: "4c68bfd5ae83e700b5204c1e74451e7bf3cf750e6843c6e158289cf56bda018e" + url: "https://pub.dev" + source: hosted + version: "4.1.7" + js: + dependency: transitive + description: + name: js + sha256: c1b2e9b5ea78c45e1a0788d29606ba27dc5f71f019f32ca5140f61ef071838cf + url: "https://pub.dev" + source: hosted + version: "0.7.1" + leak_tracker: + dependency: transitive + description: + name: leak_tracker + sha256: "78eb209deea09858f5269f5a5b02be4049535f568c07b275096836f01ea323fa" + url: "https://pub.dev" + source: hosted + version: "10.0.0" + leak_tracker_flutter_testing: + dependency: transitive + description: + name: leak_tracker_flutter_testing + sha256: b46c5e37c19120a8a01918cfaf293547f47269f7cb4b0058f21531c2465d6ef0 + url: "https://pub.dev" + source: hosted + version: "2.0.1" + leak_tracker_testing: + dependency: transitive + description: + name: leak_tracker_testing + sha256: a597f72a664dbd293f3bfc51f9ba69816f84dcd403cdac7066cb3f6003f3ab47 + url: "https://pub.dev" + source: hosted + version: "2.0.1" + lints: + dependency: transitive + description: + name: lints + sha256: "0a217c6c989d21039f1498c3ed9f3ed71b354e69873f13a8dfc3c9fe76f1b452" + url: "https://pub.dev" + source: hosted + version: "2.1.1" + matcher: + dependency: transitive + description: + name: matcher + sha256: d2323aa2060500f906aa31a895b4030b6da3ebdcc5619d14ce1aada65cd161cb + url: "https://pub.dev" + source: hosted + version: "0.12.16+1" + material_color_utilities: + dependency: transitive + description: + name: material_color_utilities + sha256: "0e0a020085b65b6083975e499759762399b4475f766c21668c4ecca34ea74e5a" + url: "https://pub.dev" + source: hosted + version: "0.8.0" + meta: + dependency: transitive + description: + name: meta + sha256: d584fa6707a52763a52446f02cc621b077888fb63b93bbcb1143a7be5a0c0c04 + url: "https://pub.dev" + source: hosted + version: "1.11.0" + open_filex: + dependency: "direct main" + description: + name: open_filex + sha256: "74e2280754cf8161e860746c3181db2c996d6c1909c7057b738ede4a469816b8" + url: "https://pub.dev" + source: hosted + version: "4.4.0" + path: + dependency: transitive + description: + name: path + sha256: "087ce49c3f0dc39180befefc60fdb4acd8f8620e5682fe2476afd0b3688bb4af" + url: "https://pub.dev" + source: hosted + version: "1.9.0" + path_parsing: + dependency: transitive + description: + name: path_parsing + sha256: e3e67b1629e6f7e8100b367d3db6ba6af4b1f0bb80f64db18ef1fbabd2fa9ccf + url: "https://pub.dev" + source: hosted + version: "1.0.1" + path_provider: + dependency: "direct main" + description: + name: path_provider + sha256: b27217933eeeba8ff24845c34003b003b2b22151de3c908d0e679e8fe1aa078b + url: "https://pub.dev" + source: hosted + version: "2.1.2" + path_provider_android: + dependency: transitive + description: + name: path_provider_android + sha256: "477184d672607c0a3bf68fbbf601805f92ef79c82b64b4d6eb318cbca4c48668" + url: "https://pub.dev" + source: hosted + version: "2.2.2" + path_provider_foundation: + dependency: transitive + description: + name: path_provider_foundation + sha256: "5a7999be66e000916500be4f15a3633ebceb8302719b47b9cc49ce924125350f" + url: "https://pub.dev" + source: hosted + version: "2.3.2" + path_provider_linux: + dependency: transitive + description: + name: path_provider_linux + sha256: f7a1fe3a634fe7734c8d3f2766ad746ae2a2884abe22e241a8b301bf5cac3279 + url: "https://pub.dev" + source: hosted + version: "2.2.1" + path_provider_platform_interface: + dependency: transitive + description: + name: path_provider_platform_interface + sha256: "88f5779f72ba699763fa3a3b06aa4bf6de76c8e5de842cf6f29e2e06476c2334" + url: "https://pub.dev" + source: hosted + version: "2.1.2" + path_provider_windows: + dependency: transitive + description: + name: path_provider_windows + sha256: "8bc9f22eee8690981c22aa7fc602f5c85b497a6fb2ceb35ee5a5e5ed85ad8170" + url: "https://pub.dev" + source: hosted + version: "2.2.1" + pdf: + dependency: "direct main" + description: + name: pdf + sha256: "243f05342fc0bdf140eba5b069398985cdbdd3dbb1d776cf43d5ea29cc570ba6" + url: "https://pub.dev" + source: hosted + version: "3.10.8" + pdf_widget_wrapper: + dependency: transitive + description: + name: pdf_widget_wrapper + sha256: "9c3ca36e5000c9682d52bbdc486867ba7c5ee4403d1a5d6d03ed72157753377b" + url: "https://pub.dev" + source: hosted + version: "1.0.3" + petitparser: + dependency: transitive + description: + name: petitparser + sha256: c15605cd28af66339f8eb6fbe0e541bfe2d1b72d5825efc6598f3e0a31b9ad27 + url: "https://pub.dev" + source: hosted + version: "6.0.2" + platform: + dependency: transitive + description: + name: platform + sha256: "12220bb4b65720483f8fa9450b4332347737cf8213dd2840d8b2c823e47243ec" + url: "https://pub.dev" + source: hosted + version: "3.1.4" + plugin_platform_interface: + dependency: transitive + description: + name: plugin_platform_interface + sha256: "4820fbfdb9478b1ebae27888254d445073732dae3d6ea81f0b7e06d5dedc3f02" + url: "https://pub.dev" + source: hosted + version: "2.1.8" + pointycastle: + dependency: transitive + description: + name: pointycastle + sha256: "43ac87de6e10afabc85c445745a7b799e04de84cebaa4fd7bf55a5e1e9604d29" + url: "https://pub.dev" + source: hosted + version: "3.7.4" + printing: + dependency: "direct main" + description: + name: printing + sha256: "1c99cab90ebcc1fff65831d264627d5b529359d563e53f33ab9b8117f2d280bc" + url: "https://pub.dev" + source: hosted + version: "5.12.0" + qr: + dependency: transitive + description: + name: qr + sha256: "64957a3930367bf97cc211a5af99551d630f2f4625e38af10edd6b19131b64b3" + url: "https://pub.dev" + source: hosted + version: "3.0.1" + rive: + dependency: "direct main" + description: + name: rive + sha256: ec44b6cf7341e21727c4b0e762f4ac82f9a45f7e52df3ebad2d1289a726fbaaf + url: "https://pub.dev" + source: hosted + version: "0.13.1" + rive_common: + dependency: transitive + description: + name: rive_common + sha256: "0f070bc0e764c570abd8b34d744ef30d1292bd4051f2e0951bbda755875fce6a" + url: "https://pub.dev" + source: hosted + version: "0.3.3" + shared_preferences: + dependency: "direct main" + description: + name: shared_preferences + sha256: "81429e4481e1ccfb51ede496e916348668fd0921627779233bd24cc3ff6abd02" + url: "https://pub.dev" + source: hosted + version: "2.2.2" + shared_preferences_android: + dependency: transitive + description: + name: shared_preferences_android + sha256: "8568a389334b6e83415b6aae55378e158fbc2314e074983362d20c562780fb06" + url: "https://pub.dev" + source: hosted + version: "2.2.1" + shared_preferences_foundation: + dependency: transitive + description: + name: shared_preferences_foundation + sha256: "7708d83064f38060c7b39db12aefe449cb8cdc031d6062280087bc4cdb988f5c" + url: "https://pub.dev" + source: hosted + version: "2.3.5" + shared_preferences_linux: + dependency: transitive + description: + name: shared_preferences_linux + sha256: "9f2cbcf46d4270ea8be39fa156d86379077c8a5228d9dfdb1164ae0bb93f1faa" + url: "https://pub.dev" + source: hosted + version: "2.3.2" + shared_preferences_platform_interface: + dependency: transitive + description: + name: shared_preferences_platform_interface + sha256: "22e2ecac9419b4246d7c22bfbbda589e3acf5c0351137d87dd2939d984d37c3b" + url: "https://pub.dev" + source: hosted + version: "2.3.2" + shared_preferences_web: + dependency: transitive + description: + name: shared_preferences_web + sha256: "9aee1089b36bd2aafe06582b7d7817fd317ef05fc30e6ba14bff247d0933042a" + url: "https://pub.dev" + source: hosted + version: "2.3.0" + shared_preferences_windows: + dependency: transitive + description: + name: shared_preferences_windows + sha256: "841ad54f3c8381c480d0c9b508b89a34036f512482c407e6df7a9c4aa2ef8f59" + url: "https://pub.dev" + source: hosted + version: "2.3.2" + sky_engine: + dependency: transitive + description: flutter + source: sdk + version: "0.0.99" + sliver_tools: + dependency: "direct main" + description: + name: sliver_tools + sha256: eae28220badfb9d0559207badcbbc9ad5331aac829a88cb0964d330d2a4636a6 + url: "https://pub.dev" + source: hosted + version: "0.2.12" + source_span: + dependency: transitive + description: + name: source_span + sha256: "53e943d4206a5e30df338fd4c6e7a077e02254531b138a15aec3bd143c1a8b3c" + url: "https://pub.dev" + source: hosted + version: "1.10.0" + stack_trace: + dependency: transitive + description: + name: stack_trace + sha256: "73713990125a6d93122541237550ee3352a2d84baad52d375a4cad2eb9b7ce0b" + url: "https://pub.dev" + source: hosted + version: "1.11.1" + stream_channel: + dependency: transitive + description: + name: stream_channel + sha256: ba2aa5d8cc609d96bbb2899c28934f9e1af5cddbd60a827822ea467161eb54e7 + url: "https://pub.dev" + source: hosted + version: "2.1.2" + string_scanner: + dependency: transitive + description: + name: string_scanner + sha256: "556692adab6cfa87322a115640c11f13cb77b3f076ddcc5d6ae3c20242bedcde" + url: "https://pub.dev" + source: hosted + version: "1.2.0" + term_glyph: + dependency: transitive + description: + name: term_glyph + sha256: a29248a84fbb7c79282b40b8c72a1209db169a2e0542bce341da992fe1bc7e84 + url: "https://pub.dev" + source: hosted + version: "1.2.1" + test_api: + dependency: transitive + description: + name: test_api + sha256: "5c2f730018264d276c20e4f1503fd1308dfbbae39ec8ee63c5236311ac06954b" + url: "https://pub.dev" + source: hosted + version: "0.6.1" + typed_data: + dependency: transitive + description: + name: typed_data + sha256: facc8d6582f16042dd49f2463ff1bd6e2c9ef9f3d5da3d9b087e244a7b564b3c + url: "https://pub.dev" + source: hosted + version: "1.3.2" + url_launcher: + dependency: "direct main" + description: + name: url_launcher + sha256: "0ecc004c62fd3ed36a2ffcbe0dd9700aee63bd7532d0b642a488b1ec310f492e" + url: "https://pub.dev" + source: hosted + version: "6.2.5" + url_launcher_android: + dependency: transitive + description: + name: url_launcher_android + sha256: d4ed0711849dd8e33eb2dd69c25db0d0d3fdc37e0a62e629fe32f57a22db2745 + url: "https://pub.dev" + source: hosted + version: "6.3.0" + url_launcher_ios: + dependency: transitive + description: + name: url_launcher_ios + sha256: "9149d493b075ed740901f3ee844a38a00b33116c7c5c10d7fb27df8987fb51d5" + url: "https://pub.dev" + source: hosted + version: "6.2.5" + url_launcher_linux: + dependency: transitive + description: + name: url_launcher_linux + sha256: ab360eb661f8879369acac07b6bb3ff09d9471155357da8443fd5d3cf7363811 + url: "https://pub.dev" + source: hosted + version: "3.1.1" + url_launcher_macos: + dependency: transitive + description: + name: url_launcher_macos + sha256: b7244901ea3cf489c5335bdacda07264a6e960b1c1b1a9f91e4bc371d9e68234 + url: "https://pub.dev" + source: hosted + version: "3.1.0" + url_launcher_platform_interface: + dependency: transitive + description: + name: url_launcher_platform_interface + sha256: "552f8a1e663569be95a8190206a38187b531910283c3e982193e4f2733f01029" + url: "https://pub.dev" + source: hosted + version: "2.3.2" + url_launcher_web: + dependency: transitive + description: + name: url_launcher_web + sha256: "3692a459204a33e04bc94f5fb91158faf4f2c8903281ddd82915adecdb1a901d" + url: "https://pub.dev" + source: hosted + version: "2.3.0" + url_launcher_windows: + dependency: transitive + description: + name: url_launcher_windows + sha256: ecf9725510600aa2bb6d7ddabe16357691b6d2805f66216a97d1b881e21beff7 + url: "https://pub.dev" + source: hosted + version: "3.1.1" + value_layout_builder: + dependency: transitive + description: + name: value_layout_builder + sha256: "98202ec1807e94ac72725b7f0d15027afde513c55c69ff3f41bcfccb950831bc" + url: "https://pub.dev" + source: hosted + version: "0.3.1" + vector_math: + dependency: transitive + description: + name: vector_math + sha256: "80b3257d1492ce4d091729e3a67a60407d227c27241d6927be0130c98e741803" + url: "https://pub.dev" + source: hosted + version: "2.1.4" + vm_service: + dependency: transitive + description: + name: vm_service + sha256: b3d56ff4341b8f182b96aceb2fa20e3dcb336b9f867bc0eafc0de10f1048e957 + url: "https://pub.dev" + source: hosted + version: "13.0.0" + web: + dependency: transitive + description: + name: web + sha256: "97da13628db363c635202ad97068d47c5b8aa555808e7a9411963c533b449b27" + url: "https://pub.dev" + source: hosted + version: "0.5.1" + win32: + dependency: transitive + description: + name: win32 + sha256: "8cb58b45c47dcb42ab3651533626161d6b67a2921917d8d429791f76972b3480" + url: "https://pub.dev" + source: hosted + version: "5.3.0" + xdg_directories: + dependency: transitive + description: + name: xdg_directories + sha256: faea9dee56b520b55a566385b84f2e8de55e7496104adada9962e0bd11bcff1d + url: "https://pub.dev" + source: hosted + version: "1.0.4" + xml: + dependency: transitive + description: + name: xml + sha256: b015a8ad1c488f66851d762d3090a21c600e479dc75e68328c52774040cf9226 + url: "https://pub.dev" + source: hosted + version: "6.5.0" +sdks: + dart: ">=3.3.0 <4.0.0" + flutter: ">=3.19.0" diff --git a/fbla_ui/pubspec.yaml b/fbla_ui/pubspec.yaml new file mode 100644 index 0000000..9835fa9 --- /dev/null +++ b/fbla_ui/pubspec.yaml @@ -0,0 +1,103 @@ +name: fbla_ui +description: My app for the 2023-2024 FBLA Coding and Programming Event +# The following line prevents the package from being accidentally published to +# pub.dev using `flutter pub publish`. This is preferred for private packages. +publish_to: 'none' # Remove this line if you wish to publish to pub.dev + +# The following defines the version and build number for your application. +# A version number is three numbers separated by dots, like 1.2.43 +# followed by an optional build number separated by a +. +# Both the version and the builder number may be overridden in flutter +# build by specifying --build-name and --build-number, respectively. +# In Android, build-name is used as versionName while build-number used as versionCode. +# Read more about Android versioning at https://developer.android.com/studio/publish/versioning +# In iOS, build-name is used as CFBundleShortVersionString while build-number is used as CFBundleVersion. +# Read more about iOS versioning at +# https://developer.apple.com/library/archive/documentation/General/Reference/InfoPlistKeyReference/Articles/CoreFoundationKeys.html +# In Windows, build-name is used as the major, minor, and patch parts +# of the product and file versions while build-number is used as the build suffix. +version: 1.0.0+1 + +environment: + sdk: '>=3.0.6 <4.0.0' + +# Dependencies specify other packages that your package needs in order to work. +# To automatically upgrade your package dependencies to the latest versions +# consider running `flutter pub upgrade --major-versions`. Alternatively, +# dependencies can be manually updated by changing the version numbers below to +# the latest version available on pub.dev. To see which dependencies have newer +# versions available, run `flutter pub outdated`. +dependencies: + flutter: + sdk: flutter + + + # The following adds the Cupertino Icons font to your application. + # Use with the CupertinoIcons class for iOS style icons. + cupertino_icons: ^1.0.2 + flutter_sticky_header: ^0.6.5 + http: ^1.1.0 + collection: ^1.17.2 + sliver_tools: ^0.2.12 + url_launcher: ^6.2.1 + shared_preferences: ^2.2.2 + dart_jsonwebtoken: ^2.12.1 + pdf: ^3.10.7 + path_provider: ^2.1.1 + printing: ^5.12.0 + open_filex: ^4.3.4 + rive: ^0.13.1 + +dev_dependencies: + flutter_test: + sdk: flutter + + # The "flutter_lints" package below contains a set of recommended lints to + # encourage good coding practices. The lint set provided by the package is + # activated in the `analysis_options.yaml` file located at the root of your + # package. See that file for information about deactivating specific lint + # rules and activating additional ones. + flutter_lints: ^2.0.0 + +# For information on the generic Dart part of this file, see the +# following page: https://dart.dev/tools/pub/pubspec + +# The following section is specific to Flutter packages. +flutter: + + # The following line ensures that the Material Icons font is + # included with your application, so that you can use the icons in + # the material Icons class. + uses-material-design: true + + # To add assets to your application, add an assets section, like this: + assets: + - assets/mdev_triangle_loading.riv + # - images/a_dot_burr.jpeg + # - images/a_dot_ham.jpeg + + # An image asset can refer to one or more resolution-specific "variants", see + # https://flutter.dev/assets-and-images/#resolution-aware + + # For details regarding adding assets from package dependencies, see + # https://flutter.dev/assets-and-images/#from-packages + + # To add custom fonts to your application, add a fonts section here, + # in this "flutter" section. Each entry in this list should have a + # "family" key with the font family name, and a "fonts" key with a + # list giving the asset and other descriptors for the font. For + # example: + # fonts: + # - family: Schyler + # fonts: + # - asset: fonts/Schyler-Regular.ttf + # - asset: fonts/Schyler-Italic.ttf + # style: italic + # - family: Trajan Pro + # fonts: + # - asset: fonts/TrajanPro.ttf + # - asset: fonts/TrajanPro_Bold.ttf + # weight: 700 + # + # For details regarding fonts from package dependencies, + # see https://flutter.dev/custom-fonts/#from-packages diff --git a/fbla_ui/test/widget_test.dart b/fbla_ui/test/widget_test.dart new file mode 100644 index 0000000..77b99c9 --- /dev/null +++ b/fbla_ui/test/widget_test.dart @@ -0,0 +1,30 @@ +// This is a basic Flutter widget test. +// +// To perform an interaction with a widget in your test, use the WidgetTester +// utility in the flutter_test package. For example, you can send tap and scroll +// gestures. You can also use WidgetTester to find child widgets in the widget +// tree, read text, and verify that the values of widget properties are correct. + +import 'package:flutter/material.dart'; +import 'package:flutter_test/flutter_test.dart'; + +import 'package:fbla_ui/main.dart'; + +void main() { + testWidgets('Counter increments smoke test', (WidgetTester tester) async { + // Build our app and trigger a frame. + await tester.pumpWidget(const MainApp()); + + // Verify that our counter starts at 0. + expect(find.text('0'), findsOneWidget); + expect(find.text('1'), findsNothing); + + // Tap the '+' icon and trigger a frame. + await tester.tap(find.byIcon(Icons.add)); + await tester.pump(); + + // Verify that our counter has incremented. + expect(find.text('0'), findsNothing); + expect(find.text('1'), findsOneWidget); + }); +} diff --git a/fbla_ui/web/favicon.png b/fbla_ui/web/favicon.png new file mode 100644 index 0000000..cb8c7a1 Binary files /dev/null and b/fbla_ui/web/favicon.png differ diff --git a/fbla_ui/web/icons/Icon-192.png b/fbla_ui/web/icons/Icon-192.png new file mode 100644 index 0000000..061ab35 Binary files /dev/null and b/fbla_ui/web/icons/Icon-192.png differ diff --git a/fbla_ui/web/icons/Icon-512.png b/fbla_ui/web/icons/Icon-512.png new file mode 100644 index 0000000..00ac486 Binary files /dev/null and b/fbla_ui/web/icons/Icon-512.png differ diff --git a/fbla_ui/web/icons/Icon-maskable-192.png b/fbla_ui/web/icons/Icon-maskable-192.png new file mode 100644 index 0000000..a29084e Binary files /dev/null and b/fbla_ui/web/icons/Icon-maskable-192.png differ diff --git a/fbla_ui/web/icons/Icon-maskable-512.png b/fbla_ui/web/icons/Icon-maskable-512.png new file mode 100644 index 0000000..f1663ee Binary files /dev/null and b/fbla_ui/web/icons/Icon-maskable-512.png differ diff --git a/fbla_ui/web/index.html b/fbla_ui/web/index.html new file mode 100644 index 0000000..52c05d3 --- /dev/null +++ b/fbla_ui/web/index.html @@ -0,0 +1,75 @@ + + + + + + + + + + + + + + + + + + + + Job Link + + + + + + + + + + +
+ +
+ + + diff --git a/fbla_ui/web/manifest.json b/fbla_ui/web/manifest.json new file mode 100644 index 0000000..1363d46 --- /dev/null +++ b/fbla_ui/web/manifest.json @@ -0,0 +1,35 @@ +{ + "name": "fbla_ui", + "short_name": "fbla_ui", + "start_url": ".", + "display": "standalone", + "background_color": "#0175C2", + "theme_color": "#0175C2", + "description": "My FBLA 2023 app for Coding and Programming", + "orientation": "portrait-primary", + "prefer_related_applications": false, + "icons": [ + { + "src": "icons/Icon-192.png", + "sizes": "192x192", + "type": "image/png" + }, + { + "src": "icons/Icon-512.png", + "sizes": "512x512", + "type": "image/png" + }, + { + "src": "icons/Icon-maskable-192.png", + "sizes": "192x192", + "type": "image/png", + "purpose": "maskable" + }, + { + "src": "icons/Icon-maskable-512.png", + "sizes": "512x512", + "type": "image/png", + "purpose": "maskable" + } + ] +} diff --git a/fbla_ui/web/mdev_loading.riv b/fbla_ui/web/mdev_loading.riv new file mode 100644 index 0000000..6cdf818 Binary files /dev/null and b/fbla_ui/web/mdev_loading.riv differ diff --git a/fbla_ui/web/styles.css b/fbla_ui/web/styles.css new file mode 100644 index 0000000..315542e --- /dev/null +++ b/fbla_ui/web/styles.css @@ -0,0 +1,8 @@ +.center { + margin: auto; + width: fit-content; +} + +body { + background-color: #1E1E1E; +} \ No newline at end of file diff --git a/fbla_ui/windows/.gitignore b/fbla_ui/windows/.gitignore new file mode 100644 index 0000000..d492d0d --- /dev/null +++ b/fbla_ui/windows/.gitignore @@ -0,0 +1,17 @@ +flutter/ephemeral/ + +# Visual Studio user-specific files. +*.suo +*.user +*.userosscache +*.sln.docstates + +# Visual Studio build-related files. +x64/ +x86/ + +# Visual Studio cache files +# files ending in .cache can be ignored +*.[Cc]ache +# but keep track of directories ending in .cache +!*.[Cc]ache/ diff --git a/fbla_ui/windows/CMakeLists.txt b/fbla_ui/windows/CMakeLists.txt new file mode 100644 index 0000000..4e641de --- /dev/null +++ b/fbla_ui/windows/CMakeLists.txt @@ -0,0 +1,102 @@ +# Project-level configuration. +cmake_minimum_required(VERSION 3.14) +project(fbla_ui LANGUAGES CXX) + +# The name of the executable created for the application. Change this to change +# the on-disk name of your application. +set(BINARY_NAME "fbla_ui") + +# Explicitly opt in to modern CMake behaviors to avoid warnings with recent +# versions of CMake. +cmake_policy(SET CMP0063 NEW) + +# Define build configuration option. +get_property(IS_MULTICONFIG GLOBAL PROPERTY GENERATOR_IS_MULTI_CONFIG) +if(IS_MULTICONFIG) + set(CMAKE_CONFIGURATION_TYPES "Debug;Profile;Release" + CACHE STRING "" FORCE) +else() + if(NOT CMAKE_BUILD_TYPE AND NOT CMAKE_CONFIGURATION_TYPES) + set(CMAKE_BUILD_TYPE "Debug" CACHE + STRING "Flutter build mode" FORCE) + set_property(CACHE CMAKE_BUILD_TYPE PROPERTY STRINGS + "Debug" "Profile" "Release") + endif() +endif() +# Define settings for the Profile build mode. +set(CMAKE_EXE_LINKER_FLAGS_PROFILE "${CMAKE_EXE_LINKER_FLAGS_RELEASE}") +set(CMAKE_SHARED_LINKER_FLAGS_PROFILE "${CMAKE_SHARED_LINKER_FLAGS_RELEASE}") +set(CMAKE_C_FLAGS_PROFILE "${CMAKE_C_FLAGS_RELEASE}") +set(CMAKE_CXX_FLAGS_PROFILE "${CMAKE_CXX_FLAGS_RELEASE}") + +# Use Unicode for all projects. +add_definitions(-DUNICODE -D_UNICODE) + +# Compilation settings that should be applied to most targets. +# +# Be cautious about adding new options here, as plugins use this function by +# default. In most cases, you should add new options to specific targets instead +# of modifying this function. +function(APPLY_STANDARD_SETTINGS TARGET) + target_compile_features(${TARGET} PUBLIC cxx_std_17) + target_compile_options(${TARGET} PRIVATE /W4 /WX /wd"4100") + target_compile_options(${TARGET} PRIVATE /EHsc) + target_compile_definitions(${TARGET} PRIVATE "_HAS_EXCEPTIONS=0") + target_compile_definitions(${TARGET} PRIVATE "$<$:_DEBUG>") +endfunction() + +# Flutter library and tool build rules. +set(FLUTTER_MANAGED_DIR "${CMAKE_CURRENT_SOURCE_DIR}/flutter") +add_subdirectory(${FLUTTER_MANAGED_DIR}) + +# Application build; see runner/CMakeLists.txt. +add_subdirectory("runner") + + +# Generated plugin build rules, which manage building the plugins and adding +# them to the application. +include(flutter/generated_plugins.cmake) + + +# === Installation === +# Support files are copied into place next to the executable, so that it can +# run in place. This is done instead of making a separate bundle (as on Linux) +# so that building and running from within Visual Studio will work. +set(BUILD_BUNDLE_DIR "$") +# Make the "install" step default, as it's required to run. +set(CMAKE_VS_INCLUDE_INSTALL_TO_DEFAULT_BUILD 1) +if(CMAKE_INSTALL_PREFIX_INITIALIZED_TO_DEFAULT) + set(CMAKE_INSTALL_PREFIX "${BUILD_BUNDLE_DIR}" CACHE PATH "..." FORCE) +endif() + +set(INSTALL_BUNDLE_DATA_DIR "${CMAKE_INSTALL_PREFIX}/data") +set(INSTALL_BUNDLE_LIB_DIR "${CMAKE_INSTALL_PREFIX}") + +install(TARGETS ${BINARY_NAME} RUNTIME DESTINATION "${CMAKE_INSTALL_PREFIX}" + COMPONENT Runtime) + +install(FILES "${FLUTTER_ICU_DATA_FILE}" DESTINATION "${INSTALL_BUNDLE_DATA_DIR}" + COMPONENT Runtime) + +install(FILES "${FLUTTER_LIBRARY}" DESTINATION "${INSTALL_BUNDLE_LIB_DIR}" + COMPONENT Runtime) + +if(PLUGIN_BUNDLED_LIBRARIES) + install(FILES "${PLUGIN_BUNDLED_LIBRARIES}" + DESTINATION "${INSTALL_BUNDLE_LIB_DIR}" + COMPONENT Runtime) +endif() + +# Fully re-copy the assets directory on each build to avoid having stale files +# from a previous install. +set(FLUTTER_ASSET_DIR_NAME "flutter_assets") +install(CODE " + file(REMOVE_RECURSE \"${INSTALL_BUNDLE_DATA_DIR}/${FLUTTER_ASSET_DIR_NAME}\") + " COMPONENT Runtime) +install(DIRECTORY "${PROJECT_BUILD_DIR}/${FLUTTER_ASSET_DIR_NAME}" + DESTINATION "${INSTALL_BUNDLE_DATA_DIR}" COMPONENT Runtime) + +# Install the AOT library on non-Debug builds only. +install(FILES "${AOT_LIBRARY}" DESTINATION "${INSTALL_BUNDLE_DATA_DIR}" + CONFIGURATIONS Profile;Release + COMPONENT Runtime) diff --git a/fbla_ui/windows/flutter/CMakeLists.txt b/fbla_ui/windows/flutter/CMakeLists.txt new file mode 100644 index 0000000..930d207 --- /dev/null +++ b/fbla_ui/windows/flutter/CMakeLists.txt @@ -0,0 +1,104 @@ +# This file controls Flutter-level build steps. It should not be edited. +cmake_minimum_required(VERSION 3.14) + +set(EPHEMERAL_DIR "${CMAKE_CURRENT_SOURCE_DIR}/ephemeral") + +# Configuration provided via flutter tool. +include(${EPHEMERAL_DIR}/generated_config.cmake) + +# TODO: Move the rest of this into files in ephemeral. See +# https://github.com/flutter/flutter/issues/57146. +set(WRAPPER_ROOT "${EPHEMERAL_DIR}/cpp_client_wrapper") + +# === Flutter Library === +set(FLUTTER_LIBRARY "${EPHEMERAL_DIR}/flutter_windows.dll") + +# Published to parent scope for install step. +set(FLUTTER_LIBRARY ${FLUTTER_LIBRARY} PARENT_SCOPE) +set(FLUTTER_ICU_DATA_FILE "${EPHEMERAL_DIR}/icudtl.dat" PARENT_SCOPE) +set(PROJECT_BUILD_DIR "${PROJECT_DIR}/build/" PARENT_SCOPE) +set(AOT_LIBRARY "${PROJECT_DIR}/build/windows/app.so" PARENT_SCOPE) + +list(APPEND FLUTTER_LIBRARY_HEADERS + "flutter_export.h" + "flutter_windows.h" + "flutter_messenger.h" + "flutter_plugin_registrar.h" + "flutter_texture_registrar.h" +) +list(TRANSFORM FLUTTER_LIBRARY_HEADERS PREPEND "${EPHEMERAL_DIR}/") +add_library(flutter INTERFACE) +target_include_directories(flutter INTERFACE + "${EPHEMERAL_DIR}" +) +target_link_libraries(flutter INTERFACE "${FLUTTER_LIBRARY}.lib") +add_dependencies(flutter flutter_assemble) + +# === Wrapper === +list(APPEND CPP_WRAPPER_SOURCES_CORE + "core_implementations.cc" + "standard_codec.cc" +) +list(TRANSFORM CPP_WRAPPER_SOURCES_CORE PREPEND "${WRAPPER_ROOT}/") +list(APPEND CPP_WRAPPER_SOURCES_PLUGIN + "plugin_registrar.cc" +) +list(TRANSFORM CPP_WRAPPER_SOURCES_PLUGIN PREPEND "${WRAPPER_ROOT}/") +list(APPEND CPP_WRAPPER_SOURCES_APP + "flutter_engine.cc" + "flutter_view_controller.cc" +) +list(TRANSFORM CPP_WRAPPER_SOURCES_APP PREPEND "${WRAPPER_ROOT}/") + +# Wrapper sources needed for a plugin. +add_library(flutter_wrapper_plugin STATIC + ${CPP_WRAPPER_SOURCES_CORE} + ${CPP_WRAPPER_SOURCES_PLUGIN} +) +apply_standard_settings(flutter_wrapper_plugin) +set_target_properties(flutter_wrapper_plugin PROPERTIES + POSITION_INDEPENDENT_CODE ON) +set_target_properties(flutter_wrapper_plugin PROPERTIES + CXX_VISIBILITY_PRESET hidden) +target_link_libraries(flutter_wrapper_plugin PUBLIC flutter) +target_include_directories(flutter_wrapper_plugin PUBLIC + "${WRAPPER_ROOT}/include" +) +add_dependencies(flutter_wrapper_plugin flutter_assemble) + +# Wrapper sources needed for the runner. +add_library(flutter_wrapper_app STATIC + ${CPP_WRAPPER_SOURCES_CORE} + ${CPP_WRAPPER_SOURCES_APP} +) +apply_standard_settings(flutter_wrapper_app) +target_link_libraries(flutter_wrapper_app PUBLIC flutter) +target_include_directories(flutter_wrapper_app PUBLIC + "${WRAPPER_ROOT}/include" +) +add_dependencies(flutter_wrapper_app flutter_assemble) + +# === Flutter tool backend === +# _phony_ is a non-existent file to force this command to run every time, +# since currently there's no way to get a full input/output list from the +# flutter tool. +set(PHONY_OUTPUT "${CMAKE_CURRENT_BINARY_DIR}/_phony_") +set_source_files_properties("${PHONY_OUTPUT}" PROPERTIES SYMBOLIC TRUE) +add_custom_command( + OUTPUT ${FLUTTER_LIBRARY} ${FLUTTER_LIBRARY_HEADERS} + ${CPP_WRAPPER_SOURCES_CORE} ${CPP_WRAPPER_SOURCES_PLUGIN} + ${CPP_WRAPPER_SOURCES_APP} + ${PHONY_OUTPUT} + COMMAND ${CMAKE_COMMAND} -E env + ${FLUTTER_TOOL_ENVIRONMENT} + "${FLUTTER_ROOT}/packages/flutter_tools/bin/tool_backend.bat" + windows-x64 $ + VERBATIM +) +add_custom_target(flutter_assemble DEPENDS + "${FLUTTER_LIBRARY}" + ${FLUTTER_LIBRARY_HEADERS} + ${CPP_WRAPPER_SOURCES_CORE} + ${CPP_WRAPPER_SOURCES_PLUGIN} + ${CPP_WRAPPER_SOURCES_APP} +) diff --git a/fbla_ui/windows/flutter/generated_plugin_registrant.cc b/fbla_ui/windows/flutter/generated_plugin_registrant.cc new file mode 100644 index 0000000..0799e37 --- /dev/null +++ b/fbla_ui/windows/flutter/generated_plugin_registrant.cc @@ -0,0 +1,20 @@ +// +// Generated file. Do not edit. +// + +// clang-format off + +#include "generated_plugin_registrant.h" + +#include +#include +#include + +void RegisterPlugins(flutter::PluginRegistry* registry) { + PrintingPluginRegisterWithRegistrar( + registry->GetRegistrarForPlugin("PrintingPlugin")); + RivePluginRegisterWithRegistrar( + registry->GetRegistrarForPlugin("RivePlugin")); + UrlLauncherWindowsRegisterWithRegistrar( + registry->GetRegistrarForPlugin("UrlLauncherWindows")); +} diff --git a/fbla_ui/windows/flutter/generated_plugin_registrant.h b/fbla_ui/windows/flutter/generated_plugin_registrant.h new file mode 100644 index 0000000..dc139d8 --- /dev/null +++ b/fbla_ui/windows/flutter/generated_plugin_registrant.h @@ -0,0 +1,15 @@ +// +// Generated file. Do not edit. +// + +// clang-format off + +#ifndef GENERATED_PLUGIN_REGISTRANT_ +#define GENERATED_PLUGIN_REGISTRANT_ + +#include + +// Registers Flutter plugins. +void RegisterPlugins(flutter::PluginRegistry* registry); + +#endif // GENERATED_PLUGIN_REGISTRANT_ diff --git a/fbla_ui/windows/flutter/generated_plugins.cmake b/fbla_ui/windows/flutter/generated_plugins.cmake new file mode 100644 index 0000000..5e4fc4f --- /dev/null +++ b/fbla_ui/windows/flutter/generated_plugins.cmake @@ -0,0 +1,26 @@ +# +# Generated file, do not edit. +# + +list(APPEND FLUTTER_PLUGIN_LIST + printing + rive_common + url_launcher_windows +) + +list(APPEND FLUTTER_FFI_PLUGIN_LIST +) + +set(PLUGIN_BUNDLED_LIBRARIES) + +foreach(plugin ${FLUTTER_PLUGIN_LIST}) + add_subdirectory(flutter/ephemeral/.plugin_symlinks/${plugin}/windows plugins/${plugin}) + target_link_libraries(${BINARY_NAME} PRIVATE ${plugin}_plugin) + list(APPEND PLUGIN_BUNDLED_LIBRARIES $) + list(APPEND PLUGIN_BUNDLED_LIBRARIES ${${plugin}_bundled_libraries}) +endforeach(plugin) + +foreach(ffi_plugin ${FLUTTER_FFI_PLUGIN_LIST}) + add_subdirectory(flutter/ephemeral/.plugin_symlinks/${ffi_plugin}/windows plugins/${ffi_plugin}) + list(APPEND PLUGIN_BUNDLED_LIBRARIES ${${ffi_plugin}_bundled_libraries}) +endforeach(ffi_plugin) diff --git a/fbla_ui/windows/runner/CMakeLists.txt b/fbla_ui/windows/runner/CMakeLists.txt new file mode 100644 index 0000000..394917c --- /dev/null +++ b/fbla_ui/windows/runner/CMakeLists.txt @@ -0,0 +1,40 @@ +cmake_minimum_required(VERSION 3.14) +project(runner LANGUAGES CXX) + +# Define the application target. To change its name, change BINARY_NAME in the +# top-level CMakeLists.txt, not the value here, or `flutter run` will no longer +# work. +# +# Any new source files that you add to the application should be added here. +add_executable(${BINARY_NAME} WIN32 + "flutter_window.cpp" + "main.cpp" + "utils.cpp" + "win32_window.cpp" + "${FLUTTER_MANAGED_DIR}/generated_plugin_registrant.cc" + "Runner.rc" + "runner.exe.manifest" +) + +# Apply the standard set of build settings. This can be removed for applications +# that need different build settings. +apply_standard_settings(${BINARY_NAME}) + +# Add preprocessor definitions for the build version. +target_compile_definitions(${BINARY_NAME} PRIVATE "FLUTTER_VERSION=\"${FLUTTER_VERSION}\"") +target_compile_definitions(${BINARY_NAME} PRIVATE "FLUTTER_VERSION_MAJOR=${FLUTTER_VERSION_MAJOR}") +target_compile_definitions(${BINARY_NAME} PRIVATE "FLUTTER_VERSION_MINOR=${FLUTTER_VERSION_MINOR}") +target_compile_definitions(${BINARY_NAME} PRIVATE "FLUTTER_VERSION_PATCH=${FLUTTER_VERSION_PATCH}") +target_compile_definitions(${BINARY_NAME} PRIVATE "FLUTTER_VERSION_BUILD=${FLUTTER_VERSION_BUILD}") + +# Disable Windows macros that collide with C++ standard library functions. +target_compile_definitions(${BINARY_NAME} PRIVATE "NOMINMAX") + +# Add dependency libraries and include directories. Add any application-specific +# dependencies here. +target_link_libraries(${BINARY_NAME} PRIVATE flutter flutter_wrapper_app) +target_link_libraries(${BINARY_NAME} PRIVATE "dwmapi.lib") +target_include_directories(${BINARY_NAME} PRIVATE "${CMAKE_SOURCE_DIR}") + +# Run the Flutter tool portions of the build. This must not be removed. +add_dependencies(${BINARY_NAME} flutter_assemble) diff --git a/fbla_ui/windows/runner/Runner.rc b/fbla_ui/windows/runner/Runner.rc new file mode 100644 index 0000000..4360bf0 --- /dev/null +++ b/fbla_ui/windows/runner/Runner.rc @@ -0,0 +1,121 @@ +// Microsoft Visual C++ generated resource script. +// +#pragma code_page(65001) +#include "resource.h" + +#define APSTUDIO_READONLY_SYMBOLS +///////////////////////////////////////////////////////////////////////////// +// +// Generated from the TEXTINCLUDE 2 resource. +// +#include "winres.h" + +///////////////////////////////////////////////////////////////////////////// +#undef APSTUDIO_READONLY_SYMBOLS + +///////////////////////////////////////////////////////////////////////////// +// English (United States) resources + +#if !defined(AFX_RESOURCE_DLL) || defined(AFX_TARG_ENU) +LANGUAGE LANG_ENGLISH, SUBLANG_ENGLISH_US + +#ifdef APSTUDIO_INVOKED +///////////////////////////////////////////////////////////////////////////// +// +// TEXTINCLUDE +// + +1 TEXTINCLUDE +BEGIN + "resource.h\0" +END + +2 TEXTINCLUDE +BEGIN + "#include ""winres.h""\r\n" + "\0" +END + +3 TEXTINCLUDE +BEGIN + "\r\n" + "\0" +END + +#endif // APSTUDIO_INVOKED + + +///////////////////////////////////////////////////////////////////////////// +// +// Icon +// + +// Icon with lowest ID value placed first to ensure application icon +// remains consistent on all systems. +IDI_APP_ICON ICON "resources\\app_icon.ico" + + +///////////////////////////////////////////////////////////////////////////// +// +// Version +// + +#if defined(FLUTTER_VERSION_MAJOR) && defined(FLUTTER_VERSION_MINOR) && defined(FLUTTER_VERSION_PATCH) && defined(FLUTTER_VERSION_BUILD) +#define VERSION_AS_NUMBER FLUTTER_VERSION_MAJOR,FLUTTER_VERSION_MINOR,FLUTTER_VERSION_PATCH,FLUTTER_VERSION_BUILD +#else +#define VERSION_AS_NUMBER 1,0,0,0 +#endif + +#if defined(FLUTTER_VERSION) +#define VERSION_AS_STRING FLUTTER_VERSION +#else +#define VERSION_AS_STRING "1.0.0" +#endif + +VS_VERSION_INFO VERSIONINFO + FILEVERSION VERSION_AS_NUMBER + PRODUCTVERSION VERSION_AS_NUMBER + FILEFLAGSMASK VS_FFI_FILEFLAGSMASK +#ifdef _DEBUG + FILEFLAGS VS_FF_DEBUG +#else + FILEFLAGS 0x0L +#endif + FILEOS VOS__WINDOWS32 + FILETYPE VFT_APP + FILESUBTYPE 0x0L +BEGIN + BLOCK "StringFileInfo" + BEGIN + BLOCK "040904e4" + BEGIN + VALUE "CompanyName", "com.marinodev" "\0" + VALUE "FileDescription", "fbla_ui" "\0" + VALUE "FileVersion", VERSION_AS_STRING "\0" + VALUE "InternalName", "fbla_ui" "\0" + VALUE "LegalCopyright", "Copyright (C) 2023 com.marinodev. All rights reserved." "\0" + VALUE "OriginalFilename", "fbla_ui.exe" "\0" + VALUE "ProductName", "fbla_ui" "\0" + VALUE "ProductVersion", VERSION_AS_STRING "\0" + END + END + BLOCK "VarFileInfo" + BEGIN + VALUE "Translation", 0x409, 1252 + END +END + +#endif // English (United States) resources +///////////////////////////////////////////////////////////////////////////// + + + +#ifndef APSTUDIO_INVOKED +///////////////////////////////////////////////////////////////////////////// +// +// Generated from the TEXTINCLUDE 3 resource. +// + + +///////////////////////////////////////////////////////////////////////////// +#endif // not APSTUDIO_INVOKED diff --git a/fbla_ui/windows/runner/flutter_window.cpp b/fbla_ui/windows/runner/flutter_window.cpp new file mode 100644 index 0000000..b25e363 --- /dev/null +++ b/fbla_ui/windows/runner/flutter_window.cpp @@ -0,0 +1,66 @@ +#include "flutter_window.h" + +#include + +#include "flutter/generated_plugin_registrant.h" + +FlutterWindow::FlutterWindow(const flutter::DartProject& project) + : project_(project) {} + +FlutterWindow::~FlutterWindow() {} + +bool FlutterWindow::OnCreate() { + if (!Win32Window::OnCreate()) { + return false; + } + + RECT frame = GetClientArea(); + + // The size here must match the window dimensions to avoid unnecessary surface + // creation / destruction in the startup path. + flutter_controller_ = std::make_unique( + frame.right - frame.left, frame.bottom - frame.top, project_); + // Ensure that basic setup of the controller was successful. + if (!flutter_controller_->engine() || !flutter_controller_->view()) { + return false; + } + RegisterPlugins(flutter_controller_->engine()); + SetChildContent(flutter_controller_->view()->GetNativeWindow()); + + flutter_controller_->engine()->SetNextFrameCallback([&]() { + this->Show(); + }); + + return true; +} + +void FlutterWindow::OnDestroy() { + if (flutter_controller_) { + flutter_controller_ = nullptr; + } + + Win32Window::OnDestroy(); +} + +LRESULT +FlutterWindow::MessageHandler(HWND hwnd, UINT const message, + WPARAM const wparam, + LPARAM const lparam) noexcept { + // Give Flutter, including plugins, an opportunity to handle window messages. + if (flutter_controller_) { + std::optional result = + flutter_controller_->HandleTopLevelWindowProc(hwnd, message, wparam, + lparam); + if (result) { + return *result; + } + } + + switch (message) { + case WM_FONTCHANGE: + flutter_controller_->engine()->ReloadSystemFonts(); + break; + } + + return Win32Window::MessageHandler(hwnd, message, wparam, lparam); +} diff --git a/fbla_ui/windows/runner/flutter_window.h b/fbla_ui/windows/runner/flutter_window.h new file mode 100644 index 0000000..6da0652 --- /dev/null +++ b/fbla_ui/windows/runner/flutter_window.h @@ -0,0 +1,33 @@ +#ifndef RUNNER_FLUTTER_WINDOW_H_ +#define RUNNER_FLUTTER_WINDOW_H_ + +#include +#include + +#include + +#include "win32_window.h" + +// A window that does nothing but host a Flutter view. +class FlutterWindow : public Win32Window { + public: + // Creates a new FlutterWindow hosting a Flutter view running |project|. + explicit FlutterWindow(const flutter::DartProject& project); + virtual ~FlutterWindow(); + + protected: + // Win32Window: + bool OnCreate() override; + void OnDestroy() override; + LRESULT MessageHandler(HWND window, UINT const message, WPARAM const wparam, + LPARAM const lparam) noexcept override; + + private: + // The project to run. + flutter::DartProject project_; + + // The Flutter instance hosted by this window. + std::unique_ptr flutter_controller_; +}; + +#endif // RUNNER_FLUTTER_WINDOW_H_ diff --git a/fbla_ui/windows/runner/main.cpp b/fbla_ui/windows/runner/main.cpp new file mode 100644 index 0000000..13474e6 --- /dev/null +++ b/fbla_ui/windows/runner/main.cpp @@ -0,0 +1,43 @@ +#include +#include +#include + +#include "flutter_window.h" +#include "utils.h" + +int APIENTRY wWinMain(_In_ HINSTANCE instance, _In_opt_ HINSTANCE prev, + _In_ wchar_t *command_line, _In_ int show_command) { + // Attach to console when present (e.g., 'flutter run') or create a + // new console when running with a debugger. + if (!::AttachConsole(ATTACH_PARENT_PROCESS) && ::IsDebuggerPresent()) { + CreateAndAttachConsole(); + } + + // Initialize COM, so that it is available for use in the library and/or + // plugins. + ::CoInitializeEx(nullptr, COINIT_APARTMENTTHREADED); + + flutter::DartProject project(L"data"); + + std::vector command_line_arguments = + GetCommandLineArguments(); + + project.set_dart_entrypoint_arguments(std::move(command_line_arguments)); + + FlutterWindow window(project); + Win32Window::Point origin(10, 10); + Win32Window::Size size(1280, 720); + if (!window.Create(L"fbla_ui", origin, size)) { + return EXIT_FAILURE; + } + window.SetQuitOnClose(true); + + ::MSG msg; + while (::GetMessage(&msg, nullptr, 0, 0)) { + ::TranslateMessage(&msg); + ::DispatchMessage(&msg); + } + + ::CoUninitialize(); + return EXIT_SUCCESS; +} diff --git a/fbla_ui/windows/runner/resource.h b/fbla_ui/windows/runner/resource.h new file mode 100644 index 0000000..66a65d1 --- /dev/null +++ b/fbla_ui/windows/runner/resource.h @@ -0,0 +1,16 @@ +//{{NO_DEPENDENCIES}} +// Microsoft Visual C++ generated include file. +// Used by Runner.rc +// +#define IDI_APP_ICON 101 + +// Next default values for new objects +// +#ifdef APSTUDIO_INVOKED +#ifndef APSTUDIO_READONLY_SYMBOLS +#define _APS_NEXT_RESOURCE_VALUE 102 +#define _APS_NEXT_COMMAND_VALUE 40001 +#define _APS_NEXT_CONTROL_VALUE 1001 +#define _APS_NEXT_SYMED_VALUE 101 +#endif +#endif diff --git a/fbla_ui/windows/runner/resources/app_icon.ico b/fbla_ui/windows/runner/resources/app_icon.ico new file mode 100644 index 0000000..c04e20c Binary files /dev/null and b/fbla_ui/windows/runner/resources/app_icon.ico differ diff --git a/fbla_ui/windows/runner/runner.exe.manifest b/fbla_ui/windows/runner/runner.exe.manifest new file mode 100644 index 0000000..a42ea76 --- /dev/null +++ b/fbla_ui/windows/runner/runner.exe.manifest @@ -0,0 +1,20 @@ + + + + + PerMonitorV2 + + + + + + + + + + + + + + + diff --git a/fbla_ui/windows/runner/utils.cpp b/fbla_ui/windows/runner/utils.cpp new file mode 100644 index 0000000..b2b0873 --- /dev/null +++ b/fbla_ui/windows/runner/utils.cpp @@ -0,0 +1,65 @@ +#include "utils.h" + +#include +#include +#include +#include + +#include + +void CreateAndAttachConsole() { + if (::AllocConsole()) { + FILE *unused; + if (freopen_s(&unused, "CONOUT$", "w", stdout)) { + _dup2(_fileno(stdout), 1); + } + if (freopen_s(&unused, "CONOUT$", "w", stderr)) { + _dup2(_fileno(stdout), 2); + } + std::ios::sync_with_stdio(); + FlutterDesktopResyncOutputStreams(); + } +} + +std::vector GetCommandLineArguments() { + // Convert the UTF-16 command line arguments to UTF-8 for the Engine to use. + int argc; + wchar_t** argv = ::CommandLineToArgvW(::GetCommandLineW(), &argc); + if (argv == nullptr) { + return std::vector(); + } + + std::vector command_line_arguments; + + // Skip the first argument as it's the binary name. + for (int i = 1; i < argc; i++) { + command_line_arguments.push_back(Utf8FromUtf16(argv[i])); + } + + ::LocalFree(argv); + + return command_line_arguments; +} + +std::string Utf8FromUtf16(const wchar_t* utf16_string) { + if (utf16_string == nullptr) { + return std::string(); + } + int target_length = ::WideCharToMultiByte( + CP_UTF8, WC_ERR_INVALID_CHARS, utf16_string, + -1, nullptr, 0, nullptr, nullptr) + -1; // remove the trailing null character + int input_length = (int)wcslen(utf16_string); + std::string utf8_string; + if (target_length <= 0 || target_length > utf8_string.max_size()) { + return utf8_string; + } + utf8_string.resize(target_length); + int converted_length = ::WideCharToMultiByte( + CP_UTF8, WC_ERR_INVALID_CHARS, utf16_string, + input_length, utf8_string.data(), target_length, nullptr, nullptr); + if (converted_length == 0) { + return std::string(); + } + return utf8_string; +} diff --git a/fbla_ui/windows/runner/utils.h b/fbla_ui/windows/runner/utils.h new file mode 100644 index 0000000..3879d54 --- /dev/null +++ b/fbla_ui/windows/runner/utils.h @@ -0,0 +1,19 @@ +#ifndef RUNNER_UTILS_H_ +#define RUNNER_UTILS_H_ + +#include +#include + +// Creates a console for the process, and redirects stdout and stderr to +// it for both the runner and the Flutter library. +void CreateAndAttachConsole(); + +// Takes a null-terminated wchar_t* encoded in UTF-16 and returns a std::string +// encoded in UTF-8. Returns an empty std::string on failure. +std::string Utf8FromUtf16(const wchar_t* utf16_string); + +// Gets the command line arguments passed in as a std::vector, +// encoded in UTF-8. Returns an empty std::vector on failure. +std::vector GetCommandLineArguments(); + +#endif // RUNNER_UTILS_H_ diff --git a/fbla_ui/windows/runner/win32_window.cpp b/fbla_ui/windows/runner/win32_window.cpp new file mode 100644 index 0000000..60608d0 --- /dev/null +++ b/fbla_ui/windows/runner/win32_window.cpp @@ -0,0 +1,288 @@ +#include "win32_window.h" + +#include +#include + +#include "resource.h" + +namespace { + +/// Window attribute that enables dark mode window decorations. +/// +/// Redefined in case the developer's machine has a Windows SDK older than +/// version 10.0.22000.0. +/// See: https://docs.microsoft.com/windows/win32/api/dwmapi/ne-dwmapi-dwmwindowattribute +#ifndef DWMWA_USE_IMMERSIVE_DARK_MODE +#define DWMWA_USE_IMMERSIVE_DARK_MODE 20 +#endif + +constexpr const wchar_t kWindowClassName[] = L"FLUTTER_RUNNER_WIN32_WINDOW"; + +/// Registry key for app theme preference. +/// +/// A value of 0 indicates apps should use dark mode. A non-zero or missing +/// value indicates apps should use light mode. +constexpr const wchar_t kGetPreferredBrightnessRegKey[] = + L"Software\\Microsoft\\Windows\\CurrentVersion\\Themes\\Personalize"; +constexpr const wchar_t kGetPreferredBrightnessRegValue[] = L"AppsUseLightTheme"; + +// The number of Win32Window objects that currently exist. +static int g_active_window_count = 0; + +using EnableNonClientDpiScaling = BOOL __stdcall(HWND hwnd); + +// Scale helper to convert logical scaler values to physical using passed in +// scale factor +int Scale(int source, double scale_factor) { + return static_cast(source * scale_factor); +} + +// Dynamically loads the |EnableNonClientDpiScaling| from the User32 module. +// This API is only needed for PerMonitor V1 awareness mode. +void EnableFullDpiSupportIfAvailable(HWND hwnd) { + HMODULE user32_module = LoadLibraryA("User32.dll"); + if (!user32_module) { + return; + } + auto enable_non_client_dpi_scaling = + reinterpret_cast( + GetProcAddress(user32_module, "EnableNonClientDpiScaling")); + if (enable_non_client_dpi_scaling != nullptr) { + enable_non_client_dpi_scaling(hwnd); + } + FreeLibrary(user32_module); +} + +} // namespace + +// Manages the Win32Window's window class registration. +class WindowClassRegistrar { + public: + ~WindowClassRegistrar() = default; + + // Returns the singleton registrar instance. + static WindowClassRegistrar* GetInstance() { + if (!instance_) { + instance_ = new WindowClassRegistrar(); + } + return instance_; + } + + // Returns the name of the window class, registering the class if it hasn't + // previously been registered. + const wchar_t* GetWindowClass(); + + // Unregisters the window class. Should only be called if there are no + // instances of the window. + void UnregisterWindowClass(); + + private: + WindowClassRegistrar() = default; + + static WindowClassRegistrar* instance_; + + bool class_registered_ = false; +}; + +WindowClassRegistrar* WindowClassRegistrar::instance_ = nullptr; + +const wchar_t* WindowClassRegistrar::GetWindowClass() { + if (!class_registered_) { + WNDCLASS window_class{}; + window_class.hCursor = LoadCursor(nullptr, IDC_ARROW); + window_class.lpszClassName = kWindowClassName; + window_class.style = CS_HREDRAW | CS_VREDRAW; + window_class.cbClsExtra = 0; + window_class.cbWndExtra = 0; + window_class.hInstance = GetModuleHandle(nullptr); + window_class.hIcon = + LoadIcon(window_class.hInstance, MAKEINTRESOURCE(IDI_APP_ICON)); + window_class.hbrBackground = 0; + window_class.lpszMenuName = nullptr; + window_class.lpfnWndProc = Win32Window::WndProc; + RegisterClass(&window_class); + class_registered_ = true; + } + return kWindowClassName; +} + +void WindowClassRegistrar::UnregisterWindowClass() { + UnregisterClass(kWindowClassName, nullptr); + class_registered_ = false; +} + +Win32Window::Win32Window() { + ++g_active_window_count; +} + +Win32Window::~Win32Window() { + --g_active_window_count; + Destroy(); +} + +bool Win32Window::Create(const std::wstring& title, + const Point& origin, + const Size& size) { + Destroy(); + + const wchar_t* window_class = + WindowClassRegistrar::GetInstance()->GetWindowClass(); + + const POINT target_point = {static_cast(origin.x), + static_cast(origin.y)}; + HMONITOR monitor = MonitorFromPoint(target_point, MONITOR_DEFAULTTONEAREST); + UINT dpi = FlutterDesktopGetDpiForMonitor(monitor); + double scale_factor = dpi / 96.0; + + HWND window = CreateWindow( + window_class, title.c_str(), WS_OVERLAPPEDWINDOW, + Scale(origin.x, scale_factor), Scale(origin.y, scale_factor), + Scale(size.width, scale_factor), Scale(size.height, scale_factor), + nullptr, nullptr, GetModuleHandle(nullptr), this); + + if (!window) { + return false; + } + + UpdateTheme(window); + + return OnCreate(); +} + +bool Win32Window::Show() { + return ShowWindow(window_handle_, SW_SHOWNORMAL); +} + +// static +LRESULT CALLBACK Win32Window::WndProc(HWND const window, + UINT const message, + WPARAM const wparam, + LPARAM const lparam) noexcept { + if (message == WM_NCCREATE) { + auto window_struct = reinterpret_cast(lparam); + SetWindowLongPtr(window, GWLP_USERDATA, + reinterpret_cast(window_struct->lpCreateParams)); + + auto that = static_cast(window_struct->lpCreateParams); + EnableFullDpiSupportIfAvailable(window); + that->window_handle_ = window; + } else if (Win32Window* that = GetThisFromHandle(window)) { + return that->MessageHandler(window, message, wparam, lparam); + } + + return DefWindowProc(window, message, wparam, lparam); +} + +LRESULT +Win32Window::MessageHandler(HWND hwnd, + UINT const message, + WPARAM const wparam, + LPARAM const lparam) noexcept { + switch (message) { + case WM_DESTROY: + window_handle_ = nullptr; + Destroy(); + if (quit_on_close_) { + PostQuitMessage(0); + } + return 0; + + case WM_DPICHANGED: { + auto newRectSize = reinterpret_cast(lparam); + LONG newWidth = newRectSize->right - newRectSize->left; + LONG newHeight = newRectSize->bottom - newRectSize->top; + + SetWindowPos(hwnd, nullptr, newRectSize->left, newRectSize->top, newWidth, + newHeight, SWP_NOZORDER | SWP_NOACTIVATE); + + return 0; + } + case WM_SIZE: { + RECT rect = GetClientArea(); + if (child_content_ != nullptr) { + // Size and position the child window. + MoveWindow(child_content_, rect.left, rect.top, rect.right - rect.left, + rect.bottom - rect.top, TRUE); + } + return 0; + } + + case WM_ACTIVATE: + if (child_content_ != nullptr) { + SetFocus(child_content_); + } + return 0; + + case WM_DWMCOLORIZATIONCOLORCHANGED: + UpdateTheme(hwnd); + return 0; + } + + return DefWindowProc(window_handle_, message, wparam, lparam); +} + +void Win32Window::Destroy() { + OnDestroy(); + + if (window_handle_) { + DestroyWindow(window_handle_); + window_handle_ = nullptr; + } + if (g_active_window_count == 0) { + WindowClassRegistrar::GetInstance()->UnregisterWindowClass(); + } +} + +Win32Window* Win32Window::GetThisFromHandle(HWND const window) noexcept { + return reinterpret_cast( + GetWindowLongPtr(window, GWLP_USERDATA)); +} + +void Win32Window::SetChildContent(HWND content) { + child_content_ = content; + SetParent(content, window_handle_); + RECT frame = GetClientArea(); + + MoveWindow(content, frame.left, frame.top, frame.right - frame.left, + frame.bottom - frame.top, true); + + SetFocus(child_content_); +} + +RECT Win32Window::GetClientArea() { + RECT frame; + GetClientRect(window_handle_, &frame); + return frame; +} + +HWND Win32Window::GetHandle() { + return window_handle_; +} + +void Win32Window::SetQuitOnClose(bool quit_on_close) { + quit_on_close_ = quit_on_close; +} + +bool Win32Window::OnCreate() { + // No-op; provided for subclasses. + return true; +} + +void Win32Window::OnDestroy() { + // No-op; provided for subclasses. +} + +void Win32Window::UpdateTheme(HWND const window) { + DWORD light_mode; + DWORD light_mode_size = sizeof(light_mode); + LSTATUS result = RegGetValue(HKEY_CURRENT_USER, kGetPreferredBrightnessRegKey, + kGetPreferredBrightnessRegValue, + RRF_RT_REG_DWORD, nullptr, &light_mode, + &light_mode_size); + + if (result == ERROR_SUCCESS) { + BOOL enable_dark_mode = light_mode == 0; + DwmSetWindowAttribute(window, DWMWA_USE_IMMERSIVE_DARK_MODE, + &enable_dark_mode, sizeof(enable_dark_mode)); + } +} diff --git a/fbla_ui/windows/runner/win32_window.h b/fbla_ui/windows/runner/win32_window.h new file mode 100644 index 0000000..e901dde --- /dev/null +++ b/fbla_ui/windows/runner/win32_window.h @@ -0,0 +1,102 @@ +#ifndef RUNNER_WIN32_WINDOW_H_ +#define RUNNER_WIN32_WINDOW_H_ + +#include + +#include +#include +#include + +// A class abstraction for a high DPI-aware Win32 Window. Intended to be +// inherited from by classes that wish to specialize with custom +// rendering and input handling +class Win32Window { + public: + struct Point { + unsigned int x; + unsigned int y; + Point(unsigned int x, unsigned int y) : x(x), y(y) {} + }; + + struct Size { + unsigned int width; + unsigned int height; + Size(unsigned int width, unsigned int height) + : width(width), height(height) {} + }; + + Win32Window(); + virtual ~Win32Window(); + + // Creates a win32 window with |title| that is positioned and sized using + // |origin| and |size|. New windows are created on the default monitor. Window + // sizes are specified to the OS in physical pixels, hence to ensure a + // consistent size this function will scale the inputted width and height as + // as appropriate for the default monitor. The window is invisible until + // |Show| is called. Returns true if the window was created successfully. + bool Create(const std::wstring& title, const Point& origin, const Size& size); + + // Show the current window. Returns true if the window was successfully shown. + bool Show(); + + // Release OS resources associated with window. + void Destroy(); + + // Inserts |content| into the window tree. + void SetChildContent(HWND content); + + // Returns the backing Window handle to enable clients to set icon and other + // window properties. Returns nullptr if the window has been destroyed. + HWND GetHandle(); + + // If true, closing this window will quit the application. + void SetQuitOnClose(bool quit_on_close); + + // Return a RECT representing the bounds of the current client area. + RECT GetClientArea(); + + protected: + // Processes and route salient window messages for mouse handling, + // size change and DPI. Delegates handling of these to member overloads that + // inheriting classes can handle. + virtual LRESULT MessageHandler(HWND window, + UINT const message, + WPARAM const wparam, + LPARAM const lparam) noexcept; + + // Called when CreateAndShow is called, allowing subclass window-related + // setup. Subclasses should return false if setup fails. + virtual bool OnCreate(); + + // Called when Destroy is called. + virtual void OnDestroy(); + + private: + friend class WindowClassRegistrar; + + // OS callback called by message pump. Handles the WM_NCCREATE message which + // is passed when the non-client area is being created and enables automatic + // non-client DPI scaling so that the non-client area automatically + // responds to changes in DPI. All other messages are handled by + // MessageHandler. + static LRESULT CALLBACK WndProc(HWND const window, + UINT const message, + WPARAM const wparam, + LPARAM const lparam) noexcept; + + // Retrieves a class instance pointer for |window| + static Win32Window* GetThisFromHandle(HWND const window) noexcept; + + // Update the window frame's theme to match the system theme. + static void UpdateTheme(HWND const window); + + bool quit_on_close_ = false; + + // window handle for top level window. + HWND window_handle_ = nullptr; + + // window handle for hosted content. + HWND child_content_ = nullptr; +}; + +#endif // RUNNER_WIN32_WINDOW_H_