Changed button layout on main page /IRC button removed temporarily/

Remade design on passwordgen page
This commit is contained in:
ndaniel1102 2021-03-09 00:43:18 +01:00
commit 49eae83f81
42 changed files with 6682 additions and 605 deletions

View file

@ -18,7 +18,7 @@ module.exports = {
'no-prototype-builtins': 'off', 'no-prototype-builtins': 'off',
'id-length': [ 'id-length': [
'warn', 'warn',
{ exceptions: ['x', 'i', 'j', 't', 'Q', 'A', 'C', 'q', 'a', 'b'] }, { exceptions: ['x', 'i', 'j', 't', 'Q', 'A', 'C', 'q', 'a', 'b', 'e'] },
], ],
}, },
root: true, root: true,

2
.gitignore vendored
View file

@ -1,5 +1,5 @@
node_modules/ node_modules/
.next/ .next/
out/ out/
/.vs /.vs
public/

View file

@ -1,13 +1,11 @@
import styles from './button.module.css' import styles from './button.module.css'
export default function Button (props) { export default function Button(props) {
return ( return (
<div> <div>
<center> <center>
<a href={props.href}> <a href={props.href}>
<div className={styles.ircLink}> <div className={styles.ircLink}>{props.text}</div>
{props.text}
</div>
</a> </a>
</center> </center>
</div> </div>

View file

@ -1,7 +1,7 @@
import React, { PureComponent } from 'react' import React, { PureComponent } from 'react'
class Question extends PureComponent { class Question extends PureComponent {
render () { render() {
const { question } = this.props const { question } = this.props
let qdata = question.data let qdata = question.data
@ -15,16 +15,10 @@ class Question extends PureComponent {
} }
return ( return (
<div className='questionContainer'> <div className="questionContainer">
<div className='question'> <div className="question">{question.Q}</div>
{question.Q} <div className="answer">{question.A}</div>
</div> <div className="data">{qdata || null}</div>
<div className='answer'>
{question.A}
</div>
<div className='data'>
{qdata || null}
</div>
</div> </div>
) )
} }

View file

@ -5,7 +5,7 @@ import Question from './Question.js'
import styles from './Questions.module.css' import styles from './Questions.module.css'
class Questions extends PureComponent { class Questions extends PureComponent {
render () { render() {
const { subjs } = this.props const { subjs } = this.props
return ( return (
@ -13,16 +13,9 @@ class Questions extends PureComponent {
{subjs.map((subj, i) => { {subjs.map((subj, i) => {
return ( return (
<div key={i}> <div key={i}>
<div className={styles.subjName}> <div className={styles.subjName}>{subj.Name}</div>
{subj.Name} {subj.Questions.map((question, i) => {
</div> return <Question key={i} question={question} />
{ subj.Questions.map((question, i) => {
return (
<Question
key={i}
question={question}
/>
)
})} })}
</div> </div>
) )

View file

@ -3,26 +3,19 @@ import React, { PureComponent } from 'react'
import Question from './Question.js' import Question from './Question.js'
class Subject extends PureComponent { class Subject extends PureComponent {
render () { render() {
const { subj } = this.props const { subj } = this.props
if (subj) { if (subj) {
return ( return (
<div > <div>
{subj.Questions.map((question, i) => { {subj.Questions.map((question, i) => {
return ( return <Question key={i} question={question} />
<Question
key={i}
question={question}
/>
)
})} })}
</div> </div>
) )
} else { } else {
return ( return <div />
<div />
)
} }
} }
} }

View file

@ -1,10 +1,10 @@
import styles from './SubjectSelector.module.css' import styles from './SubjectSelector.module.css'
export default function SubjectSelector (props) { export default function SubjectSelector(props) {
const { activeSubjName, searchTerm, data, onSubjSelect } = props const { activeSubjName, searchTerm, data, onSubjSelect } = props
return ( return (
<div className='subjectSelector'> <div className="subjectSelector">
{data.map((subj, i) => { {data.map((subj, i) => {
if (!subj.Name.toLowerCase().includes(searchTerm.toLowerCase())) { if (!subj.Name.toLowerCase().includes(searchTerm.toLowerCase())) {
return null return null
@ -12,16 +12,15 @@ export default function SubjectSelector (props) {
return ( return (
<div <div
className={activeSubjName === subj.Name className={
? 'subjItem activeSubjItem' activeSubjName === subj.Name
: 'subjItem' ? 'subjItem activeSubjItem'
: 'subjItem'
} }
key={i} key={i}
onClick={() => onSubjSelect(subj.Name)} onClick={() => onSubjSelect(subj.Name)}
> >
<span className={styles.subjName}> <span className={styles.subjName}>{subj.Name}</span>
{subj.Name}
</span>
<span className={styles.questionCount}> <span className={styles.questionCount}>
[ {subj.Questions.length} ] [ {subj.Questions.length} ]
</span> </span>

227
src/components/comments.js Normal file
View file

@ -0,0 +1,227 @@
import React, { useState } from 'react'
import ReactButton from './reactButton.js'
import Modal from './modal.js'
import styles from './comments.module.css'
function CommentInput({ onSubmit, onCancel }) {
const [val, setVal] = useState('')
return (
<div className={styles.commentAreaContainer}>
<textarea
autoFocus
value={val}
onChange={(e) => {
setVal(e.target.value)
}}
/>
<div className={'actions'}>
<span
onClick={() => {
onSubmit(val)
}}
>
Submit
</span>
<span
onClick={() => {
onCancel()
}}
>
Cancel
</span>
</div>
</div>
)
}
function Comment({ comment, index, onComment, onDelete, onReact, uid }) {
const [displayed, setDisplayed] = useState(true)
const [commenting, setCommenting] = useState(false)
const { content, subComments, date, user, reacts, admin } = comment
const own = uid === user
const commentStyle = admin
? styles.adminComment
: own
? styles.ownComment
: ''
return (
<div className={styles.comment}>
<div className={`${styles.commentData} ${commentStyle}`}>
<div className={styles.commentHeader}>
<div className={styles.userContainer}>
<div
className={styles.showHide}
onClick={() => {
setDisplayed(!displayed)
}}
>
{displayed ? '[-]' : '[+]'}
</div>
<div>User #{user}</div>
</div>
<div>{date}</div>
</div>
<div className={`${!displayed && styles.hidden}`}>
<div className={styles.commentText}> {content}</div>
<div className={'actions'}>
<span
onClick={() => {
setCommenting(true)
}}
>
Reply...
</span>
{own && (
<span
onClick={() => {
onDelete([index])
}}
>
Delete
</span>
)}
<ReactButton
onClick={(reaction, isDelete) => {
onReact([index], reaction, isDelete)
}}
uid={uid}
existingReacts={reacts}
/>
</div>
{commenting && (
<CommentInput
onCancel={() => {
setCommenting(false)
}}
onSubmit={(e) => {
onComment([index], e)
setCommenting(false)
}}
/>
)}
</div>
</div>
<div className={`${!displayed && styles.hidden}`}>
{subComments &&
subComments.map((sc, i) => {
return (
<Comment
comment={sc}
onReact={(path, reaction, isDelete) => {
onReact([...path, index], reaction, isDelete)
}}
onDelete={(path) => {
onDelete([...path, index])
}}
onComment={(path, content) => {
onComment([...path, index], content)
}}
index={i}
key={i}
uid={uid}
/>
)
})}
</div>
</div>
)
}
function countComments(comments) {
return comments.reduce((acc, comment) => {
if (comment.subComments) {
acc += countComments(comment.subComments) + 1
} else {
acc += 1
}
return acc
}, 0)
}
export default function Comments({
comments,
onComment,
onDelete,
onReact,
uid,
}) {
const [addingNewComment, setAddingNewComment] = useState(false)
const [commentsShowing, setCommentsShowing] = useState(false)
const commentCount = comments ? countComments(comments) : 0
return (
<div>
{commentsShowing ? (
<Modal
closeClick={() => {
setCommentsShowing(false)
}}
>
{comments && comments.length > 0
? comments.map((comment, i) => {
return (
<Comment
onReact={onReact}
onComment={onComment}
onDelete={onDelete}
comment={comment}
index={i}
key={i}
uid={uid}
/>
)
})
: null}
{commentCount !== 0 ? (
<div className={'actions'}>
<span
onClick={() => {
setAddingNewComment(true)
}}
>
New comment
</span>
</div>
) : null}
{addingNewComment ? (
<CommentInput
onSubmit={(e) => {
if (!e) {
alert('Írj be valamit, hogy kommentelhess...')
return
}
setAddingNewComment(false)
onComment([], e)
}}
onCancel={() => {
setAddingNewComment(false)
if (commentCount === 0) {
setCommentsShowing(false)
}
}}
/>
) : null}
</Modal>
) : null}
<div
className={'actions'}
onClick={() => {
setCommentsShowing(true)
if (commentCount === 0) {
setAddingNewComment(true)
}
}}
>
<span>
{commentCount === 0
? 'New comment'
: `Show ${commentCount} comment${commentCount > 1 ? 's' : ''}`}
</span>
</div>
</div>
)
}

View file

@ -0,0 +1,57 @@
.comment {
margin-left: 25px;
padding: 8px 0px;
}
.commentData {
padding: 5px 2px;
border-left: 2px solid var(--text-color);
}
.commentHeader {
display: flex;
justify-content: space-between;
}
.commentHeader > div {
font-weight: bold;
margin: 2px;
}
.userContainer {
display: flex;
flex-direction: row;
}
.userContainer > div {
padding: 0px 3px;
}
.commentText {
margin: 2px;
padding: 10px 5px;
}
.ownComment {
border-left: 2px solid green;
}
.showHide {
cursor: pointer;
}
.hidden {
display: none;
}
.commentAreaContainer {
margin: 0px 8px 3px 8px;
}
.commentAreaContainer > div {
margin: 5px 0px;
}
.adminComment {
border-left: 2px solid yellow;
}

119
src/components/composer.js Normal file
View file

@ -0,0 +1,119 @@
import React, { useState } from 'react'
import Modal from './modal'
import styles from './composer.module.css'
function FileUploader({ onChange }) {
return (
<div className={styles.inputArea}>
<div className={styles.textTitle}>Fájl csatolása</div>
<input
className={styles.fileInput}
type="file"
name="file"
onChange={onChange}
/>
</div>
)
}
export default function Composer({ onSubmit }) {
const [editorShowing, setEditorShowing] = useState(false)
const [val, setVal] = useState('')
const [type, setType] = useState('public')
const [title, setTitle] = useState('')
const [file, setFile] = useState()
return (
<>
<div
onClick={() => {
setEditorShowing(true)
}}
className={styles.new}
>
Új bejegyzés / feedback
</div>
{editorShowing && (
<Modal
closeClick={() => {
setEditorShowing(false)
}}
>
<div className={styles.container}>
{type !== 'private' && (
<input
placeholder={'Téma'}
value={title}
onChange={(e) => {
setTitle(e.target.value)
}}
/>
)}
<textarea
placeholder={'...'}
value={val}
onChange={(e) => {
setVal(e.target.value)
}}
/>
{type === 'private' && (
<FileUploader
onChange={(e) => {
setFile(e.target.files[0])
}}
/>
)}
<div className={styles.typeSelector}>
<div>Post típusa:</div>
<div title="Minden felhasználó látja főoldalon, és tudnak rá válaszolni">
<input
onChange={(e) => {
setType(e.target.value)
}}
type="radio"
name="type"
value="public"
defaultChecked
/>
Publikus
</div>
<div title="Csak a weboldal üzemeltetője látja">
<input
onChange={(e) => {
setType(e.target.value)
}}
type="radio"
name="type"
value="private"
/>
Privát
</div>
<div className={styles.tip}>
(Tartsd egered opciókra több infóért)
</div>
</div>
<div className={'actions'}>
<span
onClick={() => {
onSubmit(type, title, val, file)
setEditorShowing(false)
}}
>
Post
</span>
<span
onClick={() => {
setEditorShowing(false)
}}
>
Cancel
</span>
</div>
</div>
</Modal>
)}
</>
)
}

View file

@ -0,0 +1,33 @@
.container {
display: flex;
flex-flow: column;
}
.container > input,
.container > textarea {
margin: 5px 0px;
padding: 4px;
}
.typeSelector {
display: flex;
align-items: center;
}
.tip {
font-size: 10px;
margin: 0px 10px;
}
.new {
text-align: center;
background-color: #191919;
border-radius: 3px;
cursor: pointer;
margin: 8px;
padding: 8px;
}
.new:hover {
background-color: var(--hoover-color);
}

View file

@ -15,7 +15,7 @@
} }
.listItem:hover { .listItem:hover {
background-color: #666; background-color: var(--hoover-color);
} }
.text { .text {

View file

@ -80,11 +80,15 @@ export default function Layout({
<div /> <div />
</span> </span>
<div className="sidebarheader"> <div className="sidebarheader">
<Link href="/"><a><img <Link href="/">
style={{ maxWidth: '100%' }} <a>
src={`${constants.siteUrl}img/frylabs-logo_small_transparent.png`} <img
alt="Frylabs" style={{ maxWidth: '100%' }}
/></a></Link> src={`${constants.siteUrl}img/frylabs-logo_small_transparent.png`}
alt="Frylabs"
/>
</a>
</Link>
</div> </div>
</div> </div>
{sidebarOpen ? ( {sidebarOpen ? (

View file

@ -46,7 +46,7 @@ export default function Modal(props) {
</div> </div>
)} )}
{props.children} <div className={styles.children}>{props.children}</div>
</div> </div>
</div> </div>
) )

View file

@ -1,4 +1,5 @@
.modal { .modal {
z-index: 99;
position: fixed; position: fixed;
top: 0; top: 0;
left: 0; left: 0;
@ -8,16 +9,19 @@
} }
.modalContent { .modalContent {
display: flex;
align-items: stretch;
max-height: 80%;
width: 80%;
position: fixed; position: fixed;
background: var(--background-color); background: var(--background-color);
width: 70%;
height: auto; height: auto;
top: 50%; top: 50%;
left: 50%; left: 50%;
transform: translate(-50%, -50%); transform: translate(-50%, -50%);
border-radius: 5px; border-radius: 8px;
padding: 20px; padding: 20px 30px;
cursor: auto; cursor: auto;
} }
@ -26,8 +30,14 @@
font-size: 18px; font-size: 18px;
position: absolute; position: absolute;
position: absolute;
top: 10px; top: 10px;
right: 10px; right: 10px;
display: inline; display: inline;
} }
.children {
max-height: 100%;
width: 100%;
overflow-y: scroll;
overflow-x: hidden;
}

View file

@ -0,0 +1,67 @@
import React from 'react'
import ReactButton from './reactButton.js'
import Comments from './comments.js'
import styles from './newsEntry.module.css'
export default function NewsEntry({
newsItem,
uid,
onCommentReact,
onNewsReact,
onComment,
onDelete,
onPostDelete,
}) {
const { reacts, title, content, user, comments, date, admin } = newsItem
return (
<div className={styles.newsRoot}>
<div className={`${styles.newsContainer} ${admin && styles.adminPost}`}>
<div className={styles.newsHeader}>
<div className={styles.newsTitle}>{title}</div>
<div className={styles.user}>
<div>User #{user}</div>
<div className={styles.newsDate}>{date}</div>
</div>
</div>
{admin ? (
<div
className={styles.newsBody}
dangerouslySetInnerHTML={{ __html: content }}
/>
) : (
<div className={styles.newsBody}>{content}</div>
)}
</div>
<div className={'actions'}>
{uid === user ? (
<span
onClick={() => {
onPostDelete()
}}
>
Delete
</span>
) : null}
<ReactButton
existingReacts={reacts}
uid={uid}
onClick={(reaction, isDelete) => {
onNewsReact({ reaction, isDelete })
}}
/>
</div>
<Comments
uid={uid}
onReact={(path, reaction, isDelete) => {
onCommentReact({ path, reaction, isDelete })
}}
onComment={onComment}
onDelete={onDelete}
comments={comments}
/>
</div>
)
}

View file

@ -0,0 +1,45 @@
.newsBody {
margin: 0px 5px;
color: #fff;
white-space: pre-line;
}
.newsTitle {
font-size: 20px;
color: var(--text-color);
margin: 0px 5px;
}
.newsDate {
margin: 0px 5px;
}
.newsContainer {
margin: 5px 5px;
}
.adminPost {
border-left: 2px solid yellow;
}
.newsContainer img {
max-width: 100%;
min-width: 200px;
}
.newsHeader {
display: flex;
justify-content: space-between;
align-items: center;
}
.user {
display: flex;
align-items: center;
}
.newsRoot {
background-color: #191919;
margin: 8px;
padding: 8px;
}

View file

@ -0,0 +1,107 @@
import React, { useState } from 'react'
import Tooltip from './tooltip.js'
import styles from './reactButton.module.css'
import reactions from '../data/reactions.json'
function ExistingReacts({ existingReacts, onClick, uid }) {
return (
<div className={styles.reactionContainer}>
<div>React</div>
{existingReacts &&
Object.keys(existingReacts).map((key) => {
const currReact = existingReacts[key]
const react = reactions[key]
if (!react) {
return null
}
return (
<div
title={currReact.join(', ')}
className={`${currReact.includes(uid) && styles.reacted}`}
key={key}
onClick={(e) => {
e.stopPropagation()
onClick(key, currReact.includes(uid))
}}
>
{react.emoji} {currReact.length}
</div>
)
})}
</div>
)
}
function RenderEmojis({ onClick }) {
const [search, setSearch] = useState('')
return (
<>
<input
type="text"
placeholder="Keresés..."
onChange={(event) => {
setSearch(event.target.value)
}}
/>
{Object.keys(reactions).map((key) => {
const reaction = reactions[key]
if (!key.includes(search.toLowerCase())) {
return null
}
return (
<div
title={key}
key={key}
onClick={() => {
onClick(key)
}}
>
{reaction.emoji}
</div>
)
})}
</>
)
}
export default function ReactButton({ onClick, existingReacts, uid }) {
const [opened, setOpened] = useState(false)
return (
<div
className={styles.reactContainer}
onClick={() => {
setOpened(true)
}}
onMouseLeave={() => {
setOpened(false)
}}
>
<Tooltip
opened={opened}
text={() => (
<ExistingReacts
uid={uid}
onClick={(key, isDelete) => {
onClick(key, isDelete)
setOpened(false)
}}
existingReacts={existingReacts}
/>
)}
>
<div className={styles.reactionContainer}>
<RenderEmojis
onClick={(e) => {
// setOpened(false)
onClick(e)
}}
/>
</div>
</Tooltip>
</div>
)
}

View file

@ -0,0 +1,40 @@
.reactionContainer {
display: flex;
flex-wrap: wrap;
}
.reactionContainer > input {
width: 100%;
background-color: var(--background-color);
color: var(--text-color);
border: none;
border-radius: 3px;
margin: 2px 5px;
font-size: 16px;
}
.reactionContainer > div {
margin: 2px 2px;
padding: 0px 10px;
border: 1px solid #444;
border-radius: 6px;
cursor: pointer;
user-select: none;
}
.reactionContainer > div:hover {
background-color: var(--hoover-color);
}
.break {
flex-basis: 100%;
height: 0;
}
.reacted {
color: yellow;
}
.reactContainer {
display: inline-block;
}

View file

@ -1,6 +1,6 @@
.container { .container {
background-color: var(--background-color); background-color: var(--background-color);
border-left: 3px solid #99f; border-left: 3px solid var(--text-color);
top: 0; top: 0;
right: 0px; right: 0px;
height: 100%; height: 100%;

View file

@ -1,18 +1,19 @@
import constants from '../constants.json' import constants from '../constants.json'
export default function Sleep (props) { export default function Sleep(props) {
const hours = new Date().getHours() const hours = new Date().getHours()
if (hours < 4 || hours > 23) { if (hours < 4 || hours > 23) {
return ( return (
<div> <div>
<center> <center>
<img <img
style={{ style={{
margin: '10px', margin: '10px',
width: '300px', width: '300px',
border: '2px solid white' border: '2px solid white',
}} }}
src={constants.siteUrl + 'img/aludni.jpeg'} title="Ezt a kepet azert latod, mert ilyenkor mar igazan nem ezen az oldalon kellene jarnod" src={constants.siteUrl + 'img/aludni.jpeg'}
title="Ezt a kepet azert latod, mert ilyenkor mar igazan nem ezen az oldalon kellene jarnod"
/> />
</center> </center>
</div> </div>

View file

@ -9,12 +9,12 @@
} }
.title { .title {
color: #99f; color: var(--text-color);
font-size: 18px; font-size: 18px;
} }
.name { .name {
color: #99f; color: var(--text-color);
font-size: 20px; font-size: 20px;
margin: 20px 0px; margin: 20px 0px;
} }
@ -36,7 +36,7 @@
} }
.button { .button {
border: 2px solid #99f; border: 2px solid var(--text-color);
border-radius: 3px; border-radius: 3px;
text-align: center; text-align: center;
cursor: pointer; cursor: pointer;

11
src/components/tooltip.js Normal file
View file

@ -0,0 +1,11 @@
import React from 'react'
import styles from './tooltip.module.css'
export default function Tooltip({ children, text, opened }) {
return (
<div className={styles.tooltip}>
{text()}
{opened && <span className={styles.tooltiptext}>{children}</span>}
</div>
)
}

View file

@ -0,0 +1,28 @@
.tooltip {
position: relative;
display: inline-block;
}
.tooltip .tooltiptext {
width: 300px;
max-width: 300px;
height: 250px;
max-height: 250px;
background-color: var(--background-color);
border-radius: 5px;
color: #fff;
text-align: center;
border-radius: 6px;
padding: 5px;
position: absolute;
z-index: 9999;
bottom: 100%;
left: 0%;
margin-left: -60px;
transition: opacity 0.3s;
overflow-y: scroll;
}
.container {
}

View file

@ -1,8 +1,5 @@
{ {
"header": [ "header": ["Miben", "Hogy"],
"Miben",
"Hogy"
],
"rows": { "rows": {
"feedbacker": { "feedbacker": {
"name": "Visszajelzésben", "name": "Visszajelzésben",

5417
src/data/reactions.json Normal file

File diff suppressed because it is too large Load diff

View file

@ -17,11 +17,6 @@
}, },
"ranklist": { "ranklist": {
"href": "/ranklist", "href": "/ranklist",
"text": "Ranglista" "text": "Ranklista"
},
"feedback": {
"href": "/feedback",
"text": "Feedback",
"id": "feedback"
} }
} }

View file

@ -1,8 +1,9 @@
:root { :root {
--text-color: #F2CB05; --text-color: #f2cb05;
--primary-color: #9999ff;
--bright-color: #f2f2f2; --bright-color: #f2f2f2;
--background-color: #222426; --background-color: #222426;
--hoover-color: #191919; --hoover-color: #393939;
} }
@import url('https://fonts.googleapis.com/css2?family=Kameron&family=Overpass+Mono:wght@300;400&display=swap'); @import url('https://fonts.googleapis.com/css2?family=Kameron&family=Overpass+Mono:wght@300;400&display=swap');
@ -14,7 +15,7 @@ body {
} }
li { li {
padding: 2px 0px; padding: 2px 0px;
} }
a { a {
@ -22,7 +23,24 @@ a {
} }
a:hover { a:hover {
color: #C1C1C1; color: #c1c1c1;
}
textarea {
color: var(--text-color);
background-color: var(--background-color);
box-sizing: border-box;
height: 120px;
width: 100%;
border: 1px solid #666;
border-radius: 3px;
}
input {
color: var(--text-color);
background-color: var(--background-color);
border: 1px solid #444;
width: 100%;
} }
.link { .link {
@ -70,7 +88,7 @@ a:hover {
transition: width 0.5s, height 0.5s, ease-out 0.5s; transition: width 0.5s, height 0.5s, ease-out 0.5s;
} }
.sidebarLinks a.active{ .sidebarLinks a.active {
border: 0.5px solid var(--text-color); border: 0.5px solid var(--text-color);
color: white; color: white;
text-shadow: 2px 2px 8px black; text-shadow: 2px 2px 8px black;
@ -178,7 +196,7 @@ a:hover {
} }
.endofpage { .endofpage {
padding-bottom: 20px; padding-bottom: 20px;
} }
.questionContainer { .questionContainer {
@ -281,10 +299,9 @@ a:hover {
} }
.pageHeader h1 { .pageHeader h1 {
padding-top: 6px; padding-top: 6px;
letter-spacing: 7px; letter-spacing: 7px;
text-align: center; margin: 0px;
margin: 0px;
} }
.manualUsage { .manualUsage {
@ -341,3 +358,21 @@ select:hover {
padding: 2px 6px; padding: 2px 6px;
font-size: 13.5px; font-size: 13.5px;
} }
.actions {
display: flex;
align-items: center;
}
.actions > span {
margin: 2px 2px;
padding: 0px 10px;
border: 1px solid #444;
border-radius: 6px;
cursor: pointer;
user-select: none;
}
.actions > span:hover {
background-color: var(--hoover-color);
}

View file

@ -1,8 +1,15 @@
export default function Custom404 () { export default function Custom404() {
return ( return (
<center> <center>
<h1>404</h1> <h1>404</h1>
<iframe width='660' height='465' src='https://www.youtube-nocookie.com/embed/GOzwOeONBhQ' frameBorder='0' allow='accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture' allowFullScreen /> <iframe
width="660"
height="465"
src="https://www.youtube-nocookie.com/embed/GOzwOeONBhQ"
frameBorder="0"
allow="accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture"
allowFullScreen
/>
</center> </center>
) )
} }

View file

@ -1,16 +1,16 @@
import Document, { Html, Head, Main, NextScript } from 'next/document' import Document, { Html, Head, Main, NextScript } from 'next/document'
class MyDocument extends Document { class MyDocument extends Document {
static async getInitialProps (ctx) { static async getInitialProps(ctx) {
const initialProps = await Document.getInitialProps(ctx) const initialProps = await Document.getInitialProps(ctx)
return { ...initialProps } return { ...initialProps }
} }
render () { render() {
return ( return (
<Html> <Html>
<Head /> <Head />
<body bgcolor='#222426'> <body bgcolor="#222426">
<Main /> <Main />
<NextScript /> <NextScript />
</body> </body>

View file

@ -1,9 +1,16 @@
function Error ({ statusCode }) { function Error({ statusCode }) {
const render404 = () => { const render404 = () => {
return ( return (
<center> <center>
<h1>404</h1> <h1>404</h1>
<iframe width='100%' height='465' src='https://www.youtube-nocookie.com/embed/GOzwOeONBhQ' frameBorder='0' allow='accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture' allowFullScreen /> <iframe
width="100%"
height="465"
src="https://www.youtube-nocookie.com/embed/GOzwOeONBhQ"
frameBorder="0"
allow="accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture"
allowFullScreen
/>
</center> </center>
) )
} }

View file

@ -157,7 +157,6 @@ export default function AllQuestions({ router }) {
<input <input
autoFocus autoFocus
placeholder="Keresés..." placeholder="Keresés..."
className={styles.searchBar}
type="text" type="text"
value={searchTerm} value={searchTerm}
onChange={(event) => { onChange={(event) => {
@ -206,7 +205,6 @@ export default function AllQuestions({ router }) {
<input <input
autoFocus autoFocus
placeholder="Keresés..." placeholder="Keresés..."
className={styles.searchBar}
type="text" type="text"
value={searchTerm} value={searchTerm}
onChange={(event) => { onChange={(event) => {

View file

@ -1,12 +1,3 @@
.searchBar {
margin: 10px;
color: white;
background-color: #222426;
border: none;
font-size: 18px;
flex-grow: 1;
}
.searchContainer { .searchContainer {
width: 100%; width: 100%;
display: flex; display: flex;

View file

@ -35,7 +35,7 @@
} }
.title { .title {
color: #9999ff; color: var(--text-color);
font-size: 30px; font-size: 30px;
text-align: center; text-align: center;
} }

View file

@ -1,214 +0,0 @@
import React, { useState } from 'react'
import fetch from 'unfetch'
import Head from 'next/head'
import Button from '../components/Button.js'
import styles from './feedback.module.css'
import constants from '../constants.json'
const results = {
success: 'SUCCESS',
error: 'ERROR',
notSent: 'NOTSENT',
invalid: 'INVALID',
}
export default function Feedback() {
const [form, setForm] = useState({})
const [file, setFile] = useState(undefined)
const [result, setResult] = useState(results.notSent)
const [fileResult, setFileResult] = useState(results.notSent)
const onChange = (event) => {
setForm({
...form,
[event.target.name]: event.target.value,
})
}
const renderTextInputArea = (params) => {
return (
<div className={styles.inputArea}>
<div className={styles.textTitle}>{params.text}</div>
<textarea
autoFocus={params.autoFocus}
onChange={(event) => params.onChange(event)}
value={form[params.name] || ''}
className={styles.feedback}
name={params.name}
/>
</div>
)
}
const onFileChangeHandler = (event) => {
setForm({
...form,
file: event.target.files[0].name,
})
setFile(event.target.files[0])
}
const renderFileUploader = () => {
return (
<div className={styles.inputArea}>
<div className={styles.textTitle}>Fájl csatolása</div>
<input
className={styles.fileInput}
type="file"
name="file"
onChange={onFileChangeHandler}
/>
</div>
)
}
const handleSubmit = async () => {
if (!form.description) {
setResult(results.invalid)
}
const t = document.getElementById('cid').value
let cid = ''
let version = ''
if (t) {
cid = t.split('|')[0]
version = t.split('|')[1]
}
const rawResponse = await fetch(constants.apiUrl + 'postfeedback', {
method: 'POST',
credentials: 'include',
headers: {
Accept: 'application/json',
'Content-Type': 'application/json',
},
body: JSON.stringify({
...form,
cid: cid,
version: version,
}),
})
rawResponse
.json()
.then((resp) => {
if (resp.success) {
setResult(results.success)
} else {
setResult(results.error)
}
})
.catch((err) => {
setResult(results.error)
console.error(err)
})
if (file) {
const formData = new FormData() // eslint-disable-line
formData.append('file', file)
const rawFileResponse = await fetch(
constants.apiUrl + 'postfeedbackfile',
{
method: 'POST',
credentials: 'include',
headers: {
Accept: 'application/json',
},
body: formData,
}
)
rawFileResponse
.json()
.then((resp) => {
if (resp.success) {
setFileResult(results.success)
} else {
setFileResult(results.error)
}
})
.catch((err) => {
setFileResult(results.error)
console.error('FILE error', err)
})
}
}
const renderResult = () => {
if (results === result.success) {
return <div>sucess</div>
} else if (results === result.error) {
return <div>error</div>
} else if (results === result.invalid) {
return <div>invalid</div>
} else {
return null
}
}
// action={constants.apiUrl + 'badtestsender'} encType='multipart/form-data' method='post'
const renderForm = (props) => {
return (
<div className={styles.feedback}>
{props.noDesc ? (
<div className={styles.errorMsg}>Mező kitöltése kötelező!</div>
) : null}
{renderTextInputArea({
text: 'Rövid leírás',
name: 'description',
onChange: onChange,
autoFocus: true,
})}
<div className={styles.desc}>
Bal aluli levelesláda ikonnál keresd majd a választ
</div>
{renderFileUploader()}
<div className={styles.buttonContainer}>
<button className={styles.button} onClick={handleSubmit}>
Küldés
</button>
</div>
<input type="text" id="cid" name="cid" hidden />
{renderResult()}
</div>
)
}
const renderStuff = () => {
if (result === results.notSent && fileResult === results.notSent) {
return <div className={styles.textTitle}>{renderForm({})}</div>
} else if (result === results.invalid) {
return (
<div className={styles.textTitle}>{renderForm({ noDesc: true })}</div>
)
} else if (result === results.success && !file) {
return <div className={styles.textTitle}>Visszajelzés elküldve c:</div>
} else if (result === results.error && fileResult === results.success) {
return <div className={styles.textTitle}>Hiba küldés közben :c</div>
} else if (result === results.success && fileResult === results.error) {
return (
<div className={styles.textTitle}>
Visszajelzés elküldve, de fájlt nem sikerült elküldeni :c
</div>
)
} else if (result === results.success && fileResult === results.success) {
return <div className={styles.textTitle}>Visszajelzés elküldve c:</div>
} else {
return <div className={styles.textTitle}>Bit of a fuckup here</div>
}
}
return (
<div>
<Head>
<title>Feedback - Qmining | Frylabs.net</title>
</Head>
<Button text="IRC chat" href="/irc" />
<p />
<hr />
<p />
{renderStuff()}
</div>
)
}

View file

@ -1,46 +0,0 @@
.feedback {
color: var(--text-color);
background-color: var(--background-color);
font-size: 16px;
width: 100%;
box-sizing: border-box;
height: 120px;
}
.buttonContainer {
text-align: 'center';
width: 200px;
margin: 0 auto;
padding: 10px;
}
.desc {
font-size: 16px;
color: white;
}
.textTitle {
color: var(--text-color);
font-size: 20px;
}
.button {
background-color: var(--text-color);
border: none;
padding: 10px 30px;
color: white;
width: 200px;
}
.textInputArea {
padding: 20px 0px;
}
.fileInput {
margin: 10px;
color: var(--text-color);
}
.errorMsg {
color: red;
}

View file

@ -5,6 +5,8 @@ import Link from 'next/link'
import LoadingIndicator from '../components/LoadingIndicator' import LoadingIndicator from '../components/LoadingIndicator'
import Sleep from '../components/sleep' import Sleep from '../components/sleep'
import NewsEntry from '../components/newsEntry'
import Composer from '../components/composer'
import DbSelector from '../components/dbSelector.js' import DbSelector from '../components/dbSelector.js'
import styles from './index.module.css' import styles from './index.module.css'
@ -25,83 +27,251 @@ const links = {
}, },
} }
export default function Index(props) { function fetchNews() {
const [news, setNews] = useState(null) return new Promise((resolve) => {
const [allQrSelector, setAllQrSelector] = useState(null)
const motd = props.globalData.motd
// const userSpecificMotd = props.globalData.userSpecificMotd
useEffect(() => {
console.info('Fetching news.json')
fetch(`${constants.apiUrl}news.json`, { fetch(`${constants.apiUrl}news.json`, {
credentials: 'include', credentials: 'include',
}) })
.then((resp) => { .then((resp) => {
return resp.json() return resp.json()
}) })
.then((data) => { .then((res) => {
setNews(data) resolve(res)
}) })
})
}
function addPost(title, content) {
return new Promise((resolve) => {
fetch(constants.apiUrl + 'addPost', {
method: 'POST',
credentials: 'include',
headers: {
Accept: 'application/json',
'Content-Type': 'application/json',
},
body: JSON.stringify({
title: title,
content: content,
}),
})
.then((res) => {
return res.json()
})
.then((res) => {
resolve(res)
})
})
}
function postFeedback(content, file) {
return new Promise((resolve) => {
const promises = [
fetch(constants.apiUrl + 'postfeedback', {
method: 'POST',
credentials: 'include',
headers: {
Accept: 'application/json',
'Content-Type': 'application/json',
},
body: JSON.stringify({
content: content,
}),
}).then((res) => {
return res.json()
}),
]
if (file) {
console.log('FIEEEEEEEEEELE')
const formData = new FormData() // eslint-disable-line
formData.append('file', file)
promises.push(
fetch(constants.apiUrl + 'postfeedbackfile', {
method: 'POST',
credentials: 'include',
headers: {
Accept: 'application/json',
},
body: formData,
}).then((res) => {
return res.json()
})
)
}
Promise.all(promises).then((res) => {
resolve(res)
})
})
}
export default function Index({ globalData }) {
const userId = globalData.userId
const motd = globalData.motd
const [news, setNews] = useState(null)
const [allQrSelector, setAllQrSelector] = useState(null)
// const userSpecificMotd = props.globalData.userSpecificMotd
useEffect(() => {
console.info('Fetching news.json')
fetchNews().then((res) => {
setNews(res)
})
}, []) }, [])
const renderQAItem = (newsItem, key) => {
return (
<div key={key} className={styles.itemContainer}>
<div className={styles.itemNumber}>{key} :</div>
<div
className={styles.question}
dangerouslySetInnerHTML={{ __html: newsItem.q }}
/>
<div
className={styles.answer}
dangerouslySetInnerHTML={{ __html: newsItem.a }}
/>
</div>
)
}
const renderNewsItem = (newsItem, key) => {
return (
<div key={key} className={styles.itemContainer}>
<div className={styles.itemNumber}>{key} :</div>
<div
className={styles.newsTitle}
dangerouslySetInnerHTML={{ __html: newsItem.title }}
/>
<div
className={styles.newsBody}
dangerouslySetInnerHTML={{ __html: newsItem.body }}
/>
</div>
)
}
const renderNews = () => { const renderNews = () => {
if (news) { if (news) {
let questions = Object.keys(news) let newsItems = Object.keys(news)
.map((key) => { .map((key) => {
let newsItem = news[key] let newsEntryData = news[key]
if (newsItem.q) { return (
return ( <NewsEntry
<div key={key}> onPostDelete={() => {
{renderQAItem(newsItem, key)} fetch(constants.apiUrl + 'rmPost', {
</div> method: 'POST',
) credentials: 'include',
} else { headers: {
return ( Accept: 'application/json',
<div key={key}> 'Content-Type': 'application/json',
{renderNewsItem(newsItem, key)} },
</div> body: JSON.stringify({
) newsKey: key,
} }),
})
.then((res) => {
return res.json()
})
.then((res) => {
setNews(res.news)
})
}}
onNewsReact={({ reaction, isDelete }) => {
fetch(constants.apiUrl + 'react', {
method: 'POST',
credentials: 'include',
headers: {
Accept: 'application/json',
'Content-Type': 'application/json',
},
body: JSON.stringify({
reaction: reaction,
newsKey: key,
isDelete: isDelete,
}),
})
.then((res) => {
return res.json()
})
.then((res) => {
console.log(res)
setNews(res.news)
})
}}
onCommentReact={({ path, reaction, isDelete }) => {
fetch(constants.apiUrl + 'react', {
method: 'POST',
credentials: 'include',
headers: {
Accept: 'application/json',
'Content-Type': 'application/json',
},
body: JSON.stringify({
type: 'reaction',
newsKey: key,
path: path,
reaction: reaction,
isDelete: isDelete,
}),
})
.then((res) => {
return res.json()
})
.then((res) => {
setNews(res.news)
})
}}
onDelete={(path) => {
fetch(constants.apiUrl + 'comment', {
method: 'POST',
credentials: 'include',
headers: {
Accept: 'application/json',
'Content-Type': 'application/json',
},
body: JSON.stringify({
type: 'delete',
path: path,
newsKey: key,
}),
})
.then((res) => {
return res.json()
})
.then((res) => {
setNews(res.news)
})
}}
onComment={(path, content) => {
fetch(constants.apiUrl + 'comment', {
method: 'POST',
credentials: 'include',
headers: {
Accept: 'application/json',
'Content-Type': 'application/json',
},
body: JSON.stringify({
type: 'add',
path: path,
content: content,
newsKey: key,
}),
})
.then((res) => {
return res.json()
})
.then((res) => {
setNews(res.news)
})
}}
uid={userId}
key={key}
newsKey={key}
newsItem={newsEntryData}
/>
)
}) })
.reverse() .reverse()
return ( return (
<div> <div>
<div className={styles.title}>Hírek</div> <div className={styles.title}>Fórum</div>
<hr /> <hr />
<div className={styles.questionscontainer}>{questions}</div> <Composer
onSubmit={(type, title, content, file) => {
if (!content) {
alert('Üres a tartalom!')
return
}
console.log(type, title, content, file)
if (type === 'private') {
postFeedback(content, file).then((res) => {
console.log(res)
alert('Privát visszajelzés elküldve!')
})
} else {
if (!title) {
alert('Üres a téma!')
return
}
addPost(title, content).then((res) => {
setNews(res.news)
})
}
}}
/>
<div>{newsItems}</div>
</div> </div>
) )
} else { } else {
@ -125,23 +295,6 @@ export default function Index(props) {
) )
} }
// const renderUserSpecificMotd = () => {
// return (
// <div>
// <hr />
// <div className={styles.subtitle}>Üzenet admintól:</div>
// {userSpecificMotd ? (
// <div
// className={styles.motd}
// dangerouslySetInnerHTML={{ __html: userSpecificMotd.msg }}
// />
// ) : (
// <div>...</div>
// )}
// </div>
// )
// }
const renderDbSelector = () => { const renderDbSelector = () => {
if (allQrSelector) { if (allQrSelector) {
return ( return (
@ -196,15 +349,6 @@ export default function Index(props) {
> >
{'Összes kérdés TXT'} {'Összes kérdés TXT'}
</a> </a>
<a
/*onClick={() => {
setAllQrSelector('json')
}}
className={styles.button}*/
>
{/*'Összes kérdés JSON'*/}
</a>
</div> </div>
{renderMotd()} {renderMotd()}
{/*{userSpecificMotd && renderUserSpecificMotd()} */} {/*{userSpecificMotd && renderUserSpecificMotd()} */}

View file

@ -3,22 +3,22 @@
} }
.button { .button {
color: white; color: white;
background-color: #313131; background-color: #313131;
margin: 0px 4px; margin: 0px 4px;
padding: 15px 4px; padding: 15px 4px;
max-width: 100%; max-width: 100%;
text-align: center; text-align: center;
font-size: 16px; font-size: 16px;
cursor: pointer; cursor: pointer;
word-wrap: break-word; word-wrap: break-word;
text-decoration: none; text-decoration: none;
transition: width 0.5s, height 0.5s, ease-in 0.5s; transition: width 0.5s, height 0.5s, ease-in 0.5s;
flex: 1; flex: 1;
display: flex; display: flex;
flex-direction: column; flex-direction: column;
justify-content: center; justify-content: center;
user-select: none; user-select: none;
} }
.button:hover { .button:hover {

View file

@ -15,64 +15,62 @@ function renderMaual() {
</Head> </Head>
<center> <center>
<div className={'pageHeader'}> <div className={'pageHeader'}>
<h1>Manual</h1> <h1>Manual</h1>
</div> </div>
<h3 className={'warning'}> <h3 className={'warning'}>
Ha az oldalt vagy a scriptet használod: akármikor észrevehetik, Ha az oldalt vagy a scriptet használod: akármikor észrevehetik,
leállhat a szerver, és rossz lehet az összes válasz! leállhat a szerver, és rossz lehet az összes válasz!
</h3> </h3>
<p id="manualWarn">Valószínűleg semmi baj nem lesz, de én szóltam. Ha emiatt aggódsz, <p id="manualWarn">
olvasd el a <a href="#risk">kockázatok részt</a>.</p> Valószínűleg semmi baj nem lesz, de én szóltam. Ha emiatt aggódsz,
olvasd el a <a href="#risk">kockázatok részt</a>.
</p>
</center> </center>
<Sleep /> <Sleep />
<center> <center></center>
</center>
<hr /> <hr />
<center> <center>
<h2 className={'subtitle'}>A userscript használata</h2> <h2 className={'subtitle'}>A userscript használata</h2>
</center> </center>
<div className={'manualUsage manualBody'}> <div className={'manualUsage manualBody'}>
<div> <div>
<p>Ez a userscript Moodle/Elearnig/KMOOC tesztek megoldása során segítséget <p>
jelenít meg.</p> Ez a userscript Moodle/Elearnig/KMOOC tesztek megoldása során
segítséget jelenít meg.
</p>
<ul> <ul>
<li> <li>
Tölts le egy userscript futtató kiegészítőt a böngésződhöz: pl. a {' '} Tölts le egy userscript futtató kiegészítőt a böngésződhöz: pl. a{' '}
<a <a
href="https://www.tampermonkey.net/" href="https://www.tampermonkey.net/"
target="_blank" target="_blank"
rel="noreferrer" rel="noreferrer"
> >
Tampermonkey Tampermonkey
</a>-t. </a>
-t.
</li> </li>
<li> <li>
A <a <a
href="http://qmining.frylabs.net/install?man" href="http://qmining.frylabs.net/install?man"
target="_blank" target="_blank"
rel="noreferrer" rel="noreferrer"
> >
weboldalról Kattints ide hogy felrakd a scriptet
</a>{' '} </a>{' '}
rakd fel a scriptet.
</li> </li>
<li> <li>
A script ezt követően udvariasan megkér, hogy hadd beszélgessen a A script ezt követően udvariasan megkér, hogy hadd beszélgessen a
szerverrel, mert mással nem tud, ezért ezt engedélyezd neki. szerverrel, mert mással nem tud, ezért ezt engedélyezd neki.
</li> </li>
<li> <li>
Ezután: A kitöltendő teszt oldalán a kérdésre a választ kell látnod felül
<ul> egy lebegő ablakban.
<li> </li>
A kitöltendő teszt oldalán a kérdésre a választ kell látnod felül egy <li>
lebegő ablakban. Teszt ellenőrzés oldalon a script beküldi a szervernek a helyes
</li> válaszokat, az lementi az új kérdéseket, amik ezután azonnal
<li> elérhetők lesznek (neked, és másoknak is)
Teszt ellenőrzés oldalon a script beküldi a szervernek a
helyes válaszokat, az lementi az új kérdéseket, amik ezután
azonnal elérhetők lesznek
</li>
</ul>
</li> </li>
</ul> </ul>
Egyéb fontos tudnivalók: Egyéb fontos tudnivalók:
@ -87,15 +85,15 @@ function renderMaual() {
{' '} {' '}
Összes kérdés TXT Összes kérdés TXT
</a>{' '} </a>{' '}
(ha elszállna a szerver) (az összes összegyűjtött kérdés, ha elszállna a szerver)
</li> </li>
<li> <li>
Az <a Az{' '}
href="/allQuestions" <a href="/allQuestions" rel="noreferrer">
rel="noreferrer"
>
összes kérdés oldal összes kérdés oldal
</a> az oldal, ahol manuálisan tudsz keresni, ha valami gáz lenne a scripttel. </a>{' '}
az oldal, ahol manuálisan tudsz keresni, ha valami gáz lenne a
scripttel.
</li> </li>
</ul> </ul>
</div> </div>
@ -112,85 +110,103 @@ function renderMaual() {
<h2 id="pw" className={'subtitle'}>Jelszavak</h2> <h2 id="pw" className={'subtitle'}>Jelszavak</h2>
</center> </center>
<div className={'manualBody'}> <div className={'manualBody'}>
<p>Ha ezt olvasod valszeg már neked is van. Azért lett bevezetve, hogy <p>
nagyjából zárt legyen a felhasználók köre.</p> Ha ezt olvasod valszeg már neked is van. Azért lett bevezetve, hogy
<ul> nagyjából zárt legyen a felhasználók köre.
<li>Minden felhasználónak más jelszava van.</li> </p>
<li> <ul>
Elvileg elég csak 1 szer beírnod, és többet nem kell, de{' '} <li>Minden felhasználónak más jelszava van.</li>
<b>mentsd le biztos helyre a jelszót, hogy később is meglegyen</b>! Ha <li>
többször kell megadnod, akkor az bug lesz. Ilyenkor ezt {' '} Elvileg elég csak 1 szer beírnod, és többet nem kell, de{' '}
<a <b>mentsd le biztos helyre a jelszót, hogy később is meglegyen</b>!
href="http://qmining.frylabs.net/feedback?man" Ha többször kell megadnod, akkor az bug lesz. Ilyenkor ezt{' '}
target="_blank" <a
rel="noreferrer" href="http://qmining.frylabs.net/feedback?man"
> target="_blank"
jelentsd rel="noreferrer"
</a>. >
</li> jelentsd
<li> </a>
<i> .
Jelenleg nincs elfelejtett jelszó funkció, ha elfelejted, akkor az </li>
örökre eltűnik! <li>
</i> <i>
</li> Jelenleg nincs elfelejtett jelszó funkció, ha elfelejted, akkor az
<li> örökre eltűnik!
Ha van jelszavad akkor {' '} </i>
<b>bizonyos határok között</b>{' '} </li>
te is <a <li>
href="https://qmining.frylabs.net/pwRequest?man" Ha van jelszavad akkor <b>bizonyos határok között</b> te is{' '}
target="_blank" <a
rel="noreferrer" href="https://qmining.frylabs.net/pwRequest?man"
> target="_blank"
tudsz generálni rel="noreferrer"
</a> másoknak (ncore style). >
</li> tudsz generálni
<li> </a>{' '}
Saját jelszavadat ne oszd meg, mivel egyszerre egy helyen lehetsz belépve, máshol automatikusan ki leszel jelentkeztetve. (meg minek, ha tudsz adni másoknak az előző pont alapján) másoknak (ncore style).
</li> </li>
<li> <li>
Mivel senkinek sincs felhasználóneve, csak egy UserID (amit bal alul találsz), Saját jelszavadat ne oszd meg, mivel egyszerre egy helyen lehetsz
így az egész teljesen anonim. Emiatt a jelszavakat nem lehet megváltoztatni, belépve, máshol automatikusan ki leszel jelentkeztetve. (meg minek,
hogy a szükséges komplexitás megmaradjon. ha tudsz adni másoknak az előző pont alapján)
</li> </li>
</ul> <li>
Mivel senkinek sincs felhasználóneve, csak egy UserID (amit bal alul
találsz), így az egész teljesen anonim. Emiatt a jelszavakat nem
lehet megváltoztatni, hogy a szükséges komplexitás megmaradjon.
</li>
</ul>
</div> </div>
<hr /> <hr />
<center> <center>
<h2 className={'subtitle'}>Gyakran Ismételt Kérdések</h2> <h2 className={'subtitle'}>Gyakran Ismételt Kérdések</h2>
</center> </center>
<div className={'manualBody'}> <div className={'manualBody'}>
<ul> <ul>
<li> <li>
<b> <b>
Olyan helyeken fut le a script, ahol nem kellene, vagy ideiglenesen Olyan helyeken fut le a script, ahol nem kellene, vagy
ki akarod kapcsolni; ideiglenesen ki akarod kapcsolni;
</b> </b>
<br /><i>Tampermonkey bővitmény ikon -{'>'} click -{'>'} a scriptet <br />
kapcsold ki. Csak ne felejtsd el visszakapcsolni ;)</i> <i>
</li> Tampermonkey bővitmény ikon -{'>'} click -{'>'} a scriptet
<br /> kapcsold ki. Csak ne felejtsd el visszakapcsolni ;)
<li> </i>
<b> </li>
Túl nagy a kérdést és a választ megjelenítő ablak, nem tudok a <br />
válaszra kattintani; <li>
</b> <b>
<br /><i>Zoomolj ki egy kicsit az oldalon, kapcsold ki addig a scriptet, Túl nagy a kérdést és a választ megjelenítő ablak, nem tudok a
vagy zárd be a script ablakát. Illetve a középső egérgombbal kattintva a válaszra kattintani;
script abalkon el bírod tüntetni, amíg újra nem töltöd az oldalt, vagy görgetéssel </b>
állíthatsz az átlátszóságán.</i> <br />
</li> <i>
<br /> A felugró ablakot ha minden jól megy akkor a szélénél fogva tudod
<li> mozgatni, vagy egeret rajtatartva a görgővel tudod állítani az
<b>Gombok, %-ok, számok;</b> áttetszőségét, vagy be tudod zárni jobb felül X-el, vagy egér
<br /> középső gombbal.
<img style={{ maxWidth: '100%' }} src="img/6.png" alt="img" className={'manual_img'} /> </i>
</li> </li>
</ul> <br />
<li>
<b>Gombok, %-ok, számok;</b>
<br />
<img
style={{ maxWidth: '100%' }}
src="img/6.png"
alt="img"
className={'manual_img'}
/>
</li>
</ul>
</div> </div>
<hr /> <hr />
<center> <center>
<h2 id="risk" className={'subtitle'}>Kockázatok</h2> <h2 id="risk" className={'subtitle'}>
Kockázatok
</h2>
</center> </center>
<ul> <ul>
<li> <li>
@ -200,16 +216,6 @@ function renderMaual() {
mert nem fut. Később manuálisan is be lehet majd küldeni mert nem fut. Később manuálisan is be lehet majd küldeni
kérdés-válaszokat. kérdés-válaszokat.
<p /> <p />
Ha arra nem veszik a fáradságot, hogy a kérdéseket lecseréljék akkor
valószínűleg arra se hogy userscript futását detektáló kódot rakjanak
a weboldalra. A{' '}
<a href="https://moodle.org/" target="_blank" rel="noreferrer">
Moodle
</a>{' '}
egy nyílt forráskódú, valószínűleg self-hosted rendszer. Valószínűleg
az egyetem egy ezer éves debian szerverén fut, amihez senki se mer
nyúlni, nemhogy a moodle-t frissítse valaki.
<p />
A script shadow-root hoz teszi hozzá az összes megjelenített A script shadow-root hoz teszi hozzá az összes megjelenített
elementet, így ezeket szinte lehetetlen detektálni. A moodle elementet, így ezeket szinte lehetetlen detektálni. A moodle
semmiféleképpen nem látja, hogy milyen más oldalak vannak megnyitva a semmiféleképpen nem látja, hogy milyen más oldalak vannak megnyitva a
@ -240,30 +246,43 @@ function renderMaual() {
</li> </li>
</ul> </ul>
<hr /> <hr />
<h2 id="sitesave" className={'subtitle'}>Weboldal lementése</h2> <h2 id="sitesave" className={'subtitle'}>
<p>Hogy a hibákat a saját gépemen reprodukálni tudjam, és könnyen ki bírjam Weboldal lementése
javítani, sokszor jól jön, ha egy lementett weboldalt megkapok. Így lehet </h2>
menteni egy oldalt:</p> <p>
Ha hibát észlesz, kérlek jelents. Hogy a hibákat a saját gépemen
reprodukálni tudjam, és könnyen ki bírjam javítani, sokszor jól jön, ha
egy lementett weboldalt megkapok, amin a hiba történik. Így lehet
menteni egy oldalt:
</p>
<center> <center>
<img style={{ maxWidth: '100%' }} src="img/websitesave.png" alt="img" className={'manual_img'} /> <img
<br /> style={{ maxWidth: '100%' }}
<a src="img/websitesave.png"
href="/feedback" alt="img"
rel="noreferrer" className={'manual_img'}
> />
Ide tudod feltölteni <br />
</a> <a href="/feedback" rel="noreferrer">
Ide tudod feltölteni
</a>
</center> </center>
<p>Mivel nincs hozzáférésem semmilyen egyetemi oldalhoz, így csak így tudom <p>
hatékonyan tesztelni a scriptet. Ezért hatalmas segítség ha feltöltöd azt Mivel nincs hozzáférésem semmilyen egyetemi oldalhoz, így csak így tudom
az oldalt amin hibával találkozol.</p> hatékonyan tesztelni a scriptet. Ezért hatalmas segítség ha feltöltöd
azt az oldalt amin hibával találkozol.
</p>
<hr /> <hr />
<h2 id="scriptreinstall" className={'subtitle'}>Script újratelepítése</h2> <h2 id="scriptreinstall" className={'subtitle'}>
<p>Jelenleg két helyről lehet telepíteni a scriptet: greasyforkról és a Script újratelepítése
weboldalról. A greasyforkos telepítési lehetőség meg fog szűnni, így ha </h2>
onnan telepítetted, akkor nem lesznek frissítések elérhetők (amik nagyon <p>
fontosak (de tényleg)). Ezért a következő rövid manővert kellene Jelenleg két helyről lehet telepíteni a scriptet: greasyforkról és a
végrehajtani, hogy minden zökkenőmentesen menjen:</p> weboldalról. A greasyforkos telepítési lehetőség meg fog szűnni, így ha
onnan telepítetted, akkor nem lesznek frissítések elérhetők (amik nagyon
fontosak (de tényleg)). Ezért a következő rövid manővert kellene
végrehajtani, hogy minden zökkenőmentesen menjen:
</p>
<ul> <ul>
<li>Böngésző bővítményeidnél kattints a tampermonkey-ra</li> <li>Böngésző bővítményeidnél kattints a tampermonkey-ra</li>
<li>Válaszd ki alulról második opciót, ami dashboard néven fut</li> <li>Válaszd ki alulról második opciót, ami dashboard néven fut</li>
@ -281,7 +300,8 @@ function renderMaual() {
rel="noreferrer" rel="noreferrer"
> >
ide ide
</a> a script újratelepítéséhez a weboldalról. </a>{' '}
a script újratelepítéséhez a weboldalról.
</li> </li>
<li> <li>
Kész! Lehet megkérdezi újra, hogy elérheti-e a szervert, de azt csak Kész! Lehet megkérdezi újra, hogy elérheti-e a szervert, de azt csak

View file

@ -48,7 +48,7 @@
} }
.pwContainer { .pwContainer {
font-family: "Courier New", Courier, monospace; font-family: 'Courier New', Courier, monospace;
text-align: center; text-align: center;
font-size: 24px; font-size: 24px;
color: white; color: white;

View file

@ -46,7 +46,7 @@
} }
.clickable:hover { .clickable:hover {
background-color: #666666; background-color: var(--hoover-color);
} }
.clickable { .clickable {

View file

@ -2,7 +2,7 @@ import styles from './thanks.module.css'
import constants from '../constants.json' import constants from '../constants.json'
import Head from 'next/head' import Head from 'next/head'
export default function Thanks () { export default function Thanks() {
return ( return (
<div> <div>
<Head> <Head>