Spaces:
Runtime error
Runtime error
File size: 2,150 Bytes
10ed2d9 0f54ad3 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 |
import yfinance as yf
import streamlit as st
import pandas as pd
import datetime
import numpy as np
import matplotlib.pyplot as plt
from keras.models import Sequential
from keras.layers import LSTM
from keras.layers import Dense
from keras.layers import Bidirectional
st.write("""
# Simple Stock Price App
Shown are the stock **closing price** and **volume**.
""")
def user_input_features() :
stock_symbol = st.sidebar.selectbox('Symbol',('BMRI','APLN', 'MNCN', 'BFIN', 'CSAP'))
date_start = st.sidebar.date_input("Start Date", datetime.date(2015, 5, 31))
date_end = st.sidebar.date_input("End Date", datetime.date.today())
tickerData = yf.Ticker(stock_symbol+'.JK')
tickerDf = tickerData.history(period='1d', start=date_start, end=date_end)
return tickerDf, stock_symbol
input_df, stock_symbol = user_input_features()
st.line_chart(input_df.Close)
st.line_chart(input_df.Volume)
st.write("""
# Stock Price Prediction
Shown are the stock prediction for next 20 days.
""")
n_steps = 100
n_features = 1
model = Sequential()
model.add(Bidirectional(LSTM(300, activation='relu'), input_shape=(n_steps, n_features)))
model.add(Dense(1))
model.compile(optimizer='adam', loss='mse')
model.load_weights(stock_symbol + ".h5")
df = input_df.dropna(axis=0, how='any', thresh=None, subset=None, inplace=False)
df = df[df.Volume > 0]
close = df['Close'][-n_steps:].to_list()
min_in = min(close)
max_in = max(close)
in_seq = []
for i in close :
in_seq.append((i - min_in) / (max_in - min_in))
for i in range(20) :
x_input = np.array(in_seq[-100:])
x_input = x_input.reshape((1, n_steps, n_features))
yhat = model.predict(x_input, verbose=0)
in_seq.append(yhat[0][0])
norm_res = in_seq[-20:]
res = []
for i in norm_res :
res.append(i * (max_in - min_in) + min_in)
closepred = close[-80:]
for x in res :
closepred.append(x)
plt.figure(figsize = (20,10))
plt.plot(closepred, label="Prediction")
plt.plot(close[-80:], label="Previous")
plt.ylabel('Price (Rp)', fontsize = 15 )
plt.xlabel('Days', fontsize = 15 )
plt.title(stock_symbol + " Stock Prediction", fontsize = 20)
plt.legend()
plt.grid()
st.pyplot(plt) |