app.py 5.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158
  1. # File Name: app.py
  2. # Author Name: In-young Choung
  3. # Date: March 1, 2017
  4. # Description: This python file contains database configuration and creates database tables and fields using flask_sqlalchemy.
  5. # Users' values passed from Javascript are inserted into the database table.
  6. # It also has mapping request to interact with specific html files and
  7. # it reads a file of itemlist.text and prints out to the console.
  8. from flask_sqlalchemy import SQLAlchemy
  9. from flask import Flask, render_template, request
  10. # passing the whole app code to Flask
  11. app = Flask(__name__)
  12. # Configuration for Database ORM - database name: grocery app, user: groceryadmin, password: VKov2q3XTtqj6w9o
  13. app.config['SQLALCHEMY_DATABASE_URI'] = 'postgresql://groceryadmin:VKov2q3XTtqj6w9o@localhost/groceryapp'
  14. app.config['SQLALCHEMY_TRACK_MODIFICATIONS'] = True
  15. # Database instantiation
  16. db = SQLAlchemy(app)
  17. # database ORM calc table - 3 columns
  18. class Calc(db.Model):
  19. __tablename__="calc"
  20. # database fields
  21. id = db.Column(db.Integer, primary_key=True)
  22. result = db.Column(db.String(64))
  23. timestampe = db.Column(db.TIMESTAMP)
  24. # adding constraints to delete all data in Item when calc is deleted.
  25. item = db.relationship('Item', backref='calc', cascade='all, delete-orphan', lazy='dynamic')
  26. # database ORM item table - 9 columns
  27. class Item(db.Model):
  28. __tablename__ = "items"
  29. # database fields
  30. id = db.Column(db.Integer, primary_key=True)
  31. item_type = db.Column(db.String(64))
  32. brand_name = db.Column(db.String(64))
  33. price = db.Column(db.Integer)
  34. weight = db.Column(db.Integer)
  35. weight_type = db.Column(db.String(5))
  36. discount = db.Column(db.Integer)
  37. discount_type = db.Column(db.String(20))
  38. calc_id = db.Column(db.Integer, db.ForeignKey(Calc.id))
  39. # create all the tables defined as classes
  40. db.create_all()
  41. # mapping request to URLs
  42. @app.route('/', methods = ['GET', 'POST'])
  43. def index():
  44. if request.method == 'GET':
  45. # renders to html file
  46. return render_template('index.html')
  47. # end point where python gets user data from javascript
  48. @app.route('/calculate', methods = ['GET'])
  49. def calculate():
  50. # get value from html
  51. itemtype = (request.args.get('param1'))
  52. brandN1 = (request.args.get('param2'))
  53. brandN2 = (request.args.get('param3'))
  54. price1 = (request.args.get('param4'))
  55. price2 = (request.args.get('param5'))
  56. weight1 = (request.args.get('param6'))
  57. weightT1 = (request.args.get('param7'))
  58. weight2 = (request.args.get('param8'))
  59. weightT2 = (request.args.get('param9'))
  60. discount1 = (request.args.get('param10'))
  61. discountT1 = (request.args.get('param11'))
  62. discount2 = (request.args.get('param12'))
  63. discountT2 = (request.args.get('param13'))
  64. #TODO: calculate function
  65. # total2 = float(total)
  66. # new_total = 1.0 + total2
  67. # print(new_total)
  68. #
  69. # weight_types = ['lb', 'kg', 'g']
  70. #
  71. # item1_byWeight = float(price1) / float(weight1);
  72. # item2_byWeight = float(price2) / float(weight2);
  73. #
  74. # if (item1_byWeight < item2_byWeight) :
  75. # difference = float(item2_byWeight) - float(item1_byWeight)
  76. # result = (item1 + "is cheapter by " + difference)
  77. # else :
  78. # difference = float(item1_byWeight) - float(item2_byWeight)
  79. # result = (item2 + "is cheapter by " + difference)
  80. #
  81. # print(param1 + param2)
  82. # result = param1 + param2
  83. # returns a row from db
  84. # item_from_db = Item.query.filter_by(item_type=itemtype).first();
  85. # if item_from_db is not None:
  86. # print("already exists in the database.")
  87. # else:
  88. try:
  89. # define array variables to be ready to match with db columns
  90. brand_names = [brandN1, brandN2]
  91. prices = [price1, price2]
  92. weights = [weight1, weight2]
  93. weight_types = [weightT1, weightT2]
  94. discounts = [discount1, discount2]
  95. discount_types = [discountT1, discountT2]
  96. # iteration variable for loop
  97. i = 0
  98. # loop twice to save two compared items into database
  99. for i in range(0, 2):
  100. item = Item(item_type = itemtype, brand_name = brand_names[i], price =prices[i],
  101. weight=weights[i] , weight_type = weight_types[i], discount = discounts[i] ,
  102. discount_type = discount_types[i])
  103. # insert a new row into the database
  104. db.session.add(item)
  105. # write it to db disk once the loop is done
  106. db.session.commit()
  107. # catch the exception and print it
  108. except ValueError:
  109. print(ValueError)
  110. print("failed to create new row")
  111. # File I/O - prints a list of grocery items
  112. path = "C:\In-young Choung\Computer Programming\Self Programming Files\grocerycalc\itemlist.txt"
  113. # open a file for writing and create it if it doesn't exist.
  114. f = open(path,"w+")
  115. # open the file in the defined path and "r" read it
  116. f = open(path, "r")
  117. if f.mode == 'r':
  118. # use read function to read the entire file.
  119. contents = f.read()
  120. #print the file content in the console
  121. print(contents)
  122. # main method
  123. if __name__ == '__main__':
  124. app.debug = True
  125. # app.debug = False
  126. app.run()